diff --git a/.github/workflows/cypress.yaml b/.github/workflows/cypress.yaml index b1d0e4d4ff..67eb4edb80 100644 --- a/.github/workflows/cypress.yaml +++ b/.github/workflows/cypress.yaml @@ -174,11 +174,15 @@ jobs: record: true parallel: true command-prefix: "yarn percy exec --parallel --" + command: "npx cypress-cloud run" config: '{"reporter":"cypress-multi-reporters", "reporterOptions": { "configFile": "cypress-ci-reporter-config.json" } }' ci-build-id: ${{ needs.prepare.outputs.uuid }} env: # pass the Dashboard record key as an environment variable CYPRESS_RECORD_KEY: ${{ secrets.CYPRESS_RECORD_KEY }} + CURRENTS_RECORD_KEY: ${{ secrets.CYPRESS_RECORD_KEY }} + CURRENTS_PROJECT_ID: ${{ github.repository }} + CURRENTS_API_URL: ${{ vars.CURRENTS_API_URL }} # Use existing chromium rather than downloading another PUPPETEER_SKIP_CHROMIUM_DOWNLOAD: true diff --git a/CHANGELOG.md b/CHANGELOG.md index 7fcd0a52e8..9e10074e3f 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,27 @@ +Changes in [3.81.0](https://github.com/matrix-org/matrix-react-sdk/releases/tag/v3.81.0) (2023-09-26) +===================================================================================================== + +## ✨ Features + * Make video & voice call buttons pin conference widget if unpinned ([\#11576](https://github.com/matrix-org/matrix-react-sdk/pull/11576)). Fixes vector-im/customer-retainer#72. + * OIDC: persist refresh token ([\#11249](https://github.com/matrix-org/matrix-react-sdk/pull/11249)). Contributed by @kerryarchibald. + * ElementR: Cross user verification ([\#11364](https://github.com/matrix-org/matrix-react-sdk/pull/11364)). Fixes vector-im/element-web#25752. Contributed by @florianduros. + * Default intentional mentions ([\#11602](https://github.com/matrix-org/matrix-react-sdk/pull/11602)). + * Notify users about denied access on ask-to-join rooms ([\#11480](https://github.com/matrix-org/matrix-react-sdk/pull/11480)). Contributed by @nurjinjafar. + * Allow setting knock room directory visibility ([\#11529](https://github.com/matrix-org/matrix-react-sdk/pull/11529)). Contributed by @charlynguyen. + +## 🐛 Bug Fixes + * Revert "Fix regression around FacePile with overflow (#11527)" ([\#11634](https://github.com/matrix-org/matrix-react-sdk/pull/11634)). Fixes vector-im/element-web#26209. + * Escape placeholder before injecting it into the style ([\#11607](https://github.com/matrix-org/matrix-react-sdk/pull/11607)). + * Move ViewUser action callback to RoomView ([\#11495](https://github.com/matrix-org/matrix-react-sdk/pull/11495)). Fixes vector-im/element-web#26040. + * Fix room timeline search toggling behaviour edge case ([\#11605](https://github.com/matrix-org/matrix-react-sdk/pull/11605)). Fixes vector-im/element-web#26105. + * Avoid rendering view-message link in RoomKnocksBar unnecessarily ([\#11598](https://github.com/matrix-org/matrix-react-sdk/pull/11598)). Contributed by @charlynguyen. + * Use knock rooms sync to reflect the knock state ([\#11596](https://github.com/matrix-org/matrix-react-sdk/pull/11596)). Fixes vector-im/element-web#26043 and vector-im/element-web#26044. Contributed by @charlynguyen. + * Fix avatar in right panel not using the correct font ([\#11593](https://github.com/matrix-org/matrix-react-sdk/pull/11593)). Fixes vector-im/element-web#26061. Contributed by @MidhunSureshR. + * Add waits in Spotlight Cypress tests, hoping this unflakes them ([\#11590](https://github.com/matrix-org/matrix-react-sdk/pull/11590)). Fixes vector-im/element-web#26053, vector-im/element-web#26140 vector-im/element-web#26139 and vector-im/element-web#26138. Contributed by @andybalaam. + * Fix vertical alignment of default avatar font ([\#11582](https://github.com/matrix-org/matrix-react-sdk/pull/11582)). Fixes vector-im/element-web#26081. + * Fix avatars in public room & space search being flex shrunk ([\#11580](https://github.com/matrix-org/matrix-react-sdk/pull/11580)). Fixes vector-im/element-web#26133. + * Fix EventTile avatars being rendered with a size of 0 instead of hidden ([\#11558](https://github.com/matrix-org/matrix-react-sdk/pull/11558)). Fixes vector-im/element-web#26075. + Changes in [3.80.1](https://github.com/matrix-org/matrix-react-sdk/releases/tag/v3.80.1) (2023-09-13) ===================================================================================================== diff --git a/cypress.config.ts b/cypress.config.ts index c56f0e7097..250fe956ef 100644 --- a/cypress.config.ts +++ b/cypress.config.ts @@ -17,6 +17,8 @@ limitations under the License. import { defineConfig } from "cypress"; import * as fs from "node:fs"; +import registerPlugins from "./cypress/plugins"; + export default defineConfig({ video: true, projectId: "ppvnzg", @@ -38,7 +40,7 @@ export default defineConfig({ } }); - return require("./cypress/plugins/index.ts").default(on, config); + return registerPlugins(on, config); }, baseUrl: "http://localhost:8080", specPattern: "cypress/e2e/**/*.spec.{js,jsx,ts,tsx}", diff --git a/cypress/plugins/index.ts b/cypress/plugins/index.ts index 412057cf54..2a8fed6cca 100644 --- a/cypress/plugins/index.ts +++ b/cypress/plugins/index.ts @@ -16,6 +16,8 @@ limitations under the License. /// import installLogsPrinter from "cypress-terminal-report/src/installLogsPrinter"; +import cloudPlugin from "cypress-cloud/plugin"; +import { initPlugins } from "cypress-plugin-init"; import PluginEvents = Cypress.PluginEvents; import PluginConfigOptions = Cypress.PluginConfigOptions; @@ -32,15 +34,22 @@ import { mailhogDocker } from "./mailhog"; * @type {Cypress.PluginConfig} */ export default function (on: PluginEvents, config: PluginConfigOptions) { - docker(on, config); - synapseDocker(on, config); - dendriteDocker(on, config); - slidingSyncProxyDocker(on, config); - webserver(on, config); - oAuthServer(on, config); - log(on, config); + initPlugins( + on, + [ + cloudPlugin, + docker, + synapseDocker, + dendriteDocker, + slidingSyncProxyDocker, + webserver, + oAuthServer, + log, + mailhogDocker, + ], + config, + ); installLogsPrinter(on, { // printLogsToConsole: "always", }); - mailhogDocker(on, config); } diff --git a/cypress/support/e2e.ts b/cypress/support/e2e.ts index b98732f11f..856357c8bf 100644 --- a/cypress/support/e2e.ts +++ b/cypress/support/e2e.ts @@ -20,6 +20,7 @@ import "@percy/cypress"; import "cypress-real-events"; import "@testing-library/cypress/add-commands"; import installLogsCollector from "cypress-terminal-report/src/installLogsCollector"; +import "cypress-cloud/support"; import "./config.json"; import "./homeserver"; diff --git a/package.json b/package.json index 25a8424ce5..984d377a58 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "matrix-react-sdk", - "version": "3.80.1", + "version": "3.81.0", "description": "SDK for matrix.org using React", "author": "matrix.org", "repository": { @@ -23,7 +23,7 @@ "package.json", ".stylelintrc.js" ], - "main": "./src/index.ts", + "main": "./lib/index.ts", "matrix_src_main": "./src/index.ts", "matrix_lib_main": "./lib/index.ts", "matrix_lib_typings": "./lib/index.d.ts", @@ -102,7 +102,7 @@ "matrix-encrypt-attachment": "^1.0.3", "matrix-events-sdk": "0.0.1", "matrix-js-sdk": "github:matrix-org/matrix-js-sdk#develop", - "matrix-widget-api": "^1.6.0", + "matrix-widget-api": "^1.5.0", "memoize-one": "^6.0.0", "minimist": "^1.2.5", "oidc-client-ts": "^2.2.4", @@ -188,7 +188,9 @@ "chokidar": "^3.5.1", "cypress": "^13.0.0", "cypress-axe": "^1.0.0", + "cypress-cloud": "^2.0.0-beta.0", "cypress-multi-reporters": "^1.6.1", + "cypress-plugin-init": "^0.0.8", "cypress-real-events": "^1.7.1", "cypress-terminal-report": "^5.3.2", "eslint": "8.48.0", @@ -231,5 +233,6 @@ "outputDirectory": "coverage", "outputName": "jest-sonar-report.xml", "relativePaths": true - } + }, + "typings": "./lib/index.d.ts" } diff --git a/res/css/views/elements/_FacePile.pcss b/res/css/views/elements/_FacePile.pcss index 921965dd59..dd62290955 100644 --- a/res/css/views/elements/_FacePile.pcss +++ b/res/css/views/elements/_FacePile.pcss @@ -15,11 +15,13 @@ limitations under the License. */ .mx_FacePile_more { + /* Needed to calculate the offset on the face pile */ + --cpd-avatar-size: 28px; position: relative; border-radius: 100%; - width: 30px; - height: 30px; - background-color: $spacePanel-bg-color; + width: 28px; + height: 28px; + background-color: $panels; display: inline-block; &::before { diff --git a/src/async-components/views/dialogs/eventindex/ManageEventIndexDialog.tsx b/src/async-components/views/dialogs/eventindex/ManageEventIndexDialog.tsx index 7d28aa31bd..cc36bf478f 100644 --- a/src/async-components/views/dialogs/eventindex/ManageEventIndexDialog.tsx +++ b/src/async-components/views/dialogs/eventindex/ManageEventIndexDialog.tsx @@ -191,7 +191,7 @@ export default class ManageEventIndexDialog extends React.Component {eventIndexingSettings} - {this.state.copied ? _t("Copied!") : _t("action|copy")} + {this.state.copied ? _t("common|copied") : _t("action|copy")} @@ -873,7 +873,7 @@ export default class CreateSecretStorageDialog extends React.PureComponent if (this.unmounted) { return; } - const msg = e.friendlyText || _t("Unknown error"); + const msg = e.friendlyText || _t("error|unknown"); this.setState({ errStr: msg, phase: Phase.Edit, diff --git a/src/async-components/views/dialogs/security/ImportE2eKeysDialog.tsx b/src/async-components/views/dialogs/security/ImportE2eKeysDialog.tsx index ba7972a9dc..c88045169a 100644 --- a/src/async-components/views/dialogs/security/ImportE2eKeysDialog.tsx +++ b/src/async-components/views/dialogs/security/ImportE2eKeysDialog.tsx @@ -119,7 +119,7 @@ export default class ImportE2eKeysDialog extends React.Component if (this.unmounted) { return; } - const msg = e.friendlyText || _t("Unknown error"); + const msg = e.friendlyText || _t("error|unknown"); this.setState({ errStr: msg, phase: Phase.Edit, diff --git a/src/autocomplete/SpaceProvider.tsx b/src/autocomplete/SpaceProvider.tsx index d0470ad087..0b0e7bd901 100644 --- a/src/autocomplete/SpaceProvider.tsx +++ b/src/autocomplete/SpaceProvider.tsx @@ -30,7 +30,7 @@ export default class SpaceProvider extends RoomProvider { } public getName(): string { - return _t("Spaces"); + return _t("common|spaces"); } public renderCompletions(completions: React.ReactNode[]): React.ReactNode { diff --git a/src/components/structures/NotificationPanel.tsx b/src/components/structures/NotificationPanel.tsx index 7fabdf6090..0da27a19b1 100644 --- a/src/components/structures/NotificationPanel.tsx +++ b/src/components/structures/NotificationPanel.tsx @@ -95,7 +95,7 @@ export default class NotificationPanel extends React.PureComponent - {_t("Notifications")} + {_t("notifications|enable_prompt_toast_title")} } diff --git a/src/components/structures/SpaceHierarchy.tsx b/src/components/structures/SpaceHierarchy.tsx index 4f61a80b67..bf3831e92c 100644 --- a/src/components/structures/SpaceHierarchy.tsx +++ b/src/components/structures/SpaceHierarchy.tsx @@ -410,7 +410,7 @@ export const joinRoom = async (cli: MatrixClient, hierarchy: RoomHierarchy, room logger.warn("Got a non-MatrixError while joining room", err); SdkContextClass.instance.roomViewStore.showJoinRoomError( new MatrixError({ - error: _t("Unknown error"), + error: _t("error|unknown"), }), roomId, ); @@ -673,7 +673,7 @@ const ManageButtons: React.FC = ({ hierarchy, selected, set }; } - let buttonText = _t("Saving…"); + let buttonText = _t("common|saving"); if (!saving) { buttonText = selectionAllSuggested ? _t("space|unmark_suggested") : _t("space|mark_suggested"); } diff --git a/src/components/structures/SpaceRoomView.tsx b/src/components/structures/SpaceRoomView.tsx index 5edd410366..db3f692b3e 100644 --- a/src/components/structures/SpaceRoomView.tsx +++ b/src/components/structures/SpaceRoomView.tsx @@ -303,8 +303,8 @@ const SpaceSetupFirstRooms: React.FC<{ const [busy, setBusy] = useState(false); const [error, setError] = useState(""); const numFields = 3; - const placeholders = [_t("General"), _t("common|random"), _t("common|support")]; - const [roomNames, setRoomName] = useStateArray(numFields, [_t("General"), _t("common|random"), ""]); + const placeholders = [_t("common|general"), _t("common|random"), _t("common|support")]; + const [roomNames, setRoomName] = useStateArray(numFields, [_t("common|general"), _t("common|random"), ""]); const fields = new Array(numFields).fill(0).map((x, i) => { const name = "roomName" + i; return ( diff --git a/src/components/structures/UserMenu.tsx b/src/components/structures/UserMenu.tsx index 4ade2f4d3d..2d82a5c412 100644 --- a/src/components/structures/UserMenu.tsx +++ b/src/components/structures/UserMenu.tsx @@ -349,7 +349,7 @@ export default class UserMenu extends React.Component { {homeButton} this.onSettingsOpen(e, UserTab.Notifications)} /> { /> this.onSettingsOpen(e)} /> {feedbackButton} diff --git a/src/components/structures/auth/Registration.tsx b/src/components/structures/auth/Registration.tsx index 12be6eb756..f4e8ff1ca7 100644 --- a/src/components/structures/auth/Registration.tsx +++ b/src/components/structures/auth/Registration.tsx @@ -679,7 +679,7 @@ export default class Registration extends React.Component {
); } diff --git a/src/components/views/context_menus/MessageContextMenu.tsx b/src/components/views/context_menus/MessageContextMenu.tsx index f92f66ceff..e3bc9ecb8d 100644 --- a/src/components/views/context_menus/MessageContextMenu.tsx +++ b/src/components/views/context_menus/MessageContextMenu.tsx @@ -477,7 +477,7 @@ export default class MessageContextMenu extends React.Component const viewSourceButton = ( ); @@ -487,7 +487,7 @@ export default class MessageContextMenu extends React.Component unhidePreviewButton = ( ); @@ -546,7 +546,7 @@ export default class MessageContextMenu extends React.Component collapseReplyChainButton = ( ); @@ -577,7 +577,7 @@ export default class MessageContextMenu extends React.Component jumpToRelatedEventButton = ( this.onJumpToRelatedEventClick(relatedEventId)} /> ); @@ -588,7 +588,7 @@ export default class MessageContextMenu extends React.Component reportEventButton = ( ); diff --git a/src/components/views/context_menus/RoomContextMenu.tsx b/src/components/views/context_menus/RoomContextMenu.tsx index cf3704ffa0..f2ac9b5c18 100644 --- a/src/components/views/context_menus/RoomContextMenu.tsx +++ b/src/components/views/context_menus/RoomContextMenu.tsx @@ -83,7 +83,7 @@ const RoomContextMenu: React.FC = ({ room, onFinished, ...props }) => { leaveOption = ( @@ -154,7 +154,7 @@ const RoomContextMenu: React.FC = ({ room, onFinished, ...props }) => { PosthogTrackers.trackInteraction("WebRoomHeaderContextMenuFavouriteToggle", e); }} active={isFavorite} - label={isFavorite ? _t("Favourited") : _t("Favourite")} + label={isFavorite ? _t("room|context_menu|unfavourite") : _t("room|context_menu|favourite")} iconClassName="mx_RoomTile_iconStar" /> ); @@ -182,7 +182,7 @@ const RoomContextMenu: React.FC = ({ room, onFinished, ...props }) => { iconClassName = "mx_RoomTile_iconNotificationsAllMessages"; break; case RoomNotifState.MentionsOnly: - notificationLabel = _t("Mentions only"); + notificationLabel = _t("room|context_menu|mentions_only"); iconClassName = "mx_RoomTile_iconNotificationsMentionsKeywords"; break; case RoomNotifState.Mute: @@ -206,7 +206,7 @@ const RoomContextMenu: React.FC = ({ room, onFinished, ...props }) => { PosthogTrackers.trackInteraction("WebRoomHeaderContextMenuNotificationsItem", ev); }} - label={_t("Notifications")} + label={_t("notifications|enable_prompt_toast_title")} iconClassName={iconClassName} > {notificationLabel} @@ -247,7 +247,7 @@ const RoomContextMenu: React.FC = ({ room, onFinished, ...props }) => { }); onFinished(); }} - label={_t("Copy room link")} + label={_t("room|context_menu|copy_link")} iconClassName="mx_RoomTile_iconCopyLink" /> ); diff --git a/src/components/views/context_menus/RoomGeneralContextMenu.tsx b/src/components/views/context_menus/RoomGeneralContextMenu.tsx index eba32eca06..8e96c02870 100644 --- a/src/components/views/context_menus/RoomGeneralContextMenu.tsx +++ b/src/components/views/context_menus/RoomGeneralContextMenu.tsx @@ -111,7 +111,7 @@ export const RoomGeneralContextMenu: React.FC = ({ onTagRoom(ev, DefaultTagID.Favourite), onPostFavoriteClick, true)} active={isFavorite} - label={isFavorite ? _t("Favourited") : _t("Favourite")} + label={isFavorite ? _t("room|context_menu|unfavourite") : _t("room|context_menu|favourite")} iconClassName="mx_RoomGeneralContextMenu_iconStar" /> ); @@ -121,7 +121,7 @@ export const RoomGeneralContextMenu: React.FC = ({ onTagRoom(ev, DefaultTagID.LowPriority), onPostLowPriorityClick, true)} active={isLowPriority} - label={_t("Low Priority")} + label={_t("room|context_menu|low_priority")} iconClassName="mx_RoomGeneralContextMenu_iconArrowDown" /> ); @@ -156,7 +156,7 @@ export const RoomGeneralContextMenu: React.FC = ({ }), onPostCopyLinkClick, )} - label={_t("Copy room link")} + label={_t("room|context_menu|copy_link")} iconClassName="mx_RoomGeneralContextMenu_iconCopyLink" /> ); @@ -182,7 +182,7 @@ export const RoomGeneralContextMenu: React.FC = ({ leaveOption = ( @@ -221,7 +221,7 @@ export const RoomGeneralContextMenu: React.FC = ({ onFinished?.(); }} active={false} - label={_t("Mark as read")} + label={_t("room|context_menu|mark_read")} iconClassName="mx_RoomGeneralContextMenu_iconMarkAsRead" /> ) : null; diff --git a/src/components/views/context_menus/RoomNotificationContextMenu.tsx b/src/components/views/context_menus/RoomNotificationContextMenu.tsx index 001e1b3a4e..7ecf81d9db 100644 --- a/src/components/views/context_menus/RoomNotificationContextMenu.tsx +++ b/src/components/views/context_menus/RoomNotificationContextMenu.tsx @@ -52,7 +52,7 @@ export const RoomNotificationContextMenu: React.FC = ({ room, onFinished const defaultOption: JSX.Element = ( setNotificationState(RoomNotifState.AllMessages))} @@ -70,7 +70,7 @@ export const RoomNotificationContextMenu: React.FC = ({ room, onFinished const mentionsOption: JSX.Element = ( setNotificationState(RoomNotifState.MentionsOnly))} @@ -79,7 +79,7 @@ export const RoomNotificationContextMenu: React.FC = ({ room, onFinished const muteOption: JSX.Element = ( setNotificationState(RoomNotifState.Mute))} diff --git a/src/components/views/context_menus/WidgetContextMenu.tsx b/src/components/views/context_menus/WidgetContextMenu.tsx index 2525f3d2b2..6050c3b743 100644 --- a/src/components/views/context_menus/WidgetContextMenu.tsx +++ b/src/components/views/context_menus/WidgetContextMenu.tsx @@ -144,7 +144,10 @@ export const WidgetContextMenu: React.FC = ({ onFinished(); }; streamAudioStreamButton = ( - + ); } @@ -179,7 +182,9 @@ export const WidgetContextMenu: React.FC = ({ onFinished(); }; - snapshotButton = ; + snapshotButton = ( + + ); } let deleteButton: JSX.Element | undefined; @@ -190,11 +195,9 @@ export const WidgetContextMenu: React.FC = ({ } else if (roomId) { // Show delete confirmation dialog Modal.createDialog(QuestionDialog, { - title: _t("Delete Widget"), - description: _t( - "Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?", - ), - button: _t("Delete widget"), + title: _t("widget|context_menu|delete"), + description: _t("widget|context_menu|delete_warning"), + button: _t("widget|context_menu|delete"), onFinished: (confirmed) => { if (!confirmed) return; WidgetUtils.setRoomWidget(cli, roomId, app.id); @@ -208,7 +211,7 @@ export const WidgetContextMenu: React.FC = ({ deleteButton = ( ); } @@ -233,7 +236,9 @@ export const WidgetContextMenu: React.FC = ({ onFinished(); }; - revokeButton = ; + revokeButton = ( + + ); } } @@ -246,7 +251,7 @@ export const WidgetContextMenu: React.FC = ({ onFinished(); }; - moveLeftButton = ; + moveLeftButton = ; } let moveRightButton: JSX.Element | undefined; @@ -257,7 +262,7 @@ export const WidgetContextMenu: React.FC = ({ onFinished(); }; - moveRightButton = ; + moveRightButton = ; } return ( diff --git a/src/components/views/dialogs/AddExistingToSpaceDialog.tsx b/src/components/views/dialogs/AddExistingToSpaceDialog.tsx index 7d6c10839d..7a0fc902b1 100644 --- a/src/components/views/dialogs/AddExistingToSpaceDialog.tsx +++ b/src/components/views/dialogs/AddExistingToSpaceDialog.tsx @@ -388,7 +388,7 @@ const defaultRendererFactory = ); export const defaultRoomsRenderer = defaultRendererFactory(_td("Rooms")); -export const defaultSpacesRenderer = defaultRendererFactory(_td("Spaces")); +export const defaultSpacesRenderer = defaultRendererFactory(_td("common|spaces")); export const defaultDmsRenderer = defaultRendererFactory(_td("Direct Messages")); interface ISubspaceSelectorProps { @@ -494,7 +494,7 @@ const AddExistingToSpaceDialog: React.FC = ({ space, onCreateRoomClick, roomsRenderer={defaultRoomsRenderer} spacesRenderer={() => (
-

{_t("Spaces")}

+

{_t("common|spaces")}

{ diff --git a/src/components/views/dialogs/ChangelogDialog.tsx b/src/components/views/dialogs/ChangelogDialog.tsx index e907ecd589..2651e655a4 100644 --- a/src/components/views/dialogs/ChangelogDialog.tsx +++ b/src/components/views/dialogs/ChangelogDialog.tsx @@ -61,7 +61,7 @@ export default class ChangelogDialog extends React.Component { const body = await res.json(); this.setState({ [repo]: body.commits }); } catch (err) { - this.setState({ [repo]: err instanceof Error ? err.message : _t("Unknown error") }); + this.setState({ [repo]: err instanceof Error ? err.message : _t("error|unknown") }); } } diff --git a/src/components/views/dialogs/CreateRoomDialog.tsx b/src/components/views/dialogs/CreateRoomDialog.tsx index 85c69a5451..c2d08880f8 100644 --- a/src/components/views/dialogs/CreateRoomDialog.tsx +++ b/src/components/views/dialogs/CreateRoomDialog.tsx @@ -334,7 +334,7 @@ export default class CreateRoomDialog extends React.Component { visibilitySection = ( @@ -417,7 +417,9 @@ export default class CreateRoomDialog extends React.Component { { {aliasField}
- {this.state.detailsOpen ? _t("Hide advanced") : _t("Show advanced")} + {this.state.detailsOpen ? _t("action|hide_advanced") : _t("action|show_advanced")} { let setupButtonCaption; if (this.state.backupStatus === BackupStatus.SERVER_BACKUP_BUT_DISABLED) { - setupButtonCaption = _t("Connect this session to Key Backup"); + setupButtonCaption = _t("settings|security|key_backup_connect"); } else { // if there's an error fetching the backup info, we'll just assume there's // no backup for the purpose of the button caption @@ -203,7 +203,7 @@ export default class LogoutDialog extends React.Component {
- {_t("Advanced")} + {_t("common|advanced")}

diff --git a/src/components/views/dialogs/MessageEditHistoryDialog.tsx b/src/components/views/dialogs/MessageEditHistoryDialog.tsx index 6d06c7eabc..d561284272 100644 --- a/src/components/views/dialogs/MessageEditHistoryDialog.tsx +++ b/src/components/views/dialogs/MessageEditHistoryDialog.tsx @@ -161,7 +161,7 @@ export default class MessageEditHistoryDialog extends React.PureComponent{_t("Something went wrong!")}

; + content =

{_t("error|something_went_wrong")}

; } else { content = (

diff --git a/src/components/views/dialogs/RoomSettingsDialog.tsx b/src/components/views/dialogs/RoomSettingsDialog.tsx index fedf47b598..0e372e0e54 100644 --- a/src/components/views/dialogs/RoomSettingsDialog.tsx +++ b/src/components/views/dialogs/RoomSettingsDialog.tsx @@ -134,7 +134,7 @@ class RoomSettingsDialog extends React.Component { tabs.push( new Tab( RoomSettingsTab.General, - _td("General"), + _td("common|general"), "mx_RoomSettingsDialog_settingsIcon", , "RoomSettingsGeneral", @@ -181,7 +181,7 @@ class RoomSettingsDialog extends React.Component { tabs.push( new Tab( RoomSettingsTab.Notifications, - _td("Notifications"), + _td("notifications|enable_prompt_toast_title"), "mx_RoomSettingsDialog_notificationsIcon", ( { tabs.push( new Tab( RoomSettingsTab.Advanced, - _td("Advanced"), + _td("common|advanced"), "mx_RoomSettingsDialog_warningIcon", ( = ({ matrixClient: cli, space, onFin return [ new Tab( SpaceSettingsTab.General, - _td("General"), + _td("common|general"), "mx_SpaceSettingsDialog_generalIcon", , ), new Tab( SpaceSettingsTab.Visibility, - _td("Visibility"), + _td("room_settings|visibility|title"), "mx_SpaceSettingsDialog_visibilityIcon", , ), @@ -74,7 +74,7 @@ const SpaceSettingsDialog: React.FC = ({ matrixClient: cli, space, onFin SettingsStore.getValue(UIFeature.AdvancedSettings) ? new Tab( SpaceSettingsTab.Advanced, - _td("Advanced"), + _td("common|advanced"), "mx_RoomSettingsDialog_warningIcon", , ) diff --git a/src/components/views/dialogs/UserSettingsDialog.tsx b/src/components/views/dialogs/UserSettingsDialog.tsx index 1a403f55ef..3422790af9 100644 --- a/src/components/views/dialogs/UserSettingsDialog.tsx +++ b/src/components/views/dialogs/UserSettingsDialog.tsx @@ -77,7 +77,7 @@ export default class UserSettingsDialog extends React.Component tabs.push( new Tab( UserTab.General, - _td("General"), + _td("common|general"), "mx_UserSettingsDialog_settingsIcon", , "UserSettingsGeneral", @@ -95,7 +95,7 @@ export default class UserSettingsDialog extends React.Component tabs.push( new Tab( UserTab.Notifications, - _td("Notifications"), + _td("notifications|enable_prompt_toast_title"), "mx_UserSettingsDialog_bellIcon", , "UserSettingsNotifications", @@ -122,7 +122,7 @@ export default class UserSettingsDialog extends React.Component tabs.push( new Tab( UserTab.Sidebar, - _td("Sidebar"), + _td("settings|sidebar|title"), "mx_UserSettingsDialog_sidebarIcon", , "UserSettingsSidebar", @@ -153,7 +153,7 @@ export default class UserSettingsDialog extends React.Component tabs.push( new Tab( UserTab.SessionManager, - _td("Sessions"), + _td("settings|sessions|title"), "mx_UserSettingsDialog_sessionsIcon", , // don't track with posthog while under construction diff --git a/src/components/views/dialogs/security/SetupEncryptionDialog.tsx b/src/components/views/dialogs/security/SetupEncryptionDialog.tsx index a69a178e66..7564ef0989 100644 --- a/src/components/views/dialogs/security/SetupEncryptionDialog.tsx +++ b/src/components/views/dialogs/security/SetupEncryptionDialog.tsx @@ -63,7 +63,7 @@ export default class SetupEncryptionDialog extends React.Component diff --git a/src/components/views/dialogs/spotlight/RoomResultContextMenus.tsx b/src/components/views/dialogs/spotlight/RoomResultContextMenus.tsx index 505f7dd11d..e4c2df0e54 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 options") : _t("Room options")} + title={room.isSpaceRoom() ? _t("space|context_menu|options") : _t("Room options")} isExpanded={generalMenuPosition !== null} /> )} diff --git a/src/components/views/dialogs/spotlight/SpotlightDialog.tsx b/src/components/views/dialogs/spotlight/SpotlightDialog.tsx index a6f06ef2a2..a98b64b094 100644 --- a/src/components/views/dialogs/spotlight/SpotlightDialog.tsx +++ b/src/components/views/dialogs/spotlight/SpotlightDialog.tsx @@ -934,7 +934,7 @@ const SpotlightDialog: React.FC = ({ initialText = "", initialFilter = n copyPlaintext(ownInviteLink); }} onHideTooltip={() => setInviteLinkCopied(false)} - title={inviteLinkCopied ? _t("Copied!") : _t("action|copy")} + title={inviteLinkCopied ? _t("common|copied") : _t("action|copy")} > {_t("Copy invite link")} diff --git a/src/components/views/elements/AppPermission.tsx b/src/components/views/elements/AppPermission.tsx index 9150dc128b..f7362b9c4d 100644 --- a/src/components/views/elements/AppPermission.tsx +++ b/src/components/views/elements/AppPermission.tsx @@ -101,17 +101,17 @@ export default class AppPermission extends React.Component { const warningTooltipText = (

- {_t("Any of the following data may be shared:")} + {_t("analytics|shared_data_heading")}
    -
  • {_t("Your display name")}
  • -
  • {_t("Your profile picture URL")}
  • -
  • {_t("Your user ID")}
  • -
  • {_t("Your device ID")}
  • -
  • {_t("Your theme")}
  • -
  • {_t("Your language")}
  • -
  • {_t("%(brand)s URL", { brand })}
  • -
  • {_t("Room ID")}
  • -
  • {_t("Widget ID")}
  • +
  • {_t("widget|shared_data_name")}
  • +
  • {_t("widget|shared_data_avatar")}
  • +
  • {_t("widget|shared_data_mxid")}
  • +
  • {_t("widget|shared_data_device_id")}
  • +
  • {_t("widget|shared_data_theme")}
  • +
  • {_t("widget|shared_data_lang")}
  • +
  • {_t("widget|shared_data_url", { brand })}
  • +
  • {_t("widget|shared_data_room_id")}
  • +
  • {_t("widget|shared_data_widget_id")}
); @@ -128,22 +128,22 @@ export default class AppPermission extends React.Component { // Due to i18n limitations, we can't dedupe the code for variables in these two messages. const warning = this.state.isWrapped ? _t( - "Using this widget may share data with %(widgetDomain)s & your integration manager.", + "widget|shared_data_warning_im", { widgetDomain: this.state.widgetDomain }, { helpIcon: () => warningTooltip }, ) : _t( - "Using this widget may share data with %(widgetDomain)s.", + "widget|shared_data_warning", { widgetDomain: this.state.widgetDomain }, { helpIcon: () => warningTooltip }, ); - const encryptionWarning = this.props.isRoomEncrypted ? _t("Widgets do not use message encryption.") : null; + const encryptionWarning = this.props.isRoomEncrypted ? _t("widget|unencrypted_warning") : null; return (
-
{_t("Widget added by")}
+
{_t("widget|added_by")}
{avatar} {displayName} @@ -151,7 +151,7 @@ export default class AppPermission extends React.Component {
{warning}
- {_t("This widget may use cookies.")} {encryptionWarning} + {_t("widget|cookie_warning")} {encryptionWarning}
diff --git a/src/components/views/elements/AppTile.tsx b/src/components/views/elements/AppTile.tsx index 48c6334379..13fa3daac7 100644 --- a/src/components/views/elements/AppTile.tsx +++ b/src/components/views/elements/AppTile.tsx @@ -629,7 +629,7 @@ export default class AppTile extends React.Component { if (this.sgWidget === null) { appTileBody = (
- +
); } else if (!this.state.hasPermissionToLoad && this.props.room) { @@ -656,7 +656,7 @@ export default class AppTile extends React.Component { if (this.isMixedContent()) { appTileBody = (
- +
); } else { @@ -737,7 +737,7 @@ export default class AppTile extends React.Component { {isMaximised ? ( @@ -776,7 +776,7 @@ export default class AppTile extends React.Component { {this.props.showPopout && !this.state.requiresClient && ( diff --git a/src/components/views/elements/CopyableText.tsx b/src/components/views/elements/CopyableText.tsx index 31b0b3fb31..7e92b39564 100644 --- a/src/components/views/elements/CopyableText.tsx +++ b/src/components/views/elements/CopyableText.tsx @@ -37,7 +37,7 @@ const CopyableText: React.FC = ({ children, getTextToCopy, border = true e.preventDefault(); const text = getTextToCopy(); const successful = !!text && (await copyPlaintext(text)); - setTooltip(successful ? _t("Copied!") : _t("Failed to copy")); + setTooltip(successful ? _t("common|copied") : _t("error|failed_copy")); }; const onHideTooltip = (): void => { diff --git a/src/components/views/elements/DesktopCapturerSourcePicker.tsx b/src/components/views/elements/DesktopCapturerSourcePicker.tsx index 83ece95034..e4d52a8104 100644 --- a/src/components/views/elements/DesktopCapturerSourcePicker.tsx +++ b/src/components/views/elements/DesktopCapturerSourcePicker.tsx @@ -154,15 +154,15 @@ export default class DesktopCapturerSourcePicker extends React.Component> = [ - this.getTab("screen", _td("Share entire screen")), - this.getTab("window", _td("Application window")), + this.getTab("screen", _td("voip|screenshare_monitor")), + this.getTab("window", _td("voip|screenshare_window")), ]; return ( { return (
-

{_t("Something went wrong!")}

+

{_t("error|something_went_wrong")}

{bugReportSection} {clearCacheButton}
diff --git a/src/components/views/elements/FacePile.tsx b/src/components/views/elements/FacePile.tsx index 2ade713816..d7570fdfa7 100644 --- a/src/components/views/elements/FacePile.tsx +++ b/src/components/views/elements/FacePile.tsx @@ -57,9 +57,8 @@ const FacePile: FC = ({ const pileContents = ( <> - {/* XXX: The margin-left is a workaround for Compound's styling excluding this element and being overly specific */} - {overflow ? : null} {faces} + {overflow ? : null} ); diff --git a/src/components/views/elements/ImageView.tsx b/src/components/views/elements/ImageView.tsx index 3127094e44..da05239746 100644 --- a/src/components/views/elements/ImageView.tsx +++ b/src/components/views/elements/ImageView.tsx @@ -542,7 +542,7 @@ export default class ImageView extends React.Component { lockProps={{ "onKeyDown": this.onKeyDown, "role": "dialog", - "aria-label": _t("Image view"), + "aria-label": _t("lightbox|title"), }} className="mx_ImageView" ref={this.focusLock} @@ -555,12 +555,12 @@ export default class ImageView extends React.Component { {zoomInButton} { id={this.props.id ? this.props.id + "_field" : undefined} value={this.state.newTag} onChange={this.onInputChange} - label={this.props.label || _t("Keyword")} - placeholder={this.props.placeholder || _t("New keyword")} + label={this.props.label || _t("notifications|keyword")} + placeholder={this.props.placeholder || _t("notifications|keyword_new")} disabled={this.props.disabled} autoComplete="off" /> diff --git a/src/components/views/location/EnableLiveShare.tsx b/src/components/views/location/EnableLiveShare.tsx index 9c42b58d35..87582277bf 100644 --- a/src/components/views/location/EnableLiveShare.tsx +++ b/src/components/views/location/EnableLiveShare.tsx @@ -32,18 +32,14 @@ export const EnableLiveShare: React.FC = ({ onSubmit }) => {
- {_t("Live location sharing")} + {_t("location_sharing|live_enable_heading")} -

- {_t( - "Please note: this is a labs feature using a temporary implementation. This means you will not be able to delete your location history, and advanced users will be able to see your location history even after you stop sharing your live location with this room.", - )} -

+

{_t("location_sharing|live_enable_description")}

{ - return _t("Share for %(duration)s", { duration: formatDuration(durationMs) }); + return _t("location_sharing|live_share_button", { duration: formatDuration(durationMs) }); }; const LiveDurationDropdown: React.FC = ({ timeout, onChange }) => { diff --git a/src/components/views/location/LocationPicker.tsx b/src/components/views/location/LocationPicker.tsx index b171502a64..a2fb102bb4 100644 --- a/src/components/views/location/LocationPicker.tsx +++ b/src/components/views/location/LocationPicker.tsx @@ -224,7 +224,11 @@ class LocationPicker extends React.Component { {this.props.shareType === LocationShareType.Pin && (
- {this.state.position ? _t("Click to move the pin") : _t("Click to drop a pin")} + + {this.state.position + ? _t("location_sharing|click_move_pin") + : _t("location_sharing|click_drop_pin")} +
)}
@@ -241,7 +245,7 @@ class LocationPicker extends React.Component { disabled={!this.state.position} onClick={this.onOk} > - {_t("Share location")} + {_t("location_sharing|share_button")}
diff --git a/src/components/views/messages/LegacyCallEvent.tsx b/src/components/views/messages/LegacyCallEvent.tsx index 2ee27ae3c4..ecd06262af 100644 --- a/src/components/views/messages/LegacyCallEvent.tsx +++ b/src/components/views/messages/LegacyCallEvent.tsx @@ -250,7 +250,7 @@ export default class LegacyCallEvent extends React.PureComponent if (this.state.callState === CallState.Connecting) { return (
- {_t("Connecting")} + {_t("voip|connecting")} {this.props.timestamp}
); diff --git a/src/components/views/messages/TextualBody.tsx b/src/components/views/messages/TextualBody.tsx index 7a36f8c58d..a3578c2149 100644 --- a/src/components/views/messages/TextualBody.tsx +++ b/src/components/views/messages/TextualBody.tsx @@ -196,7 +196,7 @@ export default class TextualBody extends React.Component { const { close } = ContextMenu.createMenu(GenericTextContextMenu, { ...toRightOf(buttonRect, 0), chevronFace: ChevronFace.None, - message: successful ? _t("Copied!") : _t("Failed to copy"), + message: successful ? _t("common|copied") : _t("error|failed_copy"), }); button.onmouseleave = close; }; diff --git a/src/components/views/right_panel/LegacyRoomHeaderButtons.tsx b/src/components/views/right_panel/LegacyRoomHeaderButtons.tsx index fddb9fd106..7c67ee7bd3 100644 --- a/src/components/views/right_panel/LegacyRoomHeaderButtons.tsx +++ b/src/components/views/right_panel/LegacyRoomHeaderButtons.tsx @@ -288,7 +288,7 @@ export default class LegacyRoomHeaderButtons extends HeaderButtons { switch (this.state.shieldReason) { case null: case EventShieldReason.UNKNOWN: - shieldReasonMessage = _t("Unknown error"); + shieldReasonMessage = _t("error|unknown"); break; case EventShieldReason.UNVERIFIED_IDENTITY: diff --git a/src/components/views/rooms/LegacyRoomHeader.tsx b/src/components/views/rooms/LegacyRoomHeader.tsx index 36b7fc3cd1..2972f99991 100644 --- a/src/components/views/rooms/LegacyRoomHeader.tsx +++ b/src/components/views/rooms/LegacyRoomHeader.tsx @@ -290,26 +290,24 @@ const CallButtons: FC = ({ room }) => { } else if (groupCallsEnabled) { if (useElementCallExclusively) { if (hasGroupCall) { - return makeVideoCallButton(new DisabledWithReason(_t("Ongoing call"))); + return makeVideoCallButton(new DisabledWithReason(_t("voip|disabled_ongoing_call"))); } else if (mayCreateElementCalls) { return makeVideoCallButton("element"); } else { - return makeVideoCallButton( - new DisabledWithReason(_t("You do not have permission to start video calls")), - ); + return makeVideoCallButton(new DisabledWithReason(_t("voip|disabled_no_perms_start_video_call"))); } } else if (hasLegacyCall || hasJitsiWidget || hasGroupCall) { return ( <> - {makeVoiceCallButton(new DisabledWithReason(_t("Ongoing call")))} - {makeVideoCallButton(new DisabledWithReason(_t("Ongoing call")))} + {makeVoiceCallButton(new DisabledWithReason(_t("voip|disabled_ongoing_call")))} + {makeVideoCallButton(new DisabledWithReason(_t("voip|disabled_ongoing_call")))} ); } else if (functionalMembers.length <= 1) { return ( <> - {makeVoiceCallButton(new DisabledWithReason(_t("There's no one here to call")))} - {makeVideoCallButton(new DisabledWithReason(_t("There's no one here to call")))} + {makeVoiceCallButton(new DisabledWithReason(_t("voip|disabled_no_one_here")))} + {makeVideoCallButton(new DisabledWithReason(_t("voip|disabled_no_one_here")))} ); } else if (functionalMembers.length === 2) { @@ -329,10 +327,10 @@ const CallButtons: FC = ({ room }) => { } else { const videoCallBehavior = mayCreateElementCalls ? "element" - : new DisabledWithReason(_t("You do not have permission to start video calls")); + : new DisabledWithReason(_t("voip|disabled_no_perms_start_video_call")); return ( <> - {makeVoiceCallButton(new DisabledWithReason(_t("You do not have permission to start voice calls")))} + {makeVoiceCallButton(new DisabledWithReason(_t("voip|disabled_no_perms_start_voice_call")))} {makeVideoCallButton(videoCallBehavior)} ); @@ -340,15 +338,15 @@ const CallButtons: FC = ({ room }) => { } else if (hasLegacyCall || hasJitsiWidget) { return ( <> - {makeVoiceCallButton(new DisabledWithReason(_t("Ongoing call")))} - {makeVideoCallButton(new DisabledWithReason(_t("Ongoing call")))} + {makeVoiceCallButton(new DisabledWithReason(_t("voip|disabled_ongoing_call")))} + {makeVideoCallButton(new DisabledWithReason(_t("voip|disabled_ongoing_call")))} ); } else if (functionalMembers.length <= 1) { return ( <> - {makeVoiceCallButton(new DisabledWithReason(_t("There's no one here to call")))} - {makeVideoCallButton(new DisabledWithReason(_t("There's no one here to call")))} + {makeVoiceCallButton(new DisabledWithReason(_t("voip|disabled_no_one_here")))} + {makeVideoCallButton(new DisabledWithReason(_t("voip|disabled_no_one_here")))} ); } else if (functionalMembers.length === 2 || mayEditWidgets) { @@ -361,8 +359,8 @@ const CallButtons: FC = ({ room }) => { } else { return ( <> - {makeVoiceCallButton(new DisabledWithReason(_t("You do not have permission to start voice calls")))} - {makeVideoCallButton(new DisabledWithReason(_t("You do not have permission to start video calls")))} + {makeVoiceCallButton(new DisabledWithReason(_t("voip|disabled_no_perms_start_voice_call")))} + {makeVideoCallButton(new DisabledWithReason(_t("voip|disabled_no_perms_start_video_call")))} ); } @@ -764,7 +762,7 @@ export default class RoomHeader extends React.Component { const buttons = this.props.showButtons ? this.renderButtons(isVideoRoom) : null; - let oobName = _t("Join Room"); + let oobName = _t("Unnamed room"); if (this.props.oobData && this.props.oobData.name) { oobName = this.props.oobData.name; } diff --git a/src/components/views/rooms/MessageComposerButtons.tsx b/src/components/views/rooms/MessageComposerButtons.tsx index e1e7a9df7d..ed7bf92549 100644 --- a/src/components/views/rooms/MessageComposerButtons.tsx +++ b/src/components/views/rooms/MessageComposerButtons.tsx @@ -131,7 +131,7 @@ const MessageComposerButtons: React.FC = (props: IProps) => { )} {props.isMenuOpen && ( diff --git a/src/components/views/rooms/RoomHeader.tsx b/src/components/views/rooms/RoomHeader.tsx index a51b2a88db..2b16c1a0f8 100644 --- a/src/components/views/rooms/RoomHeader.tsx +++ b/src/components/views/rooms/RoomHeader.tsx @@ -203,14 +203,14 @@ export default function RoomHeader({ room }: { room: Room }): JSX.Element { {notificationsEnabled && ( - + { evt.stopPropagation(); RightPanelStore.instance.showOrHidePanel(RightPanelPhases.NotificationPanel); }} - aria-label={_t("Notifications")} + aria-label={_t("notifications|enable_prompt_toast_title")} > diff --git a/src/components/views/rooms/RoomSublist.tsx b/src/components/views/rooms/RoomSublist.tsx index 7798f847bc..d9bb7ac8d1 100644 --- a/src/components/views/rooms/RoomSublist.tsx +++ b/src/components/views/rooms/RoomSublist.tsx @@ -650,9 +650,9 @@ export default class RoomSublist extends React.Component { {({ onFocus, isActive, ref }) => { const tabIndex = isActive ? 0 : -1; - let ariaLabel = _t("Jump to first unread room."); + let ariaLabel = _t("a11y_jump_first_unread_room"); if (this.props.tagId === DefaultTagID.Invite) { - ariaLabel = _t("Jump to first invite."); + ariaLabel = _t("a11y|jump_first_invite"); } const badge = ( diff --git a/src/components/views/rooms/TopUnreadMessagesBar.tsx b/src/components/views/rooms/TopUnreadMessagesBar.tsx index ffead7d53a..af02d9d7c5 100644 --- a/src/components/views/rooms/TopUnreadMessagesBar.tsx +++ b/src/components/views/rooms/TopUnreadMessagesBar.tsx @@ -35,7 +35,7 @@ export default class TopUnreadMessagesBar extends React.PureComponent { />
diff --git a/src/components/views/settings/AddPrivilegedUsers.tsx b/src/components/views/settings/AddPrivilegedUsers.tsx index 8c71a8bd03..d8d2659371 100644 --- a/src/components/views/settings/AddPrivilegedUsers.tsx +++ b/src/components/views/settings/AddPrivilegedUsers.tsx @@ -55,7 +55,7 @@ export const AddPrivilegedUsers: React.FC = ({ room, de if (powerLevelEvent === null) { Modal.createDialog(ErrorDialog, { title: _t("common|error"), - description: _t("Failed to change power level"), + description: _t("error|update_power_level"), }); return; @@ -68,7 +68,7 @@ export const AddPrivilegedUsers: React.FC = ({ room, de } catch (error) { Modal.createDialog(ErrorDialog, { title: _t("common|error"), - description: _t("Failed to change power level"), + description: _t("error|update_power_level"), }); } finally { setIsLoading(false); @@ -78,13 +78,13 @@ export const AddPrivilegedUsers: React.FC = ({ room, de return (
diff --git a/src/components/views/settings/CrossSigningPanel.tsx b/src/components/views/settings/CrossSigningPanel.tsx index af887bd7d8..93b133301c 100644 --- a/src/components/views/settings/CrossSigningPanel.tsx +++ b/src/components/views/settings/CrossSigningPanel.tsx @@ -184,33 +184,31 @@ export default class CrossSigningPanel extends React.PureComponent<{}, IState> { } else if (!homeserverSupportsCrossSigning) { summarisedStatus = ( - {_t("Your homeserver does not support cross-signing.")} + {_t("encryption|cross_signing_unsupported")} ); } else if (crossSigningReady && crossSigningPrivateKeysInStorage) { summarisedStatus = ( - ✅ {_t("Cross-signing is ready for use.")} + ✅ {_t("encryption|cross_signing_ready")} ); } else if (crossSigningReady && !crossSigningPrivateKeysInStorage) { summarisedStatus = ( - ⚠️ {_t("Cross-signing is ready but keys are not backed up.")} + ⚠️ {_t("encryption|cross_signing_ready_no_backup")} ); } else if (crossSigningPrivateKeysInStorage) { summarisedStatus = ( - {_t( - "Your account has a cross-signing identity in secret storage, but it is not yet trusted by this session.", - )} + {_t("encryption|cross_signing_untrusted")} ); } else { summarisedStatus = ( - {_t("Cross-signing is not set up.")} + {_t("encryption|cross_signing_not_ready")} ); } @@ -232,9 +230,9 @@ export default class CrossSigningPanel extends React.PureComponent<{}, IState> { // TODO: determine how better to expose this to users in addition to prompts at login/toast if (!keysExistEverywhere && homeserverSupportsCrossSigning) { - let buttonCaption = _t("Set up Secure Backup"); + let buttonCaption = _t("encryption|set_up_toast_title"); if (crossSigningPrivateKeysInStorage) { - buttonCaption = _t("Verify this session"); + buttonCaption = _t("encryption|verify_toast_title"); } actions.push( @@ -260,7 +258,7 @@ export default class CrossSigningPanel extends React.PureComponent<{}, IState> { <> {summarisedStatus}
- {_t("Advanced")} + {_t("common|advanced")} diff --git a/src/components/views/settings/CryptographyPanel.tsx b/src/components/views/settings/CryptographyPanel.tsx index 5bbb1e43ac..0cb04859a7 100644 --- a/src/components/views/settings/CryptographyPanel.tsx +++ b/src/components/views/settings/CryptographyPanel.tsx @@ -42,7 +42,7 @@ export default class CryptographyPanel extends React.Component { const deviceId = client.deviceId; let identityKey = client.getDeviceEd25519Key(); if (!identityKey) { - identityKey = _t(""); + identityKey = _t("encryption|not_supported"); } else { identityKey = FormattingUtils.formatCryptoKey(identityKey); } diff --git a/src/components/views/settings/E2eAdvancedPanel.tsx b/src/components/views/settings/E2eAdvancedPanel.tsx index 45c0e368d1..bba45d75bc 100644 --- a/src/components/views/settings/E2eAdvancedPanel.tsx +++ b/src/components/views/settings/E2eAdvancedPanel.tsx @@ -29,9 +29,7 @@ const E2eAdvancedPanel: React.FC = () => { - {_t( - "Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.", - )} + {_t("settings|security|encryption_individual_verification_mode")} ); diff --git a/src/components/views/settings/EventIndexPanel.tsx b/src/components/views/settings/EventIndexPanel.tsx index 41db1b6d16..e26fc79e66 100644 --- a/src/components/views/settings/EventIndexPanel.tsx +++ b/src/components/views/settings/EventIndexPanel.tsx @@ -148,16 +148,13 @@ export default class EventIndexPanel extends React.Component<{}, IState> { eventIndexingSettings = ( <> - {_t( - "Securely cache encrypted messages locally for them to appear in search results, using %(size)s to store messages from %(rooms)s rooms.", - { - size: formatBytes(this.state.eventIndexSize, 0), - // This drives the singular / plural string - // selection for "room" / "rooms" only. - count: this.state.roomCount, - rooms: formatCountLong(this.state.roomCount), - }, - )} + {_t("settings|security|message_search_enabled", { + size: formatBytes(this.state.eventIndexSize, 0), + // This drives the singular / plural string + // selection for "room" / "rooms" only. + count: this.state.roomCount, + rooms: formatCountLong(this.state.roomCount), + })} {_t("action|manage")} @@ -167,9 +164,7 @@ export default class EventIndexPanel extends React.Component<{}, IState> { } else if (!this.state.eventIndexingEnabled && EventIndexPeg.supportIsInstalled()) { eventIndexingSettings = ( <> - - {_t("Securely cache encrypted messages locally for them to appear in search results.")} - + {_t("settings|security|message_search_disabled")}
{_t("action|enable")} @@ -187,7 +182,7 @@ export default class EventIndexPanel extends React.Component<{}, IState> { eventIndexingSettings = ( {_t( - "%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with search components added.", + "settings|security|message_search_unsupported", { brand, }, @@ -205,7 +200,7 @@ export default class EventIndexPanel extends React.Component<{}, IState> { eventIndexingSettings = ( {_t( - "%(brand)s can't securely cache encrypted messages locally while running in a web browser. Use %(brand)s Desktop for encrypted messages to appear in search results.", + "settings|security|message_search_unsupported_web", { brand, }, @@ -227,16 +222,16 @@ export default class EventIndexPanel extends React.Component<{}, IState> { eventIndexingSettings = ( <> - {this.state.enabling ? : _t("Message search initialisation failed")} + {this.state.enabling ? : _t("settings|security|message_search_failed")} {EventIndexPeg.error && (
- {_t("Advanced")} + {_t("common|advanced")} {EventIndexPeg.error instanceof Error ? EventIndexPeg.error.message - : _t("Unknown error")} + : _t("error|unknown")}

diff --git a/src/components/views/settings/IntegrationManager.tsx b/src/components/views/settings/IntegrationManager.tsx index 486b6d31c9..e1169f55a8 100644 --- a/src/components/views/settings/IntegrationManager.tsx +++ b/src/components/views/settings/IntegrationManager.tsx @@ -89,7 +89,7 @@ export default class IntegrationManager extends React.Component if (this.props.loading) { return (

- {_t("Connecting to integration manager…")} + {_t("integration_manager|connecting")}
); @@ -98,8 +98,8 @@ export default class IntegrationManager extends React.Component if (!this.props.connected || this.state.errored) { return (
- {_t("Cannot connect to integration manager")} -

{_t("The integration manager is offline or it cannot reach your homeserver.")}

+ {_t("integration_manager|error_connecting_heading")} +

{_t("integration_manager|error_connecting")}

); } diff --git a/src/components/views/settings/JoinRuleSettings.tsx b/src/components/views/settings/JoinRuleSettings.tsx index 89ae552ba2..9f4bceb02a 100644 --- a/src/components/views/settings/JoinRuleSettings.tsx +++ b/src/components/views/settings/JoinRuleSettings.tsx @@ -131,15 +131,15 @@ const JoinRuleSettings: React.FC = ({ const roomId = await upgradeRoom(room, targetVersion, opts.invite, true, true, true, (progress) => { const total = 2 + progress.updateSpacesTotal + progress.inviteUsersTotal; if (!progress.roomUpgraded) { - fn(_t("Upgrading room"), 0, total); + fn(_t("room_settings|security|join_rule_upgrade_upgrading_room"), 0, total); } else if (!progress.roomSynced) { - fn(_t("Loading new room"), 1, total); + fn(_t("room_settings|security|join_rule_upgrade_awaiting_room"), 1, total); } else if ( progress.inviteUsersProgress !== undefined && progress.inviteUsersProgress < progress.inviteUsersTotal ) { fn( - _t("Sending invites... (%(progress)s out of %(count)s)", { + _t("room_settings|security|join_rule_upgrade_sending_invites", { progress: progress.inviteUsersProgress, count: progress.inviteUsersTotal, }), @@ -151,7 +151,7 @@ const JoinRuleSettings: React.FC = ({ progress.updateSpacesProgress < progress.updateSpacesTotal ) { fn( - _t("Updating spaces... (%(progress)s out of %(count)s)", { + _t("room_settings|security|join_rule_upgrade_updating_spaces", { progress: progress.updateSpacesProgress, count: progress.updateSpacesTotal, }), @@ -179,7 +179,11 @@ const JoinRuleSettings: React.FC = ({ }); }; - const upgradeRequiredPill = {_t("Upgrade required")}; + const upgradeRequiredPill = ( + + {_t("room_settings|security|join_rule_upgrade_required")} + + ); const definitions: IDefinition[] = [ { @@ -213,11 +217,11 @@ const JoinRuleSettings: React.FC = ({ let moreText; if (shownSpaces.length < restrictedAllowRoomIds.length) { if (shownSpaces.length > 0) { - moreText = _t("& %(count)s more", { + moreText = _t("room_settings|security|join_rule_restricted_n_more", { count: restrictedAllowRoomIds.length - shownSpaces.length, }); } else { - moreText = _t("Currently, %(count)s spaces have access", { + moreText = _t("room_settings|security|join_rule_restricted_summary", { count: restrictedAllowRoomIds.length, }); } @@ -256,7 +260,7 @@ const JoinRuleSettings: React.FC = ({
{_t( - "Anyone in a space can find and join. Edit which spaces can access here.", + "room_settings|security|join_rule_restricted_description", {}, { a: (sub) => ( @@ -273,7 +277,7 @@ const JoinRuleSettings: React.FC = ({
-

{_t("Spaces with access")}

+

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

{shownSpaces.map((room) => { return ( @@ -288,21 +292,21 @@ const JoinRuleSettings: React.FC = ({ ); } else if (SpaceStore.instance.activeSpaceRoom) { description = _t( - "Anyone in can find and join. You can select other spaces too.", + "room_settings|security|join_rule_restricted_description_active_space", {}, { spaceName: () => {SpaceStore.instance.activeSpaceRoom!.name}, }, ); } else { - description = _t("Anyone in a space can find and join. You can select multiple spaces."); + description = _t("room_settings|security|join_rule_restricted_description_prompt"); } definitions.splice(1, 0, { value: JoinRule.Restricted, label: ( <> - {_t("Space members")} + {_t("room_settings|security|join_rule_restricted")} {preferredRestrictionVersion && upgradeRequiredPill} ), @@ -317,20 +321,20 @@ const JoinRuleSettings: React.FC = ({ value: JoinRule.Knock, label: ( <> - {_t("Ask to join")} + {_t("room_settings|security|join_rule_knock")} {preferredKnockVersion && upgradeRequiredPill} ), description: ( <> - {_t("People cannot join unless access is granted.")} + {_t("room_settings|security|join_rule_knock_description")} = ({ (roomId) => !cli.getRoom(roomId)?.currentState.maySendStateEvent(EventType.SpaceChild, userId), ); if (unableToUpdateSomeParents) { - warning = ( - - {_t( - "This room is in some spaces you're not an admin of. In those spaces, the old room will still be shown, but people will be prompted to join the new one.", - )} - - ); + warning = {_t("room_settings|security|join_rule_restricted_upgrade_warning")}; } upgradeRequiredDialog( targetVersion, <> - {_t( - "This upgrade will allow members of selected spaces access to this room without an invite.", - )} + {_t("room_settings|security|join_rule_restricted_upgrade_description")} {warning} , ); diff --git a/src/components/views/settings/Notifications.tsx b/src/components/views/settings/Notifications.tsx index 956f9501ce..a800e1db86 100644 --- a/src/components/views/settings/Notifications.tsx +++ b/src/components/views/settings/Notifications.tsx @@ -749,7 +749,7 @@ export default class Notifications extends React.PureComponent { className="mx_UserNotifSettings_clearNotifsButton" data-testid="clear-notifications" > - {_t("Mark all as read")} + {_t("notifications|mark_all_read")} ); } @@ -759,7 +759,7 @@ export default class Notifications extends React.PureComponent { if (clearNotifsButton) { return (
-
{_t("Other")}
+
{_t("notifications|class_other")}
{clearNotifsButton}
); @@ -776,8 +776,8 @@ export default class Notifications extends React.PureComponent { onAdd={this.onKeywordAdd} onRemove={this.onKeywordRemove} disabled={this.state.phase === Phase.Persisting} - label={_t("Keyword")} - placeholder={_t("New keyword")} + label={_t("notifications|keyword")} + placeholder={_t("notifications|keyword_new")} /> ); } @@ -811,11 +811,7 @@ export default class Notifications extends React.PureComponent { {makeRadio(r, VectorState.Loud)} {this.state.ruleIdsWithError[r.ruleId] && (
-
+ )} @@ -824,13 +820,13 @@ export default class Notifications extends React.PureComponent { let sectionName: string; switch (category) { case RuleClass.VectorGlobal: - sectionName = _t("Global"); + sectionName = _t("notifications|class_global"); break; case RuleClass.VectorMentions: - sectionName = _t("Mentions & keywords"); + sectionName = _t("notifications|mentions_keywords"); break; case RuleClass.VectorOther: - sectionName = _t("Other"); + sectionName = _t("notifications|class_other"); break; default: throw new Error("Developer error: Unnamed notifications section: " + category); @@ -865,7 +861,7 @@ export default class Notifications extends React.PureComponent { return (
-
{_t("Notification targets")}
+
{_t("settings|notifications|push_targets")}
{_t("settings|security|cross_signing_public_keys")}
- {_t( - "An error occurred when updating your notification preferences. Please try to toggle your option again.", - )} - {_t("settings|notifications|error_updating")}
{rows}
@@ -878,7 +874,7 @@ export default class Notifications extends React.PureComponent { // Ends up default centered return ; } else if (this.state.phase === Phase.Error) { - return

{_t("There was an error loading your notification settings.")}

; + return

{_t("settings|notifications|error_loading")}

; } return ( diff --git a/src/components/views/settings/ProfileSettings.tsx b/src/components/views/settings/ProfileSettings.tsx index fe0900663c..9202465924 100644 --- a/src/components/views/settings/ProfileSettings.tsx +++ b/src/components/views/settings/ProfileSettings.tsx @@ -123,8 +123,8 @@ export default class ProfileSettings extends React.Component<{}, IState> { } catch (err) { logger.log("Failed to save profile", err); Modal.createDialog(ErrorDialog, { - title: _t("Failed to save your profile"), - description: err instanceof Error ? err.message : _t("The operation could not be completed"), + title: _t("settings|general|error_saving_profile_title"), + description: err instanceof Error ? err.message : _t("settings|general|error_saving_profile"), }); } @@ -184,9 +184,9 @@ export default class ProfileSettings extends React.Component<{}, IState> { />
- + { diff --git a/src/components/views/settings/SecureBackupPanel.tsx b/src/components/views/settings/SecureBackupPanel.tsx index a0416d01a5..884d7c74db 100644 --- a/src/components/views/settings/SecureBackupPanel.tsx +++ b/src/components/views/settings/SecureBackupPanel.tsx @@ -195,11 +195,9 @@ export default class SecureBackupPanel extends React.PureComponent<{}, IState> { private deleteBackup = (): void => { Modal.createDialog(QuestionDialog, { - title: _t("Delete Backup"), - description: _t( - "Are you sure? You will lose your encrypted messages if your keys are not backed up properly.", - ), - button: _t("Delete Backup"), + title: _t("settings|security|delete_backup"), + description: _t("settings|security|delete_backup_confirm_description"), + button: _t("settings|security|delete_backup"), danger: true, onFinished: (proceed) => { if (!proceed) return; @@ -253,36 +251,30 @@ export default class SecureBackupPanel extends React.PureComponent<{}, IState> { if (error) { statusDescription = ( - {_t("Unable to load key backup status")} + {_t("settings|security|error_loading_key_backup_status")} ); } else if (loading) { statusDescription = ; } else if (backupInfo) { - let restoreButtonCaption = _t("Restore from Backup"); + let restoreButtonCaption = _t("settings|security|restore_key_backup"); if (this.state.activeBackupVersion !== null) { statusDescription = ( - ✅ {_t("This session is backing up your keys.")} + ✅ {_t("settings|security|key_backup_active")} ); } else { statusDescription = ( <> - {_t( - "This session is not backing up your keys, but you do have an existing backup you can restore from and add to going forward.", - {}, - { b: (sub) => {sub} }, - )} + {_t("settings|security|key_backup_inactive", {}, { b: (sub) => {sub} })} - {_t( - "Connect this session to key backup before signing out to avoid losing any keys that may only be on this session.", - )} + {_t("settings|security|key_backup_connect_prompt")} ); - restoreButtonCaption = _t("Connect this session to Key Backup"); + restoreButtonCaption = _t("settings|security|key_backup_connect"); } let uploadStatus: ReactNode; @@ -292,32 +284,33 @@ export default class SecureBackupPanel extends React.PureComponent<{}, IState> { } else if (sessionsRemaining > 0) { uploadStatus = (
- {_t("Backing up %(sessionsRemaining)s keys…", { sessionsRemaining })}
+ {_t("settings|security|key_backup_in_progress", { sessionsRemaining })}
); } else { uploadStatus = (
- {_t("All keys backed up")}
+ {_t("settings|security|key_backup_complete")}
); } let trustedLocally: string | undefined; if (backupTrustInfo?.matchesDecryptionKey) { - trustedLocally = _t("This backup can be restored on this session"); + trustedLocally = _t("settings|security|key_backup_can_be_restored"); } extraDetailsTableRows = ( <> - {_t("Latest backup version on server:")} + {_t("settings|security|key_backup_latest_version")} - {backupInfo.version} ({_t("Algorithm:")} {backupInfo.algorithm}) + {backupInfo.version} ({_t("settings|security|key_backup_algorithm")}{" "} + {backupInfo.algorithm}) - {_t("Active backup version:")} + {_t("settings|security|key_backup_active_version")} {this.state.activeBackupVersion === null ? _t("None") : this.state.activeBackupVersion} @@ -339,7 +332,7 @@ export default class SecureBackupPanel extends React.PureComponent<{}, IState> { if (!isSecureBackupRequired(MatrixClientPeg.safeGet())) { actions.push( - {_t("Delete Backup")} + {_t("settings|security|delete_backup")} , ); } @@ -347,11 +340,7 @@ export default class SecureBackupPanel extends React.PureComponent<{}, IState> { statusDescription = ( <> - {_t( - "Your keys are not being backed up from this session.", - {}, - { b: (sub) => {sub} }, - )} + {_t("settings|security|key_backup_inactive_warning", {}, { b: (sub) => {sub} })} {_t("Back up your keys before signing out to avoid losing them.")} @@ -377,9 +366,9 @@ export default class SecureBackupPanel extends React.PureComponent<{}, IState> { if (backupKeyCached) { backupKeyWellFormedText = ", "; if (backupKeyWellFormed) { - backupKeyWellFormedText += _t("well formed"); + backupKeyWellFormedText += _t("settings|security|backup_key_well_formed"); } else { - backupKeyWellFormedText += _t("unexpected type"); + backupKeyWellFormedText += _t("settings|security|backup_key_unexpected_type"); } } @@ -390,25 +379,21 @@ export default class SecureBackupPanel extends React.PureComponent<{}, IState> { return ( <> - - {_t( - "Back up your encryption keys with your account data in case you lose access to your sessions. Your keys will be secured with a unique Security Key.", - )} - + {_t("settings|security|backup_keys_description")} {statusDescription}
- {_t("Advanced")} + {_t("common|advanced")} - + - + - + - - + + {extraDetailsTableRows}
{_t("Backup key stored:")}{_t("settings|security|backup_key_stored_status")} {backupKeyStored === true ? _t("settings|security|cross_signing_in_4s") - : _t("not stored")} + : _t("settings|security|cross_signing_not_stored")}
{_t("Backup key cached:")}{_t("settings|security|backup_key_cached_status")} {backupKeyCached ? _t("settings|security|cross_signing_cached") @@ -417,16 +402,20 @@ export default class SecureBackupPanel extends React.PureComponent<{}, IState> {
{_t("Secret storage public key:")}{_t("settings|security|4s_public_key_status")} {secretStorageKeyInAccount - ? _t("in account data") + ? _t("settings|security|4s_public_key_in_account_data") : _t("settings|security|cross_signing_not_found")}
{_t("Secret storage:")}{secretStorageReady ? _t("ready") : _t("not ready")}{_t("settings|security|secret_storage_status")} + {secretStorageReady + ? _t("settings|security|secret_storage_ready") + : _t("settings|security|secret_storage_not_ready")} +
diff --git a/src/components/views/settings/devices/FilteredDeviceListHeader.tsx b/src/components/views/settings/devices/FilteredDeviceListHeader.tsx index 5b9f1c8a52..0c9fa922b4 100644 --- a/src/components/views/settings/devices/FilteredDeviceListHeader.tsx +++ b/src/components/views/settings/devices/FilteredDeviceListHeader.tsx @@ -55,7 +55,7 @@ const FilteredDeviceListHeader: React.FC = ({ {selectedDeviceCount > 0 ? _t("settings|sessions|n_sessions_selected", { count: selectedDeviceCount }) - : _t("Sessions")} + : _t("settings|sessions|title")} {children}
diff --git a/src/components/views/settings/notifications/NotificationPusherSettings.tsx b/src/components/views/settings/notifications/NotificationPusherSettings.tsx index fc7a81615c..f16938a4f4 100644 --- a/src/components/views/settings/notifications/NotificationPusherSettings.tsx +++ b/src/components/views/settings/notifications/NotificationPusherSettings.tsx @@ -118,7 +118,7 @@ export function NotificationPusherSettings(): JSX.Element { {notificationTargets.length > 0 && ( - +
    {pushers .filter((it) => it.kind !== "email") diff --git a/src/components/views/settings/notifications/NotificationSettings2.tsx b/src/components/views/settings/notifications/NotificationSettings2.tsx index a134f47474..978fa2c8e3 100644 --- a/src/components/views/settings/notifications/NotificationSettings2.tsx +++ b/src/components/views/settings/notifications/NotificationSettings2.tsx @@ -119,7 +119,7 @@ export default function NotificationSettings2(): JSX.Element { )} )} - +
    it !== keyword), }); }} - label={_t("Keyword")} - placeholder={_t("New keyword")} + label={_t("notifications|keyword")} + placeholder={_t("notifications|keyword_new")} /> diff --git a/src/components/views/settings/tabs/room/AdvancedRoomSettingsTab.tsx b/src/components/views/settings/tabs/room/AdvancedRoomSettingsTab.tsx index bab818c714..a1c7827231 100644 --- a/src/components/views/settings/tabs/room/AdvancedRoomSettingsTab.tsx +++ b/src/components/views/settings/tabs/room/AdvancedRoomSettingsTab.tsx @@ -155,7 +155,7 @@ export default class AdvancedRoomSettingsTab extends React.Component - +
    {_t("room_settings|advanced|room_id")} diff --git a/src/components/views/settings/tabs/room/GeneralRoomSettingsTab.tsx b/src/components/views/settings/tabs/room/GeneralRoomSettingsTab.tsx index 8dc361bea7..8db0dd1cc3 100644 --- a/src/components/views/settings/tabs/room/GeneralRoomSettingsTab.tsx +++ b/src/components/views/settings/tabs/room/GeneralRoomSettingsTab.tsx @@ -85,7 +85,7 @@ export default class GeneralRoomSettingsTab extends React.Component - + diff --git a/src/components/views/settings/tabs/room/NotificationSettingsTab.tsx b/src/components/views/settings/tabs/room/NotificationSettingsTab.tsx index 6c9c39e55c..fbe2466991 100644 --- a/src/components/views/settings/tabs/room/NotificationSettingsTab.tsx +++ b/src/components/views/settings/tabs/room/NotificationSettingsTab.tsx @@ -171,7 +171,7 @@ export default class NotificationsSettingsTab extends React.Component - +
    - {this.state.showAdvancedSection ? _t("Hide advanced") : _t("Show advanced")} + {this.state.showAdvancedSection ? _t("action|hide_advanced") : _t("action|show_advanced")} {this.state.showAdvancedSection && this.renderAdvanced()}
    @@ -285,7 +285,7 @@ export default class SecurityRoomSettingsTab extends React.Component +

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

    diff --git a/src/components/views/settings/tabs/user/AppearanceUserSettingsTab.tsx b/src/components/views/settings/tabs/user/AppearanceUserSettingsTab.tsx index 9058c07570..343c0d26ec 100644 --- a/src/components/views/settings/tabs/user/AppearanceUserSettingsTab.tsx +++ b/src/components/views/settings/tabs/user/AppearanceUserSettingsTab.tsx @@ -99,7 +99,7 @@ export default class AppearanceUserSettingsTab extends React.Component this.setState({ showAdvanced: !this.state.showAdvanced })} aria-expanded={this.state.showAdvanced} > - {this.state.showAdvanced ? _t("Hide advanced") : _t("Show advanced")} + {this.state.showAdvanced ? _t("action|hide_advanced") : _t("action|show_advanced")} ); diff --git a/src/components/views/settings/tabs/user/GeneralUserSettingsTab.tsx b/src/components/views/settings/tabs/user/GeneralUserSettingsTab.tsx index bae32b1325..7a20b12fac 100644 --- a/src/components/views/settings/tabs/user/GeneralUserSettingsTab.tsx +++ b/src/components/views/settings/tabs/user/GeneralUserSettingsTab.tsx @@ -561,7 +561,7 @@ export default class GeneralUserSettingsTab extends React.Component - + {this.renderAccountSection()} {this.renderLanguageSection()} diff --git a/src/components/views/settings/tabs/user/HelpUserSettingsTab.tsx b/src/components/views/settings/tabs/user/HelpUserSettingsTab.tsx index 52d3e2e6cd..475f6ee00d 100644 --- a/src/components/views/settings/tabs/user/HelpUserSettingsTab.tsx +++ b/src/components/views/settings/tabs/user/HelpUserSettingsTab.tsx @@ -322,7 +322,7 @@ export default class HelpUserSettingsTab extends React.Component
    {this.renderLegal()} {this.renderCredits()} - + {_t( "setting|help_about|homeserver", diff --git a/src/components/views/settings/tabs/user/NotificationUserSettingsTab.tsx b/src/components/views/settings/tabs/user/NotificationUserSettingsTab.tsx index 50afdf91c9..0a00c32ca1 100644 --- a/src/components/views/settings/tabs/user/NotificationUserSettingsTab.tsx +++ b/src/components/views/settings/tabs/user/NotificationUserSettingsTab.tsx @@ -33,7 +33,7 @@ export default class NotificationUserSettingsTab extends React.Component { {newNotificationSettingsEnabled ? ( ) : ( - + )} diff --git a/src/components/views/settings/tabs/user/PreferencesUserSettingsTab.tsx b/src/components/views/settings/tabs/user/PreferencesUserSettingsTab.tsx index e915952040..6758519eaf 100644 --- a/src/components/views/settings/tabs/user/PreferencesUserSettingsTab.tsx +++ b/src/components/views/settings/tabs/user/PreferencesUserSettingsTab.tsx @@ -152,7 +152,7 @@ export default class PreferencesUserSettingsTab extends React.Component )} - + {this.renderGroup(PreferencesUserSettingsTab.SPACES_SETTINGS, SettingLevel.ACCOUNT)} @@ -204,7 +204,7 @@ export default class PreferencesUserSettingsTab extends React.Component - + {this.renderGroup(PreferencesUserSettingsTab.GENERAL_SETTINGS)} diff --git a/src/components/views/settings/tabs/user/SecurityUserSettingsTab.tsx b/src/components/views/settings/tabs/user/SecurityUserSettingsTab.tsx index c8d18864e1..d5a3a24f4b 100644 --- a/src/components/views/settings/tabs/user/SecurityUserSettingsTab.tsx +++ b/src/components/views/settings/tabs/user/SecurityUserSettingsTab.tsx @@ -252,21 +252,21 @@ export default class SecurityUserSettingsTab extends React.Component +
    - {_t("Accept all %(invitedRooms)s invites", { invitedRooms: invitedRoomIds.size })} + {_t("settings|security|bulk_options_accept_all_invites", { invitedRooms: invitedRoomIds.size })} - {_t("Reject all %(invitedRooms)s invites", { invitedRooms: invitedRoomIds.size })} + {_t("settings|security|bulk_options_reject_all_invites", { invitedRooms: invitedRoomIds.size })} {this.state.managingInvites ? :
    }
    @@ -282,7 +282,7 @@ export default class SecurityUserSettingsTab extends React.Component + ); @@ -331,7 +331,7 @@ export default class SecurityUserSettingsTab extends React.Component )} - + @@ -346,7 +346,7 @@ export default class SecurityUserSettingsTab extends React.Component + {ignoreUsersPanel} {invitesPanel} {e2ePanel} diff --git a/src/components/views/settings/tabs/user/SessionManagerTab.tsx b/src/components/views/settings/tabs/user/SessionManagerTab.tsx index dfa415a4bc..5db27f143a 100644 --- a/src/components/views/settings/tabs/user/SessionManagerTab.tsx +++ b/src/components/views/settings/tabs/user/SessionManagerTab.tsx @@ -48,7 +48,7 @@ const confirmSignOut = async (sessionsToSignOutCount: number): Promise description: (

    - {_t("Are you sure you want to sign out of %(count)s sessions?", { + {_t("settings|sessions|sign_out_confirm_description", { count: sessionsToSignOutCount, })}

    @@ -275,7 +275,7 @@ const SessionManagerTab: React.FC = () => { return ( - + { return ( - + { {_t("common|home")} - {_t("Home is useful for getting an overview of everything.")} + {_t("settings|sidebar|metaspaces_home_description")} @@ -93,9 +93,11 @@ const SidebarUserSettingsTab: React.FC = () => { className="mx_SidebarUserSettingsTab_checkbox mx_SidebarUserSettingsTab_homeAllRoomsCheckbox" data-testid="mx_SidebarUserSettingsTab_homeAllRoomsCheckbox" > - {_t("Show all rooms")} - {_t("Show all your rooms in Home, even if they're in a space.")} + {_t("settings|sidebar|metaspaces_home_all_rooms")} + + + {_t("settings|sidebar|metaspaces_home_all_rooms_description")} @@ -109,7 +111,7 @@ const SidebarUserSettingsTab: React.FC = () => { {_t("common|favourites")} - {_t("Group all your favourite rooms and people in one place.")} + {_t("settings|sidebar|metaspaces_favourites_description")} @@ -122,7 +124,9 @@ const SidebarUserSettingsTab: React.FC = () => { {_t("common|people")} - {_t("Group all your people in one place.")} + + {_t("settings|sidebar|metaspaces_people_description")} + { > - {_t("Rooms outside of a space")} + {_t("settings|sidebar|metaspaces_orphans")} - {_t("Group all your rooms that aren't part of a space in one place.")} + {_t("settings|sidebar|metaspaces_orphans_description")} diff --git a/src/components/views/settings/tabs/user/VoiceUserSettingsTab.tsx b/src/components/views/settings/tabs/user/VoiceUserSettingsTab.tsx index fb3fd542be..ed8d697bae 100644 --- a/src/components/views/settings/tabs/user/VoiceUserSettingsTab.tsx +++ b/src/components/views/settings/tabs/user/VoiceUserSettingsTab.tsx @@ -200,7 +200,7 @@ export default class VoiceUserSettingsTab extends React.Component<{}, IState> { - + -

    {_t("Quick settings")}

    +

    {_t("quick_settings|title")}

    { @@ -67,7 +67,7 @@ const QuickSettingsButton: React.FC<{ }} kind="primary_outline" > - {_t("All settings")} + {_t("quick_settings|all_settings")} {currentRoomId && developerModeEnabled && ( @@ -90,7 +90,7 @@ const QuickSettingsButton: React.FC<{

    - {_t("Pin to sidebar")} + {_t("quick_settings|metaspace_section")}

    - {_t("More options")} + {_t("quick_settings|sidebar_settings")} @@ -133,7 +133,7 @@ const QuickSettingsButton: React.FC<{ = ({ requestClose }) => { const themeOptions = [ { id: MATCH_SYSTEM_THEME_ID, - name: _t("Match system"), + name: _t("theme|match_system"), }, ...orderedThemes, ]; @@ -85,7 +85,7 @@ const QuickThemeSwitcher: React.FC = ({ requestClose }) => { id="mx_QuickSettingsButton_themePickerDropdown" onOptionChange={onOptionChange} value={selectedTheme} - label={_t("Space selection")} + label={_t("common|theme")} > { themeOptions.map((theme) =>
    {theme.name}
    ) as NonEmptyArray< diff --git a/src/components/views/spaces/SpaceBasicSettings.tsx b/src/components/views/spaces/SpaceBasicSettings.tsx index c0b34d1358..c046fadee8 100644 --- a/src/components/views/spaces/SpaceBasicSettings.tsx +++ b/src/components/views/spaces/SpaceBasicSettings.tsx @@ -67,7 +67,7 @@ export const SpaceAvatar: React.FC {_t("action|delete")} @@ -84,7 +84,7 @@ export const SpaceAvatar: React.FC avatarUploadRef.current?.click()} kind="link" - aria-label={_t("Upload avatar")} + aria-label={_t("room_settings|upload_avatar_label")} > {_t("action|upload")} diff --git a/src/components/views/spaces/SpaceChildrenPicker.tsx b/src/components/views/spaces/SpaceChildrenPicker.tsx index 4634855986..fd72e7e891 100644 --- a/src/components/views/spaces/SpaceChildrenPicker.tsx +++ b/src/components/views/spaces/SpaceChildrenPicker.tsx @@ -145,7 +145,7 @@ const SpaceChildrenPicker: React.FC = ({ {state === Target.Specific && ( { diff --git a/src/components/views/spaces/SpaceCreateMenu.tsx b/src/components/views/spaces/SpaceCreateMenu.tsx index 4f318e61da..2ded20912d 100644 --- a/src/components/views/spaces/SpaceCreateMenu.tsx +++ b/src/components/views/spaces/SpaceCreateMenu.tsx @@ -193,8 +193,8 @@ export const SpaceCreateForm: React.FC = ({ onChange={setAlias} domain={domain} value={alias} - placeholder={name ? nameToLocalpart(name) : _t("create_space|name_placeholder")} - label={_t("Address")} + placeholder={name ? nameToLocalpart(name) : _t("create_space|address_placeholder")} + label={_t("create_space|address_label")} disabled={busy} onKeyDown={onKeyDown} /> @@ -284,7 +284,7 @@ const SpaceCreateMenu: React.FC<{ if (visibility === null) { body = ( -

    {_t("Create a space")}

    +

    {_t("create_space|label")}

    {_t("create_space|explainer")}

    - {_t("create_space|add_details_prompt")} {_t("You can change these anytime.")} + {_t("create_space|add_details_prompt")} {_t("create_space|add_details_prompt_2")}

    - {busy ? _t("Creating…") : _t("action|create")} + {busy ? _t("create_space|creating") : _t("action|create")}
    ); diff --git a/src/components/views/spaces/SpacePanel.tsx b/src/components/views/spaces/SpacePanel.tsx index 163dd06012..a773766bdf 100644 --- a/src/components/views/spaces/SpacePanel.tsx +++ b/src/components/views/spaces/SpacePanel.tsx @@ -101,7 +101,7 @@ export const HomeButtonContextMenu: React.FC { onFinished(); @@ -245,7 +245,7 @@ const CreateSpaceButton: React.FC( } element="ul" role="tree" - aria-label={_t("Spaces")} + aria-label={_t("common|spaces")} > {metaSpacesSection} {invites.map((s) => ( diff --git a/src/components/views/spaces/SpacePublicShare.tsx b/src/components/views/spaces/SpacePublicShare.tsx index a7066dac5c..fbdbd17e44 100644 --- a/src/components/views/spaces/SpacePublicShare.tsx +++ b/src/components/views/spaces/SpacePublicShare.tsx @@ -33,7 +33,7 @@ interface IProps { } const SpacePublicShare: React.FC = ({ space, onFinished }) => { - const [copiedText, setCopiedText] = useState(_t("Click to copy")); + const [copiedText, setCopiedText] = useState(_t("action|click_to_copy")); return (
    @@ -43,16 +43,16 @@ const SpacePublicShare: React.FC = ({ space, onFinished }) => { const permalinkCreator = new RoomPermalinkCreator(space); permalinkCreator.load(); const success = await copyPlaintext(permalinkCreator.forShareableRoom()); - const text = success ? _t("Copied!") : _t("Failed to copy"); + const text = success ? _t("common|copied") : _t("error|failed_copy"); setCopiedText(text); await sleep(5000); if (copiedText === text) { // if the text hasn't changed by another click then clear it after some time - setCopiedText(_t("Click to copy")); + setCopiedText(_t("action|click_to_copy")); } }} > - {_t("Share invite link")} + {_t("space|invite_link")}
    {copiedText}
    {space.canInvite(MatrixClientPeg.safeGet().getSafeUserId()) && @@ -64,8 +64,8 @@ const SpacePublicShare: React.FC = ({ space, onFinished }) => { showRoomInviteDialog(space.roomId); }} > - {_t("Invite people")} -
    {_t("Invite with email or username")}
    + {_t("space|invite")} +
    {_t("space|invite_description")}
    ) : null}
    diff --git a/src/components/views/spaces/SpaceSettingsGeneralTab.tsx b/src/components/views/spaces/SpaceSettingsGeneralTab.tsx index 36c7e6024a..03f08557ca 100644 --- a/src/components/views/spaces/SpaceSettingsGeneralTab.tsx +++ b/src/components/views/spaces/SpaceSettingsGeneralTab.tsx @@ -90,15 +90,15 @@ const SpaceSettingsGeneralTab: React.FC = ({ matrixClient: cli, space }) const failures = results.filter((r) => r.status === "rejected"); if (failures.length > 0) { logger.error("Failed to save space settings: ", failures); - setError(_t("Failed to save space settings.")); + setError(_t("room_settings|general|error_save_space_settings")); } }; return ( - +
    -
    {_t("Edit settings relating to your space.")}
    +
    {_t("room_settings|general|description_space")}
    {error &&
    {error}
    } @@ -122,18 +122,18 @@ const SpaceSettingsGeneralTab: React.FC = ({ matrixClient: cli, space }) {_t("action|cancel")} - {busy ? _t("Saving…") : _t("Save Changes")} + {busy ? _t("common|saving") : _t("room_settings|general|save")}
    - + { leaveSpace(space); }} > - {_t("Leave Space")} + {_t("room_settings|general|leave_space")}
    diff --git a/src/components/views/spaces/SpaceSettingsVisibilityTab.tsx b/src/components/views/spaces/SpaceSettingsVisibilityTab.tsx index a2047ca950..4e853eb0b8 100644 --- a/src/components/views/spaces/SpaceSettingsVisibilityTab.tsx +++ b/src/components/views/spaces/SpaceSettingsVisibilityTab.tsx @@ -64,7 +64,7 @@ const SpaceSettingsVisibilityTab: React.FC = ({ matrixClient: cli, space }, "", ), - () => setError(_t("Failed to update the guest access of this space")), + () => setError(_t("room_settings|visibility|error_update_guest_access")), ); const [historyVisibility, setHistoryVisibility] = useLocalEcho( () => @@ -79,7 +79,7 @@ const SpaceSettingsVisibilityTab: React.FC = ({ matrixClient: cli, space }, "", ), - () => setError(_t("Failed to update the history visibility of this space")), + () => setError(_t("room_settings|visibility|error_update_history_visibility")), ); const [showAdvancedSection, toggleAdvancedSection] = useStateToggle(); @@ -100,7 +100,7 @@ const SpaceSettingsVisibilityTab: React.FC = ({ matrixClient: cli, space className="mx_SettingsTab_showAdvanced" aria-expanded={showAdvancedSection} > - {showAdvancedSection ? _t("Hide advanced") : _t("Show advanced")} + {showAdvancedSection ? _t("action|hide_advanced") : _t("action|show_advanced")} {showAdvancedSection && ( @@ -109,12 +109,12 @@ const SpaceSettingsVisibilityTab: React.FC = ({ matrixClient: cli, space value={guestAccessEnabled} onChange={setGuestAccessEnabled} disabled={!canSetGuestAccess} - label={_t("Enable guest access")} + label={_t("room_settings|visibility|guest_access_label")} />

    - {_t("Guests can join a space without having an account.")} + {_t("room_settings|visibility|guest_access_explainer")}
    - {_t("This may be useful for public spaces.")} + {_t("room_settings|visibility|guest_access_explainer_public_space")}

    )} @@ -139,7 +139,7 @@ const SpaceSettingsVisibilityTab: React.FC = ({ matrixClient: cli, space return ( - + {error && (
    {error} @@ -148,12 +148,12 @@ const SpaceSettingsVisibilityTab: React.FC = ({ matrixClient: cli, space setError(_t("Failed to update the visibility of this space"))} + onError={(): void => setError(_t("room_settings|visibility|error_failed_save"))} closeSettingsFn={closeSettingsFn} /> {advancedSection} @@ -166,12 +166,12 @@ const SpaceSettingsVisibilityTab: React.FC = ({ matrixClient: cli, space ); }} disabled={!canSetHistoryVisibility} - label={_t("Preview Space")} + label={_t("room_settings|visibility|history_visibility_anyone_space")} />

    - {_t("Allow people to preview your space before they join.")} + {_t("room_settings|visibility|history_visibility_anyone_space_description")}
    - {_t("Recommended for public spaces.")} + {_t("room_settings|visibility|history_visibility_anyone_space_recommendation")}

    diff --git a/src/components/views/spaces/SpaceTreeLevel.tsx b/src/components/views/spaces/SpaceTreeLevel.tsx index ed847288b9..cdc8b98c1a 100644 --- a/src/components/views/spaces/SpaceTreeLevel.tsx +++ b/src/components/views/spaces/SpaceTreeLevel.tsx @@ -95,9 +95,9 @@ export const SpaceButton: React.FC = ({ let notifBadge; if (spaceKey && notificationState) { - let ariaLabel = _t("Jump to first unread room."); + let ariaLabel = _t("a11y_jump_first_unread_room"); if (space?.getMyMembership() === "invite") { - ariaLabel = _t("Jump to first invite."); + ariaLabel = _t("a11y|jump_first_invite"); } const jumpToNotification = (ev: MouseEvent): void => { @@ -371,7 +371,7 @@ export class SpaceItem extends React.PureComponent { className={isInvite ? "mx_SpaceButton_invite" : undefined} selected={selected} label={this.state.name} - contextMenuTooltip={_t("Space options")} + contextMenuTooltip={_t("space|context_menu|options")} notificationState={notificationState} isNarrow={isPanelCollapsed} size={isNested ? "24px" : "32px"} diff --git a/src/components/views/terms/InlineTermsAgreement.tsx b/src/components/views/terms/InlineTermsAgreement.tsx index 6460ba4448..6424dbe4c6 100644 --- a/src/components/views/terms/InlineTermsAgreement.tsx +++ b/src/components/views/terms/InlineTermsAgreement.tsx @@ -87,7 +87,7 @@ export default class InlineTermsAgreement extends React.Component to continue:", + "terms|inline_intro_text", {}, { policyLink: () => { diff --git a/src/components/views/toasts/NonUrgentEchoFailureToast.tsx b/src/components/views/toasts/NonUrgentEchoFailureToast.tsx index dacddc8715..2e4d7bd7b9 100644 --- a/src/components/views/toasts/NonUrgentEchoFailureToast.tsx +++ b/src/components/views/toasts/NonUrgentEchoFailureToast.tsx @@ -31,7 +31,7 @@ export default class NonUrgentEchoFailureToast extends React.PureComponent {
    {_t( - "Your server isn't responding to some requests.", + "error|non_urgent_echo_failure_toast", {}, { a: (sub) => ( diff --git a/src/components/views/toasts/VerificationRequestToast.tsx b/src/components/views/toasts/VerificationRequestToast.tsx index 8c53c4465b..0ad86af4b8 100644 --- a/src/components/views/toasts/VerificationRequestToast.tsx +++ b/src/components/views/toasts/VerificationRequestToast.tsx @@ -158,7 +158,7 @@ export default class VerificationRequestToast extends React.PureComponent = ({ room, joinCallButtonDisabledTooltip, con disabled={connecting || joinCallButtonDisabledTooltip !== undefined} onClick={onConnectClick} label={_t("action|join")} - tooltip={connecting ? _t("Connecting") : joinCallButtonDisabledTooltip} + tooltip={connecting ? _t("voip|connecting") : joinCallButtonDisabledTooltip} alignment={Alignment.Bottom} />
    @@ -397,7 +397,7 @@ const JoinCallView: FC = ({ room, resizing, call }) => { facePile = (
    - {_t("%(count)s people joined", { count: members.length })} + {_t("voip|n_people_joined", { count: members.length })}
    ); diff --git a/src/components/views/voip/LegacyCallView.tsx b/src/components/views/voip/LegacyCallView.tsx index 60f59912c2..06beb329ef 100644 --- a/src/components/views/voip/LegacyCallView.tsx +++ b/src/components/views/voip/LegacyCallView.tsx @@ -440,10 +440,10 @@ export default class LegacyCallView extends React.Component { const cli = MatrixClientPeg.safeGet(); const callRoomId = LegacyCallHandler.instance.roomIdForCall(call); const transferTargetRoom = callRoomId ? cli.getRoom(callRoomId) : null; - const transferTargetName = transferTargetRoom ? transferTargetRoom.name : _t("unknown person"); + const transferTargetName = transferTargetRoom ? transferTargetRoom.name : _t("voip|unknown_person"); const transfereeCallRoomId = LegacyCallHandler.instance.roomIdForCall(transfereeCall); const transfereeRoom = transfereeCallRoomId ? cli.getRoom(transfereeCallRoomId) : null; - const transfereeName = transfereeRoom ? transfereeRoom.name : _t("unknown person"); + const transfereeName = transfereeRoom ? transfereeRoom.name : _t("voip|unknown_person"); holdTransferContent = (
    @@ -508,7 +508,7 @@ export default class LegacyCallView extends React.Component {
    -
    {_t("Connecting")}
    +
    {_t("voip|connecting")}
    {secondaryFeedElement}
    ); diff --git a/src/components/views/voip/LegacyCallView/LegacyCallViewButtons.tsx b/src/components/views/voip/LegacyCallView/LegacyCallViewButtons.tsx index 63a940c949..1150324de9 100644 --- a/src/components/views/voip/LegacyCallView/LegacyCallViewButtons.tsx +++ b/src/components/views/voip/LegacyCallView/LegacyCallViewButtons.tsx @@ -304,8 +304,8 @@ export default class LegacyCallViewButtons extends React.Component )} @@ -315,7 +315,7 @@ export default class LegacyCallViewButtons extends React.Component )} diff --git a/src/customisations/Media.ts b/src/customisations/Media.ts index 8116ed13ee..2177c013b7 100644 --- a/src/customisations/Media.ts +++ b/src/customisations/Media.ts @@ -143,7 +143,7 @@ export class Media { public downloadSource(): Promise { const src = this.srcHttp; if (!src) { - throw new UserFriendlyError("Failed to download source media, no source url was found"); + throw new UserFriendlyError("error|download_media"); } return fetch(src); } diff --git a/src/hooks/room/useRoomCall.ts b/src/hooks/room/useRoomCall.ts index c369f5ab15..c1438eaca4 100644 --- a/src/hooks/room/useRoomCall.ts +++ b/src/hooks/room/useRoomCall.ts @@ -190,16 +190,16 @@ export const useRoomCall = ( let videoCallDisabledReason: string | null; switch (state) { case State.NoPermission: - voiceCallDisabledReason = _t("You do not have permission to start voice calls"); - videoCallDisabledReason = _t("You do not have permission to start video calls"); + voiceCallDisabledReason = _t("voip|disabled_no_perms_start_voice_call"); + videoCallDisabledReason = _t("voip|disabled_no_perms_start_video_call"); break; case State.Ongoing: - voiceCallDisabledReason = _t("Ongoing call"); - videoCallDisabledReason = _t("Ongoing call"); + voiceCallDisabledReason = _t("voip|disabled_ongoing_call"); + videoCallDisabledReason = _t("voip|disabled_ongoing_call"); break; case State.NoOneHere: - voiceCallDisabledReason = _t("There's no one here to call"); - videoCallDisabledReason = _t("There's no one here to call"); + voiceCallDisabledReason = _t("voip|disabled_no_one_here"); + videoCallDisabledReason = _t("voip|disabled_no_one_here"); break; case State.Unpinned: case State.NoCall: diff --git a/src/hooks/useCall.ts b/src/hooks/useCall.ts index 60121d0aec..db091f1526 100644 --- a/src/hooks/useCall.ts +++ b/src/hooks/useCall.ts @@ -84,8 +84,8 @@ export const useJoinCallButtonDisabledTooltip = (call: Call): string | null => { const isFull = useFull(call); const state = useConnectionState(call); - if (state === ConnectionState.Connecting) return _t("Connecting"); - if (isFull) return _t("Sorry — this call is currently full"); + if (state === ConnectionState.Connecting) return _t("voip|join_button_tooltip_connecting"); + if (isFull) return _t("voip|join_button_tooltip_call_full"); return null; }; diff --git a/src/hooks/useRoomName.ts b/src/hooks/useRoomName.ts index 01e681e396..1563523780 100644 --- a/src/hooks/useRoomName.ts +++ b/src/hooks/useRoomName.ts @@ -31,7 +31,7 @@ const getRoomName = (room?: Room, oobName = ""): string => room?.name || oobName * @returns {string} the room name */ export function useRoomName(room?: Room, oobData?: IOOBData): string { - let oobName = _t("Join Room"); + let oobName = _t("Unnamed room"); if (oobData && oobData.name) { oobName = oobData.name; } diff --git a/src/hooks/useUserOnboardingTasks.ts b/src/hooks/useUserOnboardingTasks.ts index 43e819c2bd..f48fd1cdd9 100644 --- a/src/hooks/useUserOnboardingTasks.ts +++ b/src/hooks/useUserOnboardingTasks.ts @@ -56,7 +56,7 @@ const onClickStartDm = (ev: ButtonEvent): void => { const tasks: UserOnboardingTask[] = [ { id: "create-account", - title: _t("Create account"), + title: _t("auth|create_account_title"), description: _t("onboarding|you_made_it"), completed: () => true, }, diff --git a/src/i18n/strings/ar.json b/src/i18n/strings/ar.json index c123720d09..03efca5186 100644 --- a/src/i18n/strings/ar.json +++ b/src/i18n/strings/ar.json @@ -1,5 +1,4 @@ { - "Something went wrong!": "هناك خطأ ما!", "Create new room": "إنشاء غرفة جديدة", "Failed to change password. Is your password correct?": "فشلت عملية تعديل الكلمة السرية. هل كلمتك السرية صحيحة ؟", "Send": "إرسال", @@ -46,26 +45,12 @@ "Not Trusted": "غير موثوقة", "Language Dropdown": "قائمة اللغة المنسدلة", "Information": "المعلومات", - "Rotate Right": "أدر لليمين", - "Rotate Left": "أدر لليسار", "expand": "توسيع", "collapse": "تضييق", "This version of %(brand)s does not support searching encrypted messages": "لا يدعم هذا الإصدار من %(brand)s البحث في الرسائل المشفرة", "This version of %(brand)s does not support viewing some encrypted files": "لا يدعم هذا الإصدار من %(brand)s s عرض بعض الملفات المشفرة", "Use the Desktop app to search encrypted messages": "استخدم تطبيق سطح المكتب للبحث في الرسائل المشفرة", "Use the Desktop app to see all encrypted files": "استخدم تطبيق سطح المكتب لمشاهدة جميع الملفات المشفرة", - "Popout widget": "عنصر الواجهة المنبثق", - "This widget may use cookies.": "قد يستخدم عنصر الواجهة هذا ملفات تعريف الارتباط.", - "Widget added by": "عنصر واجهة أضافه", - "Widgets do not use message encryption.": "عناصر الواجهة لا تستخدم تشفير الرسائل.", - "Using this widget may share data with %(widgetDomain)s.": "قد يؤدي استخدام هذه الأداة إلى مشاركة البيانات مع%(widgetDomain)s.", - "Widget ID": "معرّف عنصر واجهة", - "Room ID": "معرّف الغرفة", - "%(brand)s URL": "رابط %(brand)s", - "Your theme": "مظهر واجهتك", - "Your user ID": "معرّف مستخدمك", - "Your display name": "اسمك الظاهر", - "Any of the following data may be shared:": "يمكن أن تُشارَك أي من البيانات التالية:", "Cancel search": "إلغاء البحث", "Can't load this message": "تعذر تحميل هذه الرسالة", "Submit logs": "إرسال السجلات", @@ -75,8 +60,6 @@ "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": "أضف تكاملاً", - "Failed to copy": "تعذر النسخ", - "Copied!": "نُسخ!", "Error decrypting video": "تعذر فك تشفير الفيديو", "You sent a verification request": "أنت أرسلت طلب تحقق", "%(name)s wants to verify": "%(name)s يريد التحقق", @@ -139,7 +122,6 @@ "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 updating the room's main address. It may not be allowed by the server or a temporary failure occurred.": "حدث خطأ أثناء تحديث العنوان الرئيسي للغرفة. قد لا يسمح به الخادم أو حدث فشل مؤقت.", "Error updating main address": "تعذر تحديث العنوان الرئيسي", - "Mark all as read": "أشر عليها بأنها قرأت", "Jump to first unread message.": "الانتقال إلى أول رسالة غير مقروءة.", "Invited by %(sender)s": "دُعيت من %(sender)s", "Revoke invite": "إبطال الدعوة", @@ -156,12 +138,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.": "ستؤدي ترقية هذه الغرفة إلى إغلاق النسخة الحالية للغرفة وإنشاء غرفة تمت ترقيتها بنفس الاسم.", "Room options": "خيارات الغرفة", - "Low Priority": "أولوية منخفضة", - "Favourite": "تفضيل", - "Favourited": "فُضلت", - "Forget Room": "انسَ الغرفة", - "Jump to first invite.": "الانتقال لأول دعوة.", - "Jump to first unread room.": "الانتقال لأول غرفة لم تقرأ.", "%(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. هل تريد الانضمام إليها؟", @@ -230,7 +206,6 @@ "Ignored users": "المستخدمون المتجاهَلون", "None": "لا شيء", "To report a Matrix-related security issue, please read the Matrix.org Security Disclosure Policy.": "للإبلاغ عن مشكلة أمنية متعلقة بMatrix ، يرجى قراءة سياسة الإفصاح الأمني في Matrix.org.", - "General": "عام", "Discovery": "الاكتشاف", "Deactivate account": "تعطيل الحساب", "Deactivate Account": "تعطيل الحساب", @@ -261,35 +236,9 @@ "Disconnect from the identity server and connect to instead?": "انفصل عن خادم الهوية واتصل بآخر بدلاً منه؟", "Change identity server": "تغيير خادم الهوية", "Checking server": "فحص خادم", - "not ready": "غير جاهز", - "ready": "جاهز", - "Secret storage:": "التخزين السري:", - "in account data": "بيانات في حساب", - "Secret storage public key:": "المفتاح العام للتخزين السري:", - "Backup key cached:": "المفتاح الاحتياطي المحفوظ (في cache):", - "Backup key stored:": "المفتاح الاختياطي المحفوظ:", - "not stored": "لم يُحفظ", - "unexpected type": "نوع غير متوقع", - "well formed": "مشكل جيّداً", "Back up your keys before signing out to avoid losing them.": "أضف مفاتيحك للاحتياطي قبل تسجيل الخروج لتتجنب ضياعها.", - "Your keys are not being backed up from this session.": "مفاتيحك لا احتياطيَّ لها من هذا الاتصال.", - "Algorithm:": "الخوارزمية:", "Backup version:": "نسخة الاحتياطي:", "This backup is trusted because it has been restored on this session": "هذا الاحتياطي موثوق به لأنه تمت استعادته في هذا الاتصال", - "All keys backed up": "جميع المفاتيح منسوخة في الاحتياطي", - "Connect this session to Key Backup": "اربط هذا الاتصال باحتياطي مفتاح", - "Connect this session to key backup before signing out to avoid losing any keys that may only be on this session.": "اربط هذا الاتصال باحتياطي قبل تسجيل الخروج لتجنب فقدان أي مفاتيح قد تكون موجودة فقط في هذا الاتصال.", - "This session is not backing up your keys, but you do have an existing backup you can restore from and add to going forward.": "هذا الاتصال لم يعتمد الاحتياطي لمفاتيحك لكن لديك احتياطي يمكنك الاتسرجاع منه والإضافة إليه فيما بعد.", - "Restore from Backup": "استعادة من الاحتياطي", - "Unable to load key backup status": "تعذر حمل حالة النسخ الاحتياطي للمفتاح", - "Are you sure? You will lose your encrypted messages if your keys are not backed up properly.": "هل أنت واثق؟ ستفقد رسائلك المشفرة إذا لم يتم نسخ المفاتيح احتياطيًا بشكل صحيح.", - "Delete Backup": "حذف الحتياطي", - "Profile picture": "الصورة الشخصية", - "Display Name": "الاسم الظاهر", - "Profile": "الملف الشخصي", - "The operation could not be completed": "تعذر إتمام العملية", - "Failed to save your profile": "تعذر حفظ ملفك الشخصي", - "Notification targets": "أهداف الإشعار", "You've successfully verified your device!": "لقد نجحت في التحقق من جهازك!", "Verify all users in a room to ensure it's secure.": "تحقق من جميع المستخدمين في الغرفة للتأكد من أنها آمنة.", "Almost there! Is %(displayName)s showing the same shield?": "أوشكت على الوصول! هل يظهر %(displayName)s نفس الدرع؟", @@ -305,7 +254,6 @@ "Deactivate user?": "إلغاء نشاط المستخدم؟", "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.": "لن تكون قادرًا على التراجع عن هذا التغيير لأنك ترقي المستخدم ليكون له نفس مستوى الطاقة لديك.", - "Failed to change power level": "تعذر تغيير مستوى القوة", "Failed to mute user": "تعذر كتم المستخدم", "Failed to ban user": "تعذر حذف المستخدم", "Remove recent messages": "احذف الرسائل الحديثة", @@ -356,30 +304,13 @@ "Room avatar": "صورة الغرفة", "Room Topic": "موضوع الغرفة", "Room Name": "اسم الغرفة", - "The integration manager is offline or it cannot reach your homeserver.": "مدري التكامل غير متصل بالإنرتنت أو لا يمكنه الوصول إلى خادمك الوسيط.", - "Cannot connect to integration manager": "لا يمكن الاتصال بمدير التكامل", - "%(brand)s can't securely cache encrypted messages locally while running in a web browser. Use %(brand)s Desktop for encrypted messages to appear in search results.": "%(brand)s لا يستطيع تخزين الرسائل المشفرة محليًّا (في cache) بشكل آمن طالما أنه يعمل على متصفح ويب. استخدم %(brand)s على سطح المكتب لتظهر لك الرسائل المشفرة في نتائج البحث.", - "%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with search components added.": "%(brand)s يفقد بعض المكونات المطلوبة لحفظ آمن محليًّا للرسائل المشفرة. إذا أدرت تجربة هذه الخاصية، فأنشئ %(brand)s على سطح المكتب مع إضافة مكونات البحث.", - "Securely cache encrypted messages locally for them to appear in search results.": "تخزين الرسائل المشفرة بشكل آمن (في cache) محليًا حتى تظهر في نتائج البحث.", - "Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "تحقق بشكل فردي من كل اتصال يستخدمه المستخدم لتمييزه أنه موثوق ، دون الوثوق بالأجهزة الموقعة بالتبادل.", "Failed to set display name": "تعذر تعيين الاسم الظاهر", "Authentication": "المصادقة", "Set up": "تأسيس", - "Cross-signing is not set up.": "لم يتم إعداد التوقيع المتبادل.", - "Your account has a cross-signing identity in secret storage, but it is not yet trusted by this session.": "يحتوي حسابك على هوية توقيع متبادل في وحدة تخزين سرية ، لكن هذا الاتصال لم يثق به بعد.", - "Cross-signing is ready for use.": "التوقيع المتبادل جاهز للاستخدام.", - "Your homeserver does not support cross-signing.": "خادوم المنزل الذي تستعمل لا يدعم التوقيع المتبادل (cross-signing).", "Warning!": "إنذار!", - "No display name": "لا اسم ظاهر", "Show more": "أظهر أكثر", - "Accept to continue:": "قبول للمتابعة:", - "Your server isn't responding to some requests.": "خادمك لا يتجاوب مع بعض الطلبات.", "Dog": "كلب", "IRC display name width": "عرض الاسم الظاهر لIRC", - "Change notification settings": "تغيير إعدادات الإشعار", - "Please contact your homeserver administrator.": "يُرجى تواصلك مع مدير خادمك.", - "New login. Was this you?": "تسجيل دخول جديد. هل كان ذاك أنت؟", - "Other users may not trust it": "قد لا يثق به المستخدمون الآخرون", "This event could not be displayed": "تعذر عرض هذا الحدث", "Edit message": "تعديل الرسالة", "Everyone in this room is verified": "تم التحقق من جميع من في هذه الغرفة", @@ -435,23 +366,9 @@ "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.": "قام مسؤول الخادم بتعطيل التشفير من طرف إلى طرف أصلاً في الغرف الخاصة والرسائل الخاصّة.", - "Message search": "بحث الرسائل", - "Reject all %(invitedRooms)s invites": "رفض كل الدعوات (%(invitedRooms)s)", - "Accept all %(invitedRooms)s invites": "قبول كل الدعوات (%(invitedRooms)s)", - "Bulk options": "خيارات مجمعة", - "": "<غير معتمد>", - "Safeguard against losing access to encrypted messages & data": "حماية ضد فقدان الوصول إلى الرسائل والبيانات المشفرة", - "Verify this session": "تحقق من هذا الاتصال", - "Encryption upgrade available": "ترقية التشفير متاحة", - "Set up Secure Backup": "أعد النسخ الاحتياطي الآمن", "Ok": "حسنا", - "Contact your server admin.": "تواصل مع مدير الخادم الخاص بك.", "Your homeserver has exceeded one of its resource limits.": "لقد تجاوز خادمك أحد حدود موارده.", "Your homeserver has exceeded its user limit.": "لقد تجاوز خادمك حد عدد المستخدمين.", - "Enable desktop notifications": "تمكين إشعارات سطح المكتب", - "Notifications": "الإشعارات", - "Don't miss a reply": "لا تفوت أي رد", - "Later": "لاحقاً", "United States": "الولايات المتحدة", "Albania": "ألبانيا", "Afghanistan": "أفغانستان", @@ -512,7 +429,6 @@ "Algeria": "الجزائر", "Åland Islands": "جزر آلاند", "Explore rooms": "استكشِف الغرف", - "Using this widget may share data with %(widgetDomain)s & your integration manager.": "قد يؤدي استخدام عنصر واجهة المستخدم هذا إلى مشاركة البيانات مع %(widgetDomain)s ومدير التكامل الخاص بك.", "Integration managers receive configuration data, and can modify widgets, send room invites, and set power levels on your behalf.": "يتلقى مديرو التكامل بيانات الضبط، ويمكنهم تعديل عناصر واجهة المستخدم، وإرسال دعوات الغرف، وتعيين مستويات القوة نيابة عنك.", "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) لإدارة البوتات وعناصر الواجهة وحزم الملصقات.", @@ -663,7 +579,13 @@ "identity_server": "خادوم الهوية", "preview_message": "يا من ترى هذه الرسالة. أنت الأفضل!", "on": "مشتغل", - "off": "مطفأ" + "off": "مطفأ", + "copied": "نُسخ!", + "advanced": "متقدم", + "general": "عام", + "profile": "الملف الشخصي", + "display_name": "الاسم الظاهر", + "user_avatar": "الصورة الشخصية" }, "action": { "continue": "واصِل", @@ -749,7 +671,6 @@ "placeholder_encrypted": "أرسل رسالة مشفرة …", "placeholder": "أرسل رسالة …" }, - "Bold": "ثخين", "power_level": { "default": "المبدئي", "restricted": "مقيد", @@ -808,7 +729,8 @@ "noisy": "مزعج", "error_permissions_denied": "لا يملك %(brand)s التصريح لإرسال التنبيهات. من فضلك تحقّق من إعدادات المتصفح", "error_permissions_missing": "لم تقدّم التصريح اللازم كي يُرسل %(brand)s التنبيهات. من فضلك أعِد المحاولة", - "error_title": "تعذر تفعيل التنبيهات" + "error_title": "تعذر تفعيل التنبيهات", + "push_targets": "أهداف الإشعار" }, "appearance": { "heading": "تخصيص مظهرك", @@ -858,7 +780,35 @@ "cryptography_section": "التشفير", "session_id": "معرّف الاتصال:", "session_key": "مفتاح الاتصال:", - "encryption_section": "تشفير" + "encryption_section": "تشفير", + "bulk_options_section": "خيارات مجمعة", + "bulk_options_accept_all_invites": "قبول كل الدعوات (%(invitedRooms)s)", + "bulk_options_reject_all_invites": "رفض كل الدعوات (%(invitedRooms)s)", + "message_search_section": "بحث الرسائل", + "encryption_individual_verification_mode": "تحقق بشكل فردي من كل اتصال يستخدمه المستخدم لتمييزه أنه موثوق ، دون الوثوق بالأجهزة الموقعة بالتبادل.", + "message_search_disabled": "تخزين الرسائل المشفرة بشكل آمن (في cache) محليًا حتى تظهر في نتائج البحث.", + "message_search_unsupported": "%(brand)s يفقد بعض المكونات المطلوبة لحفظ آمن محليًّا للرسائل المشفرة. إذا أدرت تجربة هذه الخاصية، فأنشئ %(brand)s على سطح المكتب مع إضافة مكونات البحث.", + "message_search_unsupported_web": "%(brand)s لا يستطيع تخزين الرسائل المشفرة محليًّا (في cache) بشكل آمن طالما أنه يعمل على متصفح ويب. استخدم %(brand)s على سطح المكتب لتظهر لك الرسائل المشفرة في نتائج البحث.", + "backup_key_well_formed": "مشكل جيّداً", + "backup_key_unexpected_type": "نوع غير متوقع", + "backup_key_stored_status": "المفتاح الاختياطي المحفوظ:", + "cross_signing_not_stored": "لم يُحفظ", + "backup_key_cached_status": "المفتاح الاحتياطي المحفوظ (في cache):", + "4s_public_key_status": "المفتاح العام للتخزين السري:", + "4s_public_key_in_account_data": "بيانات في حساب", + "secret_storage_status": "التخزين السري:", + "secret_storage_ready": "جاهز", + "secret_storage_not_ready": "غير جاهز", + "delete_backup": "حذف الحتياطي", + "delete_backup_confirm_description": "هل أنت واثق؟ ستفقد رسائلك المشفرة إذا لم يتم نسخ المفاتيح احتياطيًا بشكل صحيح.", + "error_loading_key_backup_status": "تعذر حمل حالة النسخ الاحتياطي للمفتاح", + "restore_key_backup": "استعادة من الاحتياطي", + "key_backup_inactive": "هذا الاتصال لم يعتمد الاحتياطي لمفاتيحك لكن لديك احتياطي يمكنك الاتسرجاع منه والإضافة إليه فيما بعد.", + "key_backup_connect_prompt": "اربط هذا الاتصال باحتياطي قبل تسجيل الخروج لتجنب فقدان أي مفاتيح قد تكون موجودة فقط في هذا الاتصال.", + "key_backup_connect": "اربط هذا الاتصال باحتياطي مفتاح", + "key_backup_complete": "جميع المفاتيح منسوخة في الاحتياطي", + "key_backup_algorithm": "الخوارزمية:", + "key_backup_inactive_warning": "مفاتيحك لا احتياطيَّ لها من هذا الاتصال." }, "preferences": { "room_list_heading": "قائمة الغرفة", @@ -878,7 +828,10 @@ "add_msisdn_confirm_sso_button": "أكّد إضافتك لرقم الهاتف هذا باستعمال الولوج الموحّد لإثبات هويّتك.", "add_msisdn_confirm_button": "أكّد إضافة رقم الهاتف", "add_msisdn_confirm_body": "انقر الزر بالأسفل لتأكيد إضافة رقم الهاتف هذا.", - "add_msisdn_dialog_title": "أضِف رقم الهاتف" + "add_msisdn_dialog_title": "أضِف رقم الهاتف", + "name_placeholder": "لا اسم ظاهر", + "error_saving_profile_title": "تعذر حفظ ملفك الشخصي", + "error_saving_profile": "تعذر إتمام العملية" } }, "devtools": { @@ -1154,7 +1107,6 @@ "no_media_perms_description": "قد تحتاج إلى السماح يدويًا ل%(brand)s s بالوصول إلى الميكروفون / كاميرا الويب" }, "Other": "أخرى", - "Advanced": "متقدم", "room_settings": { "permissions": { "m.room.avatar": "تغيير صورة الغرفة", @@ -1232,11 +1184,23 @@ "sas_caption_user": "تحقق من هذا المستخدم من خلال التأكد من ظهور الرقم التالي على شاشته.", "unsupported_method": "تعذر العثور على أحد طرق التحقق الممكنة.", "waiting_other_user": "بانتظار %(displayName)s للتحقق…", - "cancelling": "جارٍ الإلغاء…" + "cancelling": "جارٍ الإلغاء…", + "unverified_sessions_toast_reject": "لاحقاً", + "unverified_session_toast_title": "تسجيل دخول جديد. هل كان ذاك أنت؟" }, "cancel_entering_passphrase_title": "هل تريد إلغاء إدخال عبارة المرور؟", "cancel_entering_passphrase_description": "هل أنت متأكد من أنك تريد إلغاء إدخال عبارة المرور؟", - "bootstrap_title": "إعداد المفاتيح" + "bootstrap_title": "إعداد المفاتيح", + "set_up_toast_title": "أعد النسخ الاحتياطي الآمن", + "upgrade_toast_title": "ترقية التشفير متاحة", + "verify_toast_title": "تحقق من هذا الاتصال", + "set_up_toast_description": "حماية ضد فقدان الوصول إلى الرسائل والبيانات المشفرة", + "verify_toast_description": "قد لا يثق به المستخدمون الآخرون", + "cross_signing_unsupported": "خادوم المنزل الذي تستعمل لا يدعم التوقيع المتبادل (cross-signing).", + "cross_signing_ready": "التوقيع المتبادل جاهز للاستخدام.", + "cross_signing_untrusted": "يحتوي حسابك على هوية توقيع متبادل في وحدة تخزين سرية ، لكن هذا الاتصال لم يثق به بعد.", + "cross_signing_not_ready": "لم يتم إعداد التوقيع المتبادل.", + "not_supported": "<غير معتمد>" }, "emoji": { "category_frequently_used": "كثيرة الاستعمال", @@ -1305,7 +1269,8 @@ "one": "رسالة واحدة غير مقروءة.", "other": "%(count)s من الرسائل غير مقروءة." }, - "unread_messages": "رسائل غير المقروءة." + "unread_messages": "رسائل غير المقروءة.", + "jump_first_invite": "الانتقال لأول دعوة." }, "setting": { "help_about": { @@ -1371,7 +1336,19 @@ }, "error_need_to_be_logged_in": "عليك الولوج.", "error_need_invite_permission": "يجب أن تكون قادرًا على دعوة المستخدمين للقيام بذلك.", - "no_name": "تطبيق غير معروف" + "no_name": "تطبيق غير معروف", + "shared_data_name": "اسمك الظاهر", + "shared_data_mxid": "معرّف مستخدمك", + "shared_data_theme": "مظهر واجهتك", + "shared_data_url": "رابط %(brand)s", + "shared_data_room_id": "معرّف الغرفة", + "shared_data_widget_id": "معرّف عنصر واجهة", + "shared_data_warning_im": "قد يؤدي استخدام عنصر واجهة المستخدم هذا إلى مشاركة البيانات مع %(widgetDomain)s ومدير التكامل الخاص بك.", + "shared_data_warning": "قد يؤدي استخدام هذه الأداة إلى مشاركة البيانات مع%(widgetDomain)s.", + "unencrypted_warning": "عناصر الواجهة لا تستخدم تشفير الرسائل.", + "added_by": "عنصر واجهة أضافه", + "cookie_warning": "قد يستخدم عنصر الواجهة هذا ملفات تعريف الارتباط.", + "popout": "عنصر الواجهة المنبثق" }, "zxcvbn": { "suggestions": { @@ -1460,7 +1437,14 @@ "start_of_room": "هذه بداية ." }, "upgrade_error_title": "خطأ في ترقية الغرفة", - "upgrade_error_description": "تحقق مرة أخرى من أن سيرفرك يدعم إصدار الغرفة المختار وحاول مرة أخرى." + "upgrade_error_description": "تحقق مرة أخرى من أن سيرفرك يدعم إصدار الغرفة المختار وحاول مرة أخرى.", + "error_join_incompatible_version_2": "يُرجى تواصلك مع مدير خادمك.", + "context_menu": { + "unfavourite": "فُضلت", + "favourite": "تفضيل", + "low_priority": "أولوية منخفضة", + "forget": "انسَ الغرفة" + } }, "space": { "context_menu": { @@ -1479,7 +1463,8 @@ "terms": { "identity_server_no_terms_title": "ليس لخادوم الهويّة أيّ شروط خدمة", "identity_server_no_terms_description_1": "يطلب هذا الإجراء الوصول إلى خادوم الهويّات المبدئيللتثبّت من عنوان البريد الإلكتروني أو رقم الهاتف، ولكن ليس للخادوم أيّ شروط خدمة.", - "identity_server_no_terms_description_2": "لا تُواصل لو لم تكن تثق بمالك الخادوم." + "identity_server_no_terms_description_2": "لا تُواصل لو لم تكن تثق بمالك الخادوم.", + "inline_intro_text": "قبول للمتابعة:" }, "empty_room": "غرفة فارغة", "user1_and_user2": "%(user1)s و %(user2)s", @@ -1508,5 +1493,35 @@ "error_missing_user_id_request": "رقم المستخدم مفقود في الطلب" }, "cannot_reach_homeserver": "لا يمكن الوصول إلى السيرفر", - "cannot_reach_homeserver_detail": "تأكد من أنك تملك اتصال بالانترنت مستقر أو تواصل مع مدير السيرفر" + "cannot_reach_homeserver_detail": "تأكد من أنك تملك اتصال بالانترنت مستقر أو تواصل مع مدير السيرفر", + "notifications": { + "enable_prompt_toast_title_from_message_send": "لا تفوت أي رد", + "enable_prompt_toast_title": "الإشعارات", + "enable_prompt_toast_description": "تمكين إشعارات سطح المكتب", + "colour_none": "لا شيء", + "colour_bold": "ثخين", + "error_change_title": "تغيير إعدادات الإشعار", + "mark_all_read": "أشر عليها بأنها قرأت", + "class_other": "أخرى" + }, + "error": { + "admin_contact_short": "تواصل مع مدير الخادم الخاص بك.", + "non_urgent_echo_failure_toast": "خادمك لا يتجاوب مع بعض الطلبات.", + "failed_copy": "تعذر النسخ", + "something_went_wrong": "هناك خطأ ما!", + "update_power_level": "تعذر تغيير مستوى القوة" + }, + "room_summary_card_back_action_label": "معلومات الغرفة", + "analytics": { + "shared_data_heading": "يمكن أن تُشارَك أي من البيانات التالية:" + }, + "lightbox": { + "rotate_left": "أدر لليسار", + "rotate_right": "أدر لليمين" + }, + "a11y_jump_first_unread_room": "الانتقال لأول غرفة لم تقرأ.", + "integration_manager": { + "error_connecting_heading": "لا يمكن الاتصال بمدير التكامل", + "error_connecting": "مدري التكامل غير متصل بالإنرتنت أو لا يمكنه الوصول إلى خادمك الوسيط." + } } diff --git a/src/i18n/strings/az.json b/src/i18n/strings/az.json index d1c2bf7f75..e68c487030 100644 --- a/src/i18n/strings/az.json +++ b/src/i18n/strings/az.json @@ -28,18 +28,15 @@ "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ı", - "Notification targets": "Xəbərdarlıqlar üçün qurğular", "not specified": "qeyd edilmədi", "Failed to ban user": "İstifadəçini bloklamağı bacarmadı", "Failed to mute user": "İstifadəçini kəsməyi bacarmadı", - "Failed to change power level": "Hüquqların səviyyəsini dəyişdirmə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", - "Upload avatar": "Avatar-ı yükləmək", "Forget room": "Otağı unutmaq", "Low priority": "Əhəmiyyətsizlər", "Historical": "Arxiv", @@ -47,7 +44,6 @@ "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", - "Favourite": "Seçilmiş", "Sunday": "Bazar", "Friday": "Cümə", "Today": "Bu gün", @@ -67,15 +63,12 @@ "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ı", - "Notifications": "Xəbərdarlıqlar", "Connectivity to the server has been lost.": "Serverlə əlaqə itirilmişdir.", "Sent messages will be stored until your connection has returned.": "Hələ ki serverlə əlaqə bərpa olmayacaq, göndərilmiş mesajlar saxlanacaq.", "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ı", - "": "", - "Profile": "Profil", "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", @@ -101,7 +94,9 @@ "emoji": "Smaylar", "unnamed_room": "Adı açıqlanmayan otaq", "identity_server": "Eyniləşdirmənin serveri", - "on": "Qoşmaq" + "on": "Qoşmaq", + "advanced": "Təfərrüatlar", + "profile": "Profil" }, "action": { "continue": "Davam etmək", @@ -142,7 +137,8 @@ "rule_suppress_notices": "Botla göndərilmiş mesajlar", "error_permissions_denied": "%(brand)s-un sizə bildiriş göndərmək icazəsi yoxdur - brauzerinizin parametrlərini yoxlayın", "error_permissions_missing": "%(brand)s bildiriş göndərmək üçün icazə verilmədi - lütfən yenidən cəhd edin", - "error_title": "Xəbərdarlıqları daxil qoşmağı bacarmadı" + "error_title": "Xəbərdarlıqları daxil qoşmağı bacarmadı", + "push_targets": "Xəbərdarlıqlar üçün qurğular" }, "appearance": { "timeline_image_size_default": "Varsayılan olaraq", @@ -254,7 +250,6 @@ "category_other": "Digər" }, "Other": "Digər", - "Advanced": "Təfərrüatlar", "labs": { "group_profile": "Profil" }, @@ -300,7 +295,8 @@ }, "security": { "history_visibility_legend": "Kim tarixi oxuya bilər?" - } + }, + "upload_avatar_label": "Avatar-ı yükləmək" }, "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.", @@ -338,6 +334,19 @@ }, "room": { "upgrade_error_title": "Otaq yeniləmə xətası", - "upgrade_error_description": "Serverinizin seçilmiş otaq versiyasını dəstəklədiyini bir daha yoxlayın və yenidən cəhd edin." + "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ş" + } + }, + "notifications": { + "enable_prompt_toast_title": "Xəbərdarlıqlar", + "class_other": "Digər" + }, + "encryption": { + "not_supported": "" + }, + "error": { + "update_power_level": "Hüquqların səviyyəsini dəyişdirməyi bacarmadı" } } diff --git a/src/i18n/strings/be.json b/src/i18n/strings/be.json index d828967640..43a0f867bf 100644 --- a/src/i18n/strings/be.json +++ b/src/i18n/strings/be.json @@ -1,12 +1,7 @@ { "Failed to forget room %(errCode)s": "Не атрымалася забыць пакой %(errCode)s", "All messages": "Усе паведамленні", - "Notification targets": "Мэты апавяшчэння", - "Favourite": "Улюбёнае", - "Notifications": "Апавяшчэнні", - "Low Priority": "Нізкі прыярытэт", "Invite to this room": "Запрасіць у гэты пакой", - "Source URL": "URL-адрас крыніцы", "common": { "error": "Памылка", "mute": "Без гуку", @@ -31,10 +26,25 @@ }, "settings": { "notifications": { - "noisy": "Шумна" + "noisy": "Шумна", + "push_targets": "Мэты апавяшчэння" } }, "invite": { "failed_generic": "Не атрымалася выканаць аперацыю" + }, + "notifications": { + "enable_prompt_toast_title": "Апавяшчэнні" + }, + "timeline": { + "context_menu": { + "external_url": "URL-адрас крыніцы" + } + }, + "room": { + "context_menu": { + "favourite": "Улюбёнае", + "low_priority": "Нізкі прыярытэт" + } } } diff --git a/src/i18n/strings/bg.json b/src/i18n/strings/bg.json index d4f57a50bc..c9c4d0f662 100644 --- a/src/i18n/strings/bg.json +++ b/src/i18n/strings/bg.json @@ -26,8 +26,6 @@ "%(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", - "Favourite": "Любим", - "Notifications": "Известия", "Rooms": "Стаи", "Unnamed room": "Стая без име", "Warning!": "Внимание!", @@ -38,12 +36,10 @@ "Moderator": "Модератор", "Reason": "Причина", "Incorrect verification code": "Неправилен код за потвърждение", - "No display name": "Няма име", "Authentication": "Автентикация", "Failed to set display name": "Неуспешно задаване на име", "Failed to ban user": "Неуспешно блокиране на потребителя", "Failed to mute user": "Неуспешно заглушаване на потребителя", - "Failed to change power level": "Неуспешна промяна на нивото на достъп", "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.": "Няма да можете да възвърнете тази промяна, тъй като повишавате този потребител до същото ниво на достъп като Вашето.", @@ -67,7 +63,6 @@ "one": "(~%(count)s резултат)" }, "Join Room": "Присъединяване към стаята", - "Upload avatar": "Качи профилна снимка", "Forget room": "Забрави стаята", "Low priority": "Нисък приоритет", "Historical": "Архив", @@ -85,20 +80,11 @@ "Invalid file%(extra)s": "Невалиден файл%(extra)s", "Error decrypting image": "Грешка при разшифроване на снимка", "Error decrypting video": "Грешка при разшифроване на видео", - "Copied!": "Копирано!", - "Failed to copy": "Неуспешно копиране", "Add an Integration": "Добавяне на интеграция", "Email address": "Имейл адрес", - "Something went wrong!": "Нещо се обърка!", "Delete Widget": "Изтриване на приспособление", - "Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "Изтриването на приспособление го премахва за всички потребители в тази стая. Сигурни ли сте, че искате да изтриете това приспособление?", - "Delete widget": "Изтрий приспособлението", "Create new room": "Създай нова стая", "Home": "Начална страница", - " and %(count)s others": { - "other": " и %(count)s други", - "one": " и още един" - }, "%(items)s and %(lastItem)s": "%(items)s и %(lastItem)s", "collapse": "свий", "expand": "разшири", @@ -108,7 +94,6 @@ "other": "И %(count)s други..." }, "Confirm Removal": "Потвърдете премахването", - "Unknown error": "Неизвестна грешка", "Deactivate Account": "Затвори акаунта", "Verification Pending": "Очакване на потвърждение", "An error has occurred.": "Възникна грешка.", @@ -134,7 +119,6 @@ "Server may be unavailable, overloaded, or search timed out :(": "Сървърът може би е недостъпен, претоварен или времето за търсене изтече :(", "No more results": "Няма повече резултати", "Failed to reject invite": "Неуспешно отхвърляне на поканата", - "Reject all %(invitedRooms)s invites": "Отхвърли всички %(invitedRooms)s покани", "Tried to load a specific point in this room's timeline, but you do not have permission to view the message in question.": "Беше направен опит да се зареди конкретна точка в хронологията на тази стая, но нямате разрешение да разгледате въпросното съобщение.", "Failed to load timeline position": "Неуспешно зареждане на позицията в хронологията", "Uploading %(filename)s and %(count)s others": { @@ -142,10 +126,8 @@ "one": "Качване на %(filename)s и %(count)s друг" }, "Uploading %(filename)s": "Качване на %(filename)s", - "": "<не се поддържа>", "No Microphones detected": "Няма открити микрофони", "No Webcams detected": "Няма открити уеб камери", - "Profile": "Профил", "A new password must be entered.": "Трябва да бъде въведена нова парола.", "New passwords must match each other.": "Новите пароли трябва да съвпадат една с друга.", "Return to login screen": "Връщане към страницата за влизане в профила", @@ -164,14 +146,12 @@ "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": "Неделя", - "Notification targets": "Устройства, получаващи известия", "Today": "Днес", "Friday": "Петък", "Changelog": "Списък на промените", "Failed to send logs: ": "Неуспешно изпращане на логове: ", "This Room": "В тази стая", "Unavailable": "Не е наличен", - "Source URL": "URL на източника", "Filter results": "Филтриране на резултати", "Search…": "Търсене…", "Tuesday": "Вторник", @@ -186,10 +166,8 @@ "Thursday": "Четвъртък", "Logs sent": "Логовете са изпратени", "Yesterday": "Вчера", - "Low Priority": "Нисък приоритет", "Thank you!": "Благодарим!", "Unable to load event that was replied to, it either does not exist or you do not have permission to view it.": "Не може да се зареди събитието, на което е отговорено. Или не съществува или нямате достъп да го видите.", - "Popout widget": "Изкарай в нов прозорец", "Clear Storage and Sign Out": "Изчисти запазените данни и излез", "Send Logs": "Изпрати логове", "We encountered an error trying to restore your previous session.": "Възникна грешка при възстановяване на предишната Ви сесия.", @@ -216,7 +194,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.": "Съобщението Ви не бе изпратено, защото този сървър е някой от лимитите си. Моля, свържете се с администратора на услугата за да продължите да я използвате.", - "Please contact your homeserver administrator.": "Моля, свържете се със сървърния администратор.", "This room has been replaced and is no longer active.": "Тази стая е била заменена и вече не е активна.", "The conversation continues here.": "Разговора продължава тук.", "Failed to upgrade room": "Неуспешно обновяване на стаята", @@ -230,8 +207,6 @@ "Incompatible local cache": "Несъвместим локален кеш", "Clear cache and resync": "Изчисти кеша и ресинхронизирай", "Add some now": "Добави сега", - "Delete Backup": "Изтрий резервното копие", - "Unable to load key backup status": "Неуспешно зареждане на състоянието на резервното копие на ключа", "Set up": "Настрой", "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": "Несъвместима база данни", @@ -258,20 +233,15 @@ "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": "Имейл адрес", - "All keys backed up": "Всички ключове са в резервното копие", "Unable to verify phone number.": "Неуспешно потвърждение на телефонния номер.", "Verification code": "Код за потвърждение", "Phone Number": "Телефонен номер", - "Profile picture": "Профилна снимка", - "Display Name": "Име", "Room information": "Информация за стаята", - "General": "Общи", "Room Addresses": "Адреси на стаята", "Email addresses": "Имейл адреси", "Phone numbers": "Телефонни номера", "Account management": "Управление на акаунта", "Ignored users": "Игнорирани потребители", - "Bulk options": "Масови действия", "Missing media permissions, click the button below to request.": "Липсва достъп до медийните устройства. Кликнете бутона по-долу за да поискате такъв.", "Request media permissions": "Поискай достъп до медийните устройства", "Voice & Video": "Глас и видео", @@ -283,7 +253,6 @@ "Incoming Verification Request": "Входяща заявка за потвърждение", "Email (optional)": "Имейл (незадължително)", "Join millions for free on the largest public server": "Присъединете се безплатно към милиони други на най-големия публичен сървър", - "Create account": "Създай акаунт", "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": "Куче", @@ -350,9 +319,7 @@ "This homeserver would like to make sure you are not a robot.": "Сървърът иска да потвърди, че не сте робот.", "Couldn't load page": "Страницата не можа да бъде заредена", "Your password has been reset.": "Паролата беше анулирана.", - "Are you sure? You will lose your encrypted messages if your keys are not backed up properly.": "Сигурни ли сте? Ако нямате работещо резервно копие на ключовете, ще загубите достъп до шифрованите съобщения.", "Encrypted messages are secured with end-to-end encryption. Only you and the recipient(s) have the keys to read these messages.": "Шифрованите съобщения са защитени с шифроване от край до край. Само Вие и получателят (получателите) имате ключове за четенето им.", - "Restore from Backup": "Възстанови от резервно копие", "Back up your keys before signing out to avoid losing them.": "Направете резервно копие на ключовете преди изход от профила, за да не ги загубите.", "Start using Key Backup": "Включи резервни копия за ключовете", "I don't want my encrypted messages": "Не искам шифрованите съобщения", @@ -367,7 +334,6 @@ "There was an error updating the room's main address. It may not be allowed by the server or a temporary failure occurred.": "Случи се грешка при обновяването на основния адрес за стаята. Може да не е позволено от сървъра, или да се е случила друга временна грешка.", "Room Settings - %(roomName)s": "Настройки на стая - %(roomName)s", "Could not load user profile": "Неуспешно зареждане на потребителския профил", - "Accept all %(invitedRooms)s invites": "Приеми всички %(invitedRooms)s покани", "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.": "Обновяването на тази стая ще изключи текущата стая и ще създаде обновена стая със същото име.", @@ -415,8 +381,6 @@ "Browse": "Избор", "This room has already been upgraded.": "Тази стая вече е била обновена.", "edited": "редактирано", - "Rotate Left": "Завърти наляво", - "Rotate Right": "Завърти надясно", "Edit message": "Редактирай съобщението", "Some characters not allowed": "Някои символи не са позволени", "Add room": "Добави стая", @@ -459,7 +423,6 @@ "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": "Помощ за команди", - "Accept to continue:": "Приемете за да продължите:", "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": "Не ползвай сървър за самоличност", @@ -497,8 +460,6 @@ "Explore rooms": "Открий стаи", "Verify the link in your inbox": "Потвърдете линка във вашата пощенска кутия", "e.g. my-room": "например my-room", - "Hide advanced": "Скрий разширени настройки", - "Show advanced": "Покажи разширени настройки", "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:": "Ще е добре да:", @@ -514,8 +475,6 @@ "Message Actions": "Действия със съобщението", "Show image": "Покажи снимката", "Cancel search": "Отмени търсенето", - "Jump to first unread room.": "Отиди до първата непрочетена стая.", - "Jump to first invite.": "Отиди до първата покана.", "You verified %(name)s": "Потвърдихте %(name)s", "You cancelled verifying %(name)s": "Отказахте потвърждаването за %(name)s", "%(name)s cancelled verifying": "%(name)s отказа потвърждаването", @@ -525,11 +484,6 @@ "%(name)s cancelled": "%(name)s отказа", "%(name)s wants to verify": "%(name)s иска да извърши потвърждение", "You sent a verification request": "Изпратихте заявка за потвърждение", - "Cannot connect to integration manager": "Неуспешна връзка с мениджъра на интеграции", - "The integration manager is offline or it cannot reach your homeserver.": "Мениджъра на интеграции е офлайн или не може да се свърже със сървъра ви.", - "Secret storage public key:": "Публичен ключ за секретно складиране:", - "in account data": "в данни за акаунта", - "not stored": "не е складиран", "Manage integrations": "Управление на интеграциите", "None": "Няма нищо", "Unencrypted": "Нешифровано", @@ -544,18 +498,6 @@ }, "Messages in this room are end-to-end encrypted.": "Съобщенията в тази стая са шифровани от край-до-край.", "You have ignored this user, so their message is hidden. Show anyways.": "Игнорирали сте този потребител, така че съобщението им е скрито. Покажи така или иначе.", - "Any of the following data may be shared:": "Следните данни може да бъдат споделени:", - "Your display name": "Вашето име", - "Your user ID": "Потребителския ви идентификатор", - "Your theme": "Вашата тема", - "%(brand)s URL": "%(brand)s URL адрес", - "Room ID": "Идентификатор на стаята", - "Widget ID": "Идентификатор на приспособлението", - "Using this widget may share data with %(widgetDomain)s.": "Използването на това приспособление може да сподели данни с %(widgetDomain)s.", - "Widgets do not use message encryption.": "Приспособленията не използваш шифроване на съобщенията.", - "Widget added by": "Приспособлението е добавено от", - "This widget may use cookies.": "Това приспособление може да използва бисквитки.", - "More options": "Още опции", "Language Dropdown": "Падащо меню за избор на език", "Integrations are disabled": "Интеграциите са изключени", "Integrations not allowed": "Интеграциите не са разрешени", @@ -564,7 +506,6 @@ "Upgrading a room is an advanced action and is usually recommended when a room is unstable due to bugs, missing features or security vulnerabilities.": "Обновяването на стая е действие за напреднали и обикновено се препоръчва когато стаята е нестабилна поради бъгове, липсващи функции или проблеми със сигурността.", "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 .": "Ще обновите стаята от до .", - "Remove for everyone": "Премахни за всички", "Country Dropdown": "Падащо меню за избор на държава", "Verification Request": "Заявка за потвърждение", "Unable to set up secret storage": "Неуспешна настройка на секретно складиране", @@ -573,29 +514,12 @@ "Direct Messages": "Директни съобщения", "Failed to find the following users": "Неуспешно откриване на следните потребители", "The following users might not exist or are invalid, and cannot be invited: %(csvNames)s": "Следните потребители не съществуват или са невалидни и не могат да бъдат поканени: %(csvNames)s", - "Verify this session": "Потвърди тази сесия", - "Encryption upgrade available": "Има обновление на шифроването", "Not Trusted": "Недоверено", "%(name)s (%(userId)s) signed in to a new session without verifying it:": "%(name)s (%(userId)s) влезе в нова сесия без да я потвърди:", "Ask this user to verify their session, or manually verify it below.": "Поискайте от този потребител да потвърди сесията си, или я потвърдете ръчно по-долу.", - "New login. Was this you?": "Нов вход. Вие ли бяхте това?", "Lock": "Заключи", - "Later": "По-късно", - "Other users may not trust it": "Други потребители може да не се доверят", - "Your homeserver does not support cross-signing.": "Сървърът ви не поддържа кръстосано-подписване.", - "Your account has a cross-signing identity in secret storage, but it is not yet trusted by this session.": "Профилът ви има самоличност за кръстосано подписване в секретно складиране, но все още не е доверено от тази сесия.", - "well formed": "коректен", - "unexpected type": "непознат тип", - "Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "Потвърждавай индивидуално всяка сесия на потребителите, маркирайки я като доверена и недоверявайки се на кръстосано-подписваните устройства.", - "Securely cache encrypted messages locally for them to appear in search results.": "Кеширай шифровани съобщения локално по сигурен начин за да се появяват в резултати от търсения.", - "%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with search components added.": "Липсват задължителни компоненти в %(brand)s, за да могат да бъдат складирани локално и по сигурен начин шифровани съобщения. Ако искате да експериментирате с тази функция, \"компилирайте\" версия на %(brand)s Desktop с добавени компоненти за търсене.", - "This session is not backing up your keys, but you do have an existing backup you can restore from and add to going forward.": "Тази сесия не прави резервни копия на ключовете, но имате съществуващо резервно копие, което да възстановите и към което да добавяте от тук нататък.", - "Connect this session to key backup before signing out to avoid losing any keys that may only be on this session.": "Свържете тази сесия с резервно копие на ключове преди да се отпишете от нея, за да не загубите ключове, които може би съществуват единствено в тази сесия.", - "Connect this session to Key Backup": "Свържи тази сесия с резервно копие на ключовете", "This backup is trusted because it has been restored on this session": "Това резервно копие е доверено, защото е било възстановено в текущата сесия", - "Your keys are not being backed up from this session.": "На ключовете ви не се прави резервно копие от тази сесия.", "To report a Matrix-related security issue, please read the Matrix.org Security Disclosure Policy.": "За да съобщените за проблем със сигурността свързан с Matrix, прочетете Политиката за споделяне на проблеми със сигурността на Matrix.org.", - "Message search": "Търсене на съобщения", "This room is bridging messages to the following platforms. Learn more.": "Тази стая препредава съобщения със следните платформи. Научи повече.", "Bridges": "Мостове", "This user has not verified all of their sessions.": "Този потребител не е верифицирал всичките си сесии.", @@ -608,7 +532,6 @@ "Encrypted by a deleted session": "Шифровано от изтрита сесия", "Scroll to most recent messages": "Отиди до най-скорошните съобщения", "Reject & Ignore user": "Откажи и игнорирай потребителя", - "Mark all as read": "Маркирай всичко като прочетено", "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": "Публикувани адреси", @@ -701,7 +624,6 @@ "If they don't match, the security of your communication may be compromised.": "Ако няма съвпадение, сигурността на комуникацията ви може би е компрометирана.", "Your homeserver has exceeded its user limit.": "Надвишен е лимитът за потребители на сървъра ви.", "Your homeserver has exceeded one of its resource limits.": "Беше надвишен някой от лимитите на сървъра.", - "Contact your server admin.": "Свържете се със сървърния администратор.", "Ok": "Добре", "Error creating address": "Неуспешно създаване на адрес", "There was an error creating that address. It may not be allowed by the server or a temporary failure occurred.": "Възникна грешка при създаването на този адрес. Или не е позволен от сървъра или е временен проблем.", @@ -719,7 +641,6 @@ "Sign in with SSO": "Влезте със SSO", "Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "Администраторът на сървъра е изключил шифроване от край-до-край по подразбиране за лични стаи и за директни съобщения.", "Switch theme": "Смени темата", - "All settings": "Всички настройки", "Confirm encryption setup": "Потвърждение на настройки за шифроване", "Click the button below to confirm setting up encryption.": "Кликнете бутона по-долу за да потвърдите настройването на шифроване.", "Enter your account password to confirm the upgrade:": "Въведете паролата за профила си за да потвърдите обновлението:", @@ -736,14 +657,7 @@ "The authenticity of this encrypted message can't be guaranteed on this device.": "Автентичността на това шифровано съобщение не може да бъде гарантирана на това устройство.", "Message preview": "Преглед на съобщението", "Room options": "Настройки на стаята", - "Safeguard against losing access to encrypted messages & data": "Защитете се срещу загуба на достъп до криптирани съобшения и информация", - "Set up Secure Backup": "Конфигуриране на Защитен Архив", - "Change notification settings": "Промяна на настройките за уведомление", "This room is public": "Тази стая е публична", - "Move right": "Премести надясно", - "Move left": "Премести наляво", - "Revoke permissions": "Оттеглете привилегии", - "Take a picture": "Направете снимка", "Unable to set up keys": "Неуспешна настройка на ключовете", "Use your Security Key to continue.": "Използвайте ключа си за сигурност за да продължите.", "Security Key": "Ключ за сигурност", @@ -791,26 +705,10 @@ "You can only pin up to %(count)s widgets": { "other": "Може да закачите максимум %(count)s приспособления" }, - "Favourited": "В любими", - "Forget Room": "Забрави стаята", "Explore public rooms": "Прегледай публични стаи", "Show Widgets": "Покажи приспособленията", "Hide Widgets": "Скрий приспособленията", - "not ready": "не е готово", - "ready": "готово", - "Secret storage:": "Секретно складиране:", - "Backup key cached:": "Резервният ключ е кеширан:", - "Backup key stored:": "Резервният ключ е съхранен:", - "Algorithm:": "Алгоритъм:", "Backup version:": "Версия на резервното копие:", - "The operation could not be completed": "Операцията не можа да бъде завършена", - "Failed to save your profile": "Неуспешно запазване на профила ви", - "%(brand)s can't securely cache encrypted messages locally while running in a web browser. Use %(brand)s Desktop for encrypted messages to appear in search results.": "%(brand)s не може да кешира шифровани съобщения локално по сигурен начин когато работи в уеб браузър. Използвайте %(brand)s Desktop за да можете да търсите шифровани съобщения.", - "Cross-signing is not set up.": "Кръстосаното-подписване не е настроено.", - "Cross-signing is ready for use.": "Кръстосаното-подписване е готово за използване.", - "Your server isn't responding to some requests.": "Сървърът ви не отговаря на някои заявки.", - "Enable desktop notifications": "Включете уведомления на работния плот", - "Don't miss a reply": "Не пропускайте отговор", "Save your Security Key": "Запази ключа за сигурност", "Confirm Security Phrase": "Потвърди фразата за сигурност", "Set a Security Phrase": "Настрой фраза за сигурност", @@ -1073,23 +971,11 @@ "Afghanistan": "Афганистан", "United States": "Съединените щати", "United Kingdom": "Обединеното кралство", - "Space options": "Опции на пространството", "Add existing room": "Добави съществуваща стая", "Leave space": "Напусни пространство", - "Invite with email or username": "Покани чрез имейл или потребителско име", - "Invite people": "Покани хора", - "Share invite link": "Сподели връзка с покана", - "Click to copy": "Натиснете за копиране", "Create a space": "Създаване на пространство", - "You can change these anytime.": "Можете да ги промените по всяко време.", "unknown person": "", - "Spaces": "Пространства", - "%(deviceId)s from %(ip)s": "%(deviceId)s от %(ip)s", - "Use app for a better experience": "Използвайте приложението за по-добра работа", - "Use app": "Използване на приложението", - "Review to ensure your account is safe": "Прегледайте, за да уверите, че профилът ви е в безопастност", "Your %(brand)s doesn't allow you to use an integration manager to do this. Please contact an admin.": "Вашият %(brand)s не позволява да използвате мениджъра на интеграции за да направите това. Свържете се с администратор.", - "Using this widget may share data with %(widgetDomain)s & your integration manager.": "Използването на това приспособление може да сподели данни с %(widgetDomain)s и с мениджъра на интеграции.", "Integration managers receive configuration data, and can modify widgets, send room invites, and set power levels on your behalf.": "Мениджърът на интеграции получава конфигурационни данни, може да модифицира приспособления, да изпраща покани за стаи и да настройва нива на достъп от ваше име.", "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 за управление на ботове, приспособления и стикери.", @@ -1161,7 +1047,14 @@ "preview_message": "Хей, ти. Върхът си!", "on": "Вкл.", "off": "Изкл.", - "all_rooms": "Всички стаи" + "all_rooms": "Всички стаи", + "copied": "Копирано!", + "advanced": "Разширени", + "spaces": "Пространства", + "general": "Общи", + "profile": "Профил", + "display_name": "Име", + "user_avatar": "Профилна снимка" }, "action": { "continue": "Продължи", @@ -1240,7 +1133,10 @@ "mention": "Спомени", "submit": "Изпрати", "send_report": "Изпрати доклад", - "unban": "Отблокирай" + "unban": "Отблокирай", + "click_to_copy": "Натиснете за копиране", + "hide_advanced": "Скрий разширени настройки", + "show_advanced": "Покажи разширени настройки" }, "a11y": { "user_menu": "Потребителско меню", @@ -1252,7 +1148,8 @@ "other": "%(count)s непрочетени съобщения.", "one": "1 непрочетено съобщение." }, - "unread_messages": "Непрочетени съобщения." + "unread_messages": "Непрочетени съобщения.", + "jump_first_invite": "Отиди до първата покана." }, "labs": { "pinning": "Функция за закачане на съобщения", @@ -1328,7 +1225,6 @@ "user_a11y": "Подсказка за потребители" } }, - "Bold": "Удебелено", "Code": "Код", "power_level": { "default": "По подразбиране", @@ -1413,7 +1309,8 @@ "noisy": "Шумно", "error_permissions_denied": "%(brand)s няма разрешение да Ви изпраща известия - моля проверете вашите настройки на браузъра", "error_permissions_missing": "%(brand)s не е получил разрешение да изпраща известия - моля опитайте отново", - "error_title": "Неупешно включване на известия" + "error_title": "Неупешно включване на известия", + "push_targets": "Устройства, получаващи известия" }, "appearance": { "heading": "Настройте изгледа", @@ -1472,7 +1369,35 @@ "cryptography_section": "Криптография", "session_id": "Сесиен идентификатор:", "session_key": "Сесиен ключ:", - "encryption_section": "Шифроване" + "encryption_section": "Шифроване", + "bulk_options_section": "Масови действия", + "bulk_options_accept_all_invites": "Приеми всички %(invitedRooms)s покани", + "bulk_options_reject_all_invites": "Отхвърли всички %(invitedRooms)s покани", + "message_search_section": "Търсене на съобщения", + "encryption_individual_verification_mode": "Потвърждавай индивидуално всяка сесия на потребителите, маркирайки я като доверена и недоверявайки се на кръстосано-подписваните устройства.", + "message_search_disabled": "Кеширай шифровани съобщения локално по сигурен начин за да се появяват в резултати от търсения.", + "message_search_unsupported": "Липсват задължителни компоненти в %(brand)s, за да могат да бъдат складирани локално и по сигурен начин шифровани съобщения. Ако искате да експериментирате с тази функция, \"компилирайте\" версия на %(brand)s Desktop с добавени компоненти за търсене.", + "message_search_unsupported_web": "%(brand)s не може да кешира шифровани съобщения локално по сигурен начин когато работи в уеб браузър. Използвайте %(brand)s Desktop за да можете да търсите шифровани съобщения.", + "backup_key_well_formed": "коректен", + "backup_key_unexpected_type": "непознат тип", + "backup_key_stored_status": "Резервният ключ е съхранен:", + "cross_signing_not_stored": "не е складиран", + "backup_key_cached_status": "Резервният ключ е кеширан:", + "4s_public_key_status": "Публичен ключ за секретно складиране:", + "4s_public_key_in_account_data": "в данни за акаунта", + "secret_storage_status": "Секретно складиране:", + "secret_storage_ready": "готово", + "secret_storage_not_ready": "не е готово", + "delete_backup": "Изтрий резервното копие", + "delete_backup_confirm_description": "Сигурни ли сте? Ако нямате работещо резервно копие на ключовете, ще загубите достъп до шифрованите съобщения.", + "error_loading_key_backup_status": "Неуспешно зареждане на състоянието на резервното копие на ключа", + "restore_key_backup": "Възстанови от резервно копие", + "key_backup_inactive": "Тази сесия не прави резервни копия на ключовете, но имате съществуващо резервно копие, което да възстановите и към което да добавяте от тук нататък.", + "key_backup_connect_prompt": "Свържете тази сесия с резервно копие на ключове преди да се отпишете от нея, за да не загубите ключове, които може би съществуват единствено в тази сесия.", + "key_backup_connect": "Свържи тази сесия с резервно копие на ключовете", + "key_backup_complete": "Всички ключове са в резервното копие", + "key_backup_algorithm": "Алгоритъм:", + "key_backup_inactive_warning": "На ключовете ви не се прави резервно копие от тази сесия." }, "preferences": { "room_list_heading": "Списък със стаи", @@ -1498,7 +1423,10 @@ "add_msisdn_confirm_sso_button": "Потвърдете добавянето на този телефонен номер като докажете идентичността си чрез използване на Single Sign On.", "add_msisdn_confirm_button": "Потвърдете добавянето на телефонен номер", "add_msisdn_confirm_body": "Кликнете бутона по-долу за да потвърдите добавянето на телефонния номер.", - "add_msisdn_dialog_title": "Добави телефонен номер" + "add_msisdn_dialog_title": "Добави телефонен номер", + "name_placeholder": "Няма име", + "error_saving_profile_title": "Неуспешно запазване на профила ви", + "error_saving_profile": "Операцията не можа да бъде завършена" } }, "devtools": { @@ -1734,7 +1662,10 @@ "changed_img": "%(senderDisplayName)s промени аватара на стаята на " }, "creation_summary_dm": "%(creator)s създаде този директен чат.", - "creation_summary_room": "%(creator)s създаде и настрой стаята." + "creation_summary_room": "%(creator)s създаде и настрой стаята.", + "context_menu": { + "external_url": "URL на източника" + } }, "slash_command": { "spoiler": "Изпраща даденото съобщение като спойлер", @@ -1880,7 +1811,6 @@ "no_media_perms_description": "Може да се наложи ръчно да разрешите на %(brand)s да получи достъп до Вашия микрофон/уеб камера" }, "Other": "Други", - "Advanced": "Разширени", "room_settings": { "permissions": { "m.room.avatar": "Промяна на снимката на стаята", @@ -1939,7 +1869,8 @@ "room_predecessor": "Виж по-стари съобщения в %(roomName)s.", "room_version_section": "Версия на стаята", "room_version": "Версия на стаята:" - } + }, + "upload_avatar_label": "Качи профилна снимка" }, "encryption": { "verification": { @@ -1958,7 +1889,11 @@ "sas_caption_user": "Потвърдете този потребител като се уверите, че следното число се вижда на екрана му.", "unsupported_method": "Не може да бъде намерен поддържан метод за потвърждение.", "waiting_other_user": "Изчакване на %(displayName)s да потвърди…", - "cancelling": "Отказване…" + "cancelling": "Отказване…", + "unverified_sessions_toast_description": "Прегледайте, за да уверите, че профилът ви е в безопастност", + "unverified_sessions_toast_reject": "По-късно", + "unverified_session_toast_title": "Нов вход. Вие ли бяхте това?", + "request_toast_detail": "%(deviceId)s от %(ip)s" }, "old_version_detected_title": "Бяха открити стари криптографски данни", "old_version_detected_description": "Засечени са данни от по-стара версия на %(brand)s. Това ще доведе до неправилна работа на криптографията от край до край в по-старата версия. Шифрованите от край до край съобщения, които са били обменени наскоро (при използването на по-стара версия), може да не успеят да бъдат разшифровани в тази версия. Това също може да доведе до неуспех в обмяната на съобщения в тази версия. Ако имате проблеми, излезте и влезте отново в профила си. За да запазите историята на съобщенията, експортирайте и импортирайте отново Вашите ключове.", @@ -1967,7 +1902,17 @@ "bootstrap_title": "Настройка на ключове", "export_unsupported": "Вашият браузър не поддържа необходимите разширения за шифроване", "import_invalid_keyfile": "Невалиден файл с ключ за %(brand)s", - "import_invalid_passphrase": "Неуспешна автентикация: неправилна парола?" + "import_invalid_passphrase": "Неуспешна автентикация: неправилна парола?", + "set_up_toast_title": "Конфигуриране на Защитен Архив", + "upgrade_toast_title": "Има обновление на шифроването", + "verify_toast_title": "Потвърди тази сесия", + "set_up_toast_description": "Защитете се срещу загуба на достъп до криптирани съобшения и информация", + "verify_toast_description": "Други потребители може да не се доверят", + "cross_signing_unsupported": "Сървърът ви не поддържа кръстосано-подписване.", + "cross_signing_ready": "Кръстосаното-подписване е готово за използване.", + "cross_signing_untrusted": "Профилът ви има самоличност за кръстосано подписване в секретно складиране, но все още не е доверено от тази сесия.", + "cross_signing_not_ready": "Кръстосаното-подписване не е настроено.", + "not_supported": "<не се поддържа>" }, "emoji": { "category_frequently_used": "Често използвани", @@ -2073,7 +2018,8 @@ "no_hs_url_provided": "Не е указан адрес на сървър", "autodiscovery_unexpected_error_hs": "Неочаквана грешка в намирането на сървърната конфигурация", "autodiscovery_unexpected_error_is": "Неочаквана грешка при откриване на конфигурацията на сървъра за самоличност", - "incorrect_credentials_detail": "Моля, обърнете внимание, че влизате в %(hs)s сървър, а не в matrix.org." + "incorrect_credentials_detail": "Моля, обърнете внимание, че влизате в %(hs)s сървър, а не в matrix.org.", + "create_account_title": "Създай акаунт" }, "export_chat": { "messages": "Съобщения" @@ -2107,7 +2053,8 @@ "intro_welcome": "Добре дошли в %(appName)s", "send_dm": "Изпрати директно съобщение", "explore_rooms": "Разгледай публичните стаи", - "create_room": "Създай групов чат" + "create_room": "Създай групов чат", + "create_account": "Създай акаунт" }, "setting": { "help_about": { @@ -2207,11 +2154,14 @@ "private_description": "Само с покана, най-добро за вас самият или отбори", "public_heading": "Вашето публично пространство", "private_heading": "Вашето лично пространство", - "add_details_prompt": "Добавете някои подробности, за да помогнете на хората да го разпознаят." + "add_details_prompt": "Добавете някои подробности, за да помогнете на хората да го разпознаят.", + "label": "Създаване на пространство", + "add_details_prompt_2": "Можете да ги промените по всяко време." }, "user_menu": { "switch_theme_light": "Смени на светъл режим", - "switch_theme_dark": "Смени на тъмен режим" + "switch_theme_dark": "Смени на тъмен режим", + "settings": "Всички настройки" }, "notif_panel": { "empty_description": "Нямате видими уведомления." @@ -2227,7 +2177,14 @@ "leave_error_title": "Грешка при напускане на стаята", "upgrade_error_title": "Грешка при обновяване на стаята", "upgrade_error_description": "Проверете дали сървъра поддържа тази версия на стаята и опитайте пак.", - "leave_server_notices_description": "Тази стая се използва за важни съобщения от сървъра, така че не можете да я напуснете." + "leave_server_notices_description": "Тази стая се използва за важни съобщения от сървъра, така че не можете да я напуснете.", + "error_join_incompatible_version_2": "Моля, свържете се със сървърния администратор.", + "context_menu": { + "unfavourite": "В любими", + "favourite": "Любим", + "low_priority": "Нисък приоритет", + "forget": "Забрави стаята" + } }, "file_panel": { "guest_note": "Трябва да се регистрирате, за да използвате тази функционалност", @@ -2238,9 +2195,13 @@ "space": { "context_menu": { "explore": "Открий стаи", - "manage_and_explore": "Управление и откриване на стаи" + "manage_and_explore": "Управление и откриване на стаи", + "options": "Опции на пространството" }, - "share_public": "Споделете публичното си място" + "share_public": "Споделете публичното си място", + "invite_link": "Сподели връзка с покана", + "invite": "Покани хора", + "invite_description": "Покани чрез имейл или потребителско име" }, "terms": { "integration_manager": "Използвайте ботове, връзки с други мрежи, приспособления и стикери", @@ -2254,7 +2215,8 @@ "tac_button": "Прегледай правилата и условията", "identity_server_no_terms_title": "Сървъра за самоличност няма условия за ползване", "identity_server_no_terms_description_1": "Това действие изисква връзка със сървъра за самоличност за валидиране на имейл адреса или телефонния номер, но сървърът не предоставя условия за ползване.", - "identity_server_no_terms_description_2": "Продължете, само ако вярвате на собственика на сървъра." + "identity_server_no_terms_description_2": "Продължете, само ако вярвате на собственика на сървъра.", + "inline_intro_text": "Приемете за да продължите:" }, "failed_load_async_component": "Неуспешно зареждане! Проверете мрежовите настройки и опитайте пак.", "upload_failed_generic": "Файлът '%(fileName)s' не можа да бъде качен.", @@ -2291,7 +2253,28 @@ "widget": { "error_need_to_be_logged_in": "Трябва да влезете в профила си.", "error_need_invite_permission": "За да извършите това, трябва да имате право да добавяте потребители.", - "no_name": "Неизвестно приложение" + "no_name": "Неизвестно приложение", + "context_menu": { + "screenshot": "Направете снимка", + "delete": "Изтрий приспособлението", + "delete_warning": "Изтриването на приспособление го премахва за всички потребители в тази стая. Сигурни ли сте, че искате да изтриете това приспособление?", + "remove": "Премахни за всички", + "revoke": "Оттеглете привилегии", + "move_left": "Премести наляво", + "move_right": "Премести надясно" + }, + "shared_data_name": "Вашето име", + "shared_data_mxid": "Потребителския ви идентификатор", + "shared_data_theme": "Вашата тема", + "shared_data_url": "%(brand)s URL адрес", + "shared_data_room_id": "Идентификатор на стаята", + "shared_data_widget_id": "Идентификатор на приспособлението", + "shared_data_warning_im": "Използването на това приспособление може да сподели данни с %(widgetDomain)s и с мениджъра на интеграции.", + "shared_data_warning": "Използването на това приспособление може да сподели данни с %(widgetDomain)s.", + "unencrypted_warning": "Приспособленията не използваш шифроване на съобщенията.", + "added_by": "Приспособлението е добавено от", + "cookie_warning": "Това приспособление може да използва бисквитки.", + "popout": "Изкарай в нов прозорец" }, "scalar": { "error_create": "Неуспешно създаване на приспособление.", @@ -2313,7 +2296,48 @@ "admin_contact": "Моля, свържете се с администратора на услугата за да продължите да я използвате.", "connection": "Възникна проблем при комуникацията със Home сървъра, моля опитайте отново по-късно.", "mixed_content": "Не е възможно свързване към Home сървъра чрез HTTP, когато има HTTPS адрес в лентата на браузъра Ви. Или използвайте HTTPS или включете функция небезопасни скриптове.", - "tls": "Няма връзка с Home сървъра. Моля, проверете Вашата връзка. Уверете се, че SSL сертификатът на Home сървъра е надежден и че някое разширение на браузъра не блокира заявките." + "tls": "Няма връзка с Home сървъра. Моля, проверете Вашата връзка. Уверете се, че SSL сертификатът на Home сървъра е надежден и че някое разширение на браузъра не блокира заявките.", + "admin_contact_short": "Свържете се със сървърния администратор.", + "non_urgent_echo_failure_toast": "Сървърът ви не отговаря на някои заявки.", + "failed_copy": "Неуспешно копиране", + "something_went_wrong": "Нещо се обърка!", + "update_power_level": "Неуспешна промяна на нивото на достъп", + "unknown": "Неизвестна грешка" }, - "name_and_id": "%(name)s (%(userId)s)" + "name_and_id": "%(name)s (%(userId)s)", + "items_and_n_others": { + "other": " и %(count)s други", + "one": " и още един" + }, + "notifications": { + "enable_prompt_toast_title_from_message_send": "Не пропускайте отговор", + "enable_prompt_toast_title": "Известия", + "enable_prompt_toast_description": "Включете уведомления на работния плот", + "colour_none": "Няма нищо", + "colour_bold": "Удебелено", + "error_change_title": "Промяна на настройките за уведомление", + "mark_all_read": "Маркирай всичко като прочетено", + "class_other": "Други" + }, + "mobile_guide": { + "toast_title": "Използвайте приложението за по-добра работа", + "toast_accept": "Използване на приложението" + }, + "room_summary_card_back_action_label": "Информация за стаята", + "quick_settings": { + "all_settings": "Всички настройки", + "sidebar_settings": "Още опции" + }, + "analytics": { + "shared_data_heading": "Следните данни може да бъдат споделени:" + }, + "lightbox": { + "rotate_left": "Завърти наляво", + "rotate_right": "Завърти надясно" + }, + "a11y_jump_first_unread_room": "Отиди до първата непрочетена стая.", + "integration_manager": { + "error_connecting_heading": "Неуспешна връзка с мениджъра на интеграции", + "error_connecting": "Мениджъра на интеграции е офлайн или не може да се свърже със сървъра ви." + } } diff --git a/src/i18n/strings/ca.json b/src/i18n/strings/ca.json index 498fd32ed0..d517bf3da3 100644 --- a/src/i18n/strings/ca.json +++ b/src/i18n/strings/ca.json @@ -3,9 +3,7 @@ "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", - "Favourite": "Favorit", "Failed to change password. Is your password correct?": "S'ha produït un error en canviar la contrasenya. És correcta la teva contrasenya?", - "Notifications": "Notificacions", "unknown error code": "codi d'error desconegut", "Rooms": "Sales", "Warning!": "Avís!", @@ -40,13 +38,11 @@ "Reason": "Raó", "Send": "Envia", "Incorrect verification code": "El codi de verificació és incorrecte", - "No display name": "Sense nom visible", "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", - "Failed to change power level": "No s'ha pogut canviar el nivell d'autoritat", "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.", @@ -72,7 +68,6 @@ "one": "(~%(count)s resultat)" }, "Join Room": "Entra a la sala", - "Upload avatar": "Puja l'avatar", "Forget room": "Oblida la sala", "Low priority": "Baixa prioritat", "Historical": "Històric", @@ -89,20 +84,11 @@ "Invalid file%(extra)s": "Fitxer invàlid%(extra)s", "Error decrypting image": "Error desxifrant imatge", "Error decrypting video": "Error desxifrant video", - "Copied!": "Copiat!", - "Failed to copy": "No s'ha pogut copiar", "Add an Integration": "Afegeix una integració", "Email address": "Correu electrònic", "In reply to ": "En resposta a ", - "Something went wrong!": "Alguna cosa ha anat malament!", "Delete Widget": "Suprimeix el giny", - "Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "La supressió d'un giny l'elimina per a tots els usuaris d'aquesta sala. Esteu segur que voleu eliminar aquest giny?", - "Delete widget": "Suprimeix el giny", "Home": "Inici", - " and %(count)s others": { - "other": " i %(count)s altres", - "one": " i un altre" - }, "%(items)s and %(lastItem)s": "%(items)s i %(lastItem)s", "collapse": "col·lapsa", "expand": "expandeix", @@ -111,7 +97,6 @@ "other": "I %(count)s més..." }, "Confirm Removal": "Confirmeu l'eliminació", - "Unknown error": "Error desconegut", "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ó", @@ -148,14 +133,12 @@ "Confirm passphrase": "Introduïu una contrasenya", "Import room keys": "Importa les claus de la sala", "Sunday": "Diumenge", - "Notification targets": "Objectius de les notificacions", "Today": "Avui", "Friday": "Divendres", "Changelog": "Registre de canvis", "Failed to send logs: ": "No s'han pogut enviar els logs: ", "This Room": "Aquesta sala", "Unavailable": "No disponible", - "Source URL": "URL origen", "Filter results": "Resultats del filtre", "Search…": "Cerca…", "Tuesday": "Dimarts", @@ -170,13 +153,11 @@ "Thursday": "Dijous", "Logs sent": "Logs enviats", "Yesterday": "Ahir", - "Low Priority": "Baixa prioritat", "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", - "Please contact your homeserver administrator.": "Si us plau contacteu amb l'administrador del vostre homeserver.", "Email addresses": "Adreces de correu electrònic", "Phone numbers": "Números de telèfon", "Phone Number": "Número de telèfon", @@ -211,12 +192,10 @@ "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", - "Change notification settings": "Canvia la configuració de notificacions", "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ó", - "All settings": "Totes les configuracions", "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", @@ -249,7 +228,9 @@ "identity_server": "Servidor d'identitat", "integration_manager": "Gestor d'integracions", "on": "Engegat", - "off": "Apagat" + "off": "Apagat", + "copied": "Copiat!", + "advanced": "Avançat" }, "action": { "continue": "Continua", @@ -337,7 +318,8 @@ "noisy": "Sorollós", "error_permissions_denied": "%(brand)s no té permís per enviar-te notificacions, comprova la configuració del teu navegador", "error_permissions_missing": "%(brand)s no ha rebut cap permís per enviar notificacions, torna-ho a provar", - "error_title": "No s'han pogut activar les notificacions" + "error_title": "No s'han pogut activar les notificacions", + "push_targets": "Objectius de les notificacions" }, "appearance": { "subheading": "La configuració d'aspecte només afecta aquesta sessió %(brand)s.", @@ -371,7 +353,8 @@ "add_msisdn_confirm_sso_button": "Confirma l'addició d'aquest número de telèfon mitjançant la inscripció única SSO (per demostrar la teva identitat).", "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" + "add_msisdn_dialog_title": "Afegeix número de telèfon", + "name_placeholder": "Sense nom visible" } }, "devtools": { @@ -527,6 +510,9 @@ "lightbox_title": "%(senderDisplayName)s ha canviat l'avatar de %(roomName)s", "removed": "%(senderDisplayName)s ha eliminat l'avatar de la sala.", "changed_img": "%(senderDisplayName)s ha canviat l'avatar de la sala a " + }, + "context_menu": { + "external_url": "URL origen" } }, "slash_command": { @@ -598,7 +584,6 @@ "no_permission_conference_description": "No tens permís per iniciar una conferència telefònica en aquesta sala" }, "Other": "Altres", - "Advanced": "Avançat", "composer": { "placeholder_reply_encrypted": "Envia una resposta xifrada…", "placeholder_encrypted": "Envia un missatge xifrat…" @@ -629,7 +614,8 @@ }, "advanced": { "unfederated": "Aquesta sala no és accessible per a servidors de Matrix remots" - } + }, + "upload_avatar_label": "Puja l'avatar" }, "auth": { "sign_in_with_sso": "Inicia sessió mitjançant la inscripció única (SSO)", @@ -720,7 +706,12 @@ "leave_unexpected_error": "Error de servidor inesperat intentant sortir de la sala", "leave_error_title": "Error sortint de la sala", "upgrade_error_title": "Error actualitzant sala", - "upgrade_error_description": "Comprova que el teu servidor és compatible amb la versió de sala que has triat i torna-ho a intentar." + "upgrade_error_description": "Comprova que el teu servidor és compatible amb la versió de sala que has triat i torna-ho a intentar.", + "error_join_incompatible_version_2": "Si us plau contacteu amb l'administrador del vostre homeserver.", + "context_menu": { + "favourite": "Favorit", + "low_priority": "Baixa prioritat" + } }, "file_panel": { "guest_note": "Per poder utilitzar aquesta funcionalitat has de registrar-te", @@ -774,7 +765,11 @@ }, "widget": { "error_need_to_be_logged_in": "Has d'haver iniciat sessió.", - "error_need_invite_permission": "Per fer això, necessites poder convidar a usuaris." + "error_need_invite_permission": "Per fer això, necessites poder convidar a usuaris.", + "context_menu": { + "delete": "Suprimeix el giny", + "delete_warning": "La supressió d'un giny l'elimina per a tots els usuaris d'aquesta sala. Esteu segur que voleu eliminar aquest giny?" + } }, "scalar": { "error_create": "No s'ha pogut crear el giny.", @@ -790,6 +785,25 @@ }, "error": { "mau": "Aquest homeserver ha assolit el seu límit d'usuaris actius mensuals.", - "resource_limits": "Aquest homeserver ha sobrepassat on dels seus límits de recursos." + "resource_limits": "Aquest homeserver ha sobrepassat on dels seus límits de recursos.", + "failed_copy": "No s'ha pogut copiar", + "something_went_wrong": "Alguna cosa ha anat malament!", + "update_power_level": "No s'ha pogut canviar el nivell d'autoritat", + "unknown": "Error desconegut" + }, + "items_and_n_others": { + "other": " i %(count)s altres", + "one": " i un altre" + }, + "notifications": { + "enable_prompt_toast_title": "Notificacions", + "error_change_title": "Canvia la configuració de notificacions", + "class_other": "Altres" + }, + "user_menu": { + "settings": "Totes les configuracions" + }, + "quick_settings": { + "all_settings": "Totes les configuracions" } } diff --git a/src/i18n/strings/cs.json b/src/i18n/strings/cs.json index 3e1c1795d7..733dc0c036 100644 --- a/src/i18n/strings/cs.json +++ b/src/i18n/strings/cs.json @@ -4,7 +4,6 @@ "Home": "Domov", "Jump to first unread message.": "Přejít na první nepřečtenou zprávu.", "Low priority": "Nízká priorita", - "Notifications": "Oznámení", "Rooms": "Místnosti", "Sun": "Ne", "Mon": "Po", @@ -26,7 +25,6 @@ "Nov": "Lis", "Dec": "Pro", "Create new room": "Vytvořit novou místnost", - "Favourite": "Oblíbené", "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", @@ -41,7 +39,6 @@ "Custom level": "Vlastní úroveň", "Deactivate Account": "Deaktivovat účet", "Decrypt %(text)s": "Dešifrovat %(text)s", - "Delete widget": "Vymazat widget", "Default": "Výchozí", "Download %(text)s": "Stáhnout %(text)s", "Email address": "E-mailová adresa", @@ -64,12 +61,9 @@ "Moderator": "Moderátor", "New passwords must match each other.": "Nová hesla se musí shodovat.", "not specified": "neurčeno", - "": "", "AM": "dop.", "PM": "odp.", - "No display name": "Žádné zobrazované jméno", "No more results": "Žádné další výsledky", - "Failed to change power level": "Nepodařilo se změnit úroveň oprávnění", "%(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", @@ -101,9 +95,6 @@ "Delete Widget": "Smazat widget", "Error decrypting image": "Chyba při dešifrování obrázku", "Error decrypting video": "Chyba při dešifrování videa", - "Copied!": "Zkopírováno!", - "Failed to copy": "Nepodařilo se zkopírovat", - "Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "Smazáním widgetu ho odstraníte všem uživatelům v této místnosti. Opravdu chcete tento widget smazat?", "Jump to read receipt": "Přejít na poslední potvrzení o přečtení", "You seem to be uploading files, are you sure you want to quit?": "Zřejmě právě nahráváte soubory. Chcete přesto odejít?", "You seem to be in a call, are you sure you want to quit?": "Zřejmě máte probíhající hovor. Chcete přesto odejít?", @@ -112,7 +103,6 @@ "other": "(~%(count)s výsledků)", "one": "(~%(count)s výsledek)" }, - "Upload avatar": "Nahrát avatar", "Invited": "Pozvaní", "Search failed": "Vyhledávání selhalo", "Banned by %(displayName)s": "Vykázán(a) uživatelem %(displayName)s", @@ -131,17 +121,11 @@ "%(duration)sd": "%(duration)sd", "Invalid file%(extra)s": "Neplatný soubor%(extra)s", "You are about to be taken to a third-party site so you can authenticate your account for use with %(integrationsUrl)s. Do you wish to continue?": "Budete přesměrováni na stránku třetí strany k ověření svého účtu pro používání s %(integrationsUrl)s. Chcete pokračovat?", - "Something went wrong!": "Něco se nepodařilo!", - " and %(count)s others": { - "other": " a %(count)s další", - "one": " a jeden další" - }, "%(items)s and %(lastItem)s": "%(items)s a také %(lastItem)s", "And %(count)s more...": { "other": "A %(count)s dalších..." }, "Confirm Removal": "Potvrdit odstranění", - "Unknown error": "Neznámá chyba", "Unable to restore session": "Nelze obnovit relaci", "If you have previously used a more recent version of %(brand)s, your session may be incompatible with this version. Close this window and return to the more recent version.": "Pokud jste se v minulosti již přihlásili s novější verzi programu %(brand)s, vaše relace nemusí být kompatibilní s touto verzí. Zavřete prosím toto okno a přihlaste se znovu pomocí nové verze.", "Please check your email and click on the link it contains. Once this is done, click continue.": "Zkontrolujte svou e-mailovou schránku a klepněte na odkaz ve zprávě, kterou jsme vám poslali. V případě, že jste to už udělali, klepněte na tlačítko Pokračovat.", @@ -150,21 +134,17 @@ "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", - "Reject all %(invitedRooms)s invites": "Odmítnutí všech %(invitedRooms)s pozvání", - "Profile": "Profil", "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", "Sunday": "Neděle", - "Notification targets": "Cíle oznámení", "Today": "Dnes", "Friday": "Pátek", "Changelog": "Seznam změn", "This Room": "Tato místnost", "Unavailable": "Nedostupné", - "Source URL": "Zdrojová URL", "Filter results": "Filtrovat výsledky", "Tuesday": "Úterý", "Saturday": "Sobota", @@ -176,7 +156,6 @@ "Thursday": "Čtvrtek", "Search…": "Hledat…", "Yesterday": "Včera", - "Low Priority": "Nízká priorita", "Wednesday": "Středa", "Thank you!": "Děkujeme vám!", "Permission Required": "Vyžaduje oprávnění", @@ -190,7 +169,6 @@ "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", - "Popout widget": "Otevřít widget v novém okně", "Unable to load event that was replied to, it either does not exist or you do not have permission to view it.": "Není možné načíst událost, na kterou se odpovídalo. Buď neexistuje, nebo nemáte oprávnění ji zobrazit.", "In reply to ": "V odpovědi na ", "Preparing to send logs": "Příprava na odeslání záznamů", @@ -223,7 +201,6 @@ "Failed to upgrade room": "Nezdařilo se aktualizovat místnost", "The room upgrade could not be completed": "Nepodařilo se dokončit aktualizaci místnosti", "Upgrade this room to version %(version)s": "Aktualizace místnosti na verzi %(version)s", - "General": "Obecné", "General failure": "Nějaká chyba", "Room Name": "Název místnosti", "Room Topic": "Téma místnosti", @@ -238,24 +215,15 @@ "Phone Number": "Telefonní číslo", "Unable to verify phone number.": "Nepovedlo se ověřit telefonní číslo.", "Verification code": "Ověřovací kód", - "Profile picture": "Profilový obrázek", - "Display Name": "Zobrazované jméno", "Room Addresses": "Adresy místnosti", "Ignored users": "Ignorovaní uživatelé", - "Bulk options": "Hromadná možnost", "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", - "Delete Backup": "Smazat zálohu", - "Are you sure? You will lose your encrypted messages if your keys are not backed up properly.": "Opravdu? Pokud klíče nejsou správně zálohované můžete přijít o šifrované zprávy.", "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.", - "Unable to load key backup status": "Nepovedlo se načíst stav zálohy", - "Restore from Backup": "Obnovit ze zálohy", "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.", - "All keys backed up": "Všechny klíče jsou zazálohované", "Start using Key Backup": "Začít používat zálohu klíčů", - "Please contact your homeserver administrator.": "Kontaktujte prosím správce domovského serveru.", "Dog": "Pes", "Cat": "Kočka", "Lion": "Lev", @@ -359,9 +327,7 @@ "Join millions for free on the largest public server": "Přidejte k miliónům registrovaným na největším veřejném serveru", "Couldn't load page": "Nepovedlo se načíst stránku", "Your password has been reset.": "Heslo bylo resetováno.", - "Create account": "Vytvořit účet", "Scissors": "Nůžky", - "Accept all %(invitedRooms)s invites": "Přijmout pozvání do všech těchto místností: %(invitedRooms)s", "Error updating main address": "Nepovedlo se změnit hlavní adresu", "There was an error updating the room's main address. It may not be allowed by the server or a temporary failure occurred.": "Nastala chyba při pokusu o nastavení hlavní adresy místnosti. Mohl to zakázat server, nebo to může být dočasná chyba.", "Power level": "Úroveň oprávnění", @@ -391,8 +357,6 @@ "Revoke invite": "Zrušit pozvání", "Invited by %(sender)s": "Pozván od uživatele %(sender)s", "edited": "upraveno", - "Rotate Left": "Otočit doleva", - "Rotate Right": "Otočit doprava", "Edit message": "Upravit zprávu", "Notes": "Poznámky", "Sign out and remove encryption keys?": "Odhlásit a odstranit šifrovací klíče?", @@ -424,7 +388,6 @@ "Notification sound": "Zvuk oznámení", "Set a new custom sound": "Nastavit vlastní zvuk", "Browse": "Procházet", - "Accept to continue:": "Pro pokračování odsouhlaste :", "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 ?", @@ -450,8 +413,6 @@ "Please tell us what went wrong or, better, create a GitHub issue that describes the problem.": "Dejte nám vědět, prosím, co se pokazilo nebo vytvořte issue na GitHubu, kde problém popište.", "Removing…": "Odstaňování…", "Clear all data": "Smazat všechna data", - "Hide advanced": "Skrýt pokročilé možnosti", - "Show advanced": "Zobrazit pokročilé možnosti", "Your homeserver doesn't seem to support this feature.": "Váš domovský server asi tuto funkci nepodporuje.", "Message edits": "Úpravy zpráv", "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:": "Aktualizace této místnosti vyžaduje uzavření stávající místnosti a vytvoření nové místnosti, která ji nahradí. Pro usnadnění procesu pro členy místnosti, provedeme:", @@ -520,12 +481,8 @@ "Upload all": "Nahrát vše", "Resend %(unsentCount)s reaction(s)": "Poslat %(unsentCount)s reakcí znovu", "Explore rooms": "Procházet místnosti", - "Jump to first unread room.": "Přejít na první nepřečtenou místnost.", - "Jump to first invite.": "Přejít na první pozvánku.", "Failed to re-authenticate due to a homeserver problem": "Kvůli problémům s domovským server se nepovedlo autentifikovat znovu", "Clear personal data": "Smazat osobní data", - "Cannot connect to integration manager": "Nepovedlo se připojení ke správci integrací", - "The integration manager is offline or it cannot reach your homeserver.": "Správce integrací neběží nebo se nemůže připojit k vašemu domovskému serveru.", "Manage integrations": "Správa integrací", "None": "Žádné", "Unencrypted": "Nezašifrované", @@ -534,18 +491,6 @@ "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.", - "Any of the following data may be shared:": "Následující data můžou být sdílena:", - "Your display name": "Vaše zobrazované jméno", - "Your user ID": "Vaše ID", - "Your theme": "Váš motiv vzhledu", - "%(brand)s URL": "URL %(brand)su", - "Room ID": "ID místnosti", - "Widget ID": "ID widgetu", - "Using this widget may share data with %(widgetDomain)s.": "Použití tohoto widgetu může sdílet data s %(widgetDomain)s.", - "Widgets do not use message encryption.": "Widgety nepoužívají šifrování zpráv.", - "Widget added by": "Widget přidal", - "This widget may use cookies.": "Widget může používat cookies.", - "More options": "Více možností", "Integrations are disabled": "Integrace jsou zakázané", "Integrations not allowed": "Integrace nejsou povolené", "Upgrade private room": "Aktualizovat soukromou místnost", @@ -553,7 +498,6 @@ "Upgrading a room is an advanced action and is usually recommended when a room is unstable due to bugs, missing features or security vulnerabilities.": "Upgradování místnosti je pokročilá operace a je doporučeno jí provést pokud je místnost nestabilní kvůli chybám, chybějícím funkcím nebo zranitelnostem.", "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 .", - "Remove for everyone": "Odstranit pro všechny", "Verification Request": "Požadavek na ověření", "Unable to set up secret storage": "Nepovedlo se nastavit bezpečné úložiště", "Close preview": "Zavřít náhled", @@ -564,23 +508,9 @@ }, "Language Dropdown": "Menu jazyků", "Country Dropdown": "Menu států", - "Verify this session": "Ověřit tuto relaci", - "Encryption upgrade available": "Je dostupná aktualizace šifrování", "Lock": "Zámek", - "Other users may not trust it": "Ostatní uživatelé této relaci nemusí věřit", - "Later": "Později", "Show more": "Více", - "Your account has a cross-signing identity in secret storage, but it is not yet trusted by this session.": "Váš účet má v bezpečném úložišti identitu pro křížový podpis, ale v této relaci jí zatím nevěříte.", - "Secret storage public key:": "Veřejný klíč bezpečného úložiště:", - "in account data": "v datech účtu", - "Securely cache encrypted messages locally for them to appear in search results.": "Bezpečně uchovávat zprávy na tomto zařízení aby se v nich dalo vyhledávat.", - "This session is not backing up your keys, but you do have an existing backup you can restore from and add to going forward.": "Tato relace nezálohuje vaše klíče, ale už máte zálohu ze které je můžete obnovit.", - "Connect this session to key backup before signing out to avoid losing any keys that may only be on this session.": "Než se odhlásíte, připojte tuto relaci k záloze klíčů, abyste nepřišli o klíče, které mohou být jen v této relaci.", - "Connect this session to Key Backup": "Připojit k zálohování klíčů", - "not stored": "není uložen", "This backup is trusted because it has been restored on this session": "Záloze věříme, protože už byla v této relaci načtena", - "Your keys are not being backed up from this session.": "Vaše klíče nejsou z této relace zálohovány.", - "Message search": "Vyhledávání ve zprávách", "This room is bridging messages to the following platforms. Learn more.": "Tato místnost je propojena s následujícími platformami. Více informací", "Bridges": "Propojení", "This user has not verified all of their sessions.": "Tento uživatel zatím neověřil všechny své relace.", @@ -626,7 +556,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í", - "%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with search components added.": "%(brand)su chybí nějaké komponenty, které jsou potřeba pro vyhledávání v zabezpečených místnostech. Pokud chcete s touto funkcí experimentovat, tak si pořiďte vlastní %(brand)s Desktop s přidanými komponentami.", "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.", @@ -644,10 +573,7 @@ "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.", - "Your homeserver does not support cross-signing.": "Váš domovský server nepodporuje křížové podepisování.", "Accepting…": "Přijímání…", - "Mark all as read": "Označit vše jako přečtené", - "Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "Individuálně ověřit každou uživatelovu relaci a označit jí za důvěryhodnou, bez důvěry v křížový podpis.", "Scroll to most recent messages": "Přejít na poslední zprávy", "There was an error updating the room's alternative addresses. It may not be allowed by the server or a temporary failure occurred.": "Nepovedlo se změnit alternativní adresy místnosti. Možná to server neumožňuje a nebo je to dočasná chyba.", "Local address": "Lokální adresa", @@ -663,7 +589,6 @@ "To report a Matrix-related security issue, please read the Matrix.org Security Disclosure Policy.": "Pro hlášení bezpečnostních problémů s Matrixem si prosím přečtěte naší Bezpečnostní politiku (anglicky).", "Almost there! Is %(displayName)s showing the same shield?": "Téměř hotovo! Je relace %(displayName)s také ověřená?", "You've successfully verified %(deviceName)s (%(deviceId)s)!": "Ověřili jste %(deviceName)s (%(deviceId)s)!", - "New login. Was this you?": "Nové přihlášní. Jste to vy?", "You signed in to a new session without verifying it:": "Přihlásili jste se do nové relace, aniž byste ji ověřili:", "Verify your other session using one of the options below.": "Ověřte další relaci jedním z následujících způsobů.", "You've successfully verified your device!": "Úspěšně jste ověřili vaše zařízení!", @@ -687,13 +612,9 @@ "Confirm account deactivation": "Potvrďte deaktivaci účtu", "There was a problem communicating with the server. Please try again.": "Došlo k potížím při komunikaci se serverem. Zkuste to prosím znovu.", "IRC display name width": "šířka zobrazovného IRC jména", - "unexpected type": "neočekávaný typ", "Your homeserver has exceeded its user limit.": "Na vašem domovském serveru byl překročen limit počtu uživatelů.", "Your homeserver has exceeded one of its resource limits.": "Na vašem domovském serveru byl překročen limit systémových požadavků.", - "Contact your server admin.": "Kontaktujte administrátora serveru.", "Ok": "Ok", - "Favourited": "Oblíbená", - "Forget Room": "Zapomenout místnost", "Room options": "Možnosti místnosti", "This room is public": "Tato místnost je veřejná", "Error creating address": "Chyba při tvorbě adresy", @@ -714,9 +635,6 @@ "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.", - "Change notification settings": "Upravit nastavení oznámení", - "Your server isn't responding to some requests.": "Váš server neodpovídá na některé požadavky.", - "%(brand)s can't securely cache encrypted messages locally while running in a web browser. Use %(brand)s Desktop for encrypted messages to appear in search results.": "%(brand)s nemůže bezpečně ukládat šifrované zprávy lokálně v prohlížeči. Pro zobrazení šifrovaných zpráv ve výsledcích vyhledávání použijte %(brand)s Desktop.", "Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "Správce vašeho serveru vypnul ve výchozím nastavení koncové šifrování v soukromých místnostech a přímých zprávách.", "The authenticity of this encrypted message can't be guaranteed on this device.": "Pravost této šifrované zprávy nelze na tomto zařízení ověřit.", "No recently visited rooms": "Žádné nedávno navštívené místnosti", @@ -729,7 +647,6 @@ "Cancelled signature upload": "Nahrávání podpisu zrušeno", "Unable to upload": "Nelze nahrát", "Server isn't responding": "Server neodpovídá", - "All settings": "Všechna nastavení", "Start a conversation with someone using their name, email address or username (like ).": "Napište jméno nebo emailovou adresu uživatele se kterým chcete začít konverzaci (např. ).", "Czech Republic": "Česká republika", "Algeria": "Alžírsko", @@ -744,33 +661,23 @@ "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", - "Secret storage:": "Bezpečné úložiště:", - "Backup key cached:": "Klíč zálohy cachován:", - "Backup key stored:": "Klíč zálohy uložen:", "Backup version:": "Verze zálohy:", - "Algorithm:": "Algoritmus:", - "Cross-signing is not set up.": "Křížové podepisování není nastaveno.", - "Cross-signing is ready for use.": "Křížové podepisování je připraveno k použití.", "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.", "The server is offline.": "Server je offline.", - "not ready": "nepřipraveno", "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íč", - "Set up Secure Backup": "Nastavení zabezpečené zálohy", "Safeguard against losing access to encrypted messages & data by backing up encryption keys on your server.": "Chraňte se před ztrátou přístupu k šifrovaným zprávám a datům zálohováním šifrovacích klíčů na serveru.", - "Safeguard against losing access to encrypted messages & data": "Zabezpečení proti ztrátě přístupu k šifrovaným zprávám a datům", "Invite by email": "Pozvat emailem", "Reason (optional)": "Důvod (volitelné)", "Sign in with SSO": "Přihlásit pomocí SSO", - "Take a picture": "Vyfotit", "Hold": "Podržet", "Resume": "Pokračovat", "Successfully restored %(sessionCount)s keys": "Úspěšně obnoveno %(sessionCount)s klíčů", @@ -928,7 +835,6 @@ "Angola": "Angola", "Andorra": "Andorra", "American Samoa": "Americká Samoa", - "Enable desktop notifications": "Povolit oznámení na ploše", "Security Key": "Bezpečnostní klíč", "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.", @@ -938,10 +844,6 @@ "Confirm encryption setup": "Potvrďte nastavení šifrování", "Unable to set up keys": "Nepovedlo se nastavit klíče", "Save your Security Key": "Uložte svůj bezpečnostní klíč", - "ready": "připraveno", - "Don't miss a reply": "Nezmeškejte odpovědět", - "Move right": "Posunout doprava", - "Move left": "Posunout doleva", "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í", @@ -1056,7 +958,6 @@ "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.", - "Revoke permissions": "Odvolat oprávnění", "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", @@ -1065,8 +966,6 @@ "Your firewall or anti-virus is blocking the request.": "Váš firewall nebo antivirový program blokuje požadavek.", "The server (%(serverName)s) took too long to respond.": "Serveru (%(serverName)s) trvalo příliš dlouho, než odpověděl.", "Your server isn't responding to some of your requests. Below are some of the most likely reasons.": "Váš server neodpovídá na některé vaše požadavky. Níže jsou některé z nejpravděpodobnějších důvodů.", - "The operation could not be completed": "Operace nemohla být dokončena", - "Failed to save your profile": "Váš profil se nepodařilo uložit", "You can only pin up to %(count)s widgets": { "other": "Můžete připnout až %(count)s widgetů" }, @@ -1076,11 +975,6 @@ "Modal Widget": "Modální widget", "Join the conference from the room information card on the right": "Připojte se ke konferenci z informační karty místnosti napravo", "Join the conference at the top of this room": "Připojte se ke konferenci v horní části této místnosti", - "Securely cache encrypted messages locally for them to appear in search results, using %(size)s to store messages from %(rooms)s rooms.": { - "one": "Bezpečně uloží zašifrované zprávy v místním úložišti, aby se mohly objevit ve výsledcích vyhledávání, využívá se %(size)s k ukládání zpráv z %(rooms)s místnosti.", - "other": "Bezpečně uloží zašifrované zprávy v místním úložišti, aby se mohly objevit ve výsledcích vyhledávání, využívá se %(size)s k ukládání zpráv z %(rooms)s místností." - }, - "well formed": "ve správném tvaru", "Transfer": "Přepojit", "A call can only be transferred to a single user.": "Hovor lze přepojit pouze jednomu uživateli.", "Open dial pad": "Otevřít číselník", @@ -1089,7 +983,6 @@ "If you've forgotten your Security Phrase you can use your Security Key or set up new recovery options": "Pokud jste zapomněli bezpečnostní frázi, můžete použít bezpečnostní klíč nebo nastavit nové možnosti obnovení", "Backup could not be decrypted with this Security Phrase: please verify that you entered the correct Security Phrase.": "Zálohu nebylo možné dešifrovat pomocí této bezpečnostní fráze: ověřte, zda jste zadali správnou bezpečnostní frázi.", "Backup could not be decrypted with this Security Key: please verify that you entered the correct Security Key.": "Zálohu nebylo možné dešifrovat pomocí tohoto bezpečnostního klíče: ověřte, zda jste zadali správný bezpečnostní klíč.", - "Back up your encryption keys with your account data in case you lose access to your sessions. Your keys will be secured with a unique Security Key.": "Zálohujte šifrovací klíče s daty účtu pro případ, že ztratíte přístup k relacím. Vaše klíče budou zabezpečeny jedinečným bezpečnostním klíčem.", "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.", @@ -1109,8 +1002,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", - "Use app for a better experience": "Pro lepší zážitek použijte aplikaci", - "Use app": "Použijte aplikaci", "Recently visited rooms": "Nedávno navštívené místnosti", "%(count)s members": { "one": "%(count)s člen", @@ -1118,29 +1009,19 @@ }, "Are you sure you want to leave the space '%(spaceName)s'?": "Opravdu chcete opustit prostor '%(spaceName)s'?", "This space is not public. You will not be able to rejoin without an invite.": "Tento prostor není veřejný. Bez pozvánky se nebudete moci znovu připojit.", - "Start audio stream": "Zahájit audio přenos", "Failed to start livestream": "Nepodařilo spustit živý přenos", "Unable to start audio streaming.": "Nelze spustit streamování zvuku.", - "Leave Space": "Opustit prostor", - "Edit settings relating to your space.": "Upravte nastavení týkající se vašeho prostoru.", - "Failed to save space settings.": "Nastavení prostoru se nepodařilo uložit.", "Invite someone using their name, username (like ) or share this space.": "Pozvěte někoho pomocí jeho jména, uživatelského jména (například ) nebo sdílejte tento prostor.", "Invite someone using their name, email address, username (like ) or share this space.": "Pozvěte někoho pomocí jeho jména, e-mailové adresy, uživatelského jména (například ) nebo sdílejte tento prostor.", "Create a new room": "Vytvořit novou místnost", - "Spaces": "Prostory", "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", - "Space options": "Nastavení prostoru", "Leave space": "Opusit prostor", - "Invite people": "Pozvat lidi", - "Share invite link": "Sdílet odkaz na pozvánku", - "Click to copy": "Kliknutím zkopírujte", "Create a space": "Vytvořit prostor", - "Save Changes": "Uložit změny", "This usually only affects how the room is processed on the server. If you're having problems with your %(brand)s, please report a bug.": "Toto obvykle ovlivňuje pouze to, jak je místnost zpracována na serveru. Pokud máte problémy s %(brand)s, nahlaste prosím chybu.", "Private space": "Soukromý prostor", "Public space": "Veřejný prostor", @@ -1153,8 +1034,6 @@ }, "You don't have permission": "Nemáte povolení", "Invite to %(roomName)s": "Pozvat do %(roomName)s", - "Invite with email or username": "Pozvěte e-mailem nebo uživatelským jménem", - "You can change these anytime.": "Tyto údaje můžete kdykoli změnit.", "Edit devices": "Upravit zařízení", "%(count)s people you know have already joined": { "one": "%(count)s osoba, kterou znáte, se již připojila", @@ -1162,9 +1041,6 @@ }, "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.", - "Review to ensure your account is safe": "Zkontrolujte, zda je váš účet v bezpečí", - "%(deviceId)s from %(ip)s": "%(deviceId)s z %(ip)s", - "unknown person": "neznámá osoba", "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", @@ -1204,8 +1080,6 @@ "No microphone found": "Nebyl nalezen žádný mikrofon", "We were unable to access your microphone. Please check your browser settings and try again.": "Nepodařilo se získat přístup k vašemu mikrofonu . Zkontrolujte prosím nastavení prohlížeče a zkuste to znovu.", "Unable to access your microphone": "Nelze získat přístup k mikrofonu", - "Connecting": "Spojování", - "Message search initialisation failed": "Inicializace vyhledávání zpráv se nezdařila", "Search names and descriptions": "Hledat názvy a popisy", "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í.", @@ -1220,15 +1094,9 @@ "Message preview": "Náhled zprávy", "Sent": "Odesláno", "You don't have permission to do this": "K tomu nemáte povolení", - "Error - Mixed content": "Chyba - Smíšený obsah", - "Error loading Widget": "Chyba při načítání widgetu", "Pinned messages": "Připnuté zprávy", "If you have permissions, open the menu on any message and select Pin to stick them here.": "Pokud máte oprávnění, otevřete nabídku na libovolné zprávě a výběrem možnosti Připnout je sem vložte.", "Nothing pinned, yet": "Zatím není nic připnuto", - "Report": "Nahlásit", - "Collapse reply thread": "Sbalit vlákno odpovědi", - "Show preview": "Zobrazit náhled", - "View source": "Zobrazit zdroj", "Please provide an address": "Uveďte prosím adresu", "Message search initialisation failed, check your settings for more information": "Inicializace vyhledávání zpráv se nezdařila, zkontrolujte svá nastavení", "Set addresses for this space so users can find this space through your homeserver (%(localDomain)s)": "Nastavte adresy pro tento prostor, aby jej uživatelé mohli najít prostřednictvím domovského serveru (%(localDomain)s)", @@ -1237,22 +1105,10 @@ "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", - "Recommended for public spaces.": "Doporučeno pro veřejné prostory.", - "Allow people to preview your space before they join.": "Umožněte lidem prohlédnout si váš prostor ještě předtím, než se připojí.", - "Preview Space": "Nahlédnout do prostoru", - "Decide who can view and join %(spaceName)s.": "Rozhodněte, kdo může prohlížet a připojovat se k %(spaceName)s.", - "This may be useful for public spaces.": "To může být užitečné pro veřejné prostory.", - "Guests can join a space without having an account.": "Hosté se mohou připojit k prostoru, aniž by měli účet.", - "Enable guest access": "Povolit přístup hostům", - "Failed to update the history visibility of this space": "Nepodařilo se aktualizovat viditelnost historie tohoto prostoru", - "Failed to update the guest access of this space": "Nepodařilo se aktualizovat přístup hosta do tohoto prostoru", - "Failed to update the visibility of this space": "Nepodařilo se aktualizovat viditelnost tohoto prostoru", - "Visibility": "Viditelnost", "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.", - "Using this widget may share data with %(widgetDomain)s & your integration manager.": "Použití tohoto widgetu může sdílet data s %(widgetDomain)s a vaším správcem integrací.", "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.", @@ -1270,13 +1126,6 @@ "Select spaces": "Vybrané prostory", "You're removing all spaces. Access will default to invite only": "Odstraňujete všechny prostory. Přístup bude ve výchozím nastavení pouze na pozvánky", "User Directory": "Adresář uživatelů", - "& %(count)s more": { - "other": "a %(count)s dalších", - "one": "a %(count)s další" - }, - "This upgrade will allow members of selected spaces access to this room without an invite.": "Tato změna umožní členům vybraných prostorů přístup do této místnosti bez pozvánky.", - "There was an error loading your notification settings.": "Došlo k chybě při načítání nastavení oznámení.", - "Global": "Globální", "Error downloading audio": "Chyba při stahování audia", "No answer": "Žádná odpověď", "An unknown error occurred": "Došlo k neznámé chybě", @@ -1292,29 +1141,12 @@ "one": "Zobrazit %(count)s další náhled", "other": "Zobrazit %(count)s dalších náhledů" }, - "Access": "Přístup", - "Space members": "Členové prostoru", - "Anyone in a space can find and join. You can select multiple spaces.": "Každý, kdo se nachází v prostoru, ho může najít a připojit se k němu. Můžete vybrat více prostorů.", - "Spaces with access": "Prostory s přístupem", - "Anyone in a space can find and join. Edit which spaces can access here.": "Každý, kdo se nachází v prostoru, ho může najít a připojit se k němu. Zde upravte, ke kterým prostorům lze přistupovat.", - "Currently, %(count)s spaces have access": { - "other": "V současné době má %(count)s prostorů přístup k", - "one": "V současné době má prostor přístup" - }, - "Upgrade required": "Vyžadována aktualizace", - "Mentions & keywords": "Zmínky a klíčová slova", - "New keyword": "Nové klíčové slovo", - "Keyword": "Klíčové slovo", - "Share content": "Sdílet obsah", - "Application window": "Okno aplikace", - "Share entire screen": "Sdílet celou obrazovku", "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.", "You won't be able to rejoin unless you are re-invited.": "Pokud nebudete znovu pozváni, nebudete se moci připojit.", - "Search %(spaceName)s": "Hledat %(spaceName)s", "Want to add an existing space instead?": "Chcete místo toho přidat stávající prostor?", "Private space (invite only)": "Soukromý prostor (pouze pro pozvané)", "Space visibility": "Viditelnost prostoru", @@ -1328,24 +1160,17 @@ "Create a new space": "Vytvořit nový prostor", "Want to add a new space instead?": "Chcete místo toho přidat nový prostor?", "Decrypting": "Dešifrování", - "Show all rooms": "Zobrazit všechny místnosti", "Missed call": "Zmeškaný hovor", "Call declined": "Hovor odmítnut", "Stop recording": "Zastavit nahrávání", "Send voice message": "Odeslat hlasovou zprávu", - "More": "Více", - "Show sidebar": "Zobrazit postranní panel", - "Hide sidebar": "Skrýt postranní panel", - "Delete avatar": "Smazat avatar", "Unknown failure: %(reason)s": "Neznámá chyba: %(reason)s", "Rooms and spaces": "Místnosti a prostory", "Results": "Výsledky", - "Cross-signing is ready but keys are not backed up.": "Křížové podepisování je připraveno, ale klíče nejsou zálohovány.", "Some encryption parameters have been changed.": "Byly změněny některé parametry šifrování.", "Role in ": "Role v ", "Unknown failure": "Neznámá chyba", "Failed to update the join rules": "Nepodařilo se aktualizovat pravidla pro připojení", - "Anyone in can find and join. You can select other spaces too.": "Kdokoli v může prostor najít a připojit se. Můžete vybrat i další prostory.", "Message didn't send. Click for info.": "Zpráva se neodeslala. Klikněte pro informace.", "To join a space you'll need an invite.": "Pro připojení k prostoru potřebujete pozvánku.", "Would you like to leave the rooms in this space?": "Chcete odejít z místností v tomto prostoru?", @@ -1373,16 +1198,6 @@ "Unban from %(roomName)s": "Zrušit vykázání z %(roomName)s", "They'll still be able to access whatever you're not an admin of.": "Stále budou mít přístup ke všemu, čeho nejste správcem.", "Disinvite from %(roomName)s": "Zrušit pozvánku do %(roomName)s", - "Updating spaces... (%(progress)s out of %(count)s)": { - "one": "Aktualizace prostoru...", - "other": "Aktualizace prostorů... (%(progress)s z %(count)s)" - }, - "Sending invites... (%(progress)s out of %(count)s)": { - "one": "Odeslání pozvánky...", - "other": "Odesílání pozvánek... (%(progress)s z %(count)s)" - }, - "Loading new room": "Načítání nové místnosti", - "Upgrading room": "Aktualizace místnosti", "Downloading": "Stahování", "%(count)s reply": { "one": "%(count)s odpověď", @@ -1403,17 +1218,10 @@ "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.", - "This room is in some spaces you're not an admin of. In those spaces, the old room will still be shown, but people will be prompted to join the new one.": "Tato místnost se nachází v některých prostorech, jejichž nejste správcem. V těchto prostorech bude stará místnost stále zobrazena, ale lidé budou vyzváni, aby se připojili k nové místnosti.", "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ě", - "Home is useful for getting an overview of everything.": "Domov je užitečný pro získání přehledu o všem.", - "Spaces to show": "Prostory pro zobrazení", - "Sidebar": "Postranní panel", - "Show all your rooms in Home, even if they're in a space.": "Zobrazit všechny místnosti v Domovu, i když jsou v prostoru.", - "Rooms outside of a space": "Místnosti mimo prostor", - "Mentions only": "Pouze zmínky", "Forget": "Zapomenout", "Files": "Soubory", "You won't get any notifications": "Nebudete dostávat žádná oznámení", @@ -1442,8 +1250,6 @@ "Themes": "Motivy vzhledu", "Moderation": "Moderování", "Messaging": "Zprávy", - "Pin to sidebar": "Připnout na postranní panel", - "Quick settings": "Rychlá nastavení", "Spaces you know that contain this space": "Prostory, které znáte obsahující tento prostor", "Chat": "Chat", "Home options": "Možnosti domovské obrazovky", @@ -1458,8 +1264,6 @@ "one": "%(count)s hlas. Hlasujte a podívejte se na výsledky" }, "No votes cast": "Nikdo nehlasoval", - "Share anonymous data to help us identify issues. Nothing personal. No third parties.": "Sdílejte anonymní údaje, které nám pomohou identifikovat problémy. Nic osobního. Žádné třetí strany.", - "Share location": "Sdílet polohu", "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.": "Chcete ukončit toto hlasování? Zobrazí se konečné výsledky hlasování a lidé nebudou moci dále hlasovat.", "End Poll": "Ukončit hlasování", "Sorry, the poll did not end. Please try again.": "Omlouváme se, ale hlasování neskončilo. Zkuste to prosím znovu.", @@ -1479,7 +1283,6 @@ "Other rooms in %(spaceName)s": "Další místnosti v %(spaceName)s", "Spaces you're in": "Prostory, ve kterých se nacházíte", "Including you, %(commaSeparatedMembers)s": "Včetně vás, %(commaSeparatedMembers)s", - "Copy room link": "Kopírovat odkaz", "This groups your chats with members of this space. Turning this off will hide those chats from your view of %(spaceName)s.": "Vaše konverzace s členy tohoto prostoru se seskupí. Vypnutím této funkce se tyto chaty skryjí z vašeho pohledu na %(spaceName)s.", "Sections to show": "Sekce pro zobrazení", "Open in OpenStreetMap": "Otevřít v OpenStreetMap", @@ -1487,9 +1290,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)", - "Back to thread": "Zpět do vlákna", - "Room members": "Členové místnosti", - "Back to chat": "Zpět do chatu", "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í", @@ -1510,10 +1310,6 @@ "You were removed from %(roomName)s by %(memberName)s": "Byl(a) jsi odebrán(a) z %(roomName)s uživatelem %(memberName)s", "Message pending moderation": "Zpráva čeká na moderaci", "Message pending moderation: %(reason)s": "Zpráva čeká na moderaci: %(reason)s", - "Group all your rooms that aren't part of a space in one place.": "Seskupte všechny místnosti, které nejsou součástí prostoru, na jednom místě.", - "Group all your people in one place.": "Seskupte všechny své kontakty na jednom místě.", - "Group all your favourite rooms and people in one place.": "Seskupte všechny své oblíbené místnosti a osoby na jednom místě.", - "Spaces are ways to group rooms and people. Alongside the spaces you're in, you can use some pre-built ones too.": "Prostory jsou způsob seskupování místností a osob. Vedle prostorů, ve kterých se nacházíte, můžete použít i některé předpřipravené.", "Pick a date to jump to": "Vyberte datum, na které chcete přejít", "Jump to date": "Přejít na datum", "The beginning of the room": "Začátek místnosti", @@ -1539,12 +1335,9 @@ "My current location": "Moje současná poloha", "%(brand)s could not send your location. Please try again later.": "%(brand)s nemohl odeslat vaši polohu. Zkuste to prosím později.", "We couldn't send your location": "Vaši polohu se nepodařilo odeslat", - "Match system": "Podle systému", "Click": "Kliknutí", "Expand quotes": "Rozbalit citace", "Collapse quotes": "Sbalit citace", - "Click to drop a pin": "Kliknutím umístíte špendlík", - "Click to move the pin": "Kliknutím přesunete špendlík", "Can't create a thread from an event with an existing relation": "Nelze založit vlákno ve vlákně", "You are sharing your live location": "Sdílíte svoji polohu živě", "%(displayName)s's live location": "Poloha %(displayName)s živě", @@ -1558,10 +1351,8 @@ "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" }, - "Share for %(duration)s": "Sdílet na %(duration)s", "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.", - "%(brand)s is experimental on a mobile web browser. For a better experience and the latest features, use our free native app.": "%(brand)s je experimentální v mobilním webovém prohlížeči. Chcete-li získat lepší zážitek a nejnovější funkce, použijte naši bezplatnou nativní aplikaci.", "%(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á.", @@ -1577,11 +1368,6 @@ "Forget this space": "Zapomenout tento prostor", "You were removed by %(memberName)s": "%(memberName)s vás odebral(a)", "Loading preview": "Načítání náhledu", - "Failed to join": "Nepodařilo se připojit", - "The person who invited you has already left, or their server is offline.": "Osoba, která vás pozvala, již odešla nebo je její server offline.", - "The person who invited you has already left.": "Osoba, která vás pozvala, již odešla.", - "Sorry, your homeserver is too old to participate here.": "Omlouváme se, ale váš domovský server je příliš zastaralý na to, aby se zde mohl účastnit.", - "There was an error joining.": "Došlo k chybě při připojování.", "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", @@ -1625,9 +1411,6 @@ }, "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ě", - "Enable live location sharing": "Povolit sdílení polohy živě", - "Please note: this is a labs feature using a temporary implementation. This means you will not be able to delete your location history, and advanced users will be able to see your location history even after you stop sharing your live location with this room.": "Upozornění: jedná se o experimentální funkci s dočasnou implementací. To znamená, že nebudete moci odstranit historii své polohy a pokročilí uživatelé budou moci vidět historii vaší polohy i poté, co přestanete sdílet svou polohu živě v této místnosti.", - "Live location sharing": "Sdílení polohy živě", "%(members)s and %(last)s": "%(members)s a %(last)s", "%(members)s and more": "%(members)s a více", "Open room": "Otevřít místnost", @@ -1644,17 +1427,9 @@ "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í…", - "%(count)s people joined": { - "one": "%(count)s osoba se připojila", - "other": "%(count)s osob se připojilo" - }, "Unread email icon": "Ikona nepřečteného e-mailu", - "View related event": "Zobrazit související událost", "Read receipts": "Potvrzení o přečtení", - "You were disconnected from the call. (Error: %(message)s)": "Hovor byl přerušen. (Chyba: %(message)s)", - "Connection lost": "Spojení ztraceno", "Deactivating your account is a permanent action — be careful!": "Deaktivace účtu je trvalá akce - buďte opatrní!", - "Un-maximise": "Zrušit maximalizaci", "When you sign out, these keys will be deleted from this device, which means you won't be able to read encrypted messages unless you have the keys for them on your other devices, or backed them up to the server.": "Po odhlášení budou tyto klíče z tohoto zařízení odstraněny, což znamená, že nebudete moci číst zašifrované zprávy, pokud k nim nemáte klíče v jiných zařízeních nebo je nemáte zálohované na serveru.", "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é", @@ -1691,16 +1466,10 @@ "Saved Items": "Uložené položky", "Choose a locale": "Zvolte jazyk", "We're creating a room with %(names)s": "Vytváříme místnost s %(names)s", - "For best security, verify your sessions and sign out from any session that you don't recognize or use anymore.": "V zájmu co nejlepšího zabezpečení ověřujte své relace a odhlašujte se ze všech relací, které již nepoznáváte nebo nepoužíváte.", - "Sessions": "Relace", "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", - "You do not have permission to start voice calls": "Nemáte oprávnění k zahájení hlasových hovorů", - "There's no one here to call": "Není tu nikdo, komu zavolat", - "You do not have permission to start video calls": "Nemáte oprávnění ke spuštění videohovorů", - "Ongoing call": "Průběžný hovor", "Video call (Jitsi)": "Videohovor (Jitsi)", "Failed to set pusher state": "Nepodařilo se nastavit stav push oznámení", "Video call ended": "Videohovor ukončen", @@ -1710,13 +1479,11 @@ "Close call": "Zavřít hovor", "Freedom": "Svoboda", "Spotlight": "Reflektor", - "Unknown room": "Neznámá místnost", "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", - "Sorry — this call is currently full": "Omlouváme se — tento hovor je v současné době plný", "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í", @@ -1735,10 +1502,6 @@ "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í", - "Are you sure you want to sign out of %(count)s sessions?": { - "other": "Opravdu se chcete odhlásit z %(count)s relací?", - "one": "Opravdu se chcete odhlásit z %(count)s relace?" - }, "Show formatting": "Zobrazit formátování", "Hide formatting": "Skrýt formátování", "Error downloading image": "Chyba při stahování obrázku", @@ -1757,15 +1520,10 @@ "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Í: ", - "You have unverified sessions": "Máte neověřené relace", "Change layout": "Změnit rozvržení", - "Search users in this room…": "Hledání uživatelů v této místnosti…", - "Give one or multiple users in this room more privileges": "Přidělit jednomu nebo více uživatelům v této místnosti více oprávnění", - "Add privileged users": "Přidat oprávněné uživatele", "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", - "Mark as read": "Označit jako přečtené", "Text": "Text", "Create a link": "Vytvořit odkaz", "You can't start a voice message as you are currently recording a live broadcast. Please end your live broadcast in order to start recording a voice message.": "Hlasovou zprávu nelze spustit, protože právě nahráváte živé vysílání. Ukončete prosím živé vysílání, abyste mohli začít nahrávat hlasovou zprávu.", @@ -1776,9 +1534,6 @@ "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é", - "Red": "Červená", - "Grey": "Šedá", - "This session is backing up your keys.": "Tato relace zálohuje vaše klíče.", "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í", @@ -1799,10 +1554,6 @@ "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…", - "Backing up %(sessionsRemaining)s keys…": "Zálohování %(sessionsRemaining)s klíčů…", - "Connecting to integration manager…": "Připojování ke správci integrací…", - "Saving…": "Ukládání…", - "Creating…": "Vytváření…", "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íč.", @@ -1812,10 +1563,7 @@ "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", "Ended a poll": "Ukončil hlasování", - "Yes, it was me": "Ano, to jsem byl já", "Answered elsewhere": "Hovor přijat jinde", - "If you know a room address, try joining through that instead.": "Pokud znáte adresu místnosti, zkuste se pomocí ní připojit.", - "You attempted to join using a room ID without providing a list of servers to join through. Room IDs are internal identifiers and cannot be used to join a room without additional information.": "Pokusili jste se připojit pomocí ID místnosti, aniž byste zadali seznam serverů, přes které se chcete připojit. ID místnosti jsou interní identifikátory a nelze je použít k připojení k místnosti bez dalších informací.", "View poll": "Zobrazit hlasování", "There are no past polls for the past %(count)s days. Load more polls to view polls for previous months": { "one": "Za uplynulý den nejsou k dispozici žádná hlasování. Pro zobrazení hlasování z předchozích měsíců načtěte další hlasování", @@ -1831,10 +1579,7 @@ "Past polls": "Minulá hlasování", "Active polls": "Aktivní hlasování", "View poll in timeline": "Zobrazit hlasování na časové ose", - "Verify Session": "Ověřit relaci", - "Ignore (%(counter)s)": "Ignorovat (%(counter)s)", "Invites by email can only be sent one at a time": "Pozvánky e-mailem lze zasílat pouze po jedné", - "An error occurred when updating your notification preferences. Please try to toggle your option again.": "Při aktualizaci předvoleb oznámení došlo k chybě. Zkuste prosím přepnout volbu znovu.", "Desktop app logo": "Logo desktopové aplikace", "Requires your server to support the stable version of MSC3827": "Vyžaduje, aby váš server podporoval stabilní verzi MSC3827", "Message from %(user)s": "Zpráva od %(user)s", @@ -1848,8 +1593,6 @@ "We were unable to find an event looking forwards from %(dateString)s. Try choosing an earlier date.": "Nepodařilo se nám najít událost od data %(dateString)s. Zkuste zvolit dřívější datum.", "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.": "Při pokusu o vyhledání a přechod na zadané datum došlo k chybě sítě. Váš domovský server může být nefunkční nebo došlo jen k dočasnému problému s internetovým připojením. Zkuste to prosím znovu. Pokud tento problém přetrvává, obraťte se na správce domovského serveru.", "Poll history": "Historie hlasování", - "Mute room": "Ztlumit místnost", - "Match default setting": "Odpovídá výchozímu nastavení", "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?", @@ -1858,18 +1601,13 @@ "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)", - "Image view": "Zobrazení obrázku", "Search all rooms": "Vyhledávat ve všech místnostech", "Search this room": "Vyhledávat v této místnosti", - "Failed to download source media, no source url was found": "Nepodařilo se stáhnout zdrojové médium, nebyla nalezena žádná zdrojová url adresa", "Once invited users have joined %(brand)s, you will be able to chat and the room will be end-to-end encrypted": "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", - "Your language": "Váš jazyk", - "Your device ID": "ID vašeho zařízení", "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.", - "Ask to join": "Požádat o vstup", "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", @@ -1883,8 +1621,6 @@ "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.", - "Your profile picture URL": "URL vašeho profilového obrázku", - "People cannot join unless access is granted.": "Lidé nemohou vstoupit, pokud jim není povolen přístup.", "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", @@ -1913,8 +1649,6 @@ "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 cancel": "Nepodařilo se zrušit", - "You need an invite to access this room.": "Pro vstup do této místnosti potřebujete pozvánku.", "Failed to query public rooms": "Nepodařilo se vyhledat veřejné místnosti", "See less": "Zobrazit méně", "See more": "Zobrazit více", @@ -2017,7 +1751,15 @@ "off": "Vypnout", "all_rooms": "Všechny místnosti", "deselect_all": "Zrušit výběr všech", - "select_all": "Vybrat všechny" + "select_all": "Vybrat všechny", + "copied": "Zkopírováno!", + "advanced": "Rozšířené", + "spaces": "Prostory", + "general": "Obecné", + "saving": "Ukládání…", + "profile": "Profil", + "display_name": "Zobrazované jméno", + "user_avatar": "Profilový obrázek" }, "action": { "continue": "Pokračovat", @@ -2121,7 +1863,10 @@ "clear": "Smazat", "exit_fullscreeen": "Ukončení režimu celé obrazovky", "enter_fullscreen": "Vstup do režimu celé obrazovky", - "unban": "Zrušit vykázání" + "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" }, "a11y": { "user_menu": "Uživatelská nabídka", @@ -2133,7 +1878,8 @@ "other": "%(count)s nepřečtených zpráv.", "one": "Nepřečtená zpráva." }, - "unread_messages": "Nepřečtené zprávy." + "unread_messages": "Nepřečtené zprávy.", + "jump_first_invite": "Přejít na první pozvánku." }, "labs": { "video_rooms": "Video místnosti", @@ -2327,7 +2073,6 @@ "user_a11y": "Automatické doplňování uživatelů" } }, - "Bold": "Tučně", "Link": "Odkaz", "Code": "Kód", "power_level": { @@ -2435,7 +2180,8 @@ "intro_byline": "Vlastněte svoje konverzace.", "send_dm": "Poslat přímou zprávu", "explore_rooms": "Prozkoumat veřejné místnosti", - "create_room": "Vytvořit skupinový chat" + "create_room": "Vytvořit skupinový chat", + "create_account": "Vytvořit účet" }, "settings": { "show_breadcrumbs": "Zobrazovat zkratky do nedávno zobrazených místností navrchu", @@ -2502,7 +2248,10 @@ "noisy": "Hlučný", "error_permissions_denied": "%(brand)s není oprávněn posílat vám oznámení – zkontrolujte prosím nastavení svého prohlížeče", "error_permissions_missing": "%(brand)s nebyl oprávněn k posílání oznámení – zkuste to prosím znovu", - "error_title": "Nepodařilo se povolit oznámení" + "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í." }, "appearance": { "layout_irc": "IRC (experimentální)", @@ -2576,7 +2325,44 @@ "cryptography_section": "Šifrování", "session_id": "ID relace:", "session_key": "Klíč relace:", - "encryption_section": "Šifrování" + "encryption_section": "Šifrování", + "bulk_options_section": "Hromadná možnost", + "bulk_options_accept_all_invites": "Přijmout pozvání do všech těchto místností: %(invitedRooms)s", + "bulk_options_reject_all_invites": "Odmítnutí všech %(invitedRooms)s pozvání", + "message_search_section": "Vyhledávání ve zprávách", + "analytics_subsection_description": "Sdílejte anonymní údaje, které nám pomohou identifikovat problémy. Nic osobního. Žádné třetí strany.", + "encryption_individual_verification_mode": "Individuálně ověřit každou uživatelovu relaci a označit jí za důvěryhodnou, bez důvěry v křížový podpis.", + "message_search_enabled": { + "one": "Bezpečně uloží zašifrované zprávy v místním úložišti, aby se mohly objevit ve výsledcích vyhledávání, využívá se %(size)s k ukládání zpráv z %(rooms)s místnosti.", + "other": "Bezpečně uloží zašifrované zprávy v místním úložišti, aby se mohly objevit ve výsledcích vyhledávání, využívá se %(size)s k ukládání zpráv z %(rooms)s místností." + }, + "message_search_disabled": "Bezpečně uchovávat zprávy na tomto zařízení aby se v nich dalo vyhledávat.", + "message_search_unsupported": "%(brand)su chybí nějaké komponenty, které jsou potřeba pro vyhledávání v zabezpečených místnostech. Pokud chcete s touto funkcí experimentovat, tak si pořiďte vlastní %(brand)s Desktop s přidanými komponentami.", + "message_search_unsupported_web": "%(brand)s nemůže bezpečně ukládat šifrované zprávy lokálně v prohlížeči. Pro zobrazení šifrovaných zpráv ve výsledcích vyhledávání použijte %(brand)s Desktop.", + "message_search_failed": "Inicializace vyhledávání zpráv se nezdařila", + "backup_key_well_formed": "ve správném tvaru", + "backup_key_unexpected_type": "neočekávaný typ", + "backup_keys_description": "Zálohujte šifrovací klíče s daty účtu pro případ, že ztratíte přístup k relacím. Vaše klíče budou zabezpečeny jedinečným bezpečnostním klíčem.", + "backup_key_stored_status": "Klíč zálohy uložen:", + "cross_signing_not_stored": "není uložen", + "backup_key_cached_status": "Klíč zálohy cachován:", + "4s_public_key_status": "Veřejný klíč bezpečného úložiště:", + "4s_public_key_in_account_data": "v datech účtu", + "secret_storage_status": "Bezpečné úložiště:", + "secret_storage_ready": "připraveno", + "secret_storage_not_ready": "nepřipraveno", + "delete_backup": "Smazat zálohu", + "delete_backup_confirm_description": "Opravdu? Pokud klíče nejsou správně zálohované můžete přijít o šifrované zprávy.", + "error_loading_key_backup_status": "Nepovedlo se načíst stav zálohy", + "restore_key_backup": "Obnovit ze zálohy", + "key_backup_active": "Tato relace zálohuje vaše klíče.", + "key_backup_inactive": "Tato relace nezálohuje vaše klíče, ale už máte zálohu ze které je můžete obnovit.", + "key_backup_connect_prompt": "Než se odhlásíte, připojte tuto relaci k záloze klíčů, abyste nepřišli o klíče, které mohou být jen v této relaci.", + "key_backup_connect": "Připojit k zálohování klíčů", + "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." }, "preferences": { "room_list_heading": "Seznam místností", @@ -2690,7 +2476,13 @@ "other": "Odhlášení zařízení" }, "security_recommendations": "Bezpečnostní doporučení", - "security_recommendations_description": "Zlepšete zabezpečení svého účtu dodržováním těchto doporučení." + "security_recommendations_description": "Zlepšete zabezpečení svého účtu dodržováním těchto doporučení.", + "title": "Relace", + "sign_out_confirm_description": { + "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." }, "general": { "oidc_manage_button": "Spravovat účet", @@ -2709,7 +2501,22 @@ "add_msisdn_confirm_sso_button": "Potvrďte přidání telefonního čísla pomocí Jednotného přihlášení.", "add_msisdn_confirm_button": "Potrvrdit přidání telefonního čísla", "add_msisdn_confirm_body": "Kliknutím na tlačítko potvrdíte přidání telefonního čísla.", - "add_msisdn_dialog_title": "Přidat telefonní číslo" + "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" + }, + "sidebar": { + "title": "Postranní panel", + "metaspaces_subsection": "Prostory pro zobrazení", + "metaspaces_description": "Prostory jsou způsob seskupování místností a osob. Vedle prostorů, ve kterých se nacházíte, můžete použít i některé předpřipravené.", + "metaspaces_home_description": "Domov je užitečný pro získání přehledu o všem.", + "metaspaces_favourites_description": "Seskupte všechny své oblíbené místnosti a osoby na jednom místě.", + "metaspaces_people_description": "Seskupte všechny své kontakty na jednom místě.", + "metaspaces_orphans": "Místnosti mimo prostor", + "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" } }, "devtools": { @@ -3213,7 +3020,15 @@ "user": "%(senderName)s ukončil(a) hlasové vysílání" }, "creation_summary_dm": "%(creator)s vytvořil(a) tuto přímou zprávu.", - "creation_summary_room": "%(creator)s vytvořil(a) a nakonfiguroval(a) místnost." + "creation_summary_room": "%(creator)s vytvořil(a) a nakonfiguroval(a) místnost.", + "context_menu": { + "view_source": "Zobrazit zdroj", + "show_url_preview": "Zobrazit náhled", + "external_url": "Zdrojová URL", + "collapse_reply_thread": "Sbalit vlákno odpovědi", + "view_related_event": "Zobrazit související událost", + "report": "Nahlásit" + } }, "slash_command": { "spoiler": "Odešle danou zprávu jako spoiler", @@ -3416,10 +3231,28 @@ "failed_call_live_broadcast_title": "Nelze zahájit hovor", "failed_call_live_broadcast_description": "Nemůžete zahájit hovor, protože právě nahráváte živé vysílání. Ukončete prosím živé vysílání, abyste mohli zahájit hovor.", "no_media_perms_title": "Žádná oprávnění k médiím", - "no_media_perms_description": "Je možné, že budete potřebovat manuálně povolit %(brand)s přístup k mikrofonu/webkameře" + "no_media_perms_description": "Je možné, že budete potřebovat manuálně povolit %(brand)s přístup k mikrofonu/webkameře", + "call_toast_unknown_room": "Neznámá místnost", + "join_button_tooltip_connecting": "Spojování", + "join_button_tooltip_call_full": "Omlouváme se — tento hovor je v současné době plný", + "hide_sidebar_button": "Skrýt postranní panel", + "show_sidebar_button": "Zobrazit postranní panel", + "more_button": "Více", + "screenshare_monitor": "Sdílet celou obrazovku", + "screenshare_window": "Okno aplikace", + "screenshare_title": "Sdílet obsah", + "disabled_no_perms_start_voice_call": "Nemáte oprávnění k zahájení hlasových hovorů", + "disabled_no_perms_start_video_call": "Nemáte oprávnění ke spuštění videohovorů", + "disabled_ongoing_call": "Průběžný hovor", + "disabled_no_one_here": "Není tu nikdo, komu zavolat", + "n_people_joined": { + "one": "%(count)s osoba se připojila", + "other": "%(count)s osob se připojilo" + }, + "unknown_person": "neznámá osoba", + "connecting": "Spojování" }, "Other": "Další možnosti", - "Advanced": "Rozšířené", "room_settings": { "permissions": { "m.room.avatar_space": "Změnit avatar prostoru", @@ -3459,7 +3292,10 @@ "title": "Role a oprávnění", "permissions_section": "Oprávnění", "permissions_section_description_space": "Výbrat role potřebné ke změně různých částí prostoru", - "permissions_section_description_room": "Vyberte role potřebné k provedení různých změn v této místnosti" + "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…" }, "security": { "strict_encryption": "Nikdy v této místnosti neposílat šifrované zprávy neověřeným relacím", @@ -3486,7 +3322,35 @@ "history_visibility_shared": "Pouze členové (od chvíle vybrání této volby)", "history_visibility_invited": "Pouze členové (od chvíle jejich pozvání)", "history_visibility_joined": "Pouze členové (od chvíle jejich vstupu)", - "history_visibility_world_readable": "Kdokoliv" + "history_visibility_world_readable": "Kdokoliv", + "join_rule_upgrade_required": "Vyžadována aktualizace", + "join_rule_restricted_n_more": { + "other": "a %(count)s dalších", + "one": "a %(count)s další" + }, + "join_rule_restricted_summary": { + "other": "V současné době má %(count)s prostorů přístup k", + "one": "V současné době má prostor přístup" + }, + "join_rule_restricted_description": "Každý, kdo se nachází v prostoru, ho může najít a připojit se k němu. Zde upravte, ke kterým prostorům lze přistupovat.", + "join_rule_restricted_description_spaces": "Prostory s přístupem", + "join_rule_restricted_description_active_space": "Kdokoli v může prostor najít a připojit se. Můžete vybrat i další prostory.", + "join_rule_restricted_description_prompt": "Každý, kdo se nachází v prostoru, ho může najít a připojit se k němu. Můžete vybrat více prostorů.", + "join_rule_restricted": "Členové prostoru", + "join_rule_knock": "Požádat o vstup", + "join_rule_knock_description": "Lidé nemohou vstoupit, pokud jim není povolen přístup.", + "join_rule_restricted_upgrade_warning": "Tato místnost se nachází v některých prostorech, jejichž nejste správcem. V těchto prostorech bude stará místnost stále zobrazena, ale lidé budou vyzváni, aby se připojili k nové místnosti.", + "join_rule_restricted_upgrade_description": "Tato změna umožní členům vybraných prostorů přístup do této místnosti bez pozvánky.", + "join_rule_upgrade_upgrading_room": "Aktualizace místnosti", + "join_rule_upgrade_awaiting_room": "Načítání nové místnosti", + "join_rule_upgrade_sending_invites": { + "one": "Odeslání pozvánky...", + "other": "Odesílání pozvánek... (%(progress)s z %(count)s)" + }, + "join_rule_upgrade_updating_spaces": { + "one": "Aktualizace prostoru...", + "other": "Aktualizace prostorů... (%(progress)s z %(count)s)" + } }, "general": { "publish_toggle": "Zapsat tuto místnost do veřejného adresáře místností na %(domain)s?", @@ -3496,7 +3360,11 @@ "default_url_previews_off": "Ve výchozím nastavení jsou náhledy URL adres zakázané pro členy této místnosti.", "url_preview_encryption_warning": "V šifrovaných místnostech, jako je tato, jsou URL náhledy ve výchozím nastavení vypnuté, aby bylo možné zajistit, že váš domovský server neshromažďuje informace o odkazech, které v této místnosti vidíte.", "url_preview_explainer": "Když někdo ve zprávě pošle URL adresu, může být zobrazen její náhled obsahující informace jako titulek, popis a obrázek z cílové stránky.", - "url_previews_section": "Náhledy webových adres" + "url_previews_section": "Náhledy webových adres", + "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" }, "advanced": { "unfederated": "Tato místnost není přístupná vzdáleným Matrix serverům", @@ -3508,6 +3376,24 @@ "room_id": "Interní ID místnosti", "room_version_section": "Verze místnosti", "room_version": "Verze místnosti:" + }, + "delete_avatar_label": "Smazat avatar", + "upload_avatar_label": "Nahrát avatar", + "visibility": { + "error_update_guest_access": "Nepodařilo se aktualizovat přístup hosta do tohoto prostoru", + "error_update_history_visibility": "Nepodařilo se aktualizovat viditelnost historie tohoto prostoru", + "guest_access_explainer": "Hosté se mohou připojit k prostoru, aniž by měli účet.", + "guest_access_explainer_public_space": "To může být užitečné pro veřejné prostory.", + "title": "Viditelnost", + "error_failed_save": "Nepodařilo se aktualizovat viditelnost tohoto prostoru", + "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" + }, + "access": { + "title": "Přístup", + "description_space": "Rozhodněte, kdo může prohlížet a připojovat se k %(spaceName)s." } }, "encryption": { @@ -3534,7 +3420,15 @@ "waiting_other_device_details": "Čekáme na ověření na vašem dalším zařízení, %(deviceName)s (%(deviceId)s)…", "waiting_other_device": "Čekáme na ověření na jiném zařízení…", "waiting_other_user": "Čekám až nás %(displayName)s ověří…", - "cancelling": "Rušení…" + "cancelling": "Rušení…", + "unverified_sessions_toast_title": "Máte neověřené relace", + "unverified_sessions_toast_description": "Zkontrolujte, zda je váš účet v bezpečí", + "unverified_sessions_toast_reject": "Později", + "unverified_session_toast_title": "Nové přihlášní. Jste to vy?", + "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" }, "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.", @@ -3544,7 +3438,18 @@ "bootstrap_title": "Příprava klíčů", "export_unsupported": "Váš prohlížeč nepodporuje požadovaná kryptografická rozšíření", "import_invalid_keyfile": "Neplatný soubor s klíčem %(brand)s", - "import_invalid_passphrase": "Kontrola ověření selhala: špatné heslo?" + "import_invalid_passphrase": "Kontrola ověření selhala: špatné heslo?", + "set_up_toast_title": "Nastavení zabezpečené zálohy", + "upgrade_toast_title": "Je dostupná aktualizace šifrování", + "verify_toast_title": "Ověřit tuto relaci", + "set_up_toast_description": "Zabezpečení proti ztrátě přístupu k šifrovaným zprávám a datům", + "verify_toast_description": "Ostatní uživatelé této relaci nemusí věřit", + "cross_signing_unsupported": "Váš domovský server nepodporuje křížové podepisování.", + "cross_signing_ready": "Křížové podepisování je připraveno k použití.", + "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": "" }, "emoji": { "category_frequently_used": "Často používané", @@ -3568,7 +3473,8 @@ "bullet_1": "Nezaznamenáváme ani neprofilujeme žádné údaje o účtu", "bullet_2": "Nesdílíme informace s třetími stranami", "disable_prompt": "Tuto funkci můžete kdykoli vypnout v nastavení", - "accept_button": "To je v pořádku" + "accept_button": "To je v pořádku", + "shared_data_heading": "Následující data můžou být sdílena:" }, "chat_effects": { "confetti_description": "Pošle zprávu s konfetami", @@ -3724,7 +3630,8 @@ "autodiscovery_unexpected_error_hs": "Chyba při zjišťování konfigurace domovského serveru", "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." + "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" }, "room_list": { "sort_unread_first": "Zobrazovat místnosti s nepřečtenými zprávami jako první", @@ -3848,7 +3755,37 @@ "error_need_to_be_logged_in": "Musíte být přihlášeni.", "error_need_invite_permission": "Pro tuto akci musíte mít právo zvát uživatele.", "error_need_kick_permission": "Pro tuto akci musíte mít právo vyhodit uživatele.", - "no_name": "Neznámá aplikace" + "no_name": "Neznámá aplikace", + "error_hangup_title": "Spojení ztraceno", + "error_hangup_description": "Hovor byl přerušen. (Chyba: %(message)s)", + "context_menu": { + "start_audio_stream": "Zahájit audio přenos", + "screenshot": "Vyfotit", + "delete": "Vymazat widget", + "delete_warning": "Smazáním widgetu ho odstraníte všem uživatelům v této místnosti. Opravdu chcete tento widget smazat?", + "remove": "Odstranit pro všechny", + "revoke": "Odvolat oprávnění", + "move_left": "Posunout doleva", + "move_right": "Posunout doprava" + }, + "shared_data_name": "Vaše zobrazované jméno", + "shared_data_avatar": "URL vašeho profilového obrázku", + "shared_data_mxid": "Vaše ID", + "shared_data_device_id": "ID vašeho zařízení", + "shared_data_theme": "Váš motiv vzhledu", + "shared_data_lang": "Váš jazyk", + "shared_data_url": "URL %(brand)su", + "shared_data_room_id": "ID místnosti", + "shared_data_widget_id": "ID widgetu", + "shared_data_warning_im": "Použití tohoto widgetu může sdílet data s %(widgetDomain)s a vaším správcem integrací.", + "shared_data_warning": "Použití tohoto widgetu může sdílet data s %(widgetDomain)s.", + "unencrypted_warning": "Widgety nepoužívají šifrování zpráv.", + "added_by": "Widget přidal", + "cookie_warning": "Widget může používat cookies.", + "error_loading": "Chyba při načítání widgetu", + "error_mixed_content": "Chyba - Smíšený obsah", + "unmaximise": "Zrušit maximalizaci", + "popout": "Otevřít widget v novém okně" }, "feedback": { "sent": "Zpětná vazba byla odeslána", @@ -3945,7 +3882,8 @@ "empty_heading": "Udržujte diskuse organizované pomocí vláken" }, "theme": { - "light_high_contrast": "Světlý vysoký kontrast" + "light_high_contrast": "Světlý vysoký kontrast", + "match_system": "Podle systému" }, "space": { "landing_welcome": "Vítejte v ", @@ -3961,9 +3899,14 @@ "devtools_open_timeline": "Časová osa místnosti (devtools)", "home": "Domov prostoru", "explore": "Procházet místnosti", - "manage_and_explore": "Spravovat a prozkoumat místnosti" + "manage_and_explore": "Spravovat a prozkoumat místnosti", + "options": "Nastavení prostoru" }, - "share_public": "Sdílejte svůj veřejný prostor" + "share_public": "Sdílejte svůj veřejný prostor", + "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" }, "location_sharing": { "MapStyleUrlNotConfigured": "Tento domovský server není nakonfigurován pro zobrazování map.", @@ -3980,7 +3923,14 @@ "failed_timeout": "Pokus o zjištění vaší polohy vypršel. Zkuste to prosím později.", "failed_unknown": "Neznámá chyba při zjištění polohy. Zkuste to prosím později.", "expand_map": "Rozbalit mapu", - "failed_load_map": "Nelze načíst mapu" + "failed_load_map": "Nelze načíst mapu", + "live_enable_heading": "Sdílení polohy živě", + "live_enable_description": "Upozornění: jedná se o experimentální funkci s dočasnou implementací. To znamená, že nebudete moci odstranit historii své polohy a pokročilí uživatelé budou moci vidět historii vaší polohy i poté, co přestanete sdílet svou polohu živě v této místnosti.", + "live_toggle_label": "Povolit sdílení polohy živě", + "live_share_button": "Sdílet na %(duration)s", + "click_move_pin": "Kliknutím přesunete špendlík", + "click_drop_pin": "Kliknutím umístíte špendlík", + "share_button": "Sdílet polohu" }, "labs_mjolnir": { "room_name": "Můj seznam zablokovaných", @@ -4016,7 +3966,6 @@ }, "create_space": { "name_required": "Zadejte prosím název prostoru", - "name_placeholder": "např. můj-prostor", "explainer": "Prostory představují nový způsob seskupování místností a osob. Jaký prostor chcete vytvořit? To můžete později změnit.", "public_description": "Otevřený prostor pro kohokoli, nejlepší pro komunity", "private_description": "Pouze pozvat, nejlepší pro sebe nebo pro týmy", @@ -4047,11 +3996,17 @@ "setup_rooms_community_description": "Vytvořme pro každé z nich místnost.", "setup_rooms_description": "Později můžete přidat i další, včetně již existujících.", "setup_rooms_private_heading": "Na jakých projektech váš tým pracuje?", - "setup_rooms_private_description": "Pro každého z nich vytvoříme místnost." + "setup_rooms_private_description": "Pro každého z nich vytvoříme místnost.", + "address_placeholder": "např. můj-prostor", + "address_label": "Adresa", + "label": "Vytvořit prostor", + "add_details_prompt_2": "Tyto údaje můžete kdykoli změnit.", + "creating": "Vytváření…" }, "user_menu": { "switch_theme_light": "Přepnout do světlého režimu", - "switch_theme_dark": "Přepnout do tmavého režimu" + "switch_theme_dark": "Přepnout do tmavého režimu", + "settings": "Všechna nastavení" }, "notif_panel": { "empty_heading": "Vše je vyřešeno", @@ -4089,7 +4044,28 @@ "leave_error_title": "Při opouštění místnosti došlo k chybě", "upgrade_error_title": "Chyba při aktualizaci místnosti", "upgrade_error_description": "Zkontrolujte, že váš server opravdu podporuje zvolenou verzi místnosti.", - "leave_server_notices_description": "Tato místnost je určena pro důležité zprávy od domovského serveru, a proto ji nelze opustit." + "leave_server_notices_description": "Tato místnost je určena pro důležité zprávy od domovského serveru, a proto ji nelze opustit.", + "error_join_connection": "Došlo k chybě při připojování.", + "error_join_incompatible_version_1": "Omlouváme se, ale váš domovský server je příliš zastaralý na to, aby se zde mohl účastnit.", + "error_join_incompatible_version_2": "Kontaktujte prosím správce domovského serveru.", + "error_join_404_invite_same_hs": "Osoba, která vás pozvala, již odešla.", + "error_join_404_invite": "Osoba, která vás pozvala, již odešla nebo je její server offline.", + "error_join_404_1": "Pokusili jste se připojit pomocí ID místnosti, aniž byste zadali seznam serverů, přes které se chcete připojit. ID místnosti jsou interní identifikátory a nelze je použít k připojení k místnosti bez dalších informací.", + "error_join_404_2": "Pokud znáte adresu místnosti, zkuste se pomocí ní připojit.", + "error_join_title": "Nepodařilo se připojit", + "error_join_403": "Pro vstup do této místnosti potřebujete pozvánku.", + "error_cancel_knock_title": "Nepodařilo se zrušit", + "context_menu": { + "unfavourite": "Oblíbená", + "favourite": "Oblíbené", + "mentions_only": "Pouze zmínky", + "copy_link": "Kopírovat odkaz", + "low_priority": "Nízká priorita", + "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" + } }, "file_panel": { "guest_note": "Pro využívání této funkce se zaregistrujte", @@ -4109,7 +4085,8 @@ "tac_button": "Přečíst smluvní podmínky", "identity_server_no_terms_title": "Server identit nemá žádné podmínky použití", "identity_server_no_terms_description_1": "Tato akce vyžaduje přístup k výchozímu serveru identity aby šlo ověřit e-mail a telefon, ale server nemá podmínky použití.", - "identity_server_no_terms_description_2": "Pokračujte pouze pokud věříte provozovateli serveru." + "identity_server_no_terms_description_2": "Pokračujte pouze pokud věříte provozovateli serveru.", + "inline_intro_text": "Pro pokračování odsouhlaste :" }, "space_settings": { "title": "Nastavení - %(spaceName)s" @@ -4205,7 +4182,14 @@ "sync": "Nelze se připojit k domovskému serveru. Opakovaný pokus…", "connection": "Při komunikaci s domovským serverem došlo k potížím, zkuste to prosím později.", "mixed_content": "Nelze se připojit k domovskému serveru přes HTTP, pokud je v adresním řádku HTTPS. Buď použijte HTTPS, nebo povolte nezabezpečené skripty.", - "tls": "Nelze se připojit k domovskému serveru – zkontrolujte prosím své připojení, prověřte, zda je SSL certifikát vašeho domovského serveru důvěryhodný, a že některé z rozšíření prohlížeče neblokuje komunikaci." + "tls": "Nelze se připojit k domovskému serveru – zkontrolujte prosím své připojení, prověřte, zda je SSL certifikát vašeho domovského serveru důvěryhodný, a že některé z rozšíření prohlížeče neblokuje komunikaci.", + "admin_contact_short": "Kontaktujte administrátora serveru.", + "non_urgent_echo_failure_toast": "Váš server neodpovídá na některé požadavky.", + "failed_copy": "Nepodařilo se zkopírovat", + "something_went_wrong": "Něco se nepodařilo!", + "download_media": "Nepodařilo se stáhnout zdrojové médium, nebyla nalezena žádná zdrojová url adresa", + "update_power_level": "Nepodařilo se změnit úroveň oprávnění", + "unknown": "Neznámá chyba" }, "in_space1_and_space2": "V prostorech %(space1Name)s a %(space2Name)s.", "in_space_and_n_other_spaces": { @@ -4213,5 +4197,52 @@ "other": "V %(spaceName)s a %(count)s ostatních prostorech." }, "in_space": "V prostoru %(spaceName)s.", - "name_and_id": "%(name)s (%(userId)s)" + "name_and_id": "%(name)s (%(userId)s)", + "items_and_n_others": { + "other": " a %(count)s další", + "one": " a jeden další" + }, + "notifications": { + "enable_prompt_toast_title_from_message_send": "Nezmeškejte odpovědět", + "enable_prompt_toast_title": "Oznámení", + "enable_prompt_toast_description": "Povolit oznámení na ploše", + "colour_none": "Žádné", + "colour_bold": "Tučně", + "colour_grey": "Šedá", + "colour_red": "Červená", + "colour_unsent": "Neodeslané", + "error_change_title": "Upravit nastavení oznámení", + "mark_all_read": "Označit vše jako přečtené", + "keyword": "Klíčové slovo", + "keyword_new": "Nové klíčové slovo", + "class_global": "Globální", + "class_other": "Další možnosti", + "mentions_keywords": "Zmínky a klíčová slova" + }, + "mobile_guide": { + "toast_title": "Pro lepší zážitek použijte aplikaci", + "toast_description": "%(brand)s je experimentální v mobilním webovém prohlížeči. Chcete-li získat lepší zážitek a nejnovější funkce, použijte naši bezplatnou nativní aplikaci.", + "toast_accept": "Použijte aplikaci" + }, + "chat_card_back_action_label": "Zpět do chatu", + "room_summary_card_back_action_label": "Informace o místnosti", + "member_list_back_action_label": "Členové místnosti", + "thread_view_back_action_label": "Zpět do vlákna", + "quick_settings": { + "title": "Rychlá nastavení", + "all_settings": "Všechna nastavení", + "metaspace_section": "Připnout na postranní panel", + "sidebar_settings": "Více možností" + }, + "lightbox": { + "title": "Zobrazení obrázku", + "rotate_left": "Otočit doleva", + "rotate_right": "Otočit doprava" + }, + "a11y_jump_first_unread_room": "Přejít na první nepřečtenou místnost.", + "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." + } } diff --git a/src/i18n/strings/da.json b/src/i18n/strings/da.json index 6dc6a72c96..536d218213 100644 --- a/src/i18n/strings/da.json +++ b/src/i18n/strings/da.json @@ -13,8 +13,6 @@ "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", - "Favourite": "Favorit", - "Notifications": "Notifikationer", "unknown error code": "Ukendt fejlkode", "Failed to forget room %(errCode)s": "Kunne ikke glemme rummet %(errCode)s", "Unnamed room": "Unavngivet rum", @@ -46,13 +44,11 @@ "Moderator": "Moderator", "Reason": "Årsag", "Sunday": "Søndag", - "Notification targets": "Meddelelsesmål", "Today": "I dag", "Friday": "Fredag", "Changelog": "Ændringslog", "This Room": "Dette rum", "Unavailable": "Utilgængelig", - "Source URL": "Kilde URL", "Filter results": "Filtrér resultater", "Search…": "Søg…", "Tuesday": "Tirsdag", @@ -65,7 +61,6 @@ "You cannot delete this message. (%(code)s)": "Du kan ikke slette denne besked. (%(code)s)", "Thursday": "Torsdag", "Yesterday": "I går", - "Low Priority": "Lav prioritet", "Wednesday": "Onsdag", "Thank you!": "Tak!", "Logs sent": "Logfiler sendt", @@ -73,24 +68,14 @@ "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", - " and %(count)s others": { - "other": " og %(count)s andre", - "one": " og en anden" - }, "%(items)s and %(lastItem)s": "%(items)s og %(lastItem)s", - "Please contact your homeserver administrator.": "Kontakt venligst din homeserver administrator.", "Enter passphrase": "Indtast kodeord", - "Verify this session": "Verificér denne session", - "Encryption upgrade available": "Opgradering af kryptering tilgængelig", "Explore rooms": "Udforsk rum", "Verification code": "Verifikationskode", "Headphones": "Hovedtelefoner", "Show more": "Vis mere", "Add a new server": "Tilføj en ny server", - "Change notification settings": "Skift notifikations indstillinger", - "Profile picture": "Profil billede", "Checking server": "Tjekker server", - "Profile": "Profil", "Local address": "Lokal adresse", "This room has no local addresses": "Dette rum har ingen lokal adresse", "The conversation continues here.": "Samtalen fortsætter her.", @@ -370,7 +355,10 @@ "matrix": "Matrix", "unnamed_room": "Unavngivet rum", "on": "Tændt", - "off": "Slukket" + "off": "Slukket", + "advanced": "Avanceret", + "profile": "Profil", + "user_avatar": "Profil billede" }, "action": { "continue": "Fortsæt", @@ -442,7 +430,8 @@ "noisy": "Støjende", "error_permissions_denied": "%(brand)s har ikke tilladelse til at sende dig notifikationer - tjek venligst dine browserindstillinger", "error_permissions_missing": "%(brand)s fik ikke tilladelse til at sende notifikationer - Vær sød at prøve igen", - "error_title": "Kunne ikke slå Notifikationer til" + "error_title": "Kunne ikke slå Notifikationer til", + "push_targets": "Meddelelsesmål" }, "appearance": { "custom_theme_success": "Tema tilføjet!", @@ -565,6 +554,9 @@ }, "redacted": { "tooltip": "Besked slettet d. %(date)s" + }, + "context_menu": { + "external_url": "Kilde URL" } }, "slash_command": { @@ -635,7 +627,6 @@ "m.sticker": "%(senderName)s: %(stickerName)s" }, "Other": "Andre", - "Advanced": "Avanceret", "composer": { "placeholder_reply": "Besvar…", "placeholder_encrypted": "Send en krypteret besked…", @@ -686,7 +677,9 @@ "bootstrap_title": "Sætter nøgler op", "export_unsupported": "Din browser understøtter ikke de påkrævede kryptografiske udvidelser", "import_invalid_keyfile": "Ikke en gyldig %(brand)s nøglefil", - "import_invalid_passphrase": "Godkendelse mislykkedes: forkert adgangskode?" + "import_invalid_passphrase": "Godkendelse mislykkedes: forkert adgangskode?", + "upgrade_toast_title": "Opgradering af kryptering tilgængelig", + "verify_toast_title": "Verificér denne session" }, "emoji": { "categories": "Kategorier" @@ -852,6 +845,20 @@ }, "room": { "upgrade_error_title": "Fejl under opgradering af rum", - "upgrade_error_description": "Dobbelt-tjek at din server understøtter den valgte rum-version og forsøg igen." + "upgrade_error_description": "Dobbelt-tjek at din server understøtter den valgte rum-version og forsøg igen.", + "error_join_incompatible_version_2": "Kontakt venligst din homeserver administrator.", + "context_menu": { + "favourite": "Favorit", + "low_priority": "Lav prioritet" + } + }, + "items_and_n_others": { + "other": " og %(count)s andre", + "one": " og en anden" + }, + "notifications": { + "enable_prompt_toast_title": "Notifikationer", + "error_change_title": "Skift notifikations indstillinger", + "class_other": "Andre" } } diff --git a/src/i18n/strings/de_DE.json b/src/i18n/strings/de_DE.json index 380939360a..51d54013f8 100644 --- a/src/i18n/strings/de_DE.json +++ b/src/i18n/strings/de_DE.json @@ -13,14 +13,10 @@ "Failed to change password. Is your password correct?": "Passwortänderung fehlgeschlagen. Ist dein Passwort richtig?", "Failed to reject invitation": "Einladung konnte nicht abgelehnt werden", "Failed to unban": "Aufheben der Verbannung fehlgeschlagen", - "Favourite": "Favorit", "Forget room": "Raum entfernen", "Invalid Email Address": "Ungültige E-Mail-Adresse", "Moderator": "Moderator", - "Notifications": "Benachrichtigungen", - "": "", "Please check your email and click on the link it contains. Once this is done, click continue.": "Bitte prüfe deinen E-Mail-Posteingang und klicke auf den in der E-Mail enthaltenen Link. Anschließend auf \"Fortsetzen\" klicken.", - "Profile": "Profil", "Reject invitation": "Einladung ablehnen", "Return to login screen": "Zur Anmeldemaske zurückkehren", "This doesn't appear to be a valid email address": "Dies scheint keine gültige E-Mail-Adresse zu sein", @@ -28,7 +24,6 @@ "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", - "Upload avatar": "Profilbild hochladen", "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", @@ -64,7 +59,6 @@ "Decrypt %(text)s": "%(text)s entschlüsseln", "Download %(text)s": "%(text)s herunterladen", "Failed to ban user": "Verbannen des Benutzers fehlgeschlagen", - "Failed to change power level": "Ändern der Berechtigungsstufe 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", @@ -94,9 +88,7 @@ "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.", - "Reject all %(invitedRooms)s invites": "Alle %(invitedRooms)s Einladungen ablehnen", "Confirm Removal": "Entfernen bestätigen", - "Unknown error": "Unbekannter Fehler", "Unable to restore session": "Sitzungswiederherstellung fehlgeschlagen", "Error decrypting image": "Entschlüsselung des Bilds fehlgeschlagen", "Error decrypting video": "Videoentschlüsselung fehlgeschlagen", @@ -119,10 +111,8 @@ "other": "%(filename)s und %(count)s weitere Dateien werden hochgeladen" }, "Create new room": "Neuer Raum", - "Something went wrong!": "Etwas ist schiefgelaufen!", "Home": "Startseite", "Admin Tools": "Administrationswerkzeuge", - "No display name": "Kein Anzeigename", "%(roomName)s does not exist.": "%(roomName)s existiert nicht.", "%(roomName)s is not accessible at this time.": "Auf %(roomName)s kann momentan nicht zugegriffen werden.", "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (Berechtigungslevel %(powerLevelNumber)s)", @@ -131,11 +121,8 @@ "other": "(~%(count)s Ergebnisse)" }, "This will allow you to reset your password and receive notifications.": "Dies ermöglicht es dir, dein Passwort zurückzusetzen und Benachrichtigungen zu empfangen.", - "Delete widget": "Widget entfernen", "AM": "a. m.", "PM": "p. m.", - "Copied!": "Kopiert!", - "Failed to copy": "Kopieren fehlgeschlagen", "Unignore": "Nicht mehr blockieren", "Banned by %(displayName)s": "Verbannt von %(displayName)s", "Jump to read receipt": "Zur Lesebestätigung springen", @@ -144,11 +131,6 @@ "other": "Und %(count)s weitere …" }, "Delete Widget": "Widget löschen", - "Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "Das Löschen des Widgets entfernt es für alle in diesem Raum. Wirklich löschen?", - " and %(count)s others": { - "other": " und %(count)s andere", - "one": " und ein weiteres Raummitglied" - }, "Restricted": "Eingeschränkt", "%(duration)ss": "%(duration)ss", "%(duration)sm": "%(duration)sm", @@ -164,14 +146,12 @@ "This room is not public. You will not be able to rejoin without an invite.": "Dieser Raum ist nicht öffentlich. Du wirst ihn nicht ohne erneute Einladung betreten können.", "You don't currently have any stickerpacks enabled": "Keine Sticker-Pakete aktiviert", "Sunday": "Sonntag", - "Notification targets": "Benachrichtigungsziele", "Today": "Heute", "Friday": "Freitag", "Changelog": "Änderungsprotokoll", "Failed to send logs: ": "Senden von Protokolldateien fehlgeschlagen: ", "This Room": "In diesem Raum", "Unavailable": "Nicht verfügbar", - "Source URL": "Quell-URL", "Filter results": "Ergebnisse filtern", "Tuesday": "Dienstag", "Preparing to send logs": "Senden von Protokolldateien wird vorbereitet", @@ -186,9 +166,7 @@ "Search…": "Suchen…", "Logs sent": "Protokolldateien gesendet", "Yesterday": "Gestern", - "Low Priority": "Niedrige Priorität", "Thank you!": "Danke!", - "Popout widget": "Widget in eigenem Fenster öffnen", "Unable to load event that was replied to, it either does not exist or you do not have permission to view it.": "Das Ereignis, auf das geantwortet wurde, kann nicht geladen werden, da es entweder nicht existiert oder du keine Berechtigung zum Betrachten hast.", "Send Logs": "Sende Protokoll", "Clear Storage and Sign Out": "Speicher leeren und abmelden", @@ -216,7 +194,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.", - "Please contact your homeserver administrator.": "Bitte setze dich mit der Administration deines Heim-Servers in Verbindung.", "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", @@ -230,7 +207,6 @@ "Incompatible local cache": "Inkompatibler lokaler Zwischenspeicher", "Clear cache and resync": "Zwischenspeicher löschen und erneut synchronisieren", "Add some now": "Jetzt hinzufügen", - "Delete Backup": "Lösche Sicherung", "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", @@ -240,7 +216,6 @@ "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!", - "Unable to load key backup status": "Konnte Status der Schlüsselsicherung nicht laden", "Set up": "Einrichten", "Unable to load commit detail: %(msg)s": "Konnte Übermittlungsdetails nicht laden: %(msg)s", "Unable to load backup status": "Konnte Sicherungsstatus nicht laden", @@ -258,14 +233,10 @@ "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", - "All keys backed up": "Alle Schlüssel gesichert", "Unable to verify phone number.": "Die Telefonnummer kann nicht überprüft werden.", "Verification code": "Bestätigungscode", "Phone Number": "Telefonnummer", - "Profile picture": "Profilbild", - "Display Name": "Anzeigename", "Room information": "Rauminformationen", - "General": "Allgemein", "Email addresses": "E-Mail-Adressen", "Phone numbers": "Telefonnummern", "Account management": "Benutzerkontenverwaltung", @@ -339,9 +310,7 @@ "Room Name": "Raumname", "Room Topic": "Raumthema", "Incoming Verification Request": "Eingehende Verifikationsanfrage", - "Are you sure? You will lose your encrypted messages if your keys are not backed up properly.": "Bist du sicher? Du wirst alle deine verschlüsselten Nachrichten verlieren, wenn deine Schlüssel nicht gut gesichert sind.", "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.", - "Restore from Backup": "Von Sicherung wiederherstellen", "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!", @@ -356,14 +325,11 @@ "Email (optional)": "E-Mail-Adresse (optional)", "Couldn't load page": "Konnte Seite nicht laden", "Your password has been reset.": "Dein Passwort wurde zurückgesetzt.", - "Create account": "Konto anlegen", "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.", - "Bulk options": "Sammeloptionen", "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", - "Accept all %(invitedRooms)s invites": "Akzeptiere alle %(invitedRooms)s Einladungen", "Error updating main address": "Fehler beim Aktualisieren der Hauptadresse", "There was an error updating the room's main address. It may not be allowed by the server or a temporary failure occurred.": "Es gab ein Problem beim Aktualisieren der Raum-Hauptadresse. Es kann sein, dass der Server dies verbietet oder ein temporäres Problem aufgetreten ist.", "Power level": "Berechtigungsstufe", @@ -393,18 +359,11 @@ "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", - "Accept to continue:": "Akzeptiere , um fortzufahren:", "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)", - "Verify this session": "Sitzung verifizieren", "Lock": "Schloss", - "Later": "Später", - "Securely cache encrypted messages locally for them to appear in search results.": "Speichere verschlüsselte Nachrichten lokal, sodass sie deinen Suchergebnissen erscheinen können.", - "Cannot connect to integration manager": "Verbindung zum Integrationsassistenten fehlgeschlagen", - "The integration manager is offline or it cannot reach your homeserver.": "Der Integrationsassistent ist außer Betrieb oder kann deinen Heim-Server nicht erreichen.", - "not stored": "nicht gespeichert", "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", @@ -416,7 +375,6 @@ "You are not currently using an identity server. To discover and be discoverable by existing contacts you know, add one below.": "Zurzeit benutzt du keinen Identitäts-Server. Trage unten einen Server ein, um Kontakte zu finden und von anderen gefunden zu werden.", "Manage integrations": "Integrationen verwalten", "Agree to the identity server (%(serverName)s) Terms of Service to allow yourself to be discoverable by email address or phone number.": "Stimme den Nutzungsbedingungen des Identitäts-Servers %(serverName)s zu, um per E-Mail-Adresse oder Telefonnummer auffindbar zu werden.", - "Encryption upgrade available": "Verschlüsselungsaktualisierung verfügbar", "Notification sound": "Benachrichtigungston", "Set a new custom sound": "Neuen individuellen Ton festlegen", "Browse": "Durchsuchen", @@ -447,8 +405,6 @@ "%(name)s declined": "%(name)s hat abgelehnt", "%(name)s cancelled": "%(name)s hat abgebrochen", "%(name)s wants to verify": "%(name)s will eine Verifizierung", - "Your display name": "Dein Anzeigename", - "Hide advanced": "Erweiterte Einstellungen ausblenden", "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?", @@ -458,16 +414,11 @@ "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!", - "Widget added by": "Widget hinzugefügt von", - "This widget may use cookies.": "Dieses Widget kann Cookies verwenden.", - "More options": "Weitere Optionen", "Explore rooms": "Räume erkunden", - "Connect this session to Key Backup": "Verbinde diese Sitzung mit einer Schlüsselsicherung", "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 for everyone": "Für alle entfernen", "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", @@ -482,8 +433,6 @@ "Start chatting": "Unterhaltung beginnen", "Reject & Ignore user": "Ablehnen und Nutzer blockieren", "Show more": "Mehr zeigen", - "This session is not backing up your keys, but you do have an existing backup you can restore from and add to going forward.": "Diese Sitzung sichert deine Schlüssel nicht, aber du hast eine vorhandene Sicherung, die du wiederherstellen und in Zukunft hinzufügen kannst.", - "Connect this session to key backup before signing out to avoid losing any keys that may only be on this session.": "Verbinde diese Sitzung mit deiner Schlüsselsicherung bevor du dich abmeldest, um den Verlust von Schlüsseln zu vermeiden.", "This backup is trusted because it has been restored on this session": "Dieser Sicherung wird vertraut, da sie während dieser Sitzung wiederhergestellt wurde", "Sounds": "Töne", "Encrypted by an unverified session": "Von einer nicht verifizierten Sitzung verschlüsselt", @@ -493,7 +442,6 @@ "e.g. my-room": "z. B. mein-raum", "Use an identity server to invite by email. Use the default (%(defaultIdentityServerName)s) or manage in Settings.": "Verwende einen Identitäts-Server, um per E-Mail einzuladen. Nutze den Standardidentitäts-Server (%(defaultIdentityServerName)s) oder konfiguriere einen in den Einstellungen.", "Use an identity server to invite by email. Manage in Settings.": "Verwende einen Identitäts-Server, um per E-Mail-Adresse einladen zu können. Lege einen in den Einstellungen fest.", - "Show advanced": "Erweiterte Einstellungen", "Session key": "Sitzungsschlüssel", "Recent Conversations": "Letzte Unterhaltungen", "Not Trusted": "Nicht vertraut", @@ -504,26 +452,15 @@ "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.", - "New login. Was this you?": "Neue Anmeldung. Warst du das?", "A text message has been sent to +%(msisdn)s. Please enter the verification code it contains.": "Gib den per SMS an +%(msisdn)s gesendeten Bestätigungscode ein.", "Someone is using an unknown session": "Jemand verwendet eine unbekannte Sitzung", "This room is end-to-end encrypted": "Dieser Raum ist Ende-zu-Ende verschlüsselt", "None": "Nichts", - "Message search": "Nachrichtensuche", "This room is bridging messages to the following platforms. Learn more.": "Dieser Raum leitet Nachrichten von/an folgende(n) Plattformen weiter. Mehr erfahren.", "Bridges": "Brücken", "Uploaded sound": "Hochgeladener Ton", "Verify your other session using one of the options below.": "Verifiziere deine andere Sitzung mit einer der folgenden Optionen.", "You signed in to a new session without verifying it:": "Du hast dich in einer neuen Sitzung angemeldet ohne sie zu verifizieren:", - "Other users may not trust it": "Andere Benutzer vertrauen ihr vielleicht nicht", - "Your homeserver does not support cross-signing.": "Dein Heim-Server unterstützt keine Quersignierung.", - "Your account has a cross-signing identity in secret storage, but it is not yet trusted by this session.": "Dein Konto hat eine Quersignaturidentität im sicheren Speicher, der von dieser Sitzung jedoch noch nicht vertraut wird.", - "unexpected type": "unbekannter Typ", - "Secret storage public key:": "Öffentlicher Schlüssel des sicheren Speichers:", - "in account data": "in den Kontodaten", - "Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "Alle Sitzungen einzeln verifizieren, anstatt auch Sitzungen zu vertrauen, die durch Quersignierungen verifiziert sind.", - "%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with search components added.": "Um verschlüsselte Nachrichten lokal zu durchsuchen, benötigt %(brand)s weitere Komponenten. Wenn du diese Funktion testen möchtest, kannst du dir deine eigene Version von %(brand)s Desktop mit der integrierten Suchfunktion kompilieren.", - "Your keys are not being backed up from this session.": "Deine Schlüssel werden von dieser Sitzung nicht gesichert.", "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", @@ -556,7 +493,6 @@ "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", "Could not revoke the invite. The server may be experiencing a temporary problem or you do not have sufficient permissions to revoke the invite.": "Die Einladung konnte nicht zurückgezogen werden. Der Server hat möglicherweise ein vorübergehendes Problem oder du hast nicht ausreichende Berechtigungen, um die Einladung zurückzuziehen.", - "Mark all as read": "Alle als gelesen markieren", "Local address": "Lokale Adresse", "Published Addresses": "Öffentliche Adresse", "Other published addresses:": "Andere öffentliche Adressen:", @@ -596,16 +532,6 @@ "Can't load this message": "Diese Nachricht kann nicht geladen werden", "Submit logs": "Protokolldateien senden", "Cancel search": "Suche abbrechen", - "Any of the following data may be shared:": "Die folgenden Informationen können geteilt werden:", - "Your user ID": "Deine Nutzer-ID", - "Your theme": "Dein Design", - "%(brand)s URL": "%(brand)s URL", - "Room ID": "Raum-ID", - "Widget ID": "Widget-ID", - "Using this widget may share data with %(widgetDomain)s.": "Wenn du dieses Widget verwendest, können Daten zu %(widgetDomain)s übertragen werden.", - "Widgets do not use message encryption.": "Widgets verwenden keine Nachrichtenverschlüsselung.", - "Rotate Left": "Nach links drehen", - "Rotate Right": "Nach rechts drehen", "Language Dropdown": "Sprachauswahl", "Some characters not allowed": "Einige Zeichen sind nicht erlaubt", "Enter a server name": "Gib einen Server-Namen ein", @@ -660,14 +586,11 @@ "Country Dropdown": "Landauswahl", "Resend %(unsentCount)s reaction(s)": "%(unsentCount)s Reaktion(en) erneut senden", "Sign in with SSO": "Einmalanmeldung verwenden", - "Jump to first unread room.": "Zum ersten ungelesenen Raum springen.", - "Jump to first invite.": "Zur ersten Einladung springen.", "Failed to get autodiscovery configuration from server": "Abrufen der Autodiscovery-Konfiguration vom Server fehlgeschlagen", "Invalid base_url for m.homeserver": "Ungültige base_url für m.homeserver", "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", - "well formed": "wohlgeformt", "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.", @@ -716,7 +639,6 @@ "IRC display name width": "Breite des IRC-Anzeigenamens", "Your homeserver has exceeded its user limit.": "Dein Heim-Server hat den Benutzergrenzwert erreicht.", "Your homeserver has exceeded one of its resource limits.": "Dein Heim-Server hat einen seiner Ressourcengrenzwerte erreicht.", - "Contact your server admin.": "Kontaktiere deine Heim-Server-Administration.", "Ok": "Ok", "Error creating address": "Fehler beim Anlegen der Adresse", "There was an error creating that address. It may not be allowed by the server or a temporary failure occurred.": "Es gab einen Fehler beim Anlegen der Adresse. Entweder erlaubt es der Server nicht oder es gab ein temporäres Problem.", @@ -730,22 +652,16 @@ "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", - "All settings": "Alle Einstellungen", "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", - "%(brand)s can't securely cache encrypted messages locally while running in a web browser. Use %(brand)s Desktop for encrypted messages to appear in search results.": "Das Durchsuchen von verschlüsselten Nachrichten wird aus Sicherheitsgründen nur von %(brand)s Desktop unterstützt. Hier gehts zum Download.", - "Forget Room": "Raum vergessen", - "Favourited": "Favorisiert", "This room is public": "Dieser Raum ist öffentlich", "Edited at %(date)s": "Geändert am %(date)s", "Click to view edits": "Klicke, um Änderungen anzuzeigen", "%(brand)s encountered an error during upload of:": "%(brand)s hat einen Fehler festgestellt beim hochladen von:", - "Change notification settings": "Benachrichtigungseinstellungen ändern", - "Your server isn't responding to some requests.": "Dein Server antwortet auf einige Anfragen nicht.", "Server isn't responding": "Server reagiert nicht", "Your server isn't responding to some of your requests. Below are some of the most likely reasons.": "Server reagiert auf einige deiner Anfragen nicht. Folgend sind einige der wahrscheinlichsten Gründe aufgeführt.", "The server (%(serverName)s) took too long to respond.": "Die Reaktionszeit des Servers (%(serverName)s) war zu hoch.", @@ -772,21 +688,10 @@ "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", - "Set up Secure Backup": "Schlüsselsicherung einrichten", "Information": "Information", "Not encrypted": "Nicht verschlüsselt", "Room settings": "Raumeinstellungen", - "Take a picture": "Bildschirmfoto", - "Cross-signing is ready for use.": "Quersignaturen sind bereits in Anwendung.", - "Cross-signing is not set up.": "Quersignierung wurde nicht eingerichtet.", "Backup version:": "Version der Sicherung:", - "Algorithm:": "Algorithmus:", - "Backup key stored:": "Sicherungsschlüssel gespeichert:", - "Backup key cached:": "Sicherungsschlüssel zwischengespeichert:", - "Secret storage:": "Sicherer Speicher:", - "ready": "bereit", - "not ready": "nicht bereit", - "Safeguard against losing access to encrypted messages & data": "Schütze dich vor dem Verlust verschlüsselter Nachrichten und Daten", "Widgets": "Widgets", "Edit widgets, bridges & bots": "Widgets, Brücken und Bots bearbeiten", "Add widgets, bridges & bots": "Widgets, Brücken und Bots hinzufügen", @@ -803,11 +708,6 @@ "Video conference updated by %(senderName)s": "Videokonferenz wurde von %(senderName)s aktualisiert", "Video conference started by %(senderName)s": "Videokonferenz von %(senderName)s gestartet", "Ignored attempt to disable encryption": "Versuch, die Verschlüsselung zu deaktivieren, wurde ignoriert", - "Failed to save your profile": "Speichern des Profils fehlgeschlagen", - "The operation could not be completed": "Die Operation konnte nicht abgeschlossen werden", - "Move right": "Nach rechts schieben", - "Move left": "Nach links schieben", - "Revoke permissions": "Berechtigungen widerrufen", "You can only pin up to %(count)s widgets": { "other": "Du kannst nur %(count)s Widgets anheften" }, @@ -816,12 +716,6 @@ "Data on this screen is shared with %(widgetDomain)s": "Daten auf diesem Bildschirm werden mit %(widgetDomain)s geteilt", "Modal Widget": "Modales Widget", "Uzbekistan": "Usbekistan", - "Don't miss a reply": "Verpasse keine Antwort", - "Enable desktop notifications": "Aktiviere Desktopbenachrichtigungen", - "Securely cache encrypted messages locally for them to appear in search results, using %(size)s to store messages from %(rooms)s rooms.": { - "other": "Verschlüsselte Nachrichten sicher lokal zwischenspeichern, um sie in Suchergebnissen finden zu können. Es werden %(size)s benötigt, um die Nachrichten von %(rooms)s Räumen zu speichern.", - "one": "Verschlüsselte Nachrichten sicher lokal zwischenspeichern, um sie in Suchergebnissen finden zu können. Es werden %(size)s benötigt, um die Nachrichten vom Raum %(rooms)s zu speichern." - }, "Invite by email": "Via Email einladen", "Start a conversation with someone using their name, email address or username (like ).": "Beginne eine Konversation mittels Name, E-Mail-Adresse oder Matrix-ID (wie ).", "Invite someone using their name, email address, username (like ) or share this room.": "Lade jemanden mittels Name, E-Mail-Adresse oder Benutzername (wie ) ein, oder teile diesen Raum.", @@ -1095,7 +989,6 @@ "Invalid Security Key": "Ungültiger Sicherheitsschlüssel", "Wrong Security Key": "Falscher Sicherheitsschlüssel", "Open dial pad": "Wähltastatur öffnen", - "Back up your encryption keys with your account data in case you lose access to your sessions. Your keys will be secured with a unique Security Key.": "Sichere deine Schlüssel mit deinen Kontodaten, für den Fall, dass du den Zugriff auf deine Sitzungen verlierst. Deine Schlüssel werden mit einem eindeutigen Sicherheitsschlüssel geschützt.", "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.", @@ -1110,21 +1003,15 @@ "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", - "Use app": "App verwenden", - "Use app for a better experience": "Nutze die App für eine bessere Erfahrung", "Recently visited rooms": "Kürzlich besuchte Räume", "%(count)s members": { "other": "%(count)s Mitglieder", "one": "%(count)s Mitglied" }, - "Save Changes": "Speichern", "Create a new room": "Neuen Raum erstellen", "Suggested Rooms": "Vorgeschlagene Räume", "Add existing room": "Existierenden Raum hinzufügen", - "Share invite link": "Einladungslink teilen", - "Click to copy": "Klicken um zu kopieren", "Create a space": "Neuen Space erstellen", - "Invite people": "Personen einladen", "Your message was sent": "Die Nachricht wurde gesendet", "Leave space": "Space verlassen", "Invite to this space": "In diesen Space einladen", @@ -1137,21 +1024,15 @@ "other": "%(count)s Räume" }, "Are you sure you want to leave the space '%(spaceName)s'?": "Bist du sicher, dass du den Space „%(spaceName)s“ verlassen möchtest?", - "Start audio stream": "Audiostream starten", "Failed to start livestream": "Livestream konnte nicht gestartet werden", "Unable to start audio streaming.": "Audiostream kann nicht gestartet werden.", - "Leave Space": "Space verlassen", "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.": "Dies beeinflusst meistens nur, wie der Raum auf dem Server verarbeitet wird. Solltest du Probleme mit %(brand)s haben, erstelle bitte einen Fehlerbericht.", "Invite someone using their name, username (like ) or share this space.": "Lade Leute mittels Anzeigename oder Benutzername (z. B. ) ein oder teile diesen Space.", "Invite someone using their name, email address, username (like ) or share this space.": "Lade Leute mittels Anzeigename, E-Mail-Adresse oder Benutzername (z. B. ) ein oder teile diesen Space.", "Invite to %(roomName)s": "In %(roomName)s einladen", - "Spaces": "Spaces", - "Invite with email or username": "Personen mit E-Mail oder Benutzernamen einladen", - "You can change these anytime.": "Du kannst diese jederzeit ändern.", "You may want to try a different search or check for typos.": "Versuche es mit etwas anderem oder prüfe auf Tippfehler.", "You don't have permission": "Du hast dazu keine Berechtigung", "This space is not public. You will not be able to rejoin without an invite.": "Du wirst diesen privaten Space nur mit einer Einladung wieder betreten können.", - "Failed to save space settings.": "Spaceeinstellungen konnten nicht gespeichert werden.", "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.": "Das Entfernen von Rechten kann nicht rückgängig gemacht werden. Falls sie dir niemand anderer zurückgeben kann, kannst du sie nie wieder erhalten.", "Edit devices": "Sitzungen anzeigen", "We couldn't create your DM.": "Wir konnten deine Direktnachricht nicht erstellen.", @@ -1161,10 +1042,6 @@ "one": "%(count)s Person, die du kennst, ist schon beigetreten", "other": "%(count)s Leute, die du kennst, sind bereits beigetreten" }, - "Space options": "Space-Optionen", - "unknown person": "unbekannte Person", - "%(deviceId)s from %(ip)s": "%(deviceId)s von %(ip)s", - "Review to ensure your account is safe": "Überprüfe sie, um ein sicheres Konto gewährleisten zu können", "Avatar": "Avatar", "Invited people will be able to read old messages.": "Eingeladene Leute werden ältere Nachrichten lesen können.", "Consult first": "Zuerst Anfragen", @@ -1172,7 +1049,6 @@ "You most likely do not want to reset your event index store": "Es ist wahrscheinlich, dass du den Ereignis-Indexspeicher nicht zurück setzen möchtest", "Reset event store": "Ereignisspeicher zurück setzen", "You are the only person here. If you leave, no one will be able to join in the future, including you.": "Du bist die einzige Person im Raum. Sobald du ihn verlässt, wird niemand mehr hineingelangen, auch du nicht.", - "Edit settings relating to your space.": "Einstellungen vom Space bearbeiten.", "If you reset everything, you will restart with no trusted sessions, no trusted users, and might not be able to see past messages.": "Wenn du alles zurücksetzt, beginnst du ohne verifizierte Sitzungen und Benutzende von Neuem und siehst eventuell keine alten Nachrichten.", "Only do this if you have no other device to complete verification with.": "Verwende es nur, wenn du kein Gerät, mit dem du dich verifizieren kannst, bei dir hast.", "Reset everything": "Alles zurücksetzen", @@ -1204,8 +1080,6 @@ "No microphone found": "Kein Mikrofon gefunden", "We were unable to access your microphone. Please check your browser settings and try again.": "Fehler beim Zugriff auf dein Mikrofon. Überprüfe deine Browsereinstellungen und versuche es nochmal.", "Unable to access your microphone": "Fehler beim Zugriff auf Mikrofon", - "Connecting": "Verbinden", - "Message search initialisation failed": "Initialisierung der Nachrichtensuche fehlgeschlagen", "Search names and descriptions": "Nach Name und Beschreibung filtern", "Not all selected were added": "Nicht alle Ausgewählten konnten hinzugefügt werden", "Add reaction": "Reaktion hinzufügen", @@ -1221,14 +1095,8 @@ "Search for rooms or people": "Räume oder Leute suchen", "Sent": "Gesendet", "You don't have permission to do this": "Du bist dazu nicht berechtigt", - "Error loading Widget": "Fehler beim Laden des Widgets", "Pinned messages": "Angeheftete Nachrichten", "Nothing pinned, yet": "Es ist nichts angepinnt. Noch nicht.", - "Error - Mixed content": "Fehler - Uneinheitlicher Inhalt", - "View source": "Rohdaten anzeigen", - "Report": "Melden", - "Collapse reply thread": "Antworten verbergen", - "Show preview": "Vorschau zeigen", "Please provide an address": "Bitte gib eine Adresse an", "Set addresses for this space so users can find this space through your homeserver (%(localDomain)s)": "Füge Adressen für diesen Space hinzu, damit andere Leute ihn über deinen Heim-Server (%(localDomain)s) finden können", "To publish an address, it needs to be set as a local address first.": "Damit du die Adresse veröffentlichen kannst, musst du sie zuerst als lokale Adresse hinzufügen.", @@ -1236,17 +1104,6 @@ "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", - "Recommended for public spaces.": "Empfohlen für öffentliche Spaces.", - "Allow people to preview your space before they join.": "Personen können den Space vor dem Betreten erkunden.", - "Preview Space": "Space-Vorschau erlauben", - "Decide who can view and join %(spaceName)s.": "Konfiguriere, wer %(spaceName)s sehen und betreten kann.", - "Visibility": "Sichtbarkeit", - "This may be useful for public spaces.": "Sinnvoll für öffentliche Spaces.", - "Guests can join a space without having an account.": "Gäste ohne Konto können den Space betreten.", - "Enable guest access": "Gastzutritt", - "Failed to update the history visibility of this space": "Verlaufssichtbarkeit des Space konnte nicht geändert werden", - "Failed to update the guest access of this space": "Gastzutritt zum Space konnte nicht geändert werden", - "Failed to update the visibility of this space": "Sichtbarkeit des Space konnte nicht geändert werden", "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", @@ -1258,7 +1115,6 @@ "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.", - "Using this widget may share data with %(widgetDomain)s & your integration manager.": "Wenn du dieses Widget verwendest, können Daten zu %(widgetDomain)s und deinem Integrationsmanager übertragen werden.", "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.", @@ -1267,19 +1123,11 @@ "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", - "There was an error loading your notification settings.": "Fehler beim Laden der Benachrichtigungseinstellungen.", - "Mentions & keywords": "Erwähnungen und Schlüsselwörter", - "Global": "Global", - "New keyword": "Neues Schlüsselwort", - "Keyword": "Schlüsselwort", "The call is in an unknown state!": "Dieser Anruf ist in einem unbekannten Zustand!", "Call back": "Zurückrufen", "Connection failed": "Verbindung fehlgeschlagen", "Error downloading audio": "Fehler beim Herunterladen der Audiodatei", "An unknown error occurred": "Ein unbekannter Fehler ist aufgetreten", - "More": "Mehr", - "Show sidebar": "Seitenleiste anzeigen", - "Hide sidebar": "Seitenleiste verbergen", "Missed call": "Verpasster Anruf", "Call declined": "Anruf abgelehnt", "Adding spaces has moved.": "Das Hinzufügen von Spaces ist umgezogen.", @@ -1288,30 +1136,10 @@ "Create a new space": "Neuen Space erstellen", "Want to add a new space instead?": "Willst du stattdessen einen neuen Space hinzufügen?", "Add existing space": "Existierenden Space hinzufügen", - "Share content": "Inhalt teilen", - "Application window": "Anwendungsfenster", - "Share entire screen": "Vollständigen Bildschirm teilen", "Decrypting": "Entschlüsseln", "Unknown failure: %(reason)s": "Unbekannter Fehler: %(reason)s", "Stop recording": "Aufnahme beenden", "Send voice message": "Sprachnachricht senden", - "Access": "Zutritt", - "Space members": "Spacemitglieder", - "Anyone in a space can find and join. You can select multiple spaces.": "Das Betreten ist allen in den gewählten Spaces möglich.", - "Spaces with access": "Spaces mit Zutritt", - "Anyone in a space can find and join. Edit which spaces can access here.": "Das Betreten ist allen in diesen Spaces möglich. Ändere, welche Spaces Zutritt haben.", - "Currently, %(count)s spaces have access": { - "other": "%(count)s Spaces haben Zutritt", - "one": "Derzeit hat ein Space Zutritt" - }, - "& %(count)s more": { - "other": "und %(count)s weitere", - "one": "und %(count)s weitere" - }, - "Upgrade required": "Aktualisierung erforderlich", - "This upgrade will allow members of selected spaces access to this room without an invite.": "Diese Aktualisierung gewährt Mitgliedern der ausgewählten Spaces Zugang zu diesem Raum ohne Einladung.", - "Show all rooms": "Alle Räume anzeigen", - "Delete avatar": "Avatar löschen", "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", @@ -1321,7 +1149,6 @@ "You're the only admin of some of the rooms or spaces you wish to leave. Leaving them will leave them without any admins.": "Du bist der einzige Admin einiger Räume oder Spaces, die du verlassen willst. Dadurch werden diese keine Admins mehr haben.", "You're the only admin of this space. Leaving it will mean no one has control over it.": "Du bist der letzte Admin in diesem Space. Wenn du ihn jetzt verlässt, hat niemand mehr die Kontrolle über ihn.", "You won't be able to rejoin unless you are re-invited.": "Das Betreten wird dir ohne erneute Einladung nicht möglich sein.", - "Search %(spaceName)s": "%(spaceName)s durchsuchen", "Want to add an existing space instead?": "Willst du einen existierenden Space hinzufügen?", "Only people invited will be able to find and join this space.": "Nur eingeladene Personen können diesen Space sehen und betreten.", "Anyone will be able to find and join this space, not just members of .": "Finden und Betreten ist allen, nicht nur Mitgliedern von , möglich.", @@ -1334,13 +1161,11 @@ "You're removing all spaces. Access will default to invite only": "Du entfernst alle Spaces. Der Zutritt wird auf den Standard (Privat) zurückgesetzt", "Decide which spaces can access this room. If a space is selected, its members can find and join .": "Entscheide, welche Spaces auf den Raum zugreifen können. Mitglieder ausgewählter Spaces können betreten.", "Their device couldn't start the camera or microphone": "Mikrofon oder Kamera des Gesprächspartners konnte nicht gestartet werden", - "Cross-signing is ready but keys are not backed up.": "Quersignatur ist bereit, die Schlüssel sind aber nicht gesichert.", "Role in ": "Rolle in ", "Results": "Ergebnisse", "Rooms and spaces": "Räume und Spaces", "Unknown failure": "Unbekannter Fehler", "Failed to update the join rules": "Fehler beim Aktualisieren der Beitrittsregeln", - "Anyone in can find and join. You can select other spaces too.": "Finden und betreten ist Mitgliedern von erlaubt. Du kannst auch weitere Spaces wählen.", "To join a space you'll need an invite.": "Um einen Space zu betreten, brauchst du eine Einladung.", "You are about to leave .": "Du bist dabei, zu verlassen.", "Leave some rooms": "Zu verlassende Räume auswählen", @@ -1367,16 +1192,6 @@ "Disinvite from %(roomName)s": "Einladung für %(roomName)s zurückziehen", "Export chat": "Unterhaltung exportieren", "Insert link": "Link einfügen", - "Updating spaces... (%(progress)s out of %(count)s)": { - "one": "Space aktualisieren …", - "other": "Spaces aktualisieren … (%(progress)s von %(count)s)" - }, - "Sending invites... (%(progress)s out of %(count)s)": { - "one": "Einladung senden …", - "other": "Einladungen senden … (%(progress)s von %(count)s)" - }, - "Loading new room": "Neuer Raum wird geladen", - "Upgrading room": "Raum wird aktualisiert", "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.", @@ -1398,24 +1213,17 @@ "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.", - "This room is in some spaces you're not an admin of. In those spaces, the old room will still be shown, but people will be prompted to join the new one.": "Dieser Raum ist Teil von Spaces von denen du kein Administrator bist. In diesen Räumen wird der alte Raum weiter angezeigt werden, aber Personen werden aufgefordert werden, dem neuen Raum beizutreten.", "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", - "Sidebar": "Seitenleiste", - "Show all your rooms in Home, even if they're in a space.": "Alle Räume auf der Startseite anzeigen, auch wenn sie Teil eines Space sind.", - "Home is useful for getting an overview of everything.": "Die Startseite bietet dir einen Überblick über deine Unterhaltungen.", "Get notifications as set up in your settings": "Du erhältst Benachrichtigungen, wie du sie in den Einstellungen konfiguriert hast", - "Spaces to show": "Anzuzeigende Spaces", - "Mentions only": "Nur Erwähnungen", "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", - "Rooms outside of a space": "Räume außerhalb von Spaces", "%(count)s votes": { "one": "%(count)s Stimme", "other": "%(count)s Stimmen" @@ -1427,8 +1235,6 @@ "Invite to space": "In Space einladen", "Start new chat": "Neue Direktnachricht", "Recently viewed": "Kürzlich besucht", - "Pin to sidebar": "An Seitenleiste heften", - "Quick settings": "Schnelleinstellungen", "Developer": "Entwickler", "Experimental": "Experimentell", "Themes": "Themen", @@ -1454,7 +1260,6 @@ "Failed to end poll": "Beenden der Umfrage fehlgeschlagen", "The poll has ended. Top answer: %(topAnswer)s": "Umfrage beendet. Beliebteste Antwort: %(topAnswer)s", "The poll has ended. No votes were cast.": "Umfrage beendet. Es wurden keine Stimmen abgegeben.", - "Share location": "Standort teilen", "Based on %(count)s votes": { "one": "%(count)s Stimme abgegeben", "other": "%(count)s Stimmen abgegeben" @@ -1474,8 +1279,6 @@ "Unban them from specific things I'm able to": "In ausgewählten Räumen und Spaces entbannen", "Ban them from everything I'm able to": "Überall wo ich die Rechte dazu habe bannen", "Unban them from everything I'm able to": "Überall wo ich die Rechte dazu habe, entbannen", - "Copy room link": "Raumlink kopieren", - "Share anonymous data to help us identify issues. Nothing personal. No third parties.": "Teile anonyme Nutzungsdaten mit uns, damit wir Probleme in Element finden können. Nichts Persönliches. Keine Drittparteien.", "Messaging": "Kommunikation", "Close this widget to view it in this panel": "Widget schließen und in diesem Panel anzeigen", "Home options": "Startseiteneinstellungen", @@ -1483,9 +1286,6 @@ "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", "Device verified": "Gerät verifiziert", - "Room members": "Raummitglieder", - "Back to thread": "Zurück zum Thread", - "Back to chat": "Zurück zur Unterhaltung", "Could not fetch location": "Standort konnte nicht abgerufen werden", "You cancelled verification on your other device.": "Verifizierung am anderen Gerät abgebrochen.", "Almost there! Is your other device showing the same shield?": "Fast geschafft! Zeigen beide Geräte das selbe Wappen an?", @@ -1509,10 +1309,6 @@ "Message pending moderation": "Nachricht erwartet Moderation", "toggle event": "Event umschalten", "This address had invalid server or is already in use": "Diese Adresse hat einen ungültigen Server oder wird bereits verwendet", - "Group all your rooms that aren't part of a space in one place.": "Gruppiere all deine Räume, die nicht Teil eines Spaces sind, an einem Ort.", - "Group all your people in one place.": "Gruppiere all deine Direktnachrichten an einem Ort.", - "Group all your favourite rooms and people in one place.": "Gruppiere all deine favorisierten Unterhaltungen an einem Ort.", - "Spaces are ways to group rooms and people. Alongside the spaces you're in, you can use some pre-built ones too.": "Mit Spaces kannst du deine Unterhaltungen organisieren. Neben Spaces, in denen du dich befindest, kannst du dir auch dynamische anzeigen lassen.", "Wait!": "Warte!", "This address does not point at this room": "Diese Adresse verweist nicht auf diesen Raum", "Pick a date to jump to": "Wähle eine Datum aus", @@ -1533,13 +1329,10 @@ "Sorry, you can't edit a poll after votes have been cast.": "Du kannst Umfragen nicht bearbeiten, sobald Stimmen abgegeben wurden.", "Can't edit poll": "Umfrage kann nicht bearbeitet werden", "They won't be able to access whatever you're not an admin of.": "Die Person wird keinen Zutritt zu Bereichen haben, in denen du nicht administrierst.", - "Click to drop a pin": "Klicke, um den Standort zu setzen", - "Click to move the pin": "Klicke, um den Standort zu bewegen", "Click": "Klick", "Expand quotes": "Zitate ausklappen", "Collapse quotes": "Zitate einklappen", "Can't create a thread from an event with an existing relation": "Du kannst keinen Thread in einem Thread starten", - "Match system": "An System anpassen", "What location type do you want to share?": "Wie willst du deinen Standort teilen?", "Drop a Pin": "Standort setzen", "My live location": "Mein Echtzeit-Standort", @@ -1558,14 +1351,6 @@ "one": "Entferne Nachrichten in %(count)s Raum", "other": "Entferne Nachrichten in %(count)s Räumen" }, - "Share for %(duration)s": "Geteilt für %(duration)s", - "Failed to join": "Betreten fehlgeschlagen", - "The person who invited you has already left, or their server is offline.": "Die dich einladende Person hat den Raum verlassen oder ihr Heim-Server ist außer Betrieb.", - "The person who invited you has already left.": "Die Person, die dich eingeladen hat, hat den Raum wieder verlassen.", - "Sorry, your homeserver is too old to participate here.": "Verzeihung, dein Heim-Server ist hierfür zu alt.", - "There was an error joining.": "Es gab einen Fehler beim Betreten.", - "%(brand)s is experimental on a mobile web browser. For a better experience and the latest features, use our free native app.": "%(brand)s ist in mobilen Browsern experimentell. Für eine bessere Erfahrung nutze unsere App.", - "Live location sharing": "Echtzeit-Standortfreigabe", "View live location": "Echtzeit-Standort anzeigen", "Ban from room": "Bannen", "Unban from room": "Entbannen", @@ -1618,20 +1403,12 @@ "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.", - "Enable live location sharing": "Aktiviere Echtzeit-Standortfreigabe", "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.", - "You were disconnected from the call. (Error: %(message)s)": "Du wurdest vom Anruf getrennt. (Error: %(message)s)", - "Connection lost": "Verbindung verloren", "Explore public spaces in the new search dialog": "Erkunde öffentliche Räume mit der neuen Suchfunktion", - "%(count)s people joined": { - "one": "%(count)s Person beigetreten", - "other": "%(count)s Personen beigetreten" - }, - "Please note: this is a labs feature using a temporary implementation. This means you will not be able to delete your location history, and advanced users will be able to see your location history even after you stop sharing your live location with this room.": "Bitte beachte: Dies ist eine experimentelle Funktion, die eine temporäre Implementierung nutzt. Das bedeutet, dass du deinen Standortverlauf nicht löschen kannst und erfahrene Nutzer ihn sehen können, selbst wenn du deinen Echtzeit-Standort nicht mehr mit diesem Raum teilst.", "Video room": "Videoraum", "Remove server “%(roomServer)s”": "Server „%(roomServer)s“ entfernen", "Add new server…": "Neuen Server hinzufügen …", @@ -1674,11 +1451,8 @@ "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", - "For best security, verify your sessions and sign out from any session that you don't recognize or use anymore.": "Für bestmögliche Sicherheit verifiziere deine Sitzungen und melde dich von allen ab, die du nicht erkennst oder nutzt.", - "Sessions": "Sitzungen", "Online community members": "Online Community-Mitglieder", "You don't have permission to share locations": "Dir fehlt die Berechtigung, Echtzeit-Standorte freigeben zu dürfen", - "Un-maximise": "Maximieren rückgängig machen", "Start a group chat": "Gruppenunterhaltung beginnen", "If you can't see who you're looking for, send them your invite link.": "Falls du nicht findest wen du suchst, send ihnen deinen Einladungslink.", "Interactively verify by emoji": "Interaktiv per Emoji verifizieren", @@ -1687,7 +1461,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.": "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", - "View related event": "Zugehöriges Ereignis anzeigen", "Stop and close": "Beenden und schließen", "We'll help you get connected.": "Wir helfen dir, dich zu vernetzen.", "You're in": "Los gehts", @@ -1697,15 +1470,10 @@ "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", - "There's no one here to call": "Hier ist niemand zum Anrufen", - "You do not have permission to start voice calls": "Dir fehlt die Berechtigung, um Audioanrufe zu beginnen", - "You do not have permission to start video calls": "Dir fehlt die Berechtigung, um Videoanrufe zu beginnen", - "Ongoing call": "laufender Anruf", "Video call (Jitsi)": "Videoanruf (Jitsi)", "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", - "Unknown room": "Unbekannter Raum", "Freedom": "Freiraum", "Spotlight": "Rampenlicht", "Room info": "Raum-Info", @@ -1716,7 +1484,6 @@ "Video call (%(brand)s)": "Videoanruf (%(brand)s)", "%(brand)s is end-to-end encrypted, but is currently limited to smaller numbers of users.": "%(brand)s ist Ende-zu-Ende-verschlüsselt, allerdings noch auf eine geringere Anzahl Benutzer beschränkt.", "Enable %(brand)s as an additional calling option in this room": "Verwende %(brand)s als alternative Anrufoption in diesem Raum", - "Sorry — this call is currently full": "Entschuldigung — dieser Anruf ist aktuell besetzt", "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", @@ -1735,10 +1502,6 @@ "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", - "Are you sure you want to sign out of %(count)s sessions?": { - "one": "Bist du sicher, dass du dich von %(count)s Sitzung abmelden möchtest?", - "other": "Bist du sicher, dass du dich von %(count)s Sitzungen abmelden möchtest?" - }, "Show formatting": "Formatierung anzeigen", "Hide formatting": "Formatierung ausblenden", "Connection": "Verbindung", @@ -1757,15 +1520,10 @@ "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: ", - "You have unverified sessions": "Du hast nicht verifizierte Sitzungen", "Change layout": "Anordnung ändern", - "Add privileged users": "Berechtigten Benutzer hinzufügen", - "Search users in this room…": "Benutzer im Raum suchen …", - "Give one or multiple users in this room more privileges": "Einem oder mehreren Benutzern im Raum mehr Berechtigungen geben", "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", - "Mark as read": "Als gelesen markieren", "Text": "Text", "Create a link": "Link erstellen", "Can't start voice message": "Kann Sprachnachricht nicht beginnen", @@ -1776,9 +1534,6 @@ "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", - "Red": "Rot", - "Grey": "Grau", - "This session is backing up your keys.": "Diese Sitzung sichert deine Schlüssel.", "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", @@ -1799,10 +1554,6 @@ "Encrypting your message…": "Verschlüssele deine Nachricht …", "Sending your message…": "Sende deine Nachricht …", "Set a new account password…": "Setze neues Kontopasswort …", - "Backing up %(sessionsRemaining)s keys…": "Sichere %(sessionsRemaining)s Schlüssel …", - "Connecting to integration manager…": "Verbinde mit Integrationsassistent …", - "Saving…": "Speichere …", - "Creating…": "Erstelle …", "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.", @@ -1812,10 +1563,7 @@ "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", "Ended a poll": "Eine Umfrage beendet", - "Yes, it was me": "Ja, das war ich", "Answered elsewhere": "Anderswo beantwortet", - "If you know a room address, try joining through that instead.": "Falls du eine Adresse kennst, versuche den Raum mit dieser zu betreten.", - "You attempted to join using a room ID without providing a list of servers to join through. Room IDs are internal identifiers and cannot be used to join a room without additional information.": "Du hast versucht einen Raum via Raum-ID, aber ohne Angabe von Servern zu betreten. Raum-IDs sind interne Kennungen und können nicht ohne weitere Informationen zum Betreten von Räumen genutzt werden.", "View poll": "Umfrage ansehen", "There are no past polls for the past %(count)s days. Load more polls to view polls for previous months": { "one": "Für den vergangenen Tag sind keine beendeten Umfragen verfügbar. Lade weitere Umfragen, um die der vorherigen Monate zu sehen", @@ -1831,10 +1579,7 @@ "Past polls": "Vergangene Umfragen", "Active polls": "Aktive Umfragen", "View poll in timeline": "Umfrage im Verlauf anzeigen", - "Verify Session": "Sitzung verifizieren", - "Ignore (%(counter)s)": "Ignorieren (%(counter)s)", "Invites by email can only be sent one at a time": "E-Mail-Einladungen können nur nacheinander gesendet werden", - "An error occurred when updating your notification preferences. Please try to toggle your option again.": "Ein Fehler ist während der Aktualisierung deiner Benachrichtigungseinstellungen aufgetreten. Bitte versuche die Option erneut umzuschalten.", "Desktop app logo": "Desktop-App-Logo", "Requires your server to support the stable version of MSC3827": "Dafür muss dein Server die fertige Fassung der MSC3827 unterstützen", "Message from %(user)s": "Nachricht von %(user)s", @@ -1848,25 +1593,19 @@ "We were unable to find an event looking forwards from %(dateString)s. Try choosing an earlier date.": "Wir konnten kein Ereignis nach dem %(dateString)s finden. Versuche, einen früheren Zeitpunkt zu wählen.", "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.": "Während des Versuchs, zum Datum zu springen, trat ein Netzwerkfehler auf. Möglicherweise ist dein Heim-Server nicht erreichbar oder es liegt ein temporäres Problem mit deiner Internetverbindung vor. Bitte versuche es erneut. Falls dieser Fehler weiterhin auftritt, kontaktiere bitte deine Heim-Server-Administration.", "Poll history": "Umfrageverlauf", - "Mute room": "Raum stumm stellen", - "Match default setting": "Standardeinstellung verwenden", "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", - "Image view": "Bildbetrachter", "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)", - "Failed to download source media, no source url was found": "Herunterladen der Quellmedien fehlgeschlagen, da keine Quell-URL gefunden wurde", "Once invited users have joined %(brand)s, you will be able to chat and the room will be end-to-end encrypted": "Sobald eingeladene Benutzer %(brand)s beigetreten sind, werdet ihr euch unterhalten können und der Raum wird Ende-zu-Ende-verschlüsselt sein", "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", - "Your language": "Deine Sprache", - "Your device ID": "Deine Geräte-ID", "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", @@ -1898,17 +1637,12 @@ "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.", - "Your profile picture URL": "Deine Profilbild-URL", - "Ask to join": "Beitrittsanfragen", "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.", - "People cannot join unless access is granted.": "Personen können den Raum nur betreten, wenn sie Zutritt erhalten.", "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.", - "You need an invite to access this room.": "Du kannst diesen Raum nur auf Einladung betreten.", - "Failed to cancel": "Abbrechen gescheitert", "Ask to join?": "Beitrittsanfrage stellen?", "Message (optional)": "Nachricht (optional)", "Request access": "Beitrittsanfrage stellen", @@ -2017,7 +1751,15 @@ "off": "Aus", "all_rooms": "Alle Räume", "deselect_all": "Alle abwählen", - "select_all": "Alle auswählen" + "select_all": "Alle auswählen", + "copied": "Kopiert!", + "advanced": "Erweitert", + "spaces": "Spaces", + "general": "Allgemein", + "saving": "Speichere …", + "profile": "Profil", + "display_name": "Anzeigename", + "user_avatar": "Profilbild" }, "action": { "continue": "Fortfahren", @@ -2121,7 +1863,10 @@ "clear": "Löschen", "exit_fullscreeen": "Vollbild verlassen", "enter_fullscreen": "Vollbild", - "unban": "Verbannung aufheben" + "unban": "Verbannung aufheben", + "click_to_copy": "Klicken um zu kopieren", + "hide_advanced": "Erweiterte Einstellungen ausblenden", + "show_advanced": "Erweiterte Einstellungen" }, "a11y": { "user_menu": "Benutzermenü", @@ -2133,7 +1878,8 @@ "other": "%(count)s ungelesene Nachrichten.", "one": "1 ungelesene Nachricht." }, - "unread_messages": "Ungelesene Nachrichten." + "unread_messages": "Ungelesene Nachrichten.", + "jump_first_invite": "Zur ersten Einladung springen." }, "labs": { "video_rooms": "Videoräume", @@ -2327,7 +2073,6 @@ "user_a11y": "Nutzer-Auto-Vervollständigung" } }, - "Bold": "Fett", "Link": "Link", "Code": "Code", "power_level": { @@ -2435,7 +2180,8 @@ "intro_byline": "Besitze deine Unterhaltungen.", "send_dm": "Direkt­­nachricht senden", "explore_rooms": "Öffentliche Räume erkunden", - "create_room": "Gruppenraum erstellen" + "create_room": "Gruppenraum erstellen", + "create_account": "Konto anlegen" }, "settings": { "show_breadcrumbs": "Kürzlich besuchte Räume anzeigen", @@ -2502,7 +2248,10 @@ "noisy": "Laut", "error_permissions_denied": "%(brand)s hat keine Berechtigung, Benachrichtigungen zu senden - Bitte überprüfe deine Browsereinstellungen", "error_permissions_missing": "%(brand)s hat keine Berechtigung für das Senden von Benachrichtigungen erhalten - Bitte versuche es erneut", - "error_title": "Benachrichtigungen konnten nicht aktiviert werden" + "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." }, "appearance": { "layout_irc": "IRC (Experimentell)", @@ -2576,7 +2325,44 @@ "cryptography_section": "Verschlüsselung", "session_id": "Sitzungs-ID:", "session_key": "Sitzungsschlüssel:", - "encryption_section": "Verschlüsselung" + "encryption_section": "Verschlüsselung", + "bulk_options_section": "Sammeloptionen", + "bulk_options_accept_all_invites": "Akzeptiere alle %(invitedRooms)s Einladungen", + "bulk_options_reject_all_invites": "Alle %(invitedRooms)s Einladungen ablehnen", + "message_search_section": "Nachrichtensuche", + "analytics_subsection_description": "Teile anonyme Nutzungsdaten mit uns, damit wir Probleme in Element finden können. Nichts Persönliches. Keine Drittparteien.", + "encryption_individual_verification_mode": "Alle Sitzungen einzeln verifizieren, anstatt auch Sitzungen zu vertrauen, die durch Quersignierungen verifiziert sind.", + "message_search_enabled": { + "other": "Verschlüsselte Nachrichten sicher lokal zwischenspeichern, um sie in Suchergebnissen finden zu können. Es werden %(size)s benötigt, um die Nachrichten von %(rooms)s Räumen zu speichern.", + "one": "Verschlüsselte Nachrichten sicher lokal zwischenspeichern, um sie in Suchergebnissen finden zu können. Es werden %(size)s benötigt, um die Nachrichten vom Raum %(rooms)s zu speichern." + }, + "message_search_disabled": "Speichere verschlüsselte Nachrichten lokal, sodass sie deinen Suchergebnissen erscheinen können.", + "message_search_unsupported": "Um verschlüsselte Nachrichten lokal zu durchsuchen, benötigt %(brand)s weitere Komponenten. Wenn du diese Funktion testen möchtest, kannst du dir deine eigene Version von %(brand)s Desktop mit der integrierten Suchfunktion kompilieren.", + "message_search_unsupported_web": "Das Durchsuchen von verschlüsselten Nachrichten wird aus Sicherheitsgründen nur von %(brand)s Desktop unterstützt. Hier gehts zum Download.", + "message_search_failed": "Initialisierung der Nachrichtensuche fehlgeschlagen", + "backup_key_well_formed": "wohlgeformt", + "backup_key_unexpected_type": "unbekannter Typ", + "backup_keys_description": "Sichere deine Schlüssel mit deinen Kontodaten, für den Fall, dass du den Zugriff auf deine Sitzungen verlierst. Deine Schlüssel werden mit einem eindeutigen Sicherheitsschlüssel geschützt.", + "backup_key_stored_status": "Sicherungsschlüssel gespeichert:", + "cross_signing_not_stored": "nicht gespeichert", + "backup_key_cached_status": "Sicherungsschlüssel zwischengespeichert:", + "4s_public_key_status": "Öffentlicher Schlüssel des sicheren Speichers:", + "4s_public_key_in_account_data": "in den Kontodaten", + "secret_storage_status": "Sicherer Speicher:", + "secret_storage_ready": "bereit", + "secret_storage_not_ready": "nicht bereit", + "delete_backup": "Lösche Sicherung", + "delete_backup_confirm_description": "Bist du sicher? Du wirst alle deine verschlüsselten Nachrichten verlieren, wenn deine Schlüssel nicht gut gesichert sind.", + "error_loading_key_backup_status": "Konnte Status der Schlüsselsicherung nicht laden", + "restore_key_backup": "Von Sicherung wiederherstellen", + "key_backup_active": "Diese Sitzung sichert deine Schlüssel.", + "key_backup_inactive": "Diese Sitzung sichert deine Schlüssel nicht, aber du hast eine vorhandene Sicherung, die du wiederherstellen und in Zukunft hinzufügen kannst.", + "key_backup_connect_prompt": "Verbinde diese Sitzung mit deiner Schlüsselsicherung bevor du dich abmeldest, um den Verlust von Schlüsseln zu vermeiden.", + "key_backup_connect": "Verbinde diese Sitzung mit einer Schlüsselsicherung", + "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." }, "preferences": { "room_list_heading": "Raumliste", @@ -2690,7 +2476,13 @@ "other": "Geräte abmelden" }, "security_recommendations": "Sicherheitsempfehlungen", - "security_recommendations_description": "Verbessere deine Kontosicherheit, indem du diese Empfehlungen beherzigst." + "security_recommendations_description": "Verbessere deine Kontosicherheit, indem du diese Empfehlungen beherzigst.", + "title": "Sitzungen", + "sign_out_confirm_description": { + "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." }, "general": { "oidc_manage_button": "Konto verwalten", @@ -2709,7 +2501,22 @@ "add_msisdn_confirm_sso_button": "Bestätige die hinzugefügte Telefonnummer, indem du deine Identität mittels der Einmalanmeldung nachweist.", "add_msisdn_confirm_button": "Hinzugefügte Telefonnummer bestätigen", "add_msisdn_confirm_body": "Klicke unten die Schaltfläche, um die hinzugefügte Telefonnummer zu bestätigen.", - "add_msisdn_dialog_title": "Telefonnummer hinzufügen" + "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" + }, + "sidebar": { + "title": "Seitenleiste", + "metaspaces_subsection": "Anzuzeigende Spaces", + "metaspaces_description": "Mit Spaces kannst du deine Unterhaltungen organisieren. Neben Spaces, in denen du dich befindest, kannst du dir auch dynamische anzeigen lassen.", + "metaspaces_home_description": "Die Startseite bietet dir einen Überblick über deine Unterhaltungen.", + "metaspaces_favourites_description": "Gruppiere all deine favorisierten Unterhaltungen an einem Ort.", + "metaspaces_people_description": "Gruppiere all deine Direktnachrichten an einem Ort.", + "metaspaces_orphans": "Räume außerhalb von Spaces", + "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" } }, "devtools": { @@ -3213,7 +3020,15 @@ "user": "%(senderName)s beendete eine Sprachübertragung" }, "creation_summary_dm": "%(creator)s hat diese Direktnachricht erstellt.", - "creation_summary_room": "%(creator)s hat den Raum erstellt und konfiguriert." + "creation_summary_room": "%(creator)s hat den Raum erstellt und konfiguriert.", + "context_menu": { + "view_source": "Rohdaten anzeigen", + "show_url_preview": "Vorschau zeigen", + "external_url": "Quell-URL", + "collapse_reply_thread": "Antworten verbergen", + "view_related_event": "Zugehöriges Ereignis anzeigen", + "report": "Melden" + } }, "slash_command": { "spoiler": "Die gegebene Nachricht als Spoiler senden", @@ -3416,10 +3231,28 @@ "failed_call_live_broadcast_title": "Kann keinen Anruf beginnen", "failed_call_live_broadcast_description": "Du kannst keinen Anruf beginnen, da du im Moment eine Sprachübertragung aufzeichnest. Bitte beende deine Sprachübertragung, um ein Gespräch zu beginnen.", "no_media_perms_title": "Keine Medienberechtigungen", - "no_media_perms_description": "Gegebenenfalls kann es notwendig sein, dass du %(brand)s manuell den Zugriff auf dein Mikrofon bzw. deine Webcam gewähren musst" + "no_media_perms_description": "Gegebenenfalls kann es notwendig sein, dass du %(brand)s manuell den Zugriff auf dein Mikrofon bzw. deine Webcam gewähren musst", + "call_toast_unknown_room": "Unbekannter Raum", + "join_button_tooltip_connecting": "Verbinden", + "join_button_tooltip_call_full": "Entschuldigung — dieser Anruf ist aktuell besetzt", + "hide_sidebar_button": "Seitenleiste verbergen", + "show_sidebar_button": "Seitenleiste anzeigen", + "more_button": "Mehr", + "screenshare_monitor": "Vollständigen Bildschirm teilen", + "screenshare_window": "Anwendungsfenster", + "screenshare_title": "Inhalt teilen", + "disabled_no_perms_start_voice_call": "Dir fehlt die Berechtigung, um Audioanrufe zu beginnen", + "disabled_no_perms_start_video_call": "Dir fehlt die Berechtigung, um Videoanrufe zu beginnen", + "disabled_ongoing_call": "laufender Anruf", + "disabled_no_one_here": "Hier ist niemand zum Anrufen", + "n_people_joined": { + "one": "%(count)s Person beigetreten", + "other": "%(count)s Personen beigetreten" + }, + "unknown_person": "unbekannte Person", + "connecting": "Verbinden" }, "Other": "Sonstiges", - "Advanced": "Erweitert", "room_settings": { "permissions": { "m.room.avatar_space": "Space-Icon ändern", @@ -3459,7 +3292,10 @@ "title": "Rollen und Berechtigungen", "permissions_section": "Berechtigungen", "permissions_section_description_space": "Wähle, von wem folgende Aktionen ausgeführt werden können", - "permissions_section_description_room": "Wähle Rollen, die benötigt werden, um einige Teile des Raumes zu ändern" + "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 …" }, "security": { "strict_encryption": "Niemals verschlüsselte Nachrichten von dieser Sitzung zu unverifizierten Sitzungen in diesem Raum senden", @@ -3486,7 +3322,35 @@ "history_visibility_shared": "Mitglieder", "history_visibility_invited": "Mitglieder (ab Einladung)", "history_visibility_joined": "Mitglieder (ab Betreten)", - "history_visibility_world_readable": "Alle" + "history_visibility_world_readable": "Alle", + "join_rule_upgrade_required": "Aktualisierung erforderlich", + "join_rule_restricted_n_more": { + "other": "und %(count)s weitere", + "one": "und %(count)s weitere" + }, + "join_rule_restricted_summary": { + "other": "%(count)s Spaces haben Zutritt", + "one": "Derzeit hat ein Space Zutritt" + }, + "join_rule_restricted_description": "Das Betreten ist allen in diesen Spaces möglich. Ändere, welche Spaces Zutritt haben.", + "join_rule_restricted_description_spaces": "Spaces mit Zutritt", + "join_rule_restricted_description_active_space": "Finden und betreten ist Mitgliedern von erlaubt. Du kannst auch weitere Spaces wählen.", + "join_rule_restricted_description_prompt": "Das Betreten ist allen in den gewählten Spaces möglich.", + "join_rule_restricted": "Spacemitglieder", + "join_rule_knock": "Beitrittsanfragen", + "join_rule_knock_description": "Personen können den Raum nur betreten, wenn sie Zutritt erhalten.", + "join_rule_restricted_upgrade_warning": "Dieser Raum ist Teil von Spaces von denen du kein Administrator bist. In diesen Räumen wird der alte Raum weiter angezeigt werden, aber Personen werden aufgefordert werden, dem neuen Raum beizutreten.", + "join_rule_restricted_upgrade_description": "Diese Aktualisierung gewährt Mitgliedern der ausgewählten Spaces Zugang zu diesem Raum ohne Einladung.", + "join_rule_upgrade_upgrading_room": "Raum wird aktualisiert", + "join_rule_upgrade_awaiting_room": "Neuer Raum wird geladen", + "join_rule_upgrade_sending_invites": { + "one": "Einladung senden …", + "other": "Einladungen senden … (%(progress)s von %(count)s)" + }, + "join_rule_upgrade_updating_spaces": { + "one": "Space aktualisieren …", + "other": "Spaces aktualisieren … (%(progress)s von %(count)s)" + } }, "general": { "publish_toggle": "Diesen Raum im Raumverzeichnis von %(domain)s veröffentlichen?", @@ -3496,7 +3360,11 @@ "default_url_previews_off": "URL-Vorschau ist für Mitglieder des Raumes standardmäßig deaktiviert.", "url_preview_encryption_warning": "In verschlüsselten Räumen wie diesem ist die Linkvorschau standardmäßig deaktiviert, damit dein Heim-Server (der die Vorschau erzeugt) keine Informationen über Links in diesem Raum erhält.", "url_preview_explainer": "Die URL-Vorschau kann Informationen wie den Titel, die Beschreibung sowie ein Vorschaubild der Website enthalten.", - "url_previews_section": "URL-Vorschau" + "url_previews_section": "URL-Vorschau", + "error_save_space_settings": "Spaceeinstellungen konnten nicht gespeichert werden.", + "description_space": "Einstellungen vom Space bearbeiten.", + "save": "Speichern", + "leave_space": "Space verlassen" }, "advanced": { "unfederated": "Dieser Raum ist von Personen auf anderen Matrix-Servern nicht betretbar", @@ -3508,6 +3376,24 @@ "room_id": "Interne Raum-ID", "room_version_section": "Raumversion", "room_version": "Raumversion:" + }, + "delete_avatar_label": "Avatar löschen", + "upload_avatar_label": "Profilbild hochladen", + "visibility": { + "error_update_guest_access": "Gastzutritt zum Space konnte nicht geändert werden", + "error_update_history_visibility": "Verlaufssichtbarkeit des Space konnte nicht geändert werden", + "guest_access_explainer": "Gäste ohne Konto können den Space betreten.", + "guest_access_explainer_public_space": "Sinnvoll für öffentliche Spaces.", + "title": "Sichtbarkeit", + "error_failed_save": "Sichtbarkeit des Space konnte nicht geändert werden", + "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" + }, + "access": { + "title": "Zutritt", + "description_space": "Konfiguriere, wer %(spaceName)s sehen und betreten kann." } }, "encryption": { @@ -3534,7 +3420,15 @@ "waiting_other_device_details": "Warten, dass du auf deinem anderen Gerät %(deviceName)s (%(deviceId)s) verifizierst…", "waiting_other_device": "Warten darauf, dass du das auf deinem anderen Gerät bestätigst…", "waiting_other_user": "Warte darauf, dass %(displayName)s bestätigt…", - "cancelling": "Abbrechen…" + "cancelling": "Abbrechen…", + "unverified_sessions_toast_title": "Du hast nicht verifizierte Sitzungen", + "unverified_sessions_toast_description": "Überprüfe sie, um ein sicheres Konto gewährleisten zu können", + "unverified_sessions_toast_reject": "Später", + "unverified_session_toast_title": "Neue Anmeldung. Warst du das?", + "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" }, "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.", @@ -3544,7 +3438,18 @@ "bootstrap_title": "Schlüssel werden eingerichtet", "export_unsupported": "Dein Browser unterstützt die benötigten Verschlüsselungserweiterungen nicht", "import_invalid_keyfile": "Keine gültige %(brand)s-Schlüsseldatei", - "import_invalid_passphrase": "Authentifizierung fehlgeschlagen: Falsches Passwort?" + "import_invalid_passphrase": "Authentifizierung fehlgeschlagen: Falsches Passwort?", + "set_up_toast_title": "Schlüsselsicherung einrichten", + "upgrade_toast_title": "Verschlüsselungsaktualisierung verfügbar", + "verify_toast_title": "Sitzung verifizieren", + "set_up_toast_description": "Schütze dich vor dem Verlust verschlüsselter Nachrichten und Daten", + "verify_toast_description": "Andere Benutzer vertrauen ihr vielleicht nicht", + "cross_signing_unsupported": "Dein Heim-Server unterstützt keine Quersignierung.", + "cross_signing_ready": "Quersignaturen sind bereits in Anwendung.", + "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": "" }, "emoji": { "category_frequently_used": "Oft verwendet", @@ -3568,7 +3473,8 @@ "bullet_1": "Wir erfassen und analysieren keine Kontodaten", "bullet_2": "Wir teilen keine Informationen mit Dritten", "disable_prompt": "Du kannst dies jederzeit in den Einstellungen deaktivieren", - "accept_button": "Das ist okay" + "accept_button": "Das ist okay", + "shared_data_heading": "Die folgenden Informationen können geteilt werden:" }, "chat_effects": { "confetti_description": "Sendet die Nachricht mit Konfetti", @@ -3724,7 +3630,8 @@ "autodiscovery_unexpected_error_hs": "Ein unerwarteter Fehler ist beim Laden der Heim-Server-Konfiguration aufgetreten", "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." + "incorrect_credentials_detail": "Bitte beachte, dass du dich gerade auf %(hs)s anmeldest, nicht matrix.org.", + "create_account_title": "Konto anlegen" }, "room_list": { "sort_unread_first": "Räume mit ungelesenen Nachrichten zuerst zeigen", @@ -3848,7 +3755,37 @@ "error_need_to_be_logged_in": "Du musst angemeldet sein.", "error_need_invite_permission": "Du musst die Berechtigung \"Benutzer einladen\" haben, um diese Aktion ausführen zu können.", "error_need_kick_permission": "Du musst in der Lage sein, Benutzer zu entfernen um das zu tun.", - "no_name": "Unbekannte App" + "no_name": "Unbekannte App", + "error_hangup_title": "Verbindung verloren", + "error_hangup_description": "Du wurdest vom Anruf getrennt. (Error: %(message)s)", + "context_menu": { + "start_audio_stream": "Audiostream starten", + "screenshot": "Bildschirmfoto", + "delete": "Widget entfernen", + "delete_warning": "Das Löschen des Widgets entfernt es für alle in diesem Raum. Wirklich löschen?", + "remove": "Für alle entfernen", + "revoke": "Berechtigungen widerrufen", + "move_left": "Nach links schieben", + "move_right": "Nach rechts schieben" + }, + "shared_data_name": "Dein Anzeigename", + "shared_data_avatar": "Deine Profilbild-URL", + "shared_data_mxid": "Deine Nutzer-ID", + "shared_data_device_id": "Deine Geräte-ID", + "shared_data_theme": "Dein Design", + "shared_data_lang": "Deine Sprache", + "shared_data_url": "%(brand)s URL", + "shared_data_room_id": "Raum-ID", + "shared_data_widget_id": "Widget-ID", + "shared_data_warning_im": "Wenn du dieses Widget verwendest, können Daten zu %(widgetDomain)s und deinem Integrationsmanager übertragen werden.", + "shared_data_warning": "Wenn du dieses Widget verwendest, können Daten zu %(widgetDomain)s übertragen werden.", + "unencrypted_warning": "Widgets verwenden keine Nachrichtenverschlüsselung.", + "added_by": "Widget hinzugefügt von", + "cookie_warning": "Dieses Widget kann Cookies verwenden.", + "error_loading": "Fehler beim Laden des Widgets", + "error_mixed_content": "Fehler - Uneinheitlicher Inhalt", + "unmaximise": "Maximieren rückgängig machen", + "popout": "Widget in eigenem Fenster öffnen" }, "feedback": { "sent": "Rückmeldung gesendet", @@ -3945,7 +3882,8 @@ "empty_heading": "Organisiere Diskussionen mit Threads" }, "theme": { - "light_high_contrast": "Hell kontrastreich" + "light_high_contrast": "Hell kontrastreich", + "match_system": "An System anpassen" }, "space": { "landing_welcome": "Willkommen bei ", @@ -3961,9 +3899,14 @@ "devtools_open_timeline": "Nachrichtenverlauf anzeigen (Entwicklungswerkzeuge)", "home": "Space-Übersicht", "explore": "Räume erkunden", - "manage_and_explore": "Räume erkunden und verwalten" + "manage_and_explore": "Räume erkunden und verwalten", + "options": "Space-Optionen" }, - "share_public": "Teile deinen öffentlichen Space mit der Welt" + "share_public": "Teile deinen öffentlichen Space mit der Welt", + "search_children": "%(spaceName)s durchsuchen", + "invite_link": "Einladungslink teilen", + "invite": "Personen einladen", + "invite_description": "Personen mit E-Mail oder Benutzernamen einladen" }, "location_sharing": { "MapStyleUrlNotConfigured": "Dein Heim-Server unterstützt das Anzeigen von Karten nicht.", @@ -3980,7 +3923,14 @@ "failed_timeout": "Zeitüberschreitung beim Abrufen deines Standortes. Bitte versuche es später erneut.", "failed_unknown": "Beim Abruf deines Standortes ist ein unbekannter Fehler aufgetreten. Bitte versuche es später erneut.", "expand_map": "Karte vergrößern", - "failed_load_map": "Karte kann nicht geladen werden" + "failed_load_map": "Karte kann nicht geladen werden", + "live_enable_heading": "Echtzeit-Standortfreigabe", + "live_enable_description": "Bitte beachte: Dies ist eine experimentelle Funktion, die eine temporäre Implementierung nutzt. Das bedeutet, dass du deinen Standortverlauf nicht löschen kannst und erfahrene Nutzer ihn sehen können, selbst wenn du deinen Echtzeit-Standort nicht mehr mit diesem Raum teilst.", + "live_toggle_label": "Aktiviere Echtzeit-Standortfreigabe", + "live_share_button": "Geteilt für %(duration)s", + "click_move_pin": "Klicke, um den Standort zu bewegen", + "click_drop_pin": "Klicke, um den Standort zu setzen", + "share_button": "Standort teilen" }, "labs_mjolnir": { "room_name": "Meine Bannliste", @@ -4016,7 +3966,6 @@ }, "create_space": { "name_required": "Gib den Namen des Spaces ein", - "name_placeholder": "z. B. mein-space", "explainer": "Spaces sind eine neue Möglichkeit, Räume und Personen zu gruppieren. Welche Art von Space willst du erstellen? Du kannst dies später ändern.", "public_description": "Öffne den Space für alle - am besten für Communities", "private_description": "Nur für Eingeladene – optimal für dich selbst oder Teams", @@ -4047,11 +3996,17 @@ "setup_rooms_community_description": "Lass uns für jedes einen Raum erstellen.", "setup_rooms_description": "Du kannst später weitere hinzufügen, auch bereits bestehende.", "setup_rooms_private_heading": "Welche Projekte bearbeitet euer Team?", - "setup_rooms_private_description": "Wir werden für jedes einen Raum erstellen." + "setup_rooms_private_description": "Wir werden für jedes einen Raum erstellen.", + "address_placeholder": "z. B. mein-space", + "address_label": "Adresse", + "label": "Neuen Space erstellen", + "add_details_prompt_2": "Du kannst diese jederzeit ändern.", + "creating": "Erstelle …" }, "user_menu": { "switch_theme_light": "Zum hellen Thema wechseln", - "switch_theme_dark": "Zum dunklen Thema wechseln" + "switch_theme_dark": "Zum dunklen Thema wechseln", + "settings": "Alle Einstellungen" }, "notif_panel": { "empty_heading": "Du bist auf dem neuesten Stand", @@ -4089,7 +4044,28 @@ "leave_error_title": "Fehler beim Verlassen des Raums", "upgrade_error_title": "Fehler bei Raumaktualisierung", "upgrade_error_description": "Überprüfe nochmal ob dein Server die ausgewählte Raumversion unterstützt und versuche es nochmal.", - "leave_server_notices_description": "Du kannst diesen Raum nicht verlassen, da dieser Raum für wichtige Mitteilungen vom Heim-Server verwendet wird." + "leave_server_notices_description": "Du kannst diesen Raum nicht verlassen, da dieser Raum für wichtige Mitteilungen vom Heim-Server verwendet wird.", + "error_join_connection": "Es gab einen Fehler beim Betreten.", + "error_join_incompatible_version_1": "Verzeihung, dein Heim-Server ist hierfür zu alt.", + "error_join_incompatible_version_2": "Bitte setze dich mit der Administration deines Heim-Servers in Verbindung.", + "error_join_404_invite_same_hs": "Die Person, die dich eingeladen hat, hat den Raum wieder verlassen.", + "error_join_404_invite": "Die dich einladende Person hat den Raum verlassen oder ihr Heim-Server ist außer Betrieb.", + "error_join_404_1": "Du hast versucht einen Raum via Raum-ID, aber ohne Angabe von Servern zu betreten. Raum-IDs sind interne Kennungen und können nicht ohne weitere Informationen zum Betreten von Räumen genutzt werden.", + "error_join_404_2": "Falls du eine Adresse kennst, versuche den Raum mit dieser zu betreten.", + "error_join_title": "Betreten fehlgeschlagen", + "error_join_403": "Du kannst diesen Raum nur auf Einladung betreten.", + "error_cancel_knock_title": "Abbrechen gescheitert", + "context_menu": { + "unfavourite": "Favorisiert", + "favourite": "Favorit", + "mentions_only": "Nur Erwähnungen", + "copy_link": "Raumlink kopieren", + "low_priority": "Niedrige Priorität", + "forget": "Raum vergessen", + "mark_read": "Als gelesen markieren", + "notifications_default": "Standardeinstellung verwenden", + "notifications_mute": "Raum stumm stellen" + } }, "file_panel": { "guest_note": "Du musst dich registrieren, um diese Funktionalität nutzen zu können", @@ -4109,7 +4085,8 @@ "tac_button": "Geschäftsbedingungen anzeigen", "identity_server_no_terms_title": "Der Identitäts-Server hat keine Nutzungsbedingungen", "identity_server_no_terms_description_1": "Diese Handlung erfordert es, auf den Standard-Identitäts-Server zuzugreifen, um eine E-Mail-Adresse oder Telefonnummer zu validieren, aber der Server hat keine Nutzungsbedingungen.", - "identity_server_no_terms_description_2": "Fahre nur fort, wenn du den Server-Betreibenden vertraust." + "identity_server_no_terms_description_2": "Fahre nur fort, wenn du den Server-Betreibenden vertraust.", + "inline_intro_text": "Akzeptiere , um fortzufahren:" }, "space_settings": { "title": "Einstellungen - %(spaceName)s" @@ -4205,7 +4182,14 @@ "sync": "Verbindung mit Heim-Server fehlgeschlagen. Versuche es erneut …", "connection": "Es gab ein Problem bei der Kommunikation mit dem Heim-Server. Bitte versuche es später erneut.", "mixed_content": "Es kann keine Verbindung zum Heim-Server via HTTP aufgebaut werden, wenn die Adresszeile des Browsers eine HTTPS-URL enthält. Entweder HTTPS verwenden oder alternativ unsichere Skripte erlauben.", - "tls": "Verbindung zum Heim-Server fehlgeschlagen – bitte überprüfe die Internetverbindung und stelle sicher, dass dem SSL-Zertifikat deines Heimservers vertraut wird und dass Anfragen nicht durch eine Browser-Erweiterung blockiert werden." + "tls": "Verbindung zum Heim-Server fehlgeschlagen – bitte überprüfe die Internetverbindung und stelle sicher, dass dem SSL-Zertifikat deines Heimservers vertraut wird und dass Anfragen nicht durch eine Browser-Erweiterung blockiert werden.", + "admin_contact_short": "Kontaktiere deine Heim-Server-Administration.", + "non_urgent_echo_failure_toast": "Dein Server antwortet auf einige Anfragen nicht.", + "failed_copy": "Kopieren fehlgeschlagen", + "something_went_wrong": "Etwas ist schiefgelaufen!", + "download_media": "Herunterladen der Quellmedien fehlgeschlagen, da keine Quell-URL gefunden wurde", + "update_power_level": "Ändern der Berechtigungsstufe fehlgeschlagen", + "unknown": "Unbekannter Fehler" }, "in_space1_and_space2": "In den Spaces %(space1Name)s und %(space2Name)s.", "in_space_and_n_other_spaces": { @@ -4213,5 +4197,52 @@ "other": "In %(spaceName)s und %(count)s weiteren Spaces." }, "in_space": "Im Space %(spaceName)s.", - "name_and_id": "%(name)s (%(userId)s)" + "name_and_id": "%(name)s (%(userId)s)", + "items_and_n_others": { + "other": " und %(count)s andere", + "one": " und ein weiteres Raummitglied" + }, + "notifications": { + "enable_prompt_toast_title_from_message_send": "Verpasse keine Antwort", + "enable_prompt_toast_title": "Benachrichtigungen", + "enable_prompt_toast_description": "Aktiviere Desktopbenachrichtigungen", + "colour_none": "Nichts", + "colour_bold": "Fett", + "colour_grey": "Grau", + "colour_red": "Rot", + "colour_unsent": "Nicht gesendet", + "error_change_title": "Benachrichtigungseinstellungen ändern", + "mark_all_read": "Alle als gelesen markieren", + "keyword": "Schlüsselwort", + "keyword_new": "Neues Schlüsselwort", + "class_global": "Global", + "class_other": "Sonstiges", + "mentions_keywords": "Erwähnungen und Schlüsselwörter" + }, + "mobile_guide": { + "toast_title": "Nutze die App für eine bessere Erfahrung", + "toast_description": "%(brand)s ist in mobilen Browsern experimentell. Für eine bessere Erfahrung nutze unsere App.", + "toast_accept": "App verwenden" + }, + "chat_card_back_action_label": "Zurück zur Unterhaltung", + "room_summary_card_back_action_label": "Rauminformationen", + "member_list_back_action_label": "Raummitglieder", + "thread_view_back_action_label": "Zurück zum Thread", + "quick_settings": { + "title": "Schnelleinstellungen", + "all_settings": "Alle Einstellungen", + "metaspace_section": "An Seitenleiste heften", + "sidebar_settings": "Weitere Optionen" + }, + "lightbox": { + "title": "Bildbetrachter", + "rotate_left": "Nach links drehen", + "rotate_right": "Nach rechts drehen" + }, + "a11y_jump_first_unread_room": "Zum ersten ungelesenen Raum springen.", + "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." + } } diff --git a/src/i18n/strings/el.json b/src/i18n/strings/el.json index de9173bd70..b5a4197023 100644 --- a/src/i18n/strings/el.json +++ b/src/i18n/strings/el.json @@ -1,6 +1,5 @@ { "Failed to forget room %(errCode)s": "Δεν ήταν δυνατή η διαγραφή του δωματίου (%(errCode)s)", - "Notifications": "Ειδοποιήσεις", "unknown error code": "άγνωστος κωδικός σφάλματος", "No Microphones detected": "Δεν εντοπίστηκε μικρόφωνο", "No Webcams detected": "Δεν εντοπίστηκε κάμερα", @@ -26,7 +25,6 @@ "Failed to mute user": "Δεν ήταν δυνατή η σίγαση του χρήστη", "Failed to reject invite": "Δεν ήταν δυνατή η απόρριψη της πρόσκλησης", "Failed to reject invitation": "Δεν ήταν δυνατή η απόρριψη της πρόσκλησης", - "Favourite": "Αγαπημένο", "Filter room members": "Φιλτράρισμα μελών", "Forget room": "Αγνόηση δωματίου", "Historical": "Ιστορικό", @@ -38,7 +36,6 @@ "Join Room": "Είσοδος σε δωμάτιο", "Moderator": "Συντονιστής", "New passwords must match each other.": "Οι νέοι κωδικοί πρόσβασης πρέπει να ταιριάζουν.", - "": "<δεν υποστηρίζεται>", "No more results": "Δεν υπάρχουν άλλα αποτελέσματα", "Rooms": "Δωμάτια", "Search failed": "Η αναζήτηση απέτυχε", @@ -47,7 +44,6 @@ "Enter passphrase": "Εισαγωγή συνθηματικού", "Failed to set display name": "Δεν ήταν δυνατό ο ορισμός του ονόματος εμφάνισης", "Home": "Αρχική", - "Profile": "Προφίλ", "Reason": "Αιτία", "Reject invitation": "Απόρριψη πρόσκλησης", "Return to login screen": "Επιστροφή στην οθόνη σύνδεσης", @@ -58,7 +54,6 @@ "Unable to add email address": "Αδυναμία προσθήκης διεύθυνσης ηλ. αλληλογραφίας", "Unable to remove contact information": "Αδυναμία αφαίρεσης πληροφοριών επαφής", "Unable to verify email address.": "Αδυναμία επιβεβαίωσης διεύθυνσης ηλεκτρονικής αλληλογραφίας.", - "Upload avatar": "Αποστολή προσωπικής εικόνας", "Warning!": "Προειδοποίηση!", "Sun": "Κυρ", "Mon": "Δευ", @@ -92,18 +87,14 @@ "Import room keys": "Εισαγωγή κλειδιών δωματίου", "File to import": "Αρχείο για εισαγωγή", "Confirm Removal": "Επιβεβαίωση αφαίρεσης", - "Unknown error": "Άγνωστο σφάλμα", "Unable to restore session": "Αδυναμία επαναφοράς συνεδρίας", "Error decrypting image": "Σφάλμα κατά την αποκρυπτογράφηση της εικόνας", "Error decrypting video": "Σφάλμα κατά την αποκρυπτογράφηση του βίντεο", "Add an Integration": "Προσθήκη ενσωμάτωσης", - "Something went wrong!": "Κάτι πήγε στραβά!", "Failed to ban user": "Δεν ήταν δυνατό ο αποκλεισμός του χρήστη", - "Failed to change power level": "Δεν ήταν δυνατή η αλλαγή του επιπέδου δύναμης", "Failed to unban": "Δεν ήταν δυνατή η άρση του αποκλεισμού", "Invalid file%(extra)s": "Μη έγκυρο αρχείο %(extra)s", "not specified": "μη καθορισμένο", - "No display name": "Χωρίς όνομα", "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 :(": "Ο διακομιστής μπορεί να είναι μη διαθέσιμος, υπερφορτωμένος, ή να έχει λήξει η αναζήτηση :(", @@ -119,7 +110,6 @@ "%(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.": "Χάθηκε η συνδεσιμότητα στον διακομιστή.", "You seem to be uploading files, are you sure you want to quit?": "Φαίνεται ότι αποστέλετε αρχεία, είστε βέβαιοι ότι θέλετε να αποχωρήσετε;", - "Reject all %(invitedRooms)s invites": "Απόρριψη όλων των προσκλήσεων %(invitedRooms)s", "You will not be able to undo this change as you are promoting the user to have the same power level as yourself.": "Δεν θα μπορέσετε να αναιρέσετε αυτήν την αλλαγή καθώς προωθείτε τον χρήστη να έχει το ίδιο επίπεδο δύναμης με τον εαυτό σας.", "Sent messages will be stored until your connection has returned.": "Τα απεσταλμένα μηνύματα θα αποθηκευτούν μέχρι να αακτηθεί η σύνδεσή σας.", "Failed to load timeline position": "Δεν ήταν δυνατή η φόρτωση της θέσης του χρονολόγιου", @@ -132,14 +122,12 @@ "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.": "Αυτό θα σας επιτρέψει να επαναφέρετε τον κωδικό πρόσβαση σας και θα μπορείτε να λαμβάνετε ειδοποιήσεις.", "Sunday": "Κυριακή", - "Notification targets": "Στόχοι ειδοποιήσεων", "Today": "Σήμερα", "Friday": "Παρασκευή", "Changelog": "Αλλαγές", "This Room": "Στο δωμάτιο", "Unavailable": "Μη διαθέσιμο", "Send": "Αποστολή", - "Source URL": "Πηγαίο URL", "Tuesday": "Τρίτη", "Unnamed room": "Ανώνυμο δωμάτιο", "Saturday": "Σάββατο", @@ -152,7 +140,6 @@ "Thursday": "Πέμπτη", "Search…": "Αναζήτηση…", "Yesterday": "Χθές", - "Low Priority": "Χαμηλή προτεραιότητα", "AM": "ΠΜ", "PM": "ΜΜ", "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s", @@ -165,12 +152,6 @@ "Explore rooms": "Εξερευνήστε δωμάτια", "Ok": "Εντάξει", "Your homeserver has exceeded its user limit.": "Ο διακομιστής σας ξεπέρασε το όριο χρηστών.", - "Use app": "Χρησιμοποιήστε την εφαρμογή", - "Use app for a better experience": "Χρησιμοποιήστε την εφαρμογή για καλύτερη εμπειρία", - " and %(count)s others": { - "one": " και ένα ακόμα", - "other": " και %(count)s άλλα" - }, "Ask this user to verify their session, or manually verify it below.": "Ζητήστε από αυτόν τον χρήστη να επιβεβαιώσει την συνεδρία του, ή επιβεβαιώστε την χειροκίνητα παρακάτω.", "%(name)s (%(userId)s) signed in to a new session without verifying it:": "Ο %(name)s (%(userId)s) συνδέθηκε σε μία νέα συνεδρία χωρίς να την επιβεβαιώσει:", "Verify your other session using one of the options below.": "Επιβεβαιώστε την άλλη σας συνεδρία χρησιμοποιώντας μία από τις παρακάτω επιλογές.", @@ -457,84 +438,14 @@ "Your email address hasn't been verified yet": "Η διεύθυνση email σας δεν έχει επαληθευτεί ακόμα", "Unable to share email address": "Δεν είναι δυνατή η κοινή χρήση της διεύθυνσης email", "Backup version:": "Έκδοση αντιγράφου ασφαλείας:", - "Algorithm:": "Αλγόριθμος:", - "Restore from Backup": "Επαναφορά από Αντίγραφο ασφαλείας", - "Unable to load key backup status": "Δεν είναι δυνατή η φόρτωση της κατάστασης του αντιγράφου ασφαλείας κλειδιού", - "Delete Backup": "Διαγραφή Αντιγράφου ασφαλείας", - "Profile picture": "Εικόνα προφίλ", - "The operation could not be completed": "Η λειτουργία δεν μπόρεσε να ολοκληρωθεί", - "Failed to save your profile": "Αποτυχία αποθήκευσης του προφίλ σας", - "There was an error loading your notification settings.": "Παρουσιάστηκε σφάλμα κατά τη φόρτωση των ρυθμίσεων ειδοποιήσεων σας.", - "Mentions & keywords": "Αναφορές & λέξεις-κλειδιά", - "New keyword": "Νέα λέξη-κλειδί", - "Updating spaces... (%(progress)s out of %(count)s)": { - "one": "Ενημέρωση χώρου...", - "other": "Ενημέρωση χώρων... (%(progress)s out of %(count)s)" - }, - "Sending invites... (%(progress)s out of %(count)s)": { - "one": "Αποστολή πρόσκλησης...", - "other": "Αποστολή προσκλήσεων... (%(progress)s από %(count)s)" - }, - "Loading new room": "Φόρτωση νέου δωματίου", - "Upgrading room": "Αναβάθμιση δωματίου", - "Space members": "Μέλη χώρου", - "Space options": "Επιλογές χώρου", - "Recommended for public spaces.": "Προτείνεται για δημόσιους χώρους.", - "Preview Space": "Προεπισκόπηση Χώρου", - "Failed to update the visibility of this space": "Αποτυχία ενημέρωσης της ορατότητας αυτού του χώρου", - "Decide who can view and join %(spaceName)s.": "Αποφασίστε ποιος μπορεί να δει και να συμμετάσχει %(spaceName)s.", - "Access": "Πρόσβαση", - "Visibility": "Ορατότητα", - "This may be useful for public spaces.": "Αυτό μπορεί να είναι χρήσιμο για δημόσιους χώρους.", - "Guests can join a space without having an account.": "Οι επισκέπτες μπορούν να εγγραφούν σε ένα χώρο χωρίς να έχουν λογαριασμό.", - "Enable guest access": "Ενεργοποίηση πρόσβασης επισκέπτη", - "Hide advanced": "Απόκρυψη προχωρημένων", - "Show advanced": "Εμφάνιση προχωρημένων", - "Failed to update the guest access of this space": "Αποτυχία ενημέρωσης της πρόσβασης επισκέπτη σε αυτόν τον χώρο", - "Failed to update the history visibility of this space": "Αποτυχία ενημέρωσης της ορατότητας του ιστορικού αυτού του χώρου", - "Leave Space": "Αποχώρηση από τον Χώρο", - "Save Changes": "Αποθήκευση Αλλαγών", - "Edit settings relating to your space.": "Επεξεργαστείτε τις ρυθμίσεις που σχετίζονται με τον χώρο σας.", - "General": "Γενικά", - "Failed to save space settings.": "Αποτυχία αποθήκευσης ρυθμίσεων χώρου.", - "Invite with email or username": "Πρόσκληση με email ή όνομα χρήστη", - "Share invite link": "Κοινή χρήση συνδέσμου πρόσκλησης", - "Failed to copy": "Αποτυχία αντιγραφής", - "Copied!": "Αντιγράφηκε!", - "Click to copy": "Κλικ για αντιγραφή", - "Show all rooms": "Εμφάνιση όλων των δωματίων", - "Group all your people in one place.": "Ομαδοποιήστε όλα τα άτομα σας σε ένα μέρος.", - "Group all your favourite rooms and people in one place.": "Ομαδοποιήστε όλα τα αγαπημένα σας δωμάτια και άτομα σε ένα μέρος.", - "Share anonymous data to help us identify issues. Nothing personal. No third parties.": "Μοιραστείτε ανώνυμα δεδομένα για να μας βοηθήσετε να εντοπίσουμε προβλήματα. Δε συλλέγουμε προσωπικά δεδομένα. Δεν τα παρέχουμε σε τρίτους.", "Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "Ο διαχειριστής του διακομιστή σας έχει απενεργοποιήσει την κρυπτογράφηση από άκρο σε άκρο από προεπιλογή σε ιδιωτικά δωμάτια & άμεσα μηνύματα.", - "Message search": "Αναζήτηση μηνυμάτων", - "Allow people to preview your space before they join.": "Επιτρέψτε στους χρήστες να κάνουν προεπισκόπηση του χώρου σας προτού να εγγραφούν.", - "Invite people": "Προσκαλέστε άτομα", "Developer": "Προγραμματιστής", "Experimental": "Πειραματικό", "Themes": "Θέματα", "Widgets": "Μικροεφαρμογές", - "Spaces": "Χώροι", "Messaging": "Μηνύματα", - "Change notification settings": "Αλλάξτε τις ρυθμίσεις ειδοποιήσεων", - "Back to thread": "Επιστροφή στο νήμα εκτέλεσης", - "Room members": "Μέλη δωματίου", "Room information": "Πληροφορίες δωματίου", - "Back to chat": "Επιστροφή στη συνομιλία", - "Please contact your homeserver administrator.": "Επικοινωνήστε με τον διαχειριστή του κεντρικού σας διακομιστή.", - "%(deviceId)s from %(ip)s": "%(deviceId)s από %(ip)s", - "New login. Was this you?": "Νέα σύνδεση. Ήσουν εσύ;", - "Other users may not trust it": "Άλλοι χρήστες μπορεί να μην το εμπιστεύονται", - "Safeguard against losing access to encrypted messages & data": "Προστατευτείτε από την απώλεια πρόσβασης σε κρυπτογραφημένα μηνύματα και δεδομένα", - "Verify this session": "Επαληθεύστε αυτήν τη συνεδρία", - "Encryption upgrade available": "Διατίθεται αναβάθμιση κρυπτογράφησης", - "Set up Secure Backup": "Ρυθμίστε το αντίγραφο ασφαλείας", - "Contact your server admin.": "Επικοινωνήστε με τον διαχειριστή του διακομιστή σας.", "Your homeserver has exceeded one of its resource limits.": "Ο κεντρικός σας διακομιστής έχει υπερβεί ένα από τα όρια πόρων του.", - "Enable desktop notifications": "Ενεργοποίηση ειδοποιήσεων επιφάνειας εργασίας", - "Don't miss a reply": "Μην χάσετε καμία απάντηση", - "Later": "Αργότερα", - "Review to ensure your account is safe": "Ελέγξτε για να βεβαιωθείτε ότι ο λογαριασμός σας είναι ασφαλής", "IRC display name width": "Πλάτος εμφανιζόμενου ονόματος IRC", "Pizza": "Πίτσα", "Corn": "Καλαμπόκι", @@ -564,16 +475,8 @@ "Lion": "Λιοντάρι", "Cat": "Γάτα", "Dog": "Σκύλος", - "More": "Περισσότερα", - "Hide sidebar": "Απόκρυψη πλαϊνής μπάρας", - "Show sidebar": "Εμφάνιση πλαϊνής μπάρας", - "Connecting": "Συνδέεται", - "unknown person": "άγνωστο άτομο", "Heart": "Καρδιά", "Cake": "Τούρτα", - "This upgrade will allow members of selected spaces access to this room without an invite.": "Αυτή η αναβάθμιση θα επιτρέψει σε μέλη επιλεγμένων Χώρων πρόσβαση σε αυτό το δωμάτιο χωρίς πρόσκληση.", - "This room is in some spaces you're not an admin of. In those spaces, the old room will still be shown, but people will be prompted to join the new one.": "Αυτό το δωμάτιο βρίσκεται σε ορισμένους Χώρους στους οποίους δεν είστε διαχειριστής. Σε αυτούς τους Χώρους, το παλιό δωμάτιο θα εξακολουθεί να εμφανίζεται, αλλά τα άτομα θα κληθούν να συμμετάσχουν στο νέο.", - "Anyone in a space can find and join. You can select multiple spaces.": "Οποιοσδήποτε σε ένα Χώρο μπορεί να βρει και να εγγραφεί. Μπορείτε να επιλέξετε πολλούς Χώρους.", "Aeroplane": "Αεροπλάνο", "Bicycle": "Ποδήλατο", "Train": "Τρένο", @@ -596,33 +499,10 @@ "Hat": "Καπέλο", "Robot": "Ρομπότ", "Smiley": "Χαμογελαστό πρόσωπο", - "All keys backed up": "Δημιουργήθηκαν αντίγραφα ασφαλείας όλων των κλειδιών", - "Connect this session to Key Backup": "Συνδέστε αυτήν την συνεδρία με το αντίγραφο ασφαλείας κλειδιού", - "Connect this session to key backup before signing out to avoid losing any keys that may only be on this session.": "Συνδέστε αυτήν την συνεδρία με το αντίγραφο ασφαλείας κλειδιού πριν αποσυνδεθείτε για να αποφύγετε την απώλεια κλειδιών που μπορεί να υπάρχουν μόνο σε αυτήν την συνεδρία.", - "This session is not backing up your keys, but you do have an existing backup you can restore from and add to going forward.": "Αυτή η συνεδρία δεν δημιουργεί αντίγραφα ασφαλείας των κλειδιών σας, αλλά έχετε ένα υπάρχον αντίγραφο ασφαλείας από το οποίο μπορείτε να επαναφέρετε και να προσθέσετε στη συνέχεια.", - "Are you sure? You will lose your encrypted messages if your keys are not backed up properly.": "Είσαι σίγουρος? Θα χάσετε τα κρυπτογραφημένα μηνύματά σας εάν δε δημιουργηθούν σωστά αντίγραφα ασφαλείας των κλειδιών σας.", - "Global": "Γενικές ρυθμίσεις", - "Keyword": "Λέξη-κλειδί", - "Cross-signing is not set up.": "Η διασταυρούμενη υπογραφή δεν έχει ρυθμιστεί.", - "Your account has a cross-signing identity in secret storage, but it is not yet trusted by this session.": "Ο λογαριασμός σας έχει ταυτότητα διασταυρούμενης υπογραφής σε μυστικό χώρο αποθήκευσης, αλλά δεν είναι ακόμη αξιόπιστος από αυτήν την συνεδρία.", - "Cross-signing is ready but keys are not backed up.": "Η διασταυρούμενη υπογραφή είναι έτοιμη, αλλά δεν δημιουργούνται αντίγραφα ασφαλείας κλειδιών.", - "Cross-signing is ready for use.": "Η διασταυρούμενη υπογραφή είναι έτοιμη για χρήση.", - "Your homeserver does not support cross-signing.": "Ο κεντρικός σας διακομιστής δεν υποστηρίζει διασταυρούμενη σύνδεση.", - "Jump to first invite.": "Μετάβαση στην πρώτη πρόσκληση.", - "Jump to first unread room.": "Μετάβαση στο πρώτο μη αναγνωσμένο δωμάτιο.", - "You can change these anytime.": "Μπορείτε να τα αλλάξετε ανά πάσα στιγμή.", "To join a space you'll need an invite.": "Για να συμμετάσχετε σε ένα χώρο θα χρειαστείτε μια πρόσκληση.", "Create a space": "Δημιουργήστε ένα χώρο", "Address": "Διεύθυνση", - "Search %(spaceName)s": "Αναζήτηση %(spaceName)s", - "Delete avatar": "Διαγραφή avatar", "Space selection": "Επιλογή χώρου", - "More options": "Περισσότερες επιλογές", - "Pin to sidebar": "Καρφίτσωμα στην πλαϊνή μπάρα", - "All settings": "Όλες οι ρυθμίσεις", - "Quick settings": "Γρήγορες ρυθμίσεις", - "Accept to continue:": "Αποδεχτείτε το για να συνεχίσετε:", - "Your server isn't responding to some requests.": "Ο διακομιστής σας δεν ανταποκρίνεται σε ορισμένα αιτήματα.", "Folder": "Φάκελος", "Headphones": "Ακουστικά", "Anchor": "Άγκυρα", @@ -632,24 +512,8 @@ "Ball": "Μπάλα", "Trophy": "Τρόπαιο", "Rocket": "Πύραυλος", - "Backup key cached:": "Αποθηκευμένο εφεδρικό κλειδί στην κρυφή μνήμη:", - "not stored": "μη αποθηκευμένο", - "Backup key stored:": "Αποθηκευμένο εφεδρικό κλειδί:", - "Back up your encryption keys with your account data in case you lose access to your sessions. Your keys will be secured with a unique Security Key.": "Δημιουργήστε αντίγραφα ασφαλείας των κλειδιών κρυπτογράφησης με τα δεδομένα του λογαριασμού σας σε περίπτωση που χάσετε την πρόσβαση στις συνεδρίες σας. Τα κλειδιά σας θα ασφαλιστούν με ένα μοναδικό κλειδί ασφαλείας.", - "unexpected type": "μη αναμενόμενος τύπος", "Back up your keys before signing out to avoid losing them.": "Δημιουργήστε αντίγραφα ασφαλείας των κλειδιών σας πριν αποσυνδεθείτε για να μην τα χάσετε.", - "Your keys are not being backed up from this session.": "Δεν δημιουργούνται αντίγραφα ασφαλείας των κλειδιών σας από αυτήν την συνεδρία.", "This backup is trusted because it has been restored on this session": "Αυτό το αντίγραφο ασφαλείας είναι αξιόπιστο επειδή έχει αποκατασταθεί σε αυτήν τη συνεδρία", - "Message search initialisation failed": "Η αρχικοποίηση αναζήτησης μηνυμάτων απέτυχε", - "%(brand)s can't securely cache encrypted messages locally while running in a web browser. Use %(brand)s Desktop for encrypted messages to appear in search results.": "Το %(brand)s δεν μπορεί να αποθηκεύσει με ασφάλεια κρυπτογραφημένα μηνύματα τοπικά ενώ εκτελείται σε πρόγραμμα περιήγησης ιστού. Χρησιμοποιήστε την %(brand)s Επιφάνεια εργασίας για να εμφανίζονται κρυπτογραφημένα μηνύματα στα αποτελέσματα αναζήτησης.", - "%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with search components added.": "Λείπουν ορισμένα στοιχεία από το %(brand)s που απαιτούνται για την ασφαλή αποθήκευση κρυπτογραφημένων μηνυμάτων τοπικά. Εάν θέλετε να πειραματιστείτε με αυτό το χαρακτηριστικό, δημιουργήστε μια προσαρμοσμένη %(brand)s επιφάνεια εργασίαςμε προσθήκη στοιχείων αναζήτησης.", - "Securely cache encrypted messages locally for them to appear in search results.": "Αποθηκεύστε με ασφάλεια κρυπτογραφημένα μηνύματα τοπικά για να εμφανίζονται στα αποτελέσματα αναζήτησης.", - "Securely cache encrypted messages locally for them to appear in search results, using %(size)s to store messages from %(rooms)s rooms.": { - "one": "Αποθηκεύστε με ασφάλεια κρυπτογραφημένα μηνύματα τοπικά για να εμφανίζονται στα αποτελέσματα αναζήτησης, χρησιμοποιώντας %(size)s για αποθήκευση μηνυμάτων από το %(rooms)sδωμάτιο .", - "other": "Αποθηκεύστε με ασφάλεια κρυπτογραφημένα μηνύματα τοπικά για να εμφανίζονται στα αποτελέσματα αναζήτησης, χρησιμοποιώντας %(size)s για αποθήκευση μηνυμάτων από τα %(rooms)sδωμάτια ." - }, - "Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "Επαληθεύστε μεμονωμένα κάθε συνεδρία που χρησιμοποιείται από έναν χρήστη για να την επισημάνετε ως αξιόπιστη, χωρίς να εμπιστεύεστε συσκευές με διασταυρούμενη υπογραφή.", - "Display Name": "Εμφανιζόμενο όνομα", "Account management": "Διαχείριση λογαριασμών", "Agree to the identity server (%(serverName)s) Terms of Service to allow yourself to be discoverable by email address or phone number.": "Αποδεχτείτε τους Όρους χρήσης του διακομιστή ταυτότητας (%(serverName)s), ώστε να μπορείτε να είστε ανιχνεύσιμοι μέσω της διεύθυνσης ηλεκτρονικού ταχυδρομείου ή του αριθμού τηλεφώνου.", "Phone numbers": "Τηλεφωνικοί αριθμοί", @@ -680,24 +544,6 @@ "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", - "not ready": "δεν είναι έτοιμο", - "ready": "έτοιμο", - "Secret storage:": "Μυστική αποθήκευση:", - "in account data": "στα δεδομένα λογαριασμού", - "Secret storage public key:": "Δημόσιο κλειδί μυστικής αποθήκευσης:", - "well formed": "καλοσχηματισμένο", - "Anyone in can find and join. You can select other spaces too.": "Οποιοσδήποτε στο μπορεί να το βρει και να εγγραφεί. Μπορείτε να επιλέξετε και άλλους χώρους.", - "Spaces with access": "Χώροι με πρόσβαση", - "Anyone in a space can find and join. Edit which spaces can access here.": "Οποιοσδήποτε σε ένα χώρο μπορεί να το βρει και να εγγραφεί. Επεξεργαστείτε τους χώρους που έχουν πρόσβαση εδώ.", - "Currently, %(count)s spaces have access": { - "one": "Αυτήν τη στιγμή, ένας χώρος έχει πρόσβαση", - "other": "Αυτήν τη στιγμή, %(count)s χώροι έχουν πρόσβαση" - }, - "& %(count)s more": { - "one": "& %(count)s περισσότερα", - "other": "& %(count)s περισσότερα" - }, - "Upgrade required": "Απαιτείται αναβάθμιση", "Ignored users": "Χρήστες που αγνοήθηκαν", "None": "Κανένα", "To report a Matrix-related security issue, please read the Matrix.org Security Disclosure Policy.": "Για να αναφέρετε ένα ζήτημα ασφάλειας που σχετίζεται με το Matrix, διαβάστε την Πολιτική Γνωστοποίησης Ασφαλείας του Matrix.org.", @@ -712,9 +558,6 @@ "other": "Αφαίρεση %(count)s μηνυμάτων", "one": "Αφαίρεση 1 μηνύματος" }, - "Share content": "Κοινή χρήση περιεχομένου", - "Application window": "Παράθυρο εφαρμογής", - "Share entire screen": "Κοινή χρήση ολόκληρης της οθόνης", "Sorry, you can't edit a poll after votes have been cast.": "Λυπούμαστε, δεν μπορείτε να επεξεργαστείτε μια δημοσκόπηση μετά την ψηφοφορία.", "Can't edit poll": "Αδυναμία επεξεργασίας δημοσκόπησης", "You sent a verification request": "Στείλατε ένα αίτημα επαλήθευσης", @@ -772,10 +615,6 @@ "Audio Output": "Έξοδος ήχου", "Request media permissions": "Ζητήστε άδειες πολυμέσων", "Missing media permissions, click the button below to request.": "Λείπουν δικαιώματα πολυμέσων, κάντε κλικ στο κουμπί παρακάτω για να αιτηθείτε.", - "Group all your rooms that aren't part of a space in one place.": "Ομαδοποιήστε σε ένα μέρος όλα τα δωμάτιά σας που δεν αποτελούν μέρος ενός χώρου.", - "Show all your rooms in Home, even if they're in a space.": "Εμφάνιση όλων των δωματίων σας στην Αρχική, ακόμα κι αν βρίσκονται σε ένα χώρο.", - "Spaces to show": "Χώροι για εμφάνιση", - "Bulk options": "Μαζικές επιλογές", "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.": "Παρουσιάστηκε σφάλμα κατά την αλλαγή του επιπέδου ισχύος του χρήστη. Βεβαιωθείτε ότι έχετε επαρκή δικαιώματα και δοκιμάστε ξανά.", @@ -784,10 +623,6 @@ "Error changing power level requirement": "Σφάλμα αλλαγής της απαίτησης επιπέδου ισχύος", "Banned by %(displayName)s": "Αποκλείστηκε από %(displayName)s", "Get notifications as set up in your settings": "Λάβετε ειδοποιήσεις όπως έχoyn ρυθμιστεί στις ρυθμίσεις σας", - "Rooms outside of a space": "Δωμάτια εκτός χώρου", - "Spaces are ways to group rooms and people. Alongside the spaces you're in, you can use some pre-built ones too.": "Οι Χώροι είναι ένας τρόπος ομαδοποίησης δωματίων και ατόμων. Εκτός από τους χώρους στους οποίους βρίσκεστε, μπορείτε να χρησιμοποιήσετε και κάποιους προκατασκευασμένους.", - "Sidebar": "Πλαϊνή μπάρα", - "Accept all %(invitedRooms)s invites": "Αποδεχτείτε όλες τις %(invitedRooms)sπροσκλήσεις", "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.": "Εάν δεν ταιριάζουν, η ασφάλεια της επικοινωνίας σας μπορεί να τεθεί σε κίνδυνο.", @@ -871,9 +706,7 @@ "Stop users from speaking in the old version of the room, and post a message advising users to move to the new room": "Εμποδίστε τους χρήστες να συνομιλούν στην παλιά έκδοση του δωματίου και αναρτήστε ένα μήνυμα που να τους συμβουλεύει να μετακινηθούν στο νέο δωμάτιο", "Update any local room aliases to point to the new room": "Ενημερώστε τυχόν τοπικά ψευδώνυμα δωματίου για να οδηγούν στο νέο δωμάτιο", "Create a new room with the same name, description and avatar": "Δημιουργήστε ένα νέο δωμάτιο με το ίδιο όνομα, περιγραφή και avatar", - "Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "Η διαγραφή μιας μικροεφαρμογής την καταργεί για όλους τους χρήστες σε αυτό το δωμάτιο. Είστε βέβαιοι ότι θέλετε να τη διαγράψετε;", "Delete Widget": "Διαγραφή Μικροεφαρμογής", - "Delete widget": "Διαγραφή μικροεφαρμογής", "Unable to copy a link to the room to the clipboard.": "Αδυναμία αντιγραφής στο πρόχειρο του συνδέσμου δωματίου.", "Unable to copy room link": "Αδυναμία αντιγραφής του συνδέσμου δωματίου", "Are you sure you want to leave the space '%(spaceName)s'?": "Είστε σίγουροι ότι θέλετε να αποχωρήσετε από τον χώρο %(spaceName)s;", @@ -885,18 +718,8 @@ "Error downloading audio": "Σφάλμα λήψης ήχου", "Sign in with SSO": "Συνδεθείτε με SSO", "This room is public": "Αυτό το δωμάτιο είναι δημόσιο", - "Move right": "Μετακίνηση δεξιά", - "Move left": "Μετακίνηση αριστερά", - "Revoke permissions": "Ανάκληση αδειών", - "Remove for everyone": "Κατάργηση για όλους", - "Take a picture": "Λήψη φωτογραφίας", - "Start audio stream": "Έναρξη ροής ήχου", "Unable to start audio streaming.": "Δεν είναι δυνατή η έναρξη ροής ήχου.", "Thread options": "Επιλογές νήματος συζήτησης", - "Report": "Αναφορά", - "Collapse reply thread": "Σύμπτυξη νήματος απάντησης", - "Show preview": "Εμφάνιση προεπισκόπησης", - "View source": "Προβολή πηγής", "Open in OpenStreetMap": "Άνοιγμα στο OpenStreetMap", "Not a valid Security Key": "Μη έγκυρο Κλειδί Ασφαλείας", "This looks like a valid Security Key!": "Αυτό φαίνεται να είναι ένα έγκυρο Κλειδί Ασφαλείας!", @@ -967,8 +790,6 @@ "Send Logs": "Αποστολή Αρχείων καταγραφής", "Clear Storage and Sign Out": "Εκκαθάριση Χώρου αποθήκευσης και Αποσύνδεση", "Sign out and remove encryption keys?": "Αποσύνδεση και κατάργηση κλειδιών κρυπτογράφησης;", - "Copy room link": "Αντιγραφή συνδέσμου δωματίου", - "Forget Room": "Ξεχάστε το δωμάτιο", "%(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": "Απόρριψη & Παράβλεψη χρήστη", @@ -1052,7 +873,6 @@ "Stop recording": "Διακοπή εγγραφής", "We didn't find a microphone on your device. Please check your settings and try again.": "Δε βρέθηκε μικρόφωνο στη συσκευή σας. Παρακαλώ ελέγξτε τις ρυθμίσεις σας και δοκιμάστε ξανά.", "Unable to access your microphone": "Αδυναμία πρόσβασης μικροφώνου", - "Mark all as read": "Επισήμανση όλων ως αναγνωσμένων", "Open thread": "Άνοιγμα νήματος", "%(count)s reply": { "one": "%(count)s απάντηση", @@ -1076,8 +896,6 @@ "Space visibility": "Ορατότητα χώρου", "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 .": "Οποιοσδήποτε θα μπορεί να βρει και να εγγραφεί σε αυτόν τον χώρο, όχι μόνο μέλη του .", - "Share location": "Κοινή χρήση τοποθεσίας", - "Click to move the pin": "Κλικ για να μετακινήσετε την καρφίτσα", "Could not fetch location": "Δεν ήταν δυνατή η ανάκτηση της τοποθεσίας", "Location": "Τοποθεσία", "Can't load this message": "Δεν είναι δυνατή η φόρτωση αυτού του μηνύματος", @@ -1267,8 +1085,6 @@ "Unable to load event that was replied to, it either does not exist or you do not have permission to view it.": "Αδυναμία φόρτωσης του συμβάντος στο οποίο δόθηκε απάντηση, είτε δεν υπάρχει είτε δεν έχετε άδεια να το προβάλετε.", "Language Dropdown": "Επιλογή Γλώσσας", "Information": "Πληροφορίες", - "Rotate Right": "Περιστροφή δεξιά", - "Rotate Left": "Περιστροφή αριστερά", "View all %(count)s members": { "one": "Προβολή 1 μέλους", "other": "Προβολή όλων των %(count)s μελών" @@ -1278,18 +1094,6 @@ "Use the Desktop app to search encrypted messages": "Χρησιμοποιήστε την εφαρμογή για υπολογιστή για να δείτε όλα τα κρυπτογραφημένα μηνύματα", "Use the Desktop app to see all encrypted files": "Χρησιμοποιήστε την εφαρμογή για υπολογιστή για να δείτε όλα τα κρυπτογραφημένα αρχεία", "Message search initialisation failed, check your settings for more information": "Η προετοιμασία της αναζήτησης μηνυμάτων απέτυχε, ελέγξτε τις ρυθμίσεις σας για περισσότερες πληροφορίες", - "Error - Mixed content": "Σφάλμα - Μικτό περιεχόμενο", - "Error loading Widget": "Σφάλμα φόρτωσης Μικροεφαρμογής", - "This widget may use cookies.": "Αυτή η μικροεφαρμογή μπορεί να χρησιμοποιεί cookies.", - "Widget added by": "Μικροεοεφαρμογή προστέθηκε από", - "Widgets do not use message encryption.": "Οι μικροεοεφαρμογές δε χρησιμοποιούν κρυπτογράφηση μηνυμάτων.", - "Using this widget may share data with %(widgetDomain)s.": "Η χρήση αυτής της μικροεφαρμογής ενδέχεται να μοιράζεται δεδομένα με %(widgetDomain)s.", - "Room ID": "ID Δωματίου", - "%(brand)s URL": "%(brand)s URL", - "Your theme": "Το θέμα εμφάνισης", - "Your user ID": "Το αναγνωριστικό (ID) χρήστη σας", - "Your display name": "Το εμφανιζόμενο όνομά σας", - "Any of the following data may be shared:": "Οποιοδήποτε από τα ακόλουθα δεδομένα μπορεί να κοινοποιηθεί:", "Cancel search": "Ακύρωση αναζήτησης", "What location type do you want to share?": "Τι τύπο τοποθεσίας θέλετε να μοιραστείτε;", "Drop a Pin": "Εισάγετε μια Καρφίτσα", @@ -1298,8 +1102,6 @@ "%(displayName)s's live location": "Η τρέχουσα τοποθεσία του/της %(displayName)s", "%(brand)s could not send your location. Please try again later.": "Το %(brand)s δεν μπόρεσε να στείλει την τοποθεσία σας. Παρακαλώ δοκιμάστε ξανά αργότερα.", "We couldn't send your location": "Αδυναμία αποστολής της τοποθεσίας σας", - "Click to drop a pin": "Κλικ για να εισάγετε μια καρφίτσα", - "Share for %(duration)s": "Κοινή χρήση για %(duration)s", "You have ignored this user, so their message is hidden. Show anyways.": "Έχετε αγνοήσει αυτόν τον χρήστη, επομένως τα μηνύματα του είναι κρυφά. Εμφάνιση ούτως ή άλλως.", "They won't be able to access whatever you're not an admin of.": "Δε θα μπορούν να έχουν πρόσβαση σε λειτουργίες δεν είστε διαχειριστής.", "Ban them from specific things I'm able to": "Αποκλεισμός από συγκεκριμένες λειτουργίες που έχω δικαίωμα", @@ -1313,13 +1115,10 @@ "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.": "Η αναβάθμιση αυτού του δωματίου θα τερματίσει το δωμάτιο και θα δημιουργήσει ένα αναβαθμισμένο δωμάτιο με το ίδιο όνομα.", - "Favourited": "Αγαπημένα", "You can only join it with a working invite.": "Μπορείτε να συμμετάσχετε μόνο με ενεργή πρόσκληση.", "Home options": "Επιλογές αρχικής", "Unignore": "Αναίρεση αγνόησης", - "Match system": "Ταίριασμα με του συστήματος", "Spanner": "Γερμανικό κλειδί", - "%(brand)s is experimental on a mobile web browser. For a better experience and the latest features, use our free native app.": "Το %(brand)s είναι πειραματικό σε πρόγραμμα περιήγησης για κινητά. Για καλύτερη εμπειρία και τις πιο πρόσφατες δυνατότητες, χρησιμοποιήστε τη δωρεάν εφαρμογή μας για κινητά.", "Go to Settings": "Μετάβαση στις Ρυθμίσεις", "New Recovery Method": "Νέα Μέθοδος Ανάκτησης", "Save your Security Key": "Αποθηκεύστε το κλειδί ασφαλείας σας", @@ -1348,7 +1147,6 @@ "Verify with Security Key": "Επαλήθευση με Κλειδί ασφαλείας", "Verify with Security Key or Phrase": "Επαλήθευση με Κλειδί Ασφαλείας ή Φράση Ασφαλείας", "Proceed with reset": "Προχωρήστε με την επαναφορά", - "Create account": "Δημιουργία λογαριασμού", "Your password has been reset.": "Ο κωδικός πρόσβασής σας επαναφέρθηκε.", "Skip verification for now": "Παράβλεψη επαλήθευσης προς το παρόν", "Really reset verification keys?": "Είστε σίγουρος ότι θέλετε να επαναφέρετε τα κλειδιά επαλήθευσης;", @@ -1393,11 +1191,8 @@ "Looks good": "Φαίνεται καλό", "Enter a server name": "Εισαγάγετε ένα όνομα διακομιστή", "Join millions for free on the largest public server": "Συμμετέχετε δωρεάν στον μεγαλύτερο δημόσιο διακομιστή", - "Popout widget": "Αναδυόμενη μικροεφαρμογή", - "Widget ID": "Ταυτότητα μικροεφαρμογής", "toggle event": "μεταβολή συμβάντος", "Could not connect media": "Δεν ήταν δυνατή η σύνδεση πολυμέσων", - "Home is useful for getting an overview of everything.": "Ο Αρχικός χώρος είναι χρήσιμος για να έχετε μια επισκόπηση των πάντων.", "Unable to find profiles for the Matrix IDs listed below - would you like to invite them anyway?": "Δεν είναι δυνατή η εύρεση προφίλ για τα αναγνωριστικά Matrix που αναφέρονται παρακάτω - θα θέλατε να τα προσκαλέσετε ούτως ή άλλως;", "Adding spaces has moved.": "Η προσθήκη χώρων μετακινήθηκε.", "And %(count)s more...": { @@ -1418,7 +1213,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", - "Using this widget may share data with %(widgetDomain)s & your integration manager.": "Η χρήση αυτής της μικροεφαρμογής μπορεί να μοιραστεί δεδομένα με το %(widgetDomain)s και τον διαχειριστή πρόσθετων.", "Integration managers receive configuration data, and can modify widgets, send room invites, and set power levels on your behalf.": "Οι διαχειριστές πρόσθετων λαμβάνουν δεδομένα διαμόρφωσης και μπορούν να τροποποιούν μικροεφαρμογές, να στέλνουν προσκλήσεις για δωμάτια και να ορίζουν δικαιώματα πρόσβασης για λογαριασμό σας.", "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, μικροεφαρμογές και πακέτα αυτοκόλλητων.", @@ -1438,7 +1232,6 @@ "General failure": "Γενική αποτυχία", "You can't send any messages until you review and agree to our terms and conditions.": "Δεν μπορείτε να στείλετε μηνύματα μέχρι να ελέγξετε και να συμφωνήσετε με τους όρους και τις προϋποθέσεις μας.", "Failed to start livestream": "Η έναρξη της ζωντανής ροής απέτυχε", - "Mentions only": "Αναφορές μόνο", "Unsent": "Μη απεσταλμένα", "No results found": "Δε βρέθηκαν αποτελέσματα", "Filter results": "Φιλτράρισμα αποτελεσμάτων", @@ -1486,12 +1279,10 @@ "The poll has ended. No votes were cast.": "Η δημοσκόπηση έληξε. Δεν υπάρχουν ψήφοι.", "Failed to connect to integration manager": "Αποτυχία σύνδεσης με τον διαχειριστή πρόσθετων", "Manage integrations": "Διαχείριση πρόσθετων", - "Cannot connect to integration manager": "Δεν είναι δυνατή η σύνδεση με τον διαχειριστή πρόσθετων", "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.": "Το μήνυμά σας δε στάλθηκε επειδή αυτός ο κεντρικός διακομιστής έχει φτάσει το μηνιαίο όριο ενεργού χρήστη. Παρακαλώ επικοινωνήστε με τον διαχειριστή για να συνεχίσετε να χρησιμοποιείτε την υπηρεσία.", - "The integration manager is offline or it cannot reach your homeserver.": "Ο διαχειριστής πρόσθετων είναι εκτός σύνδεσης ή δεν μπορεί να επικοινωνήσει με κεντρικό διακομιστή σας.", "The widget will verify your user ID, but won't be able to perform actions for you:": "Η μικροεφαρμογή θα επαληθεύσει το αναγνωριστικό χρήστη σας, αλλά δε θα μπορεί να εκτελέσει ενέργειες για εσάς:", "Allow this widget to verify your identity": "Επιτρέψτε σε αυτήν τη μικροεφαρμογή να επαληθεύσει την ταυτότητά σας", "Remember my selection for this widget": "Να θυμάστε την επιλογή μου για αυτήν τη μικροεφαρμογή", @@ -1523,11 +1314,6 @@ "You were removed by %(memberName)s": "Αφαιρεθήκατε από %(memberName)s", "Loading preview": "Φόρτωση προεπισκόπησης", "Set up": "Εγκατάσταση", - "Failed to join": "Αποτυχία συμμετοχής", - "The person who invited you has already left, or their server is offline.": "Το άτομο που σας προσκάλεσε έχει ήδη αποχωρήσει ή ο διακομιστής του είναι εκτός σύνδεσης.", - "The person who invited you has already left.": "Το άτομο που σας προσκάλεσε έχει ήδη φύγει.", - "Sorry, your homeserver is too old to participate here.": "Λυπούμαστε, ο κεντρικός σας διακομιστής είναι πολύ παλιός για να συμμετέχει εδώ.", - "There was an error joining.": "Παρουσιάστηκε σφάλμα κατά τη σύνδεση.", "Joined": "Συνδέθηκε", "Joining": "Συνδέετε", "Avatar": "Avatar", @@ -1632,8 +1418,6 @@ "other": "Αναγνώστηκε από %(count)s άτομα" }, "Deactivating your account is a permanent action — be careful!": "Η απενεργοποίηση του λογαριασμού σας είναι μια μόνιμη ενέργεια — να είστε προσεκτικοί!", - "You were disconnected from the call. (Error: %(message)s)": "Αποσυνδεθήκατε από την κλήση. (Σφάλμα: %(message)s)", - "Connection lost": "Η σύνδεση χάθηκε", "common": { "about": "Σχετικά με", "analytics": "Αναλυτικά δεδομένα", @@ -1718,7 +1502,14 @@ "off": "Ανενεργό", "all_rooms": "Όλα τα δωμάτια", "deselect_all": "Αποεπιλογή όλων", - "select_all": "Επιλογή όλων" + "select_all": "Επιλογή όλων", + "copied": "Αντιγράφηκε!", + "advanced": "Προχωρημένες", + "spaces": "Χώροι", + "general": "Γενικά", + "profile": "Προφίλ", + "display_name": "Εμφανιζόμενο όνομα", + "user_avatar": "Εικόνα προφίλ" }, "action": { "continue": "Συνέχεια", @@ -1814,7 +1605,10 @@ "submit": "Υποβολή", "send_report": "Αποστολή αναφοράς", "clear": "Καθαρισμός", - "unban": "Άρση αποκλεισμού" + "unban": "Άρση αποκλεισμού", + "click_to_copy": "Κλικ για αντιγραφή", + "hide_advanced": "Απόκρυψη προχωρημένων", + "show_advanced": "Εμφάνιση προχωρημένων" }, "a11y": { "user_menu": "Μενού χρήστη", @@ -1826,7 +1620,8 @@ "one": "1 μη αναγνωσμένο μήνυμα.", "other": "%(count)s μη αναγνωσμένα μηνύματα." }, - "unread_messages": "Μη αναγνωσμένα μηνύματα." + "unread_messages": "Μη αναγνωσμένα μηνύματα.", + "jump_first_invite": "Μετάβαση στην πρώτη πρόσκληση." }, "labs": { "video_rooms": "Δωμάτια βίντεο", @@ -1963,7 +1758,6 @@ "user_a11y": "Αυτόματη συμπλήρωση Χρήστη" } }, - "Bold": "Έντονα", "Code": "Κωδικός", "power_level": { "default": "Προεπιλογή", @@ -2073,7 +1867,9 @@ "noisy": "Δυνατά", "error_permissions_denied": "Το %(brand)s δεν έχει δικαιώματα για αποστολή ειδοποιήσεων - παρακαλούμε ελέγξτε τις ρυθμίσεις του περιηγητή σας", "error_permissions_missing": "Δεν δόθηκαν δικαιώματα αποστολής ειδοποιήσεων στο %(brand)s - παρακαλούμε προσπαθήστε ξανά", - "error_title": "Αδυναμία ενεργοποίησης των ειδοποιήσεων" + "error_title": "Αδυναμία ενεργοποίησης των ειδοποιήσεων", + "push_targets": "Στόχοι ειδοποιήσεων", + "error_loading": "Παρουσιάστηκε σφάλμα κατά τη φόρτωση των ρυθμίσεων ειδοποιήσεων σας." }, "appearance": { "layout_irc": "IRC (Πειραματικό)", @@ -2138,7 +1934,42 @@ "cryptography_section": "Κρυπτογραφία", "session_id": "Αναγνωριστικό συνεδρίας:", "session_key": "Κλειδί συνεδρίας:", - "encryption_section": "Κρυπτογράφηση" + "encryption_section": "Κρυπτογράφηση", + "bulk_options_section": "Μαζικές επιλογές", + "bulk_options_accept_all_invites": "Αποδεχτείτε όλες τις %(invitedRooms)sπροσκλήσεις", + "bulk_options_reject_all_invites": "Απόρριψη όλων των προσκλήσεων %(invitedRooms)s", + "message_search_section": "Αναζήτηση μηνυμάτων", + "analytics_subsection_description": "Μοιραστείτε ανώνυμα δεδομένα για να μας βοηθήσετε να εντοπίσουμε προβλήματα. Δε συλλέγουμε προσωπικά δεδομένα. Δεν τα παρέχουμε σε τρίτους.", + "encryption_individual_verification_mode": "Επαληθεύστε μεμονωμένα κάθε συνεδρία που χρησιμοποιείται από έναν χρήστη για να την επισημάνετε ως αξιόπιστη, χωρίς να εμπιστεύεστε συσκευές με διασταυρούμενη υπογραφή.", + "message_search_enabled": { + "one": "Αποθηκεύστε με ασφάλεια κρυπτογραφημένα μηνύματα τοπικά για να εμφανίζονται στα αποτελέσματα αναζήτησης, χρησιμοποιώντας %(size)s για αποθήκευση μηνυμάτων από το %(rooms)sδωμάτιο .", + "other": "Αποθηκεύστε με ασφάλεια κρυπτογραφημένα μηνύματα τοπικά για να εμφανίζονται στα αποτελέσματα αναζήτησης, χρησιμοποιώντας %(size)s για αποθήκευση μηνυμάτων από τα %(rooms)sδωμάτια ." + }, + "message_search_disabled": "Αποθηκεύστε με ασφάλεια κρυπτογραφημένα μηνύματα τοπικά για να εμφανίζονται στα αποτελέσματα αναζήτησης.", + "message_search_unsupported": "Λείπουν ορισμένα στοιχεία από το %(brand)s που απαιτούνται για την ασφαλή αποθήκευση κρυπτογραφημένων μηνυμάτων τοπικά. Εάν θέλετε να πειραματιστείτε με αυτό το χαρακτηριστικό, δημιουργήστε μια προσαρμοσμένη %(brand)s επιφάνεια εργασίαςμε προσθήκη στοιχείων αναζήτησης.", + "message_search_unsupported_web": "Το %(brand)s δεν μπορεί να αποθηκεύσει με ασφάλεια κρυπτογραφημένα μηνύματα τοπικά ενώ εκτελείται σε πρόγραμμα περιήγησης ιστού. Χρησιμοποιήστε την %(brand)s Επιφάνεια εργασίας για να εμφανίζονται κρυπτογραφημένα μηνύματα στα αποτελέσματα αναζήτησης.", + "message_search_failed": "Η αρχικοποίηση αναζήτησης μηνυμάτων απέτυχε", + "backup_key_well_formed": "καλοσχηματισμένο", + "backup_key_unexpected_type": "μη αναμενόμενος τύπος", + "backup_keys_description": "Δημιουργήστε αντίγραφα ασφαλείας των κλειδιών κρυπτογράφησης με τα δεδομένα του λογαριασμού σας σε περίπτωση που χάσετε την πρόσβαση στις συνεδρίες σας. Τα κλειδιά σας θα ασφαλιστούν με ένα μοναδικό κλειδί ασφαλείας.", + "backup_key_stored_status": "Αποθηκευμένο εφεδρικό κλειδί:", + "cross_signing_not_stored": "μη αποθηκευμένο", + "backup_key_cached_status": "Αποθηκευμένο εφεδρικό κλειδί στην κρυφή μνήμη:", + "4s_public_key_status": "Δημόσιο κλειδί μυστικής αποθήκευσης:", + "4s_public_key_in_account_data": "στα δεδομένα λογαριασμού", + "secret_storage_status": "Μυστική αποθήκευση:", + "secret_storage_ready": "έτοιμο", + "secret_storage_not_ready": "δεν είναι έτοιμο", + "delete_backup": "Διαγραφή Αντιγράφου ασφαλείας", + "delete_backup_confirm_description": "Είσαι σίγουρος? Θα χάσετε τα κρυπτογραφημένα μηνύματά σας εάν δε δημιουργηθούν σωστά αντίγραφα ασφαλείας των κλειδιών σας.", + "error_loading_key_backup_status": "Δεν είναι δυνατή η φόρτωση της κατάστασης του αντιγράφου ασφαλείας κλειδιού", + "restore_key_backup": "Επαναφορά από Αντίγραφο ασφαλείας", + "key_backup_inactive": "Αυτή η συνεδρία δεν δημιουργεί αντίγραφα ασφαλείας των κλειδιών σας, αλλά έχετε ένα υπάρχον αντίγραφο ασφαλείας από το οποίο μπορείτε να επαναφέρετε και να προσθέσετε στη συνέχεια.", + "key_backup_connect_prompt": "Συνδέστε αυτήν την συνεδρία με το αντίγραφο ασφαλείας κλειδιού πριν αποσυνδεθείτε για να αποφύγετε την απώλεια κλειδιών που μπορεί να υπάρχουν μόνο σε αυτήν την συνεδρία.", + "key_backup_connect": "Συνδέστε αυτήν την συνεδρία με το αντίγραφο ασφαλείας κλειδιού", + "key_backup_complete": "Δημιουργήθηκαν αντίγραφα ασφαλείας όλων των κλειδιών", + "key_backup_algorithm": "Αλγόριθμος:", + "key_backup_inactive_warning": "Δεν δημιουργούνται αντίγραφα ασφαλείας των κλειδιών σας από αυτήν την συνεδρία." }, "preferences": { "room_list_heading": "Λίστα δωματίων", @@ -2193,7 +2024,22 @@ "add_msisdn_confirm_sso_button": "Επιβεβαιώστε την προσθήκη αυτού του αριθμού τηλεφώνου με την χρήση Single Sign On για να επικυρώσετε την ταυτότητα σας.", "add_msisdn_confirm_button": "Επιβεβαιώστε την προσθήκη του τηλεφωνικού αριθμού", "add_msisdn_confirm_body": "Πιέστε το κουμπί από κάτω για να επιβεβαίωσετε την προσθήκη του τηλεφωνικού αριθμού.", - "add_msisdn_dialog_title": "Προσθήκη Τηλεφωνικού Αριθμού" + "add_msisdn_dialog_title": "Προσθήκη Τηλεφωνικού Αριθμού", + "name_placeholder": "Χωρίς όνομα", + "error_saving_profile_title": "Αποτυχία αποθήκευσης του προφίλ σας", + "error_saving_profile": "Η λειτουργία δεν μπόρεσε να ολοκληρωθεί" + }, + "sidebar": { + "title": "Πλαϊνή μπάρα", + "metaspaces_subsection": "Χώροι για εμφάνιση", + "metaspaces_description": "Οι Χώροι είναι ένας τρόπος ομαδοποίησης δωματίων και ατόμων. Εκτός από τους χώρους στους οποίους βρίσκεστε, μπορείτε να χρησιμοποιήσετε και κάποιους προκατασκευασμένους.", + "metaspaces_home_description": "Ο Αρχικός χώρος είναι χρήσιμος για να έχετε μια επισκόπηση των πάντων.", + "metaspaces_favourites_description": "Ομαδοποιήστε όλα τα αγαπημένα σας δωμάτια και άτομα σε ένα μέρος.", + "metaspaces_people_description": "Ομαδοποιήστε όλα τα άτομα σας σε ένα μέρος.", + "metaspaces_orphans": "Δωμάτια εκτός χώρου", + "metaspaces_orphans_description": "Ομαδοποιήστε σε ένα μέρος όλα τα δωμάτιά σας που δεν αποτελούν μέρος ενός χώρου.", + "metaspaces_home_all_rooms_description": "Εμφάνιση όλων των δωματίων σας στην Αρχική, ακόμα κι αν βρίσκονται σε ένα χώρο.", + "metaspaces_home_all_rooms": "Εμφάνιση όλων των δωματίων" } }, "devtools": { @@ -2638,7 +2484,14 @@ "see_older_messages": "Κάντε κλικ εδώ για να δείτε παλαιότερα μηνύματα." }, "creation_summary_dm": "Ο/η %(creator)s δημιούργησε αυτό το απευθείας μήνυμα.", - "creation_summary_room": "Ο/η %(creator)s δημιούργησε και διαμόρφωσε το δωμάτιο." + "creation_summary_room": "Ο/η %(creator)s δημιούργησε και διαμόρφωσε το δωμάτιο.", + "context_menu": { + "view_source": "Προβολή πηγής", + "show_url_preview": "Εμφάνιση προεπισκόπησης", + "external_url": "Πηγαίο URL", + "collapse_reply_thread": "Σύμπτυξη νήματος απάντησης", + "report": "Αναφορά" + } }, "slash_command": { "spoiler": "Στέλνει το δοθέν μήνυμα ως spoiler", @@ -2817,10 +2670,18 @@ "no_permission_conference_description": "Δεν έχετε άδεια για να ξεκινήσετε μια κλήση συνδιάσκεψης σε αυτό το δωμάτιο", "default_device": "Προεπιλεγμένη συσκευή", "no_media_perms_title": "Χωρίς δικαιώματα πολυμέσων", - "no_media_perms_description": "Μπορεί να χρειαστεί να ορίσετε χειροκίνητα την πρόσβαση του %(brand)s στο μικρόφωνο/κάμερα" + "no_media_perms_description": "Μπορεί να χρειαστεί να ορίσετε χειροκίνητα την πρόσβαση του %(brand)s στο μικρόφωνο/κάμερα", + "join_button_tooltip_connecting": "Συνδέεται", + "hide_sidebar_button": "Απόκρυψη πλαϊνής μπάρας", + "show_sidebar_button": "Εμφάνιση πλαϊνής μπάρας", + "more_button": "Περισσότερα", + "screenshare_monitor": "Κοινή χρήση ολόκληρης της οθόνης", + "screenshare_window": "Παράθυρο εφαρμογής", + "screenshare_title": "Κοινή χρήση περιεχομένου", + "unknown_person": "άγνωστο άτομο", + "connecting": "Συνδέεται" }, "Other": "Άλλα", - "Advanced": "Προχωρημένες", "room_settings": { "permissions": { "m.room.avatar_space": "Αλλαγή εικόνας Χώρου", @@ -2882,7 +2743,33 @@ "history_visibility_shared": "Μόνο μέλη (από τη στιγμή που ορίστηκε αυτή η επιλογή)", "history_visibility_invited": "Μόνο μέλη (από τη στιγμή που προσκλήθηκαν)", "history_visibility_joined": "Μόνο μέλη (από τη στιγμή που έγιναν μέλη)", - "history_visibility_world_readable": "Oποιοσδήποτε" + "history_visibility_world_readable": "Oποιοσδήποτε", + "join_rule_upgrade_required": "Απαιτείται αναβάθμιση", + "join_rule_restricted_n_more": { + "one": "& %(count)s περισσότερα", + "other": "& %(count)s περισσότερα" + }, + "join_rule_restricted_summary": { + "one": "Αυτήν τη στιγμή, ένας χώρος έχει πρόσβαση", + "other": "Αυτήν τη στιγμή, %(count)s χώροι έχουν πρόσβαση" + }, + "join_rule_restricted_description": "Οποιοσδήποτε σε ένα χώρο μπορεί να το βρει και να εγγραφεί. Επεξεργαστείτε τους χώρους που έχουν πρόσβαση εδώ.", + "join_rule_restricted_description_spaces": "Χώροι με πρόσβαση", + "join_rule_restricted_description_active_space": "Οποιοσδήποτε στο μπορεί να το βρει και να εγγραφεί. Μπορείτε να επιλέξετε και άλλους χώρους.", + "join_rule_restricted_description_prompt": "Οποιοσδήποτε σε ένα Χώρο μπορεί να βρει και να εγγραφεί. Μπορείτε να επιλέξετε πολλούς Χώρους.", + "join_rule_restricted": "Μέλη χώρου", + "join_rule_restricted_upgrade_warning": "Αυτό το δωμάτιο βρίσκεται σε ορισμένους Χώρους στους οποίους δεν είστε διαχειριστής. Σε αυτούς τους Χώρους, το παλιό δωμάτιο θα εξακολουθεί να εμφανίζεται, αλλά τα άτομα θα κληθούν να συμμετάσχουν στο νέο.", + "join_rule_restricted_upgrade_description": "Αυτή η αναβάθμιση θα επιτρέψει σε μέλη επιλεγμένων Χώρων πρόσβαση σε αυτό το δωμάτιο χωρίς πρόσκληση.", + "join_rule_upgrade_upgrading_room": "Αναβάθμιση δωματίου", + "join_rule_upgrade_awaiting_room": "Φόρτωση νέου δωματίου", + "join_rule_upgrade_sending_invites": { + "one": "Αποστολή πρόσκλησης...", + "other": "Αποστολή προσκλήσεων... (%(progress)s από %(count)s)" + }, + "join_rule_upgrade_updating_spaces": { + "one": "Ενημέρωση χώρου...", + "other": "Ενημέρωση χώρων... (%(progress)s out of %(count)s)" + } }, "general": { "publish_toggle": "Δημοσίευση αυτού του δωματίου στο κοινό κατάλογο δωματίων του %(domain)s;", @@ -2892,7 +2779,11 @@ "default_url_previews_off": "Η προεπισκόπηση διευθύνσεων URL είναι απενεργοποιημένη από προεπιλογή για τους συμμετέχοντες σε αυτό το δωμάτιο.", "url_preview_encryption_warning": "Σε κρυπτογραφημένα δωμάτια, όπως αυτό, οι προεπισκόπηση URL είναι απενεργοποιημένη από προεπιλογή για να διασφαλιστεί ότι ο κεντρικός σας διακομιστής (όπου δημιουργείται μια προεπισκόπηση) δεν μπορεί να συγκεντρώσει πληροφορίες σχετικά με συνδέσμους που βλέπετε σε αυτό το δωμάτιο.", "url_preview_explainer": "Όταν κάποιος εισάγει μια διεύθυνση URL στο μήνυμά του, μπορεί να εμφανιστεί μια προεπισκόπηση του URL για να δώσει περισσότερες πληροφορίες σχετικά με αυτόν τον σύνδεσμο, όπως τον τίτλο, την περιγραφή και μια εικόνα από τον ιστότοπο.", - "url_previews_section": "Προεπισκόπηση συνδέσμων" + "url_previews_section": "Προεπισκόπηση συνδέσμων", + "error_save_space_settings": "Αποτυχία αποθήκευσης ρυθμίσεων χώρου.", + "description_space": "Επεξεργαστείτε τις ρυθμίσεις που σχετίζονται με τον χώρο σας.", + "save": "Αποθήκευση Αλλαγών", + "leave_space": "Αποχώρηση από τον Χώρο" }, "advanced": { "unfederated": "Αυτό το δωμάτιο δεν είναι προσβάσιμο από απομακρυσμένους διακομιστές Matrix", @@ -2903,6 +2794,24 @@ "room_id": "Εσωτερικό ID δωματίου", "room_version_section": "Έκδοση δωματίου", "room_version": "Έκδοση δωματίου:" + }, + "delete_avatar_label": "Διαγραφή avatar", + "upload_avatar_label": "Αποστολή προσωπικής εικόνας", + "visibility": { + "error_update_guest_access": "Αποτυχία ενημέρωσης της πρόσβασης επισκέπτη σε αυτόν τον χώρο", + "error_update_history_visibility": "Αποτυχία ενημέρωσης της ορατότητας του ιστορικού αυτού του χώρου", + "guest_access_explainer": "Οι επισκέπτες μπορούν να εγγραφούν σε ένα χώρο χωρίς να έχουν λογαριασμό.", + "guest_access_explainer_public_space": "Αυτό μπορεί να είναι χρήσιμο για δημόσιους χώρους.", + "title": "Ορατότητα", + "error_failed_save": "Αποτυχία ενημέρωσης της ορατότητας αυτού του χώρου", + "history_visibility_anyone_space": "Προεπισκόπηση Χώρου", + "history_visibility_anyone_space_description": "Επιτρέψτε στους χρήστες να κάνουν προεπισκόπηση του χώρου σας προτού να εγγραφούν.", + "history_visibility_anyone_space_recommendation": "Προτείνεται για δημόσιους χώρους.", + "guest_access_label": "Ενεργοποίηση πρόσβασης επισκέπτη" + }, + "access": { + "title": "Πρόσβαση", + "description_space": "Αποφασίστε ποιος μπορεί να δει και να συμμετάσχει %(spaceName)s." } }, "encryption": { @@ -2928,7 +2837,11 @@ "waiting_other_device_details": "Αναμονή για επαλήθευση στην άλλη συσκευή σας, %(deviceName)s (%(deviceId)s)…", "waiting_other_device": "Αναμονή για επαλήθευση στην άλλη συσκευή σας…", "waiting_other_user": "Αναμονή για επαλήθευση του %(displayName)s…", - "cancelling": "Ακύρωση…" + "cancelling": "Ακύρωση…", + "unverified_sessions_toast_description": "Ελέγξτε για να βεβαιωθείτε ότι ο λογαριασμός σας είναι ασφαλής", + "unverified_sessions_toast_reject": "Αργότερα", + "unverified_session_toast_title": "Νέα σύνδεση. Ήσουν εσύ;", + "request_toast_detail": "%(deviceId)s από %(ip)s" }, "old_version_detected_title": "Εντοπίστηκαν παλιά δεδομένα κρυπτογράφησης", "old_version_detected_description": "Έχουν εντοπιστεί δεδομένα από μια παλαιότερη έκδοση του %(brand)s. Αυτό θα έχει προκαλέσει δυσλειτουργία της κρυπτογράφησης από άκρο σε άκρο στην παλαιότερη έκδοση. Τα κρυπτογραφημένα μηνύματα από άκρο σε άκρο που ανταλλάχθηκαν πρόσφατα κατά τη χρήση της παλαιότερης έκδοσης ενδέχεται να μην μπορούν να αποκρυπτογραφηθούν σε αυτήν την έκδοση. Αυτό μπορεί επίσης να προκαλέσει την αποτυχία των μηνυμάτων που ανταλλάσσονται με αυτήν την έκδοση. Εάν αντιμετωπίζετε προβλήματα, αποσυνδεθείτε και συνδεθείτε ξανά. Για να διατηρήσετε το ιστορικό μηνυμάτων, εξάγετε και εισαγάγετε ξανά τα κλειδιά σας.", @@ -2938,7 +2851,18 @@ "bootstrap_title": "Ρύθμιση κλειδιών", "export_unsupported": "Ο περιηγητής σας δεν υποστηρίζει τα απαιτούμενα πρόσθετα κρυπτογράφησης", "import_invalid_keyfile": "Μη έγκυρο αρχείο κλειδιού %(brand)s", - "import_invalid_passphrase": "Αποτυχία ελέγχου πιστοποίησης: λανθασμένος κωδικός πρόσβασης;" + "import_invalid_passphrase": "Αποτυχία ελέγχου πιστοποίησης: λανθασμένος κωδικός πρόσβασης;", + "set_up_toast_title": "Ρυθμίστε το αντίγραφο ασφαλείας", + "upgrade_toast_title": "Διατίθεται αναβάθμιση κρυπτογράφησης", + "verify_toast_title": "Επαληθεύστε αυτήν τη συνεδρία", + "set_up_toast_description": "Προστατευτείτε από την απώλεια πρόσβασης σε κρυπτογραφημένα μηνύματα και δεδομένα", + "verify_toast_description": "Άλλοι χρήστες μπορεί να μην το εμπιστεύονται", + "cross_signing_unsupported": "Ο κεντρικός σας διακομιστής δεν υποστηρίζει διασταυρούμενη σύνδεση.", + "cross_signing_ready": "Η διασταυρούμενη υπογραφή είναι έτοιμη για χρήση.", + "cross_signing_ready_no_backup": "Η διασταυρούμενη υπογραφή είναι έτοιμη, αλλά δεν δημιουργούνται αντίγραφα ασφαλείας κλειδιών.", + "cross_signing_untrusted": "Ο λογαριασμός σας έχει ταυτότητα διασταυρούμενης υπογραφής σε μυστικό χώρο αποθήκευσης, αλλά δεν είναι ακόμη αξιόπιστος από αυτήν την συνεδρία.", + "cross_signing_not_ready": "Η διασταυρούμενη υπογραφή δεν έχει ρυθμιστεί.", + "not_supported": "<δεν υποστηρίζεται>" }, "emoji": { "category_frequently_used": "Συχνά χρησιμοποιούμενα", @@ -2962,7 +2886,8 @@ "bullet_1": "Δεν καταγράφουμε ούτε ιχνηλατούμε οποιαδήποτε δεδομένα λογαριασμού", "bullet_2": "Δε μοιραζόμαστε πληροφορίες με τρίτους", "disable_prompt": "Μπορείτε να το απενεργοποιήσετε ανά πάσα στιγμή στις ρυθμίσεις", - "accept_button": "Είναι εντάξει" + "accept_button": "Είναι εντάξει", + "shared_data_heading": "Οποιοδήποτε από τα ακόλουθα δεδομένα μπορεί να κοινοποιηθεί:" }, "chat_effects": { "confetti_description": "Στέλνει το δεδομένο μήνυμα με κομφετί", @@ -3089,7 +3014,8 @@ "no_hs_url_provided": "Δεν παρέχεται URL του κεντρικού διακομιστή", "autodiscovery_unexpected_error_hs": "Μη αναμενόμενο σφάλμα κατά την επίλυση της διαμόρφωσης του κεντρικού διακομιστή", "autodiscovery_unexpected_error_is": "Μη αναμενόμενο σφάλμα κατά την επίλυση της διαμόρφωσης διακομιστή ταυτότητας", - "incorrect_credentials_detail": "Σημειώστε ότι συνδέεστε στον διακομιστή %(hs)s, όχι στο matrix.org." + "incorrect_credentials_detail": "Σημειώστε ότι συνδέεστε στον διακομιστή %(hs)s, όχι στο matrix.org.", + "create_account_title": "Δημιουργία λογαριασμού" }, "room_list": { "sort_unread_first": "Εμφάνιση δωματίων με μη αναγνωσμένα μηνύματα πρώτα", @@ -3132,7 +3058,8 @@ "intro_byline": "Οι συνομιλίες σας ανήκουν σε εσάς.", "send_dm": "Στείλτε ένα άμεσο μήνυμα", "explore_rooms": "Εξερευνήστε Δημόσια Δωμάτια", - "create_room": "Δημιουργήστε μια Ομαδική Συνομιλία" + "create_room": "Δημιουργήστε μια Ομαδική Συνομιλία", + "create_account": "Δημιουργία λογαριασμού" }, "setting": { "help_about": { @@ -3215,7 +3142,33 @@ }, "error_need_to_be_logged_in": "Πρέπει να είστε συνδεδεμένος.", "error_need_invite_permission": "Για να το κάνετε αυτό πρέπει να έχετε τη δυνατότητα να προσκαλέσετε χρήστες.", - "no_name": "Άγνωστη εφαρμογή" + "no_name": "Άγνωστη εφαρμογή", + "error_hangup_title": "Η σύνδεση χάθηκε", + "error_hangup_description": "Αποσυνδεθήκατε από την κλήση. (Σφάλμα: %(message)s)", + "context_menu": { + "start_audio_stream": "Έναρξη ροής ήχου", + "screenshot": "Λήψη φωτογραφίας", + "delete": "Διαγραφή μικροεφαρμογής", + "delete_warning": "Η διαγραφή μιας μικροεφαρμογής την καταργεί για όλους τους χρήστες σε αυτό το δωμάτιο. Είστε βέβαιοι ότι θέλετε να τη διαγράψετε;", + "remove": "Κατάργηση για όλους", + "revoke": "Ανάκληση αδειών", + "move_left": "Μετακίνηση αριστερά", + "move_right": "Μετακίνηση δεξιά" + }, + "shared_data_name": "Το εμφανιζόμενο όνομά σας", + "shared_data_mxid": "Το αναγνωριστικό (ID) χρήστη σας", + "shared_data_theme": "Το θέμα εμφάνισης", + "shared_data_url": "%(brand)s URL", + "shared_data_room_id": "ID Δωματίου", + "shared_data_widget_id": "Ταυτότητα μικροεφαρμογής", + "shared_data_warning_im": "Η χρήση αυτής της μικροεφαρμογής μπορεί να μοιραστεί δεδομένα με το %(widgetDomain)s και τον διαχειριστή πρόσθετων.", + "shared_data_warning": "Η χρήση αυτής της μικροεφαρμογής ενδέχεται να μοιράζεται δεδομένα με %(widgetDomain)s.", + "unencrypted_warning": "Οι μικροεοεφαρμογές δε χρησιμοποιούν κρυπτογράφηση μηνυμάτων.", + "added_by": "Μικροεοεφαρμογή προστέθηκε από", + "cookie_warning": "Αυτή η μικροεφαρμογή μπορεί να χρησιμοποιεί cookies.", + "error_loading": "Σφάλμα φόρτωσης Μικροεφαρμογής", + "error_mixed_content": "Σφάλμα - Μικτό περιεχόμενο", + "popout": "Αναδυόμενη μικροεφαρμογή" }, "feedback": { "sent": "Τα σχόλια στάλθηκαν", @@ -3281,7 +3234,8 @@ "empty_heading": "Διατηρήστε τις συζητήσεις οργανωμένες με νήματα" }, "theme": { - "light_high_contrast": "Ελαφριά υψηλή αντίθεση" + "light_high_contrast": "Ελαφριά υψηλή αντίθεση", + "match_system": "Ταίριασμα με του συστήματος" }, "space": { "landing_welcome": "Καλώς ήρθατε στο ", @@ -3297,9 +3251,14 @@ "devtools_open_timeline": "Εμφάνιση χρονοδιαγράμματος δωματίου (develtools)", "home": "Αρχική σελίδα χώρου", "explore": "Εξερευνήστε δωμάτια", - "manage_and_explore": "Διαχειριστείτε και εξερευνήστε δωμάτια" + "manage_and_explore": "Διαχειριστείτε και εξερευνήστε δωμάτια", + "options": "Επιλογές χώρου" }, - "share_public": "Μοιραστείτε τον δημόσιο χώρο σας" + "share_public": "Μοιραστείτε τον δημόσιο χώρο σας", + "search_children": "Αναζήτηση %(spaceName)s", + "invite_link": "Κοινή χρήση συνδέσμου πρόσκλησης", + "invite": "Προσκαλέστε άτομα", + "invite_description": "Πρόσκληση με email ή όνομα χρήστη" }, "location_sharing": { "MapStyleUrlNotConfigured": "Αυτός ο κεντρικός διακομιστής δεν έχει ρυθμιστεί για εμφάνιση χαρτών.", @@ -3309,7 +3268,11 @@ "failed_timeout": "Έληξε η προσπάθεια λήψης της τοποθεσίας σας. Παρακαλώ δοκιμάστε ξανά αργότερα.", "failed_unknown": "Άγνωστο σφάλμα λήψης της τοποθεσίας. Παρακαλώ δοκιμάστε ξανά αργότερα.", "expand_map": "Ανάπτυξη χάρτη", - "failed_load_map": "Αδυναμία φόρτωσης χάρτη" + "failed_load_map": "Αδυναμία φόρτωσης χάρτη", + "live_share_button": "Κοινή χρήση για %(duration)s", + "click_move_pin": "Κλικ για να μετακινήσετε την καρφίτσα", + "click_drop_pin": "Κλικ για να εισάγετε μια καρφίτσα", + "share_button": "Κοινή χρήση τοποθεσίας" }, "labs_mjolnir": { "room_name": "Η λίστα απαγορεύσεων μου", @@ -3344,7 +3307,6 @@ }, "create_space": { "name_required": "Εισαγάγετε ένα όνομα για το χώρο", - "name_placeholder": "π.χ. ο-χώρος-μου", "explainer": "Οι Χώροι είναι ένας νέος τρόπος ομαδοποίησης δωματίων και ατόμων. Τι είδους Χώρο θέλετε να δημιουργήσετε; Μπορείτε αυτό να το αλλάξετε αργότερα.", "public_description": "Ανοιχτός χώρος για οποιονδήποτε, καλύτερο για κοινότητες", "private_description": "Μόνο με πρόσκληση, καλύτερο για εσάς ή ομάδες", @@ -3373,11 +3335,16 @@ "setup_rooms_community_description": "Ας δημιουργήσουμε ένα δωμάτιο για καθένα από αυτά.", "setup_rooms_description": "Μπορείτε επίσης να προσθέσετε περισσότερα αργότερα, συμπεριλαμβανομένων των ήδη υπαρχόντων.", "setup_rooms_private_heading": "Σε ποια έργα εργάζεται η ομάδα σας;", - "setup_rooms_private_description": "Θα δημιουργήσουμε δωμάτια για καθένα από αυτά." + "setup_rooms_private_description": "Θα δημιουργήσουμε δωμάτια για καθένα από αυτά.", + "address_placeholder": "π.χ. ο-χώρος-μου", + "address_label": "Διεύθυνση", + "label": "Δημιουργήστε ένα χώρο", + "add_details_prompt_2": "Μπορείτε να τα αλλάξετε ανά πάσα στιγμή." }, "user_menu": { "switch_theme_light": "Αλλαγή σε φωτεινό", - "switch_theme_dark": "Αλλαγή σε σκοτεινό" + "switch_theme_dark": "Αλλαγή σε σκοτεινό", + "settings": "Όλες οι ρυθμίσεις" }, "notif_panel": { "empty_heading": "Είστε πλήρως ενημερωμένοι", @@ -3412,7 +3379,21 @@ "leave_error_title": "Σφάλμα στην έξοδο από το δωμάτιο", "upgrade_error_title": "Σφάλμα αναβάθμισης δωματίου", "upgrade_error_description": "Επανελέγξτε ότι ο διακομιστής σας υποστηρίζει την έκδοση δωματίου που επιλέξατε και προσπαθήστε ξανά.", - "leave_server_notices_description": "Αυτό το δωμάτιο χρησιμοποιείται για σημαντικά μηνύματα από τον κεντρικό διακομιστή, επομένως δεν μπορείτε να το αφήσετε." + "leave_server_notices_description": "Αυτό το δωμάτιο χρησιμοποιείται για σημαντικά μηνύματα από τον κεντρικό διακομιστή, επομένως δεν μπορείτε να το αφήσετε.", + "error_join_connection": "Παρουσιάστηκε σφάλμα κατά τη σύνδεση.", + "error_join_incompatible_version_1": "Λυπούμαστε, ο κεντρικός σας διακομιστής είναι πολύ παλιός για να συμμετέχει εδώ.", + "error_join_incompatible_version_2": "Επικοινωνήστε με τον διαχειριστή του κεντρικού σας διακομιστή.", + "error_join_404_invite_same_hs": "Το άτομο που σας προσκάλεσε έχει ήδη φύγει.", + "error_join_404_invite": "Το άτομο που σας προσκάλεσε έχει ήδη αποχωρήσει ή ο διακομιστής του είναι εκτός σύνδεσης.", + "error_join_title": "Αποτυχία συμμετοχής", + "context_menu": { + "unfavourite": "Αγαπημένα", + "favourite": "Αγαπημένο", + "mentions_only": "Αναφορές μόνο", + "copy_link": "Αντιγραφή συνδέσμου δωματίου", + "low_priority": "Χαμηλή προτεραιότητα", + "forget": "Ξεχάστε το δωμάτιο" + } }, "file_panel": { "guest_note": "Πρέπει να εγγραφείτε για να χρησιμοποιήσετε αυτή την λειτουργία", @@ -3432,7 +3413,8 @@ "tac_button": "Ελέγξτε τους όρους και τις προϋποθέσεις", "identity_server_no_terms_title": "Ο διακομιστής ταυτοποίησης δεν έχει όρους χρήσης", "identity_server_no_terms_description_1": "Αυτή η δράση απαιτεί την πρόσβαση στο προκαθορισμένο διακομιστή ταυτοποίησης για να επιβεβαιώσει μια διεύθυνση ηλ. ταχυδρομείου ή αριθμό τηλεφώνου, αλλά ο διακομιστής δεν έχει όρους χρήσης.", - "identity_server_no_terms_description_2": "Συνεχίστε μόνο εάν εμπιστεύεστε τον ιδιοκτήτη του διακομιστή." + "identity_server_no_terms_description_2": "Συνεχίστε μόνο εάν εμπιστεύεστε τον ιδιοκτήτη του διακομιστή.", + "inline_intro_text": "Αποδεχτείτε το για να συνεχίσετε:" }, "space_settings": { "title": "Ρυθμίσεις - %(spaceName)s" @@ -3505,7 +3487,56 @@ "admin_contact": "Παρακαλούμε να επικοινωνήσετε με τον διαχειριστή της υπηρεσίας σας για να συνεχίσετε να χρησιμοποιείτε την υπηρεσία.", "connection": "Παρουσιάστηκε πρόβλημα κατά την επικοινωνία με τον κεντρικό διακομιστή. Παρακαλώ προσπαθήστε ξανά.", "mixed_content": "Δεν είναι δυνατή η σύνδεση στον κεντρικό διακομιστή μέσω HTTP όταν μια διεύθυνση HTTPS βρίσκεται στην μπάρα του περιηγητή. Είτε χρησιμοποιήστε HTTPS ή ενεργοποιήστε τα μη ασφαλή σενάρια εντολών.", - "tls": "Δεν είναι δυνατή η σύνδεση στον κεντρικό διακομιστή - παρακαλούμε ελέγξτε τη συνδεσιμότητα, βεβαιωθείτε ότι το πιστοποιητικό SSL του διακομιστή είναι έμπιστο και ότι κάποιο πρόσθετο περιηγητή δεν αποτρέπει τα αιτήματα." + "tls": "Δεν είναι δυνατή η σύνδεση στον κεντρικό διακομιστή - παρακαλούμε ελέγξτε τη συνδεσιμότητα, βεβαιωθείτε ότι το πιστοποιητικό SSL του διακομιστή είναι έμπιστο και ότι κάποιο πρόσθετο περιηγητή δεν αποτρέπει τα αιτήματα.", + "admin_contact_short": "Επικοινωνήστε με τον διαχειριστή του διακομιστή σας.", + "non_urgent_echo_failure_toast": "Ο διακομιστής σας δεν ανταποκρίνεται σε ορισμένα αιτήματα.", + "failed_copy": "Αποτυχία αντιγραφής", + "something_went_wrong": "Κάτι πήγε στραβά!", + "update_power_level": "Δεν ήταν δυνατή η αλλαγή του επιπέδου δύναμης", + "unknown": "Άγνωστο σφάλμα" }, - "name_and_id": "%(name)s (%(userId)s)" + "name_and_id": "%(name)s (%(userId)s)", + "items_and_n_others": { + "one": " και ένα ακόμα", + "other": " και %(count)s άλλα" + }, + "notifications": { + "enable_prompt_toast_title_from_message_send": "Μην χάσετε καμία απάντηση", + "enable_prompt_toast_title": "Ειδοποιήσεις", + "enable_prompt_toast_description": "Ενεργοποίηση ειδοποιήσεων επιφάνειας εργασίας", + "colour_none": "Κανένα", + "colour_bold": "Έντονα", + "colour_unsent": "Μη απεσταλμένα", + "error_change_title": "Αλλάξτε τις ρυθμίσεις ειδοποιήσεων", + "mark_all_read": "Επισήμανση όλων ως αναγνωσμένων", + "keyword": "Λέξη-κλειδί", + "keyword_new": "Νέα λέξη-κλειδί", + "class_global": "Γενικές ρυθμίσεις", + "class_other": "Άλλα", + "mentions_keywords": "Αναφορές & λέξεις-κλειδιά" + }, + "mobile_guide": { + "toast_title": "Χρησιμοποιήστε την εφαρμογή για καλύτερη εμπειρία", + "toast_description": "Το %(brand)s είναι πειραματικό σε πρόγραμμα περιήγησης για κινητά. Για καλύτερη εμπειρία και τις πιο πρόσφατες δυνατότητες, χρησιμοποιήστε τη δωρεάν εφαρμογή μας για κινητά.", + "toast_accept": "Χρησιμοποιήστε την εφαρμογή" + }, + "chat_card_back_action_label": "Επιστροφή στη συνομιλία", + "room_summary_card_back_action_label": "Πληροφορίες δωματίου", + "member_list_back_action_label": "Μέλη δωματίου", + "thread_view_back_action_label": "Επιστροφή στο νήμα εκτέλεσης", + "quick_settings": { + "title": "Γρήγορες ρυθμίσεις", + "all_settings": "Όλες οι ρυθμίσεις", + "metaspace_section": "Καρφίτσωμα στην πλαϊνή μπάρα", + "sidebar_settings": "Περισσότερες επιλογές" + }, + "lightbox": { + "rotate_left": "Περιστροφή αριστερά", + "rotate_right": "Περιστροφή δεξιά" + }, + "a11y_jump_first_unread_room": "Μετάβαση στο πρώτο μη αναγνωσμένο δωμάτιο.", + "integration_manager": { + "error_connecting_heading": "Δεν είναι δυνατή η σύνδεση με τον διαχειριστή πρόσθετων", + "error_connecting": "Ο διαχειριστής πρόσθετων είναι εκτός σύνδεσης ή δεν μπορεί να επικοινωνήσει με κεντρικό διακομιστή σας." + } } diff --git a/src/i18n/strings/en_EN.json b/src/i18n/strings/en_EN.json index a0196b5297..a4b02b3f70 100644 --- a/src/i18n/strings/en_EN.json +++ b/src/i18n/strings/en_EN.json @@ -14,6 +14,9 @@ "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", + "error_saving_profile_title": "Failed to save your profile", + "error_saving_profile": "The operation could not be completed", "oidc_manage_button": "Manage account", "account_section": "Account", "language_section": "Language and region", @@ -44,7 +47,10 @@ "enable_desktop_notifications_session": "Enable desktop notifications for this session", "show_message_desktop_notification": "Show message in desktop notification", "enable_audible_notifications_session": "Enable audible notifications for this session", - "noisy": "Noisy" + "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." }, "disable_historical_profile": "Show current profile picture and name for users in message history", "send_read_receipts": "Send read receipts", @@ -159,6 +165,45 @@ "session_id": "Session ID:", "session_key": "Session key:", "encryption_section": "Encryption", + "encryption_individual_verification_mode": "Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.", + "message_search_enabled": { + "other": "Securely cache encrypted messages locally for them to appear in search results, using %(size)s to store messages from %(rooms)s rooms.", + "one": "Securely cache encrypted messages locally for them to appear in search results, using %(size)s to store messages from %(rooms)s room." + }, + "message_search_disabled": "Securely cache encrypted messages locally for them to appear in search results.", + "message_search_unsupported": "%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with search components added.", + "message_search_unsupported_web": "%(brand)s can't securely cache encrypted messages locally while running in a web browser. Use %(brand)s Desktop for encrypted messages to appear in search results.", + "message_search_failed": "Message search initialisation failed", + "delete_backup": "Delete Backup", + "delete_backup_confirm_description": "Are you sure? You will lose your encrypted messages if your keys are not backed up properly.", + "error_loading_key_backup_status": "Unable to load key backup status", + "restore_key_backup": "Restore from Backup", + "key_backup_active": "This session is backing up your keys.", + "key_backup_inactive": "This session is not backing up your keys, but you do have an existing backup you can restore from and add to going forward.", + "key_backup_connect_prompt": "Connect this session to key backup before signing out to avoid losing any keys that may only be on this session.", + "key_backup_connect": "Connect this session to Key Backup", + "key_backup_in_progress": "Backing up %(sessionsRemaining)s keys…", + "key_backup_complete": "All keys backed up", + "key_backup_can_be_restored": "This backup can be restored on this session", + "key_backup_latest_version": "Latest backup version on server:", + "key_backup_algorithm": "Algorithm:", + "key_backup_active_version": "Active backup version:", + "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", + "backup_keys_description": "Back up your encryption keys with your account data in case you lose access to your sessions. Your keys will be secured with a unique Security Key.", + "backup_key_stored_status": "Backup key stored:", + "cross_signing_not_stored": "not stored", + "backup_key_cached_status": "Backup key cached:", + "4s_public_key_status": "Secret storage public key:", + "4s_public_key_in_account_data": "in account data", + "secret_storage_status": "Secret storage:", + "secret_storage_ready": "ready", + "secret_storage_not_ready": "not ready", + "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", "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", @@ -179,10 +224,26 @@ "all_rooms_home_description": "All rooms you're in will appear in Home.", "start_automatically": "Start automatically after system login", "warn_quit": "Warn before quitting", + "sidebar": { + "metaspaces_home_all_rooms": "Show all rooms", + "title": "Sidebar", + "metaspaces_subsection": "Spaces to show", + "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.", + "metaspaces_people_description": "Group all your people in one place.", + "metaspaces_orphans": "Rooms outside of a space", + "metaspaces_orphans_description": "Group all your rooms that aren't part of a space in one place." + }, "keyboard": { "title": "Keyboard" }, "sessions": { + "title": "Sessions", + "sign_out_confirm_description": { + "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?" + }, "sign_out_all_other_sessions": "Sign out of all other sessions (%(otherSessionsCount)s)", "current_session": "Current session", "confirm_sign_out_sso": { @@ -317,6 +378,7 @@ "account_deactivated": "This account has been deactivated.", "incorrect_credentials": "Incorrect username and/or password.", "incorrect_credentials_detail": "Please note you are logging into the %(hs)s server, not matrix.org.", + "create_account_title": "Create account", "change_password_error": "Error while changing password: %(error)s", "change_password_mismatch": "New passwords don't match", "change_password_empty": "Passwords can't be empty", @@ -447,6 +509,9 @@ "create": "Create", "expand": "Expand", "collapse": "Collapse", + "click_to_copy": "Click to copy", + "hide_advanced": "Hide advanced", + "show_advanced": "Show advanced", "apply": "Apply", "remove": "Remove", "reset": "Reset", @@ -542,12 +607,20 @@ "public": "Public", "private": "Private", "options": "Options", + "spaces": "Spaces", + "copied": "Copied!", + "general": "General", + "saving": "Saving…", + "advanced": "Advanced", "preview_message": "Hey you. You're the best!", "integration_manager": "Integration manager", "message_layout": "Message layout", "modern": "Modern", "on": "On", "off": "Off", + "profile": "Profile", + "display_name": "Display Name", + "user_avatar": "Profile picture", "identity_server": "Identity server", "success": "Success", "legal": "Legal", @@ -678,6 +751,7 @@ "identity_server_no_terms_title": "Identity server has no terms of service", "identity_server_no_terms_description_1": "This action requires accessing the default identity server to validate an email address or phone number, but the server does not have any terms of service.", "identity_server_no_terms_description_2": "Only continue if you trust the owner of the server.", + "inline_intro_text": "Accept to continue:", "integration_manager": "Use bots, bridges, widgets and sticker packs", "tos": "Terms of Service", "intro": "To continue you need to accept the terms of this service.", @@ -728,6 +802,7 @@ "change_input_device": "Change input device", "no_media_perms_title": "No media permissions", "no_media_perms_description": "You may need to manually permit %(brand)s to access your microphone/webcam", + "call_toast_unknown_room": "Unknown room", "video_call_started": "Video call started", "unsilence": "Sound on", "silence": "Silence call", @@ -735,17 +810,29 @@ "unknown_caller": "Unknown caller", "voice_call": "Voice call", "video_call": "Video call", + "join_button_tooltip_connecting": "Connecting", + "join_button_tooltip_call_full": "Sorry — this call is currently full", + "disabled_no_perms_start_voice_call": "You do not have permission to start voice calls", + "disabled_no_perms_start_video_call": "You do not have permission to start video calls", + "disabled_ongoing_call": "Ongoing call", + "disabled_no_one_here": "There's no one here to call", "audio_devices": "Audio devices", "disable_microphone": "Mute microphone", "enable_microphone": "Unmute microphone", "video_devices": "Video devices", "disable_camera": "Turn off camera", "enable_camera": "Turn on camera", + "connecting": "Connecting", + "n_people_joined": { + "other": "%(count)s people joined", + "one": "%(count)s person joined" + }, "dial": "Dial", "you_are_presenting": "You are presenting", "user_is_presenting": "%(sharerName)s is presenting", "camera_disabled": "Your camera is turned off", "camera_enabled": "Your camera is still enabled", + "unknown_person": "unknown person", "consulting": "Consulting with %(transferTarget)s. Transfer to %(transferee)s", "call_held_switch": "You held the call Switch", "call_held_resume": "You held the call Resume", @@ -753,10 +840,16 @@ "dialpad": "Dialpad", "stop_screenshare": "Stop sharing your screen", "start_screenshare": "Start sharing your screen", + "hide_sidebar_button": "Hide sidebar", + "show_sidebar_button": "Show sidebar", + "more_button": "More", "hangup": "Hangup", "maximise": "Fill screen", "expand": "Return to call", - "on_hold": "%(name)s on hold" + "on_hold": "%(name)s on hold", + "screenshare_monitor": "Share entire screen", + "screenshare_window": "Application window", + "screenshare_title": "Share content" }, "unsupported_server_title": "Your server is unsupported", "unsupported_server_description": "This server is using an older version of Matrix. Upgrade to Matrix %(version)s to use %(brand)s without errors.", @@ -873,7 +966,37 @@ "see_msgtype_sent_this_room": "See %(msgtype)s messages posted to this room", "see_msgtype_sent_active_room": "See %(msgtype)s messages posted to your active room" }, - "no_name": "Unknown App" + "no_name": "Unknown App", + "error_hangup_title": "Connection lost", + "error_hangup_description": "You were disconnected from the call. (Error: %(message)s)", + "shared_data_name": "Your display name", + "shared_data_avatar": "Your profile picture URL", + "shared_data_mxid": "Your user ID", + "shared_data_device_id": "Your device ID", + "shared_data_theme": "Your theme", + "shared_data_lang": "Your language", + "shared_data_url": "%(brand)s URL", + "shared_data_room_id": "Room ID", + "shared_data_widget_id": "Widget ID", + "shared_data_warning_im": "Using this widget may share data with %(widgetDomain)s & your integration manager.", + "shared_data_warning": "Using this widget may share data with %(widgetDomain)s.", + "unencrypted_warning": "Widgets do not use message encryption.", + "added_by": "Widget added by", + "cookie_warning": "This widget may use cookies.", + "error_loading": "Error loading Widget", + "error_mixed_content": "Error - Mixed content", + "unmaximise": "Un-maximise", + "popout": "Popout widget", + "context_menu": { + "start_audio_stream": "Start audio stream", + "screenshot": "Take a picture", + "delete": "Delete widget", + "delete_warning": "Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?", + "remove": "Remove for everyone", + "revoke": "Revoke permissions", + "move_left": "Move left", + "move_right": "Move right" + } }, "scalar": { "error_create": "Unable to create widget.", @@ -897,6 +1020,11 @@ "import_invalid_keyfile": "Not a valid %(brand)s keyfile", "import_invalid_passphrase": "Authentication check failed: incorrect password?", "verification": { + "unverified_sessions_toast_title": "You have unverified sessions", + "unverified_sessions_toast_description": "Review to ensure your account is safe", + "unverified_sessions_toast_reject": "Later", + "unverified_session_toast_title": "New login. Was this you?", + "unverified_session_toast_accept": "Yes, it was me", "other_party_cancelled": "The other party cancelled the verification.", "complete_title": "Verified!", "complete_description": "You've successfully verified this user.", @@ -914,6 +1042,9 @@ "sas_no_match": "They don't match", "sas_match": "They match", "in_person": "To be secure, do this in person or use a trusted way to communicate.", + "request_toast_detail": "%(deviceId)s from %(ip)s", + "request_toast_decline_counter": "Ignore (%(counter)s)", + "request_toast_accept": "Verify Session", "no_support_qr_emoji": "The device you are trying to verify doesn't support scanning a QR code or emoji verification, which is what %(brand)s supports. Try with a different client.", "qr_prompt": "Scan this unique code", "sas_prompt": "Compare unique emoji", @@ -921,6 +1052,17 @@ "qr_or_sas": "%(qrCode)s or %(emojiCompare)s", "qr_or_sas_header": "Verify this device by completing one of the following:" }, + "set_up_toast_title": "Set up Secure Backup", + "upgrade_toast_title": "Encryption upgrade available", + "verify_toast_title": "Verify this session", + "set_up_toast_description": "Safeguard against losing access to encrypted messages & data", + "verify_toast_description": "Other users may not trust it", + "cross_signing_unsupported": "Your homeserver does not support cross-signing.", + "cross_signing_ready": "Cross-signing is ready for use.", + "cross_signing_ready_no_backup": "Cross-signing is ready but keys are not backed up.", + "cross_signing_untrusted": "Your account has a cross-signing identity in secret storage, but it is not yet trusted by this session.", + "cross_signing_not_ready": "Cross-signing is not set up.", + "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" @@ -993,6 +1135,8 @@ "could_not_find_room": "Could not find room", "converttoroom": "Converts the DM to a room", "me": "Displays action", + "error_invalid_runfn": "Command error: Unable to handle slash command.", + "error_invalid_rendering_type": "Command error: Unable to find rendering type (%(renderingType)s)", "usage": "Usage", "category_messages": "Messages", "category_actions": "Actions", @@ -1002,6 +1146,8 @@ "category_other": "Other", "join": "Joins room with given address", "view": "Views room with given address", + "error_invalid_room": "Command failed: Unable to find room (%(roomId)s", + "error_invalid_user_in_room": "Could not find user in room", "op": "Define the power level of a user", "deop": "Deops user with given id", "server_error": "Server error", @@ -1324,11 +1470,20 @@ "one": "%(oneUser)ssent a hidden message" } }, + "context_menu": { + "view_source": "View source", + "show_url_preview": "Show preview", + "external_url": "Source URL", + "collapse_reply_thread": "Collapse reply thread", + "view_related_event": "View related event", + "report": "Report" + }, "creation_summary_dm": "%(creator)s created this DM.", "creation_summary_room": "%(creator)s created and configured the room." }, "theme": { - "light_high_contrast": "Light high contrast" + "light_high_contrast": "Light high contrast", + "match_system": "Match system" }, "voice_broadcast": { "failed_already_recording_title": "Can't start a new voice broadcast", @@ -1396,9 +1551,16 @@ "sync": "Unable to connect to Homeserver. Retrying…", "connection": "There was a problem communicating with the homeserver, please try again later.", "mixed_content": "Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or enable unsafe scripts.", - "tls": "Can't connect to homeserver - please check your connectivity, ensure your homeserver's SSL certificate is trusted, and that a browser extension is not blocking requests." + "tls": "Can't connect to homeserver - please check your connectivity, ensure your homeserver's SSL certificate is trusted, and that a browser extension is not blocking requests.", + "admin_contact_short": "Contact your server admin.", + "download_media": "Failed to download source media, no source url was found", + "non_urgent_echo_failure_toast": "Your server isn't responding to some requests.", + "failed_copy": "Failed to copy", + "update_power_level": "Failed to change power level", + "unknown": "Unknown error", + "something_went_wrong": "Something went wrong!" }, - " and %(count)s others": { + "items_and_n_others": { "other": " and %(count)s others", "one": " and one other" }, @@ -1416,6 +1578,16 @@ "leave_error_title": "Error leaving room", "upgrade_error_title": "Error upgrading room", "upgrade_error_description": "Double check that your server supports the room version chosen and try again.", + "error_join_connection": "There was an error joining.", + "error_join_incompatible_version_1": "Sorry, your homeserver is too old to participate here.", + "error_join_incompatible_version_2": "Please contact your homeserver administrator.", + "error_join_404_invite_same_hs": "The person who invited you has already left.", + "error_join_404_invite": "The person who invited you has already left, or their server is offline.", + "error_join_404_1": "You attempted to join using a room ID without providing a list of servers to join through. Room IDs are internal identifiers and cannot be used to join a room without additional information.", + "error_join_404_2": "If you know a room address, try joining through that instead.", + "error_join_title": "Failed to join", + "error_join_403": "You need an invite to access this room.", + "error_cancel_knock_title": "Failed to cancel", "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", @@ -1435,6 +1607,17 @@ }, "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.", @@ -1479,7 +1662,12 @@ }, "space": { "share_public": "Share your public space", + "search_children": "Search %(spaceName)s", + "invite_link": "Share invite link", + "invite": "Invite people", + "invite_description": "Invite with email or username", "context_menu": { + "options": "Space options", "devtools_open_timeline": "See room timeline (devtools)", "home": "Space home", "manage_and_explore": "Manage & explore rooms", @@ -1510,7 +1698,14 @@ "failed_timeout": "Timed out trying to fetch your location. Please try again later.", "failed_unknown": "Unknown error fetching location. Please try again later.", "expand_map": "Expand map", - "failed_load_map": "Unable to load map" + "failed_load_map": "Unable to load map", + "live_enable_heading": "Live location sharing", + "live_enable_description": "Please note: this is a labs feature using a temporary implementation. This means you will not be able to delete your location history, and advanced users will be able to see your location history even after you stop sharing your live location with this room.", + "live_toggle_label": "Enable live location sharing", + "live_share_button": "Share for %(duration)s", + "click_move_pin": "Click to move the pin", + "click_drop_pin": "Click to drop a pin", + "share_button": "Share location" }, "export_chat": { "unload_confirm": "Are you sure you want to exit during this export?", @@ -1576,32 +1771,36 @@ "consent_migration": "You previously consented to share anonymous usage data with us. We're updating how that works.", "learn_more": "Share anonymous data to help us identify issues. Nothing personal. No third parties. Learn More", "enable_prompt": "Help improve %(analyticsOwner)s", + "shared_data_heading": "Any of the following data may be shared:", "privacy_policy": "You can read all our terms here", "pseudonymous_usage_data": "Help us identify issues and improve %(analyticsOwner)s by sharing anonymous usage data. To understand how people use multiple devices, we'll generate a random identifier, shared by your devices.", "bullet_1": "We don't record or profile any account data", "bullet_2": "We don't share information with third parties", "disable_prompt": "You can turn this off anytime in settings" }, - "You have unverified sessions": "You have unverified sessions", - "Review to ensure your account is safe": "Review to ensure your account is safe", - "Later": "Later", - "Don't miss a reply": "Don't miss a reply", - "Notifications": "Notifications", - "Enable desktop notifications": "Enable desktop notifications", - "Unknown room": "Unknown room", - "Use app for a better experience": "Use app for a better experience", - "%(brand)s is experimental on a mobile web browser. For a better experience and the latest features, use our free native app.": "%(brand)s is experimental on a mobile web browser. For a better experience and the latest features, use our free native app.", - "Use app": "Use app", - "Your homeserver has exceeded its user limit.": "Your homeserver has exceeded its user limit.", - "Your homeserver has exceeded one of its resource limits.": "Your homeserver has exceeded one of its resource limits.", - "Contact your server admin.": "Contact your server admin.", - "Set up Secure Backup": "Set up Secure Backup", - "Encryption upgrade available": "Encryption upgrade available", - "Verify this session": "Verify this session", - "Safeguard against losing access to encrypted messages & data": "Safeguard against losing access to encrypted messages & data", - "Other users may not trust it": "Other users may not trust it", - "New login. Was this you?": "New login. Was this you?", - "Yes, it was me": "Yes, it was me", + "notifications": { + "enable_prompt_toast_title_from_message_send": "Don't miss a reply", + "enable_prompt_toast_title": "Notifications", + "enable_prompt_toast_description": "Enable desktop notifications", + "colour_none": "None", + "colour_bold": "Bold", + "colour_grey": "Grey", + "colour_red": "Red", + "colour_unsent": "Unsent", + "colour_muted": "Muted", + "error_change_title": "Change notification settings", + "mark_all_read": "Mark all as read", + "class_other": "Other", + "keyword": "Keyword", + "keyword_new": "New keyword", + "class_global": "Global", + "mentions_keywords": "Mentions & keywords" + }, + "mobile_guide": { + "toast_title": "Use app for a better experience", + "toast_description": "%(brand)s is experimental on a mobile web browser. For a better experience and the latest features, use our free native app.", + "toast_accept": "Use app" + }, "update": { "see_changes_button": "What's new?", "release_notes_toast_title": "What's New", @@ -1614,33 +1813,10 @@ "new_version_available": "New version available. Update now.", "check_action": "Check for update" }, - "There was an error joining.": "There was an error joining.", - "Sorry, your homeserver is too old to participate here.": "Sorry, your homeserver is too old to participate here.", - "Please contact your homeserver administrator.": "Please contact your homeserver administrator.", - "The person who invited you has already left.": "The person who invited you has already left.", - "The person who invited you has already left, or their server is offline.": "The person who invited you has already left, or their server is offline.", - "You attempted to join using a room ID without providing a list of servers to join through. Room IDs are internal identifiers and cannot be used to join a room without additional information.": "You attempted to join using a room ID without providing a list of servers to join through. Room IDs are internal identifiers and cannot be used to join a room without additional information.", - "If you know a room address, try joining through that instead.": "If you know a room address, try joining through that instead.", - "Failed to join": "Failed to join", - "You need an invite to access this room.": "You need an invite to access this room.", - "Failed to cancel": "Failed to cancel", - "Connection lost": "Connection lost", - "You were disconnected from the call. (Error: %(message)s)": "You were disconnected from the call. (Error: %(message)s)", - "Back to chat": "Back to chat", - "Room information": "Room information", - "Room members": "Room members", - "Back to thread": "Back to thread", - "None": "None", - "Bold": "Bold", - "Grey": "Grey", - "Red": "Red", - "Unsent": "Unsent", - "unknown": "unknown", - "Change notification settings": "Change notification settings", - "Command error: Unable to handle slash command.": "Command error: Unable to handle slash command.", - "Command error: Unable to find rendering type (%(renderingType)s)": "Command error: Unable to find rendering type (%(renderingType)s)", - "Command failed: Unable to find room (%(roomId)s": "Command failed: Unable to find room (%(roomId)s", - "Could not find user in room": "Could not find user in room", + "chat_card_back_action_label": "Back to chat", + "room_summary_card_back_action_label": "Room information", + "member_list_back_action_label": "Room members", + "thread_view_back_action_label": "Back to thread", "labs": { "group_messaging": "Messaging", "group_profile": "Profile", @@ -1732,9 +1908,39 @@ "room_settings": { "security": { "strict_encryption": "Never send encrypted messages to unverified sessions in this room from this session", + "join_rule_upgrade_upgrading_room": "Upgrading room", + "join_rule_upgrade_awaiting_room": "Loading new room", + "join_rule_upgrade_sending_invites": { + "other": "Sending invites... (%(progress)s out of %(count)s)", + "one": "Sending invite..." + }, + "join_rule_upgrade_updating_spaces": { + "other": "Updating spaces... (%(progress)s out of %(count)s)", + "one": "Updating space..." + }, + "join_rule_upgrade_required": "Upgrade required", "join_rule_invite": "Private (invite only)", "join_rule_invite_description": "Only invited people can join.", "join_rule_public_description": "Anyone can find and join.", + "join_rule_restricted_n_more": { + "other": "& %(count)s more", + "one": "& %(count)s more" + }, + "join_rule_restricted_summary": { + "other": "Currently, %(count)s spaces have access", + "one": "Currently, a space has access" + }, + "join_rule_restricted_description": "Anyone in a space can find and join. Edit which spaces can access here.", + "join_rule_restricted_description_spaces": "Spaces with access", + "join_rule_restricted_description_active_space": "Anyone in can find and join. You can select other spaces too.", + "join_rule_restricted_description_prompt": "Anyone in a space can find and join. You can select multiple spaces.", + "join_rule_restricted": "Space members", + "join_rule_knock": "Ask to join", + "join_rule_knock_description": "People cannot join unless access is granted.", + "publish_space": "Make this space visible in the public room directory.", + "publish_room": "Make this room visible in the public room directory.", + "join_rule_restricted_upgrade_warning": "This room is in some spaces you're not an admin of. In those spaces, the old room will still be shown, but people will be prompted to join the new one.", + "join_rule_restricted_upgrade_description": "This upgrade will allow members of selected spaces access to this room without an invite.", "enable_encryption_public_room_confirm_title": "Are you sure you want to add encryption to this public room?", "enable_encryption_public_room_confirm_description_1": "It's not recommended to add encryption to public rooms. Anyone can find and join public rooms, so anyone can read messages in them. You'll get none of the benefits of encryption, and you won't be able to turn it off later. Encrypting messages in a public room will make receiving and sending messages slower.", "enable_encryption_public_room_confirm_description_2": "To avoid these issues, create a new encrypted room for the conversation you plan to have.", @@ -1756,18 +1962,42 @@ "encryption_permanent": "Once enabled, encryption cannot be disabled.", "encryption_forced": "Your server requires encryption to be disabled." }, - "advanced": { - "unfederated": "This room is not accessible by remote Matrix servers", - "room_upgrade_warning": "Warning: upgrading a room will not automatically migrate room members to the new version of the room. We'll post a link to the new room in the old version of the room - room members will have to click this link to join the new room.", - "space_upgrade_button": "Upgrade this space to the recommended room version", - "room_upgrade_button": "Upgrade this room to the recommended room version", - "space_predecessor": "View older version of %(spaceName)s.", - "room_predecessor": "View older messages in %(roomName)s.", - "room_id": "Internal room ID", - "room_version_section": "Room version", - "room_version": "Room version:" + "delete_avatar_label": "Delete avatar", + "upload_avatar_label": "Upload avatar", + "general": { + "error_save_space_settings": "Failed to save space settings.", + "description_space": "Edit settings relating to your space.", + "save": "Save Changes", + "leave_space": "Leave Space", + "publish_toggle": "Publish this room to the public in %(domain)s's room directory?", + "user_url_previews_default_on": "You have enabled URL previews by default.", + "user_url_previews_default_off": "You have disabled URL previews by default.", + "default_url_previews_on": "URL previews are enabled by default for participants in this room.", + "default_url_previews_off": "URL previews are disabled by default for participants in this room.", + "url_preview_encryption_warning": "In encrypted rooms, like this one, URL previews are disabled by default to ensure that your homeserver (where the previews are generated) cannot gather information about links you see in this room.", + "url_preview_explainer": "When someone puts a URL in their message, a URL preview can be shown to give more information about that link such as the title, description, and an image from the website.", + "url_previews_section": "URL Previews" + }, + "visibility": { + "error_update_guest_access": "Failed to update the guest access of this space", + "error_update_history_visibility": "Failed to update the history visibility of this space", + "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.", + "title": "Visibility", + "error_failed_save": "Failed to update the visibility of this space", + "history_visibility_anyone_space": "Preview Space", + "history_visibility_anyone_space_description": "Allow people to preview your space before they join.", + "history_visibility_anyone_space_recommendation": "Recommended for public spaces." + }, + "access": { + "title": "Access", + "description_space": "Decide who can view and join %(spaceName)s." }, "permissions": { + "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…", "m.room.avatar_space": "Change space avatar", "m.room.avatar": "Change room avatar", "m.room.name_space": "Change space name", @@ -1807,15 +2037,16 @@ "permissions_section_description_space": "Select the roles required to change various parts of the space", "permissions_section_description_room": "Select the roles required to change various parts of the room" }, - "general": { - "publish_toggle": "Publish this room to the public in %(domain)s's room directory?", - "user_url_previews_default_on": "You have enabled URL previews by default.", - "user_url_previews_default_off": "You have disabled URL previews by default.", - "default_url_previews_on": "URL previews are enabled by default for participants in this room.", - "default_url_previews_off": "URL previews are disabled by default for participants in this room.", - "url_preview_encryption_warning": "In encrypted rooms, like this one, URL previews are disabled by default to ensure that your homeserver (where the previews are generated) cannot gather information about links you see in this room.", - "url_preview_explainer": "When someone puts a URL in their message, a URL preview can be shown to give more information about that link such as the title, description, and an image from the website.", - "url_previews_section": "URL Previews" + "advanced": { + "unfederated": "This room is not accessible by remote Matrix servers", + "room_upgrade_warning": "Warning: upgrading a room will not automatically migrate room members to the new version of the room. We'll post a link to the new room in the old version of the room - room members will have to click this link to join the new room.", + "space_upgrade_button": "Upgrade this space to the recommended room version", + "room_upgrade_button": "Upgrade this room to the recommended room version", + "space_predecessor": "View older version of %(spaceName)s.", + "room_predecessor": "View older messages in %(roomName)s.", + "room_id": "Internal room ID", + "room_version_section": "Room version", + "room_version": "Room version:" } }, "devtools": { @@ -1970,10 +2201,7 @@ "lists_description_2": "If this isn't what you want, please use a different tool to ignore users.", "lists_new_label": "Room ID or address of ban list" }, - "Connecting": "Connecting", - "Sorry — this call is currently full": "Sorry — this call is currently full", - "Join Room": "Join Room", - "Create account": "Create account", + "Unnamed room": "Unnamed room", "onboarding": { "you_made_it": "You made it!", "find_friends": "Find and invite your friends", @@ -2025,10 +2253,6 @@ "explore_rooms": "Explore Public Rooms", "create_room": "Create a Group Chat" }, - "You do not have permission to start voice calls": "You do not have permission to start voice calls", - "You do not have permission to start video calls": "You do not have permission to start video calls", - "Ongoing call": "Ongoing call", - "There's no one here to call": "There's no one here to call", "chat_effects": { "confetti_description": "Sends the given message with confetti", "confetti_message": "sends confetti", @@ -2043,32 +2267,17 @@ "hearts_description": "Sends the given message with hearts", "hearts_message": "sends hearts" }, - "Failed to download source media, no source url was found": "Failed to download source media, no source url was found", - "%(count)s people joined": { - "other": "%(count)s people joined", - "one": "%(count)s person joined" + "quick_settings": { + "title": "Quick settings", + "all_settings": "All settings", + "metaspace_section": "Pin to sidebar", + "sidebar_settings": "More options" }, - "unknown person": "unknown person", - "Hide sidebar": "Hide sidebar", - "Show sidebar": "Show sidebar", - "More": "More", - "Your server isn't responding to some requests.": "Your server isn't responding to some requests.", - "%(deviceId)s from %(ip)s": "%(deviceId)s from %(ip)s", - "Ignore (%(counter)s)": "Ignore (%(counter)s)", - "Verify Session": "Verify Session", - "Accept to continue:": "Accept to continue:", - "Quick settings": "Quick settings", - "All settings": "All settings", - "Pin to sidebar": "Pin to sidebar", - "More options": "More options", - "Match system": "Match system", - "Space selection": "Space selection", - "Delete avatar": "Delete avatar", - "Upload avatar": "Upload avatar", - "Search %(spaceName)s": "Search %(spaceName)s", "create_space": { "name_required": "Please enter a name for the space", - "name_placeholder": "e.g. my-space", + "address_placeholder": "e.g. my-space", + "address_label": "Address", + "label": "Create a space", "explainer": "Spaces are a new way to group rooms and people. What kind of Space do you want to create? You can change this later.", "public_description": "Open space for anyone, best for communities", "private_description": "Invite only, best for yourself or teams", @@ -2076,6 +2285,8 @@ "public_heading": "Your public space", "private_heading": "Your private space", "add_details_prompt": "Add some details to help people recognise it.", + "add_details_prompt_2": "You can change these anytime.", + "creating": "Creating…", "failed_create_initial_rooms": "Failed to create initial space rooms", "skip_action": "Skip for now", "creating_rooms": "Creating rooms…", @@ -2103,137 +2314,28 @@ "setup_rooms_private_description": "We'll create rooms for each of them." }, "Address": "Address", - "Create a space": "Create a space", - "You can change these anytime.": "You can change these anytime.", - "Creating…": "Creating…", - "Show all rooms": "Show all rooms", - "Spaces": "Spaces", - "Click to copy": "Click to copy", - "Copied!": "Copied!", - "Failed to copy": "Failed to copy", - "Share invite link": "Share invite link", - "Invite people": "Invite people", - "Invite with email or username": "Invite with email or username", - "Failed to save space settings.": "Failed to save space settings.", - "General": "General", - "Edit settings relating to your space.": "Edit settings relating to your space.", - "Saving…": "Saving…", - "Save Changes": "Save Changes", - "Leave Space": "Leave Space", - "Failed to update the guest access of this space": "Failed to update the guest access of this space", - "Failed to update the history visibility of this space": "Failed to update the history visibility of this space", - "Hide advanced": "Hide advanced", - "Show advanced": "Show advanced", - "Enable guest access": "Enable guest access", - "Guests can join a space without having an account.": "Guests can join a space without having an account.", - "This may be useful for public spaces.": "This may be useful for public spaces.", - "Visibility": "Visibility", - "Access": "Access", - "Decide who can view and join %(spaceName)s.": "Decide who can view and join %(spaceName)s.", - "Failed to update the visibility of this space": "Failed to update the visibility of this space", - "Preview Space": "Preview Space", - "Allow people to preview your space before they join.": "Allow people to preview your space before they join.", - "Recommended for public spaces.": "Recommended for public spaces.", - "Jump to first unread room.": "Jump to first unread room.", - "Jump to first invite.": "Jump to first invite.", - "Space options": "Space options", - "Failed to change power level": "Failed to change power level", - "Add privileged users": "Add privileged users", - "Give one or multiple users in this room more privileges": "Give one or multiple users in this room more privileges", - "Search users in this room…": "Search users in this room…", - "No display name": "No display name", - "Your homeserver does not support cross-signing.": "Your homeserver does not support cross-signing.", - "Cross-signing is ready for use.": "Cross-signing is ready for use.", - "Cross-signing is ready but keys are not backed up.": "Cross-signing is ready but keys are not backed up.", - "Your account has a cross-signing identity in secret storage, but it is not yet trusted by this session.": "Your account has a cross-signing identity in secret storage, but it is not yet trusted by this session.", - "Cross-signing is not set up.": "Cross-signing is not set up.", - "Advanced": "Advanced", - "": "", - "Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.", - "Securely cache encrypted messages locally for them to appear in search results, using %(size)s to store messages from %(rooms)s rooms.": { - "other": "Securely cache encrypted messages locally for them to appear in search results, using %(size)s to store messages from %(rooms)s rooms.", - "one": "Securely cache encrypted messages locally for them to appear in search results, using %(size)s to store messages from %(rooms)s room." + "a11y_jump_first_unread_room": "Jump to first unread room.", + "a11y": { + "jump_first_invite": "Jump to first invite.", + "n_unread_messages_mentions": { + "other": "%(count)s unread messages including mentions.", + "one": "1 unread mention." + }, + "n_unread_messages": { + "other": "%(count)s unread messages.", + "one": "1 unread message." + }, + "unread_messages": "Unread messages.", + "user_menu": "User menu" }, - "Securely cache encrypted messages locally for them to appear in search results.": "Securely cache encrypted messages locally for them to appear in search results.", - "%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with search components added.": "%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with search components added.", - "%(brand)s can't securely cache encrypted messages locally while running in a web browser. Use %(brand)s Desktop for encrypted messages to appear in search results.": "%(brand)s can't securely cache encrypted messages locally while running in a web browser. Use %(brand)s Desktop for encrypted messages to appear in search results.", - "Message search initialisation failed": "Message search initialisation failed", - "Unknown error": "Unknown error", - "Connecting to integration manager…": "Connecting to integration manager…", - "Cannot connect to integration manager": "Cannot connect to integration manager", - "The integration manager is offline or it cannot reach your homeserver.": "The integration manager is offline or it cannot reach your homeserver.", - "Upgrading room": "Upgrading room", - "Loading new room": "Loading new room", - "Sending invites... (%(progress)s out of %(count)s)": { - "other": "Sending invites... (%(progress)s out of %(count)s)", - "one": "Sending invite..." + "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." }, - "Updating spaces... (%(progress)s out of %(count)s)": { - "other": "Updating spaces... (%(progress)s out of %(count)s)", - "one": "Updating space..." - }, - "Upgrade required": "Upgrade required", - "& %(count)s more": { - "other": "& %(count)s more", - "one": "& %(count)s more" - }, - "Currently, %(count)s spaces have access": { - "other": "Currently, %(count)s spaces have access", - "one": "Currently, a space has access" - }, - "Anyone in a space can find and join. Edit which spaces can access here.": "Anyone in a space can find and join. Edit which spaces can access here.", - "Spaces with access": "Spaces with access", - "Anyone in can find and join. You can select other spaces too.": "Anyone in can find and join. You can select other spaces too.", - "Anyone in a space can find and join. You can select multiple spaces.": "Anyone in a space can find and join. You can select multiple spaces.", - "Space members": "Space members", - "Ask to join": "Ask to join", - "People cannot join unless access is granted.": "People cannot join unless access is granted.", - "Make this space visible in the public room directory.": "Make this space visible in the public room directory.", - "Make this room visible in the public room directory.": "Make this room visible in the public room directory.", - "This room is in some spaces you're not an admin of. In those spaces, the old room will still be shown, but people will be prompted to join the new one.": "This room is in some spaces you're not an admin of. In those spaces, the old room will still be shown, but people will be prompted to join the new one.", - "This upgrade will allow members of selected spaces access to this room without an invite.": "This upgrade will allow members of selected spaces access to this room without an invite.", - "Mark all as read": "Mark all as read", - "Other": "Other", - "Keyword": "Keyword", - "New keyword": "New keyword", - "An error occurred when updating your notification preferences. Please try to toggle your option again.": "An error occurred when updating your notification preferences. Please try to toggle your option again.", - "Global": "Global", - "Mentions & keywords": "Mentions & keywords", - "Notification targets": "Notification targets", - "There was an error loading your notification settings.": "There was an error loading your notification settings.", - "Failed to save your profile": "Failed to save your profile", - "The operation could not be completed": "The operation could not be completed", - "Profile": "Profile", - "Display Name": "Display Name", - "Profile picture": "Profile picture", - "Delete Backup": "Delete Backup", - "Are you sure? You will lose your encrypted messages if your keys are not backed up properly.": "Are you sure? You will lose your encrypted messages if your keys are not backed up properly.", - "Unable to load key backup status": "Unable to load key backup status", - "Restore from Backup": "Restore from Backup", - "This session is backing up your keys.": "This session is backing up your keys.", - "This session is not backing up your keys, but you do have an existing backup you can restore from and add to going forward.": "This session is not backing up your keys, but you do have an existing backup you can restore from and add to going forward.", - "Connect this session to key backup before signing out to avoid losing any keys that may only be on this session.": "Connect this session to key backup before signing out to avoid losing any keys that may only be on this session.", - "Connect this session to Key Backup": "Connect this session to Key Backup", - "Backing up %(sessionsRemaining)s keys…": "Backing up %(sessionsRemaining)s keys…", - "All keys backed up": "All keys backed up", - "This backup can be restored on this session": "This backup can be restored on this session", - "Latest backup version on server:": "Latest backup version on server:", - "Algorithm:": "Algorithm:", - "Active backup version:": "Active backup version:", - "Your keys are not being backed up from this session.": "Your keys are not being backed up from this session.", + "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", - "well formed": "well formed", - "unexpected type": "unexpected type", - "Back up your encryption keys with your account data in case you lose access to your sessions. Your keys will be secured with a unique Security Key.": "Back up your encryption keys with your account data in case you lose access to your sessions. Your keys will be secured with a unique Security Key.", - "Backup key stored:": "Backup key stored:", - "not stored": "not stored", - "Backup key cached:": "Backup key cached:", - "Secret storage public key:": "Secret storage public key:", - "in account data": "in account data", - "Secret storage:": "Secret storage:", - "ready": "ready", - "not ready": "not ready", "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", @@ -2302,27 +2404,10 @@ "Unignore": "Unignore", "You have no ignored users.": "You have no ignored users.", "Ignored users": "Ignored users", - "Bulk options": "Bulk options", - "Accept all %(invitedRooms)s invites": "Accept all %(invitedRooms)s invites", - "Reject all %(invitedRooms)s invites": "Reject all %(invitedRooms)s invites", - "Message search": "Message search", "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.", - "Sessions": "Sessions", - "Are you sure you want to sign out of %(count)s sessions?": { - "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?" - }, "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.", - "Sidebar": "Sidebar", - "Spaces to show": "Spaces to show", "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.", - "Home is useful for getting an overview of everything.": "Home is useful for getting an overview of everything.", - "Show all your rooms in Home, even if they're in a space.": "Show all your rooms in Home, even if they're in a space.", - "Group all your favourite rooms and people in one place.": "Group all your favourite rooms and people in one place.", - "Group all your people in one place.": "Group all your people in one place.", - "Rooms outside of a space": "Rooms outside of a space", - "Group all your rooms that aren't part of a space in one place.": "Group all your rooms that aren't part of a space in one place.", "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", @@ -2336,10 +2421,12 @@ "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", @@ -2676,18 +2763,6 @@ "failed_remove_tag": "Failed to remove tag %(tagName)s from room", "failed_add_tag": "Failed to add tag %(tagName)s to room" }, - "a11y": { - "n_unread_messages_mentions": { - "other": "%(count)s unread messages including mentions.", - "one": "1 unread mention." - }, - "n_unread_messages": { - "other": "%(count)s unread messages.", - "one": "1 unread message." - }, - "unread_messages": "Unread messages.", - "user_menu": "User menu" - }, "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.", @@ -2987,15 +3062,8 @@ "Submit logs": "Submit logs", "Can't load this message": "Can't load this message", "toggle event": "toggle event", - "Live location sharing": "Live location sharing", - "Please note: this is a labs feature using a temporary implementation. This means you will not be able to delete your location history, and advanced users will be able to see your location history even after you stop sharing your live location with this room.": "Please note: this is a labs feature using a temporary implementation. This means you will not be able to delete your location history, and advanced users will be able to see your location history even after you stop sharing your live location with this room.", - "Enable live location sharing": "Enable live location sharing", - "Share for %(duration)s": "Share for %(duration)s", "Location": "Location", "Could not fetch location": "Could not fetch location", - "Click to move the pin": "Click to move the pin", - "Click to drop a pin": "Click to drop a pin", - "Share location": "Share location", "You don't have permission to share locations": "You don't have permission to share locations", "You need to have the right permissions in order to share locations in this room.": "You need to have the right permissions in order to share locations in this room.", "We couldn't send your location": "We couldn't send your location", @@ -3019,28 +3087,6 @@ "quick_reactions": "Quick Reactions" }, "Cancel search": "Cancel search", - "Any of the following data may be shared:": "Any of the following data may be shared:", - "Your display name": "Your display name", - "Your profile picture URL": "Your profile picture URL", - "Your user ID": "Your user ID", - "Your device ID": "Your device ID", - "Your theme": "Your theme", - "Your language": "Your language", - "%(brand)s URL": "%(brand)s URL", - "Room ID": "Room ID", - "Widget ID": "Widget ID", - "Using this widget may share data with %(widgetDomain)s & your integration manager.": "Using this widget may share data with %(widgetDomain)s & your integration manager.", - "Using this widget may share data with %(widgetDomain)s.": "Using this widget may share data with %(widgetDomain)s.", - "Widgets do not use message encryption.": "Widgets do not use message encryption.", - "Widget added by": "Widget added by", - "This widget may use cookies.": "This widget may use cookies.", - "Error loading Widget": "Error loading Widget", - "Error - Mixed content": "Error - Mixed content", - "Un-maximise": "Un-maximise", - "Popout widget": "Popout widget", - "Share entire screen": "Share entire screen", - "Application window": "Application window", - "Share content": "Share content", "keyboard": { "backspace": "Backspace", "page_up": "Page Up", @@ -3111,10 +3157,11 @@ "autocomplete_force": "Force complete", "search": "Search (must be enabled)" }, - "Something went wrong!": "Something went wrong!", - "Image view": "Image view", - "Rotate Left": "Rotate Left", - "Rotate Right": "Rotate Right", + "lightbox": { + "title": "Image view", + "rotate_left": "Rotate Left", + "rotate_right": "Rotate Right" + }, "Information": "Information", "Language Dropdown": "Language Dropdown", "Message in %(room)s": "Message in %(room)s", @@ -3205,6 +3252,7 @@ "one": "Adding room..." }, "Direct Messages": "Direct Messages", + "Space selection": "Space selection", "Add existing rooms": "Add existing rooms", "Want to add a new room instead?": "Want to add a new room instead?", "Create a new room": "Create a new room", @@ -3256,6 +3304,7 @@ "Anyone in will be able to find and join.": "Anyone in will be able to find and join.", "Anyone will be able to find and join this space, not just members of .": "Anyone will be able to find and join this space, not just members of .", "Only people invited will be able to find and join this space.": "Only people invited will be able to find and join this space.", + "Create a space": "Create a space", "Add a space to a space you manage.": "Add a space to a space you manage.", "Space visibility": "Space visibility", "Private space (invite only)": "Private space (invite only)", @@ -3521,7 +3570,6 @@ "Allow this widget to verify your identity": "Allow this widget to verify your identity", "The widget will verify your user ID, but won't be able to perform actions for you:": "The widget will verify your user ID, but won't be able to perform actions for you:", "Remember this": "Remember this", - "Unnamed room": "Unnamed room", "%(count)s Members": { "other": "%(count)s Members", "one": "%(count)s Member" @@ -3595,6 +3643,7 @@ "You will be redirected to your server's authentication provider to complete sign out.": "You will be redirected to your server's authentication provider to complete sign out.", "Filter results": "Filter results", "No results found": "No results found", + "Unsent": "Unsent", "Input devices": "Input devices", "Output devices": "Output devices", "Cameras": "Cameras", @@ -3602,34 +3651,9 @@ "Hold": "Hold", "Resend %(unsentCount)s reaction(s)": "Resend %(unsentCount)s reaction(s)", "Open in OpenStreetMap": "Open in OpenStreetMap", - "View source": "View source", - "Show preview": "Show preview", - "Source URL": "Source URL", - "Collapse reply thread": "Collapse reply thread", - "View related event": "View related event", - "Report": "Report", - "Forget": "Forget", - "Favourited": "Favourited", - "Favourite": "Favourite", - "Mentions only": "Mentions only", - "Copy room link": "Copy room link", - "Low Priority": "Low Priority", - "Forget Room": "Forget Room", - "Mark as read": "Mark as read", - "Match default setting": "Match default setting", - "Mute room": "Mute room", "Thread options": "Thread options", "Unable to start audio streaming.": "Unable to start audio streaming.", "Failed to start livestream": "Failed to start livestream", - "Start audio stream": "Start audio stream", - "Take a picture": "Take a picture", - "Delete Widget": "Delete Widget", - "Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?", - "Delete widget": "Delete widget", - "Remove for everyone": "Remove for everyone", - "Revoke permissions": "Revoke permissions", - "Move left": "Move left", - "Move right": "Move right", "Updated %(humanizedUpdateTime)s": "Updated %(humanizedUpdateTime)s", "Live until %(expiryTime)s": "Live until %(expiryTime)s", "Loading live location…": "Loading live location…", @@ -3745,6 +3769,7 @@ }, "Uploading %(filename)s": "Uploading %(filename)s", "user_menu": { + "settings": "All settings", "switch_theme_light": "Switch to light mode", "switch_theme_dark": "Switch to dark mode" }, diff --git a/src/i18n/strings/en_US.json b/src/i18n/strings/en_US.json index e854f89857..b9ce05083e 100644 --- a/src/i18n/strings/en_US.json +++ b/src/i18n/strings/en_US.json @@ -18,13 +18,11 @@ "Deactivate Account": "Deactivate Account", "Decrypt %(text)s": "Decrypt %(text)s", "Default": "Default", - "Delete widget": "Delete widget", "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 change power level": "Failed to change power level", "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", @@ -32,7 +30,6 @@ "Failed to reject invitation": "Failed to reject invitation", "Failed to set display name": "Failed to set display name", "Failed to unban": "Failed to unban", - "Favourite": "Favorite", "Filter room members": "Filter room members", "Forget room": "Forget room", "Historical": "Historical", @@ -47,11 +44,8 @@ "Moderator": "Moderator", "New passwords must match each other.": "New passwords must match each other.", "not specified": "not specified", - "Notifications": "Notifications", - "": "", "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.", - "Profile": "Profile", "Reason": "Reason", "Reject invitation": "Reject invitation", "Return to login screen": "Return to login screen", @@ -67,7 +61,6 @@ "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", - "Upload avatar": "Upload avatar", "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", @@ -109,9 +102,7 @@ "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.", - "Reject all %(invitedRooms)s invites": "Reject all %(invitedRooms)s invites", "Confirm Removal": "Confirm Removal", - "Unknown error": "Unknown error", "Unable to restore session": "Unable to restore session", "If you have previously used a more recent version of %(brand)s, your session may be incompatible with this version. Close this window and return to the more recent version.": "If you have previously used a more recent version of %(brand)s, your session may be incompatible with this version. Close this window and return to the more recent version.", "Error decrypting image": "Error decrypting image", @@ -121,7 +112,6 @@ "Admin Tools": "Admin Tools", "Create new room": "Create new room", "Home": "Home", - "No display name": "No display name", "%(roomName)s does not exist.": "%(roomName)s does not exist.", "%(roomName)s is not accessible at this time.": "%(roomName)s is not accessible at this time.", "Uploading %(filename)s": "Uploading %(filename)s", @@ -134,16 +124,13 @@ "one": "(~%(count)s result)", "other": "(~%(count)s results)" }, - "Something went wrong!": "Something went wrong!", "This will allow you to reset your password and receive notifications.": "This will allow you to reset your password and receive notifications.", "Sunday": "Sunday", - "Notification targets": "Notification targets", "Today": "Today", "Friday": "Friday", "Changelog": "Changelog", "This Room": "This Room", "Unavailable": "Unavailable", - "Source URL": "Source URL", "Tuesday": "Tuesday", "Search…": "Search…", "Unnamed room": "Unnamed room", @@ -157,17 +144,14 @@ "You cannot delete this message. (%(code)s)": "You cannot delete this message. (%(code)s)", "Thursday": "Thursday", "Yesterday": "Yesterday", - "Low Priority": "Low Priority", "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", - "Favourited": "Favorited", "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!", - "Message search initialisation failed": "Message search initialization failed", "common": { "analytics": "Analytics", "error": "Error", @@ -192,7 +176,9 @@ "someone": "Someone", "unnamed_room": "Unnamed Room", "on": "On", - "off": "Off" + "off": "Off", + "advanced": "Advanced", + "profile": "Profile" }, "action": { "continue": "Continue", @@ -268,7 +254,8 @@ "noisy": "Noisy", "error_permissions_denied": "%(brand)s does not have permission to send you notifications - please check your browser settings", "error_permissions_missing": "%(brand)s was not given permission to send notifications - please try again", - "error_title": "Unable to enable Notifications" + "error_title": "Unable to enable Notifications", + "push_targets": "Notification targets" }, "appearance": { "heading": "Customize your appearance", @@ -281,7 +268,9 @@ "security": { "export_megolm_keys": "Export E2E room keys", "import_megolm_keys": "Import E2E room keys", - "cryptography_section": "Cryptography" + "cryptography_section": "Cryptography", + "bulk_options_reject_all_invites": "Reject all %(invitedRooms)s invites", + "message_search_failed": "Message search initialization failed" }, "general": { "account_section": "Account", @@ -294,7 +283,8 @@ "add_msisdn_confirm_sso_button": "Confirm adding this phone number by using Single Sign On to prove your identity.", "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" + "add_msisdn_dialog_title": "Add Phone Number", + "name_placeholder": "No display name" } }, "timeline": { @@ -352,6 +342,9 @@ "lightbox_title": "%(senderDisplayName)s changed the avatar for %(roomName)s", "removed": "%(senderDisplayName)s removed the room avatar.", "changed_img": "%(senderDisplayName)s changed the room avatar to " + }, + "context_menu": { + "external_url": "Source URL" } }, "slash_command": { @@ -431,7 +424,6 @@ "category_other": "Other" }, "Other": "Other", - "Advanced": "Advanced", "labs": { "group_profile": "Profile", "group_rooms": "Rooms" @@ -501,7 +493,12 @@ "room": { "drop_file_prompt": "Drop file here to upload", "upgrade_error_title": "Error upgrading room", - "upgrade_error_description": "Double check that your server supports the room version chosen and try again." + "upgrade_error_description": "Double check that your server supports the room version chosen and try again.", + "context_menu": { + "unfavourite": "Favorited", + "favourite": "Favorite", + "low_priority": "Low Priority" + } }, "file_panel": { "guest_note": "You must register to use this functionality", @@ -531,7 +528,8 @@ }, "advanced": { "unfederated": "This room is not accessible by remote Matrix servers" - } + }, + "upload_avatar_label": "Upload avatar" }, "failed_load_async_component": "Unable to load! Check your network connectivity and try again.", "upload_failed_generic": "The file '%(fileName)s' failed to upload.", @@ -557,7 +555,10 @@ }, "widget": { "error_need_to_be_logged_in": "You need to be logged in.", - "error_need_invite_permission": "You need to be able to invite users to do that." + "error_need_invite_permission": "You need to be able to invite users to do that.", + "context_menu": { + "delete": "Delete widget" + } }, "scalar": { "error_create": "Unable to create widget.", @@ -577,10 +578,18 @@ "bootstrap_title": "Setting up keys", "export_unsupported": "Your browser does not support the required cryptography extensions", "import_invalid_keyfile": "Not a valid %(brand)s keyfile", - "import_invalid_passphrase": "Authentication check failed: incorrect password?" + "import_invalid_passphrase": "Authentication check failed: incorrect password?", + "not_supported": "" }, "error": { "mixed_content": "Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or enable unsafe scripts.", - "tls": "Can't connect to homeserver - please check your connectivity, ensure your homeserver's SSL certificate is trusted, and that a browser extension is not blocking requests." + "tls": "Can't connect to homeserver - please check your connectivity, ensure your homeserver's SSL certificate is trusted, and that a browser extension is not blocking requests.", + "something_went_wrong": "Something went wrong!", + "update_power_level": "Failed to change power level", + "unknown": "Unknown error" + }, + "notifications": { + "enable_prompt_toast_title": "Notifications", + "class_other": "Other" } } diff --git a/src/i18n/strings/eo.json b/src/i18n/strings/eo.json index 53bca72663..e27844be3b 100644 --- a/src/i18n/strings/eo.json +++ b/src/i18n/strings/eo.json @@ -30,12 +30,10 @@ "Reason": "Kialo", "Send": "Sendi", "Incorrect verification code": "Malĝusta kontrola kodo", - "No display name": "Sen vidiga nomo", "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", - "Failed to change power level": "Malsukcesis ŝanĝi povnivelon", "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", @@ -60,7 +58,6 @@ "one": "(~%(count)s rezulto)" }, "Join Room": "Aliĝi al ĉambro", - "Upload avatar": "Alŝuti profilbildon", "Forget room": "Forgesi ĉambron", "Rooms": "Ĉambroj", "Low priority": "Malpli gravaj", @@ -71,7 +68,6 @@ "Banned by %(displayName)s": "Forbarita de %(displayName)s", "unknown error code": "nekonata kodo de eraro", "Failed to forget room %(errCode)s": "Malsukcesis forgesi ĉambron %(errCode)s", - "Favourite": "Elstarigi", "Jump to first unread message.": "Salti al unua nelegita mesaĝo.", "not specified": "nespecifita", "This room has no local addresses": "Ĉi tiu ĉambro ne havas lokajn adresojn", @@ -81,20 +77,12 @@ "Invalid file%(extra)s": "Malvalida dosiero%(extra)s", "Error decrypting image": "Malĉifro de bildo eraris", "Error decrypting video": "Malĉifro de filmo eraris", - "Copied!": "Kopiita!", - "Failed to copy": "Malsukcesis kopii", "Add an Integration": "Aldoni kunigon", "Failed to change password. Is your password correct?": "Malsukcesis ŝanĝi la pasvorton. Ĉu via pasvorto estas ĝusta?", "Email address": "Retpoŝtadreso", - "Something went wrong!": "Io misokazis!", "Delete Widget": "Forigi fenestraĵon", - "Delete widget": "Forigi fenestraĵon", "Create new room": "Krei novan ĉambron", "Home": "Hejmo", - " and %(count)s others": { - "other": " kaj %(count)s aliaj", - "one": " kaj unu alia" - }, "%(items)s and %(lastItem)s": "%(items)s kaj %(lastItem)s", "collapse": "maletendi", "expand": "etendi", @@ -103,7 +91,6 @@ "other": "Kaj %(count)s pliaj…" }, "Confirm Removal": "Konfirmi forigon", - "Unknown error": "Nekonata eraro", "Deactivate Account": "Malaktivigi konton", "An error has occurred.": "Okazis eraro.", "Unable to restore session": "Salutaĵo ne rehaveblas", @@ -136,12 +123,8 @@ }, "Uploading %(filename)s": "Alŝutante dosieron %(filename)s", "Unable to remove contact information": "Ne povas forigi kontaktajn informojn", - "": "", - "Reject all %(invitedRooms)s invites": "Rifuzi ĉiujn %(invitedRooms)s invitojn", "No Microphones detected": "Neniu mikrofono troviĝis", "No Webcams detected": "Neniu kamerao troviĝis", - "Notifications": "Sciigoj", - "Profile": "Profilo", "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", @@ -156,17 +139,14 @@ "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", - "Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "Forigo de fenestraĵo efektiviĝos por ĉiuj uzantoj en ĉi tiu ĉambro. Ĉu vi certe volas ĝin forigi?", "Replying": "Respondante", "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s, %(day)s %(monthName)s %(fullYear)s", "Sunday": "Dimanĉo", - "Notification targets": "Celoj de sciigoj", "Today": "Hodiaŭ", "Friday": "Vendredo", "Changelog": "Protokolo de ŝanĝoj", "This Room": "Ĉi tiu ĉambro", "Unavailable": "Nedisponebla", - "Source URL": "Fonta URL", "Filter results": "Filtri rezultojn", "Tuesday": "Mardo", "Search…": "Serĉi…", @@ -179,15 +159,11 @@ "All Rooms": "Ĉiuj ĉambroj", "Thursday": "Ĵaŭdo", "Yesterday": "Hieraŭ", - "Low Priority": "Malalta prioritato", "Thank you!": "Dankon!", "Logs sent": "Protokolo sendiĝis", "Failed to send logs: ": "Malsukcesis sendi protokolon: ", "Preparing to send logs": "Pretigante sendon de protokolo", "Permission Required": "Necesas permeso", - "Please contact your homeserver administrator.": "Bonvolu kontakti la administranton de via hejmservilo.", - "Delete Backup": "Forigi savkopion", - "General": "Ĝeneralaj", "In reply to ": "Responde al ", "Dog": "Hundo", "Cat": "Kato", @@ -250,8 +226,6 @@ "Folder": "Dosierujo", "Email Address": "Retpoŝtadreso", "Phone Number": "Telefonnumero", - "Profile picture": "Profilbildo", - "Display Name": "Vidiga nomo", "Email addresses": "Retpoŝtadresoj", "Phone numbers": "Telefonnumeroj", "Ignored users": "Malatentaj uzantoj", @@ -276,7 +250,6 @@ "Could not load user profile": "Ne povis enlegi profilon de uzanto", "Your password has been reset.": "Vi reagordis vian pasvorton.", "General failure": "Ĝenerala fiasko", - "Create account": "Krei konton", "That matches!": "Tio akordas!", "That doesn't match.": "Tio ne akordas.", "Success!": "Sukceso!", @@ -285,14 +258,10 @@ "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.", - "Are you sure? You will lose your encrypted messages if your keys are not backed up properly.": "Ĉu vi certas? Vi perdos ĉiujn viajn ĉifritajn mesaĝojn, se viaj ŝlosiloj ne estas savkopiitaj.", "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.", - "Restore from Backup": "Rehavi el savkopio", - "All keys backed up": "Ĉiuj ŝlosiloj estas savkopiitaj", "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", - "Accept all %(invitedRooms)s invites": "Akcepti ĉiujn %(invitedRooms)s invitojn", "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", @@ -304,9 +273,6 @@ "Error updating main address": "Ĝisdatigo de la ĉefa adreso eraris", "There was an error updating the room's main address. It may not be allowed by the server or a temporary failure occurred.": "Ĝisdatigo de la ĉefa adreso de la ĉambro eraris. Aŭ la servilo tion ne permesas, aŭ io misfunkciis.", "edited": "redaktita", - "Popout widget": "Fenestrigi fenestraĵon", - "Rotate Left": "Turni maldekstren", - "Rotate Right": "Turni dekstren", "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.", @@ -418,7 +384,6 @@ "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.", - "Unable to load key backup status": "Ne povas enlegi staton de ŝlosila savkopio", "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", @@ -433,14 +398,12 @@ "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", - "Bulk options": "Amasaj elektebloj", "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", - "Accept to continue:": "Akceptu por daŭrigi:", "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 ?", @@ -520,25 +483,8 @@ "Use an identity server to invite by email. Use the default (%(defaultIdentityServerName)s) or manage in Settings.": "Uzu identigan servilon por inviti per retpoŝto. Uzu la norman (%(defaultIdentityServerName)s) aŭ administru per Agordoj.", "Use an identity server to invite by email. Manage in Settings.": "Uzu identigan servilon por inviti per retpoŝto. Administru per Agordoj.", "Close dialog": "Fermi interagujon", - "Hide advanced": "Kaŝi specialajn", - "Show advanced": "Montri specialajn", "Command Help": "Helpo pri komando", - "Jump to first unread room.": "Salti al unua nelegita ĉambro.", - "Jump to first invite.": "Salti al unua invito.", - "Your display name": "Via vidiga nomo", - "Your user ID": "Via identigilo de uzanto", - "Your theme": "Via haŭto", - "%(brand)s URL": "URL de %(brand)s", - "Room ID": "Identigilo de ĉambro", - "Widget ID": "Identigilo de fenestraĵo", - "Widgets do not use message encryption.": "Fenestraĵoj ne uzas ĉifradon de mesaĝoj.", - "Widget added by": "Fenestraĵon aldonis", - "This widget may use cookies.": "Ĉi tiu fenestraĵo povas uzi kuketojn.", "Lock": "Seruro", - "Other users may not trust it": "Aliaj uzantoj eble ne kredas ĝin", - "Later": "Pli poste", - "Cannot connect to integration manager": "Ne povas konektiĝi al kunigilo", - "The integration manager is offline or it cannot reach your homeserver.": "La kunigilo estas eksterreta aŭ ne povas atingi vian hejmservilon.", "This room is end-to-end encrypted": "Ĉi tiu ĉambro uzas tutvojan ĉifradon", "Everyone in this room is verified": "Ĉiu en la ĉambro estas kontrolita", "Unencrypted": "Neĉifrita", @@ -550,34 +496,19 @@ "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.", "Start Verification": "Komenci kontrolon", - "More options": "Pliaj elektebloj", "Integrations are disabled": "Kunigoj estas malŝaltitaj", "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", - "Verify this session": "Kontroli ĉi tiun salutaĵon", - "Encryption upgrade available": "Ĝisdatigo de ĉifrado haveblas", "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.", - "Your homeserver does not support cross-signing.": "Via hejmservilo ne subtenas delegajn subskribojn.", - "Your account has a cross-signing identity in secret storage, but it is not yet trusted by this session.": "Via konto havas identecon por delegaj subskriboj en sekreta deponejo, sed ĉi tiu salutaĵo ankoraŭ ne fidas ĝin.", - "Secret storage public key:": "Publika ŝlosilo de sekreta deponejo:", - "in account data": "en datumoj de konto", - "Securely cache encrypted messages locally for them to appear in search results.": "Sekure kaŝmemori ĉifritajn mesaĝojn loke, por aperigi ilin en serĉrezultoj.", - "%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with search components added.": "%(brand)s malhavas kelkajn partojn bezonajn por sekura loka kaŝmemorado de ĉirfitaj mesaĝoj. Se vi volas eksperimenti pri ĉi tiu kapablo, kunmetu propran klienton «%(brand)s Dekstop» kun aldonitaj serĉopartoj.", - "This session is not backing up your keys, but you do have an existing backup you can restore from and add to going forward.": "Ĉi tiu salutaĵo ne savkopias viajn ŝlosilojn, sed vi jam havas savkopion, el kiu vi povas rehavi datumojn, kaj ilin kreskigi plue.", - "Connect this session to key backup before signing out to avoid losing any keys that may only be on this session.": "Konektu ĉi tiun salutaĵon al savkopiado de ŝlosiloj antaŭ ol vi adiaŭos, por ne perdi ŝlosilojn, kiuj povus troviĝi nur en ĉi tiu salutaĵo.", - "Connect this session to Key Backup": "Konekti ĉi tiun salutaĵon al Savkopiado de ŝlosiloj", - "not stored": "ne deponita", "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", - "Your keys are not being backed up from this session.": "Viaj ŝlosiloj ne estas savkopiataj el ĉi tiu salutaĵo.", "Manage integrations": "Administri kunigojn", "To report a Matrix-related security issue, please read the Matrix.org Security Disclosure Policy.": "Por raparto de sekureca problemo rilata al Matrix, bonvolu legi la Eldiran Politikon pri Sekureco de Matrix.org.", "None": "Neniu", - "Message search": "Serĉado de mesaĝoj", "This room is bridging messages to the following platforms. Learn more.": "Ĉi tiu ĉambro transpontigas mesaĝojn al la jenaj platformoj. Eksciu plion.", "Bridges": "Pontoj", "This user has not verified all of their sessions.": "Ĉi tiu uzanto ne kontrolis ĉiomon da siaj salutaĵoj.", @@ -587,7 +518,6 @@ "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", - "Mark all as read": "Marki ĉion legita", "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…", @@ -617,8 +547,6 @@ "You have ignored this user, so their message is hidden. Show anyways.": "Vi malatentis ĉi tiun uzanton, ĝia mesaĝo estas do kaŝita. Tamen montri.", "You declined": "Vi rifuzis", "%(name)s declined": "%(name)s rifuzis", - "Any of the following data may be shared:": "Ĉiu el la jenaj datumoj povas kunhaviĝi:", - "Using this widget may share data with %(widgetDomain)s.": "Uzo de tiu ĉi fenestraĵo eble havigos datumojn kun %(widgetDomain)s.", "Language Dropdown": "Lingva falmenuo", "Destroy cross-signing keys?": "Ĉu detrui delege ĉifrajn ŝlosilojn?", "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.": "Forigo de delege ĉifraj ŝlosiloj estas porĉiama. Ĉiu, kun kiu vi interkontrolis, vidos avertojn pri sekureco. Vi preskaŭ certe ne volas ĉi tion fari, malse vi perdis ĉiun aparaton, el kiu vi povus delege subskribadi.", @@ -640,7 +568,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.": "Ĉi tio kutime influas nur traktadon de la ĉambro de la servilo. Se vi spertas problemojn pri %(brand)s, bonvolu raporti problemon.", "You'll upgrade this room from to .": "Vi gradaltigos ĉi tiun ĉambron de al .", "Verification Request": "Kontrolpeto", - "Remove for everyone": "Forigi por ĉiuj", "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", @@ -677,14 +604,10 @@ "Confirm by comparing the following with the User Settings in your other session:": "Konfirmu per komparo de la sekva kun la agardoj de uzanto en via alia salutaĵo:", "Confirm this user's session by comparing the following with their User Settings:": "Konfirmu la salutaĵon de ĉi tiu uzanto per komparo de la sekva kun ĝiaj agordoj de uzanto:", "If they don't match, the security of your communication may be compromised.": "Se ili ne akordas, la sekureco de via komunikado eble estas rompita.", - "Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "Unuope kontroli ĉiun salutaĵon de uzanto por marki ĝin fidata, ne fidante delege subskribitajn aparatojn.", "In encrypted rooms, your messages are secured and only you and the recipient have the unique keys to unlock them.": "En ĉifritaj ĉambroj, viaj mesaĝoj estas sekurigitaj, kaj nur vi kaj la ricevanto havas la unikajn malĉifrajn ŝlosilojn.", "Verify all users in a room to ensure it's secure.": "Kontrolu ĉiujn uzantojn en ĉambro por certigi, ke ĝi sekuras.", - "New login. Was this you?": "Nova saluto. Ĉu tio estis vi?", "You signed in to a new session without verifying it:": "Vi salutis novan salutaĵon sen kontrolo:", "Verify your other session using one of the options below.": "Kontrolu vian alian salutaĵon per unu el la ĉi-subaj elektebloj.", - "well formed": "bone formita", - "unexpected type": "neatendita tipo", "Almost there! Is %(displayName)s showing the same shield?": "Preskaŭ finite! Ĉu %(displayName)s montras la saman ŝildon?", "You've successfully verified %(deviceName)s (%(deviceId)s)!": "Vi sukcese kontrolis %(deviceName)s (%(deviceId)s)!", "Start verification again from the notification.": "Rekomencu kontroladon el la sciigo.", @@ -727,15 +650,11 @@ "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.", - "Contact your server admin.": "Kontaktu administranton de via servilo.", "Ok": "Bone", - "%(brand)s can't securely cache encrypted messages locally while running in a web browser. Use %(brand)s Desktop for encrypted messages to appear in search results.": "%(brand)s ne povas sekure kaŝkopii ĉifritajn mesaĝojn loke, funkciante per foliumilo. Uzu %(brand)s Desktop por aperigi ĉifritajn mesaĝojn en serĉrezultoj.", "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", - "Favourited": "Elstarigita", - "Forget Room": "Forgesi ĉambron", "Room options": "Elektebloj pri ĉambro", "Wrong file type": "Neĝusta dosiertipo", "Looks good!": "Ŝajnas bona!", @@ -743,7 +662,6 @@ "Security Key": "Sekureca ŝlosilo", "Use your Security Key to continue.": "Uzu vian sekurecan ŝlosilon por daŭrigi.", "Switch theme": "Ŝalti haŭton", - "All settings": "Ĉiuj agordoj", "Safeguard against losing access to encrypted messages & data by backing up encryption keys on your server.": "Malhelpu perdon de aliro al ĉifritaj mesaĝoj kaj datumoj per savkopiado de ĉifraj ŝlosiloj al via servilo.", "Generate a Security Key": "Generi sekurecan ŝlosilon", "Enter a Security Phrase": "Enigiu sekurecan frazon", @@ -756,8 +674,6 @@ "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", - "Change notification settings": "Ŝanĝi agordojn pri sciigoj", - "Your server isn't responding to some requests.": "Via servilo ne respondas al iuj petoj.", "Server isn't responding": "Servilo ne respondas", "Your server isn't responding to some of your requests. Below are some of the most likely reasons.": "Via servilo ne respondas al iuj el viaj petoj. Vidu sube kelkon de la plej verŝajnaj kialoj.", "The server (%(serverName)s) took too long to respond.": "La servilo (%(serverName)s) tro longe ne respondis.", @@ -769,10 +685,6 @@ "A connection error occurred while trying to contact the server.": "Eraris konekto dum provo kontakti la servilon.", "The server is not configured to indicate what the problem is (CORS).": "La servilo ne estas agordita por indiki la problemon (CORS).", "Recent changes that have not yet been received": "Freŝaj ŝanĝoj ankoraŭ ne ricevitaj", - "Move right": "Movi dekstren", - "Move left": "Movi maldekstren", - "Revoke permissions": "Nuligi permesojn", - "Take a picture": "Foti", "Unable to set up keys": "Ne povas agordi ŝlosilojn", "You're all caught up.": "Sen sciigoj.", "Invite someone using their name, username (like ) or share this room.": "Invitu iun per ĝia nomo, uzantonomo (kiel ), aŭ diskonigu la ĉambron.", @@ -800,19 +712,7 @@ "Explore public rooms": "Esplori publikajn ĉambrojn", "Show Widgets": "Montri fenestraĵojn", "Hide Widgets": "Kaŝi fenestraĵojn", - "not ready": "neprete", - "ready": "prete", - "Secret storage:": "Sekreta deponejo:", - "Backup key cached:": "Kaŝmemorita Savkopia ŝlosilo:", - "Backup key stored:": "Deponita Savkopia ŝlosilo:", - "Algorithm:": "Algoritmo:", "Backup version:": "Repaŝa versio:", - "The operation could not be completed": "La ago ne povis finiĝi", - "Failed to save your profile": "Malsukcesis konservi vian profilon", - "Cross-signing is not set up.": "Delegaj subskriboj ne estas agorditaj.", - "Cross-signing is ready for use.": "Delegaj subskriboj estas pretaj por uzado.", - "Safeguard against losing access to encrypted messages & data": "Malhelpu perdon de aliro al ĉifritaj mesaĝoj kaj datumoj", - "Set up Secure Backup": "Agordi Sekuran savkopiadon", "Data on this screen is shared with %(widgetDomain)s": "Datumoj sur tiu ĉi ekrano estas havigataj al %(widgetDomain)s", "Uzbekistan": "Uzbekujo", "United Arab Emirates": "Unuiĝinaj Arabaj Emirlandoj", @@ -973,7 +873,6 @@ "Burkina Faso": "Burkino", "Bouvet Island": "Buvet-Insulo", "Anguilla": "Angvilo", - "Enable desktop notifications": "Ŝalti labortablajn sciigojn", "Zimbabwe": "Zimbabvo", "Zambia": "Zambio", "Yemen": "Jemeno", @@ -1067,10 +966,6 @@ "Invite by email": "Inviti per retpoŝto", "Reason (optional)": "Kialo (malnepra)", "Server Options": "Elektebloj de servilo", - "Securely cache encrypted messages locally for them to appear in search results, using %(size)s to store messages from %(rooms)s rooms.": { - "one": "Sekure kaŝmemori ĉifritajn mesaĝojn loke por ke ili aperu inter serĉrezultoj, uzante %(size)s por deponi mesaĝojn el %(rooms)s ĉambroj.", - "other": "Sekure kaŝmemori ĉifritajn mesaĝojn loke por ke ili aperu inter serĉrezultoj, uzante %(size)s por deponi mesaĝojn el %(rooms)s ĉambroj." - }, "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", @@ -1099,9 +994,6 @@ "This widget would like to:": "Ĉi tiu fenestraĵo volas:", "Approve widget permissions": "Aprobi rajtojn de fenestraĵo", "Recently visited rooms": "Freŝe vizititiaj ĉambroj", - "Use app": "Uzu aplikaĵon", - "Use app for a better experience": "Uzu aplikaĵon por pli bona sperto", - "Don't miss a reply": "Ne preterpasu respondon", "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", @@ -1110,7 +1002,6 @@ "A call can only be transferred to a single user.": "Voko povas transdoniĝi nur al unu uzanto.", "Set my room layout for everyone": "Agordi al ĉiuj mian aranĝon de ĉambro", "Open dial pad": "Malfermi ciferplaton", - "Back up your encryption keys with your account data in case you lose access to your sessions. Your keys will be secured with a unique Security Key.": "Savkopiu viajn čifrajn šlosilojn kune kun la datumoj de via konto, okaze ke vi perdos aliron al viaj salutaĵoj. Viaj ŝlosiloj sekuriĝos per unika Sekureca ŝlosilo.", "Dial pad": "Ciferplato", "This usually only affects how the room is processed on the server. If you're having problems with your %(brand)s, please report a bug.": "Ĉi tiu kutime influas nur traktadon de la ĉambro servil-flanke. Se vi spertas problemojn pri via %(brand)s, bonvolu raporti eraron.", "Suggested Rooms": "Rekomendataj ĉambroj", @@ -1128,18 +1019,12 @@ }, "Are you sure you want to leave the space '%(spaceName)s'?": "Ĉu vi certe volas forlasi la aron «%(spaceName)s»?", "This space is not public. You will not be able to rejoin without an invite.": "Ĉi tiu aro ne estas publika. Vi ne povos re-aliĝi sen invito.", - "Start audio stream": "Komenci sonelsendon", "Failed to start livestream": "Malsukcesis komenci tujelsendon", "Unable to start audio streaming.": "Ne povas komenci sonelsendon.", - "Save Changes": "Konservi ŝanĝojn", - "Leave Space": "Forlasi aron", - "Edit settings relating to your space.": "Redaktu agordojn pri via aro.", - "Failed to save space settings.": "Malsukcesis konservi agordojn de aro.", "Invite someone using their name, username (like ) or share this space.": "Invitu iun per ĝia nomo, uzantonomo (kiel ), aŭ diskonigu ĉi tiun aron.", "Invite someone using their name, email address, username (like ) or share this space.": "Invitu iun per ĝia nomo, retpoŝtadreso, uzantonomo (kiel ), aŭ diskonigu ĉi tiun aron.", "Invite to %(roomName)s": "Inviti al %(roomName)s", "Create a new room": "Krei novan ĉambron", - "Spaces": "Aroj", "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.", @@ -1147,15 +1032,9 @@ "Invite to this space": "Inviti al ĉi tiu aro", "Your message was sent": "Via mesaĝo sendiĝis", "Leave space": "Forlasi aron", - "Invite with email or username": "Inviti per retpoŝtadreso aŭ uzantonomo", - "Invite people": "Inviti personojn", - "Share invite link": "Diskonigi invitan ligilon", - "Click to copy": "Klaku por kopii", - "You can change these anytime.": "Vi povas ŝanĝi ĉi tiujn kiam ajn vi volas.", "Create a space": "Krei aron", "You may want to try a different search or check for typos.": "Eble vi provu serĉi alion, aŭ kontroli je mistajpoj.", "You don't have permission": "Vi ne rajtas", - "Space options": "Agordoj de aro", "Invited people will be able to read old messages.": "Invititoj povos legi malnovajn mesaĝojn.", "Add existing rooms": "Aldoni jamajn ĉambrojn", "View message": "Montri mesaĝon", @@ -1169,9 +1048,6 @@ "other": "Montri ĉiujn %(count)s anojn" }, "Failed to send": "Malsukcesis sendi", - "unknown person": "nekonata persono", - "%(deviceId)s from %(ip)s": "%(deviceId)s de %(ip)s", - "Review to ensure your account is safe": "Kontrolu por certigi sekurecon de via konto", "We couldn't create your DM.": "Ni ne povis krei vian individuan ĉambron.", "You may contact me if you have any follow up questions": "Vi povas min kontakti okaze de pliaj demandoj", "To leave the beta, visit your settings.": "Por foriri de la prova versio, iru al viaj agordoj.", @@ -1189,10 +1065,8 @@ "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.", - "Connecting": "Konektante", "Modal Widget": "Reĝima fenestraĵo", "Consult first": "Unue konsulti", - "Message search initialisation failed": "Malsukcesis komenci serĉadon de mesaĝoj", "Enter your Security Phrase a second time to confirm it.": "Enigu vian Sekurecan frazon duafoje por ĝin konfirmi.", "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", @@ -1216,28 +1090,13 @@ "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.", - "Using this widget may share data with %(widgetDomain)s & your integration manager.": "Uzo de tiu ĉi fenestraĵo eble havigos datumojn al %(widgetDomain)s kaj via kunigilo.", "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)", - "Preview Space": "Antaŭrigardi aron", - "Decide who can view and join %(spaceName)s.": "Decidu, kiu povas rigardi kaj aliĝi aron %(spaceName)s.", - "Visibility": "Videbleco", - "This may be useful for public spaces.": "Tio povas esti utila por publikaj aroj.", - "Guests can join a space without having an account.": "Gastoj povas aliĝi al aro sen konto.", - "Enable guest access": "Ŝalti aliron de gastoj", - "Failed to update the history visibility of this space": "Malsukcesis ĝisdatigi videblecon de historio de ĉi tiu aro", - "Failed to update the guest access of this space": "Malsukcesis ĝisdatigi aliron de gastoj al ĉi tiu aro", - "Failed to update the visibility of this space": "Malsukcesis ĝisdatigi la videblecon de ĉi tiu aro", - "Show all rooms": "Montri ĉiujn ĉambrojn", "Address": "Adreso", - "Delete avatar": "Forigi profilbildon", - "More": "Pli", - "Show sidebar": "Montri flankan breton", - "Hide sidebar": "Kaŝi flankan breton", "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", @@ -1245,30 +1104,8 @@ "one": "Montri %(count)s alian antaŭrigardon", "other": "Montri %(count)s aliajn antaŭrigardojn" }, - "Access": "Aliro", - "Space members": "Aranoj", - "Anyone in a space can find and join. You can select multiple spaces.": "Ĉiu en aro povas trovi kaj aliĝi. Vi povas elekti plurajn arojn.", - "Spaces with access": "Aroj kun aliro", - "Anyone in a space can find and join. Edit which spaces can access here.": "Ĉiu en aro povas trovi kaj aliĝi. Redaktu, kiuj aroj povas aliri, tie ĉi.", - "Currently, %(count)s spaces have access": { - "other": "Nun, %(count)s aroj rajtas aliri", - "one": "Nun, aro povas aliri" - }, - "& %(count)s more": { - "other": "kaj %(count)s pli", - "one": "kaj %(count)s pli" - }, - "Upgrade required": "Necesas gradaltigo", - "This upgrade will allow members of selected spaces access to this room without an invite.": "Ĉi tiu gradaltigo povigos anojn de la elektitaj aroj aliri ĉi tiun ĉambron sen invito.", "Space information": "Informoj pri aro", "Identity server URL must be HTTPS": "URL de identiga servilo devas esti je HTTPS", - "There was an error loading your notification settings.": "Eraris enlegado de viaj agordoj pri sciigoj.", - "Mentions & keywords": "Mencioj kaj ĉefvortoj", - "Global": "Ĉie", - "New keyword": "Nova ĉefvorto", - "Keyword": "Ĉefvorto", - "Recommended for public spaces.": "Rekomendita por publikaj aroj.", - "Allow people to preview your space before they join.": "Povigi personojn antaŭrigardi vian aron antaŭ aliĝo.", "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.", @@ -1277,10 +1114,6 @@ "Error downloading audio": "Eraris elŝuto de sondosiero", "Unnamed audio": "Sennoma sondosiero", "Add space": "Aldoni aron", - "Report": "Raporti", - "Collapse reply thread": "Maletendi respondan fadenon", - "Show preview": "Antaŭrigardi", - "View source": "Montri fonton", "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", @@ -1293,7 +1126,6 @@ "You're the only admin of some of the rooms or spaces you wish to leave. Leaving them will leave them without any admins.": "Vi estas la sola administranto de iuj ĉambroj aŭ aroj, de kie vi volas foriri. Se vi faros tion, neniu povos ilin plu administri.", "You're the only admin of this space. Leaving it will mean no one has control over it.": "Vi estas la sola administranto de ĉi tiu aro. Se vi foriros, neniu povos ĝin administri.", "You won't be able to rejoin unless you are re-invited.": "Vi ne povos ree aliĝi, krom se oni ree invitos vin.", - "Search %(spaceName)s": "Serĉi je %(spaceName)s", "User Directory": "Katologo de uzantoj", "Or send invite link": "Aŭ sendu invitan ligilon", "Some suggestions may be hidden for privacy.": "Iuj proponoj povas esti kaŝitaj pro privateco.", @@ -1315,12 +1147,7 @@ "Want to add a new space instead?": "Ĉu vi volas aldoni novan aron anstataŭe?", "Add existing space": "Aldoni jaman aron", "Please provide an address": "Bonvolu doni adreson", - "Share content": "Havigi enhavon", - "Application window": "Fenestro de aplikaĵo", - "Share entire screen": "Vidigi tutan ekranon", "Message search initialisation failed, check your settings for more information": "Malsukcesis komencigo de serĉado de mesaĝoj, kontrolu viajn agordojn por pliaj informoj", - "Error - Mixed content": "Eraris – Miksita enhavo", - "Error loading Widget": "Eraris enlegado de fenestraĵo", "Error processing audio message": "Eraris traktado de sonmesaĝo", "Decrypting": "Malĉifrante", "The call is in an unknown state!": "La voko estas en nekonata stato!", @@ -1337,8 +1164,6 @@ "If you have permissions, open the menu on any message and select Pin to stick them here.": "Se vi havas la bezonajn permesojn, malfermu la menuon sur ajna mesaĝo, kaj klaku al Fiksi por meti ĝin ĉi tien.", "Nothing pinned, yet": "Ankoraŭ nenio fiksita", "Set addresses for this space so users can find this space through your homeserver (%(localDomain)s)": "Agordu adresojn por ĉi tiu aro, por ke uzantoj trovu ĝin per via hejmservilo (%(localDomain)s)", - "Cross-signing is ready but keys are not backed up.": "Delegaj subskriboj pretas, sed ŝlosiloj ne estas savkopiitaj.", - "Anyone in can find and join. You can select other spaces too.": "Ĉiu en povas trovi kaj aliĝi. Vi povas elekti ankaŭ aliajn arojn.", "To join a space you'll need an invite.": "Por aliĝi al aro, vi bezonas inviton.", "Rooms and spaces": "Ĉambroj kaj aroj", "Results": "Rezultoj", @@ -1352,8 +1177,6 @@ "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", - "Pin to sidebar": "Fiksi al flanka breto", - "Quick settings": "Rapidaj agordoj", "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.", @@ -1364,16 +1187,6 @@ "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", - "Updating spaces... (%(progress)s out of %(count)s)": { - "one": "Ĝisdatigante aro...", - "other": "Ĝisdatigante arojn... (%(progress)s el %(count)s)" - }, - "Sending invites... (%(progress)s out of %(count)s)": { - "one": "Sendante inviton...", - "other": "Sendante invitojn... (%(progress)s el %(count)s)" - }, - "Loading new room": "Ŝarĝante novan ĉambron", - "Upgrading room": "Altgradiga ĉambro", "%(spaceName)s and %(count)s others": { "one": "%(spaceName)s kaj %(count)s alia", "other": "%(spaceName)s kaj %(count)s aliaj" @@ -1384,7 +1197,6 @@ "My current location": "Mia nuna loko", "%(brand)s could not send your location. Please try again later.": "%(brand)s ne povis sendi vian lokon. Bonvolu reprovi poste.", "We couldn't send your location": "Ni ne povis sendi vian lokon", - "Share location": "Kunhavigi lokon", "Could not fetch location": "Loko ne eblis akiri", "Location": "Loko", "Confirm new password": "Konfirmu novan pasvorton", @@ -1402,22 +1214,12 @@ "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", - "You have unverified sessions": "Vi havas nekontrolitajn salutaĵojn", "Export chat": "Eksporti babilejon", "Files": "Dosieroj", - "Sessions": "Salutaĵoj", "Close sidebar": "Fermu la flanka kolumno", - "Sidebar": "Flanka kolumno", "Public rooms": "Publikajn ĉambrojn", - "Add privileged users": "Aldoni rajtigitan uzanton", "Developer": "Programisto", "unknown": "nekonata", - "The person who invited you has already left, or their server is offline.": "Aŭ la persono, kiu vin invitis, jam foriris, aŭ ĝia servilo estas eksterreta.", - "Failed to join": "Malsukcesis aliĝi", - "Sorry, your homeserver is too old to participate here.": "Pardonon, via hejmservilo estas tro malnova por partopreni ĉi tie.", - "Yes, it was me": "Jes, estis mi", - "%(brand)s is experimental on a mobile web browser. For a better experience and the latest features, use our free native app.": "%(brand)s estas eksperimenta en poŝtelefona retumilo. Por pli bona sperto kaj freŝaj funkcioj, uzu nian senpagan malfremdan aplikaĵon.", - "Unknown room": "Nekonata ĉambro", "common": { "about": "Prio", "analytics": "Analizo", @@ -1498,7 +1300,14 @@ "orphan_rooms": "Aliaj ĉambroj", "on": "Jes", "off": "Ne", - "all_rooms": "Ĉiuj ĉambroj" + "all_rooms": "Ĉiuj ĉambroj", + "copied": "Kopiita!", + "advanced": "Altnivela", + "spaces": "Aroj", + "general": "Ĝeneralaj", + "profile": "Profilo", + "display_name": "Vidiga nomo", + "user_avatar": "Profilbildo" }, "action": { "continue": "Daŭrigi", @@ -1590,7 +1399,10 @@ "send_report": "Sendi raporton", "exit_fullscreeen": "Eliru plenekrano", "enter_fullscreen": "Plenekrano", - "unban": "Malforbari" + "unban": "Malforbari", + "click_to_copy": "Klaku por kopii", + "hide_advanced": "Kaŝi specialajn", + "show_advanced": "Montri specialajn" }, "a11y": { "user_menu": "Menuo de uzanto", @@ -1602,7 +1414,8 @@ "other": "%(count)s nelegitaj mesaĝoj.", "one": "1 nelegita mesaĝo." }, - "unread_messages": "Nelegitaj mesaĝoj." + "unread_messages": "Nelegitaj mesaĝoj.", + "jump_first_invite": "Salti al unua invito." }, "labs": { "video_rooms": "Videoĉambroj", @@ -1721,7 +1534,6 @@ "user_a11y": "Memkompletigo de uzantoj" } }, - "Bold": "Grase", "Code": "Kodo", "power_level": { "default": "Ordinara", @@ -1827,7 +1639,9 @@ "noisy": "Brue", "error_permissions_denied": "%(brand)s ne havas permeson sciigi vin – bonvolu kontroli la agordojn de via foliumilo", "error_permissions_missing": "%(brand)s ne ricevis permeson sendi sciigojn – bonvolu reprovi", - "error_title": "Ne povas ŝalti sciigojn" + "error_title": "Ne povas ŝalti sciigojn", + "push_targets": "Celoj de sciigoj", + "error_loading": "Eraris enlegado de viaj agordoj pri sciigoj." }, "appearance": { "layout_bubbles": "Mesaĝaj vezikoj", @@ -1887,7 +1701,41 @@ "cryptography_section": "Ĉifroteĥnikaro", "session_id": "Identigilo de salutaĵo:", "session_key": "Ŝlosilo de salutaĵo:", - "encryption_section": "Ĉifrado" + "encryption_section": "Ĉifrado", + "bulk_options_section": "Amasaj elektebloj", + "bulk_options_accept_all_invites": "Akcepti ĉiujn %(invitedRooms)s invitojn", + "bulk_options_reject_all_invites": "Rifuzi ĉiujn %(invitedRooms)s invitojn", + "message_search_section": "Serĉado de mesaĝoj", + "encryption_individual_verification_mode": "Unuope kontroli ĉiun salutaĵon de uzanto por marki ĝin fidata, ne fidante delege subskribitajn aparatojn.", + "message_search_enabled": { + "one": "Sekure kaŝmemori ĉifritajn mesaĝojn loke por ke ili aperu inter serĉrezultoj, uzante %(size)s por deponi mesaĝojn el %(rooms)s ĉambroj.", + "other": "Sekure kaŝmemori ĉifritajn mesaĝojn loke por ke ili aperu inter serĉrezultoj, uzante %(size)s por deponi mesaĝojn el %(rooms)s ĉambroj." + }, + "message_search_disabled": "Sekure kaŝmemori ĉifritajn mesaĝojn loke, por aperigi ilin en serĉrezultoj.", + "message_search_unsupported": "%(brand)s malhavas kelkajn partojn bezonajn por sekura loka kaŝmemorado de ĉirfitaj mesaĝoj. Se vi volas eksperimenti pri ĉi tiu kapablo, kunmetu propran klienton «%(brand)s Dekstop» kun aldonitaj serĉopartoj.", + "message_search_unsupported_web": "%(brand)s ne povas sekure kaŝkopii ĉifritajn mesaĝojn loke, funkciante per foliumilo. Uzu %(brand)s Desktop por aperigi ĉifritajn mesaĝojn en serĉrezultoj.", + "message_search_failed": "Malsukcesis komenci serĉadon de mesaĝoj", + "backup_key_well_formed": "bone formita", + "backup_key_unexpected_type": "neatendita tipo", + "backup_keys_description": "Savkopiu viajn čifrajn šlosilojn kune kun la datumoj de via konto, okaze ke vi perdos aliron al viaj salutaĵoj. Viaj ŝlosiloj sekuriĝos per unika Sekureca ŝlosilo.", + "backup_key_stored_status": "Deponita Savkopia ŝlosilo:", + "cross_signing_not_stored": "ne deponita", + "backup_key_cached_status": "Kaŝmemorita Savkopia ŝlosilo:", + "4s_public_key_status": "Publika ŝlosilo de sekreta deponejo:", + "4s_public_key_in_account_data": "en datumoj de konto", + "secret_storage_status": "Sekreta deponejo:", + "secret_storage_ready": "prete", + "secret_storage_not_ready": "neprete", + "delete_backup": "Forigi savkopion", + "delete_backup_confirm_description": "Ĉu vi certas? Vi perdos ĉiujn viajn ĉifritajn mesaĝojn, se viaj ŝlosiloj ne estas savkopiitaj.", + "error_loading_key_backup_status": "Ne povas enlegi staton de ŝlosila savkopio", + "restore_key_backup": "Rehavi el savkopio", + "key_backup_inactive": "Ĉi tiu salutaĵo ne savkopias viajn ŝlosilojn, sed vi jam havas savkopion, el kiu vi povas rehavi datumojn, kaj ilin kreskigi plue.", + "key_backup_connect_prompt": "Konektu ĉi tiun salutaĵon al savkopiado de ŝlosiloj antaŭ ol vi adiaŭos, por ne perdi ŝlosilojn, kiuj povus troviĝi nur en ĉi tiu salutaĵo.", + "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." }, "preferences": { "room_list_heading": "Ĉambrolisto", @@ -1935,7 +1783,8 @@ "one": "Elsaluti el %(count)s salutaĵo", "other": "Elsaluti el %(count)s salutaĵoj" }, - "other_sessions_heading": "Aliaj salutaĵoj" + "other_sessions_heading": "Aliaj salutaĵoj", + "title": "Salutaĵoj" }, "general": { "account_section": "Konto", @@ -1949,7 +1798,14 @@ "add_msisdn_confirm_sso_button": "Konfirmu aldonon de ĉi tiu telefonnumero per identiĝo per ununura saluto.", "add_msisdn_confirm_button": "Konfirmu aldonon de telefonnumero", "add_msisdn_confirm_body": "Klaku la ĉi-suban butonon por konfirmi aldonon de ĉi tiu telefonnumero.", - "add_msisdn_dialog_title": "Aldoni telefonnumeron" + "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" + }, + "sidebar": { + "title": "Flanka kolumno", + "metaspaces_home_all_rooms": "Montri ĉiujn ĉambrojn" } }, "devtools": { @@ -2305,7 +2161,14 @@ "user": "%(senderName)s finis voĉan elsendon" }, "creation_summary_dm": "%(creator)s kreis ĉi tiun individuan ĉambron.", - "creation_summary_room": "%(creator)s kreis kaj agordis la ĉambron." + "creation_summary_room": "%(creator)s kreis kaj agordis la ĉambron.", + "context_menu": { + "view_source": "Montri fonton", + "show_url_preview": "Antaŭrigardi", + "external_url": "Fonta URL", + "collapse_reply_thread": "Maletendi respondan fadenon", + "report": "Raporti" + } }, "slash_command": { "spoiler": "Sendas la donitan mesaĝon kiel malkaŝon de intrigo", @@ -2491,10 +2354,19 @@ "failed_call_live_broadcast_title": "Ne povas komenci vokon", "failed_call_live_broadcast_description": "Vi ne povas komenci vokon ĉar vi nuntempe registras vivan elsendon. Bonvolu fini vian vivan elsendon por komenci vokon.", "no_media_perms_title": "Neniuj permesoj pri aŭdvidaĵoj", - "no_media_perms_description": "Eble vi devos permane permesi al %(brand)s atingon de viaj mikrofono/kamerao" + "no_media_perms_description": "Eble vi devos permane permesi al %(brand)s atingon de viaj mikrofono/kamerao", + "call_toast_unknown_room": "Nekonata ĉambro", + "join_button_tooltip_connecting": "Konektante", + "hide_sidebar_button": "Kaŝi flankan breton", + "show_sidebar_button": "Montri flankan breton", + "more_button": "Pli", + "screenshare_monitor": "Vidigi tutan ekranon", + "screenshare_window": "Fenestro de aplikaĵo", + "screenshare_title": "Havigi enhavon", + "unknown_person": "nekonata persono", + "connecting": "Konektante" }, "Other": "Alia", - "Advanced": "Altnivela", "room_settings": { "permissions": { "m.room.avatar_space": "Ŝanĝi bildon de aro", @@ -2526,7 +2398,8 @@ "title": "Roloj kaj Permesoj", "permissions_section": "Permesoj", "permissions_section_description_space": "Elekti rolojn bezonatajn por ŝanĝado de diversaj partoj de la aro", - "permissions_section_description_room": "Elektu la rolojn postulatajn por ŝanĝado de diversaj partoj de la ĉambro" + "permissions_section_description_room": "Elektu la rolojn postulatajn por ŝanĝado de diversaj partoj de la ĉambro", + "add_privileged_user_heading": "Aldoni rajtigitan uzanton" }, "security": { "strict_encryption": "Neniam sendi ĉifritajn mesaĝojn al nekontrolitaj salutaĵoj en ĉi tiu ĉambro de ĉi tiu salutaĵo", @@ -2551,7 +2424,32 @@ "history_visibility_shared": "Nur ĉambranoj (ekde ĉi tiu elekto)", "history_visibility_invited": "Nur ĉambranoj (ekde la invito)", "history_visibility_joined": "Nur ĉambranoj (ekde la aliĝo)", - "history_visibility_world_readable": "Iu ajn" + "history_visibility_world_readable": "Iu ajn", + "join_rule_upgrade_required": "Necesas gradaltigo", + "join_rule_restricted_n_more": { + "other": "kaj %(count)s pli", + "one": "kaj %(count)s pli" + }, + "join_rule_restricted_summary": { + "other": "Nun, %(count)s aroj rajtas aliri", + "one": "Nun, aro povas aliri" + }, + "join_rule_restricted_description": "Ĉiu en aro povas trovi kaj aliĝi. Redaktu, kiuj aroj povas aliri, tie ĉi.", + "join_rule_restricted_description_spaces": "Aroj kun aliro", + "join_rule_restricted_description_active_space": "Ĉiu en povas trovi kaj aliĝi. Vi povas elekti ankaŭ aliajn arojn.", + "join_rule_restricted_description_prompt": "Ĉiu en aro povas trovi kaj aliĝi. Vi povas elekti plurajn arojn.", + "join_rule_restricted": "Aranoj", + "join_rule_restricted_upgrade_description": "Ĉi tiu gradaltigo povigos anojn de la elektitaj aroj aliri ĉi tiun ĉambron sen invito.", + "join_rule_upgrade_upgrading_room": "Altgradiga ĉambro", + "join_rule_upgrade_awaiting_room": "Ŝarĝante novan ĉambron", + "join_rule_upgrade_sending_invites": { + "one": "Sendante inviton...", + "other": "Sendante invitojn... (%(progress)s el %(count)s)" + }, + "join_rule_upgrade_updating_spaces": { + "one": "Ĝisdatigante aro...", + "other": "Ĝisdatigante arojn... (%(progress)s el %(count)s)" + } }, "general": { "publish_toggle": "Ĉu publikigi ĉi tiun ĉambron per la katalogo de ĉambroj de %(domain)s?", @@ -2561,7 +2459,11 @@ "default_url_previews_off": "Antaŭrigardoj de URL-oj estas implicite malŝaltitaj por anoj de tiu ĉi ĉambro.", "url_preview_encryption_warning": "En ĉifritaj ĉambroj, kiel ĉi tiu, antaŭrigardoj al URL-oj estas implicite malŝaltitaj por certigi, ke via hejmservilo (kie la antaŭrigardoj estas generataj) ne povas kolekti informojn pri ligiloj en ĉi tiu ĉambro.", "url_preview_explainer": "Kiam iu metas URL-on en sian mesaĝon, antaŭrigardo al tiu URL povas montriĝi, por doni pliajn informojn pri tiu ligilo, kiel ekzemple la titolon, priskribon, kaj bildon el la retejo.", - "url_previews_section": "Antaŭrigardoj al retpaĝoj" + "url_previews_section": "Antaŭrigardoj al retpaĝoj", + "error_save_space_settings": "Malsukcesis konservi agordojn de aro.", + "description_space": "Redaktu agordojn pri via aro.", + "save": "Konservi ŝanĝojn", + "leave_space": "Forlasi aron" }, "advanced": { "unfederated": "Ĉi tiu ĉambro ne atingeblas por foraj serviloj de Matrix", @@ -2569,6 +2471,24 @@ "room_predecessor": "Montri pli malnovajn mesaĝojn en %(roomName)s.", "room_version_section": "Ĉambra versio", "room_version": "Ĉambra versio:" + }, + "delete_avatar_label": "Forigi profilbildon", + "upload_avatar_label": "Alŝuti profilbildon", + "visibility": { + "error_update_guest_access": "Malsukcesis ĝisdatigi aliron de gastoj al ĉi tiu aro", + "error_update_history_visibility": "Malsukcesis ĝisdatigi videblecon de historio de ĉi tiu aro", + "guest_access_explainer": "Gastoj povas aliĝi al aro sen konto.", + "guest_access_explainer_public_space": "Tio povas esti utila por publikaj aroj.", + "title": "Videbleco", + "error_failed_save": "Malsukcesis ĝisdatigi la videblecon de ĉi tiu aro", + "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" + }, + "access": { + "title": "Aliro", + "description_space": "Decidu, kiu povas rigardi kaj aliĝi aron %(spaceName)s." } }, "encryption": { @@ -2588,7 +2508,13 @@ "sas_caption_user": "Kontrolu ĉu tiun uzanton per konfirmo, ke la jena numero aperis sur ĝia ekrano.", "unsupported_method": "Ne povas trovi subtenatan metodon de kontrolo.", "waiting_other_user": "Atendas kontrolon de %(displayName)s…", - "cancelling": "Nuligante…" + "cancelling": "Nuligante…", + "unverified_sessions_toast_title": "Vi havas nekontrolitajn salutaĵojn", + "unverified_sessions_toast_description": "Kontrolu por certigi sekurecon de via konto", + "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" }, "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.", @@ -2598,7 +2524,18 @@ "bootstrap_title": "Agordo de klavoj", "export_unsupported": "Via foliumilo ne subtenas la bezonatajn ĉifrajn kromprogramojn", "import_invalid_keyfile": "Nevalida ŝlosila dosiero de %(brand)s", - "import_invalid_passphrase": "Aŭtentikiga kontrolo malsukcesis: ĉu pro malĝusta pasvorto?" + "import_invalid_passphrase": "Aŭtentikiga kontrolo malsukcesis: ĉu pro malĝusta pasvorto?", + "set_up_toast_title": "Agordi Sekuran savkopiadon", + "upgrade_toast_title": "Ĝisdatigo de ĉifrado haveblas", + "verify_toast_title": "Kontroli ĉi tiun salutaĵon", + "set_up_toast_description": "Malhelpu perdon de aliro al ĉifritaj mesaĝoj kaj datumoj", + "verify_toast_description": "Aliaj uzantoj eble ne kredas ĝin", + "cross_signing_unsupported": "Via hejmservilo ne subtenas delegajn subskribojn.", + "cross_signing_ready": "Delegaj subskriboj estas pretaj por uzado.", + "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": "" }, "emoji": { "category_frequently_used": "Ofte uzataj", @@ -2615,7 +2552,8 @@ }, "analytics": { "consent_migration": "Vi antaŭe konsentis kunhavigi anonimajn uzdatumojn kun ni. Ni ĝisdatigas kiel tio funkcias.", - "accept_button": "Tio estas bone" + "accept_button": "Tio estas bone", + "shared_data_heading": "Ĉiu el la jenaj datumoj povas kunhaviĝi:" }, "chat_effects": { "confetti_description": "Sendas la mesaĝon kun konfetoj", @@ -2746,7 +2684,8 @@ "no_hs_url_provided": "Neniu hejmservila URL donita", "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." + "incorrect_credentials_detail": "Rimarku ke vi salutas la servilon %(hs)s, ne matrix.org.", + "create_account_title": "Krei konton" }, "room_list": { "sort_unread_first": "Montri ĉambrojn kun nelegitaj mesaĝoj kiel unuajn", @@ -2788,7 +2727,8 @@ "intro_welcome": "Bonvenu al %(appName)s", "send_dm": "Sendi rektan mesaĝon", "explore_rooms": "Esplori publikajn ĉambrojn", - "create_room": "Krei grupan babilon" + "create_room": "Krei grupan babilon", + "create_account": "Krei konton" }, "setting": { "help_about": { @@ -2872,7 +2812,31 @@ "error_need_to_be_logged_in": "Vi devas esti salutinta.", "error_need_invite_permission": "Vi bezonas permeson inviti uzantojn por tio.", "error_need_kick_permission": "Vi devas povi piedbati uzantojn por fari tion.", - "no_name": "Nekonata aplikaĵo" + "no_name": "Nekonata aplikaĵo", + "context_menu": { + "start_audio_stream": "Komenci sonelsendon", + "screenshot": "Foti", + "delete": "Forigi fenestraĵon", + "delete_warning": "Forigo de fenestraĵo efektiviĝos por ĉiuj uzantoj en ĉi tiu ĉambro. Ĉu vi certe volas ĝin forigi?", + "remove": "Forigi por ĉiuj", + "revoke": "Nuligi permesojn", + "move_left": "Movi maldekstren", + "move_right": "Movi dekstren" + }, + "shared_data_name": "Via vidiga nomo", + "shared_data_mxid": "Via identigilo de uzanto", + "shared_data_theme": "Via haŭto", + "shared_data_url": "URL de %(brand)s", + "shared_data_room_id": "Identigilo de ĉambro", + "shared_data_widget_id": "Identigilo de fenestraĵo", + "shared_data_warning_im": "Uzo de tiu ĉi fenestraĵo eble havigos datumojn al %(widgetDomain)s kaj via kunigilo.", + "shared_data_warning": "Uzo de tiu ĉi fenestraĵo eble havigos datumojn kun %(widgetDomain)s.", + "unencrypted_warning": "Fenestraĵoj ne uzas ĉifradon de mesaĝoj.", + "added_by": "Fenestraĵon aldonis", + "cookie_warning": "Ĉi tiu fenestraĵo povas uzi kuketojn.", + "error_loading": "Eraris enlegado de fenestraĵo", + "error_mixed_content": "Eraris – Miksita enhavo", + "popout": "Fenestrigi fenestraĵon" }, "feedback": { "sent": "Prikomentoj sendiĝis", @@ -2965,9 +2929,14 @@ "incompatible_server_hierarchy": "Via servilo ne subtenas montradon de hierarĥioj de aroj.", "context_menu": { "explore": "Esplori ĉambrojn", - "manage_and_explore": "Administri kaj esplori ĉambrojn" + "manage_and_explore": "Administri kaj esplori ĉambrojn", + "options": "Agordoj de aro" }, - "share_public": "Diskonigu vian publikan aron" + "share_public": "Diskonigu vian publikan aron", + "search_children": "Serĉi je %(spaceName)s", + "invite_link": "Diskonigi invitan ligilon", + "invite": "Inviti personojn", + "invite_description": "Inviti per retpoŝtadreso aŭ uzantonomo" }, "location_sharing": { "MapStyleUrlNotConfigured": "Ĉi tiu hejmservilo ne estas agordita por montri mapojn.", @@ -2978,7 +2947,8 @@ "mapbox_logo": "Mapbox-emblemo", "reset_bearing": "Restarigu la lagron norden", "failed_generic": "Via loko ne eblis akiri. Bonvolu reprovi poste.", - "failed_timeout": "Tempo elĉerpita akiri vian lokon. Bonvolu reprovi poste." + "failed_timeout": "Tempo elĉerpita akiri vian lokon. Bonvolu reprovi poste.", + "share_button": "Kunhavigi lokon" }, "labs_mjolnir": { "room_name": "Mia listo de forbaroj", @@ -3013,7 +2983,6 @@ }, "create_space": { "name_required": "Bonvolu enigi nomon por la aro", - "name_placeholder": "ekz. mia-aro", "public_description": "Malferma aro por ĉiu ajn, ideala por komunumoj", "private_description": "Nur invita, ideala por vi mem aŭ por skipoj", "public_heading": "Via publika aro", @@ -3039,11 +3008,16 @@ "invite_teammates_by_username": "Inviti per uzantonomo", "setup_rooms_community_heading": "Pri kio volus vi diskuti en %(spaceName)s?", "setup_rooms_community_description": "Kreu ni ĉambron por ĉiu el ili.", - "setup_rooms_description": "Vi povas aldoni pliajn poste, inkluzive tiujn, kiuj jam ekzistas." + "setup_rooms_description": "Vi povas aldoni pliajn poste, inkluzive tiujn, kiuj jam ekzistas.", + "address_placeholder": "ekz. mia-aro", + "address_label": "Adreso", + "label": "Krei aron", + "add_details_prompt_2": "Vi povas ŝanĝi ĉi tiujn kiam ajn vi volas." }, "user_menu": { "switch_theme_light": "Ŝalti helan reĝimon", - "switch_theme_dark": "Ŝalti malhelan reĝimon" + "switch_theme_dark": "Ŝalti malhelan reĝimon", + "settings": "Ĉiuj agordoj" }, "notif_panel": { "empty_description": "Vi havas neniujn videblajn sciigojn." @@ -3074,7 +3048,17 @@ "leave_error_title": "Eraro dum foriro de la ĉambro", "upgrade_error_title": "Eraris ĝisdatigo de la ĉambro", "upgrade_error_description": "Bone kontrolu, ĉu via servilo subtenas la elektitan version de ĉambro, kaj reprovu.", - "leave_server_notices_description": "Ĉi tiu ĉambro uziĝas por gravaj mesaĝoj de la hejmservilo, kaj tial vi ne povas foriri." + "leave_server_notices_description": "Ĉi tiu ĉambro uziĝas por gravaj mesaĝoj de la hejmservilo, kaj tial vi ne povas foriri.", + "error_join_incompatible_version_1": "Pardonon, via hejmservilo estas tro malnova por partopreni ĉi tie.", + "error_join_incompatible_version_2": "Bonvolu kontakti la administranton de via hejmservilo.", + "error_join_404_invite": "Aŭ la persono, kiu vin invitis, jam foriris, aŭ ĝia servilo estas eksterreta.", + "error_join_title": "Malsukcesis aliĝi", + "context_menu": { + "unfavourite": "Elstarigita", + "favourite": "Elstarigi", + "low_priority": "Malalta prioritato", + "forget": "Forgesi ĉambron" + } }, "file_panel": { "guest_note": "Vi devas registriĝî por uzi tiun ĉi funkcion", @@ -3094,7 +3078,8 @@ "tac_button": "Tralegi uzokondiĉojn", "identity_server_no_terms_title": "Identiga servilo havas neniujn uzkondiĉojn", "identity_server_no_terms_description_1": "Ĉi tiu ago bezonas atingi la norman identigan servilon por kontroli retpoŝtadreson aŭ telefonnumeron, sed la servilo ne havas uzokondiĉojn.", - "identity_server_no_terms_description_2": "Nur daŭrigu se vi fidas al la posedanto de la servilo." + "identity_server_no_terms_description_2": "Nur daŭrigu se vi fidas al la posedanto de la servilo.", + "inline_intro_text": "Akceptu por daŭrigi:" }, "space_settings": { "title": "Agordoj – %(spaceName)s" @@ -3174,7 +3159,13 @@ "sync": "Ne povas konektiĝi al hejmservilo. Reprovante…", "connection": "Eraris komunikado kun la hejmservilo, bonvolu reprovi poste.", "mixed_content": "Hejmservilo ne alkonekteblas per HTTP kun HTTPS URL en via adresbreto. Aŭ uzu HTTPS aŭ ŝaltu malsekurajn skriptojn.", - "tls": "Ne eblas konekti al hejmservilo – bonvolu kontroli vian konekton, certigi ke la SSL-atestilo de via hejmservilo estas fidata, kaj ke neniu foliumila kromprogramo blokas petojn." + "tls": "Ne eblas konekti al hejmservilo – bonvolu kontroli vian konekton, certigi ke la SSL-atestilo de via hejmservilo estas fidata, kaj ke neniu foliumila kromprogramo blokas petojn.", + "admin_contact_short": "Kontaktu administranton de via servilo.", + "non_urgent_echo_failure_toast": "Via servilo ne respondas al iuj petoj.", + "failed_copy": "Malsukcesis kopii", + "something_went_wrong": "Io misokazis!", + "update_power_level": "Malsukcesis ŝanĝi povnivelon", + "unknown": "Nekonata eraro" }, "in_space1_and_space2": "En aroj %(space1Name)s kaj %(space2Name)s.", "in_space_and_n_other_spaces": { @@ -3182,5 +3173,44 @@ "other": "En %(spaceName)s kaj %(count)s aliaj aroj." }, "in_space": "En aro %(spaceName)s.", - "name_and_id": "%(name)s (%(userId)s)" + "name_and_id": "%(name)s (%(userId)s)", + "items_and_n_others": { + "other": " kaj %(count)s aliaj", + "one": " kaj unu alia" + }, + "notifications": { + "enable_prompt_toast_title_from_message_send": "Ne preterpasu respondon", + "enable_prompt_toast_title": "Sciigoj", + "enable_prompt_toast_description": "Ŝalti labortablajn sciigojn", + "colour_none": "Neniu", + "colour_bold": "Grase", + "error_change_title": "Ŝanĝi agordojn pri sciigoj", + "mark_all_read": "Marki ĉion legita", + "keyword": "Ĉefvorto", + "keyword_new": "Nova ĉefvorto", + "class_global": "Ĉie", + "class_other": "Alia", + "mentions_keywords": "Mencioj kaj ĉefvortoj" + }, + "mobile_guide": { + "toast_title": "Uzu aplikaĵon por pli bona sperto", + "toast_description": "%(brand)s estas eksperimenta en poŝtelefona retumilo. Por pli bona sperto kaj freŝaj funkcioj, uzu nian senpagan malfremdan aplikaĵon.", + "toast_accept": "Uzu aplikaĵon" + }, + "room_summary_card_back_action_label": "Informoj pri ĉambro", + "quick_settings": { + "title": "Rapidaj agordoj", + "all_settings": "Ĉiuj agordoj", + "metaspace_section": "Fiksi al flanka breto", + "sidebar_settings": "Pliaj elektebloj" + }, + "lightbox": { + "rotate_left": "Turni maldekstren", + "rotate_right": "Turni dekstren" + }, + "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." + } } diff --git a/src/i18n/strings/es.json b/src/i18n/strings/es.json index 0ffdfbc769..1263c56ba2 100644 --- a/src/i18n/strings/es.json +++ b/src/i18n/strings/es.json @@ -17,7 +17,6 @@ "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 change power level": "Fallo al cambiar de nivel de acceso", "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", @@ -25,7 +24,6 @@ "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", - "Favourite": "Añadir a favoritos", "Filter room members": "Filtrar miembros de la sala", "Forget room": "Olvidar sala", "Historical": "Historial", @@ -42,7 +40,6 @@ "Home": "Inicio", "Invited": "Invitado", "Jump to first unread message.": "Ir al primer mensaje no leído.", - "Something went wrong!": "¡Algo ha fallado!", "Create new room": "Crear una nueva sala", "Passphrases must match": "Las contraseñas deben coincidir", "Passphrase must not be empty": "La contraseña no puede estar en blanco", @@ -50,8 +47,6 @@ "Confirm passphrase": "Confirmar frase de contraseña", "Import room keys": "Importar claves de sala", "File to import": "Fichero a importar", - "Reject all %(invitedRooms)s invites": "Rechazar todas las invitaciones a %(invitedRooms)s", - "Unknown error": "Error desconocido", "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.", @@ -63,12 +58,8 @@ "Moderator": "Moderador", "New passwords must match each other.": "Las contraseñas nuevas deben coincidir.", "not specified": "sin especificar", - "Notifications": "Notificaciones", - "": "", - "No display name": "Sin nombre público", "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.", - "Profile": "Perfil", "Reason": "Motivo", "Reject invitation": "Rechazar invitación", "Return to login screen": "Regresar a la pantalla de inicio de sesión", @@ -76,7 +67,6 @@ "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.", - "Delete widget": "Eliminar accesorio", "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", @@ -87,7 +77,6 @@ "one": "Subiendo %(filename)s y otros %(count)s", "other": "Subiendo %(filename)s y otros %(count)s" }, - "Upload avatar": "Adjuntar avatar", "Verification Pending": "Verificación Pendiente", "Warning!": "¡Advertencia!", "AM": "AM", @@ -117,14 +106,12 @@ "Nov": "nov.", "Dec": "dic.", "Sunday": "Domingo", - "Notification targets": "Destinos de notificaciones", "Today": "Hoy", "Friday": "Viernes", "Changelog": "Registro de cambios", "Failed to send logs: ": "Error al enviar registros: ", "This Room": "Esta sala", "Unavailable": "No disponible", - "Source URL": "URL de Origen", "Filter results": "Filtrar resultados", "Tuesday": "Martes", "Search…": "Buscar…", @@ -141,7 +128,6 @@ "Thursday": "Jueves", "Logs sent": "Registros enviados", "Yesterday": "Ayer", - "Low Priority": "Prioridad baja", "Wednesday": "Miércoles", "Permission Required": "Se necesita permiso", "%(weekDayName)s %(time)s": "%(weekDayName)s a las %(time)s", @@ -170,17 +156,9 @@ "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", - "Copied!": "¡Copiado!", - "Failed to copy": "Falló la copia", "Add an Integration": "Añadir una Integración", "You are about to be taken to a third-party site so you can authenticate your account for use with %(integrationsUrl)s. Do you wish to continue?": "Estás a punto de ir a un sitio externo para que puedas iniciar sesión con tu cuenta y usarla en %(integrationsUrl)s. ¿Quieres seguir?", "Delete Widget": "Eliminar accesorio", - "Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "Al borrar un accesorio, este se elimina para todos usuarios de la sala. ¿Estás seguro?", - "Popout widget": "Abrir accesorio en una ventana emergente", - " and %(count)s others": { - "other": " y otros %(count)s", - "one": " y otro más" - }, "collapse": "encoger", "expand": "desplegar", "Unable to load event that was replied to, it either does not exist or you do not have permission to view it.": "No se pudo cargar el evento al que se respondió, bien porque no existe o no tiene permiso para verlo.", @@ -216,7 +194,6 @@ "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.", - "Please contact your homeserver administrator.": "Por favor, contacta con la administración de tu servidor base.", "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", @@ -292,24 +269,15 @@ "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", - "Delete Backup": "Borrar copia de seguridad", - "Are you sure? You will lose your encrypted messages if your keys are not backed up properly.": "¿Estás seguro? Perderás tus mensajes cifrados si las claves no se copian adecuadamente.", "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.", - "Unable to load key backup status": "No se pudo cargar el estado de la copia de la clave", - "Restore from Backup": "Restaurar una copia de seguridad", "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.", - "All keys backed up": "Se han copiado todas las claves", "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", - "Profile picture": "Foto de perfil", - "Display Name": "Nombre público", - "General": "General", "Room Addresses": "Direcciones de la sala", "Account management": "Gestión de la cuenta", "Ignored users": "Usuarios ignorados", - "Bulk options": "Opciones generales", "Missing media permissions, click the button below to request.": "No hay permisos de medios, haz clic abajo para pedirlos.", "Request media permissions": "Pedir permisos de los medios", "Add some now": "Añadir alguno ahora", @@ -328,15 +296,7 @@ "Verify this user to mark them as trusted. Trusting users gives you extra peace of mind when using end-to-end encrypted messages.": "Verifica a este usuario para marcarlo como de confianza. Confiar en usuarios aporta tranquilidad en los mensajes cifrados de extremo a extremo.", "Incoming Verification Request": "Petición de verificación entrante", "Scissors": "Tijeras", - "Accept to continue:": ", acepta para continuar:", - "Cannot connect to integration manager": "No se puede conectar al gestor de integraciones", - "The integration manager is offline or it cannot reach your homeserver.": "El gestor de integraciones está desconectado o no puede conectar con su servidor.", - "Jump to first unread room.": "Saltar a la primera sala sin leer.", - "Verify this session": "Verifica esta sesión", - "Encryption upgrade available": "Mejora de cifrado disponible", "Lock": "Bloquear", - "Other users may not trust it": "Puede que otros usuarios no confíen en ella", - "Later": "Más tarde", "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.", @@ -392,10 +352,6 @@ "Discovery": "Descubrimiento", "Deactivate account": "Desactivar cuenta", "None": "Ninguno", - "Secret storage public key:": "Clave pública del almacén secreto:", - "in account data": "en datos de cuenta", - "not stored": "no almacenado", - "Message search": "Búsqueda de mensajes", "Sounds": "Sonidos", "Notification sound": "Sonido para las notificaciones", "Set a new custom sound": "Establecer sonido personalizado", @@ -408,7 +364,6 @@ "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", - "Your keys are not being backed up from this session.": "No se está haciendo una copia de seguridad de tus claves 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 ?", @@ -417,23 +372,12 @@ "Disconnect identity server": "Desconectar servidor de identidad", "Disconnect from the identity server ?": "¿Desconectarse del servidor de identidad ?", "You should:": "Deberías:", - "New login. Was this you?": "Nuevo inicio de sesión. ¿Fuiste tú?", "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", - "Your homeserver does not support cross-signing.": "Tu servidor base no soporta las firmas cruzadas.", - "Your account has a cross-signing identity in secret storage, but it is not yet trusted by this session.": "Su cuenta tiene una identidad de firma cruzada en un almacenamiento secreto, pero aún no es confiada en esta sesión.", - "well formed": "bien formado", - "unexpected type": "tipo inesperado", - "Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "Verificar individualmente cada sesión utilizada por un usuario para marcarla como de confianza, no confiando en dispositivos de firma cruzada.", - "Securely cache encrypted messages locally for them to appear in search results.": "Almacenar localmente, de manera segura, a los mensajes cifrados localmente para que aparezcan en los resultados de búsqueda.", - "%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with search components added.": "A %(brand)s le faltan algunos componentes necesarios para el almacenamiento seguro de mensajes cifrados a nivel local. Si quieres experimentar con esta característica, construye un Escritorio %(brand)s personalizado con componentes de búsqueda añadidos.", - "This session is not backing up your keys, but you do have an existing backup you can restore from and add to going forward.": "Esta sesión no ha creado una copia de seguridad de tus llaves, pero tienes una copia de seguridad existente de la que puedes restaurar y añadir para proceder.", - "Connect this session to key backup before signing out to avoid losing any keys that may only be on this session.": "Conecte esta sesión a la copia de seguridad de las claves antes de firmar y así evitar perder las claves que sólo existen en esta sesión.", - "Connect this session to Key Backup": "Conecta esta sesión a la copia de respaldo de tu clave", "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 ", @@ -442,7 +386,6 @@ "You are still sharing your personal data on the identity server .": "Usted todavía está compartiendo sus datos personales en el servidor de identidad .", "We recommend that you remove your email addresses and phone numbers from the identity server before disconnecting.": "Le recomendamos que elimine sus direcciones de correo electrónico y números de teléfono del servidor de identidad antes de desconectarse.", "To report a Matrix-related security issue, please read the Matrix.org Security Disclosure Policy.": "Para informar de un problema de seguridad relacionado con Matrix, lee la Política de divulgación de seguridad de Matrix.org.", - "Accept all %(invitedRooms)s invites": "Aceptar todas las invitaciones de %(invitedRooms)s", "This room is bridging messages to the following platforms. Learn more.": "Esta sala está haciendo puente con las siguientes plataformas. Aprende más.", "Bridges": "Puentes", "Uploaded sound": "Sonido subido", @@ -463,7 +406,6 @@ "This room is end-to-end encrypted": "Esta sala usa cifrado de extremo a extremo", "Everyone in this room is verified": "Todos los participantes en esta sala están verificados", "Edit message": "Editar mensaje", - "Rotate Right": "Girar a la derecha", "Language Dropdown": "Lista selección de idiomas", "Power level": "Nivel de poder", "e.g. my-room": "p.ej. mi-sala", @@ -488,8 +430,6 @@ "Clear all data in this session?": "¿Borrar todos los datos en esta sesión?", "Clearing all data from this session is permanent. Encrypted messages will be lost unless their keys have been backed up.": "La eliminación de todos los datos de esta sesión es definitiva. Los mensajes cifrados se perderán, a menos que se haya hecho una copia de seguridad de sus claves.", "Clear all data": "Borrar todos los datos", - "Hide advanced": "Ocultar ajustes avanzados", - "Show advanced": "Mostrar ajustes avanzados", "Server did not require any authentication": "El servidor no requirió ninguna autenticación", "Server did not return valid authentication information.": "El servidor no devolvió información de autenticación válida.", "Confirm your account deactivation by using Single Sign On to prove your identity.": "Confirme la desactivación de su cuenta, usando Registro Único para probar su identidad.", @@ -560,7 +500,6 @@ "Could not revoke the invite. The server may be experiencing a temporary problem or you do not have sufficient permissions to revoke the invite.": "No se logró revocar la invitación. El servidor puede sufrir un problema temporal o usted no tiene los permisos suficientes para revocar la invitación.", "Revoke invite": "Revocar invitación", "Invited by %(sender)s": "Invitado por %(sender)s", - "Mark all as read": "Marcar todo como leído", "Error updating main address": "Error al actualizar la dirección principal", "There was an error updating the room's main address. It may not be allowed by the server or a temporary failure occurred.": "Hubo un error al actualizar la dirección principal de la sala. Posiblemente el servidor no lo permita o se produjo 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.": "Hubo un error al actualizar la dirección alternativa de la sala. Posiblemente el servidor no lo permita o se produjo un error temporal.", @@ -629,19 +568,6 @@ "Can't load this message": "No se ha podido cargar este mensaje", "Submit logs": "Enviar registros", "Cancel search": "Cancelar búsqueda", - "Any of the following data may be shared:": "Cualquiera de los siguientes datos puede ser compartido:", - "Your display name": "Su nombre mostrado", - "Your user ID": "Tu ID de usuario", - "Your theme": "Su tema", - "%(brand)s URL": "URL de %(brand)s", - "Room ID": "ID de la sala", - "Widget ID": "ID del accesorios", - "Using this widget may share data with %(widgetDomain)s.": "Usar este accesorios puede resultar en que se compartan datos con %(widgetDomain)s.", - "Widgets do not use message encryption.": "Los accesorios no utilizan el cifrado de mensajes.", - "Widget added by": "Accesorio añadido por", - "This widget may use cookies.": "Puede que el accesorio use cookies.", - "More options": "Mas opciones", - "Rotate Left": "Girar a la izquierda", "Upload completed": "Subida completada", "Cancelled signature upload": "Subida de firma cancelada", "Unable to upload": "No se ha podido enviar", @@ -663,7 +589,6 @@ "Successfully restored %(sessionCount)s keys": "%(sessionCount)s claves restauradas con éxito", "Warning: you should only set up key backup from a trusted computer.": "Advertencia: deberías configurar la copia de seguridad de claves solamente usando un ordenador de confianza.", "Resend %(unsentCount)s reaction(s)": "Reenviar %(unsentCount)s reacción(es)", - "Remove for everyone": "Eliminar para todos", "This homeserver would like to make sure you are not a robot.": "A este servidor le gustaría asegurarse de que no eres un robot.", "Country Dropdown": "Seleccione país", "Email (optional)": "Correo electrónico (opcional)", @@ -671,7 +596,6 @@ "Sign in with SSO": "Ingrese con SSO", "Couldn't load page": "No se ha podido cargar la página", "Explore rooms": "Explorar salas", - "Jump to first invite.": "Salte a la primera invitación.", "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.", @@ -686,27 +610,13 @@ "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.", - "Contact your server admin.": "Contacta con el administrador del servidor.", "This session is encrypting history using the new recovery method.": "Esta sesión está cifrando el historial usando el nuevo método de recuperación.", - "Change notification settings": "Cambiar los ajustes de notificaciones", - "Your server isn't responding to some requests.": "Tú servidor no esta respondiendo a ciertas solicitudes.", "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", - "Cross-signing is ready for use.": "La firma cruzada está lista para su uso.", - "Cross-signing is not set up.": "La firma cruzada no está configurada.", - "%(brand)s can't securely cache encrypted messages locally while running in a web browser. Use %(brand)s Desktop for encrypted messages to appear in search results.": "%(brand)s no puede almacenar en caché de forma segura mensajes cifrados localmente mientras se ejecuta en un navegador web. Usa %(brand)s Escritorio para que los mensajes cifrados aparezcan en los resultados de búsqueda.", "Backup version:": "Versión de la copia de seguridad:", - "Algorithm:": "Algoritmo:", - "Backup key stored:": "Clave de respaldo almacenada:", - "Backup key cached:": "Clave de respaldo almacenada en caché:", - "Secret storage:": "Almacenamiento secreto:", - "ready": "Listo", - "not ready": "no está listo", - "Forget Room": "Olvidar sala", - "Favourited": "Favorecido", "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.", @@ -716,7 +626,6 @@ "Not encrypted": "Sin cifrar", "Room settings": "Configuración de la sala", "You've successfully verified your device!": "¡Ha verificado correctamente su dispositivo!", - "Take a picture": "Toma una foto", "Edited at %(date)s": "Última vez editado: %(date)s", "Click to view edits": "Haz clic para ver las ediciones", "Information": "Información", @@ -746,9 +655,7 @@ "Security Key": "Clave de seguridad", "Use your Security Key to continue.": "Usa tu llave de seguridad para continuar.", "This room is public": "Esta sala es pública", - "All settings": "Ajustes", "Switch theme": "Cambiar tema", - "Create account": "Crear una cuenta", "Failed to re-authenticate due to a homeserver problem": "No ha sido posible volver a autenticarse debido a un problema con el servidor base", "Clear personal data": "Borrar datos personales", "Confirm encryption setup": "Confirmar la configuración de cifrado", @@ -768,7 +675,6 @@ "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.", - "Set up Secure Backup": "Configurar copia de seguridad segura", "Upgrade your encryption": "Actualice su cifrado", "Set a Security Phrase": "Establecer una frase de seguridad", "Confirm Security Phrase": "Confirmar la frase de seguridad", @@ -966,9 +872,6 @@ "Algeria": "Argelia", "Åland Islands": "Åland", "Great! This Security Phrase looks strong enough.": "¡Genial! Esta frase de seguridad parece lo suficientemente segura.", - "Move right": "Mover a la derecha", - "Move left": "Mover a la izquierda", - "Revoke permissions": "Quitar permisos", "Hold": "Poner en espera", "Resume": "Recuperar", "Enter Security Phrase": "Introducir la frase de seguridad", @@ -996,15 +899,7 @@ "Reason (optional)": "Motivo (opcional)", "Server Options": "Opciones del servidor", "Open dial pad": "Abrir teclado numérico", - "Back up your encryption keys with your account data in case you lose access to your sessions. Your keys will be secured with a unique Security Key.": "Haz una copia de seguridad de tus claves de cifrado con los datos de tu cuenta por si pierdes acceso a tus sesiones. Las clave serán aseguradas con una clave de seguridad única.", - "The operation could not be completed": "No se ha podido completar la operación", - "Failed to save your profile": "No se ha podido guardar tu perfil", "Dial pad": "Teclado numérico", - "Safeguard against losing access to encrypted messages & data": "Evita perder acceso a datos y mensajes cifrados", - "Use app": "Usar la aplicación", - "Use app for a better experience": "Usa la aplicación para una experiencia mejor", - "Enable desktop notifications": "Activar las notificaciones de escritorio", - "Don't miss a reply": "No te pierdas ninguna respuesta", "Sint Maarten": "San Martín", "Singapore": "Singapur", "Sierra Leone": "Sierra Leona", @@ -1105,10 +1000,6 @@ "Unable to access secret storage. Please verify that you entered the correct Security Phrase.": "No se ha podido acceder al almacenamiento seguro. Por favor, comprueba que la frase de seguridad es correcta.", "Just a heads up, if you don't add an email and forget your password, you could permanently lose access to your account.": "Ten en cuenta que, si no añades un correo electrónico y olvidas tu contraseña, podrías perder accceso para siempre a tu cuenta.", "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.", - "Securely cache encrypted messages locally for them to appear in search results, using %(size)s to store messages from %(rooms)s rooms.": { - "one": "Guardar mensajes cifrados de forma segura y local para que aparezcan en los resultados de búsqueda, usando %(size)s para almacenar mensajes de %(rooms)s sala.", - "other": "Guardar mensajes cifrados de forma segura y local para que aparezcan en los resultados de búsqueda, usando %(size)s para almacenar mensajes de %(rooms)s salas." - }, "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", @@ -1119,27 +1010,17 @@ }, "Are you sure you want to leave the space '%(spaceName)s'?": "¿Salir del espacio «%(spaceName)s»?", "This space is not public. You will not be able to rejoin without an invite.": "Este espacio es privado. No podrás volverte a unir sin una invitación.", - "Start audio stream": "Empezar retransmisión de audio", "Failed to start livestream": "No se ha podido empezar la retransmisión", "Unable to start audio streaming.": "No se ha podido empezar la retransmisión del audio.", - "Save Changes": "Guardar cambios", - "Leave Space": "Salir del espacio", - "Edit settings relating to your space.": "Edita los ajustes de tu espacio.", - "Failed to save space settings.": "No se han podido guardar los ajustes del espacio.", "Invite someone using their name, email address, username (like ) or share this space.": "Invita a más gente usando su nombre, correo electrónico, nombre de usuario (ej.: ) o compartiendo el enlace a este espacio.", "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", - "Spaces": "Espacios", "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", - "Space options": "Opciones del espacio", "Leave space": "Salir del espacio", - "Invite people": "Invitar gente", - "Share invite link": "Compartir enlace de invitación", - "Click to copy": "Haz clic para copiar", "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", @@ -1154,8 +1035,6 @@ "You don't have permission": "No tienes permisos", "Invite to %(roomName)s": "Invitar a %(roomName)s", "Edit devices": "Gestionar dispositivos", - "Invite with email or username": "Invitar correos electrónicos o nombres de usuario", - "You can change these anytime.": "Puedes cambiar todo esto en cualquier momento.", "Avatar": "Imagen de perfil", "Consult first": "Consultar primero", "Invited people will be able to read old messages.": "Las personas que invites podrán leer los mensajes antiguos.", @@ -1165,9 +1044,6 @@ "one": "%(count)s persona que ya conoces se ha unido", "other": "%(count)s personas que ya conoces se han unido" }, - "unknown person": "persona desconocida", - "%(deviceId)s from %(ip)s": "%(deviceId)s desde %(ip)s", - "Review to ensure your account is safe": "Revisa que tu cuenta esté segura", "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", @@ -1204,8 +1080,6 @@ "No microphone found": "Micrófono no detectado", "We were unable to access your microphone. Please check your browser settings and try again.": "No hemos podido acceder a tu micrófono. Por favor, comprueba los ajustes de tu navegador e inténtalo de nuevo.", "Unable to access your microphone": "No se ha podido acceder a tu micrófono", - "Connecting": "Conectando", - "Message search initialisation failed": "Ha fallado la inicialización de la búsqueda de mensajes", "Search names and descriptions": "Buscar por nombre y descripción", "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.", @@ -1220,15 +1094,9 @@ "Message preview": "Vista previa del mensaje", "Sent": "Enviado", "You don't have permission to do this": "No tienes permisos para hacer eso", - "Error - Mixed content": "Error - Contenido mezclado", - "Error loading Widget": "Error al cargar el accesorio", "Pinned messages": "Mensajes fijados", "If you have permissions, open the menu on any message and select Pin to stick them here.": "Si tienes permisos, abre el menú de cualquier mensaje y selecciona Fijar para colocarlo aquí.", "Nothing pinned, yet": "Ningún mensaje fijado… todavía", - "Report": "Denunciar", - "Collapse reply thread": "Ocultar respuestas", - "Show preview": "Mostrar vista previa", - "View source": "Ver código fuente", "Please provide an address": "Por favor, elige una dirección", "Message search initialisation failed, check your settings for more information": "Ha fallado el sistema de búsqueda de mensajes. Comprueba tus ajustes para más información", "Set addresses for this space so users can find this space through your homeserver (%(localDomain)s)": "Elige una dirección para este espacio y los usuarios de tu servidor base (%(localDomain)s) podrán encontrarlo a través del buscador", @@ -1237,20 +1105,8 @@ "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", - "Recommended for public spaces.": "Recomendado para espacios públicos.", - "Allow people to preview your space before they join.": "Permitir que se pueda ver una vista previa del espacio antes de unirse a él.", - "Preview Space": "Previsualizar espacio", - "Decide who can view and join %(spaceName)s.": "Decide quién puede ver y unirse a %(spaceName)s.", - "Visibility": "Visibilidad", - "Guests can join a space without having an account.": "Dejar que las personas sin cuenta se unan al espacio.", - "This may be useful for public spaces.": "Esto puede ser útil para espacios públicos.", - "Enable guest access": "Permitir acceso a personas sin cuenta", - "Failed to update the history visibility of this space": "No se ha podido cambiar la visibilidad del historial de este espacio", - "Failed to update the guest access of this space": "No se ha podido cambiar el acceso a este espacio", - "Failed to update the visibility of this space": "No se ha podido cambiar la visibilidad 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.", - "Using this widget may share data with %(widgetDomain)s & your integration manager.": "Al usar este widget puede que se compartan datos con %(widgetDomain)s y tu gestor de integraciones.", "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.", @@ -1267,11 +1123,6 @@ "one": "Ver otras %(count)s vistas previas", "other": "Ver %(count)s otra vista previa" }, - "There was an error loading your notification settings.": "Ha ocurrido un error al cargar tus ajustes de notificaciones.", - "Mentions & keywords": "Menciones y palabras clave", - "Global": "Global", - "New keyword": "Nueva palabra clave", - "Keyword": "Palabra clave", "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", @@ -1289,20 +1140,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.", - "Anyone in a space can find and join. You can select multiple spaces.": "Cualquiera en un espacio puede encontrar y unirse. Puedes seleccionar varios espacios.", - "Spaces with access": "Espacios con acceso", - "Anyone in a space can find and join. Edit which spaces can access here.": "Cualquiera en un espacio puede encontrar y unirse. Ajusta qué espacios pueden acceder desde aquí.", - "Currently, %(count)s spaces have access": { - "other": "Ahora mismo, %(count)s espacios tienen acceso", - "one": "Ahora mismo, un espacio tiene acceso" - }, - "& %(count)s more": { - "other": "y %(count)s más", - "one": "y %(count)s más" - }, - "Upgrade required": "Actualización necesaria", - "This upgrade will allow members of selected spaces access to this room without an invite.": "Si actualizas, podrás configurar la sala para que los miembros de los espacios que elijas puedan unirse sin que tengas que invitarles.", - "Show all rooms": "Ver todas las salas", "Add space": "Añadir un espacio", "Spaces you know that contain this room": "Espacios que conoces que contienen esta sala", "Search spaces": "Buscar espacios", @@ -1311,7 +1148,6 @@ "You're the only admin of some of the rooms or spaces you wish to leave. Leaving them will leave them without any admins.": "Eres la única persona con permisos de administración en algunos de los espacios de los que quieres irte. Al salir de ellos, nadie podrá gestionarlos.", "You're the only admin of this space. Leaving it will mean no one has control over it.": "Eres la única persona con permisos de administración en este espacio. Cuando salgas, nadie más podrá gestionarlo.", "You won't be able to rejoin unless you are re-invited.": "No te podrás unir de nuevo hasta que te inviten otra vez a él.", - "Search %(spaceName)s": "Buscar en %(spaceName)s", "Want to add an existing space instead?": "¿Quieres añadir un espacio que ya exista?", "Private space (invite only)": "Espacio privado (solo por invitación)", "Space visibility": "Visibilidad del espacio", @@ -1323,28 +1159,17 @@ "Create a new space": "Crear un nuevo espacio", "Want to add a new space instead?": "¿Quieres añadir un espacio nuevo en su lugar?", "Add existing space": "Añadir un espacio ya existente", - "Share content": "Compartir contenido", - "Application window": "Ventana concreta", - "Share entire screen": "Compartir toda la pantalla", "Decrypting": "Descifrando", - "Access": "Acceso", - "Space members": "Miembros del espacio", "Missed call": "Llamada perdida", "Call declined": "Llamada rechazada", "Stop recording": "Dejar de grabar", "Send voice message": "Enviar un mensaje de voz", - "More": "Más", - "Show sidebar": "Ver menú lateral", - "Hide sidebar": "Ocultar menú lateral", "Unknown failure: %(reason)s": "Fallo desconocido: %(reason)s", - "Delete avatar": "Borrar avatar", - "Cross-signing is ready but keys are not backed up.": "La firma cruzada está lista, pero no hay copia de seguridad de las claves.", "Rooms and spaces": "Salas y espacios", "Results": "Resultados", "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", - "Anyone in can find and join. You can select other spaces too.": "Cualquiera en puede encontrar y unirse. También puedes seleccionar otros espacios.", "Unknown failure": "Fallo desconocido", "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.", @@ -1378,16 +1203,6 @@ "one": "%(count)s respuesta", "other": "%(count)s respuestas" }, - "Updating spaces... (%(progress)s out of %(count)s)": { - "one": "Actualizando espacio…", - "other": "Actualizando espacios… (%(progress)s de %(count)s)" - }, - "Sending invites... (%(progress)s out of %(count)s)": { - "one": "Enviando invitación…", - "other": "Enviando invitaciones… (%(progress)s de %(count)s)" - }, - "Loading new room": "Cargando la nueva sala", - "Upgrading room": "Actualizar sala", "Enter your Security Phrase or to continue.": "Escribe tu frase de seguridad o para continuar.", "View in room": "Ver en la sala", "Insert link": "Insertar enlace", @@ -1401,14 +1216,7 @@ "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.", - "This room is in some spaces you're not an admin of. In those spaces, the old room will still be shown, but people will be prompted to join the new one.": "Esta sala está en algún espacio en el que no eres administrador. En esos espacios, la sala antigua todavía aparecerá, pero se avisará a los participantes para que se unan a la nueva.", - "Spaces to show": "Qué espacios mostrar", - "Home is useful for getting an overview of everything.": "La pantalla de Inicio es útil para tener una vista general de todas tus conversaciones.", - "Show all your rooms in Home, even if they're in a space.": "Incluir todas tus salas en inicio, aunque estén dentro de un espacio.", "Reply in thread": "Responder en hilo", - "Rooms outside of a space": "Salas fuera de un espacio", - "Sidebar": "Barra lateral", - "Mentions only": "Solo menciones", "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", @@ -1423,13 +1231,11 @@ "one": "%(spaceName)s y %(count)s más" }, "Messaging": "Mensajería", - "Quick settings": "Ajustes rápidos", "Developer": "Desarrollo", "Experimental": "Experimentos", "Themes": "Temas", "Moderation": "Moderación", "Files": "Archivos", - "Pin to sidebar": "Fijar a la barra lateral", "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: ", @@ -1459,16 +1265,13 @@ "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", - "Copy room link": "Copiar enlace a la sala", "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", - "Share location": "Compartir ubicació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.", - "Share anonymous data to help us identify issues. Nothing personal. No third parties.": "Comparte datos anónimos para ayudarnos a descubrir fallos. No incluye nada personal, y no se comparten con terceros.", "Based on %(count)s votes": { "other": "%(count)s votos", "one": "%(count)s voto" @@ -1479,8 +1282,6 @@ "Open in OpenStreetMap": "Abrir en OpenStreetMap", "Verify other device": "Verificar otro dispositivo", "Missing domain separator e.g. (:domain.org)": "Falta el separador de dominio, ej.: (:dominio.org)", - "Room members": "Miembros de la sala", - "Back to chat": "Volver a la conversación", "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.", @@ -1506,7 +1307,6 @@ "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", - "Back to thread": "Volver al hilo", "Message pending moderation": "Mensaje esperando revisión", "Message pending moderation: %(reason)s": "Mensaje esperando revisión: %(reason)s", "Pick a date to jump to": "Elige la fecha a la que saltar", @@ -1535,15 +1335,8 @@ "Sorry, you can't edit a poll after votes have been cast.": "Lo siento, no puedes editar una encuesta después de que alguien haya votado en ella.", "Can't edit poll": "Encuesta no editable", "Open thread": "Abrir hilo", - "Group all your rooms that aren't part of a space in one place.": "Agrupa en un mismo sitio todas tus salas que no formen parte de un espacio.", - "Group all your people in one place.": "Agrupa a toda tu gente en un mismo sitio.", - "Group all your favourite rooms and people in one place.": "Agrupa en un mismo sitio todas tus salas y personas favoritas.", - "Spaces are ways to group rooms and people. Alongside the spaces you're in, you can use some pre-built ones too.": "Los espacios permiten agrupar salas y personas. Además de los espacios de los que ya formes parte, puedes usar algunos que vienen incluidos.", - "Match system": "Usar el del sistema", "Can't create a thread from an event with an existing relation": "No ha sido posible crear un hilo a partir de un evento con una relación existente", "You are sharing your live location": "Estás compartiendo tu ubicación en tiempo real", - "Click to drop a pin": "Haz clic para colocar un marcador", - "Click to move the pin": "Haz clic para mover el marcador", "Click": "Clic", "Expand quotes": "Expandir citas", "Collapse quotes": "Plegar citas", @@ -1554,13 +1347,11 @@ "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", - "Share for %(duration)s": "Compartir durante %(duration)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", - "%(brand)s is experimental on a mobile web browser. For a better experience and the latest features, use our free native app.": "%(brand)s en navegadores para móviles está en prueba. Para una mejor experiencia y para poder usar las últimas funcionalidades, usa nuestra aplicación nativa gratuita.", "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", "%(count)s participants": { @@ -1579,9 +1370,6 @@ "Loading preview": "Cargando previsualización", "New video room": "Nueva sala de vídeo", "New room": "Nueva sala", - "The person who invited you has already left.": "La persona que te invitó ya no está aquí.", - "Sorry, your homeserver is too old to participate here.": "Lo siento, tu servidor base es demasiado antiguo. No puedes participar aquí.", - "There was an error joining.": "Ha ocurrido un error al entrar.", "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", @@ -1594,7 +1382,6 @@ "Disinvite from room": "Retirar la invitación a la sala", "Remove from space": "Quitar del espacio", "Disinvite from space": "Retirar la invitación al espacio", - "Failed to join": "No ha sido posible unirse", "An error occurred while stopping your live location, please try again": "Ha ocurrido un error al dejar de compartir tu ubicación en tiempo real. Por favor, inténtalo de nuevo", "An error occurred while stopping your live location": "Ha ocurrido un error al dejar de compartir tu ubicación en tiempo real", "Close sidebar": "Cerrar barra lateral", @@ -1610,9 +1397,6 @@ "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:", - "Enable live location sharing": "Activar compartir ubicación en tiempo real", - "Please note: this is a labs feature using a temporary implementation. This means you will not be able to delete your location history, and advanced users will be able to see your location history even after you stop sharing your live location with this room.": "Nota: esta funcionalidad es un experimento, y su funcionamiento es todavía provisional. Esto significa que no podrás eliminar el historial de tu ubicación, y usuarios con conocimientos avanzados podrán verlo en esta sala incluso cuando dejes de compartir en tiempo real.", - "Live location sharing": "Compartir ubicación en tiempo real", "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.", @@ -1629,7 +1413,6 @@ "%(errcode)s was returned while trying to access the room or space. If you think you're seeing this message in error, please submit a bug report.": "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", - "The person who invited you has already left, or their server is offline.": "La persona que te ha invitado se ha ido ya, o su servidor está fuera de línea.", "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", @@ -1645,16 +1428,8 @@ "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", - "%(count)s people joined": { - "one": "%(count)s persona unida", - "other": "%(count)s personas unidas" - }, - "View related event": "Ver evento relacionado", "Read receipts": "Acuses de recibo", - "You were disconnected from the call. (Error: %(message)s)": "Te has desconectado de la llamada. (Error: %(message)s)", - "Connection lost": "Conexión interrumpida", "Deactivating your account is a permanent action — be careful!": "Desactivar tu cuenta es para siempre, ¡ten cuidado!", - "Un-maximise": "Dejar de maximizar", "When you sign out, these keys will be deleted from this device, which means you won't be able to read encrypted messages unless you have the keys for them on your other devices, or backed them up to the server.": "Al cerrar sesión, estas claves serán eliminadas del dispositivo. Esto significa que no podrás leer mensajes cifrados salvo que tengas sus claves en otros dispositivos, o hayas hecho una copia de seguridad usando el servidor.", "%(count)s Members": { "one": "%(count)s miembro", @@ -1690,14 +1465,11 @@ "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", - "For best security, verify your sessions and sign out from any session that you don't recognize or use anymore.": "Para más seguridad, verifica tus sesiones y cierra cualquiera que no reconozcas o hayas dejado de usar.", - "Sessions": "Sesiones", "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", - "You do not have permission to start voice calls": "No tienes permiso para iniciar llamadas de voz", "Failed to set pusher state": "Fallo al establecer el estado push", "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.", @@ -1709,14 +1481,9 @@ "Room info": "Info. de la sala", "Close call": "Terminar llamada", "Freedom": "Libertad", - "There's no one here to call": "No hay nadie a quien llamar aquí", - "You do not have permission to start video calls": "No tienes permiso para empezar videollamadas", - "Ongoing call": "Llamada en curso", "Video call (%(brand)s)": "Videollamada (%(brand)s)", "Video call (Jitsi)": "Videollamada (Jitsi)", "Call type": "Tipo de llamada", - "Sorry — this call is currently full": "Lo sentimos — la llamada está llena", - "Unknown room": "Sala desconocida", "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", @@ -1732,10 +1499,6 @@ "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", - "Are you sure you want to sign out of %(count)s sessions?": { - "one": "¿Seguro que quieres cerrar %(count)s sesión?", - "other": "¿Seguro que quieres cerrar %(count)s sesiones?" - }, "Devices connected": "Dispositivos conectados", "An unexpected error occurred.": "Ha ocurrido un error inesperado.", "The request was cancelled.": "La solicitud ha sido cancelada.", @@ -1751,7 +1514,6 @@ "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.", "Thread root ID: %(threadRootId)s": "ID del hilo raíz: %(threadRootId)s", - "Mark as read": "Marcar como leído", "WARNING: ": "ADVERTENCIA : ", "Unable to decrypt message": "No se ha podido descifrar el mensaje", "We were unable to start a chat with the other user.": "No se ha podido iniciar una conversación con el otro usuario.", @@ -1761,13 +1523,9 @@ "Change layout": "Cambiar disposición", "This message could not be decrypted": "No se ha podido descifrar este mensaje", " in %(room)s": " en %(room)s", - "Search users in this room…": "Buscar usuarios en esta sala…", - "Give one or multiple users in this room more privileges": "Otorga a uno o más usuarios privilegios especiales en esta sala", - "Add privileged users": "Añadir usuarios privilegiados", "Connecting…": "Conectando…", "Scan QR code": "Escanear código QR", "Loading live location…": "Cargando ubicación en tiempo real…", - "Mute room": "Silenciar sala", "Fetching keys from server…": "Obteniendo claves del servidor…", "Checking…": "Comprobando…", "Adding…": "Añadiendo…", @@ -1795,19 +1553,9 @@ "Sending your message…": "Enviando tu mensaje…", "Upload custom sound": "Subir archivo personalizado", "%(errorMessage)s (HTTP status %(httpStatus)s)": "%(errorMessage)s (estado HTTP %(httpStatus)s)", - "Connecting to integration manager…": "Conectando al gestor de integraciones…", - "Saving…": "Guardando…", - "Creating…": "Creando…", - "Verify Session": "Verificar sesión", - "Ignore (%(counter)s)": "Ignorar (%(counter)s)", "unknown": "desconocido", - "Red": "Rojo", - "Grey": "Gris", - "Yes, it was me": "Sí, fui yo", - "You have unverified sessions": "Tienes sesiones sin verificar", "Starting export process…": "Iniciando el proceso de exportación…", "Ended a poll": "Cerró una encuesta", - "If you know a room address, try joining through that instead.": "Si conoces la dirección de una sala, prueba a unirte a través de ella.", "Requires your server to support the stable version of MSC3827": "Requiere que tu servidor sea compatible con la versión estable de MSC3827", "This session is backing up your keys.": "", "Desktop app logo": "Logotipo de la aplicación de escritorio", @@ -1817,7 +1565,6 @@ "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", - "Your device ID": "ID de tu dispositivo", "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", @@ -1825,7 +1572,6 @@ "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»", - "Your language": "Tu idioma", "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", @@ -1926,7 +1672,15 @@ "off": "Apagado", "all_rooms": "Todas las salas", "deselect_all": "Deseleccionar todo", - "select_all": "Seleccionar todo" + "select_all": "Seleccionar todo", + "copied": "¡Copiado!", + "advanced": "Avanzado", + "spaces": "Espacios", + "general": "General", + "saving": "Guardando…", + "profile": "Perfil", + "display_name": "Nombre público", + "user_avatar": "Foto de perfil" }, "action": { "continue": "Continuar", @@ -2028,7 +1782,10 @@ "clear": "Borrar", "exit_fullscreeen": "Salir de pantalla completa", "enter_fullscreen": "Pantalla completa", - "unban": "Quitar Veto" + "unban": "Quitar Veto", + "click_to_copy": "Haz clic para copiar", + "hide_advanced": "Ocultar ajustes avanzados", + "show_advanced": "Mostrar ajustes avanzados" }, "a11y": { "user_menu": "Menú del Usuario", @@ -2040,7 +1797,8 @@ "other": "%(count)s mensajes sin leer.", "one": "1 mensaje sin leer." }, - "unread_messages": "Mensajes sin leer." + "unread_messages": "Mensajes sin leer.", + "jump_first_invite": "Salte a la primera invitación." }, "labs": { "video_rooms": "Salas de vídeo", @@ -2223,7 +1981,6 @@ "user_a11y": "Autocompletar de usuario" } }, - "Bold": "Negrita", "Link": "Enlace", "Code": "Código", "power_level": { @@ -2331,7 +2088,8 @@ "intro_byline": "Toma el control de tus conversaciones.", "send_dm": "Envía un mensaje directo", "explore_rooms": "Explora las salas públicas", - "create_room": "Crea un grupo" + "create_room": "Crea un grupo", + "create_account": "Crear una cuenta" }, "settings": { "show_breadcrumbs": "Incluir encima de la lista de salas unos atajos a las últimas salas que hayas visto", @@ -2396,7 +2154,9 @@ "noisy": "Sonoro", "error_permissions_denied": "%(brand)s no tiene permiso para enviarte notificaciones - por favor, comprueba los ajustes de tu navegador", "error_permissions_missing": "No le has dado permiso a %(brand)s para enviar notificaciones. Por favor, inténtalo de nuevo", - "error_title": "No se han podido activar las notificaciones" + "error_title": "No se han podido activar las notificaciones", + "push_targets": "Destinos de notificaciones", + "error_loading": "Ha ocurrido un error al cargar tus ajustes de notificaciones." }, "appearance": { "layout_irc": "IRC (en pruebas)", @@ -2469,7 +2229,42 @@ "cryptography_section": "Criptografía", "session_id": "Identidad (ID) de sesión:", "session_key": "Código de sesión:", - "encryption_section": "Cifrado" + "encryption_section": "Cifrado", + "bulk_options_section": "Opciones generales", + "bulk_options_accept_all_invites": "Aceptar todas las invitaciones de %(invitedRooms)s", + "bulk_options_reject_all_invites": "Rechazar todas las invitaciones a %(invitedRooms)s", + "message_search_section": "Búsqueda de mensajes", + "analytics_subsection_description": "Comparte datos anónimos para ayudarnos a descubrir fallos. No incluye nada personal, y no se comparten con terceros.", + "encryption_individual_verification_mode": "Verificar individualmente cada sesión utilizada por un usuario para marcarla como de confianza, no confiando en dispositivos de firma cruzada.", + "message_search_enabled": { + "one": "Guardar mensajes cifrados de forma segura y local para que aparezcan en los resultados de búsqueda, usando %(size)s para almacenar mensajes de %(rooms)s sala.", + "other": "Guardar mensajes cifrados de forma segura y local para que aparezcan en los resultados de búsqueda, usando %(size)s para almacenar mensajes de %(rooms)s salas." + }, + "message_search_disabled": "Almacenar localmente, de manera segura, a los mensajes cifrados localmente para que aparezcan en los resultados de búsqueda.", + "message_search_unsupported": "A %(brand)s le faltan algunos componentes necesarios para el almacenamiento seguro de mensajes cifrados a nivel local. Si quieres experimentar con esta característica, construye un Escritorio %(brand)s personalizado con componentes de búsqueda añadidos.", + "message_search_unsupported_web": "%(brand)s no puede almacenar en caché de forma segura mensajes cifrados localmente mientras se ejecuta en un navegador web. Usa %(brand)s Escritorio para que los mensajes cifrados aparezcan en los resultados de búsqueda.", + "message_search_failed": "Ha fallado la inicialización de la búsqueda de mensajes", + "backup_key_well_formed": "bien formado", + "backup_key_unexpected_type": "tipo inesperado", + "backup_keys_description": "Haz una copia de seguridad de tus claves de cifrado con los datos de tu cuenta por si pierdes acceso a tus sesiones. Las clave serán aseguradas con una clave de seguridad única.", + "backup_key_stored_status": "Clave de respaldo almacenada:", + "cross_signing_not_stored": "no almacenado", + "backup_key_cached_status": "Clave de respaldo almacenada en caché:", + "4s_public_key_status": "Clave pública del almacén secreto:", + "4s_public_key_in_account_data": "en datos de cuenta", + "secret_storage_status": "Almacenamiento secreto:", + "secret_storage_ready": "Listo", + "secret_storage_not_ready": "no está listo", + "delete_backup": "Borrar copia de seguridad", + "delete_backup_confirm_description": "¿Estás seguro? Perderás tus mensajes cifrados si las claves no se copian adecuadamente.", + "error_loading_key_backup_status": "No se pudo cargar el estado de la copia de la clave", + "restore_key_backup": "Restaurar una copia de seguridad", + "key_backup_inactive": "Esta sesión no ha creado una copia de seguridad de tus llaves, pero tienes una copia de seguridad existente de la que puedes restaurar y añadir para proceder.", + "key_backup_connect_prompt": "Conecte esta sesión a la copia de seguridad de las claves antes de firmar y así evitar perder las claves que sólo existen en esta sesión.", + "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." }, "preferences": { "room_list_heading": "Lista de salas", @@ -2572,7 +2367,13 @@ "other": "Cerrar sesión en los dispositivos" }, "security_recommendations": "Consejos de seguridad", - "security_recommendations_description": "Mejora la seguridad de tu cuenta siguiendo estas recomendaciones." + "security_recommendations_description": "Mejora la seguridad de tu cuenta siguiendo estas recomendaciones.", + "title": "Sesiones", + "sign_out_confirm_description": { + "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." }, "general": { "oidc_manage_button": "Gestionar cuenta", @@ -2589,7 +2390,22 @@ "add_msisdn_confirm_sso_button": "Confirma el nuevo número de teléfono usando SSO para probar tu identidad.", "add_msisdn_confirm_button": "Confirmar nuevo número de teléfono", "add_msisdn_confirm_body": "Haz clic en el botón de abajo para confirmar este nuevo número de teléfono.", - "add_msisdn_dialog_title": "Añadir número de teléfono" + "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" + }, + "sidebar": { + "title": "Barra lateral", + "metaspaces_subsection": "Qué espacios mostrar", + "metaspaces_description": "Los espacios permiten agrupar salas y personas. Además de los espacios de los que ya formes parte, puedes usar algunos que vienen incluidos.", + "metaspaces_home_description": "La pantalla de Inicio es útil para tener una vista general de todas tus conversaciones.", + "metaspaces_favourites_description": "Agrupa en un mismo sitio todas tus salas y personas favoritas.", + "metaspaces_people_description": "Agrupa a toda tu gente en un mismo sitio.", + "metaspaces_orphans": "Salas fuera de un espacio", + "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" } }, "devtools": { @@ -3054,7 +2870,15 @@ "see_older_messages": "Haz clic aquí para ver mensajes anteriores." }, "creation_summary_dm": "%(creator)s creó este mensaje directo.", - "creation_summary_room": "Sala creada y configurada por %(creator)s." + "creation_summary_room": "Sala creada y configurada por %(creator)s.", + "context_menu": { + "view_source": "Ver código fuente", + "show_url_preview": "Mostrar vista previa", + "external_url": "URL de Origen", + "collapse_reply_thread": "Ocultar respuestas", + "view_related_event": "Ver evento relacionado", + "report": "Denunciar" + } }, "slash_command": { "spoiler": "Envía el mensaje como un spoiler", @@ -3247,10 +3071,28 @@ "failed_call_live_broadcast_title": "No se ha podido empezar la llamada", "failed_call_live_broadcast_description": "No puedes empezar una llamada, porque estás grabando una retransmisión en directo. Por favor, finaliza tu retransmisión en directo para empezar la llamada.", "no_media_perms_title": "Sin permisos para el medio", - "no_media_perms_description": "Probablemente necesites dar permisos manualmente a %(brand)s para tu micrófono/cámara" + "no_media_perms_description": "Probablemente necesites dar permisos manualmente a %(brand)s para tu micrófono/cámara", + "call_toast_unknown_room": "Sala desconocida", + "join_button_tooltip_connecting": "Conectando", + "join_button_tooltip_call_full": "Lo sentimos — la llamada está llena", + "hide_sidebar_button": "Ocultar menú lateral", + "show_sidebar_button": "Ver menú lateral", + "more_button": "Más", + "screenshare_monitor": "Compartir toda la pantalla", + "screenshare_window": "Ventana concreta", + "screenshare_title": "Compartir contenido", + "disabled_no_perms_start_voice_call": "No tienes permiso para iniciar llamadas de voz", + "disabled_no_perms_start_video_call": "No tienes permiso para empezar videollamadas", + "disabled_ongoing_call": "Llamada en curso", + "disabled_no_one_here": "No hay nadie a quien llamar aquí", + "n_people_joined": { + "one": "%(count)s persona unida", + "other": "%(count)s personas unidas" + }, + "unknown_person": "persona desconocida", + "connecting": "Conectando" }, "Other": "Otros", - "Advanced": "Avanzado", "room_settings": { "permissions": { "m.room.avatar_space": "Cambiar la imagen del espacio", @@ -3290,7 +3132,10 @@ "title": "Roles y permisos", "permissions_section": "Permisos", "permissions_section_description_space": "Elige los roles que los usuarios deben tener para poder cambiar los distintos ajustes del espacio", - "permissions_section_description_room": "Elige los roles que los usuarios deben tener para poder cambiar los distintos ajustes de la sala" + "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…" }, "security": { "strict_encryption": "No enviar nunca mensajes cifrados a sesiones sin verificar en esta sala desde esta sesión", @@ -3317,7 +3162,33 @@ "history_visibility_shared": "Solo participantes (desde el momento en que se selecciona esta opción)", "history_visibility_invited": "Solo participantes (desde que fueron invitados)", "history_visibility_joined": "Solo participantes (desde que se unieron a la sala)", - "history_visibility_world_readable": "Todos" + "history_visibility_world_readable": "Todos", + "join_rule_upgrade_required": "Actualización necesaria", + "join_rule_restricted_n_more": { + "other": "y %(count)s más", + "one": "y %(count)s más" + }, + "join_rule_restricted_summary": { + "other": "Ahora mismo, %(count)s espacios tienen acceso", + "one": "Ahora mismo, un espacio tiene acceso" + }, + "join_rule_restricted_description": "Cualquiera en un espacio puede encontrar y unirse. Ajusta qué espacios pueden acceder desde aquí.", + "join_rule_restricted_description_spaces": "Espacios con acceso", + "join_rule_restricted_description_active_space": "Cualquiera en puede encontrar y unirse. También puedes seleccionar otros espacios.", + "join_rule_restricted_description_prompt": "Cualquiera en un espacio puede encontrar y unirse. Puedes seleccionar varios espacios.", + "join_rule_restricted": "Miembros del espacio", + "join_rule_restricted_upgrade_warning": "Esta sala está en algún espacio en el que no eres administrador. En esos espacios, la sala antigua todavía aparecerá, pero se avisará a los participantes para que se unan a la nueva.", + "join_rule_restricted_upgrade_description": "Si actualizas, podrás configurar la sala para que los miembros de los espacios que elijas puedan unirse sin que tengas que invitarles.", + "join_rule_upgrade_upgrading_room": "Actualizar sala", + "join_rule_upgrade_awaiting_room": "Cargando la nueva sala", + "join_rule_upgrade_sending_invites": { + "one": "Enviando invitación…", + "other": "Enviando invitaciones… (%(progress)s de %(count)s)" + }, + "join_rule_upgrade_updating_spaces": { + "one": "Actualizando espacio…", + "other": "Actualizando espacios… (%(progress)s de %(count)s)" + } }, "general": { "publish_toggle": "¿Quieres incluir esta sala en la lista pública de salas de %(domain)s?", @@ -3327,7 +3198,11 @@ "default_url_previews_off": "La vista previa de URLs se desactiva por defecto para los participantes de esta sala.", "url_preview_encryption_warning": "En salas cifradas como ésta, la vista previa de las URLs se desactiva por defecto para asegurar que el servidor base (donde se generan) no pueda recopilar información de los enlaces que veas en esta sala.", "url_preview_explainer": "Cuando alguien incluya una dirección URL en su mensaje, puede mostrarse una vista previa para ofrecer información sobre el enlace, que incluirá el título, descripción, y una imagen del sitio web.", - "url_previews_section": "Vista previa de enlaces" + "url_previews_section": "Vista previa de enlaces", + "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" }, "advanced": { "unfederated": "Esta sala no es accesible desde otros servidores de Matrix", @@ -3338,6 +3213,24 @@ "room_id": "ID interna de la sala", "room_version_section": "Versión de la sala", "room_version": "Versión de la sala:" + }, + "delete_avatar_label": "Borrar avatar", + "upload_avatar_label": "Adjuntar avatar", + "visibility": { + "error_update_guest_access": "No se ha podido cambiar el acceso a este espacio", + "error_update_history_visibility": "No se ha podido cambiar la visibilidad del historial de este espacio", + "guest_access_explainer": "Dejar que las personas sin cuenta se unan al espacio.", + "guest_access_explainer_public_space": "Esto puede ser útil para espacios públicos.", + "title": "Visibilidad", + "error_failed_save": "No se ha podido cambiar la visibilidad del espacio", + "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" + }, + "access": { + "title": "Acceso", + "description_space": "Decide quién puede ver y unirse a %(spaceName)s." } }, "encryption": { @@ -3364,7 +3257,15 @@ "waiting_other_device_details": "Esperando a que verifiques en tu otro dispositivo, %(deviceName)s (%(deviceId)s)…", "waiting_other_device": "Esperando a que verifiques en tu otro dispositivo…", "waiting_other_user": "Esperando la verificación de %(displayName)s…", - "cancelling": "Anulando…" + "cancelling": "Anulando…", + "unverified_sessions_toast_title": "Tienes sesiones sin verificar", + "unverified_sessions_toast_description": "Revisa que tu cuenta esté segura", + "unverified_sessions_toast_reject": "Más tarde", + "unverified_session_toast_title": "Nuevo inicio de sesión. ¿Fuiste tú?", + "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" }, "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.", @@ -3374,7 +3275,18 @@ "bootstrap_title": "Configurando claves", "export_unsupported": "Su navegador no soporta las extensiones de criptografía requeridas", "import_invalid_keyfile": "No es un archivo de claves de %(brand)s válido", - "import_invalid_passphrase": "La verificación de autenticación falló: ¿contraseña incorrecta?" + "import_invalid_passphrase": "La verificación de autenticación falló: ¿contraseña incorrecta?", + "set_up_toast_title": "Configurar copia de seguridad segura", + "upgrade_toast_title": "Mejora de cifrado disponible", + "verify_toast_title": "Verifica esta sesión", + "set_up_toast_description": "Evita perder acceso a datos y mensajes cifrados", + "verify_toast_description": "Puede que otros usuarios no confíen en ella", + "cross_signing_unsupported": "Tu servidor base no soporta las firmas cruzadas.", + "cross_signing_ready": "La firma cruzada está lista para su uso.", + "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": "" }, "emoji": { "category_frequently_used": "Frecuente", @@ -3398,7 +3310,8 @@ "bullet_1": "No guardamos ningún dato sobre tu cuenta o perfil", "bullet_2": "No compartimos información con terceros", "disable_prompt": "Puedes desactivar esto cuando quieras en tus ajustes", - "accept_button": "Vale" + "accept_button": "Vale", + "shared_data_heading": "Cualquiera de los siguientes datos puede ser compartido:" }, "chat_effects": { "confetti_description": "Envía el mensaje con confeti", @@ -3541,7 +3454,8 @@ "no_hs_url_provided": "No se ha indicado la URL del servidor local", "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." + "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" }, "room_list": { "sort_unread_first": "Colocar al principio las salas con mensajes sin leer", @@ -3661,7 +3575,36 @@ "error_need_to_be_logged_in": "Necesitas haber iniciado sesión.", "error_need_invite_permission": "Debes tener permisos para invitar usuarios para hacer eso.", "error_need_kick_permission": "Debes poder sacar usuarios para hacer eso.", - "no_name": "Aplicación desconocida" + "no_name": "Aplicación desconocida", + "error_hangup_title": "Conexión interrumpida", + "error_hangup_description": "Te has desconectado de la llamada. (Error: %(message)s)", + "context_menu": { + "start_audio_stream": "Empezar retransmisión de audio", + "screenshot": "Toma una foto", + "delete": "Eliminar accesorio", + "delete_warning": "Al borrar un accesorio, este se elimina para todos usuarios de la sala. ¿Estás seguro?", + "remove": "Eliminar para todos", + "revoke": "Quitar permisos", + "move_left": "Mover a la izquierda", + "move_right": "Mover a la derecha" + }, + "shared_data_name": "Su nombre mostrado", + "shared_data_mxid": "Tu ID de usuario", + "shared_data_device_id": "ID de tu dispositivo", + "shared_data_theme": "Su tema", + "shared_data_lang": "Tu idioma", + "shared_data_url": "URL de %(brand)s", + "shared_data_room_id": "ID de la sala", + "shared_data_widget_id": "ID del accesorios", + "shared_data_warning_im": "Al usar este widget puede que se compartan datos con %(widgetDomain)s y tu gestor de integraciones.", + "shared_data_warning": "Usar este accesorios puede resultar en que se compartan datos con %(widgetDomain)s.", + "unencrypted_warning": "Los accesorios no utilizan el cifrado de mensajes.", + "added_by": "Accesorio añadido por", + "cookie_warning": "Puede que el accesorio use cookies.", + "error_loading": "Error al cargar el accesorio", + "error_mixed_content": "Error - Contenido mezclado", + "unmaximise": "Dejar de maximizar", + "popout": "Abrir accesorio en una ventana emergente" }, "feedback": { "sent": "Comentarios enviados", @@ -3750,7 +3693,8 @@ "empty_heading": "Organiza los temas de conversación en hilos" }, "theme": { - "light_high_contrast": "Claro con contraste alto" + "light_high_contrast": "Claro con contraste alto", + "match_system": "Usar el del sistema" }, "space": { "landing_welcome": "Te damos la bienvenida a ", @@ -3766,9 +3710,14 @@ "devtools_open_timeline": "Ver línea de tiempo de la sala (herramientas de desarrollo)", "home": "Inicio del espacio", "explore": "Explorar salas", - "manage_and_explore": "Gestionar y explorar salas" + "manage_and_explore": "Gestionar y explorar salas", + "options": "Opciones del espacio" }, - "share_public": "Comparte tu espacio público" + "share_public": "Comparte tu espacio público", + "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" }, "location_sharing": { "MapStyleUrlNotConfigured": "Este servidor base no está configurado para mostrar mapas.", @@ -3785,7 +3734,14 @@ "failed_timeout": "Tras un tiempo intentándolo, no hemos podido obtener tu ubicación. Por favor, inténtalo de nuevo más tarde.", "failed_unknown": "Error desconocido al conseguir tu ubicación. Por favor, inténtalo de nuevo más tarde.", "expand_map": "Expandir mapa", - "failed_load_map": "No se ha podido cargar el mapa" + "failed_load_map": "No se ha podido cargar el mapa", + "live_enable_heading": "Compartir ubicación en tiempo real", + "live_enable_description": "Nota: esta funcionalidad es un experimento, y su funcionamiento es todavía provisional. Esto significa que no podrás eliminar el historial de tu ubicación, y usuarios con conocimientos avanzados podrán verlo en esta sala incluso cuando dejes de compartir en tiempo real.", + "live_toggle_label": "Activar compartir ubicación en tiempo real", + "live_share_button": "Compartir durante %(duration)s", + "click_move_pin": "Haz clic para mover el marcador", + "click_drop_pin": "Haz clic para colocar un marcador", + "share_button": "Compartir ubicación" }, "labs_mjolnir": { "room_name": "Mi lista de baneos", @@ -3820,7 +3776,6 @@ }, "create_space": { "name_required": "Por favor, elige un nombre para el espacio", - "name_placeholder": "ej.: mi-espacio", "explainer": "Los espacios son una nueva manera de agrupar salas y personas. ¿Qué tipo de espacio quieres crear? Lo puedes cambiar más tarde.", "public_description": "Abierto para todo el mundo, la mejor opción para comunidades", "private_description": "Acceso por invitación, mejor para equipos o si vas a estar solo tú", @@ -3851,11 +3806,17 @@ "setup_rooms_community_description": "Crearemos una sala para cada uno.", "setup_rooms_description": "Puedes añadir más después, incluso si ya existen.", "setup_rooms_private_heading": "¿En qué proyectos está trabajando tu equipo?", - "setup_rooms_private_description": "Crearemos una sala para cada uno." + "setup_rooms_private_description": "Crearemos una sala para cada uno.", + "address_placeholder": "ej.: mi-espacio", + "address_label": "Dirección", + "label": "Crear un espacio", + "add_details_prompt_2": "Puedes cambiar todo esto en cualquier momento.", + "creating": "Creando…" }, "user_menu": { "switch_theme_light": "Cambiar al tema claro", - "switch_theme_dark": "Cambiar al tema oscuro" + "switch_theme_dark": "Cambiar al tema oscuro", + "settings": "Ajustes" }, "notif_panel": { "empty_heading": "Estás al día", @@ -3893,7 +3854,24 @@ "leave_error_title": "Error al salir de la sala", "upgrade_error_title": "Fallo al mejorar la sala", "upgrade_error_description": "Asegúrate de que tu servidor es compatible con la versión de sala elegida y prueba de nuevo.", - "leave_server_notices_description": "La sala se usa para mensajes importantes del servidor base, así que no puedes abandonarla." + "leave_server_notices_description": "La sala se usa para mensajes importantes del servidor base, así que no puedes abandonarla.", + "error_join_connection": "Ha ocurrido un error al entrar.", + "error_join_incompatible_version_1": "Lo siento, tu servidor base es demasiado antiguo. No puedes participar aquí.", + "error_join_incompatible_version_2": "Por favor, contacta con la administración de tu servidor base.", + "error_join_404_invite_same_hs": "La persona que te invitó ya no está aquí.", + "error_join_404_invite": "La persona que te ha invitado se ha ido ya, o su servidor está fuera de línea.", + "error_join_404_2": "Si conoces la dirección de una sala, prueba a unirte a través de ella.", + "error_join_title": "No ha sido posible unirse", + "context_menu": { + "unfavourite": "Favorecido", + "favourite": "Añadir a favoritos", + "mentions_only": "Solo menciones", + "copy_link": "Copiar enlace a la sala", + "low_priority": "Prioridad baja", + "forget": "Olvidar sala", + "mark_read": "Marcar como leído", + "notifications_mute": "Silenciar sala" + } }, "file_panel": { "guest_note": "Regístrate para usar esta funcionalidad", @@ -3913,7 +3891,8 @@ "tac_button": "Revisar términos y condiciones", "identity_server_no_terms_title": "El servidor de identidad no tiene términos de servicio", "identity_server_no_terms_description_1": "Esta acción necesita acceder al servidor de identidad por defecto para validar un correo o un teléfono, pero el servidor no tiene términos de servicio.", - "identity_server_no_terms_description_2": "Continúa solamente si confías en el propietario del servidor." + "identity_server_no_terms_description_2": "Continúa solamente si confías en el propietario del servidor.", + "inline_intro_text": ", acepta para continuar:" }, "space_settings": { "title": "Ajustes - %(spaceName)s" @@ -4002,7 +3981,13 @@ "sync": "No se ha podido conectar al servidor base. Reintentando…", "connection": "Ha ocurrido un error al conectarse a tu servidor base, inténtalo de nuevo más tarde.", "mixed_content": "No se ha podido conectar al servidor base a través de HTTP, cuando es necesario un enlace HTTPS en la barra de direcciones de tu navegador. Ya sea usando HTTPS o activando los scripts inseguros.", - "tls": "No se puede conectar al servidor base. Por favor, comprueba tu conexión, asegúrate de que el certificado SSL del servidor es de confiaza, y comprueba que no haya extensiones de navegador bloqueando las peticiones." + "tls": "No se puede conectar al servidor base. Por favor, comprueba tu conexión, asegúrate de que el certificado SSL del servidor es de confiaza, y comprueba que no haya extensiones de navegador bloqueando las peticiones.", + "admin_contact_short": "Contacta con el administrador del servidor.", + "non_urgent_echo_failure_toast": "Tú servidor no esta respondiendo a ciertas solicitudes.", + "failed_copy": "Falló la copia", + "something_went_wrong": "¡Algo ha fallado!", + "update_power_level": "Fallo al cambiar de nivel de acceso", + "unknown": "Error desconocido" }, "in_space1_and_space2": "En los espacios %(space1Name)s y %(space2Name)s.", "in_space_and_n_other_spaces": { @@ -4010,5 +3995,51 @@ "other": "En %(spaceName)s y otros %(count)s espacios" }, "in_space": "En el espacio %(spaceName)s.", - "name_and_id": "%(name)s (%(userId)s)" + "name_and_id": "%(name)s (%(userId)s)", + "items_and_n_others": { + "other": " y otros %(count)s", + "one": " y otro más" + }, + "notifications": { + "enable_prompt_toast_title_from_message_send": "No te pierdas ninguna respuesta", + "enable_prompt_toast_title": "Notificaciones", + "enable_prompt_toast_description": "Activar las notificaciones de escritorio", + "colour_none": "Ninguno", + "colour_bold": "Negrita", + "colour_grey": "Gris", + "colour_red": "Rojo", + "colour_unsent": "No enviado", + "error_change_title": "Cambiar los ajustes de notificaciones", + "mark_all_read": "Marcar todo como leído", + "keyword": "Palabra clave", + "keyword_new": "Nueva palabra clave", + "class_global": "Global", + "class_other": "Otros", + "mentions_keywords": "Menciones y palabras clave" + }, + "mobile_guide": { + "toast_title": "Usa la aplicación para una experiencia mejor", + "toast_description": "%(brand)s en navegadores para móviles está en prueba. Para una mejor experiencia y para poder usar las últimas funcionalidades, usa nuestra aplicación nativa gratuita.", + "toast_accept": "Usar la aplicación" + }, + "chat_card_back_action_label": "Volver a la conversación", + "room_summary_card_back_action_label": "Información de la sala", + "member_list_back_action_label": "Miembros de la sala", + "thread_view_back_action_label": "Volver al hilo", + "quick_settings": { + "title": "Ajustes rápidos", + "all_settings": "Ajustes", + "metaspace_section": "Fijar a la barra lateral", + "sidebar_settings": "Mas opciones" + }, + "lightbox": { + "rotate_left": "Girar a la izquierda", + "rotate_right": "Girar a la derecha" + }, + "a11y_jump_first_unread_room": "Saltar a la primera sala sin leer.", + "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." + } } diff --git a/src/i18n/strings/et.json b/src/i18n/strings/et.json index ed62c202ae..fa8c382300 100644 --- a/src/i18n/strings/et.json +++ b/src/i18n/strings/et.json @@ -15,7 +15,6 @@ "PM": "PL", "AM": "EL", "%(weekDayName)s %(time)s": "%(weekDayName)s %(time)s", - "Verify this session": "Verifitseeri see sessioon", "Ask this user to verify their session, or manually verify it below.": "Palu nimetatud kasutajal verifitseerida see sessioon või tee seda alljärgnevaga käsitsi.", "Invite to this room": "Kutsu siia jututuppa", "The conversation continues here.": "Vestlus jätkub siin.", @@ -40,8 +39,6 @@ "Create new room": "Loo uus jututuba", "collapse": "ahenda", "expand": "laienda", - "Rotate Left": "Pööra vasakule", - "Rotate Right": "Pööra paremale", "Enter the name of a new server you want to explore.": "Sisesta uue serveri nimi mida tahad uurida.", "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.", @@ -66,12 +63,8 @@ "one": "Laadi üles %(count)s muu fail" }, "Resend %(unsentCount)s reaction(s)": "Saada uuesti %(unsentCount)s reaktsioon(i)", - "Source URL": "Lähteaadress", "All messages": "Kõik sõnumid", - "Favourite": "Lemmik", - "Low Priority": "Vähetähtis", "Home": "Avaleht", - "Remove for everyone": "Eemalda kõigilt", "You seem to be uploading files, are you sure you want to quit?": "Tundub, et sa parasjagu laadid faile üles. Kas sa kindlasti soovid väljuda?", "To report a Matrix-related security issue, please read the Matrix.org Security Disclosure Policy.": "Kui soovid teatada Matrix'iga seotud turvaveast, siis palun tutvu enne Matrix.org Turvalisuse avalikustamise juhendiga.", "Share Link to User": "Jaga viidet kasutaja kohta", @@ -113,13 +106,10 @@ "%(name)s wants to verify": "%(name)s soovib verifitseerida", "You sent a verification request": "Sa saatsid verifitseerimispalve", "Error decrypting video": "Viga videovoo dekrüptimisel", - "Copied!": "Kopeeritud!", - "Failed to copy": "Kopeerimine ebaõnnestus", "Edited at %(date)s. Click to view edits.": "Muudetud %(date)s. Klõpsi et näha varasemaid versioone.", "edited": "muudetud", "Can't load this message": "Selle sõnumi laadimine ei õnnestu", "Submit logs": "Saada rakenduse logid", - "Something went wrong!": "Midagi läks nüüd valesti!", "Your server": "Sinu server", "Add a new server": "Lisa uus server", "Server name": "Serveri nimi", @@ -156,11 +146,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, %(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", - "Encryption upgrade available": "Krüptimise uuendus on saadaval", - "New login. Was this you?": "Uus sisselogimine. Kas see olid sina?", - "Securely cache encrypted messages locally for them to appear in search results.": "Turvaliselt puhverda krüptitud sõnumid kohalikku arvutisse ja võimalda kasutada neid otsingus.", - "%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with search components added.": "%(brand)s'is on puudu need komponendid, mis võimaldavad otsida kohalikest turvaliselt puhverdatud krüptitud sõnumitest. Kui sa tahaksid sellist funktsionaalsust katsetada, siis pead kompileerima %(brand)s'i variandi, kus need komponendid on lisatud.", - "Message search": "Otsing sõnumite seast", "Search…": "Otsi…", "Cancel search": "Tühista otsing", "Search failed": "Otsing ebaõnnestus", @@ -168,8 +153,6 @@ "No more results": "Rohkem otsingutulemusi pole", "Are you sure?": "Kas sa oled kindel?", "Jump to read receipt": "Hüppa lugemisteatise juurde", - "Hide advanced": "Peida lisaseadistused", - "Show advanced": "Näita lisaseadistusi", "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.", @@ -195,8 +178,6 @@ "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", - "General": "Üldist", - "Notifications": "Teavitused", "No Audio Outputs detected": "Ei leidnud ühtegi heliväljundit", "No Microphones detected": "Ei leidnud ühtegi mikrofoni", "No Webcams detected": "Ei leidnud ühtegi veebikaamerat", @@ -209,19 +190,8 @@ "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", - "Any of the following data may be shared:": "Järgnevaid andmeid võib jagada:", - "Your display name": "Sinu kuvatav nimi", - "Your user ID": "Sinu kasutajatunnus", - "Your theme": "Sinu teema", - "%(brand)s URL": "%(brand)s'i aadress", - "Room ID": "Jututoa tunnus", - "Widget ID": "Vidina tunnus", - "No display name": "Kuvatav nimi puudub", "Failed to set display name": "Kuvatava nime määramine ebaõnnestus", - "Display Name": "Kuvatav nimi", - "Profile picture": "Profiilipilt", "Failed to change password. Is your password correct?": "Salasõna muutmine ebaõnnestus. Kas sinu salasõna on ikka õige?", - "Profile": "Profiil", "Email addresses": "E-posti aadressid", "Phone numbers": "Telefoninumbrid", "Start verification again from their profile.": "Alusta verifitseerimist uuesti nende profiilist.", @@ -290,10 +260,7 @@ "Anchor": "Ankur", "Headphones": "Kõrvaklapid", "Folder": "Kaust", - "Later": "Hiljem", - "Other users may not trust it": "Teised kasutajad ei pruugi seda usaldada", "Set up": "Võta kasutusele", - "Accept to continue:": "Jätkamiseks nõustu 'ga:", "Show more": "Näita rohkem", "Warning!": "Hoiatus!", "Close dialog": "Sulge dialoog", @@ -312,13 +279,10 @@ "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.", - "Create account": "Loo kasutajakonto", "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", - "Upload avatar": "Laadi üles profiilipilt ehk avatar", "Are you sure you want to leave the room '%(roomName)s'?": "Kas oled kindel, et soovid lahkuda jututoast „%(roomName)s“?", - "Unknown error": "Teadmata viga", "Failed to connect to integration manager": "Ühendus integratsioonihalduriga ei õnnestunud", "You don't currently have any stickerpacks enabled": "Sul pole ühtegi kleepsupakki kasutusel", "Add some now": "Lisa nüüd mõned", @@ -327,7 +291,6 @@ "Revoke invite": "Tühista kutse", "Invited by %(sender)s": "Kutsutud %(sender)s poolt", "Jump to first unread message.": "Mine esimese lugemata sõnumi juurde.", - "Mark all as read": "Märgi kõik loetuks", "Error updating main address": "Viga põhiaadressi uuendamisel", "There was an error updating the room's main address. It may not be allowed by the server or a temporary failure occurred.": "Jututoa põhiaadressi uuendamisel tekkis viga. See kas pole serveris lubatud või tekkis mingi ajutine viga.", "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.", @@ -415,10 +378,6 @@ "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", - "": "", - "Bulk options": "Masstoimingute seadistused", - "Accept all %(invitedRooms)s invites": "Võta vastu kõik %(invitedRooms)s kutsed", - "Reject all %(invitedRooms)s invites": "Lükka tagasi kõik %(invitedRooms)s kutsed", "Uploaded sound": "Üleslaaditud heli", "Sounds": "Helid", "Notification sound": "Teavitusheli", @@ -442,12 +401,7 @@ "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", - " and %(count)s others": { - "other": " ja %(count)s muud", - "one": " ja üks muu" - }, "%(items)s and %(lastItem)s": "%(items)s ja %(lastItem)s", - "Please contact your homeserver administrator.": "Palun võta ühendust koduserveri haldajaga.", "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 ?", @@ -513,38 +467,21 @@ "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", - "All settings": "Kõik seadistused", "Default": "Tavaline", "Restricted": "Piiratud õigustega kasutaja", "Moderator": "Moderaator", - "Failed to change power level": "Õiguste muutmine ei õnnestunud", "You will not be able to undo this change as you are promoting the user to have the same power level as yourself.": "Sa ei saa seda muudatust hiljem tagasi pöörata, sest annad teisele kasutajale samad õigused, mis sinul on.", "Deactivate user?": "Kas deaktiveerime kasutajakonto?", "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?": "Kasutaja deaktiveerimisel logitakse ta automaatselt välja ning ei lubata enam sisse logida. Lisaks lahkub ta kõikidest jututubadest, mille liige ta parasjagu on. Seda tegevust ei saa tagasi pöörata. Kas sa oled ikka kindel, et soovid selle kasutaja kõijkalt eemaldada?", "Deactivate user": "Deaktiveeri kasutaja", "Failed to deactivate user": "Kasutaja deaktiveerimine ei õnnestunud", "This client does not support end-to-end encryption.": "See klient ei toeta läbivat krüptimist.", - "Using this widget may share data with %(widgetDomain)s.": "Selle vidina kasutamisel võidakse jagada andmeid saitidega %(widgetDomain)s.", - "Widgets do not use message encryption.": "Erinevalt sõnumitest vidinad ei kasuta krüptimist.", - "Widget added by": "Vidina lisaja", - "This widget may use cookies.": "See vidin võib kasutada küpsiseid.", "Delete Widget": "Kustuta vidin", - "Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "Vidina kustutamisel eemaldatakse ta kõikide selle jututoa kasutajate jaoks. Kas sa kindlasti soovid seda vidinat eemaldada?", - "Delete widget": "Kustuta vidin", - "Popout widget": "Ava rakendus eraldi aknas", - "More options": "Täiendavad seadistused", "Language Dropdown": "Keelevalik", "Your homeserver has exceeded its user limit.": "Sinu koduserver on ületanud kasutajate arvu ülempiiri.", "Your homeserver has exceeded one of its resource limits.": "Sinu koduserver on ületanud ühe oma ressursipiirangutest.", - "Contact your server admin.": "Võta ühendust oma serveri haldajaga.", "Ok": "Sobib", "IRC display name width": "IRC kuvatava nime laius", - "Your homeserver does not support cross-signing.": "Sinu koduserver ei toeta risttunnustamist.", - "Cannot connect to integration manager": "Ei saa ühendust lõiminguhalduriga", - "The integration manager is offline or it cannot reach your homeserver.": "Lõiminguhaldur kas ei tööta või ei õnnestu tal teha päringuid sinu koduserveri suunas.", - "Delete Backup": "Kustuta varukoopia", - "Are you sure? You will lose your encrypted messages if your keys are not backed up properly.": "Kas sa oled kindel? Kui sul muud varundust pole, siis kaotad ligipääsu oma krüptitud sõnumitele.", - "Your keys are not being backed up from this session.": "Sinu selle sessiooni krüptovõtmeid ei varundata.", "Back up your keys before signing out to avoid losing them.": "Vältimaks nende kaotamist, varunda krüptovõtmed enne väljalogimist.", "None": "Ei ühelgi juhul", "Ignored users": "Eiratud kasutajad", @@ -636,7 +573,6 @@ "Restoring keys from backup": "Taastan võtmed varundusest", "%(completed)s of %(total)s keys restored": "%(completed)s / %(total)s võtit taastatud", "Unable to load backup status": "Varunduse oleku laadimine ei õnnestunud", - "Secret storage public key:": "Turvahoidla avalik võti:", "Verify User": "Verifitseeri kasutaja", "For extra security, verify this user by checking a one-time code on both of your devices.": "Lisaturvalisus mõttes verifitseeri see kasutaja võrreldes selleks üheks korraks loodud koodi mõlemas seadmes.", "Your messages are not secure": "Sinu sõnumid ei ole turvatud", @@ -678,18 +614,8 @@ "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).", - "Favourited": "Märgitud lemmikuks", - "Forget Room": "Unusta jututuba ära", - "Your account has a cross-signing identity in secret storage, but it is not yet trusted by this session.": "Sinu kontol on turvahoidlas olemas risttunnustamise identiteet, kuid seda veel ei loeta antud sessioonis usaldusväärseks.", - "well formed": "korrektses vormingus", - "unexpected type": "tundmatut tüüpi", - "in account data": "kasutajakonto andmete hulgas", "Authentication": "Autentimine", - "%(brand)s can't securely cache encrypted messages locally while running in a web browser. Use %(brand)s Desktop for encrypted messages to appear in search results.": "%(brand)s ei võimalda veebibrauseris töötades krüptitud sõnumeid turvaliselt puhverdada. Selleks, et krüptitud sõnumeid saaks otsida, kasuta %(brand)s Desktop rakendust Matrix'i kliendina.", "Encrypted messages are secured with end-to-end encryption. Only you and the recipient(s) have the keys to read these messages.": "Krüptitud sõnumid kasutavad läbivat krüptimist. Ainult sinul ja saaja(te)l on võtmed selliste sõnumite lugemiseks.", - "Unable to load key backup status": "Võtmete varunduse oleku laadimine ei õnnestunud", - "Restore from Backup": "Taasta varukoopiast", - "This session is not backing up your keys, but you do have an existing backup you can restore from and add to going forward.": "See sessioon ei varunda sinu krüptovõtmeid, aga sul on olemas varundus, millest saad taastada ning millele saad võtmeid lisada.", "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", @@ -729,33 +655,23 @@ "Do not use an identity server": "Ära kasuta isikutuvastusserverit", "Enter a new identity server": "Sisesta uue isikutuvastusserveri nimi", "Manage integrations": "Halda lõiminguid", - "All keys backed up": "Kõik krüptovõtmed on varundatud", "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.", - "Jump to first unread room.": "Siirdu esimesse lugemata jututuppa.", - "Jump to first invite.": "Siirdu esimese kutse juurde.", "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", - "Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "Ära usalda risttunnustamist ning verifitseeri kasutaja iga sessioon eraldi.", - "Connect this session to Key Backup": "Seo see sessioon krüptovõtmete varundusega", - "not stored": "ei ole salvestatud", "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.", - "Notification targets": "Teavituste eesmärgid", "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.", - "Connect this session to key backup before signing out to avoid losing any keys that may only be on this session.": "Enne väljalogimist seo see sessioon krüptovõtmete varundusega. Kui sa seda ei tee, siis võid kaotada võtmed, mida kasutatakse vaid siin sessioonis.", - "Change notification settings": "Muuda teavituste seadistusi", - "Your server isn't responding to some requests.": "Sinu koduserver ei vasta mõnedele päringutele.", "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.", @@ -772,23 +688,12 @@ "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", - "Set up Secure Backup": "Võta kasutusele turvaline varundus", "Information": "Teave", "Not encrypted": "Krüptimata", "Room settings": "Jututoa seadistused", - "Take a picture": "Tee foto", - "Cross-signing is ready for use.": "Risttunnustamine on kasutamiseks valmis.", - "Cross-signing is not set up.": "Risttunnustamine on seadistamata.", "Backup version:": "Varukoopia versioon:", - "Algorithm:": "Algoritm:", - "Backup key stored:": "Varukoopia võti on salvestatud:", - "Backup key cached:": "Varukoopia võti on puhverdatud:", - "Secret storage:": "Turvahoidla:", - "ready": "valmis", - "not ready": "ei ole valmis", "Start a conversation with someone using their name or username (like ).": "Alusta vestlust kasutades teise osapoole nime või kasutajanime (näiteks ).", "Invite someone using their name, username (like ) or share this room.": "Kutsu kedagi tema nime, kasutajanime (nagu ) alusel või jaga seda jututuba.", - "Safeguard against losing access to encrypted messages & data": "Hoia ära, et kaotad ligipääsu krüptitud sõnumitele ja andmetele", "Widgets": "Vidinad", "Edit widgets, bridges & bots": "Muuda vidinaid, võrgusildu ja roboteid", "Add widgets, bridges & bots": "Lisa vidinaid, võrgusildu ja roboteid", @@ -803,11 +708,6 @@ "Video conference updated by %(senderName)s": "%(senderName)s uuendas video rühmakõne", "Video conference started by %(senderName)s": "%(senderName)s alustas video rühmakõnet", "Ignored attempt to disable encryption": "Eirasin katset lõpetada krüptimise kasutamine", - "Failed to save your profile": "Sinu profiili salvestamine ei õnnestunud", - "The operation could not be completed": "Toimingut ei õnnestunud lõpetada", - "Move right": "Liigu paremale", - "Move left": "Liigu vasakule", - "Revoke permissions": "Tühista õigused", "You can only pin up to %(count)s widgets": { "other": "Sa saad kinnitada kuni %(count)s vidinat" }, @@ -815,8 +715,6 @@ "Hide Widgets": "Peida vidinad", "Data on this screen is shared with %(widgetDomain)s": "Andmeid selles vaates jagatakse %(widgetDomain)s serveriga", "Modal Widget": "Modaalne vidin", - "Enable desktop notifications": "Võta kasutusele töölauakeskkonna teavitused", - "Don't miss a reply": "Ära jäta vastust vahele", "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.", "Start a conversation with someone using their name, email address or username (like ).": "Alusta vestlust kasutades teise osapoole nime, e-posti aadressi või kasutajanime (näiteks ).", "Invite by email": "Saada kutse e-kirjaga", @@ -1069,10 +967,6 @@ "Afghanistan": "Afganistan", "United States": "Ameerika Ühendriigid", "United Kingdom": "Suurbritannia", - "Securely cache encrypted messages locally for them to appear in search results, using %(size)s to store messages from %(rooms)s rooms.": { - "one": "Selleks, et sisu saaks otsingus kasutada, puhverda krüptitud sõnumid kohalikus seadmes turvaliselt. %(rooms)s jututoa andmete salvestamiseks kulub hetkel %(size)s.", - "other": "Selleks, et sisu saaks otsingus kasutada, puhverda krüptitud sõnumid kohalikus seadmes turvaliselt. %(rooms)s jututoa andmete salvestamiseks kulub hetkel %(size)s." - }, "This widget would like to:": "See vidin sooviks:", "Approve widget permissions": "Anna vidinale õigused", "Decline All": "Keeldu kõigist", @@ -1101,7 +995,6 @@ "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", - "Back up your encryption keys with your account data in case you lose access to your sessions. Your keys will be secured with a unique Security Key.": "Selleks puhuks, kui sa kaotad ligipääsu kõikidele oma sessioonidele, tee varukoopia oma krüptovõtmetest ja kasutajakonto seadistustest. Unikaalse turvavõtmega tagad selle, et sinu varukoopia on kaitstud.", "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", @@ -1110,40 +1003,26 @@ "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", - "Use app for a better experience": "Rakendusega saad Matrix'is suhelda parimal viisil", - "Use app": "Kasuta rakendust", "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.", - "Start audio stream": "Käivita audiovoog", "Failed to start livestream": "Videovoo käivitamine ei õnnestu", "Unable to start audio streaming.": "Audiovoo käivitamine ei õnnestu.", - "Save Changes": "Salvesta muutused", - "Leave Space": "Lahku kogukonnakeskusest", - "Edit settings relating to your space.": "Muuda oma kogukonnakeskuse seadistusi.", - "Failed to save space settings.": "Kogukonnakeskuse seadistuste salvestamine ei õnnestunud.", "Invite someone using their name, username (like ) or share this space.": "Kutsu kedagi tema nime, kasutajanime (nagu ) alusel või jaga seda kogukonnakeskust.", "Invite someone using their name, email address, username (like ) or share this space.": "Kutsu teist osapoolt tema nime, e-posti aadressi, kasutajanime (nagu ) alusel või jaga seda kogukonnakeskust.", "Create a new room": "Loo uus jututuba", - "Spaces": "Kogukonnakeskused", "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", - "Space options": "Kogukonnakeskus eelistused", "Leave space": "Lahku kogukonnakeskusest", - "Invite people": "Kutsu teisi kasutajaid", - "Share invite link": "Jaga kutse linki", - "Click to copy": "Kopeerimiseks klõpsa", "Create a space": "Loo kogukonnakeskus", "%(count)s members": { "other": "%(count)s liiget", "one": "%(count)s liige" }, - "You can change these anytime.": "Sa võid neid alati muuta.", - "Invite with email or username": "Kutsu e-posti aadressi või kasutajanime alusel", "Edit devices": "Muuda seadmeid", "Invite to %(roomName)s": "Kutsu jututuppa %(roomName)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.": "See tavaliselt mõjutab vaid viisi, kuidas server jututuba teenindab. Kui sul tekib %(brand)s kasutamisel vigu, siis palun anna sellest meile teada.", @@ -1157,9 +1036,6 @@ " invites you": " saatis sulle kutse", "Public space": "Avalik kogukonnakeskus", "Private space": "Privaatne kogukonnakeskus", - "unknown person": "tundmatu isik", - "%(deviceId)s from %(ip)s": "%(deviceId)s ip-aadressil %(ip)s", - "Review to ensure your account is safe": "Tagamaks, et su konto on sinu kontrolli all, vaata andmed üle", "Add existing rooms": "Lisa olemasolevaid jututubasid", "%(count)s people you know have already joined": { "other": "%(count)s sulle tuttavat kasutajat on juba liitunud", @@ -1205,12 +1081,10 @@ "No microphone found": "Mikrofoni ei leidu", "We were unable to access your microphone. Please check your browser settings and try again.": "Meil puudub ligipääs sinu mikrofonile. Palun kontrolli oma veebibrauseri seadistusi ja proovi uuesti.", "Unable to access your microphone": "Puudub ligipääs mikrofonile", - "Connecting": "Kõne on ühendamisel", "Search names and descriptions": "Otsi nimede ja kirjelduste seast", "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", - "Message search initialisation failed": "Sõnumite otsingu alustamine ei õnnestunud", "Currently joining %(count)s rooms": { "other": "Parasjagu liitun %(count)s jututoaga", "one": "Parasjagu liitun %(count)s jututoaga" @@ -1223,31 +1097,14 @@ "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", - "Error - Mixed content": "Viga - erinev sisu", - "Error loading Widget": "Viga vidina laadimisel", - "Visibility": "Nähtavus", - "This may be useful for public spaces.": "Seda saad kasutada näiteks avalike kogukonnakeskuste puhul.", - "Guests can join a space without having an account.": "Külalised võivad liituda kogukonnakeskusega ilma kasutajakontota.", - "Enable guest access": "Luba ligipääs külalistele", - "Failed to update the history visibility of this space": "Ei õnnestunud selle kogukonnakekuse ajaloo loetavust uuendada", - "Failed to update the guest access of this space": "Ei õnnestunud selle kogukonnakekuse külaliste ligipääsureegleid uuendada", - "Failed to update the visibility of this space": "Kogukonnakeskuse nähtavust ei õnnestunud uuendada", "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", - "Recommended for public spaces.": "Soovitame avalike kogukonnakeskuste puhul.", - "Allow people to preview your space before they join.": "Luba huvilistel enne liitumist näha kogukonnakeskuse eelvaadet.", - "Preview Space": "Kogukonnakeskuse eelvaade", - "Decide who can view and join %(spaceName)s.": "Otsusta kes saada näha ja liituda %(spaceName)s kogukonnaga.", "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", - "Report": "Teata sisust", - "Collapse reply thread": "Ahenda vastuste jutulõnga", - "Show preview": "Näita eelvaadet", - "View source": "Vaata lähtekoodi", "Please provide an address": "Palun sisesta aadress", "Unnamed audio": "Nimetu helifail", "Show %(count)s other previews": { @@ -1256,7 +1113,6 @@ }, "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.", - "Using this widget may share data with %(widgetDomain)s & your integration manager.": "Selle vidina kasutamisel võidakse jagada andmeid %(widgetDomain)s saitidega ning sinu lõiminguhalduriga.", "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).", @@ -1267,11 +1123,6 @@ "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.", - "Keyword": "Märksõnad", - "Mentions & keywords": "Mainimised ja märksõnad", - "New keyword": "Uus märksõna", - "Global": "Üldised", - "There was an error loading your notification settings.": "Sinu teavituste seadistuste laadimisel tekkis viga.", "The call is in an unknown state!": "Selle kõne oleks on teadmata!", "Call back": "Helista tagasi", "No answer": "Keegi ei vasta kõnele", @@ -1284,17 +1135,8 @@ "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", - "Spaces with access": "Ligipääsuga kogukonnakeskused", - "Anyone in a space can find and join. You can select multiple spaces.": "Kõik kogukonnakeskuse liikmed saavad leida ja liituda. Sa võid valida ka mitu kogukonnakeskust.", - "Space members": "Kogukonnakeskuse liikmed", - "Access": "Ligipääs", - "Share entire screen": "Jaga tervet ekraani", - "Application window": "Rakenduse aken", - "Share content": "Jaga sisu", "Leave %(spaceName)s": "Lahku %(spaceName)s kogukonnakeskusest", "Decrypting": "Dekrüptin sisu", - "Show all rooms": "Näita kõiki jututubasid", - "Search %(spaceName)s": "Otsi %(spaceName)s kogukonnast", "You won't be able to rejoin unless you are re-invited.": "Ilma uue kutseta sa ei saa uuesti liituda.", "Want to add a new space instead?": "Kas sa selle asemel soovid lisada uut kogukonnakeskust?", "Create a new space": "Loo uus kogukonnakeskus", @@ -1314,38 +1156,21 @@ "Missed call": "Vastamata kõne", "Send voice message": "Saada häälsõnum", "Stop recording": "Lõpeta salvestamine", - "Hide sidebar": "Peida külgpaan", - "Show sidebar": "Näita külgpaani", - "More": "Veel", "Add space": "Lisa kogukonnakeskus", - "Delete avatar": "Kustuta tunnuspilt", "Unknown failure: %(reason)s": "Tundmatu viga: %(reason)s", - "Cross-signing is ready but keys are not backed up.": "Risttunnustamine on töövalmis, aga krüptovõtmed on varundamata.", "Rooms and spaces": "Jututoad ja kogukonnad", "Results": "Tulemused", "Error downloading audio": "Helifaili allalaadimine ei õnnestunud", "These are likely ones other room admins are a part of.": "Ilmselt on tegemist nendega, mille liikmed on teiste jututubade haldajad.", - "& %(count)s more": { - "other": "ja veel %(count)s", - "one": "ja veel %(count)s" - }, "Add existing space": "Lisa olemasolev kogukonnakeskus", "An unknown error occurred": "Tekkis teadmata viga", "Their device couldn't start the camera or microphone": "Teise osapoole seadmes ei õnnestunud sisse lülitada kaamerat või mikrofoni", "Connection failed": "Ühendus ebaõnnestus", "Could not connect media": "Meediaseadme ühendamine ei õnnestunud", - "Anyone in a space can find and join. Edit which spaces can access here.": "Kõik kogukonnakeskuse liikmed saavad jututuba leida ja sellega liituda. Muuda lubatud kogukonnakeskuste loendit.", - "Currently, %(count)s spaces have access": { - "other": "Hetkel on ligipääs %(count)s'l kogukonnakeskusel", - "one": "Hetkel sellel kogukonnal on ligipääs" - }, - "Upgrade required": "Vajalik on uuendus", - "This upgrade will allow members of selected spaces access to this room without an invite.": "Antud uuendusega on valitud kogukonnakeskuste liikmetel võimalik selle jututoaga ilma kutseta liituda.", "Some encryption parameters have been changed.": "Mõned krüptimise parameetrid on muutunud.", "Role in ": "Roll jututoas ", "Unknown failure": "Määratlemata viga", "Failed to update the join rules": "Liitumisreeglite uuendamine ei õnnestunud", - "Anyone in can find and join. You can select other spaces too.": "Kõik kogukonnakeskuse liikmed saavad leida ja liituda. Sa võid valida ka muid kogukonnakeskuseid.", "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?", @@ -1364,16 +1189,6 @@ "Verify with Security Key or Phrase": "Verifitseeri turvavõtme või turvafraasiga", "Skip verification for now": "Jäta verifitseerimine praegu vahele", "Really reset verification keys?": "Kas tõesti kustutame kõik verifitseerimisvõtmed?", - "Updating spaces... (%(progress)s out of %(count)s)": { - "one": "Uuendan kogukonnakeskust...", - "other": "Uuendan kogukonnakeskuseid... (%(progress)s / %(count)s)" - }, - "Sending invites... (%(progress)s out of %(count)s)": { - "one": "Saadan kutset...", - "other": "Saadan kutseid... (%(progress)s / %(count)s)" - }, - "Loading new room": "Laadin uut jututuba", - "Upgrading room": "Uuendan jututoa versiooni", "They won't be able to access whatever you're not an admin of.": "Kasutaja ei saa ligi kohtadele, kus sul pole peakasutaja õigusi.", "Ban them from specific things I'm able to": "Määra kasutajale suhtluskeeld valitud kohtades, kust ma saan", "Unban them from specific things I'm able to": "Eemalda kasutajalt suhtluskeeld valitud kohtadest, kust ma saan", @@ -1398,7 +1213,6 @@ "Regain access to your account and recover encryption keys stored in this session. Without them, you won't be able to read all of your secure messages in any session.": "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.", - "This room is in some spaces you're not an admin of. In those spaces, the old room will still be shown, but people will be prompted to join the new one.": "See jututuba on mõne sellise kogukonnakeskuse osa, kus sul pole haldaja õigusi. Selliselt juhul vana jututuba jätkuvalt kuvatakse, kuid selle asutajatele pakutakse võimalust uuega liituda.", "In encrypted rooms, verify all users to ensure it's secure.": "Krüptitud jututubades turvalisuse tagamiseks verifitseeri kõik kasutajad.", "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", @@ -1407,13 +1221,7 @@ "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", - "Show all your rooms in Home, even if they're in a space.": "Näita kõiki oma jututubasid avalehel ka siis kui nad on osa mõnest kogukonnast.", - "Home is useful for getting an overview of everything.": "Avalehelt saad kõigest hea ülevaate.", - "Spaces to show": "Näidatavad kogukonnakeskused", - "Sidebar": "Külgpaan", "Reply in thread": "Vasta jutulõngas", - "Rooms outside of a space": "Jututoad väljaspool seda kogukonda", - "Mentions only": "Ainult mainimised", "Forget": "Unusta", "Files": "Failid", "You won't get any notifications": "Sa ei saa üldse teavitusi", @@ -1442,8 +1250,6 @@ "Themes": "Teemad", "Messaging": "Sõnumisuhtlus", "Moderation": "Modereerimine", - "Pin to sidebar": "Kinnita külgpaanile", - "Quick settings": "Kiirseadistused", "Spaces you know that contain this space": "Sulle teadaolevad kogukonnakeskused, millesse kuulub see kogukond", "Home options": "Avalehe valikud", "%(spaceName)s menu": "%(spaceName)s menüü", @@ -1458,8 +1264,6 @@ }, "No votes cast": "Hääletanuid ei ole", "Chat": "Vestle", - "Share location": "Jaga asukohta", - "Share anonymous data to help us identify issues. Nothing personal. No third parties.": "Võimalike vigade leidmiseks jaga meiega anonüümseid andmeid. Isiklikku teavet meie ei kogu ega jaga mitte midagi kolmandate osapooltega.", "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.": "Kas sa oled kindel, et soovid lõpetada küsitlust? Sellega on tulemused lõplikud ja rohkem osaleda ei saa.", "End Poll": "Lõpeta küsitlus", "Sorry, the poll did not end. Please try again.": "Vabandust, aga küsitlus jäi lõpetamata. Palun proovi uuesti.", @@ -1479,7 +1283,6 @@ "Spaces you're in": "Kogukonnad, mille liige sa oled", "Link to room": "Link jututoale", "Including you, %(commaSeparatedMembers)s": "Seahulgas Sina, %(commaSeparatedMembers)s", - "Copy room link": "Kopeeri jututoa link", "This groups your chats with members of this space. Turning this off will hide those chats from your view of %(spaceName)s.": "Sellega rühmitad selle kogukonna liikmetega peetavaid vestlusi. Kui seadistus pole kasutusel, siis on neid vestlusi %(spaceName)s kogukonna vaates ei kuvata.", "Sections to show": "Näidatavad valikud", "Open in OpenStreetMap": "Ava OpenStreetMap'is", @@ -1487,9 +1290,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)", - "Back to thread": "Tagasi jutulõnga manu", - "Room members": "Jututoa liikmed", - "Back to chat": "Tagasi vestluse manu", "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", @@ -1510,10 +1310,6 @@ "You were removed from %(roomName)s by %(memberName)s": "%(memberName)s eemaldas sind %(roomName)s jututoast", "Message pending moderation": "Sõnum on modereerimise ootel", "Message pending moderation: %(reason)s": "Sõnum on modereerimise ootel: %(reason)s", - "Group all your rooms that aren't part of a space in one place.": "Koonda ühte kohta kõik oma jututoad, mis ei kuulu mõnda kogukonda.", - "Group all your people in one place.": "Koonda oma olulised sõbrad ühte kohta.", - "Group all your favourite rooms and people in one place.": "Koonda oma olulised sõbrad ning lemmikjututoad ühte kohta.", - "Spaces are ways to group rooms and people. Alongside the spaces you're in, you can use some pre-built ones too.": "Kogukonnakeskused on kasutajate ja jututubade koondamise viis. Lisaks kogukonnakeskustele, mille liiga sa oled, võid sa kasutada ka eelseadistatud kogukonnakeskusi.", "Pick a date to jump to": "Vali kuupäev, mida soovid vaadata", "Jump to date": "Vaata kuupäeva", "The beginning of the room": "Jututoa algus", @@ -1539,12 +1335,9 @@ "%(brand)s could not send your location. Please try again later.": "%(brand)s ei saanud sinu asukohta edastada. Palun proovi hiljem uuesti.", "We couldn't send your location": "Sinu asukoha saatmine ei õnnestunud", "Pinned": "Klammerdatud", - "Match system": "Kasuta süsteemset väärtust", "Expand quotes": "Näita viidatud sisu", "Collapse quotes": "Peida viidatud sisu", "Click": "Klõpsi", - "Click to move the pin": "Asukoha teisaldamiseks klõpsi", - "Click to drop a pin": "Asukoha märkimiseks klõpsi", "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", @@ -1558,10 +1351,8 @@ }, "Preserve system messages": "Näita süsteemseid teateid", "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", - "Share for %(duration)s": "Jaga nii kaua - %(duration)s", "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.", - "%(brand)s is experimental on a mobile web browser. For a better experience and the latest features, use our free native app.": "%(brand)s toimib nutiseadme veebibrauseris kastseliselt. Parima kasutajakogemuse ja uusima funktsionaalsuse jaoks kasuta meie rakendust.", "%(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.", @@ -1577,11 +1368,6 @@ "Forget this space": "Unusta see kogukond", "You were removed by %(memberName)s": "%(memberName)s eemaldas sinu liikmelisuse", "Loading preview": "Laadin eelvaadet", - "Failed to join": "Liitumine ei õnnestunud", - "The person who invited you has already left, or their server is offline.": "See, sulle saatis kutse, kas juba on lahkunud või tema koduserver on võrgust väljas.", - "The person who invited you has already left.": "See, kes saatis sulle kutse, on juba lahkunud.", - "Sorry, your homeserver is too old to participate here.": "Vabandust, sinu koduserver on siin osalemiseks liiga vana.", - "There was an error joining.": "Liitumisel tekkis viga.", "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", @@ -1624,10 +1410,7 @@ "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.", - "Please note: this is a labs feature using a temporary implementation. This means you will not be able to delete your location history, and advanced users will be able to see your location history even after you stop sharing your live location with this room.": "Palun arvesta järgnevaga: see katseline funktsionaalsus kasutab ajutist lahendust. See tähendab, et sa ei saa oma asukoha jagamise ajalugu kustutada ning heade arvutioskustega kasutajad saavad näha sinu asukohta ka siis, kui sa oled oma asukoha jagamise selles jututoas lõpetanud.", "An error occurred while stopping your live location": "Sinu asukoha reaalajas jagamise lõpetamisel tekkis viga", - "Enable live location sharing": "Luba asukohta jagada reaalajas", - "Live location sharing": "Asukoha jagamine reaalajas", "%(members)s and more": "%(members)s ja veel", "%(members)s and %(last)s": "%(members)s ja veel %(last)s", "Open room": "Ava jututuba", @@ -1645,16 +1428,8 @@ "An error occurred whilst sharing your live location": "Sinu asukoha jagamisel reaalajas tekkis viga", "Unread email icon": "Lugemata e-kirja ikoon", "Joining…": "Liitun…", - "%(count)s people joined": { - "other": "%(count)s osalejat liitus", - "one": "%(count)s osaleja liitus" - }, - "View related event": "Vaata seotud sündmust", "Read receipts": "Lugemisteatised", - "You were disconnected from the call. (Error: %(message)s)": "Kõne on katkenud. (Veateade: %(message)s)", - "Connection lost": "Ühendus on katkenud", "Deactivating your account is a permanent action — be careful!": "Kuna kasutajakonto dektiveerimist ei saa tagasi pöörata, siis palun ole ettevaatlik!", - "Un-maximise": "Lõpeta täisvaate kasutamine", "When you sign out, these keys will be deleted from this device, which means you won't be able to read encrypted messages unless you have the keys for them on your other devices, or backed them up to the server.": "Kui sa logid välja, siis krüptovõtmed kustutatakse sellest seadmest. Seega, kui sul pole krüptovõtmeid varundatud teistes seadmetes või kasutusel serveripoolset varundust, siis sa krüptitud sõnumeid hiljem lugeda ei saa.", "Remove search filter for %(filter)s": "Eemalda otsingufilter „%(filter)s“", "Start a group chat": "Alusta rühmavestlust", @@ -1690,8 +1465,6 @@ "Choose a locale": "Vali lokaat", "Saved Items": "Salvestatud failid", "You're in": "Kõik on tehtud", - "Sessions": "Sessioonid", - "For best security, verify your sessions and sign out from any session that you don't recognize or use anymore.": "Parima turvalisuse nimel verifitseeri kõik oma sessioonid ning logi välja neist, mida sa enam ei kasuta.", "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", @@ -1699,10 +1472,6 @@ "%(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", - "You do not have permission to start video calls": "Sul ei ole piisavalt õigusi videokõne alustamiseks", - "You do not have permission to start voice calls": "Sul ei ole piisavalt õigusi häälkõne alustamiseks", - "There's no one here to call": "Siin ei leidu kedagi, kellele helistada", - "Ongoing call": "Kõne on pooleli", "Video call (Jitsi)": "Videokõne (Jitsi)", "Failed to set pusher state": "Tõuketeavituste teenuse oleku määramine ei õnnestunud", "Room info": "Jututoa teave", @@ -1710,13 +1479,11 @@ "Close call": "Lõpeta kõne", "Spotlight": "Rambivalgus", "Freedom": "Vabadus", - "Unknown room": "Teadmata jututuba", "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", - "Sorry — this call is currently full": "Vabandust, selles kõnes ei saa rohkem osalejaid olla", "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", @@ -1735,10 +1502,6 @@ "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", - "Are you sure you want to sign out of %(count)s sessions?": { - "one": "Kas sa oled kindel et soovid %(count)s sessiooni võrgust välja logida?", - "other": "Kas sa oled kindel et soovid %(count)s sessiooni võrgust välja logida?" - }, "Show formatting": "Näita vormingut", "Hide formatting": "Peida vormindus", "Connection": "Ühendus", @@ -1757,15 +1520,10 @@ "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: ", - "You have unverified sessions": "Sul on verifitseerimata sessioone", "Change layout": "Muuda paigutust", - "Search users in this room…": "Vali kasutajad sellest jututoast…", - "Give one or multiple users in this room more privileges": "Lisa selles jututoas ühele või mitmele kasutajale täiendavaid õigusi", - "Add privileged users": "Lisa kasutajatele täiendavaid õigusi", "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", - "Mark as read": "Märgi loetuks", "Text": "Tekst", "Create a link": "Tee link", "You can't start a voice message as you are currently recording a live broadcast. Please end your live broadcast in order to start recording a voice message.": "Kuna sa hetkel salvestad ringhäälingukõnet, siis häälsõnumi salvestamine või esitamine ei õnnestu. Selleks palun lõpeta ringhäälingukõne.", @@ -1776,9 +1534,6 @@ "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", - "Red": "Punane", - "Grey": "Hall", - "This session is backing up your keys.": "See sessioon varundab sinu krüptovõtmeid.", "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", @@ -1801,10 +1556,6 @@ "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…", - "Backing up %(sessionsRemaining)s keys…": "Varundan %(sessionsRemaining)s krüptovõtmeid…", - "Connecting to integration manager…": "Ühendamisel lõiminguhalduriga…", - "Saving…": "Salvestame…", - "Creating…": "Loome…", "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.", @@ -1812,10 +1563,7 @@ "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", "Ended a poll": "Lõpetas küsitluse", - "Yes, it was me": "Jah, see olin mina", "Answered elsewhere": "Vastatud mujal", - "If you know a room address, try joining through that instead.": "Kui sa tead jututoa aadressi, siis proovi liitumiseks seda kasutada.", - "You attempted to join using a room ID without providing a list of servers to join through. Room IDs are internal identifiers and cannot be used to join a room without additional information.": "Sa proovisid liituda jututoaga tema tunnuse alusel nii, et serveri nime polnud näidatud. Jututoa tunnused on sisemised identifikaatorid ja ilma lisateabeta neid liitumiseks kasutada ei saa.", "Load more polls": "Laadi veel küsitlusi", "Past polls": "Varasemad küsitlused", "Active polls": "Käimasolevad küsitlused", @@ -1831,10 +1579,7 @@ }, "There are no past polls. Load more polls to view polls for previous months": "Pole ühtegi hiljutist küsitlust. Varasemate kuude vaatamiseks laadi veel küsitlusi", "There are no active polls. Load more polls to view polls for previous months": "Pole ühtegi käimas küsitlust. Varasemate kuude vaatamiseks laadi veel küsitlusi", - "Verify Session": "Verifitseeri sessioon", - "Ignore (%(counter)s)": "Eira (%(counter)s)", "Invites by email can only be sent one at a time": "Kutseid saad e-posti teel saata vaid ükshaaval", - "An error occurred when updating your notification preferences. Please try to toggle your option again.": "Teavituste eelistuste muutmisel tekkis viga. Palun proovi sama valikut uuesti sisse/välja lülitada.", "Desktop app logo": "Töölauarakenduse logo", "Requires your server to support the stable version of MSC3827": "Eeldab, et sinu koduserver toetab MSC3827 stabiilset versiooni", "Message from %(user)s": "Sõnum kasutajalt %(user)s", @@ -1848,29 +1593,21 @@ "We were unable to find an event looking forwards from %(dateString)s. Try choosing an earlier date.": "Alates %(dateString)s ei leidnud me sündmusi ega teateid. Palun proovi valida varasem kuupäev.", "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.": "Valitud kuupäeva vaate otsimisel ja avamisel tekkis võrguühenduse viga. Kas näiteks sinu koduserver hetkel ei tööta või on ajutisi katkestusi sinu internetiühenduses. Palun proovi mõne aja pärast uuesti. Kui viga kordub veel hiljemgi, siis palun suhtle oma koduserveri haldajaga.", "Poll history": "Küsitluste ajalugu", - "Match default setting": "Sobita vaikimisi seadistusega", - "Mute room": "Summuta jututuba", "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", - "Image view": "Pildivaade", "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)", - "Failed to download source media, no source url was found": "Kuna meedia aadressi ei leidu, siis allalaadimine ei õnnestu", "Once invited users have joined %(brand)s, you will be able to chat and the room will be end-to-end encrypted": "Kui kutse saanud kasutajad on liitunud %(brand)s'ga, siis saad sa nendega suhelda ja jututuba on läbivalt krüptitud", "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", - "Your language": "Sinu keel", - "Your device ID": "Sinu seadme tunnus", "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.", - "Ask to join": "Küsi võimalust liitumiseks", - "People cannot join unless access is granted.": "Kasutajade ei saa liituda enne, kui selleks vastav luba on antud.", "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 .", @@ -1896,7 +1633,6 @@ "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.", - "Your profile picture URL": "Sinu tunnuspildi URL", "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", @@ -1907,8 +1643,6 @@ "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)", - "You need an invite to access this room.": "Ligipääsuks siia jututuppa on sul vaja kutset.", - "Failed to cancel": "Tühistamine ei õnnestunud", "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", @@ -2013,7 +1747,15 @@ "off": "Välja lülitatud", "all_rooms": "Kõik jututoad", "deselect_all": "Eemalda kõik valikud", - "select_all": "Vali kõik" + "select_all": "Vali kõik", + "copied": "Kopeeritud!", + "advanced": "Teave arendajatele", + "spaces": "Kogukonnakeskused", + "general": "Üldist", + "saving": "Salvestame…", + "profile": "Profiil", + "display_name": "Kuvatav nimi", + "user_avatar": "Profiilipilt" }, "action": { "continue": "Jätka", @@ -2116,7 +1858,10 @@ "clear": "Eemalda", "exit_fullscreeen": "Lülita täisekraanivaade välja", "enter_fullscreen": "Lülita täisekraanivaade sisse", - "unban": "Taasta ligipääs" + "unban": "Taasta ligipääs", + "click_to_copy": "Kopeerimiseks klõpsa", + "hide_advanced": "Peida lisaseadistused", + "show_advanced": "Näita lisaseadistusi" }, "a11y": { "user_menu": "Kasutajamenüü", @@ -2128,7 +1873,8 @@ "other": "%(count)s lugemata teadet.", "one": "1 lugemata teade." }, - "unread_messages": "Lugemata sõnumid." + "unread_messages": "Lugemata sõnumid.", + "jump_first_invite": "Siirdu esimese kutse juurde." }, "labs": { "video_rooms": "Videotoad", @@ -2322,7 +2068,6 @@ "user_a11y": "Kasutajanimede automaatne lõpetamine" } }, - "Bold": "Paks kiri", "Link": "Link", "Code": "Kood", "power_level": { @@ -2430,7 +2175,8 @@ "intro_byline": "Vestlused, mida sa tegelikult ka omad.", "send_dm": "Saada otsesõnum", "explore_rooms": "Sirvi avalikke jututubasid", - "create_room": "Loo rühmavestlus" + "create_room": "Loo rühmavestlus", + "create_account": "Loo kasutajakonto" }, "settings": { "show_breadcrumbs": "Näita viimati külastatud jututubade viiteid jututubade loendi kohal", @@ -2497,7 +2243,10 @@ "noisy": "Jutukas", "error_permissions_denied": "%(brand)s'il puudub luba sulle teavituste kuvamiseks - palun kontrolli oma brauseri seadistusi", "error_permissions_missing": "%(brand)s ei saanud luba teavituste kuvamiseks - palun proovi uuesti", - "error_title": "Teavituste kasutusele võtmine ei õnnestunud" + "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." }, "appearance": { "layout_irc": "IRC (katseline)", @@ -2571,7 +2320,44 @@ "cryptography_section": "Krüptimine", "session_id": "Sessiooni tunnus:", "session_key": "Sessiooni võti:", - "encryption_section": "Krüptimine" + "encryption_section": "Krüptimine", + "bulk_options_section": "Masstoimingute seadistused", + "bulk_options_accept_all_invites": "Võta vastu kõik %(invitedRooms)s kutsed", + "bulk_options_reject_all_invites": "Lükka tagasi kõik %(invitedRooms)s kutsed", + "message_search_section": "Otsing sõnumite seast", + "analytics_subsection_description": "Võimalike vigade leidmiseks jaga meiega anonüümseid andmeid. Isiklikku teavet meie ei kogu ega jaga mitte midagi kolmandate osapooltega.", + "encryption_individual_verification_mode": "Ära usalda risttunnustamist ning verifitseeri kasutaja iga sessioon eraldi.", + "message_search_enabled": { + "one": "Selleks, et sisu saaks otsingus kasutada, puhverda krüptitud sõnumid kohalikus seadmes turvaliselt. %(rooms)s jututoa andmete salvestamiseks kulub hetkel %(size)s.", + "other": "Selleks, et sisu saaks otsingus kasutada, puhverda krüptitud sõnumid kohalikus seadmes turvaliselt. %(rooms)s jututoa andmete salvestamiseks kulub hetkel %(size)s." + }, + "message_search_disabled": "Turvaliselt puhverda krüptitud sõnumid kohalikku arvutisse ja võimalda kasutada neid otsingus.", + "message_search_unsupported": "%(brand)s'is on puudu need komponendid, mis võimaldavad otsida kohalikest turvaliselt puhverdatud krüptitud sõnumitest. Kui sa tahaksid sellist funktsionaalsust katsetada, siis pead kompileerima %(brand)s'i variandi, kus need komponendid on lisatud.", + "message_search_unsupported_web": "%(brand)s ei võimalda veebibrauseris töötades krüptitud sõnumeid turvaliselt puhverdada. Selleks, et krüptitud sõnumeid saaks otsida, kasuta %(brand)s Desktop rakendust Matrix'i kliendina.", + "message_search_failed": "Sõnumite otsingu alustamine ei õnnestunud", + "backup_key_well_formed": "korrektses vormingus", + "backup_key_unexpected_type": "tundmatut tüüpi", + "backup_keys_description": "Selleks puhuks, kui sa kaotad ligipääsu kõikidele oma sessioonidele, tee varukoopia oma krüptovõtmetest ja kasutajakonto seadistustest. Unikaalse turvavõtmega tagad selle, et sinu varukoopia on kaitstud.", + "backup_key_stored_status": "Varukoopia võti on salvestatud:", + "cross_signing_not_stored": "ei ole salvestatud", + "backup_key_cached_status": "Varukoopia võti on puhverdatud:", + "4s_public_key_status": "Turvahoidla avalik võti:", + "4s_public_key_in_account_data": "kasutajakonto andmete hulgas", + "secret_storage_status": "Turvahoidla:", + "secret_storage_ready": "valmis", + "secret_storage_not_ready": "ei ole valmis", + "delete_backup": "Kustuta varukoopia", + "delete_backup_confirm_description": "Kas sa oled kindel? Kui sul muud varundust pole, siis kaotad ligipääsu oma krüptitud sõnumitele.", + "error_loading_key_backup_status": "Võtmete varunduse oleku laadimine ei õnnestunud", + "restore_key_backup": "Taasta varukoopiast", + "key_backup_active": "See sessioon varundab sinu krüptovõtmeid.", + "key_backup_inactive": "See sessioon ei varunda sinu krüptovõtmeid, aga sul on olemas varundus, millest saad taastada ning millele saad võtmeid lisada.", + "key_backup_connect_prompt": "Enne väljalogimist seo see sessioon krüptovõtmete varundusega. Kui sa seda ei tee, siis võid kaotada võtmed, mida kasutatakse vaid siin sessioonis.", + "key_backup_connect": "Seo see sessioon krüptovõtmete varundusega", + "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." }, "preferences": { "room_list_heading": "Jututubade loend", @@ -2685,7 +2471,13 @@ "one": "Logi seade võrgust välja" }, "security_recommendations": "Turvalisusega seotud soovitused", - "security_recommendations_description": "Kui järgid neid soovitusi, siis sa parandad oma kasutajakonto turvalisust." + "security_recommendations_description": "Kui järgid neid soovitusi, siis sa parandad oma kasutajakonto turvalisust.", + "title": "Sessioonid", + "sign_out_confirm_description": { + "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." }, "general": { "oidc_manage_button": "Halda kasutajakontot", @@ -2704,7 +2496,22 @@ "add_msisdn_confirm_sso_button": "Kinnita selle telefoninumbri lisamine kasutades oma isiku tuvastamiseks ühekordset sisselogimist (Single Sign On).", "add_msisdn_confirm_button": "Kinnita telefoninumbri lisamine", "add_msisdn_confirm_body": "Klõpsi järgnevat nuppu telefoninumbri lisamise kinnitamiseks.", - "add_msisdn_dialog_title": "Lisa telefoninumber" + "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" + }, + "sidebar": { + "title": "Külgpaan", + "metaspaces_subsection": "Näidatavad kogukonnakeskused", + "metaspaces_description": "Kogukonnakeskused on kasutajate ja jututubade koondamise viis. Lisaks kogukonnakeskustele, mille liiga sa oled, võid sa kasutada ka eelseadistatud kogukonnakeskusi.", + "metaspaces_home_description": "Avalehelt saad kõigest hea ülevaate.", + "metaspaces_favourites_description": "Koonda oma olulised sõbrad ning lemmikjututoad ühte kohta.", + "metaspaces_people_description": "Koonda oma olulised sõbrad ühte kohta.", + "metaspaces_orphans": "Jututoad väljaspool seda kogukonda", + "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" } }, "devtools": { @@ -3208,7 +3015,15 @@ "user": "%(senderName)s lõpetas ringhäälingukõne" }, "creation_summary_dm": "%(creator)s alustas seda otsesuhtlust.", - "creation_summary_room": "%(creator)s lõi ja seadistas jututoa." + "creation_summary_room": "%(creator)s lõi ja seadistas jututoa.", + "context_menu": { + "view_source": "Vaata lähtekoodi", + "show_url_preview": "Näita eelvaadet", + "external_url": "Lähteaadress", + "collapse_reply_thread": "Ahenda vastuste jutulõnga", + "view_related_event": "Vaata seotud sündmust", + "report": "Teata sisust" + } }, "slash_command": { "spoiler": "Saadab selle sõnumi rõõmurikkujana", @@ -3411,10 +3226,28 @@ "failed_call_live_broadcast_title": "Kõne algatamine ei õnnestu", "failed_call_live_broadcast_description": "Kuna sa hetkel salvestad ringhäälingukõnet, siis tavakõne algatamine ei õnnestu. Kõne alustamiseks palun lõpeta ringhäälingukõne.", "no_media_perms_title": "Meediaõigused puuduvad", - "no_media_perms_description": "Sa võib-olla pead andma %(brand)s'ile loa mikrofoni ja veebikaamera kasutamiseks" + "no_media_perms_description": "Sa võib-olla pead andma %(brand)s'ile loa mikrofoni ja veebikaamera kasutamiseks", + "call_toast_unknown_room": "Teadmata jututuba", + "join_button_tooltip_connecting": "Kõne on ühendamisel", + "join_button_tooltip_call_full": "Vabandust, selles kõnes ei saa rohkem osalejaid olla", + "hide_sidebar_button": "Peida külgpaan", + "show_sidebar_button": "Näita külgpaani", + "more_button": "Veel", + "screenshare_monitor": "Jaga tervet ekraani", + "screenshare_window": "Rakenduse aken", + "screenshare_title": "Jaga sisu", + "disabled_no_perms_start_voice_call": "Sul ei ole piisavalt õigusi häälkõne alustamiseks", + "disabled_no_perms_start_video_call": "Sul ei ole piisavalt õigusi videokõne alustamiseks", + "disabled_ongoing_call": "Kõne on pooleli", + "disabled_no_one_here": "Siin ei leidu kedagi, kellele helistada", + "n_people_joined": { + "other": "%(count)s osalejat liitus", + "one": "%(count)s osaleja liitus" + }, + "unknown_person": "tundmatu isik", + "connecting": "Kõne on ühendamisel" }, "Other": "Muud", - "Advanced": "Teave arendajatele", "room_settings": { "permissions": { "m.room.avatar_space": "Muuda kogukonna tunnuspilti", @@ -3454,7 +3287,10 @@ "title": "Rollid ja õigused", "permissions_section": "Õigused", "permissions_section_description_space": "Vali rollid, mis on vajalikud kogukonna eri osade muutmiseks", - "permissions_section_description_room": "Vali rollid, mis on vajalikud jututoa eri osade muutmiseks" + "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…" }, "security": { "strict_encryption": "Ära iialgi saada sellest sessioonist krüptitud sõnumeid verifitseerimata sessioonidesse selles jututoas", @@ -3481,7 +3317,35 @@ "history_visibility_shared": "Ainult liikmetele (alates selle seadistuse kasutuselevõtmisest)", "history_visibility_invited": "Ainult liikmetele (alates nende kutsumise ajast)", "history_visibility_joined": "Ainult liikmetele (alates liitumisest)", - "history_visibility_world_readable": "Kõik kasutajad" + "history_visibility_world_readable": "Kõik kasutajad", + "join_rule_upgrade_required": "Vajalik on uuendus", + "join_rule_restricted_n_more": { + "other": "ja veel %(count)s", + "one": "ja veel %(count)s" + }, + "join_rule_restricted_summary": { + "other": "Hetkel on ligipääs %(count)s'l kogukonnakeskusel", + "one": "Hetkel sellel kogukonnal on ligipääs" + }, + "join_rule_restricted_description": "Kõik kogukonnakeskuse liikmed saavad jututuba leida ja sellega liituda. Muuda lubatud kogukonnakeskuste loendit.", + "join_rule_restricted_description_spaces": "Ligipääsuga kogukonnakeskused", + "join_rule_restricted_description_active_space": "Kõik kogukonnakeskuse liikmed saavad leida ja liituda. Sa võid valida ka muid kogukonnakeskuseid.", + "join_rule_restricted_description_prompt": "Kõik kogukonnakeskuse liikmed saavad leida ja liituda. Sa võid valida ka mitu kogukonnakeskust.", + "join_rule_restricted": "Kogukonnakeskuse liikmed", + "join_rule_knock": "Küsi võimalust liitumiseks", + "join_rule_knock_description": "Kasutajade ei saa liituda enne, kui selleks vastav luba on antud.", + "join_rule_restricted_upgrade_warning": "See jututuba on mõne sellise kogukonnakeskuse osa, kus sul pole haldaja õigusi. Selliselt juhul vana jututuba jätkuvalt kuvatakse, kuid selle asutajatele pakutakse võimalust uuega liituda.", + "join_rule_restricted_upgrade_description": "Antud uuendusega on valitud kogukonnakeskuste liikmetel võimalik selle jututoaga ilma kutseta liituda.", + "join_rule_upgrade_upgrading_room": "Uuendan jututoa versiooni", + "join_rule_upgrade_awaiting_room": "Laadin uut jututuba", + "join_rule_upgrade_sending_invites": { + "one": "Saadan kutset...", + "other": "Saadan kutseid... (%(progress)s / %(count)s)" + }, + "join_rule_upgrade_updating_spaces": { + "one": "Uuendan kogukonnakeskust...", + "other": "Uuendan kogukonnakeskuseid... (%(progress)s / %(count)s)" + } }, "general": { "publish_toggle": "Kas avaldame selle jututoa %(domain)s jututubade loendis?", @@ -3491,7 +3355,11 @@ "default_url_previews_off": "URL'ide eelvaated on vaikimisi lülitatud välja selles jututoas osalejate jaoks.", "url_preview_encryption_warning": "Krüptitud jututubades, nagu see praegune, URL'ide eelvaated ei ole vaikimisi kasutusel. See tagab, et sinu koduserver (kus eelvaated luuakse) ei saaks koguda teavet viidete kohta, mida sa siin jututoas näed.", "url_preview_explainer": "Kui keegi lisab oma sõnumisse URL'i, siis võidakse näidata selle URL'i eelvaadet, mis annab lisateavet tema kohta, nagu näiteks pealkiri, kirjeldus ja kuidas ta välja näeb.", - "url_previews_section": "URL'ide eelvaated" + "url_previews_section": "URL'ide eelvaated", + "error_save_space_settings": "Kogukonnakeskuse seadistuste salvestamine ei õnnestunud.", + "description_space": "Muuda oma kogukonnakeskuse seadistusi.", + "save": "Salvesta muutused", + "leave_space": "Lahku kogukonnakeskusest" }, "advanced": { "unfederated": "See jututuba ei ole leitav teiste Matrix'i serverite jaoks", @@ -3503,6 +3371,24 @@ "room_id": "Jututoa tehniline tunnus", "room_version_section": "Jututoa versioon", "room_version": "Jututoa versioon:" + }, + "delete_avatar_label": "Kustuta tunnuspilt", + "upload_avatar_label": "Laadi üles profiilipilt ehk avatar", + "visibility": { + "error_update_guest_access": "Ei õnnestunud selle kogukonnakekuse külaliste ligipääsureegleid uuendada", + "error_update_history_visibility": "Ei õnnestunud selle kogukonnakekuse ajaloo loetavust uuendada", + "guest_access_explainer": "Külalised võivad liituda kogukonnakeskusega ilma kasutajakontota.", + "guest_access_explainer_public_space": "Seda saad kasutada näiteks avalike kogukonnakeskuste puhul.", + "title": "Nähtavus", + "error_failed_save": "Kogukonnakeskuse nähtavust ei õnnestunud uuendada", + "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" + }, + "access": { + "title": "Ligipääs", + "description_space": "Otsusta kes saada näha ja liituda %(spaceName)s kogukonnaga." } }, "encryption": { @@ -3529,7 +3415,15 @@ "waiting_other_device_details": "Ootan, et sa verifitseerid oma teises seadmes: %(deviceName)s (%(deviceId)s)…", "waiting_other_device": "Ootan, et sa verifitseeriksid oma teises seadmes…", "waiting_other_user": "Ootan kasutaja %(displayName)s verifitseerimist…", - "cancelling": "Tühistan…" + "cancelling": "Tühistan…", + "unverified_sessions_toast_title": "Sul on verifitseerimata sessioone", + "unverified_sessions_toast_description": "Tagamaks, et su konto on sinu kontrolli all, vaata andmed üle", + "unverified_sessions_toast_reject": "Hiljem", + "unverified_session_toast_title": "Uus sisselogimine. Kas see olid sina?", + "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" }, "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.", @@ -3539,7 +3433,18 @@ "bootstrap_title": "Võtame krüptovõtmed kasutusele", "export_unsupported": "Sinu brauser ei toeta vajalikke krüptoteeke", "import_invalid_keyfile": "See ei ole sobilik võtmefail %(brand)s'i jaoks", - "import_invalid_passphrase": "Autentimine ebaõnnestus: kas salasõna pole õige?" + "import_invalid_passphrase": "Autentimine ebaõnnestus: kas salasõna pole õige?", + "set_up_toast_title": "Võta kasutusele turvaline varundus", + "upgrade_toast_title": "Krüptimise uuendus on saadaval", + "verify_toast_title": "Verifitseeri see sessioon", + "set_up_toast_description": "Hoia ära, et kaotad ligipääsu krüptitud sõnumitele ja andmetele", + "verify_toast_description": "Teised kasutajad ei pruugi seda usaldada", + "cross_signing_unsupported": "Sinu koduserver ei toeta risttunnustamist.", + "cross_signing_ready": "Risttunnustamine on kasutamiseks valmis.", + "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": "" }, "emoji": { "category_frequently_used": "Enamkasutatud", @@ -3563,7 +3468,8 @@ "bullet_1": "Meie ei salvesta ega profileeri sinu kasutajakonto andmeid", "bullet_2": "Meie ei jaga teavet kolmandate osapooltega", "disable_prompt": "Seadistustest saad alati määrata, et see funktsionaalsus pole kasutusel", - "accept_button": "Sobib" + "accept_button": "Sobib", + "shared_data_heading": "Järgnevaid andmeid võib jagada:" }, "chat_effects": { "confetti_description": "Lisab sellele sõnumile serpentiine", @@ -3719,7 +3625,8 @@ "autodiscovery_unexpected_error_hs": "Koduserveri seadistustest selguse saamisel tekkis ootamatu viga", "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." + "incorrect_credentials_detail": "Sa kasutad sisselogimiseks serverit %(hs)s, mitte aga matrix.org'i.", + "create_account_title": "Loo kasutajakonto" }, "room_list": { "sort_unread_first": "Näita lugemata sõnumitega jututubasid esimesena", @@ -3843,7 +3750,37 @@ "error_need_to_be_logged_in": "Sa peaksid olema sisse loginud.", "error_need_invite_permission": "Selle tegevuse jaoks peaks sul olema õigus teistele kasutajatele kutse saatmiseks.", "error_need_kick_permission": "Selle tegevuse jaoks peaks sul olema õigus teistele kasutajatele müksamiseks.", - "no_name": "Tundmatu rakendus" + "no_name": "Tundmatu rakendus", + "error_hangup_title": "Ühendus on katkenud", + "error_hangup_description": "Kõne on katkenud. (Veateade: %(message)s)", + "context_menu": { + "start_audio_stream": "Käivita audiovoog", + "screenshot": "Tee foto", + "delete": "Kustuta vidin", + "delete_warning": "Vidina kustutamisel eemaldatakse ta kõikide selle jututoa kasutajate jaoks. Kas sa kindlasti soovid seda vidinat eemaldada?", + "remove": "Eemalda kõigilt", + "revoke": "Tühista õigused", + "move_left": "Liigu vasakule", + "move_right": "Liigu paremale" + }, + "shared_data_name": "Sinu kuvatav nimi", + "shared_data_avatar": "Sinu tunnuspildi URL", + "shared_data_mxid": "Sinu kasutajatunnus", + "shared_data_device_id": "Sinu seadme tunnus", + "shared_data_theme": "Sinu teema", + "shared_data_lang": "Sinu keel", + "shared_data_url": "%(brand)s'i aadress", + "shared_data_room_id": "Jututoa tunnus", + "shared_data_widget_id": "Vidina tunnus", + "shared_data_warning_im": "Selle vidina kasutamisel võidakse jagada andmeid %(widgetDomain)s saitidega ning sinu lõiminguhalduriga.", + "shared_data_warning": "Selle vidina kasutamisel võidakse jagada andmeid saitidega %(widgetDomain)s.", + "unencrypted_warning": "Erinevalt sõnumitest vidinad ei kasuta krüptimist.", + "added_by": "Vidina lisaja", + "cookie_warning": "See vidin võib kasutada küpsiseid.", + "error_loading": "Viga vidina laadimisel", + "error_mixed_content": "Viga - erinev sisu", + "unmaximise": "Lõpeta täisvaate kasutamine", + "popout": "Ava rakendus eraldi aknas" }, "feedback": { "sent": "Tagasiside on saadetud", @@ -3940,7 +3877,8 @@ "empty_heading": "Halda vestlusi jutulõngadena" }, "theme": { - "light_high_contrast": "Hele ja väga kontrastne" + "light_high_contrast": "Hele ja väga kontrastne", + "match_system": "Kasuta süsteemset väärtust" }, "space": { "landing_welcome": "Tete tulemast liikmeks", @@ -3956,9 +3894,14 @@ "devtools_open_timeline": "Vaata jututoa ajajoont (arendusvaade)", "home": "Kogukonnakeskuse avaleht", "explore": "Tutvu jututubadega", - "manage_and_explore": "Halda ja uuri jututubasid" + "manage_and_explore": "Halda ja uuri jututubasid", + "options": "Kogukonnakeskus eelistused" }, - "share_public": "Jaga oma avalikku kogukonnakeskust" + "share_public": "Jaga oma avalikku kogukonnakeskust", + "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" }, "location_sharing": { "MapStyleUrlNotConfigured": "See koduserver pole seadistatud kuvama kaarte.", @@ -3975,7 +3918,14 @@ "failed_timeout": "Asukoha tuvastamine ei õnnestunud päringu aegumise tõttu. Palun proovi hiljem uuesti.", "failed_unknown": "Asukoha tuvastamine ei õnnestunud teadmaata põhjusel. Palun proovi hiljem uuesti.", "expand_map": "Kuva kaart laiemana", - "failed_load_map": "Kaardi laadimine ei õnnestu" + "failed_load_map": "Kaardi laadimine ei õnnestu", + "live_enable_heading": "Asukoha jagamine reaalajas", + "live_enable_description": "Palun arvesta järgnevaga: see katseline funktsionaalsus kasutab ajutist lahendust. See tähendab, et sa ei saa oma asukoha jagamise ajalugu kustutada ning heade arvutioskustega kasutajad saavad näha sinu asukohta ka siis, kui sa oled oma asukoha jagamise selles jututoas lõpetanud.", + "live_toggle_label": "Luba asukohta jagada reaalajas", + "live_share_button": "Jaga nii kaua - %(duration)s", + "click_move_pin": "Asukoha teisaldamiseks klõpsi", + "click_drop_pin": "Asukoha märkimiseks klõpsi", + "share_button": "Jaga asukohta" }, "labs_mjolnir": { "room_name": "Minu poolt seatud ligipääsukeeldude loend", @@ -4011,7 +3961,6 @@ }, "create_space": { "name_required": "Palun sisesta kogukonnakeskuse nimi", - "name_placeholder": "näiteks minu kogukond", "explainer": "Kogukonnakeskused on uus võimalus jututubade ja inimeste liitmiseks. Missugust kogukonnakeskust sa tahaksid luua? Sa saad seda hiljem muuta.", "public_description": "Avaliku ligipääsuga kogukonnakeskus", "private_description": "Liitumine vaid kutse alusel, sobib sulle ja sinu lähematele kaaslastele", @@ -4042,11 +3991,17 @@ "setup_rooms_community_description": "Teeme siis iga teema jaoks oma jututoa.", "setup_rooms_description": "Sa võid ka hiljem siia luua uusi jututubasid või lisada olemasolevaid.", "setup_rooms_private_heading": "Missuguste projektidega sinu tiim tegeleb?", - "setup_rooms_private_description": "Loome siis igaühe jaoks oma jututoa." + "setup_rooms_private_description": "Loome siis igaühe jaoks oma jututoa.", + "address_placeholder": "näiteks minu kogukond", + "address_label": "Aadress", + "label": "Loo kogukonnakeskus", + "add_details_prompt_2": "Sa võid neid alati muuta.", + "creating": "Loome…" }, "user_menu": { "switch_theme_light": "Kasuta heledat teemat", - "switch_theme_dark": "Kasuta tumedat teemat" + "switch_theme_dark": "Kasuta tumedat teemat", + "settings": "Kõik seadistused" }, "notif_panel": { "empty_heading": "Ei tea... kõik vist on nüüd tehtud", @@ -4084,7 +4039,28 @@ "leave_error_title": "Viga jututoast lahkumisel", "upgrade_error_title": "Viga jututoa uuendamisel", "upgrade_error_description": "Kontrolli veel kord, kas sinu koduserver toetab seda jututoa versiooni ning proovi uuesti.", - "leave_server_notices_description": "Seda jututuba kasutatakse sinu koduserveri oluliste teadete jaoks ja seega sa ei saa sealt lahkuda." + "leave_server_notices_description": "Seda jututuba kasutatakse sinu koduserveri oluliste teadete jaoks ja seega sa ei saa sealt lahkuda.", + "error_join_connection": "Liitumisel tekkis viga.", + "error_join_incompatible_version_1": "Vabandust, sinu koduserver on siin osalemiseks liiga vana.", + "error_join_incompatible_version_2": "Palun võta ühendust koduserveri haldajaga.", + "error_join_404_invite_same_hs": "See, kes saatis sulle kutse, on juba lahkunud.", + "error_join_404_invite": "See, sulle saatis kutse, kas juba on lahkunud või tema koduserver on võrgust väljas.", + "error_join_404_1": "Sa proovisid liituda jututoaga tema tunnuse alusel nii, et serveri nime polnud näidatud. Jututoa tunnused on sisemised identifikaatorid ja ilma lisateabeta neid liitumiseks kasutada ei saa.", + "error_join_404_2": "Kui sa tead jututoa aadressi, siis proovi liitumiseks seda kasutada.", + "error_join_title": "Liitumine ei õnnestunud", + "error_join_403": "Ligipääsuks siia jututuppa on sul vaja kutset.", + "error_cancel_knock_title": "Tühistamine ei õnnestunud", + "context_menu": { + "unfavourite": "Märgitud lemmikuks", + "favourite": "Lemmik", + "mentions_only": "Ainult mainimised", + "copy_link": "Kopeeri jututoa link", + "low_priority": "Vähetähtis", + "forget": "Unusta jututuba ära", + "mark_read": "Märgi loetuks", + "notifications_default": "Sobita vaikimisi seadistusega", + "notifications_mute": "Summuta jututuba" + } }, "file_panel": { "guest_note": "Selle funktsionaalsuse kasutamiseks pead sa registreeruma", @@ -4104,7 +4080,8 @@ "tac_button": "Vaata üle kasutustingimused", "identity_server_no_terms_title": "Isikutuvastusserveril puuduvad kasutustingimused", "identity_server_no_terms_description_1": "E-posti aadressi või telefoninumbri kontrolliks see tegevus eeldab päringut vaikimisi isikutuvastusserverisse , aga sellel serveril puuduvad kasutustingimused.", - "identity_server_no_terms_description_2": "Jätka vaid siis, kui sa usaldad serveri omanikku." + "identity_server_no_terms_description_2": "Jätka vaid siis, kui sa usaldad serveri omanikku.", + "inline_intro_text": "Jätkamiseks nõustu 'ga:" }, "space_settings": { "title": "Seadistused - %(spaceName)s" @@ -4200,7 +4177,14 @@ "sync": "Ei saa ühendust koduserveriga. Proovin uuesti…", "connection": "Serveriühenduses tekkis viga. Palun proovi mõne aja pärast uuesti.", "mixed_content": "Kui aadressiribal on HTTPS-aadress, siis HTTP-protokolli kasutades ei saa ühendust koduserveriga. Palun pruugi HTTPS-protokolli või luba brauseris ebaturvaliste skriptide kasutamine.", - "tls": "Ei sa ühendust koduserveriga. Palun kontrolli, et sinu koduserveri SSL sertifikaat oleks usaldusväärne ning mõni brauseri lisamoodul ei blokeeri päringuid." + "tls": "Ei sa ühendust koduserveriga. Palun kontrolli, et sinu koduserveri SSL sertifikaat oleks usaldusväärne ning mõni brauseri lisamoodul ei blokeeri päringuid.", + "admin_contact_short": "Võta ühendust oma serveri haldajaga.", + "non_urgent_echo_failure_toast": "Sinu koduserver ei vasta mõnedele päringutele.", + "failed_copy": "Kopeerimine ebaõnnestus", + "something_went_wrong": "Midagi läks nüüd valesti!", + "download_media": "Kuna meedia aadressi ei leidu, siis allalaadimine ei õnnestu", + "update_power_level": "Õiguste muutmine ei õnnestunud", + "unknown": "Teadmata viga" }, "in_space1_and_space2": "Kogukondades %(space1Name)s ja %(space2Name)s.", "in_space_and_n_other_spaces": { @@ -4208,5 +4192,52 @@ "other": "Kogukonnas %(spaceName)s ja %(count)s's muus kogukonnas." }, "in_space": "Kogukonnas %(spaceName)s.", - "name_and_id": "%(name)s (%(userId)s)" + "name_and_id": "%(name)s (%(userId)s)", + "items_and_n_others": { + "other": " ja %(count)s muud", + "one": " ja üks muu" + }, + "notifications": { + "enable_prompt_toast_title_from_message_send": "Ära jäta vastust vahele", + "enable_prompt_toast_title": "Teavitused", + "enable_prompt_toast_description": "Võta kasutusele töölauakeskkonna teavitused", + "colour_none": "Ei ühelgi juhul", + "colour_bold": "Paks kiri", + "colour_grey": "Hall", + "colour_red": "Punane", + "colour_unsent": "Saatmata", + "error_change_title": "Muuda teavituste seadistusi", + "mark_all_read": "Märgi kõik loetuks", + "keyword": "Märksõnad", + "keyword_new": "Uus märksõna", + "class_global": "Üldised", + "class_other": "Muud", + "mentions_keywords": "Mainimised ja märksõnad" + }, + "mobile_guide": { + "toast_title": "Rakendusega saad Matrix'is suhelda parimal viisil", + "toast_description": "%(brand)s toimib nutiseadme veebibrauseris kastseliselt. Parima kasutajakogemuse ja uusima funktsionaalsuse jaoks kasuta meie rakendust.", + "toast_accept": "Kasuta rakendust" + }, + "chat_card_back_action_label": "Tagasi vestluse manu", + "room_summary_card_back_action_label": "Info jututoa kohta", + "member_list_back_action_label": "Jututoa liikmed", + "thread_view_back_action_label": "Tagasi jutulõnga manu", + "quick_settings": { + "title": "Kiirseadistused", + "all_settings": "Kõik seadistused", + "metaspace_section": "Kinnita külgpaanile", + "sidebar_settings": "Täiendavad seadistused" + }, + "lightbox": { + "title": "Pildivaade", + "rotate_left": "Pööra vasakule", + "rotate_right": "Pööra paremale" + }, + "a11y_jump_first_unread_room": "Siirdu esimesse lugemata jututuppa.", + "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." + } } diff --git a/src/i18n/strings/eu.json b/src/i18n/strings/eu.json index c03bbef12b..8cf7a74ed7 100644 --- a/src/i18n/strings/eu.json +++ b/src/i18n/strings/eu.json @@ -2,8 +2,6 @@ "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", - "Favourite": "Gogokoa", - "Notifications": "Jakinarazpenak", "unknown error code": "errore kode ezezaguna", "Historical": "Historiala", "Home": "Hasiera", @@ -43,7 +41,6 @@ "Download %(text)s": "Deskargatu %(text)s", "Error decrypting attachment": "Errorea eranskina deszifratzean", "Failed to ban user": "Huts egin du erabiltzailea debekatzean", - "Failed to change power level": "Huts egin du botere maila aldatzean", "Failed to load timeline position": "Huts egin du denbora-lerroko puntua kargatzean", "Failed to mute user": "Huts egin du erabiltzailea mututzean", "Failed to reject invite": "Huts egin du gonbidapena baztertzean", @@ -57,13 +54,9 @@ "Invited": "Gonbidatuta", "New passwords must match each other.": "Pasahitz berriak berdinak izan behar dira.", "not specified": "zehaztu gabe", - "": "", - "No display name": "Pantaila izenik ez", "No more results": "Emaitza gehiagorik ez", - "Profile": "Profila", "Reason": "Arrazoia", "Reject invitation": "Baztertu gonbidapena", - "Reject all %(invitedRooms)s invites": "Baztertu %(invitedRooms)s gelarako gonbidapen guztiak", "%(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", @@ -79,7 +72,6 @@ "one": "%(filename)s eta beste %(count)s igotzen", "other": "%(filename)s eta beste %(count)s igotzen" }, - "Upload avatar": "Igo abatarra", "%(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?", @@ -118,24 +110,19 @@ "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", - "Unknown error": "Errore ezezaguna", "Unable to restore session": "Ezin izan da saioa berreskuratu", "If you have previously used a more recent version of %(brand)s, your session may be incompatible with this version. Close this window and return to the more recent version.": "Aurretik %(brand)s bertsio berriago bat erabili baduzu, zure saioa bertsio honekin bateraezina izan daiteke. Itxi leiho hau eta itzuli bertsio berriagora.", "Error decrypting image": "Errorea audioa deszifratzean", "Error decrypting video": "Errorea bideoa deszifratzean", "Add an Integration": "Gehitu integrazioa", - "Something went wrong!": "Zerk edo zerk huts egin du!", "You are about to be taken to a third-party site so you can authenticate your account for use with %(integrationsUrl)s. Do you wish to continue?": "Kanpo webgune batetara eramango zaizu zure kontua %(integrationsUrl)s helbidearekin erabiltzeko egiaztatzeko. Jarraitu nahi duzu?", "This will allow you to reset your password and receive notifications.": "Honek zure pasahitza berrezarri eta jakinarazpenak jasotzea ahalbidetuko dizu.", "and %(count)s others...": { "other": "eta beste %(count)s…", "one": "eta beste bat…" }, - "Delete widget": "Ezabatu trepeta", "AM": "AM", "PM": "PM", - "Copied!": "Kopiatuta!", - "Failed to copy": "Kopiak huts egin du", "Unignore": "Ez ezikusi", "Banned by %(displayName)s": "%(displayName)s erabiltzaileak debekatuta", "Restricted": "Mugatua", @@ -152,11 +139,6 @@ "other": "Eta %(count)s gehiago…" }, "Delete Widget": "Ezabatu trepeta", - "Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "Trepeta ezabatzean gelako kide guztientzat kentzen da. Ziur trepeta ezabatu nahi duzula?", - " and %(count)s others": { - "other": " eta beste %(count)s", - "one": " eta beste bat" - }, "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", @@ -164,14 +146,12 @@ "In reply to ": "honi erantzunez: ", "You don't currently have any stickerpacks enabled": "Ez duzu eranskailu multzorik aktibatuta", "Sunday": "Igandea", - "Notification targets": "Jakinarazpenen helburuak", "Today": "Gaur", "Friday": "Ostirala", "Changelog": "Aldaketa-egunkaria", "Failed to send logs: ": "Huts egin du egunkariak bidaltzean: ", "This Room": "Gela hau", "Unavailable": "Eskuraezina", - "Source URL": "Iturriaren URLa", "Filter results": "Iragazi emaitzak", "Tuesday": "Asteartea", "Preparing to send logs": "Egunkariak bidaltzeko prestatzen", @@ -186,9 +166,7 @@ "Search…": "Bilatu…", "Logs sent": "Egunkariak bidalita", "Yesterday": "Atzo", - "Low Priority": "Lehentasun baxua", "Thank you!": "Eskerrik asko!", - "Popout widget": "Laster-leiho trepeta", "Send Logs": "Bidali egunkariak", "Clear Storage and Sign Out": "Garbitu biltegiratzea eta amaitu saioa", "We encountered an error trying to restore your previous session.": "Errore bat aurkitu dugu zure aurreko saioa berrezartzen saiatzean.", @@ -208,7 +186,6 @@ "Demote": "Jaitzi mailaz", "Permission Required": "Baimena beharrezkoa", "This event could not be displayed": "Ezin izan da gertakari hau bistaratu", - "Please contact your homeserver administrator.": "Jarri zure hasiera-zerbitzariaren administratzailearekin kontaktuan.", "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", @@ -229,8 +206,6 @@ "Incompatible local cache": "Katxe lokal bateraezina", "Clear cache and resync": "Garbitu katxea eta sinkronizatu berriro", "Add some now": "Gehitu batzuk orain", - "Delete Backup": "Ezabatu babes-kopia", - "Unable to load key backup status": "Ezin izan da gakoen babes-kopiaren egoera kargatu", "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", @@ -307,7 +282,6 @@ "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", - "General": "Orokorra", "Room Addresses": "Gelaren helbideak", "Email addresses": "E-mail helbideak", "Phone numbers": "Telefono zenbakiak", @@ -316,14 +290,11 @@ "Voice & Video": "Ahotsa eta bideoa", "Main address": "Helbide nagusia", "Your password has been reset.": "Zure pasahitza berrezarri da.", - "Create account": "Sortu kontua", "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", - "Restore from Backup": "Berrezarri babes-kopia", "Back up your keys before signing out to avoid losing them.": "Egin gakoen babes-kopia bat saioa amaitu aurretik, galdu nahi ez badituzu.", - "All keys backed up": "Gako guztien babes.kopia egin da", "Headphones": "Aurikularrak", "Folder": "Karpeta", "Flag": "Bandera", @@ -342,15 +313,11 @@ "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", - "Are you sure? You will lose your encrypted messages if your keys are not backed up properly.": "Ziur al zaude? Zure zifratutako mezuak galduko dituzu zure gakoen babes-kopia egoki bat egiten ez bada.", "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", - "Profile picture": "Profileko irudia", - "Display Name": "Pantaila-izena", "Room information": "Gelako informazioa", - "Bulk options": "Aukera masiboak", "Verify this user to mark them as trusted. Trusting users gives you extra peace of mind when using end-to-end encrypted messages.": "Egiaztatu erabiltzaile hau fidagarritzat markatzeko. Honek bakea ematen dizu muturretik muturrerako zifratutako mezuak erabiltzean.", "Incoming Verification Request": "Jasotako egiaztaketa eskaria", "I don't want my encrypted messages": "Ez ditut nire zifratutako mezuak nahi", @@ -362,7 +329,6 @@ "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", - "Accept all %(invitedRooms)s invites": "Onartu %(invitedRooms)s gelako gonbidapen guztiak", "Error updating main address": "Errorea helbide nagusia eguneratzean", "There was an error updating the room's main address. It may not be allowed by the server or a temporary failure occurred.": "Errore bat gertatu da gelaren helbide nagusia eguneratzean. Agian zerbitzariak ez du hau baimentzen, edo une bateko hutsegitea izan da.", "Power level": "Botere maila", @@ -396,8 +362,6 @@ "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", - "Rotate Left": "Biratu ezkerrera", - "Rotate Right": "Biratu eskumara", "Edit message": "Editatu mezua", "Notes": "Oharrak", "Sign out and remove encryption keys?": "Amaitu saioa eta kendu zifratze gakoak?", @@ -453,7 +417,6 @@ "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", - "Accept to continue:": "Onartu jarraitzeko:", "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", @@ -499,8 +462,6 @@ "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", - "Hide advanced": "Ezkutatu aurreratua", - "Show advanced": "Erakutsi aurreratua", "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:", @@ -512,8 +473,6 @@ "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.", "Cancel search": "Ezeztatu bilaketa", - "Jump to first unread room.": "Jauzi irakurri gabeko lehen gelara.", - "Jump to first invite.": "Jauzi lehen gonbidapenera.", "Message Actions": "Mezu-ekintzak", "You verified %(name)s": "%(name)s egiaztatu duzu", "You cancelled verifying %(name)s": "%(name)s egiaztatzeari utzi diozu", @@ -524,32 +483,14 @@ "%(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", - "Cannot connect to integration manager": "Ezin da integrazio kudeatzailearekin konektatu", - "The integration manager is offline or it cannot reach your homeserver.": "Integrazio kudeatzailea lineaz kanpo dago edo ezin du zure hasiera-zerbitzaria atzitu.", "Manage integrations": "Kudeatu integrazioak", "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.", - "Any of the following data may be shared:": "Datu hauetako edozein partekatu daiteke:", - "Your display name": "Zure pantaila-izena", - "Your user ID": "Zure erabiltzaile ID-a", - "Your theme": "Zure azala", - "%(brand)s URL": "%(brand)s URL-a", - "Room ID": "Gelaren ID-a", - "Widget ID": "Trepetaren ID-a", - "Using this widget may share data with %(widgetDomain)s.": "Trepeta hau erabiltzean %(widgetDomain)s domeinuarekin datuak partekatu daitezke.", - "Widgets do not use message encryption.": "Trepetek ez dute mezuen zifratzea erabiltzen.", - "Widget added by": "Trepeta honek gehitu du:", - "This widget may use cookies.": "Trepeta honek cookieak erabili litzake.", - "More options": "Aukera gehiago", "Integrations are disabled": "Integrazioak desgaituta daude", "Integrations not allowed": "Integrazioak ez daude baimenduta", - "Remove for everyone": "Kendu denentzat", "Verification Request": "Egiaztaketa eskaria", - "Secret storage public key:": "Biltegi sekretuko gako publikoa:", - "in account data": "kontuaren datuetan", - "not stored": "gorde gabe", "Unencrypted": "Zifratu gabe", "Close preview": "Itxi aurrebista", " wants to chat": " erabiltzaileak txateatu nahi du", @@ -572,8 +513,6 @@ "Failed to find the following users": "Ezin izan dira honako erabiltzaile hauek aurkitu", "The following users might not exist or are invalid, and cannot be invited: %(csvNames)s": "Honako erabiltzaile hauek agian ez dira existitzen edo baliogabeak dira, eta ezin dira gonbidatu: %(csvNames)s", "Lock": "Blokeatu", - "Other users may not trust it": "Beste erabiltzaile batzuk ez fidagarritzat jo lezakete", - "Later": "Geroago", "Something went wrong trying to invite the users.": "Okerren bat egon da erabiltzaileak gonbidatzen saiatzean.", "We couldn't invite those users. Please check the users you want to invite and try again.": "Ezin izan ditugu erabiltzaile horiek gonbidatu. Egiaztatu gonbidatu nahi dituzun erabiltzaileak eta saiatu berriro.", "Recently Direct Messaged": "Berriki mezu zuzena bidalita", @@ -586,15 +525,7 @@ "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", - "Verify this session": "Egiaztatu saio hau", - "Encryption upgrade available": "Zifratze eguneratzea eskuragarri", - "Your account has a cross-signing identity in secret storage, but it is not yet trusted by this session.": "Zure kontuak zeharkako sinatze identitate bat du biltegi sekretuan, baina saio honek ez du oraindik fidagarritzat.", - "This session is not backing up your keys, but you do have an existing backup you can restore from and add to going forward.": "Saio honek ez du zure gakoen babes-kopia egiten, baina badago berreskuratu eta gehitu deakezun aurreko babes-kopia bat.", - "Connect this session to key backup before signing out to avoid losing any keys that may only be on this session.": "Konektatu saio hau gakoen babes-kopiara saioa amaitu aurretik saio honetan bakarrik dauden gakoak ez galtzeko.", - "Connect this session to Key Backup": "Konektatu saio hau gakoen babes-kopiara", "This backup is trusted because it has been restored on this session": "Babes-kopia hau fidagarritzat jotzen da saio honetan berrekuratu delako", - "Your keys are not being backed up from this session.": "Ez da zure gakoen babes-kopia egiten saio honetatik.", - "Message search": "Mezuen bilaketa", "This room is bridging messages to the following platforms. Learn more.": "Gela honek honako plataformetara kopiatzen ditu mezuak. Argibide gehiago.", "Bridges": "Zubiak", "This user has not verified all of their sessions.": "Erabiltzaile honek ez ditu bere saio guztiak egiaztatu.", @@ -621,15 +552,12 @@ "Session name": "Saioaren izena", "Session key": "Saioaren gakoa", "Verifying this user will mark their session as trusted, and also mark your session as trusted to them.": "Erabiltzaile hau egiaztatzean bere saioa fidagarritzat joko da, eta zure saioak beretzat fidagarritzat ere.", - "Securely cache encrypted messages locally for them to appear in search results.": "Gorde zifratutako mezuak cachean modu seguruan bilaketen emaitzetan agertu daitezen.", "You have verified this user. This user has verified all of their sessions.": "Erabiltzaile hau egiaztatu duzu. Erabiltzaile honek bere saio guztiak egiaztatu ditu.", "Waiting for %(displayName)s to accept…": "%(displayName)s(e)k onartu bitartean zain…", "Your messages are secured and only you and the recipient have the unique keys to unlock them.": "Zuen mezuak babestuta daude eta soilik zuk eta hartzaileak dituzue hauek desblokeatzeko gakoak.", "One of the following may be compromised:": "Hauetakoren bat konprometituta egon daiteke:", "Verify this device to mark it as trusted. Trusting this device gives you and other users extra peace of mind when using end-to-end encrypted messages.": "Egiztatu gailu hau fidagarri gisa markatzeko. Gailu hau fidagarritzat jotzeak lasaitasuna ematen du muturretik-muturrera zifratutako mezuak erabiltzean.", "Verifying this device will mark it as trusted, and users who have verified with you will trust this device.": "Gailu hau egiaztatzean fidagarri gisa markatuko da, eta egiaztatu zaituzten erabiltzaileek fidagarri gisa ikusiko dute.", - "Your homeserver does not support cross-signing.": "Zure hasiera-zerbitzariak ez du zeharkako sinatzea onartzen.", - "%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with search components added.": "%(brand)s-ek zifratutako mezuak cache lokalean modu seguruan gordetzeko elementu batzuk faltan ditu. Ezaugarri honekin esperimentatu nahi baduzu, konpilatu pertsonalizatutako %(brand)s Desktop bilaketa osagaiekin.", "Accepting…": "Onartzen…", "Not Trusted": "Ez konfiantzazkoa", "%(name)s (%(userId)s) signed in to a new session without verifying it:": "%(name)s (%(userId)s) erabiltzaileak saio berria hasi du hau egiaztatu gabe:", @@ -646,7 +574,6 @@ "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.", - "Mark all as read": "Markatu denak irakurrita gisa", "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.", "Local address": "Helbide lokala", @@ -675,12 +602,9 @@ "Confirm by comparing the following with the User Settings in your other session:": "Berretsi honako hau zure beste saioaren erabiltzaile-ezarpenetan agertzen denarekin alderatuz:", "Confirm this user's session by comparing the following with their User Settings:": "Egiaztatu erabiltzailearen saio hau, honako hau bestearen erabiltzaile-ezarpenekin alderatuz:", "If they don't match, the security of your communication may be compromised.": "Ez badatoz bat, komunikazioaren segurtasuna konprometitua egon daiteke.", - "Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "Egiaztatu erabiltzaile baten saio bakoitza hau fidagarri gisa markatzeko, ez dira zeharka sinatutako gailuak fidagarritzat jotzen.", "In encrypted rooms, your messages are secured and only you and the recipient have the unique keys to unlock them.": "Gela zifratuetan, zuon mezuak babestuta daude, zuk zeuk eta hartzaileak bakarrik duzue hauek deszifratzeko gako bakanak.", "Verify all users in a room to ensure it's secure.": "Egiaztatu gela bateko erabiltzaile guztiak segurua dela baieztatzeko.", "Sign in with SSO": "Hasi saioa SSO-rekin", - "well formed": "ongi osatua", - "unexpected type": "ustekabeko mota", "Almost there! Is %(displayName)s showing the same shield?": "Ia amaitu duzu! %(displayName)s gailuak ezkutu bera erakusten du?", "You've successfully verified %(deviceName)s (%(deviceId)s)!": "Ongi egiaztatu duzu %(deviceName)s (%(deviceId)s)!", "Start verification again from the notification.": "Hasi egiaztaketa berriro jakinarazpenetik.", @@ -699,7 +623,6 @@ "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", - "New login. Was this you?": "Saio berria. Zu izan zara?", "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", @@ -715,7 +638,6 @@ "Click the button below to confirm setting up encryption.": "Sakatu azpiko botoia zifratze-ezarpena berresteko.", "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.", - "Contact your server admin.": "Jarri kontaktuan zerbitzariaren administratzailearekin.", "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", @@ -731,10 +653,7 @@ "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", - "All settings": "Ezarpen guztiak", "Use a different passphrase?": "Erabili pasa-esaldi desberdin bat?", - "Change notification settings": "Aldatu jakinarazpenen ezarpenak", - "Forget Room": "Ahaztu gela", "This room is public": "Gela hau publikoa da", "Click to view edits": "Klik egin edizioak ikusteko", "The server is offline.": "Zerbitzaria lineaz kanpo dago.", @@ -742,7 +661,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.", - "Using this widget may share data with %(widgetDomain)s & your integration manager.": "Trepeta hau erabiltzean %(widgetDomain)s domeinuarekin eta zure integrazio kudeatzailearekin datuak partekatu daitezke.", "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.", @@ -807,7 +725,13 @@ "preview_message": "Aupa txo. Onena zara!", "on": "Bai", "off": "Ez", - "all_rooms": "Gela guztiak" + "all_rooms": "Gela guztiak", + "copied": "Kopiatuta!", + "advanced": "Aurreratua", + "general": "Orokorra", + "profile": "Profila", + "display_name": "Pantaila-izena", + "user_avatar": "Profileko irudia" }, "action": { "continue": "Jarraitu", @@ -882,7 +806,9 @@ "mention": "Aipatu", "submit": "Bidali", "send_report": "Bidali salaketa", - "unban": "Debekua kendu" + "unban": "Debekua kendu", + "hide_advanced": "Ezkutatu aurreratua", + "show_advanced": "Erakutsi aurreratua" }, "a11y": { "user_menu": "Erabiltzailea-menua", @@ -894,7 +820,8 @@ "other": "irakurri gabeko %(count)s mezu.", "one": "Irakurri gabeko mezu 1." }, - "unread_messages": "Irakurri gabeko mezuak." + "unread_messages": "Irakurri gabeko mezuak.", + "jump_first_invite": "Jauzi lehen gonbidapenera." }, "labs": { "pinning": "Mezuak finkatzea", @@ -963,7 +890,6 @@ "user_a11y": "Erabiltzaile osatze automatikoa" } }, - "Bold": "Lodia", "Code": "Kodea", "power_level": { "default": "Lehenetsia", @@ -1037,7 +963,8 @@ "noisy": "Zaratatsua", "error_permissions_denied": "%(brand)sek ez du zuri jakinarazpenak bidaltzeko baimenik, egiaztatu nabigatzailearen ezarpenak", "error_permissions_missing": "Ez zaio jakinarazpenak bidaltzeko baimena eman %(brand)si, saiatu berriro", - "error_title": "Ezin izan dira jakinarazpenak gaitu" + "error_title": "Ezin izan dira jakinarazpenak gaitu", + "push_targets": "Jakinarazpenen helburuak" }, "appearance": { "match_system_theme": "Bat egin sistemako azalarekin", @@ -1091,7 +1018,28 @@ "cryptography_section": "Kriptografia", "session_id": "Saioaren ID-a:", "session_key": "Saioaren gakoa:", - "encryption_section": "Zifratzea" + "encryption_section": "Zifratzea", + "bulk_options_section": "Aukera masiboak", + "bulk_options_accept_all_invites": "Onartu %(invitedRooms)s gelako gonbidapen guztiak", + "bulk_options_reject_all_invites": "Baztertu %(invitedRooms)s gelarako gonbidapen guztiak", + "message_search_section": "Mezuen bilaketa", + "encryption_individual_verification_mode": "Egiaztatu erabiltzaile baten saio bakoitza hau fidagarri gisa markatzeko, ez dira zeharka sinatutako gailuak fidagarritzat jotzen.", + "message_search_disabled": "Gorde zifratutako mezuak cachean modu seguruan bilaketen emaitzetan agertu daitezen.", + "message_search_unsupported": "%(brand)s-ek zifratutako mezuak cache lokalean modu seguruan gordetzeko elementu batzuk faltan ditu. Ezaugarri honekin esperimentatu nahi baduzu, konpilatu pertsonalizatutako %(brand)s Desktop bilaketa osagaiekin.", + "backup_key_well_formed": "ongi osatua", + "backup_key_unexpected_type": "ustekabeko mota", + "cross_signing_not_stored": "gorde gabe", + "4s_public_key_status": "Biltegi sekretuko gako publikoa:", + "4s_public_key_in_account_data": "kontuaren datuetan", + "delete_backup": "Ezabatu babes-kopia", + "delete_backup_confirm_description": "Ziur al zaude? Zure zifratutako mezuak galduko dituzu zure gakoen babes-kopia egoki bat egiten ez bada.", + "error_loading_key_backup_status": "Ezin izan da gakoen babes-kopiaren egoera kargatu", + "restore_key_backup": "Berrezarri babes-kopia", + "key_backup_inactive": "Saio honek ez du zure gakoen babes-kopia egiten, baina badago berreskuratu eta gehitu deakezun aurreko babes-kopia bat.", + "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." }, "preferences": { "room_list_heading": "Gelen zerrenda", @@ -1117,7 +1065,8 @@ "add_msisdn_confirm_sso_button": "Baieztatu telefono zenbaki hau gehitzea Single sign-on bidez zure identitatea frogatuz.", "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" + "add_msisdn_dialog_title": "Gehitu telefono zenbakia", + "name_placeholder": "Pantaila izenik ez" } }, "devtools": { @@ -1340,7 +1289,10 @@ "removed": "%(senderDisplayName)s erabiltzaileak gelaren abatarra ezabatu du.", "changed_img": "%(senderDisplayName)s erabiltzaileak gelaren abatarra aldatu du beste honetara: " }, - "creation_summary_room": "%(creator)s erabiltzaileak gela sortu eta konfiguratu du." + "creation_summary_room": "%(creator)s erabiltzaileak gela sortu eta konfiguratu du.", + "context_menu": { + "external_url": "Iturriaren URLa" + } }, "slash_command": { "shrug": "¯\\_(ツ)_/¯ jartzen du testu soileko mezu baten aurrean", @@ -1444,7 +1396,6 @@ "no_media_perms_description": "Agian eskuz baimendu behar duzu %(brand)sek mikrofonoa edo kamera atzitzea" }, "Other": "Beste bat", - "Advanced": "Aurreratua", "room_settings": { "permissions": { "m.room.avatar": "Aldatu gelaren abatarra", @@ -1502,7 +1453,8 @@ "room_predecessor": "Ikusi %(roomName)s gelako mezu zaharragoak.", "room_version_section": "Gela bertsioa", "room_version": "Gela bertsioa:" - } + }, + "upload_avatar_label": "Igo abatarra" }, "encryption": { "verification": { @@ -1521,7 +1473,9 @@ "sas_caption_user": "Egiaztatu erabiltzaile hau honako zenbakia bere pantailan agertzen dela baieztatuz.", "unsupported_method": "Ezin izan da onartutako egiaztaketa metodorik aurkitu.", "waiting_other_user": "%(displayName)s egiaztatu bitartean zain…", - "cancelling": "Ezeztatzen…" + "cancelling": "Ezeztatzen…", + "unverified_sessions_toast_reject": "Geroago", + "unverified_session_toast_title": "Saio berria. Zu izan zara?" }, "old_version_detected_title": "Kriptografia datu zaharrak atzeman dira", "old_version_detected_description": "%(brand)s bertsio zahar batek datuak antzeman dira. Honek bertsio zaharrean muturretik muturrerako zifratzea ez funtzionatzea eragingo du. Azkenaldian bertsio zaharrean bidali edo jasotako zifratutako mezuak agian ezin izango dira deszifratu bertsio honetan. Honek ere Bertsio honekin egindako mezu trukeak huts egitea ekar dezake. Arazoak badituzu, amaitu saioa eta hasi berriro saioa. Mezuen historiala gordetzeko, esportatu eta berriro inportatu zure gakoak.", @@ -1529,7 +1483,13 @@ "bootstrap_title": "Gakoak ezartzen", "export_unsupported": "Zure nabigatzaileak ez ditu onartzen beharrezkoak diren kriptografia gehigarriak", "import_invalid_keyfile": "Ez da baliozko %(brand)s gako-fitxategia", - "import_invalid_passphrase": "Autentifikazio errorea: pasahitz okerra?" + "import_invalid_passphrase": "Autentifikazio errorea: pasahitz okerra?", + "upgrade_toast_title": "Zifratze eguneratzea eskuragarri", + "verify_toast_title": "Egiaztatu saio hau", + "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": "" }, "emoji": { "category_frequently_used": "Maiz erabilia", @@ -1617,7 +1577,8 @@ "no_hs_url_provided": "Ez da hasiera-zerbitzariaren URL-a eman", "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." + "incorrect_credentials_detail": "Kontuan izan %(hs)s zerbitzarira elkartu zarela, ez matrix.org.", + "create_account_title": "Sortu kontua" }, "export_chat": { "messages": "Mezuak" @@ -1645,7 +1606,8 @@ "intro_welcome": "Ongi etorri %(appName)s-era", "send_dm": "Bidali mezu zuzena", "explore_rooms": "Arakatu gela publikoak", - "create_room": "Sortu talde-txata" + "create_room": "Sortu talde-txata", + "create_account": "Sortu kontua" }, "setting": { "help_about": { @@ -1731,7 +1693,8 @@ }, "user_menu": { "switch_theme_light": "Aldatu modu argira", - "switch_theme_dark": "Aldatu modu ilunera" + "switch_theme_dark": "Aldatu modu ilunera", + "settings": "Ezarpen guztiak" }, "room": { "drop_file_prompt": "Jaregin fitxategia hona igotzeko", @@ -1742,7 +1705,13 @@ "leave_server_notices_title": "Ezin zara Server Notices gelatik atera", "upgrade_error_title": "Errorea gela eguneratzean", "upgrade_error_description": "Egiaztatu zure zerbitzariak aukeratutako gela bertsioa onartzen duela eta saiatu berriro.", - "leave_server_notices_description": "Gela hau mezu hasiera zerbitzariaren garrantzitsuak bidaltzeko erabiltzen da, eta ezin zara atera." + "leave_server_notices_description": "Gela hau mezu hasiera zerbitzariaren garrantzitsuak bidaltzeko erabiltzen da, eta ezin zara atera.", + "error_join_incompatible_version_2": "Jarri zure hasiera-zerbitzariaren administratzailearekin kontaktuan.", + "context_menu": { + "favourite": "Gogokoa", + "low_priority": "Lehentasun baxua", + "forget": "Ahaztu gela" + } }, "file_panel": { "guest_note": "Funtzionaltasun hau erabiltzeko erregistratu", @@ -1765,7 +1734,8 @@ "tac_button": "Irakurri termino eta baldintzak", "identity_server_no_terms_title": "Identitate-zerbitzariak ez du erabilera baldintzarik", "identity_server_no_terms_description_1": "Ekintza honek lehenetsitako identitate-zerbitzaria atzitzea eskatzen du, e-mail helbidea edo telefono zenbakia balioztatzeko, baina zerbitzariak ez du erabilera baldintzarik.", - "identity_server_no_terms_description_2": "Jarraitu soilik zerbitzariaren jabea fidagarritzat jotzen baduzu." + "identity_server_no_terms_description_2": "Jarraitu soilik zerbitzariaren jabea fidagarritzat jotzen baduzu.", + "inline_intro_text": "Onartu jarraitzeko:" }, "failed_load_async_component": "Ezin da kargatu! Egiaztatu sare konexioa eta saiatu berriro.", "upload_failed_generic": "Huts egin du '%(fileName)s' fitxategia igotzean.", @@ -1785,7 +1755,24 @@ }, "widget": { "error_need_to_be_logged_in": "Saioa hasi duzu.", - "error_need_invite_permission": "Erabiltzaileak gonbidatzeko baimena behar duzu hori egiteko." + "error_need_invite_permission": "Erabiltzaileak gonbidatzeko baimena behar duzu hori egiteko.", + "context_menu": { + "delete": "Ezabatu trepeta", + "delete_warning": "Trepeta ezabatzean gelako kide guztientzat kentzen da. Ziur trepeta ezabatu nahi duzula?", + "remove": "Kendu denentzat" + }, + "shared_data_name": "Zure pantaila-izena", + "shared_data_mxid": "Zure erabiltzaile ID-a", + "shared_data_theme": "Zure azala", + "shared_data_url": "%(brand)s URL-a", + "shared_data_room_id": "Gelaren ID-a", + "shared_data_widget_id": "Trepetaren ID-a", + "shared_data_warning_im": "Trepeta hau erabiltzean %(widgetDomain)s domeinuarekin eta zure integrazio kudeatzailearekin datuak partekatu daitezke.", + "shared_data_warning": "Trepeta hau erabiltzean %(widgetDomain)s domeinuarekin datuak partekatu daitezke.", + "unencrypted_warning": "Trepetek ez dute mezuen zifratzea erabiltzen.", + "added_by": "Trepeta honek gehitu du:", + "cookie_warning": "Trepeta honek cookieak erabili litzake.", + "popout": "Laster-leiho trepeta" }, "scalar": { "error_create": "Ezin izan da trepeta sortu.", @@ -1806,7 +1793,41 @@ "resource_limits": "Hasiera zerbitzari honek bere baliabide mugetako bat gainditu du.", "admin_contact": "Jarri kontaktuan zerbitzuaren administratzailearekin zerbitzu hau erabiltzen jarraitzeko.", "mixed_content": "Ezin zara hasiera zerbitzarira HTTP bidez konektatu zure nabigatzailearen barran dagoen URLa HTTS bada. Erabili HTTPS edo gaitu script ez seguruak.", - "tls": "Ezin da hasiera zerbitzarira konektatu, egiaztatu zure konexioa, ziurtatu zure hasiera zerbitzariaren SSL ziurtagiria fidagarritzat jotzen duela zure gailuak, eta nabigatzailearen pluginen batek ez dituela eskaerak blokeatzen." + "tls": "Ezin da hasiera zerbitzarira konektatu, egiaztatu zure konexioa, ziurtatu zure hasiera zerbitzariaren SSL ziurtagiria fidagarritzat jotzen duela zure gailuak, eta nabigatzailearen pluginen batek ez dituela eskaerak blokeatzen.", + "admin_contact_short": "Jarri kontaktuan zerbitzariaren administratzailearekin.", + "failed_copy": "Kopiak huts egin du", + "something_went_wrong": "Zerk edo zerk huts egin du!", + "update_power_level": "Huts egin du botere maila aldatzean", + "unknown": "Errore ezezaguna" }, - "name_and_id": "%(name)s (%(userId)s)" + "name_and_id": "%(name)s (%(userId)s)", + "items_and_n_others": { + "other": " eta beste %(count)s", + "one": " eta beste bat" + }, + "notifications": { + "enable_prompt_toast_title": "Jakinarazpenak", + "colour_none": "Bat ere ez", + "colour_bold": "Lodia", + "error_change_title": "Aldatu jakinarazpenen ezarpenak", + "mark_all_read": "Markatu denak irakurrita gisa", + "class_other": "Beste bat" + }, + "room_summary_card_back_action_label": "Gelako informazioa", + "quick_settings": { + "all_settings": "Ezarpen guztiak", + "sidebar_settings": "Aukera gehiago" + }, + "analytics": { + "shared_data_heading": "Datu hauetako edozein partekatu daiteke:" + }, + "lightbox": { + "rotate_left": "Biratu ezkerrera", + "rotate_right": "Biratu eskumara" + }, + "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." + } } diff --git a/src/i18n/strings/fa.json b/src/i18n/strings/fa.json index c3e0faf903..65474e74e4 100644 --- a/src/i18n/strings/fa.json +++ b/src/i18n/strings/fa.json @@ -1,15 +1,11 @@ { "Sunday": "یکشنبه", - "Notification targets": "هدف‌های آگاه‌سازی", "Today": "امروز", "Friday": "آدینه", - "Notifications": "آگاهی‌ها", "Changelog": "تغییراتِ به‌وجودآمده", "This Room": "این گپ", "Unavailable": "غیرقابل‌دسترسی", - "Favourite": "علاقه‌مندی‌ها", "All Rooms": "همه‌ی گپ‌ها", - "Source URL": "آدرس مبدا", "Tuesday": "سه‌شنبه", "Unnamed room": "گپ نام‌گذاری نشده", "Saturday": "شنبه", @@ -24,13 +20,8 @@ "Thursday": "پنج‌شنبه", "Search…": "جستجو…", "Yesterday": "دیروز", - "Low Priority": "کم اهمیت", "Failed to change password. Is your password correct?": "خطا در تغییر گذرواژه. آیا از درستی گذرواژه‌تان اطمینان دارید؟", - "Later": "بعداً", - "Contact your server admin.": "تماس با مدیر کارسازتان.", "Ok": "تأیید", - "Encryption upgrade available": "ارتقای رمزنگاری ممکن است", - "Verify this session": "تأیید این نشست", "Set up": "برپایی", "Forget room": "فراموش کردن اتاق", "Filter room members": "فیلتر کردن اعضای اتاق", @@ -340,7 +331,6 @@ "Remember my selection for this widget": "انتخاب من برای این ابزارک را بخاطر بسپار", "I don't want my encrypted messages": "پیام‌های رمزشده‌ی خود را نمی‌خواهم", "Upgrade this room to version %(version)s": "این اتاق را به نسخه %(version)s ارتقا دهید", - "Failed to save space settings.": "تنظیمات فضای کاری ذخیره نشد.", "Not a valid Security Key": "کلید امنیتی معتبری نیست", "This widget would like to:": "این ابزارک تمایل دارد:", "Unable to set up keys": "تنظیم کلیدها امکان پذیر نیست", @@ -399,8 +389,6 @@ "Share Room Message": "به اشتراک گذاشتن پیام اتاق", "Reset everything": "همه چیز را بازراه‌اندازی (reset) کنید", "Consult first": "ابتدا مشورت کنید", - "Save Changes": "ذخیره تغییرات", - "Leave Space": "ترک فضای کاری", "Remember this": "این را به یاد داشته باش", "Decline All": "رد کردن همه", "Modal Widget": "ابزارک کمکی", @@ -601,7 +589,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?": "کاربر غیرفعال شود؟", "You will not be able to undo this change as you are promoting the user to have the same power level as yourself.": "شما نمی توانید این تغییر را باطل کنید زیرا در حال ارتقا سطح قدرت یک کاربر به سطح قدرت خود هستید.", - "Failed to change power level": "تغییر سطح قدرت انجام نشد", "Failed to mute user": "کاربر بی صدا نشد", "Remove recent messages": "حذف پیام‌های اخیر", "Remove %(count)s messages": { @@ -654,8 +641,6 @@ "Room avatar": "آواتار اتاق", "Room Topic": "موضوع اتاق", "Room Name": "نام اتاق", - "Jump to first invite.": "به اولین دعوت بروید.", - "Jump to first unread room.": "به اولین اتاق خوانده نشده بروید.", "%(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 امکان پذیر نیست. آیا می خواهید به آن بپیوندید؟", @@ -727,8 +712,6 @@ "Language Dropdown": "منو زبان", "View message": "مشاهده پیام", "Information": "اطلاعات", - "Rotate Right": "چرخش به راست", - "Rotate Left": "چرخش به چپ", "%(count)s people you know have already joined": { "one": "%(count)s نفر از افرادی که می شناسید قبلاً پیوسته‌اند", "other": "%(count)s نفر از افرادی که می شناسید قبلاً به آن پیوسته‌اند" @@ -748,23 +731,11 @@ "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": "برای مشاهده همه پرونده های رمز شده از نسخه دسکتاپ استفاده کنید", - "Widget added by": "ابزارک اضافه شده توسط", "The export file will be protected with a passphrase. You should enter the passphrase here, to decrypt the file.": "فایل استخراج‌شده با یک عبارت امنیتی محافظت می‌شود. برای رمزگشایی فایل باید عبارت امنیتی را وارد کنید.", - "Popout widget": "بیرون انداختن ابزارک", - "This widget may use cookies.": "این ابزارک ممکن است از کوکی استفاده کند.", - "Widgets do not use message encryption.": "ابزارک ها از رمزگذاری پیام استفاده نمی کنند.", "File to import": "فایل برای واردکردن (Import)", - "Using this widget may share data with %(widgetDomain)s.": "استفاده از این ابزارک ممکن است داده‌هایی را با %(widgetDomain)s به اشتراک بگذارد.", "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.": "اگر روش بازیابی جدیدی را تنظیم نکرده‌اید، ممکن است حمله‌کننده‌ای تلاش کند به حساب کاربری شما دسترسی پیدا کند. لطفا گذرواژه حساب کاربری خود را تغییر داده و فورا یک روش جدیدِ بازیابی در بخش تنظیمات انتخاب کنید.", - "Widget ID": "شناسه ابزارک", - "Room ID": "شناسه اتاق", - "%(brand)s URL": "آدرس %(brand)s", - "Your theme": "پوسته شما", - "Your user ID": "شناسه کاربری شما", - "Your display name": "نام نمایشی شما", - "Any of the following data may be shared:": "هر یک از داده های زیر ممکن است به اشتراک گذاشته شود:", "This session is encrypting history using the new recovery method.": "این نشست تاریخچه‌ی پیام‌های رمزشده را با استفاده از روش جدیدِ بازیابی، رمز می‌کند.", "Cancel search": "لغو جستجو", "Go to Settings": "برو به تنظیمات", @@ -773,7 +744,6 @@ "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.": "اگر متد بازیابی را حذف نکرده‌اید، ممکن است حمله‌کننده‌ای سعی در دسترسی به حساب‌کاربری شما داشته باشد. گذرواژه حساب کاربری خود را تغییر داده و فورا یک روش بازیابی را از بخش تنظیمات خود تنظیم کنید.", - "Something went wrong!": "مشکلی پیش آمد!", "Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "مدیر سرور شما قابلیت رمزنگاری سرتاسر برای اتاق‌ها و گفتگوهای خصوصی را به صورت پیش‌فرض غیرفعال کرده‌است.", "Can't load this message": "بارگیری این پیام امکان پذیر نیست", "Submit logs": "ارسال لاگ‌ها", @@ -821,9 +791,6 @@ "Error changing power level requirement": "خطا در تغییر الزامات سطح دسترسی", "Banned by %(displayName)s": "توسط %(displayName)s تحریم شد", "This room is bridging messages to the following platforms. Learn more.": "این اتاق، ارتباط بین پیام‌ها و پلتفورم‌های زیر را ایجاد می‌کند. بیشتر بدانید.", - "Accept all %(invitedRooms)s invites": "همه‌ی دعوت‌های %(invitedRooms)s را قبول کن", - "Reject all %(invitedRooms)s invites": "همه‌ی دعوت‌های %(invitedRooms)s را رد کن", - "Bulk options": "گزینه‌های دسته‌جمعی", "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.": "استفاده از سرور هویت‌سنجی اختیاری است. اگر تصمیم بگیرید از سرور هویت‌سنجی استفاده نکنید، شما با استفاده از آدرس ایمیل و شماره تلفن قابل یافته‌شدن و دعوت‌شدن توسط سایر کاربران نخواهید بود.", @@ -846,46 +813,9 @@ "Disconnect from the identity server and connect to instead?": "ارتباط با سرور هویت‌سنجی قطع شده و در عوض به متصل شوید؟", "Change identity server": "تغییر سرور هویت‌سنجی", "Checking server": "در حال بررسی سرور", - "not ready": "آماده نیست", - "ready": "آماده", - "Secret storage:": "حافظه نهان:", - "in account data": "در داده‌های حساب کاربری", - "Secret storage public key:": "کلید عمومی حافظه نهان:", - "Backup key cached:": "کلید پشتیبان ذخیره شد:", - "not stored": "ذخیره نشد", - "Backup key stored:": "کلید پشتیبان ذخیره شد:", - "Back up your encryption keys with your account data in case you lose access to your sessions. Your keys will be secured with a unique Security Key.": "در صورت از دست رفتن دسترسی به نشست‌هایتان، از کلیدهای رمزنگاری و داده‌های حساب کاربری خود نسخه‌ی پشتیبان تهیه نمائید. کلیدهای شما توسط کلید منحضر به فرد امنیتی (Security Key) امن خواهند ماند.", - "unexpected type": "تایپ (نوع) غیرمنتظره", - "well formed": "خوش‌ساخت", "Back up your keys before signing out to avoid losing them.": "پیش از خروج از حساب کاربری، از کلید‌های خود پشتیبان بگیرید تا آن‌ها را از دست ندهید.", - "Your keys are not being backed up from this session.": "کلید‌های شما از این نشست پشتیبان‌گیری نمی‌شود.", - "Algorithm:": "الگوریتم:", "Backup version:": "نسخه‌ی پشتیبان:", "This backup is trusted because it has been restored on this session": "این نسخه‌ی پشتیبان قابل اعتماد است چرا که بر روی این نشست بازیابی شد", - "All keys backed up": "از همه کلیدها نسخه‌ی پشتیبان گرفته شد", - "Connect this session to Key Backup": "این نشست را به کلید پشتیبان‌گیر متصل کن", - "Connect this session to key backup before signing out to avoid losing any keys that may only be on this session.": "پیش از خروج از حساب کاربری، این نشست را به کلید پشتیبان‌گیر متصل نمائید. با این کار مانع از گم‌شدن کلیدهای که فقط بر روی این نشست وجود دارند می‌شوید.", - "This session is not backing up your keys, but you do have an existing backup you can restore from and add to going forward.": "این نشست از کلیدهای شما پشتیبان‌گیری نمی‌کند، با این حال شما یک نسخه‌ی پشتیبان موجود دارید که می‌توانید آن را بازیابی کنید.", - "Restore from Backup": "بازیابی از نسخه‌ی پشتیبان", - "Unable to load key backup status": "امکان بارگیری و نمایش وضعیت کلید پشتیبان وجود ندارد", - "Are you sure? You will lose your encrypted messages if your keys are not backed up properly.": "آیا اطمینان دارید؟ در صورتی که از کلیدهای شما به درستی پشتیبان‌گیری نشده باشد، تمام پیام‌های رمزشده‌ی خود را از دست خواهید داد.", - "Delete Backup": "پاک‌کردن نسخه پشتیبان (Backup)", - "Profile picture": "تصویر پروفایل", - "Display Name": "نام نمایشی", - "Profile": "پروفایل", - "The operation could not be completed": "امکان تکمیل عملیات وجود ندارد", - "Failed to save your profile": "ذخیره‌ی تنظیمات شما موفقیت‌آمیز نبود", - "The integration manager is offline or it cannot reach your homeserver.": "مدیر یکپارچه‌سازی‌ یا آفلاین است و یا نمی‌تواند به سرور شما متصل شود.", - "Cannot connect to integration manager": "امکان اتصال به مدیر یکپارچه‌سازی‌ها وجود ندارد", - "Message search initialisation failed": "آغاز فرآیند جستجوی پیام‌ها با شکست همراه بود", - "%(brand)s can't securely cache encrypted messages locally while running in a web browser. Use %(brand)s Desktop for encrypted messages to appear in search results.": "%(brand)s نمی‌تواند پیام‌های رمزشده را به شکل امن و به صورت محلی در هنگامی که مرورگر در حال فعالیت است ذخیره کند. از %(brand)s نسخه‌ی دسکتاپ برای نمایش پیام‌های رمزشده در نتایج جستجو استفاده نمائید.", - "%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with search components added.": "%(brand)s بعضی از مولفه‌های مورد نیاز برای ذخیره امن پیام‌های رمزشده به صورت محلی را ندارد. اگر تمایل به استفاده از این قابلیت دارید، یک نسخه‌ی دلخواه از %(brand)s با مولفه‌های مورد نظر بسازید.", - "Securely cache encrypted messages locally for them to appear in search results, using %(size)s to store messages from %(rooms)s rooms.": { - "other": "پیام‌های رمزشده را به صورتی محلی و امن ذخیره کرده تا در نتایج جستجو ظاهر شوند، با استفاده از %(size)s برای ذخیره‌ی پیام‌ها از اتاق‌های %(rooms)s.", - "one": "پیام‌های رمزشده را به صورتی محلی و امن ذخیره کرده تا در نتایج جستجو ظاهر شوند، با استفاده از %(size)s برای ذخیره‌ی پیام‌ها از اتاق %(rooms)s." - }, - "Securely cache encrypted messages locally for them to appear in search results.": "پیام‌های رمزشده را به صورتی محلی و امن ذخیره کرده تا در نتایج جستجو ظاهر شوند.", - "Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "به صورت جداگانه هر نشستی که با بقیه‌ی کاربران دارید را تائید کنید تا به عنوان نشست قابل اعتماد نشانه‌گذاری شود، با این کار می‌توانید به دستگاه‌های امضاء متقابل اعتماد نکنید.", "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": "امکان جستجو و کنکاش وضعیت حافظه‌ی مخفی میسر نیست", @@ -898,7 +828,6 @@ "Unable to set up secret storage": "تنظیم حافظه‌ی پنهان امکان پذیر نیست", "Passphrases must match": "عبارات‌های امنیتی باید مطابقت داشته باشند", "Passphrase must not be empty": "عبارت امنیتی نمی‌تواند خالی باشد", - "Unknown error": "خطای ناشناخته", "Show more": "نمایش بیشتر", "Set addresses for this room so users can find this room through your homeserver (%(localDomain)s)": "آدرس‌های این اتاق را تنظیم کنید تا کاربران بتوانند این اتاق را از طریق سرور شما پیدا کنند (%(localDomain)s)", "Local Addresses": "آدرس‌های محلی", @@ -922,7 +851,6 @@ "No microphone found": "میکروفونی یافت نشد", "We were unable to access your microphone. Please check your browser settings and try again.": "ما نتوانستیم به میکروفون شما دسترسی پیدا کنیم. لطفا تنظیمات مرورگر خود را بررسی کنید و دوباره سعی کنید.", "Unable to access your microphone": "دسترسی به میکروفن شما امکان پذیر نیست", - "Mark all as read": "همه را به عنوان خوانده شده علامت بزن", "Jump to first unread message.": "رفتن به اولین پیام خوانده نشده.", "Invited by %(sender)s": "دعوت شده توسط %(sender)s", "Revoke invite": "لغو دعوت", @@ -937,11 +865,7 @@ "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": "تنظیمات اتاق", - "Favourited": "مورد علاقه", - "Forget Room": "اتاق را فراموش کن", "Create a space": "ساختن یک محیط", - "Accept to continue:": "برای ادامه را بپذیرید:", - "Your server isn't responding to some requests.": "سرور شما به بعضی درخواست‌ها پاسخ نمی‌دهد.", "Folder": "پوشه", "Headphones": "هدفون", "Anchor": "لنگر", @@ -1006,24 +930,16 @@ "Cat": "گربه", "Dog": "سگ", "Dial pad": "صفحه شماره‌گیری", - "Connecting": "در حال اتصال", - "unknown person": "فرد ناشناس", "IRC display name width": "عرض نمایش نام‌های IRC", "This event could not be displayed": "امکان نمایش این رخداد وجود ندارد", "Edit message": "ویرایش پیام", - " and %(count)s others": { - "one": " و یکی دیگر", - "other": " و %(count)s دیگر" - }, "Clear personal data": "پاک‌کردن داده‌های شخصی", "Verify your identity to access encrypted messages and prove your identity to others.": "با تائید هویت خود به پیام‌های رمزشده دسترسی یافته و هویت خود را به دیگران ثابت می‌کنید.", - "Create account": "ساختن حساب کاربری", "Return to login screen": "بازگشت به صفحه‌ی ورود", "Your password has been reset.": "گذرواژه‌ی شما با موفقیت تغییر کرد.", "New passwords must match each other.": "گذرواژه‌ی جدید باید مطابقت داشته باشند.", "Could not load user profile": "امکان نمایش پروفایل کاربر میسر نیست", "Switch theme": "تعویض پوسته", - "All settings": "همه تنظیمات", " invites you": " شما را دعوت کرد", "Private space": "محیط خصوصی", "Public space": "محیط عمومی", @@ -1043,37 +959,15 @@ "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.": "شما در این‌جا تنها هستید. اگر اینجا را ترک کنید، دیگر هیچ‌کس حتی خودتان امکان پیوستن مجدد را نخواهید داشت.", "Failed to reject invitation": "رد دعوتنامه موفقیت‌آمیز نبود", - "Cross-signing is not set up.": "امضاء متقابل تنظیم نشده‌است.", - "Your account has a cross-signing identity in secret storage, but it is not yet trusted by this session.": "حساب کاربری شما یک هویت برای امضاء متقابل در حافظه‌ی نهان دارد، اما این هویت هنوز توسط این نشست تائید نشده‌است.", - "Cross-signing is ready for use.": "امضاء متقابل برای استفاده در دسترس است.", - "Your homeserver does not support cross-signing.": "سرور شما امضاء متقابل را پشتیبانی نمی‌کند.", "Warning!": "هشدار!", - "No display name": "هیچ نامی برای نمایش وجود ندارد", - "Space options": "گزینه‌های انتخابی محیط", "Add existing room": "اضافه‌کردن اتاق موجود", "Create new room": "ایجاد اتاق جدید", "Leave space": "ترک محیط", - "Invite with email or username": "دعوت با ایمیل یا نام‌کاربری", - "Invite people": "دعوت کاربران", - "Share invite link": "به اشتراک‌گذاری لینک دعوت", - "Failed to copy": "خطا در گرفتن رونوشت", - "Copied!": "رونوشت گرفته شد!", - "Click to copy": "برای گرفتن رونوشت کلیک کنید", - "You can change these anytime.": "شما می‌توانید این را هر زمان که خواستید، تغییر دهید.", - "Upload avatar": "بارگذاری نمایه", "Couldn't load page": "نمایش صفحه امکان‌پذیر نبود", "Sign in with SSO": "ورود با استفاده از احراز هویت یکپارچه", "This room is public": "این اتاق عمومی است", "Avatar": "نمایه", - "Move right": "به سمت راست ببر", - "Move left": "به سمت چپ ببر", - "Revoke permissions": "دسترسی‌ها را لغو کنید", - "Remove for everyone": "حذف برای همه", - "Delete widget": "حذف ویجت", - "Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "حذف یک ویجت، باعث حذف‌شدن آن برای همه‌ی کاربران این اتاق می‌شود. آیا از حذف این ویجت اطمینان دارید؟", "Delete Widget": "حذف ویجت", - "Take a picture": "عکس بگیرید", - "Start audio stream": "آغاز جریان صدا", "Failed to start livestream": "آغاز livestream با شکست همراه بود", "Unable to start audio streaming.": "شروع پخش جریان صدا امکان‌پذیر نیست.", "Reject invitation": "ردکردن دعوت", @@ -1100,35 +994,17 @@ "No Audio Outputs detected": "هیچ خروجی صدایی یافت نشد", "Request media permissions": "درخواست دسترسی به رسانه", "Missing media permissions, click the button below to request.": "دسترسی به رسانه از دست رفت، برای درخواست مجدد بر روی دکمه‌ی زیر کلیک نمائید.", - "Message search": "جستجوی پیام‌ها", "You have no ignored users.": "شما هیچ کاربری را نادیده نگرفته‌اید.", - "": "<پشتیبانی نمی‌شود>", "Unignore": "لغو نادیده‌گرفتن", "Ignored users": "کاربران نادیده‌گرفته‌شده", "None": "هیچ‌کدام", - "General": "عمومی", "Discovery": "کاوش", "Deactivate account": "غیرفعال‌کردن حساب کاربری", "Account management": "مدیریت حساب کاربری", - "Spaces": "محیط‌ها", - "Change notification settings": "تنظیمات اعلان را تغییر دهید", - "Please contact your homeserver administrator.": "لطفاً با مدیر سرور خود تماس بگیرید.", - "%(deviceId)s from %(ip)s": "%(deviceId)s از %(ip)s", - "New login. Was this you?": "ورود جدید. آیا شما بودید؟", - "Other users may not trust it": "ممکن است سایر کاربران به آن اعتماد نکنند", - "Safeguard against losing access to encrypted messages & data": "محافظ در برابر از دست‌دادن داده‌ها و پیام‌های رمزشده", - "Set up Secure Backup": "پشتیبان‌گیری امن را انجام دهید", "Your homeserver has exceeded one of its resource limits.": "سرور شما از یکی از محدودیت‌های منابع خود فراتر رفته است.", "Your homeserver has exceeded its user limit.": "سرور شما از حد مجاز کاربر خود فراتر رفته است.", - "Use app": "از برنامه استفاده کنید", - "Use app for a better experience": "برای تجربه بهتر از برنامه استفاده کنید", - "Enable desktop notifications": "فعال‌کردن اعلان‌های دسکتاپ", - "Don't miss a reply": "پاسخی را از دست ندهید", - "Review to ensure your account is safe": "برای کسب اطمینان از امن‌بودن حساب کاربری خود، لطفا بررسی فرمائید", "Phone numbers": "شماره تلفن", "Email addresses": "آدرس ایمیل", - "Show advanced": "نمایش بخش پیشرفته", - "Hide advanced": "پنهان‌کردن بخش پیشرفته", "Manage integrations": "مدیریت پکپارچه‌سازی‌ها", "Enter a new identity server": "یک سرور هویت‌سنجی جدید وارد کنید", "Do not use an identity server": "از سرور هویت‌سنجی استفاده نکن", @@ -1160,7 +1036,6 @@ "Your browser likely removed this data when running low on disk space.": "هنگام کمبود فضای دیسک ، مرورگر شما این داده ها را حذف می کند.", "Some session data, including encrypted message keys, is missing. Sign out and sign in to fix this, restoring keys from backup.": "برخی از داده‌های نشست ، از جمله کلیدهای رمزنگاری پیام‌ها موجود نیست. برای برطرف کردن این مشکل از برنامه خارج شده و مجددا وارد شوید و از کلیدها را از نسخه‌ی پشتیبان بازیابی نمائيد.", "To help us prevent this in future, please send us logs.": "برای کمک به ما در جلوگیری از این امر در آینده ، لطفا لاگ‌ها را برای ما ارسال کنید.", - "Edit settings relating to your space.": "تنظیمات مربوط به فضای کاری خود را ویرایش کنید.", "This will allow you to reset your password and receive notifications.": "با این کار می‌توانید گذرواژه خود را تغییر داده و اعلان‌ها را دریافت کنید.", "Please check your email and click on the link it contains. Once this is done, click continue.": "لطفاً ایمیل خود را بررسی کرده و روی لینکی که برایتان ارسال شده، کلیک کنید. پس از انجام این کار، روی ادامه کلیک کنید.", "Verification Pending": "در انتظار تائید", @@ -1209,7 +1084,6 @@ "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 شما اجازهٔ استفاده از یک مدیر یکپارچگی را برای این کار نمی دهد. لطفاً با مدیری تماس بگیرید.", - "Using this widget may share data with %(widgetDomain)s & your integration manager.": "استفاده از این ابزارک ممکن است داده‌هایی را با %(widgetDomain)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)", @@ -1222,37 +1096,17 @@ }, "%(space1Name)s and %(space2Name)s": "%(space1Name)s و %(space2Name)s", "Close sidebar": "بستن نوارکناری", - "Sidebar": "نوارکناری", - "Show sidebar": "نمایش نوار کناری", - "Hide sidebar": "پنهان سازی نوار کناری", "Hide stickers": "پنهان سازی استیکرها", - "Show all your rooms in Home, even if they're in a space.": "تمامی اتاق ها را در صفحه ی خانه نمایش بده، حتی آنهایی که در یک فضا هستند.", "Get notified only with mentions and keywords as set up in your settings": "بنابر تنظیمات خودتان فقط با منشن ها و کلمات کلیدی مطلع شوید", - "Mentions & keywords": "منشن ها و کلمات کلیدی", - "New keyword": "کلمه کلیدی جدید", - "Keyword": "کلمه کلیدی", "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.": "عبارت امنیتی خود را وارد کنید و یا .", - "You were disconnected from the call. (Error: %(message)s)": "شما از تماس قطع شدید.(خطا: %(message)s)", "Developer": "توسعه دهنده", "Experimental": "تجربی", "Themes": "قالب ها", "Moderation": "اعتدال", "Messaging": "پیام رسانی", - "Back to thread": "بازگشت به موضوع", - "Room members": "اعضای اتاق", - "Back to chat": "بازگشت به گفتگو", - "Connection lost": "از دست رفتن اتصال", - "Failed to join": "عدم موفقیت در پیوستن", - "The person who invited you has already left, or their server is offline.": "فردی که شما را دعوت کرده بود اینجا را ترک کرده، و یا سرور او خاموش شده است.", - "The person who invited you has already left.": "فردی که شما را دعوت کرده بود اینجا را ترک کرده است.", - "Sorry, your homeserver is too old to participate here.": "متاسفانه نسخه نرم افزار خانگی شما برای مشارکت در این بخش خیلی قدیمی است.", - "There was an error joining.": "خطایی در هنگام پیوستن رخ داده است.", - "%(brand)s is experimental on a mobile web browser. For a better experience and the latest features, use our free native app.": "%(brand)s در مرورگر موبایل بدرستی نمایش داده نمی‌شود، پیشنهاد میکنیم از نرم افزار موبایل رایگان ما در این‌باره استفاده نمایید.", - "Unknown room": "اتاق ناشناس", "When you sign out, these keys will be deleted from this device, which means you won't be able to read encrypted messages unless you have the keys for them on your other devices, or backed them up to the server.": "وقتی از سیستم خارج می‌شوید، این کلیدها از این دستگاه حذف می‌شوند، به این معنی که نمی‌توانید پیام‌های رمزگذاری‌شده را بخوانید مگر اینکه کلیدهای آن‌ها را در دستگاه‌های دیگر خود داشته باشید یا از آنها در سرور نسخه پشتیبان تهیه کنید.", - "Home is useful for getting an overview of everything.": "خانه برای داشتن یک نمای کلی از همه چیز مفید است.", "common": { "about": "درباره", "analytics": "تجزیه و تحلیل", @@ -1327,7 +1181,14 @@ "orphan_rooms": "دیگر اتاق ها", "on": "روشن", "off": "خاموش", - "all_rooms": "همه اتاق‌ها" + "all_rooms": "همه اتاق‌ها", + "copied": "رونوشت گرفته شد!", + "advanced": "پیشرفته", + "spaces": "محیط‌ها", + "general": "عمومی", + "profile": "پروفایل", + "display_name": "نام نمایشی", + "user_avatar": "تصویر پروفایل" }, "action": { "continue": "ادامه", @@ -1416,7 +1277,10 @@ "send_report": "ارسال گزارش", "exit_fullscreeen": "خروج از نمایش تمام صفحه", "enter_fullscreen": "نمایش تمام صفحه", - "unban": "رفع تحریم" + "unban": "رفع تحریم", + "click_to_copy": "برای گرفتن رونوشت کلیک کنید", + "hide_advanced": "پنهان‌کردن بخش پیشرفته", + "show_advanced": "نمایش بخش پیشرفته" }, "a11y": { "user_menu": "منوی کاربر", @@ -1428,7 +1292,8 @@ "one": "۱ پیام خوانده نشده.", "other": "%(count)s پیام خوانده نشده." }, - "unread_messages": "پیام های خوانده نشده." + "unread_messages": "پیام های خوانده نشده.", + "jump_first_invite": "به اولین دعوت بروید." }, "labs": { "video_rooms": "اتاق های تصویری", @@ -1545,7 +1410,6 @@ "user_a11y": "تکمیل خودکار کاربر" } }, - "Bold": "پررنگ", "Code": "کد", "power_level": { "default": "پیشفرض", @@ -1642,7 +1506,8 @@ "noisy": "پرسروصدا", "error_permissions_denied": "%(brand)s اجازه ارسال اعلان به شما را ندارد - لطفاً تنظیمات مرورگر خود را بررسی کنید", "error_permissions_missing": "به %(brand)s اجازه ارسال اعلان داده نشده است - لطفاً دوباره امتحان کنید", - "error_title": "فعال کردن اعلان ها امکان پذیر نیست" + "error_title": "فعال کردن اعلان ها امکان پذیر نیست", + "push_targets": "هدف‌های آگاه‌سازی" }, "appearance": { "heading": "ظاهر پیام‌رسان خود را سفارشی‌سازی کنید", @@ -1701,7 +1566,41 @@ "cryptography_section": "رمزنگاری", "session_id": "شناسه‌ی نشست:", "session_key": "کلید نشست:", - "encryption_section": "رمزنگاری" + "encryption_section": "رمزنگاری", + "bulk_options_section": "گزینه‌های دسته‌جمعی", + "bulk_options_accept_all_invites": "همه‌ی دعوت‌های %(invitedRooms)s را قبول کن", + "bulk_options_reject_all_invites": "همه‌ی دعوت‌های %(invitedRooms)s را رد کن", + "message_search_section": "جستجوی پیام‌ها", + "encryption_individual_verification_mode": "به صورت جداگانه هر نشستی که با بقیه‌ی کاربران دارید را تائید کنید تا به عنوان نشست قابل اعتماد نشانه‌گذاری شود، با این کار می‌توانید به دستگاه‌های امضاء متقابل اعتماد نکنید.", + "message_search_enabled": { + "other": "پیام‌های رمزشده را به صورتی محلی و امن ذخیره کرده تا در نتایج جستجو ظاهر شوند، با استفاده از %(size)s برای ذخیره‌ی پیام‌ها از اتاق‌های %(rooms)s.", + "one": "پیام‌های رمزشده را به صورتی محلی و امن ذخیره کرده تا در نتایج جستجو ظاهر شوند، با استفاده از %(size)s برای ذخیره‌ی پیام‌ها از اتاق %(rooms)s." + }, + "message_search_disabled": "پیام‌های رمزشده را به صورتی محلی و امن ذخیره کرده تا در نتایج جستجو ظاهر شوند.", + "message_search_unsupported": "%(brand)s بعضی از مولفه‌های مورد نیاز برای ذخیره امن پیام‌های رمزشده به صورت محلی را ندارد. اگر تمایل به استفاده از این قابلیت دارید، یک نسخه‌ی دلخواه از %(brand)s با مولفه‌های مورد نظر بسازید.", + "message_search_unsupported_web": "%(brand)s نمی‌تواند پیام‌های رمزشده را به شکل امن و به صورت محلی در هنگامی که مرورگر در حال فعالیت است ذخیره کند. از %(brand)s نسخه‌ی دسکتاپ برای نمایش پیام‌های رمزشده در نتایج جستجو استفاده نمائید.", + "message_search_failed": "آغاز فرآیند جستجوی پیام‌ها با شکست همراه بود", + "backup_key_well_formed": "خوش‌ساخت", + "backup_key_unexpected_type": "تایپ (نوع) غیرمنتظره", + "backup_keys_description": "در صورت از دست رفتن دسترسی به نشست‌هایتان، از کلیدهای رمزنگاری و داده‌های حساب کاربری خود نسخه‌ی پشتیبان تهیه نمائید. کلیدهای شما توسط کلید منحضر به فرد امنیتی (Security Key) امن خواهند ماند.", + "backup_key_stored_status": "کلید پشتیبان ذخیره شد:", + "cross_signing_not_stored": "ذخیره نشد", + "backup_key_cached_status": "کلید پشتیبان ذخیره شد:", + "4s_public_key_status": "کلید عمومی حافظه نهان:", + "4s_public_key_in_account_data": "در داده‌های حساب کاربری", + "secret_storage_status": "حافظه نهان:", + "secret_storage_ready": "آماده", + "secret_storage_not_ready": "آماده نیست", + "delete_backup": "پاک‌کردن نسخه پشتیبان (Backup)", + "delete_backup_confirm_description": "آیا اطمینان دارید؟ در صورتی که از کلیدهای شما به درستی پشتیبان‌گیری نشده باشد، تمام پیام‌های رمزشده‌ی خود را از دست خواهید داد.", + "error_loading_key_backup_status": "امکان بارگیری و نمایش وضعیت کلید پشتیبان وجود ندارد", + "restore_key_backup": "بازیابی از نسخه‌ی پشتیبان", + "key_backup_inactive": "این نشست از کلیدهای شما پشتیبان‌گیری نمی‌کند، با این حال شما یک نسخه‌ی پشتیبان موجود دارید که می‌توانید آن را بازیابی کنید.", + "key_backup_connect_prompt": "پیش از خروج از حساب کاربری، این نشست را به کلید پشتیبان‌گیر متصل نمائید. با این کار مانع از گم‌شدن کلیدهای که فقط بر روی این نشست وجود دارند می‌شوید.", + "key_backup_connect": "این نشست را به کلید پشتیبان‌گیر متصل کن", + "key_backup_complete": "از همه کلیدها نسخه‌ی پشتیبان گرفته شد", + "key_backup_algorithm": "الگوریتم:", + "key_backup_inactive_warning": "کلید‌های شما از این نشست پشتیبان‌گیری نمی‌شود." }, "preferences": { "room_list_heading": "لیست اتاق‌ها", @@ -1732,7 +1631,15 @@ "add_msisdn_confirm_sso_button": "برای اثبات هویت خود، اضافه‌شدن این شماره تلفن را با استفاده از Single Sign On تائید کنید.", "add_msisdn_confirm_button": "تأیید افزودن شماره تلفن", "add_msisdn_confirm_body": "برای تائید اضافه‌شدن این شماره تلفن، بر روی دکمه‌ی زیر کلیک کنید.", - "add_msisdn_dialog_title": "افزودن شماره تلفن" + "add_msisdn_dialog_title": "افزودن شماره تلفن", + "name_placeholder": "هیچ نامی برای نمایش وجود ندارد", + "error_saving_profile_title": "ذخیره‌ی تنظیمات شما موفقیت‌آمیز نبود", + "error_saving_profile": "امکان تکمیل عملیات وجود ندارد" + }, + "sidebar": { + "title": "نوارکناری", + "metaspaces_home_description": "خانه برای داشتن یک نمای کلی از همه چیز مفید است.", + "metaspaces_home_all_rooms_description": "تمامی اتاق ها را در صفحه ی خانه نمایش بده، حتی آنهایی که در یک فضا هستند." } }, "devtools": { @@ -2047,7 +1954,10 @@ "see_older_messages": "برای دیدن پیام های قدیمی اینجا کلیک کنید." }, "creation_summary_dm": "%(creator)s این گفتگو را ایجاد کرد.", - "creation_summary_room": "%(creator)s اتاق را ایجاد و پیکربندی کرد." + "creation_summary_room": "%(creator)s اتاق را ایجاد و پیکربندی کرد.", + "context_menu": { + "external_url": "آدرس مبدا" + } }, "slash_command": { "spoiler": "پیام داده شده را به عنوان اسپویلر ارسال می کند", @@ -2216,10 +2126,15 @@ "no_permission_conference_description": "شما اجازه‌ی شروع جلسه‌ی تصویری در این اتاق را ندارید", "default_device": "دستگاه پیشفرض", "no_media_perms_title": "عدم مجوز رسانه", - "no_media_perms_description": "ممکن است لازم باشد دسترسی %(brand)s به میکروفون/دوربین را به صورت دستی فعال کنید" + "no_media_perms_description": "ممکن است لازم باشد دسترسی %(brand)s به میکروفون/دوربین را به صورت دستی فعال کنید", + "call_toast_unknown_room": "اتاق ناشناس", + "join_button_tooltip_connecting": "در حال اتصال", + "hide_sidebar_button": "پنهان سازی نوار کناری", + "show_sidebar_button": "نمایش نوار کناری", + "unknown_person": "فرد ناشناس", + "connecting": "در حال اتصال" }, "Other": "دیگر", - "Advanced": "پیشرفته", "room_settings": { "permissions": { "m.room.avatar": "تغییر نمایه اتاق", @@ -2271,7 +2186,11 @@ "default_url_previews_off": "پیش نمایش URL به طور پیش فرض برای شرکت کنندگان در این اتاق غیرفعال است.", "url_preview_encryption_warning": "در اتاق های رمزگذاری شده، مانند این اتاق، پیش نمایش URL به طور پیش فرض غیرفعال است تا اطمینان حاصل شود که سرور شما (جایی که پیش نمایش ها ایجاد می شود) نمی تواند اطلاعات مربوط به پیوندهایی را که در این اتاق مشاهده می کنید جمع آوری کند.", "url_preview_explainer": "هنگامی که فردی یک URL را در پیام خود قرار می دهد، می توان با مشاهده پیش نمایش آن URL، اطلاعات بیشتری در مورد آن پیوند مانند عنوان ، توضیحات و یک تصویر از وب سایت دریافت کرد.", - "url_previews_section": "پیش‌نمایش URL" + "url_previews_section": "پیش‌نمایش URL", + "error_save_space_settings": "تنظیمات فضای کاری ذخیره نشد.", + "description_space": "تنظیمات مربوط به فضای کاری خود را ویرایش کنید.", + "save": "ذخیره تغییرات", + "leave_space": "ترک فضای کاری" }, "advanced": { "unfederated": "این اتاق توسط سرورهای ماتریکس در دسترس نیست", @@ -2279,7 +2198,8 @@ "room_predecessor": "پیام‌های قدیمی اتاق %(roomName)s را مشاهده کنید.", "room_version_section": "نسخه‌ی اتاق", "room_version": "نسخه‌ی اتاق:" - } + }, + "upload_avatar_label": "بارگذاری نمایه" }, "encryption": { "verification": { @@ -2298,7 +2218,11 @@ "sas_caption_user": "در صورتی که عدد بعدی بر روی صفحه‌ی کاربر نمایش داده می‌شود، او را تائید نمائید.", "unsupported_method": "روش پشتیبانی‌شده‌ای برای تائید پیدا نشد.", "waiting_other_user": "منتظر %(displayName)s برای تائید کردن…", - "cancelling": "در حال لغو…" + "cancelling": "در حال لغو…", + "unverified_sessions_toast_description": "برای کسب اطمینان از امن‌بودن حساب کاربری خود، لطفا بررسی فرمائید", + "unverified_sessions_toast_reject": "بعداً", + "unverified_session_toast_title": "ورود جدید. آیا شما بودید؟", + "request_toast_detail": "%(deviceId)s از %(ip)s" }, "old_version_detected_title": "داده‌های رمزنگاری قدیمی شناسایی شد", "old_version_detected_description": "داده هایی از نسخه قدیمی %(brand)s شناسایی شده است. این امر باعث اختلال در رمزنگاری سرتاسر در نسخه قدیمی شده است. پیام های رمزگذاری شده سرتاسر که اخیراً رد و بدل شده اند ممکن است با استفاده از نسخه قدیمی رمزگشایی نشوند. همچنین ممکن است پیام های رد و بدل شده با این نسخه با مشکل مواجه شود. اگر مشکلی رخ داد، از سیستم خارج شوید و مجددا وارد شوید. برای حفظ سابقه پیام، کلیدهای خود را خروجی گرفته و دوباره وارد کنید.", @@ -2308,7 +2232,17 @@ "bootstrap_title": "تنظیم کلیدها", "export_unsupported": "مرورگر شما از افزونه‌های رمزنگاری مورد نیاز پشتیبانی نمی‌کند", "import_invalid_keyfile": "فایل کلید %(brand)s معتبر نیست", - "import_invalid_passphrase": "احراز هویت موفقیت‌آمیز نبود: گذرواژه نادرست است؟" + "import_invalid_passphrase": "احراز هویت موفقیت‌آمیز نبود: گذرواژه نادرست است؟", + "set_up_toast_title": "پشتیبان‌گیری امن را انجام دهید", + "upgrade_toast_title": "ارتقای رمزنگاری ممکن است", + "verify_toast_title": "تأیید این نشست", + "set_up_toast_description": "محافظ در برابر از دست‌دادن داده‌ها و پیام‌های رمزشده", + "verify_toast_description": "ممکن است سایر کاربران به آن اعتماد نکنند", + "cross_signing_unsupported": "سرور شما امضاء متقابل را پشتیبانی نمی‌کند.", + "cross_signing_ready": "امضاء متقابل برای استفاده در دسترس است.", + "cross_signing_untrusted": "حساب کاربری شما یک هویت برای امضاء متقابل در حافظه‌ی نهان دارد، اما این هویت هنوز توسط این نشست تائید نشده‌است.", + "cross_signing_not_ready": "امضاء متقابل تنظیم نشده‌است.", + "not_supported": "<پشتیبانی نمی‌شود>" }, "emoji": { "category_frequently_used": "متداول", @@ -2327,7 +2261,8 @@ "enable_prompt": "بهتر کردن راهنمای کاربری %(analyticsOwner)s", "consent_migration": "شما به ارسال گزارش چگونگی استفاده از سرویس رضایت داده بودید. ما نحوه استفاده از این اطلاعات را بروز میکنیم.", "learn_more": "اطلاعات خود را به صورت ناشناس با ما به اشتراک بگذارید تا متوجه مشکلات موجود شویم. بدون استفاده شخصی توسط خود و یا شرکایادگیری بیشتر", - "accept_button": "بسیارعالی" + "accept_button": "بسیارعالی", + "shared_data_heading": "هر یک از داده های زیر ممکن است به اشتراک گذاشته شود:" }, "chat_effects": { "confetti_description": "این پیام را با انیمیشن بارش کاغد شادی ارسال کن", @@ -2445,7 +2380,8 @@ "no_hs_url_provided": "هیچ آدرس سروری وارد نشده‌است", "autodiscovery_unexpected_error_hs": "خطای غیر منتظره‌ای در حین بررسی پیکربندی سرور رخ داد", "autodiscovery_unexpected_error_is": "خطای غیر منتظره‌ای در حین بررسی پیکربندی سرور هویت‌سنجی رخ داد", - "incorrect_credentials_detail": "لطفا توجه کنید شما به سرور %(hs)s وارد شده‌اید، و نه سرور matrix.org." + "incorrect_credentials_detail": "لطفا توجه کنید شما به سرور %(hs)s وارد شده‌اید، و نه سرور matrix.org.", + "create_account_title": "ساختن حساب کاربری" }, "room_list": { "sort_unread_first": "ابتدا اتاق های با پیام خوانده نشده را نمایش بده", @@ -2476,7 +2412,8 @@ "intro_welcome": "به %(appName)s خوش‌آمدید", "send_dm": "ارسال یک پیام مستقیم", "explore_rooms": "جستجوی اتاق‌های عمومی", - "create_room": "ساختن یک گروه" + "create_room": "ساختن یک گروه", + "create_account": "ساختن حساب کاربری" }, "setting": { "help_about": { @@ -2559,7 +2496,31 @@ "error_need_to_be_logged_in": "شما باید وارد شوید.", "error_need_invite_permission": "نیاز است که شما قادر به دعوت کاربران به آن باشید.", "error_need_kick_permission": "برای انجام این کار نیاز دارید که بتوانید کاربران را حذف کنید.", - "no_name": "برنامه ناشناخته" + "no_name": "برنامه ناشناخته", + "error_hangup_title": "از دست رفتن اتصال", + "error_hangup_description": "شما از تماس قطع شدید.(خطا: %(message)s)", + "context_menu": { + "start_audio_stream": "آغاز جریان صدا", + "screenshot": "عکس بگیرید", + "delete": "حذف ویجت", + "delete_warning": "حذف یک ویجت، باعث حذف‌شدن آن برای همه‌ی کاربران این اتاق می‌شود. آیا از حذف این ویجت اطمینان دارید؟", + "remove": "حذف برای همه", + "revoke": "دسترسی‌ها را لغو کنید", + "move_left": "به سمت چپ ببر", + "move_right": "به سمت راست ببر" + }, + "shared_data_name": "نام نمایشی شما", + "shared_data_mxid": "شناسه کاربری شما", + "shared_data_theme": "پوسته شما", + "shared_data_url": "آدرس %(brand)s", + "shared_data_room_id": "شناسه اتاق", + "shared_data_widget_id": "شناسه ابزارک", + "shared_data_warning_im": "استفاده از این ابزارک ممکن است داده‌هایی را با %(widgetDomain)s و مدیر یکپارچگیتان هم رسانی کند.", + "shared_data_warning": "استفاده از این ابزارک ممکن است داده‌هایی را با %(widgetDomain)s به اشتراک بگذارد.", + "unencrypted_warning": "ابزارک ها از رمزگذاری پیام استفاده نمی کنند.", + "added_by": "ابزارک اضافه شده توسط", + "cookie_warning": "این ابزارک ممکن است از کوکی استفاده کند.", + "popout": "بیرون انداختن ابزارک" }, "feedback": { "sent": "بازخورد ارسال شد", @@ -2642,9 +2603,13 @@ "incompatible_server_hierarchy": "سرور شما از نمایش سلسله مراتبی فضاهای کاری پشتیبانی نمی کند.", "context_menu": { "explore": "جستجو در اتاق ها", - "manage_and_explore": "مدیریت و جستجوی اتاق‌ها" + "manage_and_explore": "مدیریت و جستجوی اتاق‌ها", + "options": "گزینه‌های انتخابی محیط" }, - "share_public": "محیط عمومی خود را به اشتراک بگذارید" + "share_public": "محیط عمومی خود را به اشتراک بگذارید", + "invite_link": "به اشتراک‌گذاری لینک دعوت", + "invite": "دعوت کاربران", + "invite_description": "دعوت با ایمیل یا نام‌کاربری" }, "location_sharing": { "MapStyleUrlNotConfigured": "این سرور خانگی برای نمایش نقشه تنظیم نشده است.", @@ -2714,11 +2679,14 @@ "invite_teammates_by_username": "دعوت به نام کاربری", "setup_rooms_community_heading": "برخی از مواردی که می خواهید درباره‌ی آن‌ها در %(spaceName)s بحث کنید، چیست؟", "setup_rooms_community_description": "بیایید برای هر یک از آنها یک اتاق درست کنیم.", - "setup_rooms_description": "بعداً می توانید موارد بیشتری را اضافه کنید ، از جمله موارد موجود." + "setup_rooms_description": "بعداً می توانید موارد بیشتری را اضافه کنید ، از جمله موارد موجود.", + "label": "ساختن یک محیط", + "add_details_prompt_2": "شما می‌توانید این را هر زمان که خواستید، تغییر دهید." }, "user_menu": { "switch_theme_light": "انتخاب حالت روشن", - "switch_theme_dark": "انتخاب حالت تاریک" + "switch_theme_dark": "انتخاب حالت تاریک", + "settings": "همه تنظیمات" }, "notif_panel": { "empty_description": "اعلان قابل مشاهده‌ای ندارید." @@ -2746,7 +2714,19 @@ "leave_error_title": "خطا در ترک اتاق", "upgrade_error_title": "خطا در ارتقاء نسخه اتاق", "upgrade_error_description": "بررسی کنید که کارگزار شما از نسخه اتاق انتخاب‌شده پشتیبانی کرده و دوباره امتحان کنید.", - "leave_server_notices_description": "این اتاق برای نمایش پیام‌های مهم سرور استفاده می‌شود، لذا امکان ترک آن وجود ندارد." + "leave_server_notices_description": "این اتاق برای نمایش پیام‌های مهم سرور استفاده می‌شود، لذا امکان ترک آن وجود ندارد.", + "error_join_connection": "خطایی در هنگام پیوستن رخ داده است.", + "error_join_incompatible_version_1": "متاسفانه نسخه نرم افزار خانگی شما برای مشارکت در این بخش خیلی قدیمی است.", + "error_join_incompatible_version_2": "لطفاً با مدیر سرور خود تماس بگیرید.", + "error_join_404_invite_same_hs": "فردی که شما را دعوت کرده بود اینجا را ترک کرده است.", + "error_join_404_invite": "فردی که شما را دعوت کرده بود اینجا را ترک کرده، و یا سرور او خاموش شده است.", + "error_join_title": "عدم موفقیت در پیوستن", + "context_menu": { + "unfavourite": "مورد علاقه", + "favourite": "علاقه‌مندی‌ها", + "low_priority": "کم اهمیت", + "forget": "اتاق را فراموش کن" + } }, "file_panel": { "guest_note": "برای استفاده از این قابلیت باید ثبت نام کنید", @@ -2766,7 +2746,8 @@ "tac_button": "مرور شرایط و ضوابط", "identity_server_no_terms_title": "سرور هویت هیچگونه شرایط خدمات ندارد", "identity_server_no_terms_description_1": "این اقدام نیاز به دسترسی به سرور هویت‌سنجی پیش‌فرض برای تایید آدرس ایمیل یا شماره تماس دارد، اما کارگزار هیچ گونه شرایط خدماتی (terms of service) ندارد.", - "identity_server_no_terms_description_2": "تنها در صورتی که به صاحب سرور اطمینان دارید، ادامه دهید." + "identity_server_no_terms_description_2": "تنها در صورتی که به صاحب سرور اطمینان دارید، ادامه دهید.", + "inline_intro_text": "برای ادامه را بپذیرید:" }, "poll": { "failed_send_poll_title": "ارسال نظرسنجی انجام نشد", @@ -2841,12 +2822,56 @@ "admin_contact": "لطفاً برای ادامه استفاده از این سرویس با مدیر سرور خود تماس بگیرید .", "connection": "در برقراری ارتباط با سرور مشکلی پیش آمده، لطفاً چند لحظه‌ی دیگر مجددا امتحان کنید.", "mixed_content": "امکان اتصال به سرور از طریق پروتکل‌های HTTP و HTTPS در مروگر شما میسر نیست. یا از HTTPS استفاده کرده و یا حالت اجرای غیرامن اسکریپت‌ها را فعال کنید.", - "tls": "اتصال به سرور میسر نیست - لطفا اتصال اینترنت خود را بررسی کنید؛ اطمینان حاصل کنید گواهینامه‌ی SSL سرور شما قابل اعتماد است، و اینکه پلاگینی بر روی مرورگر شما مانع از ارسال درخواست به سرور نمی‌شود." + "tls": "اتصال به سرور میسر نیست - لطفا اتصال اینترنت خود را بررسی کنید؛ اطمینان حاصل کنید گواهینامه‌ی SSL سرور شما قابل اعتماد است، و اینکه پلاگینی بر روی مرورگر شما مانع از ارسال درخواست به سرور نمی‌شود.", + "admin_contact_short": "تماس با مدیر کارسازتان.", + "non_urgent_echo_failure_toast": "سرور شما به بعضی درخواست‌ها پاسخ نمی‌دهد.", + "failed_copy": "خطا در گرفتن رونوشت", + "something_went_wrong": "مشکلی پیش آمد!", + "update_power_level": "تغییر سطح قدرت انجام نشد", + "unknown": "خطای ناشناخته" }, "in_space1_and_space2": "در فضای %(space1Name)s و %(space2Name)s.", "in_space_and_n_other_spaces": { "other": "در %(spaceName)s و %(count)s دیگر فضاها." }, "in_space": "در فضای %(spaceName)s.", - "name_and_id": "%(name)s (%(userId)s)" + "name_and_id": "%(name)s (%(userId)s)", + "items_and_n_others": { + "one": " و یکی دیگر", + "other": " و %(count)s دیگر" + }, + "notifications": { + "enable_prompt_toast_title_from_message_send": "پاسخی را از دست ندهید", + "enable_prompt_toast_title": "آگاهی‌ها", + "enable_prompt_toast_description": "فعال‌کردن اعلان‌های دسکتاپ", + "colour_none": "هیچ‌کدام", + "colour_bold": "پررنگ", + "error_change_title": "تنظیمات اعلان را تغییر دهید", + "mark_all_read": "همه را به عنوان خوانده شده علامت بزن", + "keyword": "کلمه کلیدی", + "keyword_new": "کلمه کلیدی جدید", + "class_other": "دیگر", + "mentions_keywords": "منشن ها و کلمات کلیدی" + }, + "mobile_guide": { + "toast_title": "برای تجربه بهتر از برنامه استفاده کنید", + "toast_description": "%(brand)s در مرورگر موبایل بدرستی نمایش داده نمی‌شود، پیشنهاد میکنیم از نرم افزار موبایل رایگان ما در این‌باره استفاده نمایید.", + "toast_accept": "از برنامه استفاده کنید" + }, + "chat_card_back_action_label": "بازگشت به گفتگو", + "room_summary_card_back_action_label": "اطلاعات اتاق", + "member_list_back_action_label": "اعضای اتاق", + "thread_view_back_action_label": "بازگشت به موضوع", + "quick_settings": { + "all_settings": "همه تنظیمات" + }, + "lightbox": { + "rotate_left": "چرخش به چپ", + "rotate_right": "چرخش به راست" + }, + "a11y_jump_first_unread_room": "به اولین اتاق خوانده نشده بروید.", + "integration_manager": { + "error_connecting_heading": "امکان اتصال به مدیر یکپارچه‌سازی‌ها وجود ندارد", + "error_connecting": "مدیر یکپارچه‌سازی‌ یا آفلاین است و یا نمی‌تواند به سرور شما متصل شود." + } } diff --git a/src/i18n/strings/fi.json b/src/i18n/strings/fi.json index 266d467091..5e0bc1c396 100644 --- a/src/i18n/strings/fi.json +++ b/src/i18n/strings/fi.json @@ -1,8 +1,6 @@ { "Create new room": "Luo uusi huone", "Failed to forget room %(errCode)s": "Huoneen unohtaminen epäonnistui %(errCode)s", - "Favourite": "Suosikki", - "Notifications": "Ilmoitukset", "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", @@ -43,12 +41,9 @@ "Moderator": "Valvoja", "New passwords must match each other.": "Uusien salasanojen on vastattava toisiaan.", "not specified": "ei määritetty", - "": "", "AM": "ap.", "PM": "ip.", - "No display name": "Ei näyttönimeä", "No more results": "Ei enempää tuloksia", - "Profile": "Profiili", "Reason": "Syy", "Reject invitation": "Hylkää kutsu", "Return to login screen": "Palaa kirjautumissivulle", @@ -74,8 +69,6 @@ "Thu": "to", "Fri": "pe", "Sat": "la", - "Copied!": "Kopioitu!", - "Failed to copy": "Kopiointi epäonnistui", "Connectivity to the server has been lost.": "Yhteys palvelimeen menetettiin.", "Sent messages will be stored until your connection has returned.": "Lähetetyt viestit tallennetaan kunnes yhteys on taas muodostettu.", "(~%(count)s results)": { @@ -88,9 +81,7 @@ "Confirm passphrase": "Varmista salasana", "Import room keys": "Tuo huoneen avaimet", "File to import": "Tuotava tiedosto", - "Reject all %(invitedRooms)s invites": "Hylkää kaikki %(invitedRooms)s kutsua", "Confirm Removal": "Varmista poistaminen", - "Unknown error": "Tuntematon virhe", "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.", @@ -98,7 +89,6 @@ "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.", - "Failed to change power level": "Oikeustason muuttaminen 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ä.", @@ -122,9 +112,7 @@ "Error decrypting image": "Virhe purettaessa kuvan salausta", "Error decrypting video": "Virhe purettaessa videon salausta", "Add an Integration": "Lisää integraatio", - "Something went wrong!": "Jokin meni vikaan!", "This will allow you to reset your password and receive notifications.": "Tämä sallii sinun uudelleenalustaa salasanasi ja vastaanottaa ilmoituksia.", - "Delete widget": "Poista sovelma", "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.", @@ -133,7 +121,6 @@ "Jump to read receipt": "Hyppää lukukuittaukseen", "Admin Tools": "Ylläpitotyökalut", "Unnamed room": "Nimetön huone", - "Upload avatar": "Lähetä profiilikuva", "Banned by %(displayName)s": "%(displayName)s antoi porttikiellon", "You are about to be taken to a third-party site so you can authenticate your account for use with %(integrationsUrl)s. Do you wish to continue?": "Sinut ohjataan kolmannen osapuolen sivustolle, jotta voit autentikoida tilisi käyttääksesi palvelua %(integrationsUrl)s. Haluatko jatkaa?", "And %(count)s more...": { @@ -150,19 +137,12 @@ "Delete Widget": "Poista sovelma", "expand": "laajenna", "collapse": "supista", - "Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "Sovelman poistaminen poistaa sen kaikilta huoneen käyttäjiltä. Haluatko varmasti poistaa tämän sovelman?", - " and %(count)s others": { - "other": " ja %(count)s muuta", - "one": " ja yksi muu" - }, "Sunday": "Sunnuntai", - "Notification targets": "Ilmoituksen kohteet", "Today": "Tänään", "Friday": "Perjantai", "Changelog": "Muutosloki", "This Room": "Tämä huone", "Unavailable": "Ei saatavilla", - "Source URL": "Lähdeosoite", "Filter results": "Suodata tuloksia", "Tuesday": "Tiistai", "Search…": "Haku…", @@ -174,12 +154,10 @@ "You cannot delete this message. (%(code)s)": "Et voi poistaa tätä viestiä. (%(code)s)", "Thursday": "Torstai", "Yesterday": "Eilen", - "Low Priority": "Matala prioriteetti", "Wednesday": "Keskiviikko", "Thank you!": "Kiitos!", "In reply to ": "Vastauksena käyttäjälle ", "This room is not public. You will not be able to rejoin without an invite.": "Tämä huone ei ole julkinen. Et voi liittyä uudelleen ilman kutsua.", - "Please contact your homeserver administrator.": "Ota yhteyttä kotipalvelimesi ylläpitäjään.", "Dog": "Koira", "Cat": "Kissa", "Lion": "Leijona", @@ -239,7 +217,6 @@ "Anchor": "Ankkuri", "Headphones": "Kuulokkeet", "Folder": "Kansio", - "General": "Yleiset", "Room Name": "Huoneen nimi", "Room Topic": "Huoneen aihe", "Room information": "Huoneen tiedot", @@ -251,7 +228,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ä", - "Profile picture": "Profiilikuva", "Email addresses": "Sähköpostiosoitteet", "Phone numbers": "Puhelinnumerot", "Account management": "Tilin hallinta", @@ -260,7 +236,6 @@ "Audio Output": "Äänen ulostulo", "Go to Settings": "Siirry asetuksiin", "Success!": "Onnistui!", - "Create account": "Luo tili", "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.", @@ -282,10 +257,7 @@ "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", - "Display Name": "Näyttönimi", "Phone Number": "Puhelinnumero", - "Restore from Backup": "Palauta varmuuskopiosta", - "Delete Backup": "Poista varmuuskopio", "Email Address": "Sähköpostiosoite", "Elephant": "Norsu", "You'll lose access to your encrypted messages": "Menetät pääsyn salattuihin viesteihisi", @@ -298,16 +270,12 @@ "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.", - "Are you sure? You will lose your encrypted messages if your keys are not backed up properly.": "Oletko varma? Et voi lukea salattuja viestejäsi, mikäli avaimesi eivät ole kunnolla varmuuskopioituna.", "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.", - "Unable to load key backup status": "Avainten varmuuskopionnin tilan lukeminen epäonnistui", "Back up your keys before signing out to avoid losing them.": "Varmuuskopioi avaimesi ennen kuin kirjaudut ulos välttääksesi avainten menetyksen.", - "All keys backed up": "Kaikki avaimet on varmuuskopioitu", "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", - "Bulk options": "Massatoimintoasetukset", "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", @@ -325,8 +293,6 @@ "Add some now": "Lisää muutamia", "Error updating main address": "Pääosoitteen päivityksessä tapahtui virhe", "There was an error updating the room's main address. It may not be allowed by the server or a temporary failure occurred.": "Huoneen pääosoitteen päivityksessä tapahtui virhe. Se ei välttämättä ole sallittua tällä palvelimella tai kyseessä on väliaikainen virhe.", - "Popout widget": "Avaa sovelma omassa ikkunassaan", - "Accept all %(invitedRooms)s invites": "Hyväksy kaikki %(invitedRooms)s kutsua", "Power level": "Oikeuksien taso", "Unable to load event that was replied to, it either does not exist or you do not have permission to view it.": "Tapahtuman, johon oli vastattu, lataaminen epäonnistui. Se joko ei ole olemassa tai sinulla ei ole oikeutta katsoa sitä.", "The following users may not exist": "Seuraavat käyttäjät eivät välttämättä ole olemassa", @@ -392,8 +358,6 @@ "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.", - "Rotate Left": "Kierrä vasempaan", - "Rotate Right": "Kierrä oikeaan", "Sign out and remove encryption keys?": "Kirjaudu ulos ja poista salausavaimet?", "Missing session data": "Istunnon dataa puuttuu", "Some session data, including encrypted message keys, is missing. Sign out and sign in to fix this, restoring keys from backup.": "Istunnon dataa, mukaan lukien salausavaimia, puuttuu. Kirjaudu ulos ja sisään, jolloin avaimet palautetaan varmuuskopiosta.", @@ -443,7 +407,6 @@ "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.", - "Accept to continue:": "Hyväksy jatkaaksesi:", "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", @@ -495,28 +458,12 @@ "wait and try again later": "odottaa ja yrittää uudelleen myöhemmin", "Room %(name)s": "Huone %(name)s", "Cancel search": "Peruuta haku", - "Jump to first unread room.": "Siirry ensimmäiseen lukemattomaan huoneeseen.", - "Jump to first invite.": "Siirry ensimmäiseen kutsuun.", "A text message has been sent to +%(msisdn)s. Please enter the verification code it contains.": "Tekstiviesti on lähetetty numeroon +%(msisdn)s. Syötä siinä oleva varmistuskoodi.", "Failed to deactivate user": "Käyttäjän poistaminen epäonnistui", - "Hide advanced": "Piilota lisäasetukset", - "Show advanced": "Näytä lisäasetukset", "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", - "Any of the following data may be shared:": "Seuraavat tiedot saatetaan jakaa:", - "Your display name": "Näyttönimesi", - "Your user ID": "Käyttäjätunnuksesi", - "Your theme": "Teemasi", - "%(brand)s URL": "%(brand)sin URL-osoite", - "Room ID": "Huoneen tunnus", - "Widget ID": "Sovelman tunnus", - "Using this widget may share data with %(widgetDomain)s.": "Tämän sovelman käyttäminen voi jakaa tietoja verkkotunnukselle %(widgetDomain)s.", - "Widget added by": "Sovelman lisäsi", - "This widget may use cookies.": "Tämä sovelma saattaa käyttää evästeitä.", - "Cannot connect to integration manager": "Integraatioiden lähteeseen yhdistäminen epäonnistui", - "The integration manager is offline or it cannot reach your homeserver.": "Integraatioiden lähde on poissa verkosta, tai siihen ei voida yhdistää kotipalvelimeltasi.", "Manage integrations": "Integraatioiden hallinta", "Discovery": "Käyttäjien etsintä", "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”.", @@ -537,20 +484,14 @@ "%(name)s cancelled": "%(name)s peruutti", "%(name)s wants to verify": "%(name)s haluaa varmentaa", "You sent a verification request": "Lähetit varmennuspyynnön", - "Widgets do not use message encryption.": "Sovelmat eivät käytä viestien salausta.", - "More options": "Lisää asetuksia", "Use an identity server to invite by email. Use the default (%(defaultIdentityServerName)s) or manage in Settings.": "Käytä identiteettipalvelinta kutsuaksesi henkilöitä sähköpostilla. Käytä oletusta (%(defaultIdentityServerName)s) tai aseta toinen palvelin asetuksissa.", "Use an identity server to invite by email. Manage in Settings.": "Käytä identiteettipalvelinta kutsuaksesi käyttäjiä sähköpostilla. Voit vaihtaa identiteettipalvelimen asetuksissa.", "Integrations are disabled": "Integraatiot ovat pois käytöstä", "Integrations not allowed": "Integraatioiden käyttö on kielletty", - "Remove for everyone": "Poista kaikilta", "Verification Request": "Varmennuspyyntö", "Failed to get autodiscovery configuration from server": "Automaattisen etsinnän asetusten hakeminen palvelimelta epäonnistui", "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", - "Secret storage public key:": "Salavaraston julkinen avain:", - "in account data": "tilin tiedoissa", - "not stored": "ei tallennettu", "Unencrypted": "Suojaamaton", "Close preview": "Sulje esikatselu", " wants to chat": " haluaa keskustella", @@ -572,8 +513,6 @@ "Recent Conversations": "Viimeaikaiset keskustelut", "Direct Messages": "Yksityisviestit", "Lock": "Lukko", - "Encryption upgrade available": "Salauksen päivitys saatavilla", - "Later": "Myöhemmin", "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", @@ -588,9 +527,7 @@ "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ö.", - "Message search": "Viestihaku", "This room is bridging messages to the following platforms. Learn more.": "Tämä huone siltaa viestejä seuraaville alustoille. Lue lisää.", - "Mark all as read": "Merkitse kaikki luetuiksi", "Accepting…": "Hyväksytään…", "One of the following may be compromised:": "Jokin seuraavista saattaa olla vaarantunut:", "Your homeserver": "Kotipalvelimesi", @@ -601,11 +538,9 @@ "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:", - "Verify this session": "Vahvista tämä istunto", "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ä:", - "Other users may not trust it": "Muut eivät välttämättä luota siihen", "Scroll to most recent messages": "Vieritä tuoreimpiin viesteihin", "There was an error updating the room's alternative addresses. It may not be allowed by the server or a temporary failure occurred.": "Huoneen vaihtoehtoisten osoitteiden päivittämisessä tapahtui virhe. Palvelin ei ehkä salli sitä tai kyseessä oli tilapäinen virhe.", "Local address": "Paikallinen osoite", @@ -628,7 +563,6 @@ "Submit logs": "Lähetä lokit", "Reminder: Your browser is unsupported, so your experience may be unpredictable.": "Muistutus: Selaintasi ei tueta, joten voit kohdata yllätyksiä.", "There was a problem communicating with the server. Please try again.": "Palvelinyhteydessä oli ongelma. Yritä uudelleen.", - "New login. Was this you?": "Uusi sisäänkirjautuminen. Olitko se sinä?", "You signed in to a new session without verifying it:": "Olet kirjautunut uuteen istuntoon varmentamatta sitä:", "Verify your other session using one of the options below.": "Varmenna toinen istuntosi käyttämällä yhtä seuraavista tavoista.", "Almost there! Is %(displayName)s showing the same shield?": "Melkein valmista! Näyttääkö %(displayName)s saman kilven?", @@ -639,16 +573,7 @@ "Keys restored": "Avaimet palautettu", "Successfully restored %(sessionCount)s keys": "%(sessionCount)s avaimen palautus onnistui", "IRC display name width": "IRC-näyttönimen leveys", - "Your homeserver does not support cross-signing.": "Kotipalvelimesi ei tue ristiinvarmennusta.", - "Your account has a cross-signing identity in secret storage, but it is not yet trusted by this session.": "Tililläsi on ristiinvarmennuksen identiteetti salaisessa tallennustilassa, mutta tämä istunto ei vielä luota siihen.", - "Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "Varmenna jokainen istunto erikseen, äläkä luota ristiinvarmennettuihin laitteisiin.", - "Securely cache encrypted messages locally for them to appear in search results.": "Pidä salatut viestit turvallisessa välimuistissa, jotta ne näkyvät hakutuloksissa.", - "%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with search components added.": "%(brand)sissa ei ole joitain komponentteja, joita tarvitaan viestien turvalliseen välimuistitallennukseen. Jos haluat kokeilla tätä ominaisuutta, käännä mukautettu %(brand)s Desktop, jossa on mukana hakukomponentit.", - "This session is not backing up your keys, but you do have an existing backup you can restore from and add to going forward.": "Tämä istunto ei varmuuskopioi avaimiasi, mutta sillä on olemassaoleva varmuuskopio, jonka voit palauttaa ja lisätä jatkaaksesi.", - "Connect this session to key backup before signing out to avoid losing any keys that may only be on this session.": "Yhdistä tämä istunto avainten varmuuskopiointiin ennen uloskirjautumista, jotta et menetä avaimia, jotka ovat vain tässä istunnossa.", - "Connect this session to Key Backup": "Yhdistä tämä istunto avainten varmuuskopiointiin", "This backup is trusted because it has been restored on this session": "Tähän varmuuskopioon luotetaan, koska se on palautettu tässä istunnossa", - "Your keys are not being backed up from this session.": "Avaimiasi ei varmuuskopioida tästä istunnosta.", "This user has not verified all of their sessions.": "Tämä käyttäjä ei ole varmentanut kaikkia istuntojaan.", "You have not verified this user.": "Et ole varmentanut tätä käyttäjää.", "You have verified this user. This user has verified all of their sessions.": "Olet varmentanut tämän käyttäjän. Tämä käyttäjä on varmentanut kaikki istuntonsa.", @@ -695,7 +620,6 @@ "Signature upload failed": "Allekirjoituksen lähettäminen epäonnistui", "Your homeserver has exceeded its user limit.": "Kotipalvelimesi on ylittänyt käyttäjärajansa.", "Your homeserver has exceeded one of its resource limits.": "Kotipalvelimesi on ylittänyt jonkin resurssirajansa.", - "Contact your server admin.": "Ota yhteyttä palvelimesi ylläpitäjään.", "Ok": "OK", "Error creating address": "Virhe osoitetta luotaessa", "There was an error creating that address. It may not be allowed by the server or a temporary failure occurred.": "Osoitetta luotaessa tapahtui virhe. Voi olla, että palvelin ei salli sitä tai kyseessä oli tilapäinen virhe.", @@ -706,7 +630,6 @@ "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", - "All settings": "Kaikki asetukset", "Looks good!": "Hyvältä näyttää!", "Room options": "Huoneen asetukset", "This room is public": "Tämä huone on julkinen", @@ -720,27 +643,16 @@ "Add widgets, bridges & bots": "Lisää sovelmia, siltoja ja botteja", "Edit widgets, bridges & bots": "Muokkaa sovelmia, siltoja ja botteja", "Widgets": "Sovelmat", - "Change notification settings": "Muokkaa ilmoitusasetuksia", - "Take a picture": "Ota kuva", "Your server isn't responding to some of your requests. Below are some of the most likely reasons.": "Palvelimesi ei vastaa joihinkin pyynnöistäsi. Alla on joitakin todennäköisimpiä syitä.", "Server isn't responding": "Palvelin ei vastaa", "Click to view edits": "Napsauta nähdäksesi muokkaukset", "Edited at %(date)s": "Muokattu %(date)s", - "Forget Room": "Unohda huone", - "not ready": "ei valmis", - "ready": "valmis", - "unexpected type": "odottamaton tyyppi", - "Algorithm:": "Algoritmi:", - "Failed to save your profile": "Profiilisi tallentaminen ei onnistunut", - "Your server isn't responding to some requests.": "Palvelimesi ei vastaa joihinkin pyyntöihin.", - "Enable desktop notifications": "Ota työpöytäilmoitukset käyttöön", "Decline All": "Kieltäydy kaikista", "Your area is experiencing difficulties connecting to the internet.": "Alueellasi on ongelmia internet-yhteyksissä.", "The server is offline.": "Palvelin ei ole verkossa.", "Your firewall or anti-virus is blocking the request.": "Palomuurisi tai virustentorjuntaohjelmasi estää pyynnön.", "The server (%(serverName)s) took too long to respond.": "Palvelin (%(serverName)s) ei vastannut ajoissa.", "Preparing to download logs": "Valmistellaan lokien lataamista", - "The operation could not be completed": "Toimintoa ei voitu tehdä loppuun asti", "Comoros": "Komorit", "Colombia": "Kolumbia", "Cocos (Keeling) Islands": "Kookossaaret", @@ -891,13 +803,7 @@ "Room settings": "Huoneen asetukset", "a device cross-signing signature": "laitteen ristiinvarmennuksen allekirjoitus", "a new cross-signing key signature": "Uusi ristiinvarmennuksen allekirjoitus", - "Cross-signing is not set up.": "Ristiinvarmennusta ei ole asennettu.", - "Cross-signing is ready for use.": "Ristiinvarmennus on käyttövalmis.", - "well formed": "hyvin muotoiltu", "Backup version:": "Varmuuskopiointiversio:", - "Backup key stored:": "Varmuuskopioavain tallennettu:", - "Backup key cached:": "Välimuistissa oleva varmuuskopioavain:", - "Secret storage:": "Salainen tallennus:", "Hide Widgets": "Piilota sovelmat", "Show Widgets": "Näytä sovelmat", "Explore public rooms": "Selaa julkisia huoneita", @@ -1006,9 +912,6 @@ "Mongolia": "Mongolia", "Monaco": "Monaco", "Not encrypted": "Ei salattu", - "Move right": "Siirry oikealle", - "Move left": "Siirry vasemmalle", - "Revoke permissions": "Peruuta käyttöoikeudet", "You're all caught up.": "Olet ajan tasalla.", "This version of %(brand)s does not support searching encrypted messages": "Tämä %(brand)s-versio ei tue salattujen viestien hakua", "This version of %(brand)s does not support viewing some encrypted files": "Tämä %(brand)s-versio ei tue joidenkin salattujen tiedostojen katselua", @@ -1018,7 +921,6 @@ "You can only pin up to %(count)s widgets": { "other": "Voit kiinnittää enintään %(count)s sovelmaa" }, - "Favourited": "Suositut", "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.", @@ -1052,8 +954,6 @@ "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ö", - "Use app": "Käytä sovellusta", - "Use app for a better experience": "Parempi kokemus sovelluksella", "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", @@ -1069,17 +969,12 @@ }, "You don't have permission": "Sinulla ei ole lupaa", "Remember this": "Muista tämä", - "Save Changes": "Tallenna muutokset", "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", - "Invite people": "Kutsu ihmisiä", - "Share invite link": "Jaa kutsulinkki", - "Click to copy": "Kopioi napsauttamalla", - "You can change these anytime.": "Voit muuttaa näitä koska tahansa.", "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", "Sending": "Lähetetään", @@ -1115,11 +1010,7 @@ "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ä.", - "Connecting": "Yhdistetään", - "unknown person": "tuntematon henkilö", - "%(deviceId)s from %(ip)s": "%(deviceId)s osoitteesta %(ip)s", "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.", - "Using this widget may share data with %(widgetDomain)s & your integration manager.": "Tämän sovelman käyttäminen saattaa jakaa tietoa osoitteille %(widgetDomain)s ja käyttämällesi integraatioiden lähteelle.", "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.", @@ -1132,8 +1023,6 @@ "Unable to copy room link": "Huoneen linkin kopiointi ei onnistu", "Error downloading audio": "Virhe ääntä ladattaessa", "Avatar": "Avatar", - "Show preview": "Näytä esikatselu", - "View source": "Näytä lähde", "Search spaces": "Etsi avaruuksia", "You may contact me if you have any follow up questions": "Voitte olla yhteydessä minuun, jos teillä on lisäkysymyksiä", "Search for rooms or people": "Etsi huoneita tai ihmisiä", @@ -1144,9 +1033,6 @@ "Public space": "Julkinen avaruus", "Public room": "Julkinen huone", "Including %(commaSeparatedMembers)s": "Mukaan lukien %(commaSeparatedMembers)s", - "Share content": "Jaa sisältö", - "Application window": "Sovelluksen ikkuna", - "Share entire screen": "Jaa koko näyttö", "Error processing audio message": "Virhe ääniviestiä käsiteltäessä", "Decrypting": "Puretaan salausta", "The call is in an unknown state!": "Puhelu on tuntemattomassa tilassa!", @@ -1162,34 +1048,13 @@ "Send voice message": "Lähetä ääniviesti", "Invite to this space": "Kutsu tähän avaruuteen", "Unknown failure": "Tuntematon virhe", - "Space members": "Avaruuden jäsenet", - "& %(count)s more": { - "one": "& %(count)s lisää", - "other": "& %(count)s lisää" - }, - "Space options": "Avaruuden valinnat", - "Recommended for public spaces.": "Suositeltu julkisiin avaruuksiin.", - "Guests can join a space without having an account.": "Vieraat voivat liittyä avaruuteen ilman tiliä.", - "Enable guest access": "Ota käyttöön vieraiden pääsy", - "Failed to save space settings.": "Avaruuden asetusten tallentaminen epäonnistui.", - "Delete avatar": "Poista avatar", - "Show sidebar": "Näytä sivupalkki", - "Hide sidebar": "Piilota sivupalkki", - "Set up Secure Backup": "Määritä turvallinen varmuuskopio", - "Review to ensure your account is safe": "Katselmoi varmistaaksesi, että tilisi on turvassa", - "Decide who can view and join %(spaceName)s.": "Päätä ketkä voivat katsella avaruutta %(spaceName)s ja liittyä siihen.", "Space information": "Avaruuden tiedot", - "Allow people to preview your space before they join.": "Salli ihmisten esikatsella avaruuttasi ennen liittymistä.", - "Preview Space": "Esikatsele avaruutta", "Space visibility": "Avaruuden näkyvyys", - "Visibility": "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", - "Leave Space": "Poistu avaruudesta", - "Edit settings relating to your space.": "Muokkaa avaruuteesi liittyviä asetuksia.", "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.", @@ -1203,12 +1068,6 @@ "Space selection": "Avaruuden valinta", "Search for rooms": "Etsi huoneita", "Search for spaces": "Etsi avaruuksia", - "Global": "Yleiset", - "New keyword": "Uusi avainsana", - "Keyword": "Avainsana", - "Mentions & keywords": "Maininnat ja avainsanat", - "Spaces": "Avaruudet", - "Show all rooms": "Näytä kaikki huoneet", "To join a space you'll need an invite.": "Liittyäksesi avaruuteen tarvitset kutsun.", "Address": "Osoite", "Create a new space": "Luo uusi avaruus", @@ -1223,10 +1082,6 @@ "Please provide an address": "Määritä osoite", "Call back": "Soita takaisin", "Role in ": "Rooli huoneessa ", - "There was an error loading your notification settings.": "Virhe ladatessa ilmoitusasetuksia.", - "This may be useful for public spaces.": "Tämä voi olla hyödyllinen julkisille avaruuksille.", - "Invite with email or username": "Kutsu sähköpostiosoitteella tai käyttäjänimellä", - "Don't miss a reply": "Älä jätä vastauksia huomiotta", "View in room": "Näytä huoneessa", "Please note upgrading will make a new version of the room. All current messages will stay in this archived room.": "Huomaa, että päivittäminen tekee huoneesta uuden version. Kaikki nykyiset viestit pysyvät tässä arkistoidussa huoneessa.", "Leave some rooms": "Poistu joistakin huoneista", @@ -1234,8 +1089,6 @@ "Don't leave any rooms": "Älä poistu mistään huoneesta", "Or send invite link": "Tai lähetä kutsulinkki", "Message search initialisation failed, check your settings for more information": "Viestihaun alustus epäonnistui. Lisätietoa asetuksissa.", - "Error - Mixed content": "Virhe – sekasisältö", - "Error loading Widget": "Virhe sovelman lataamisessa", "Some encryption parameters have been changed.": "Joitakin salausparametreja on muutettu.", "Downloading": "Ladataan", "Ban from %(roomName)s": "Anna porttikielto huoneeseen %(roomName)s", @@ -1251,23 +1104,6 @@ "other": "%(count)s vastausta" }, "Failed to update the join rules": "Liittymissääntöjen päivittäminen epäonnistui", - "Sending invites... (%(progress)s out of %(count)s)": { - "one": "Lähetetään kutsua...", - "other": "Lähetetään kutsuja... (%(progress)s / %(count)s)" - }, - "Loading new room": "Ladataan uutta huonetta", - "Upgrading room": "Päivitetään huonetta", - "Upgrade required": "Päivitys vaaditaan", - "Message search initialisation failed": "Viestihaun alustus epäonnistui", - "More": "Lisää", - "Sidebar": "Sivupalkki", - "Share anonymous data to help us identify issues. Nothing personal. No third parties.": "Jaa anonyymia tietoa auttaaksesi ongelmien tunnistamisessa. Ei mitään henkilökohtaista. Ei kolmansia osapuolia.", - "Updating spaces... (%(progress)s out of %(count)s)": { - "one": "Päivitetään avaruutta...", - "other": "Päivitetään avaruuksia... (%(progress)s/%(count)s)" - }, - "Pin to sidebar": "Kiinnitä sivupalkkiin", - "Quick settings": "Pika-asetukset", "Experimental": "Kokeellinen", "Themes": "Teemat", "Files": "Tiedostot", @@ -1287,22 +1123,6 @@ "This space has no local addresses": "Tällä avaruudella ei ole paikallista osoitetta", "%(spaceName)s menu": "%(spaceName)s-valikko", "Invite to space": "Kutsu avaruuteen", - "Rooms outside of a space": "Huoneet, jotka eivät kuulu mihinkään avaruuteen", - "Show all your rooms in Home, even if they're in a space.": "Näytä kaikki huoneesi etusivulla, vaikka ne olisivat jossain muussa avaruudessa.", - "Spaces to show": "Näytettävät avaruudet", - "This upgrade will allow members of selected spaces access to this room without an invite.": "Tämä päivitys antaa valittujen avaruuksien jäsenten liittyä tähän huoneeseen ilman kutsua.", - "This room is in some spaces you're not an admin of. In those spaces, the old room will still be shown, but people will be prompted to join the new one.": "Tämä huone on joissain avaruuksissa, joissa et ole ylläpitäjänä. Ne avaruudet tulevat edelleen näyttämään vanhan huoneen, mutta ihmisiä kehotetaan liittymään uuteen.", - "Anyone in a space can find and join. You can select multiple spaces.": "Kuka tahansa avaruudessa voi löytää ja liittyä. Voit valita monta avaruutta.", - "Anyone in can find and join. You can select other spaces too.": "Kuka tahansa avaruudessa voi löytää ja liittyä. Voit valita muitakin avaruuksia.", - "Spaces with access": "Avaruudet, joilla on pääsyoikeus", - "Anyone in a space can find and join. Edit which spaces can access here.": "Kuka tahansa avaruuden jäsen voi löytää ja liittyä. Muokkaa millä avaruuksilla on pääsyoikeus täällä.", - "Currently, %(count)s spaces have access": { - "one": "Tällä hetkellä yhdellä avaruudella on pääsyoikeus", - "other": "Tällä hetkellä %(count)s avaruudella on pääsyoikeus" - }, - "Failed to update the visibility of this space": "Avaruuden näkyvyyden muuttaminen epäonnistui", - "Failed to update the history visibility of this space": "Historian näkyvyysasetusten muuttaminen epäonnistui", - "Failed to update the guest access of this space": "Vieraiden pääsyasetusten muuttaminen epäonnistui", "%(spaceName)s and %(count)s others": { "one": "%(spaceName)s ja %(count)s muu", "other": "%(spaceName)s ja %(count)s muuta" @@ -1321,8 +1141,6 @@ "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", - "Report": "Ilmoita", - "Collapse reply thread": "Supista vastausketju", "Location": "Sijainti", "%(count)s votes": { "one": "%(count)s ääni", @@ -1365,13 +1183,9 @@ "Voice Message": "Ääniviesti", "Hide stickers": "Piilota tarrat", "Get notified for every message": "Vastaanota ilmoitus joka viestistä", - "Access": "Pääsy", - "Room members": "Huoneen jäsenet", - "Back to chat": "Takaisin keskusteluun", "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.", - "Share location": "Jaa sijainti", "Could not fetch location": "Sijaintia ei voitu noutaa", "Results will be visible when the poll is ended": "Tulokset näkyvät, kun kysely on päättynyt", "Sorry, you can't edit a poll after votes have been cast.": "Et voi muokata kyselyä äänestyksen jälkeen.", @@ -1407,11 +1221,6 @@ "other": "Poistetaan parhaillaan viestejä %(count)s huoneesta" }, "The authenticity of this encrypted message can't be guaranteed on this device.": "Tämän salatun viestin aitoutta ei voida taata tällä laitteella.", - "Failed to join": "Liittyminen epäonnistui", - "The person who invited you has already left.": "Henkilö, joka kutsui sinut on jo poistunut.", - "The person who invited you has already left, or their server is offline.": "Henkilö, joka kutsui sinut on jo poistunut tai hänen palvelimensa on poissa verkosta.", - "There was an error joining.": "Liittymisessä tapahtui virhe.", - "%(brand)s is experimental on a mobile web browser. For a better experience and the latest features, use our free native app.": "%(brand)s on mobiiliselaimissa kokeellinen. Paremman kokemuksen ja uusimmat ominaisuudet saat ilmaisella mobiilisovelluksellamme.", "%(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.", @@ -1423,7 +1232,6 @@ "Joining": "Liitytään", "Wait!": "Odota!", "Unnamed audio": "Nimetön ääni", - "Start audio stream": "Käynnistä äänen suoratoisto", "Unable to start audio streaming.": "Äänen suoratoiston aloittaminen ei onnistu.", "Open in OpenStreetMap": "Avaa OpenStreetMapissa", "Verify other device": "Vahvista toinen laite", @@ -1439,7 +1247,6 @@ "one": "1 osallistuja", "other": "%(count)s osallistujaa" }, - "Copy room link": "Kopioi huoneen linkki", "New video room": "Uusi videohuone", "New room": "Uusi huone", "You don't have permission to do this": "Sinulla ei ole lupaa tehdä tätä", @@ -1469,16 +1276,9 @@ }, "%(members)s and %(last)s": "%(members)s ja %(last)s", "Your password was successfully changed.": "Salasanasi vaihtaminen onnistui.", - "%(count)s people joined": { - "one": "%(count)s ihminen liittyi", - "other": "%(count)s ihmistä liittyi" - }, "Developer": "Kehittäjä", - "Connection lost": "Yhteys menetettiin", - "Sorry, your homeserver is too old to participate here.": "Kotipalvelimesi on liian vanha osallistumaan tänne.", "Close sidebar": "Sulje sivupalkki", "Updated %(humanizedUpdateTime)s": "Päivitetty %(humanizedUpdateTime)s", - "Mentions only": "Vain maininnat", "Cameras": "Kamerat", "Output devices": "Ulostulolaitteet", "Input devices": "Sisääntulolaitteet", @@ -1500,13 +1300,8 @@ "%(members)s and more": "%(members)s ja enemmän", "Copy link to thread": "Kopioi linkki ketjuun", "From a thread": "Ketjusta", - "Group all your favourite rooms and people in one place.": "Ryhmitä kaikki suosimasi huoneet ja henkilöt yhteen paikkaan.", - "Home is useful for getting an overview of everything.": "Koti on hyödyllinen, sillä sieltä näet yleisnäkymän kaikkeen.", "Deactivating your account is a permanent action — be careful!": "Tilin deaktivointi on peruuttamaton toiminto — ole varovainen!", - "Cross-signing is ready but keys are not backed up.": "Ristiinvarmennus on valmis, mutta avaimia ei ole varmuuskopioitu.", - "Search %(spaceName)s": "Etsi %(spaceName)s", "Messaging": "Viestintä", - "Back to thread": "Takaisin ketjuun", "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.", @@ -1548,7 +1343,6 @@ "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", - "You were disconnected from the call. (Error: %(message)s)": "Yhteytesi puheluun katkaistiin. (Virhe: %(message)s)", "%(downloadButton)s or %(copyButton)s": "%(downloadButton)s tai %(copyButton)s", "Waiting for device to sign in": "Odotetaan laitteen sisäänkirjautumista", "Review and approve the sign in": "Katselmoi ja hyväksy sisäänkirjautuminen", @@ -1579,24 +1373,9 @@ "Join the room to participate": "Liity huoneeseen osallistuaksesi", "View chat timeline": "Näytä keskustelun aikajana", "Close call": "Lopeta puhelu", - "You do not have permission to start voice calls": "Sinulla ei ole oikeutta aloittaa äänipuheluita", - "You do not have permission to start video calls": "Sinulla ei ole oikeutta aloittaa videopuheluita", - "Ongoing call": "Käynnissä oleva 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.", - "Group all your people in one place.": "Ryhmitä kaikki ihmiset yhteen paikkaan.", - "For best security, verify your sessions and sign out from any session that you don't recognize or use anymore.": "Parhaan turvallisuuden varmistamiseksi vahvista istuntosi ja kirjaudu ulos istunnoista, joita et tunnista tai et enää käytä.", - "Sessions": "Istunnot", - "Sorry — this call is currently full": "Pahoittelut — tämä puhelu on täynnä", - "Unknown room": "Tuntematon huone", - "Securely cache encrypted messages locally for them to appear in search results, using %(size)s to store messages from %(rooms)s rooms.": { - "other": "Pidä salatut viestit turvallisessa välimuistissa, jotta ne näkyvät hakutuloksissa. Käytössä %(size)s, talletetaan viestit %(rooms)s huoneesta.", - "one": "Pidä salatut viestit turvallisessa välimuistissa, jotta ne näkyvät hakutuloksissa. Käytössä %(size)s, talletetaan viestit %(rooms)s huoneesta." - }, - "Back up your encryption keys with your account data in case you lose access to your sessions. Your keys will be secured with a unique Security Key.": "Varmuuskopioi salausavaimesi tilisi datan kanssa siltä varalta, että menetät pääsyn istuntoihisi. Avaimesi turvataan yksilöllisellä turva-avaimella.", - "Group all your rooms that aren't part of a space in one place.": "Ryhmitä kaikki huoneesi, jotka eivät ole osa avaruutta, yhteen paikkaan.", - "Spaces are ways to group rooms and people. Alongside the spaces you're in, you can use some pre-built ones too.": "Avaruudet ovat uusi tapa ryhmitellä huoneita ja ihmisiä. Voit käyttää esiluotuja avaruuksia niiden avaruuksien lisäksi, joissa jo olet.", "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", @@ -1618,16 +1397,10 @@ "Video settings": "Videoasetukset", "Automatically adjust the microphone volume": "Säädä mikrofonin äänenvoimakkuutta automaattisesti", "Voice settings": "Ääniasetukset", - "Are you sure you want to sign out of %(count)s sessions?": { - "one": "Haluatko varmasti kirjautua ulos %(count)s istunnosta?", - "other": "Haluatko varmasti kirjautua ulos %(count)s istunnosta?" - }, "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", - "Click to drop a pin": "Napsauta sijoittaaksesi karttaneulan", - "Click to move the pin": "Napsauta siirtääksesi karttaneulaa", "%(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", @@ -1636,8 +1409,6 @@ "Unable to decrypt message": "Viestin salauksen purkaminen ei onnistu", "Change layout": "Vaihda asettelua", "This message could not be decrypted": "Tämän viestin salausta ei voitu purkaa", - "Search users in this room…": "Etsi käyttäjiä tästä huoneesta…", - "You have unverified sessions": "Sinulla on vahvistamattomia istuntoja", "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", @@ -1646,27 +1417,18 @@ "This invite was sent to %(email)s which is not associated with your account": "Tämä kutsu lähetettiin sähköpostiosoitteeseen %(email)s, joka ei ole yhteydessä tiliisi", "Spotlight": "Valokeila", "Freedom": "Vapaus", - "There's no one here to call": "Täällä ei ole ketään, jolle voisi soittaa", "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", - "Mark as read": "Merkitse luetuksi", "Interactively verify by emoji": "Vahvista vuorovaikutteisesti emojilla", "Manually verify by text": "Vahvista manuaalisesti tekstillä", "Text": "Teksti", "Create a link": "Luo linkki", " in %(room)s": " huoneessa %(room)s", - "Saving…": "Tallennetaan…", - "Creating…": "Luodaan…", - "Verify Session": "Vahvista istunto", "unknown": "tuntematon", - "Red": "Punainen", - "Grey": "Harmaa", - "Yes, it was me": "Kyllä, se olin minä", "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…", - "Mute room": "Mykistä huone", "Fetching keys from server…": "Noudetaan avaimia palvelimelta…", "Checking…": "Tarkistetaan…", "Invites by email can only be sent one at a time": "Sähköpostikutsuja voi lähettää vain yhden kerrallaan", @@ -1706,10 +1468,7 @@ "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)", - "Ignore (%(counter)s)": "Sivuuta (%(counter)s)", "Requires your server to support the stable version of MSC3827": "Edellyttää palvelimesi tukevan MSC3827:n vakaata versiota", - "If you know a room address, try joining through that instead.": "Jos tiedät huoneen osoitteen, yritä liittyä sen kautta.", - "Safeguard against losing access to encrypted messages & data": "Suojaudu salattuihin viesteihin ja tietoihin pääsyn menettämiseltä", "Set a new account password…": "Aseta uusi tilin salasana…", "Encrypting your message…": "Salataan viestiäsi…", "Joining space…": "Liitytään avaruuteen…", @@ -1812,7 +1571,15 @@ "off": "Ei päällä", "all_rooms": "Kaikki huoneet", "deselect_all": "Älä valitse mitään", - "select_all": "Valitse kaikki" + "select_all": "Valitse kaikki", + "copied": "Kopioitu!", + "advanced": "Lisäasetukset", + "spaces": "Avaruudet", + "general": "Yleiset", + "saving": "Tallennetaan…", + "profile": "Profiili", + "display_name": "Näyttönimi", + "user_avatar": "Profiilikuva" }, "action": { "continue": "Jatka", @@ -1914,7 +1681,10 @@ "clear": "Tyhjennä", "exit_fullscreeen": "Poistu koko näytön tilasta", "enter_fullscreen": "Siirry koko näytön tilaan", - "unban": "Poista porttikielto" + "unban": "Poista porttikielto", + "click_to_copy": "Kopioi napsauttamalla", + "hide_advanced": "Piilota lisäasetukset", + "show_advanced": "Näytä lisäasetukset" }, "a11y": { "user_menu": "Käyttäjän valikko", @@ -1926,7 +1696,8 @@ "other": "%(count)s lukematonta viestiä.", "one": "Yksi lukematon viesti." }, - "unread_messages": "Lukemattomat viestit." + "unread_messages": "Lukemattomat viestit.", + "jump_first_invite": "Siirry ensimmäiseen kutsuun." }, "labs": { "video_rooms": "Videohuoneet", @@ -2092,7 +1863,6 @@ "user_a11y": "Käyttäjien automaattinen täydennys" } }, - "Bold": "Lihavoitu", "Link": "Linkki", "Code": "Koodi", "power_level": { @@ -2199,7 +1969,8 @@ "intro_byline": "Omista keskustelusi.", "send_dm": "Lähetä yksityisviesti", "explore_rooms": "Selaa julkisia huoneita", - "create_room": "Luo huone" + "create_room": "Luo huone", + "create_account": "Luo tili" }, "settings": { "show_breadcrumbs": "Näytä oikotiet viimeksi katsottuihin huoneisiin huoneluettelon yläpuolella", @@ -2263,7 +2034,9 @@ "noisy": "Äänekäs", "error_permissions_denied": "%(brand)silla ei ole oikeuksia lähettää sinulle ilmoituksia. Ole hyvä ja tarkista selaimen asetukset", "error_permissions_missing": "%(brand)s ei saanut lupaa lähettää ilmoituksia - yritä uudelleen", - "error_title": "Ilmoitusten käyttöönotto epäonnistui" + "error_title": "Ilmoitusten käyttöönotto epäonnistui", + "push_targets": "Ilmoituksen kohteet", + "error_loading": "Virhe ladatessa ilmoitusasetuksia." }, "appearance": { "layout_irc": "IRC (kokeellinen)", @@ -2332,7 +2105,41 @@ "cryptography_section": "Salaus", "session_id": "Istunnon tunnus:", "session_key": "Istunnon avain:", - "encryption_section": "Salaus" + "encryption_section": "Salaus", + "bulk_options_section": "Massatoimintoasetukset", + "bulk_options_accept_all_invites": "Hyväksy kaikki %(invitedRooms)s kutsua", + "bulk_options_reject_all_invites": "Hylkää kaikki %(invitedRooms)s kutsua", + "message_search_section": "Viestihaku", + "analytics_subsection_description": "Jaa anonyymia tietoa auttaaksesi ongelmien tunnistamisessa. Ei mitään henkilökohtaista. Ei kolmansia osapuolia.", + "encryption_individual_verification_mode": "Varmenna jokainen istunto erikseen, äläkä luota ristiinvarmennettuihin laitteisiin.", + "message_search_enabled": { + "other": "Pidä salatut viestit turvallisessa välimuistissa, jotta ne näkyvät hakutuloksissa. Käytössä %(size)s, talletetaan viestit %(rooms)s huoneesta.", + "one": "Pidä salatut viestit turvallisessa välimuistissa, jotta ne näkyvät hakutuloksissa. Käytössä %(size)s, talletetaan viestit %(rooms)s huoneesta." + }, + "message_search_disabled": "Pidä salatut viestit turvallisessa välimuistissa, jotta ne näkyvät hakutuloksissa.", + "message_search_unsupported": "%(brand)sissa ei ole joitain komponentteja, joita tarvitaan viestien turvalliseen välimuistitallennukseen. Jos haluat kokeilla tätä ominaisuutta, käännä mukautettu %(brand)s Desktop, jossa on mukana hakukomponentit.", + "message_search_failed": "Viestihaun alustus epäonnistui", + "backup_key_well_formed": "hyvin muotoiltu", + "backup_key_unexpected_type": "odottamaton tyyppi", + "backup_keys_description": "Varmuuskopioi salausavaimesi tilisi datan kanssa siltä varalta, että menetät pääsyn istuntoihisi. Avaimesi turvataan yksilöllisellä turva-avaimella.", + "backup_key_stored_status": "Varmuuskopioavain tallennettu:", + "cross_signing_not_stored": "ei tallennettu", + "backup_key_cached_status": "Välimuistissa oleva varmuuskopioavain:", + "4s_public_key_status": "Salavaraston julkinen avain:", + "4s_public_key_in_account_data": "tilin tiedoissa", + "secret_storage_status": "Salainen tallennus:", + "secret_storage_ready": "valmis", + "secret_storage_not_ready": "ei valmis", + "delete_backup": "Poista varmuuskopio", + "delete_backup_confirm_description": "Oletko varma? Et voi lukea salattuja viestejäsi, mikäli avaimesi eivät ole kunnolla varmuuskopioituna.", + "error_loading_key_backup_status": "Avainten varmuuskopionnin tilan lukeminen epäonnistui", + "restore_key_backup": "Palauta varmuuskopiosta", + "key_backup_inactive": "Tämä istunto ei varmuuskopioi avaimiasi, mutta sillä on olemassaoleva varmuuskopio, jonka voit palauttaa ja lisätä jatkaaksesi.", + "key_backup_connect_prompt": "Yhdistä tämä istunto avainten varmuuskopiointiin ennen uloskirjautumista, jotta et menetä avaimia, jotka ovat vain tässä istunnossa.", + "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." }, "preferences": { "room_list_heading": "Huoneluettelo", @@ -2434,7 +2241,13 @@ "other": "Kirjaa laitteet ulos" }, "security_recommendations": "Turvallisuussuositukset", - "security_recommendations_description": "Paranna tilisi tietoturvaa seuraamalla näitä suosituksia." + "security_recommendations_description": "Paranna tilisi tietoturvaa seuraamalla näitä suosituksia.", + "title": "Istunnot", + "sign_out_confirm_description": { + "one": "Haluatko varmasti kirjautua ulos %(count)s istunnosta?", + "other": "Haluatko varmasti kirjautua ulos %(count)s istunnosta?" + }, + "other_sessions_subsection_description": "Parhaan turvallisuuden varmistamiseksi vahvista istuntosi ja kirjaudu ulos istunnoista, joita et tunnista tai et enää käytä." }, "general": { "oidc_manage_button": "Hallitse tiliä", @@ -2451,7 +2264,22 @@ "add_msisdn_confirm_sso_button": "Vahvista tämän puhelinnumeron lisääminen todistamalla henkilöllisyytesi kertakirjautumista käyttäen.", "add_msisdn_confirm_button": "Vahvista puhelinnumeron lisääminen", "add_msisdn_confirm_body": "Napsauta alapuolella olevaa painiketta lisätäksesi tämän puhelinnumeron.", - "add_msisdn_dialog_title": "Lisää puhelinnumero" + "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" + }, + "sidebar": { + "title": "Sivupalkki", + "metaspaces_subsection": "Näytettävät avaruudet", + "metaspaces_description": "Avaruudet ovat uusi tapa ryhmitellä huoneita ja ihmisiä. Voit käyttää esiluotuja avaruuksia niiden avaruuksien lisäksi, joissa jo olet.", + "metaspaces_home_description": "Koti on hyödyllinen, sillä sieltä näet yleisnäkymän kaikkeen.", + "metaspaces_favourites_description": "Ryhmitä kaikki suosimasi huoneet ja henkilöt yhteen paikkaan.", + "metaspaces_people_description": "Ryhmitä kaikki ihmiset yhteen paikkaan.", + "metaspaces_orphans": "Huoneet, jotka eivät kuulu mihinkään avaruuteen", + "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" } }, "devtools": { @@ -2885,7 +2713,14 @@ "user": "%(senderName)s lopetti äänen yleislähetyksen" }, "creation_summary_dm": "%(creator)s loi tämän yksityisviestin.", - "creation_summary_room": "%(creator)s loi ja määritti huoneen." + "creation_summary_room": "%(creator)s loi ja määritti huoneen.", + "context_menu": { + "view_source": "Näytä lähde", + "show_url_preview": "Näytä esikatselu", + "external_url": "Lähdeosoite", + "collapse_reply_thread": "Supista vastausketju", + "report": "Ilmoita" + } }, "slash_command": { "spoiler": "Lähettää annetun viestin spoilerina", @@ -3074,10 +2909,28 @@ "default_device": "Oletuslaite", "failed_call_live_broadcast_title": "Puhelua ei voi aloittaa", "no_media_perms_title": "Ei mediaoikeuksia", - "no_media_perms_description": "Voit joutua antamaan %(brand)sille luvan mikrofonin/kameran käyttöön" + "no_media_perms_description": "Voit joutua antamaan %(brand)sille luvan mikrofonin/kameran käyttöön", + "call_toast_unknown_room": "Tuntematon huone", + "join_button_tooltip_connecting": "Yhdistetään", + "join_button_tooltip_call_full": "Pahoittelut — tämä puhelu on täynnä", + "hide_sidebar_button": "Piilota sivupalkki", + "show_sidebar_button": "Näytä sivupalkki", + "more_button": "Lisää", + "screenshare_monitor": "Jaa koko näyttö", + "screenshare_window": "Sovelluksen ikkuna", + "screenshare_title": "Jaa sisältö", + "disabled_no_perms_start_voice_call": "Sinulla ei ole oikeutta aloittaa äänipuheluita", + "disabled_no_perms_start_video_call": "Sinulla ei ole oikeutta aloittaa videopuheluita", + "disabled_ongoing_call": "Käynnissä oleva puhelu", + "disabled_no_one_here": "Täällä ei ole ketään, jolle voisi soittaa", + "n_people_joined": { + "one": "%(count)s ihminen liittyi", + "other": "%(count)s ihmistä liittyi" + }, + "unknown_person": "tuntematon henkilö", + "connecting": "Yhdistetään" }, "Other": "Muut", - "Advanced": "Lisäasetukset", "room_settings": { "permissions": { "m.room.avatar_space": "Vaihda avaruuden kuva", @@ -3117,7 +2970,8 @@ "title": "Roolit ja oikeudet", "permissions_section": "Oikeudet", "permissions_section_description_space": "Valitse roolit, jotka vaaditaan avaruuden eri osioiden muuttamiseen", - "permissions_section_description_room": "Valitse roolit, jotka vaaditaan huoneen eri osioiden muuttamiseen" + "permissions_section_description_room": "Valitse roolit, jotka vaaditaan huoneen eri osioiden muuttamiseen", + "add_privileged_user_filter_placeholder": "Etsi käyttäjiä tästä huoneesta…" }, "security": { "strict_encryption": "Älä lähetä salattuja viestejä vahvistamattomiin istuntoihin tässä huoneessa tässä istunnossa", @@ -3143,7 +2997,33 @@ "history_visibility_shared": "Vain jäsenet (tämän valinnan tekemisestä lähtien)", "history_visibility_invited": "Vain jäsenet (kutsumisestaan lähtien)", "history_visibility_joined": "Vain jäsenet (liittymisestään lähtien)", - "history_visibility_world_readable": "Kaikki" + "history_visibility_world_readable": "Kaikki", + "join_rule_upgrade_required": "Päivitys vaaditaan", + "join_rule_restricted_n_more": { + "one": "& %(count)s lisää", + "other": "& %(count)s lisää" + }, + "join_rule_restricted_summary": { + "one": "Tällä hetkellä yhdellä avaruudella on pääsyoikeus", + "other": "Tällä hetkellä %(count)s avaruudella on pääsyoikeus" + }, + "join_rule_restricted_description": "Kuka tahansa avaruuden jäsen voi löytää ja liittyä. Muokkaa millä avaruuksilla on pääsyoikeus täällä.", + "join_rule_restricted_description_spaces": "Avaruudet, joilla on pääsyoikeus", + "join_rule_restricted_description_active_space": "Kuka tahansa avaruudessa voi löytää ja liittyä. Voit valita muitakin avaruuksia.", + "join_rule_restricted_description_prompt": "Kuka tahansa avaruudessa voi löytää ja liittyä. Voit valita monta avaruutta.", + "join_rule_restricted": "Avaruuden jäsenet", + "join_rule_restricted_upgrade_warning": "Tämä huone on joissain avaruuksissa, joissa et ole ylläpitäjänä. Ne avaruudet tulevat edelleen näyttämään vanhan huoneen, mutta ihmisiä kehotetaan liittymään uuteen.", + "join_rule_restricted_upgrade_description": "Tämä päivitys antaa valittujen avaruuksien jäsenten liittyä tähän huoneeseen ilman kutsua.", + "join_rule_upgrade_upgrading_room": "Päivitetään huonetta", + "join_rule_upgrade_awaiting_room": "Ladataan uutta huonetta", + "join_rule_upgrade_sending_invites": { + "one": "Lähetetään kutsua...", + "other": "Lähetetään kutsuja... (%(progress)s / %(count)s)" + }, + "join_rule_upgrade_updating_spaces": { + "one": "Päivitetään avaruutta...", + "other": "Päivitetään avaruuksia... (%(progress)s/%(count)s)" + } }, "general": { "publish_toggle": "Julkaise tämä huone verkkotunnuksen %(domain)s huoneluettelossa?", @@ -3153,7 +3033,11 @@ "default_url_previews_off": "URL-esikatselut ovat oletuksena pois päältä tämän huoneen jäsenillä.", "url_preview_encryption_warning": "Salatuissa huoneissa, kuten tässä, osoitteiden esikatselut ovat oletuksena pois käytöstä, jotta kotipalvelimesi (missä osoitteiden esikatselut luodaan) ei voi kerätä tietoa siitä, mitä linkkejä näet tässä huoneessa.", "url_preview_explainer": "Kun joku asettaa osoitteen linkiksi viestiinsä, URL-esikatselu voi näyttää tietoja linkistä kuten otsikon, kuvauksen ja kuvan verkkosivulta.", - "url_previews_section": "URL-esikatselut" + "url_previews_section": "URL-esikatselut", + "error_save_space_settings": "Avaruuden asetusten tallentaminen epäonnistui.", + "description_space": "Muokkaa avaruuteesi liittyviä asetuksia.", + "save": "Tallenna muutokset", + "leave_space": "Poistu avaruudesta" }, "advanced": { "unfederated": "Tähän huoneeseen ei pääse ulkopuolisilta Matrix-palvelimilta", @@ -3164,6 +3048,24 @@ "room_id": "Sisäinen huoneen ID-tunniste", "room_version_section": "Huoneen versio", "room_version": "Huoneen versio:" + }, + "delete_avatar_label": "Poista avatar", + "upload_avatar_label": "Lähetä profiilikuva", + "visibility": { + "error_update_guest_access": "Vieraiden pääsyasetusten muuttaminen epäonnistui", + "error_update_history_visibility": "Historian näkyvyysasetusten muuttaminen epäonnistui", + "guest_access_explainer": "Vieraat voivat liittyä avaruuteen ilman tiliä.", + "guest_access_explainer_public_space": "Tämä voi olla hyödyllinen julkisille avaruuksille.", + "title": "Näkyvyys", + "error_failed_save": "Avaruuden näkyvyyden muuttaminen epäonnistui", + "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" + }, + "access": { + "title": "Pääsy", + "description_space": "Päätä ketkä voivat katsella avaruutta %(spaceName)s ja liittyä siihen." } }, "encryption": { @@ -3189,7 +3091,15 @@ "waiting_other_device_details": "Odotetaan vahvistustasi toiselta laitteelta, %(deviceName)s (%(deviceId)s)…", "waiting_other_device": "Odotetaan vahvistustasi toiselta laitteelta…", "waiting_other_user": "Odotetaan käyttäjän %(displayName)s varmennusta…", - "cancelling": "Peruutetaan…" + "cancelling": "Peruutetaan…", + "unverified_sessions_toast_title": "Sinulla on vahvistamattomia istuntoja", + "unverified_sessions_toast_description": "Katselmoi varmistaaksesi, että tilisi on turvassa", + "unverified_sessions_toast_reject": "Myöhemmin", + "unverified_session_toast_title": "Uusi sisäänkirjautuminen. Olitko se sinä?", + "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" }, "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.", @@ -3199,7 +3109,18 @@ "bootstrap_title": "Otetaan avaimet käyttöön", "export_unsupported": "Selaimesi ei tue vaadittuja kryptografisia laajennuksia", "import_invalid_keyfile": "Ei kelvollinen %(brand)s-avaintiedosto", - "import_invalid_passphrase": "Autentikointi epäonnistui: virheellinen salasana?" + "import_invalid_passphrase": "Autentikointi epäonnistui: virheellinen salasana?", + "set_up_toast_title": "Määritä turvallinen varmuuskopio", + "upgrade_toast_title": "Salauksen päivitys saatavilla", + "verify_toast_title": "Vahvista tämä istunto", + "set_up_toast_description": "Suojaudu salattuihin viesteihin ja tietoihin pääsyn menettämiseltä", + "verify_toast_description": "Muut eivät välttämättä luota siihen", + "cross_signing_unsupported": "Kotipalvelimesi ei tue ristiinvarmennusta.", + "cross_signing_ready": "Ristiinvarmennus on käyttövalmis.", + "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": "" }, "emoji": { "category_frequently_used": "Usein käytetyt", @@ -3222,7 +3143,8 @@ "bullet_1": "Emme tallenna tai profiloi tilin tietoja", "bullet_2": "Emme jaa tietoja kolmansille tahoille", "disable_prompt": "Tämän voi poistaa käytöstä koska tahansa asetuksista", - "accept_button": "Sopii" + "accept_button": "Sopii", + "shared_data_heading": "Seuraavat tiedot saatetaan jakaa:" }, "chat_effects": { "confetti_description": "Lähettää viestin konfettien kera", @@ -3369,7 +3291,8 @@ "no_hs_url_provided": "Kotipalvelimen osoite puuttuu", "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." + "incorrect_credentials_detail": "Huomaa että olet kirjautumassa palvelimelle %(hs)s, etkä palvelimelle matrix.org.", + "create_account_title": "Luo tili" }, "room_list": { "sort_unread_first": "Näytä ensimmäisenä huoneet, joissa on lukemattomia viestejä", @@ -3464,7 +3387,33 @@ "error_need_to_be_logged_in": "Sinun pitää olla kirjautunut.", "error_need_invite_permission": "Sinun pitää pystyä kutsua käyttäjiä voidaksesi tehdä tuon.", "error_need_kick_permission": "Sinun täytyy pystyä potkia käyttäjiä voidaksesi tehdä tuon.", - "no_name": "Tuntematon sovellus" + "no_name": "Tuntematon sovellus", + "error_hangup_title": "Yhteys menetettiin", + "error_hangup_description": "Yhteytesi puheluun katkaistiin. (Virhe: %(message)s)", + "context_menu": { + "start_audio_stream": "Käynnistä äänen suoratoisto", + "screenshot": "Ota kuva", + "delete": "Poista sovelma", + "delete_warning": "Sovelman poistaminen poistaa sen kaikilta huoneen käyttäjiltä. Haluatko varmasti poistaa tämän sovelman?", + "remove": "Poista kaikilta", + "revoke": "Peruuta käyttöoikeudet", + "move_left": "Siirry vasemmalle", + "move_right": "Siirry oikealle" + }, + "shared_data_name": "Näyttönimesi", + "shared_data_mxid": "Käyttäjätunnuksesi", + "shared_data_theme": "Teemasi", + "shared_data_url": "%(brand)sin URL-osoite", + "shared_data_room_id": "Huoneen tunnus", + "shared_data_widget_id": "Sovelman tunnus", + "shared_data_warning_im": "Tämän sovelman käyttäminen saattaa jakaa tietoa osoitteille %(widgetDomain)s ja käyttämällesi integraatioiden lähteelle.", + "shared_data_warning": "Tämän sovelman käyttäminen voi jakaa tietoja verkkotunnukselle %(widgetDomain)s.", + "unencrypted_warning": "Sovelmat eivät käytä viestien salausta.", + "added_by": "Sovelman lisäsi", + "cookie_warning": "Tämä sovelma saattaa käyttää evästeitä.", + "error_loading": "Virhe sovelman lataamisessa", + "error_mixed_content": "Virhe – sekasisältö", + "popout": "Avaa sovelma omassa ikkunassaan" }, "feedback": { "sent": "Palaute lähetetty", @@ -3564,9 +3513,14 @@ "devtools_open_timeline": "Näytä huoneen aikajana (devtools)", "home": "Avaruuden koti", "explore": "Selaa huoneita", - "manage_and_explore": "Hallitse ja selaa huoneita" + "manage_and_explore": "Hallitse ja selaa huoneita", + "options": "Avaruuden valinnat" }, - "share_public": "Jaa julkinen avaruutesi" + "share_public": "Jaa julkinen avaruutesi", + "search_children": "Etsi %(spaceName)s", + "invite_link": "Jaa kutsulinkki", + "invite": "Kutsu ihmisiä", + "invite_description": "Kutsu sähköpostiosoitteella tai käyttäjänimellä" }, "location_sharing": { "MapStyleUrlNotConfigured": "Tätä kotipalvelinta ei ole säädetty näyttämään karttoja.", @@ -3581,7 +3535,10 @@ "failed_timeout": "Sijaintisi noutaminen aikakatkaistiin. Yritä myöhemmin uudelleen.", "failed_unknown": "Tuntematon virhe sijaintia noudettaessa. Yritä myöhemmin uudelleen.", "expand_map": "Laajenna kartta", - "failed_load_map": "Kartan lataaminen ei onnistu" + "failed_load_map": "Kartan lataaminen ei onnistu", + "click_move_pin": "Napsauta siirtääksesi karttaneulaa", + "click_drop_pin": "Napsauta sijoittaaksesi karttaneulan", + "share_button": "Jaa sijainti" }, "labs_mjolnir": { "room_name": "Tekemäni estot", @@ -3616,7 +3573,6 @@ }, "create_space": { "name_required": "Anna nimi avaruudelle", - "name_placeholder": "esim. minun-space", "explainer": "Avaruudet ovat uusi tapa ryhmitellä huoneita ja ihmisiä. Minkälaisen avaruuden sinä haluat luoda? Voit muuttaa tätä asetusta myöhemmin.", "public_description": "Avoin avaruus kaikille, paras yhteisöille", "private_description": "Vain kutsulla, paras itsellesi tai tiimeille", @@ -3644,11 +3600,17 @@ "setup_rooms_community_description": "Tehdään huone jokaiselle.", "setup_rooms_description": "Voit lisätä niitä myöhemmin, mukaan lukien olemassa olevia.", "setup_rooms_private_heading": "Minkä projektien parissa tiimisi työskentelee?", - "setup_rooms_private_description": "Luomme huoneet jokaiselle niistä." + "setup_rooms_private_description": "Luomme huoneet jokaiselle niistä.", + "address_placeholder": "esim. minun-space", + "address_label": "Osoite", + "label": "Luo avaruus", + "add_details_prompt_2": "Voit muuttaa näitä koska tahansa.", + "creating": "Luodaan…" }, "user_menu": { "switch_theme_light": "Vaihda vaaleaan teemaan", - "switch_theme_dark": "Vaihda tummaan teemaan" + "switch_theme_dark": "Vaihda tummaan teemaan", + "settings": "Kaikki asetukset" }, "notif_panel": { "empty_heading": "Olet ajan tasalla", @@ -3685,7 +3647,24 @@ "leave_error_title": "Virhe poistuessa huoneesta", "upgrade_error_title": "Virhe päivitettäessä huonetta", "upgrade_error_description": "Tarkista, että palvelimesi tukee valittua huoneversiota ja yritä uudelleen.", - "leave_server_notices_description": "Tämä huone on kotipalvelimen tärkeille viesteille, joten ei voi poistua siitä." + "leave_server_notices_description": "Tämä huone on kotipalvelimen tärkeille viesteille, joten ei voi poistua siitä.", + "error_join_connection": "Liittymisessä tapahtui virhe.", + "error_join_incompatible_version_1": "Kotipalvelimesi on liian vanha osallistumaan tänne.", + "error_join_incompatible_version_2": "Ota yhteyttä kotipalvelimesi ylläpitäjään.", + "error_join_404_invite_same_hs": "Henkilö, joka kutsui sinut on jo poistunut.", + "error_join_404_invite": "Henkilö, joka kutsui sinut on jo poistunut tai hänen palvelimensa on poissa verkosta.", + "error_join_404_2": "Jos tiedät huoneen osoitteen, yritä liittyä sen kautta.", + "error_join_title": "Liittyminen epäonnistui", + "context_menu": { + "unfavourite": "Suositut", + "favourite": "Suosikki", + "mentions_only": "Vain maininnat", + "copy_link": "Kopioi huoneen linkki", + "low_priority": "Matala prioriteetti", + "forget": "Unohda huone", + "mark_read": "Merkitse luetuksi", + "notifications_mute": "Mykistä huone" + } }, "file_panel": { "guest_note": "Sinun pitää rekisteröityä käyttääksesi tätä toiminnallisuutta", @@ -3705,7 +3684,8 @@ "tac_button": "Lue käyttöehdot", "identity_server_no_terms_title": "Identiteettipalvelimella ei ole käyttöehtoja", "identity_server_no_terms_description_1": "Tämä toiminto vaatii oletusidentiteettipalvelimen käyttämistä sähköpostiosoitteen tai puhelinnumeron validointiin, mutta palvelimella ei ole käyttöehtoja.", - "identity_server_no_terms_description_2": "Jatka vain, jos luotat palvelimen omistajaan." + "identity_server_no_terms_description_2": "Jatka vain, jos luotat palvelimen omistajaan.", + "inline_intro_text": "Hyväksy jatkaaksesi:" }, "space_settings": { "title": "Asetukset - %(spaceName)s" @@ -3797,7 +3777,13 @@ "sync": "Kotipalvelimeen yhdistäminen ei onnistunut. Yritetään uudelleen…", "connection": "Yhteydessä kotipalvelimeen ilmeni ongelma, yritä myöhemmin uudelleen.", "mixed_content": "Yhdistäminen kotipalvelimeen HTTP:n avulla ei ole mahdollista, kun selaimen osoitepalkissa on HTTPS-osoite. Käytä joko HTTPS:ää tai salli turvattomat komentosarjat.", - "tls": "Kotipalvelimeen ei saada yhteyttä. Tarkista verkkoyhteytesi, varmista että kotipalvelimesi SSL-sertifikaatti on luotettu, ja että mikään selaimen lisäosa ei estä pyyntöjen lähettämistä." + "tls": "Kotipalvelimeen ei saada yhteyttä. Tarkista verkkoyhteytesi, varmista että kotipalvelimesi SSL-sertifikaatti on luotettu, ja että mikään selaimen lisäosa ei estä pyyntöjen lähettämistä.", + "admin_contact_short": "Ota yhteyttä palvelimesi ylläpitäjään.", + "non_urgent_echo_failure_toast": "Palvelimesi ei vastaa joihinkin pyyntöihin.", + "failed_copy": "Kopiointi epäonnistui", + "something_went_wrong": "Jokin meni vikaan!", + "update_power_level": "Oikeustason muuttaminen epäonnistui", + "unknown": "Tuntematon virhe" }, "in_space1_and_space2": "Avaruuksissa %(space1Name)s ja %(space2Name)s.", "in_space_and_n_other_spaces": { @@ -3805,5 +3791,49 @@ "other": "Avaruudessa %(spaceName)s ja %(count)s muussa avaruudessa." }, "in_space": "Avaruudessa %(spaceName)s.", - "name_and_id": "%(name)s (%(userId)s)" + "name_and_id": "%(name)s (%(userId)s)", + "items_and_n_others": { + "other": " ja %(count)s muuta", + "one": " ja yksi muu" + }, + "notifications": { + "enable_prompt_toast_title_from_message_send": "Älä jätä vastauksia huomiotta", + "enable_prompt_toast_title": "Ilmoitukset", + "enable_prompt_toast_description": "Ota työpöytäilmoitukset käyttöön", + "colour_none": "Ei mitään", + "colour_bold": "Lihavoitu", + "colour_grey": "Harmaa", + "colour_red": "Punainen", + "error_change_title": "Muokkaa ilmoitusasetuksia", + "mark_all_read": "Merkitse kaikki luetuiksi", + "keyword": "Avainsana", + "keyword_new": "Uusi avainsana", + "class_global": "Yleiset", + "class_other": "Muut", + "mentions_keywords": "Maininnat ja avainsanat" + }, + "mobile_guide": { + "toast_title": "Parempi kokemus sovelluksella", + "toast_description": "%(brand)s on mobiiliselaimissa kokeellinen. Paremman kokemuksen ja uusimmat ominaisuudet saat ilmaisella mobiilisovelluksellamme.", + "toast_accept": "Käytä sovellusta" + }, + "chat_card_back_action_label": "Takaisin keskusteluun", + "room_summary_card_back_action_label": "Huoneen tiedot", + "member_list_back_action_label": "Huoneen jäsenet", + "thread_view_back_action_label": "Takaisin ketjuun", + "quick_settings": { + "title": "Pika-asetukset", + "all_settings": "Kaikki asetukset", + "metaspace_section": "Kiinnitä sivupalkkiin", + "sidebar_settings": "Lisää asetuksia" + }, + "lightbox": { + "rotate_left": "Kierrä vasempaan", + "rotate_right": "Kierrä oikeaan" + }, + "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." + } } diff --git a/src/i18n/strings/fr.json b/src/i18n/strings/fr.json index 89d1c1a766..312e47e955 100644 --- a/src/i18n/strings/fr.json +++ b/src/i18n/strings/fr.json @@ -2,10 +2,7 @@ "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 change power level": "Échec du changement de rang", "Failed to forget room %(errCode)s": "Échec de l’oubli du salon %(errCode)s", - "Favourite": "Favoris", - "Notifications": "Notifications", "%(items)s and %(lastItem)s": "%(items)s et %(lastItem)s", "and %(count)s others...": { "other": "et %(count)s autres…", @@ -35,7 +32,6 @@ "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", @@ -43,7 +39,6 @@ "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.", - "Profile": "Profil", "Reason": "Raison", "Reject invitation": "Rejeter l’invitation", "Return to login screen": "Retourner à l’écran de connexion", @@ -58,7 +53,6 @@ "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.", - "Upload avatar": "Envoyer un avatar", "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", @@ -99,9 +93,7 @@ "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.", - "Reject all %(invitedRooms)s invites": "Rejeter la totalité des %(invitedRooms)s invitations", "Confirm Removal": "Confirmer la suppression", - "Unknown error": "Erreur inconnue", "Unable to restore session": "Impossible de restaurer la session", "If you have previously used a more recent version of %(brand)s, your session may be incompatible with this version. Close this window and return to the more recent version.": "Si vous avez utilisé une version plus récente de %(brand)s précédemment, votre session risque d’être incompatible avec cette version. Fermez cette fenêtre et retournez à la version plus récente.", "Error decrypting image": "Erreur lors du déchiffrement de l’image", @@ -119,8 +111,6 @@ "other": "Envoi de %(filename)s et %(count)s autres" }, "Create new room": "Créer un nouveau salon", - "Something went wrong!": "Quelque chose s’est mal déroulé !", - "No display name": "Pas de nom d’affichage", "%(roomName)s does not exist.": "%(roomName)s n’existe pas.", "%(roomName)s is not accessible at this time.": "%(roomName)s n’est pas joignable pour le moment.", "(~%(count)s results)": { @@ -130,22 +120,14 @@ "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.", - "Delete widget": "Supprimer le widget", "AM": "AM", "PM": "PM", - "Copied!": "Copié !", - "Failed to copy": "Échec de la copie", "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", - "Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "Supprimer un widget le supprime pour tous les utilisateurs du salon. Voulez-vous vraiment supprimer ce widget ?", - " and %(count)s others": { - "other": " et %(count)s autres", - "one": " et un autre" - }, "And %(count)s more...": { "other": "Et %(count)s autres…" }, @@ -164,13 +146,11 @@ "In reply to ": "En réponse à ", "You don't currently have any stickerpacks enabled": "Vous n'avez activé aucun jeu d’autocollants pour l’instant", "Sunday": "Dimanche", - "Notification targets": "Appareils recevant les notifications", "Today": "Aujourd’hui", "Friday": "Vendredi", "Changelog": "Journal des modifications", "This Room": "Ce salon", "Unavailable": "Indisponible", - "Source URL": "URL de la source", "Filter results": "Filtrer les résultats", "Tuesday": "Mardi", "Search…": "Rechercher…", @@ -183,12 +163,10 @@ "All Rooms": "Tous les salons", "Thursday": "Jeudi", "Yesterday": "Hier", - "Low Priority": "Priorité basse", "Thank you!": "Merci !", "Logs sent": "Journaux envoyés", "Failed to send logs: ": "Échec lors de l’envoi des journaux : ", "Preparing to send logs": "Préparation de l’envoi des journaux", - "Popout widget": "Détacher le widget", "Send Logs": "Envoyer les journaux", "Clear Storage and Sign Out": "Effacer le stockage et se déconnecter", "We encountered an error trying to restore your previous session.": "Une erreur est survenue lors de la restauration de la dernière session.", @@ -216,7 +194,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.", - "Please contact your homeserver administrator.": "Veuillez contacter l’administrateur de votre serveur d’accueil.", "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", @@ -233,8 +210,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é", - "Delete Backup": "Supprimer la sauvegarde", - "Unable to load key backup status": "Impossible de charger l’état de sauvegarde des clés", "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.", @@ -258,20 +233,15 @@ "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", - "All keys backed up": "Toutes les clés ont été sauvegardées", "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", - "Profile picture": "Image de profil", - "Display Name": "Nom d’affichage", "Room information": "Information du salon", - "General": "Général", "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", - "Bulk options": "Options de groupe", "Missing media permissions, click the button below to request.": "Permissions multimédia manquantes, cliquez sur le bouton ci-dessous pour la demander.", "Request media permissions": "Demander les permissions multimédia", "Voice & Video": "Audio et vidéo", @@ -283,7 +253,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", - "Create account": "Créer un compte", "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", @@ -350,9 +319,7 @@ "This homeserver would like to make sure you are not a robot.": "Ce serveur d’accueil veut s’assurer que vous n’êtes pas un robot.", "Couldn't load page": "Impossible de charger la page", "Your password has been reset.": "Votre mot de passe a été réinitialisé.", - "Are you sure? You will lose your encrypted messages if your keys are not backed up properly.": "En êtes-vous sûr ? Vous perdrez vos messages chiffrés si vos clés ne sont pas sauvegardées correctement.", "Encrypted messages are secured with end-to-end encryption. Only you and the recipient(s) have the keys to read these messages.": "Les messages chiffrés sont sécurisés avec un chiffrement de bout en bout. Seuls vous et le(s) destinataire(s) ont les clés pour lire ces messages.", - "Restore from Backup": "Restaurer depuis la sauvegarde", "Back up your keys before signing out to avoid losing them.": "Sauvegardez vos clés avant de vous déconnecter pour éviter de les perdre.", "Start using Key Backup": "Commencer à utiliser la sauvegarde de clés", "I don't want my encrypted messages": "Je ne veux pas de mes messages chiffrés", @@ -367,7 +334,6 @@ "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.", "Room Settings - %(roomName)s": "Paramètres du salon – %(roomName)s", "Could not load user profile": "Impossible de charger le profil de l’utilisateur", - "Accept all %(invitedRooms)s invites": "Accepter les %(invitedRooms)s invitations", "Power level": "Rang", "This room is running room version , which this homeserver has marked as unstable.": "Ce salon utilise la version , que ce serveur d’accueil a marqué comme instable.", "Upgrading this room will shut down the current instance of the room and create an upgraded room with the same name.": "La mise à niveau du salon désactivera cette instance du salon et créera un salon mis à niveau avec le même nom.", @@ -410,8 +376,6 @@ "%(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é", - "Rotate Left": "Tourner à gauche", - "Rotate Right": "Tourner à droite", "Some characters not allowed": "Certains caractères ne sont pas autorisés", "Failed to get autodiscovery configuration from server": "Échec de la découverte automatique de la configuration depuis le serveur", "Invalid base_url for m.homeserver": "base_url pour m.homeserver non valide", @@ -459,7 +423,6 @@ "Enter a new identity server": "Saisissez un nouveau serveur d’identité", "Remove %(email)s?": "Supprimer %(email)s ?", "Remove %(phone)s?": "Supprimer %(phone)s ?", - "Accept to continue:": "Acceptez pour continuer :", "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.", @@ -498,8 +461,6 @@ "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", - "Hide advanced": "Masquer les paramètres avancés", - "Show advanced": "Afficher les paramètres avancés", "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.", @@ -512,8 +473,6 @@ "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.", - "Jump to first unread room.": "Sauter au premier salon non lu.", - "Jump to first invite.": "Sauter à la première invitation.", "Room %(name)s": "Salon %(name)s", "Message Actions": "Actions de message", "You verified %(name)s": "Vous avez vérifié %(name)s", @@ -528,24 +487,9 @@ "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.", - "Any of the following data may be shared:": "Les données suivants peuvent être partagées :", - "Your display name": "Votre nom d’affichage", - "Your user ID": "Votre identifiant utilisateur", - "Your theme": "Votre thème", - "%(brand)s URL": "URL de %(brand)s", - "Room ID": "Identifiant du salon", - "Widget ID": "Identifiant du widget", - "Using this widget may share data with %(widgetDomain)s.": "L’utilisation de ce widget pourrait partager des données avec %(widgetDomain)s.", - "Widget added by": "Widget ajouté par", - "This widget may use cookies.": "Ce widget pourrait utiliser des cookies.", - "Cannot connect to integration manager": "Impossible de se connecter au gestionnaire d’intégrations", - "The integration manager is offline or it cannot reach your homeserver.": "Le gestionnaire d’intégrations est hors ligne ou il ne peut pas joindre votre serveur d’accueil.", "Failed to connect to integration manager": "Échec de la connexion au gestionnaire d’intégrations", - "Widgets do not use message encryption.": "Les widgets n’utilisent pas le chiffrement des messages.", - "More options": "Plus d’options", "Integrations are disabled": "Les intégrations sont désactivées", "Integrations not allowed": "Les intégrations ne sont pas autorisées", - "Remove for everyone": "Supprimer pour tout le monde", "Manage integrations": "Gérer les intégrations", "Verification Request": "Demande de vérification", "Unencrypted": "Non chiffré", @@ -556,10 +500,7 @@ "You'll upgrade this room from to .": "Vous allez mettre à niveau ce salon de vers .", " wants to chat": " veut discuter", "Start chatting": "Commencer à discuter", - "Secret storage public key:": "Clé publique du coffre secret :", - "in account data": "dans les données du compte", "Unable to set up secret storage": "Impossible de configurer le coffre secret", - "not stored": "non sauvegardé", "Hide verified sessions": "Masquer les sessions vérifiées", "%(count)s verified sessions": { "other": "%(count)s sessions vérifiées", @@ -577,8 +518,6 @@ "Something went wrong trying to invite the users.": "Une erreur est survenue en essayant d’inviter les utilisateurs.", "We couldn't invite those users. Please check the users you want to invite and try again.": "Impossible d’inviter ces utilisateurs. Vérifiez quels utilisateurs que vous souhaitez inviter et réessayez.", "Recently Direct Messaged": "Conversations privées récentes", - "Other users may not trust it": "D’autres utilisateurs pourraient ne pas lui faire confiance", - "Later": "Plus tard", "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", @@ -588,11 +527,6 @@ "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é", - "Verify this session": "Vérifier cette session", - "Encryption upgrade available": "Mise à niveau du chiffrement disponible", - "Securely cache encrypted messages locally for them to appear in search results.": "Mettre en cache les messages chiffrés localement et de manière sécurisée pour qu’ils apparaissent dans les résultats de recherche.", - "%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with search components added.": "Il manque quelques composants à %(brand)s pour mettre en cache les messages chiffrés localement de manière sécurisée. Si vous voulez essayer cette fonctionnalité, construisez %(brand)s Desktop vous-même en ajoutant les composants de recherche.", - "Message search": "Recherche de message", "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…", @@ -606,12 +540,7 @@ "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", - "Your account has a cross-signing identity in secret storage, but it is not yet trusted by this session.": "Votre compte a une identité de signature croisée dans le coffre secret, mais cette session ne lui fait pas encore confiance.", - "This session is not backing up your keys, but you do have an existing backup you can restore from and add to going forward.": "Cette session ne sauvegarde pas vos clés, mais vous n’avez pas de sauvegarde existante que vous pouvez restaurer ou compléter à l’avenir.", - "Connect this session to key backup before signing out to avoid losing any keys that may only be on this session.": "Connectez cette session à la sauvegarde de clés avant de vous déconnecter pour éviter de perdre des clés qui seraient uniquement dans cette session.", - "Connect this session to Key Backup": "Connecter cette session à la sauvegarde de clés", "This backup is trusted because it has been restored on this session": "Cette sauvegarde est fiable car elle a été restaurée sur cette session", - "Your keys are not being backed up from this session.": "Vos clés ne sont pas sauvegardées sur cette session.", "This user has not verified all of their sessions.": "Cet utilisateur n’a pas vérifié toutes ses sessions.", "You have verified this user. This user has verified all of their sessions.": "Vous avez vérifié cet utilisateur. Cet utilisateur a vérifié toutes ses sessions.", "Someone is using an unknown session": "Quelqu’un utilise une session inconnue", @@ -645,10 +574,8 @@ "Verify by scanning": "Vérifier en scannant", "You declined": "Vous avez refusé", "%(name)s declined": "%(name)s a refusé", - "Your homeserver does not support cross-signing.": "Votre serveur d’accueil ne prend pas en charge la signature croisée.", "Accepting…": "Acceptation…", "To report a Matrix-related security issue, please read the Matrix.org Security Disclosure Policy.": "Pour signaler un problème de sécurité lié à Matrix, consultez la politique de divulgation de sécurité de Matrix.org.", - "Mark all as read": "Tout marquer comme lu", "There was an error updating the room's alternative addresses. It may not be allowed by the server or a temporary failure occurred.": "Une erreur est survenue lors de la mise à jour des adresses alternatives du salon. Ce n’est peut-être pas permis par le serveur ou une défaillance temporaire est survenue.", "Scroll to most recent messages": "Sauter aux messages les plus récents", "Local address": "Adresse locale", @@ -677,7 +604,6 @@ "Confirm by comparing the following with the User Settings in your other session:": "Confirmez en comparant ceci avec les paramètres utilisateurs de votre autre session :", "Confirm this user's session by comparing the following with their User Settings:": "Confirmez la session de cet utilisateur en comparant ceci avec ses paramètres utilisateur :", "If they don't match, the security of your communication may be compromised.": "S’ils ne correspondent pas, la sécurité de vos communications est peut-être compromise.", - "Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "Vérifiez individuellement chaque session utilisée par un utilisateur pour la marquer comme fiable, sans faire confiance aux appareils signés avec la signature croisée.", "In encrypted rooms, your messages are secured and only you and the recipient have the unique keys to unlock them.": "Dans les salons chiffrés, vos messages sont sécurisés et seuls vous et le destinataire avez les clés uniques pour les déchiffrer.", "Verify all users in a room to ensure it's secure.": "Vérifiez tous les utilisateurs d’un salon pour vous assurer qu’il est sécurisé.", "Sign in with SSO": "Se connecter avec l’authentification unique", @@ -688,8 +614,6 @@ "Verification timed out.": "La vérification a expiré.", "%(displayName)s cancelled verification.": "%(displayName)s a annulé la vérification.", "You cancelled verification.": "Vous avez annulé la vérification.", - "well formed": "bien formée", - "unexpected type": "type inattendu", "Confirm your account deactivation by using Single Sign On to prove your identity.": "Confirmez la désactivation de votre compte en utilisant l’authentification unique pour prouver votre identité.", "Are you sure you want to deactivate your account? This is irreversible.": "Voulez-vous vraiment désactiver votre compte ? Ceci est irréversible.", "Confirm account deactivation": "Confirmez la désactivation de votre compte", @@ -701,7 +625,6 @@ "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", - "New login. Was this you?": "Nouvelle connexion. Était-ce vous ?", "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", @@ -727,11 +650,9 @@ "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.", - "Contact your server admin.": "Contactez l’administrateur de votre serveur.", "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", - "All settings": "Tous les paramètres", "No recently visited rooms": "Aucun salon visité récemment", "Message preview": "Aperçu de message", "Room options": "Options du salon", @@ -750,26 +671,11 @@ "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é", - "Favourited": "Favori", - "Forget Room": "Oublier le salon", "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", - "Change notification settings": "Modifier les paramètres de notification", - "Your server isn't responding to some requests.": "Votre serveur ne répond pas à certaines requêtes.", - "%(brand)s can't securely cache encrypted messages locally while running in a web browser. Use %(brand)s Desktop for encrypted messages to appear in search results.": "%(brand)s ne peut actuellement mettre en cache vos messages chiffrés localement de manière sécurisée via le navigateur Web. Utilisez %(brand)s Desktop pour que les messages chiffrés apparaissent dans vos résultats de recherche.", - "ready": "prêt", - "The operation could not be completed": "L’opération n’a pas pu être terminée", - "Failed to save your profile": "Erreur lors de l’enregistrement du profil", "Ignored attempt to disable encryption": "Essai de désactiver le chiffrement ignoré", - "not ready": "pas prêt", - "Secret storage:": "Coffre secret :", - "Backup key cached:": "Clé de sauvegarde mise en cache :", - "Backup key stored:": "Clé de sauvegarde enregistrée :", "Backup version:": "Version de la sauvegarde :", - "Cross-signing is not set up.": "La signature croisée n’est pas configurée.", - "Cross-signing is ready for use.": "La signature croisée est prête à être utilisée.", - "Safeguard against losing access to encrypted messages & data": "Sécurité contre la perte d’accès aux messages et données chiffrées", "This version of %(brand)s does not support searching encrypted messages": "Cette version de %(brand)s ne prend pas en charge la recherche dans les messages chiffrés", "This version of %(brand)s does not support viewing some encrypted files": "Cette version de %(brand)s ne prend pas en charge l’affichage de certains fichiers chiffrés", "Use the Desktop app to search encrypted messages": "Utilisez une Application de bureau pour rechercher dans tous les messages chiffrés", @@ -792,12 +698,6 @@ "Explore public rooms": "Parcourir les salons publics", "Show Widgets": "Afficher les widgets", "Hide Widgets": "Masquer les widgets", - "Algorithm:": "Algorithme :", - "Set up Secure Backup": "Configurer la sauvegarde sécurisée", - "Move right": "Aller à droite", - "Move left": "Aller à gauche", - "Revoke permissions": "Révoquer les permissions", - "Take a picture": "Prendre une photo", "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).", @@ -1073,8 +973,6 @@ "Invite by email": "Inviter par e-mail", "Reason (optional)": "Raison (optionnelle)", "Server Options": "Options serveur", - "Enable desktop notifications": "Activer les notifications sur le bureau", - "Don't miss a reply": "Ne ratez pas une réponse", "This session has detected that your Security Phrase and key for Secure Messages have been removed.": "Cette session a détecté que votre phrase secrète et clé de sécurité pour les messages sécurisés ont été supprimées.", "A new Security Phrase and key for Secure Messages have been detected.": "Une nouvelle phrase secrète et clé de sécurité pour les messages sécurisés ont été détectées.", "Confirm your Security Phrase": "Confirmez votre phrase secrète", @@ -1105,14 +1003,7 @@ "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", - "Back up your encryption keys with your account data in case you lose access to your sessions. Your keys will be secured with a unique Security Key.": "Sauvegardez vos clés de chiffrement et les données de votre compte au cas où vous perdiez l’accès à vos sessions. Vos clés seront sécurisés avec une Clé de Sécurité unique.", - "Securely cache encrypted messages locally for them to appear in search results, using %(size)s to store messages from %(rooms)s rooms.": { - "one": "Mettre en cache localement et de manière sécurisée les messages chiffrés pour qu’ils apparaissent dans les résultats de recherche, en utilisant %(size)s pour stocker les messages de %(rooms)s salons.", - "other": "Mettre en cache localement et de manière sécurisée les messages chiffrés pour qu’ils apparaissent dans les résultats de recherche. Actuellement %(size)s sont utilisé pour stocker les messages de %(rooms)s salons." - }, "Dial pad": "Pavé de numérotation", - "Use app": "Utiliser l’application", - "Use app for a better experience": "Utilisez une application pour une meilleure expérience", "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.", "%(count)s members": { @@ -1121,25 +1012,15 @@ }, "Are you sure you want to leave the space '%(spaceName)s'?": "Êtes-vous sûr de vouloir quitter l’espace « %(spaceName)s » ?", "This space is not public. You will not be able to rejoin without an invite.": "Cet espace n’est pas public. Vous ne pourrez pas le rejoindre sans invitation.", - "Start audio stream": "Démarrer une diffusion audio", "Failed to start livestream": "Échec lors du démarrage de la diffusion en direct", "Unable to start audio streaming.": "Impossible de démarrer la diffusion audio.", - "Save Changes": "Enregistrer les modifications", - "Leave Space": "Quitter l’espace", - "Edit settings relating to your space.": "Modifiez les paramètres de votre espace.", - "Failed to save space settings.": "Échec de l’enregistrement des paramètres.", "Create a new room": "Créer un nouveau salon", - "Spaces": "Espaces", "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é", - "Space options": "Options de l’espace", "Leave space": "Quitter l’espace", - "Invite people": "Inviter des personnes", - "Share invite link": "Partager le lien d’invitation", - "Click to copy": "Cliquez pour copier", "Create a space": "Créer un espace", "Space selection": "Sélection d’un espace", "Private space": "Espace privé", @@ -1155,8 +1036,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", - "Invite with email or username": "Inviter par e-mail ou nom d’utilisateur", - "You can change these anytime.": "Vous pouvez les changer à n’importe quel moment.", "Verify your identity to access encrypted messages and prove your identity to others.": "Vérifiez votre identité pour accéder aux messages chiffrés et prouver votre identité aux autres.", "Avatar": "Avatar", "Reset event store": "Réinitialiser le magasin d’évènements", @@ -1170,9 +1049,6 @@ "one": "%(count)s personne que vous connaissez en fait déjà partie", "other": "%(count)s personnes que vous connaissez en font déjà partie" }, - "unknown person": "personne inconnue", - "%(deviceId)s from %(ip)s": "%(deviceId)s depuis %(ip)s", - "Review to ensure your account is safe": "Vérifiez pour assurer la sécurité de votre compte", "You are the only person here. If you leave, no one will be able to join in the future, including you.": "Vous êtes la seule personne ici. Si vous partez, plus personne ne pourra rejoindre cette conversation, y compris vous.", "If you reset everything, you will restart with no trusted sessions, no trusted users, and might not be able to see past messages.": "Si vous réinitialisez tout, vous allez repartir sans session et utilisateur de confiance. Vous pourriez ne pas voir certains messages passés.", "Only do this if you have no other device to complete verification with.": "Poursuivez seulement si vous n’avez aucun autre appareil avec lequel procéder à la vérification.", @@ -1205,8 +1081,6 @@ "No microphone found": "Aucun microphone détecté", "We were unable to access your microphone. Please check your browser settings and try again.": "Nous n’avons pas pu accéder à votre microphone. Merci de vérifier les paramètres de votre navigateur et de réessayer.", "Unable to access your microphone": "Impossible d’accéder à votre microphone", - "Connecting": "Connexion", - "Message search initialisation failed": "Échec de l’initialisation de la recherche de message", "Search names and descriptions": "Rechercher par nom et description", "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.", @@ -1220,15 +1094,9 @@ "Search for rooms or people": "Rechercher des salons ou des gens", "Sent": "Envoyé", "You don't have permission to do this": "Vous n’avez pas les permissions nécessaires pour effectuer cette action", - "Error - Mixed content": "Erreur - Contenu mixte", - "Error loading Widget": "Erreur lors du chargement du widget", "Pinned messages": "Messages épinglés", "If you have permissions, open the menu on any message and select Pin to stick them here.": "Si vous avez les permissions, ouvrez le menu de n’importe quel message et sélectionnez Épingler pour les afficher ici.", "Nothing pinned, yet": "Rien d’épinglé, pour l’instant", - "Report": "Signaler", - "Collapse reply thread": "Masquer le fil de discussion", - "Show preview": "Afficher l’aperçu", - "View source": "Afficher la source", "Please provide an address": "Veuillez fournir une adresse", "Message search initialisation failed, check your settings for more information": "Échec de l’initialisation de la recherche de messages, vérifiez vos paramètres pour plus d’information", "Set addresses for this space so users can find this space through your homeserver (%(localDomain)s)": "Définissez les adresses de cet espace pour que les utilisateurs puissent le trouver avec votre serveur d’accueil (%(localDomain)s)", @@ -1237,20 +1105,8 @@ "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", - "Recommended for public spaces.": "Recommandé pour les espaces publics.", - "Allow people to preview your space before they join.": "Permettre aux personnes d’avoir un aperçu de l’espace avant de le rejoindre.", - "Preview Space": "Aperçu de l’espace", - "Decide who can view and join %(spaceName)s.": "Décider qui peut visualiser et rejoindre %(spaceName)s.", - "Visibility": "Visibilité", - "This may be useful for public spaces.": "Ceci peut être utile pour les espaces publics.", - "Guests can join a space without having an account.": "Les visiteurs peuvent rejoindre un espace sans disposer d’un compte.", - "Enable guest access": "Activer l’accès visiteur", - "Failed to update the history visibility of this space": "Échec de la mise à jour de la visibilité de l’historique pour cet espace", - "Failed to update the guest access of this space": "Échec de la mise à jour de l’accès visiteur de cet espace", - "Failed to update the visibility of this space": "Échec de la mise à jour de la visibilité de cet 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.", - "Using this widget may share data with %(widgetDomain)s & your integration manager.": "L’utilisation de ce widget pourrait partager des données avec %(widgetDomain)s et votre gestionnaire d’intégrations.", "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.", @@ -1264,35 +1120,12 @@ "one": "Afficher %(count)s autre aperçu", "other": "Afficher %(count)s autres aperçus" }, - "There was an error loading your notification settings.": "Une erreur est survenue lors du chargement de vos paramètres de notification.", - "Mentions & keywords": "Mentions et mots-clés", - "Global": "Global", - "New keyword": "Nouveau mot-clé", - "Keyword": "Mot-clé", - "Space members": "Membres de l’espace", - "Anyone in a space can find and join. You can select multiple spaces.": "Tout le monde dans un espace peut trouver et venir. Vous pouvez sélectionner plusieurs espaces.", - "Spaces with access": "Espaces avec accès", - "Anyone in a space can find and join. Edit which spaces can access here.": "Tout le monde dans un espace peut trouver et venir. Modifier les accès des espaces ici.", - "Currently, %(count)s spaces have access": { - "other": "%(count)s espaces ont actuellement l’accès", - "one": "Actuellement, un espace a accès" - }, - "& %(count)s more": { - "other": "& %(count)s de plus", - "one": "& %(count)s autres" - }, - "Upgrade required": "Mise-à-jour nécessaire", - "This upgrade will allow members of selected spaces access to this room without an invite.": "Cette mise-à-jour permettra aux membres des espaces sélectionnés d’accéder à ce salon sans invitation.", - "Show all rooms": "Afficher tous les salons", "Adding spaces has moved.": "L’ajout d’espaces a été déplacé.", "Search for rooms": "Rechercher des salons", "Search for spaces": "Rechercher des espaces", "Create a new space": "Créer un nouvel espace", "Want to add a new space instead?": "Vous voulez plutôt ajouter un nouvel espace ?", "Add existing space": "Ajouter un espace existant", - "Share content": "Partager le contenu", - "Application window": "Fenêtre d’application", - "Share entire screen": "Partager l’écran entier", "Decrypting": "Déchiffrement", "The call is in an unknown state!": "Cet appel est dans un état inconnu !", "An unknown error occurred": "Une erreur inconnue s’est produite", @@ -1300,7 +1133,6 @@ "Connection failed": "Connexion échouée", "Could not connect media": "Impossible de se connecter au média", "Call back": "Rappeler", - "Access": "Accès", "Unable to copy a link to the room to the clipboard.": "Impossible de copier le lien du salon dans le presse-papier.", "Unable to copy room link": "Impossible de copier le lien du salon", "Error downloading audio": "Erreur lors du téléchargement de l’audio", @@ -1319,7 +1151,6 @@ "You're the only admin of some of the rooms or spaces you wish to leave. Leaving them will leave them without any admins.": "Vous êtes le seul administrateur de certains salons ou espaces que vous souhaitez quitter. En les quittant, vous les laisserez sans aucun administrateur.", "You're the only admin of this space. Leaving it will mean no one has control over it.": "Vous êtes le seul administrateur de cet espace. En le quittant, plus personne n’aura le contrôle dessus.", "You won't be able to rejoin unless you are re-invited.": "Il vous sera impossible de revenir à moins d’y être réinvité.", - "Search %(spaceName)s": "Rechercher %(spaceName)s", "Want to add an existing space instead?": "Vous voulez plutôt ajouter un espace existant ?", "Private space (invite only)": "Espace privé (uniquement sur invitation)", "Space visibility": "Visibilité de l’espace", @@ -1332,21 +1163,15 @@ "Call declined": "Appel rejeté", "Stop recording": "Arrêter l’enregistrement", "Send voice message": "Envoyer un message vocal", - "More": "Plus", - "Show sidebar": "Afficher la barre latérale", - "Hide sidebar": "Masquer la barre latérale", "Unknown failure: %(reason)s": "Erreur inconnue : %(reason)s", "No answer": "Pas de réponse", - "Delete avatar": "Supprimer l’avatar", "Rooms and spaces": "Salons et espaces", "Results": "Résultats", - "Cross-signing is ready but keys are not backed up.": "La signature croisée est prête mais les clés ne sont pas sauvegardées.", "Some encryption parameters have been changed.": "Certains paramètres de chiffrement ont été changés.", "Role in ": "Rôle dans ", "Message didn't send. Click for info.": "Le message n’a pas été envoyé. Cliquer pour plus d’info.", "Unknown failure": "Erreur inconnue", "Failed to update the join rules": "Échec de mise-à-jour des règles pour rejoindre le salon", - "Anyone in can find and join. You can select other spaces too.": "Quiconque dans peut trouver et rejoindre. Vous pouvez également choisir d’autres espaces.", "To join a space you'll need an invite.": "Vous avez besoin d’une invitation pour rejoindre un espace.", "Would you like to leave the rooms in this space?": "Voulez-vous quitter les salons de cet espace ?", "You are about to leave .": "Vous êtes sur le point de quitter .", @@ -1374,16 +1199,6 @@ "Unban from %(roomName)s": "Annuler le bannissement de %(roomName)s", "They'll still be able to access whatever you're not an admin of.": "Ils pourront toujours accéder aux endroits dans lesquels vous n’êtes pas administrateur.", "Disinvite from %(roomName)s": "Annuler l’invitation à %(roomName)s", - "Updating spaces... (%(progress)s out of %(count)s)": { - "one": "Mise-à-jour de l’espace…", - "other": "Mise-à-jour des espaces… (%(progress)s sur %(count)s)" - }, - "Sending invites... (%(progress)s out of %(count)s)": { - "one": "Envoi de l’invitation…", - "other": "Envoi des invitations… (%(progress)s sur %(count)s)" - }, - "Loading new room": "Chargement du nouveau salon", - "Upgrading room": "Mise-à-jour du salon", "View in room": "Voir dans le salon", "Enter your Security Phrase or to continue.": "Saisissez votre phrase de sécurité ou pour continuer.", "%(count)s reply": { @@ -1403,11 +1218,9 @@ "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.", - "This room is in some spaces you're not an admin of. In those spaces, the old room will still be shown, but people will be prompted to join the new one.": "Ce salon se trouve dans certains espaces pour lesquels vous n’êtes pas administrateur. Dans ces espaces, l’ancien salon sera toujours disponible, mais un message sera affiché pour inciter les personnes à rejoindre le nouveau salon.", "Copy link to thread": "Copier le lien du fil de discussion", "Thread options": "Options des fils de discussion", "You do not have permission to start polls in this room.": "Vous n’avez pas la permission de démarrer un sondage dans ce salon.", - "Mentions only": "Seulement les mentions", "Forget": "Oublier", "Files": "Fichiers", "Close this widget to view it in this panel": "Fermer ce widget pour l’afficher dans ce panneau", @@ -1418,11 +1231,6 @@ "@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", - "Rooms outside of a space": "Salons en dehors d’un espace", - "Show all your rooms in Home, even if they're in a space.": "Affiche tous vos salons dans l’accueil, même s’ils font partis d’un espace.", - "Home is useful for getting an overview of everything.": "L’accueil permet d’avoir un aperçu global.", - "Spaces to show": "Espaces à afficher", - "Sidebar": "Barre latérale", "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", @@ -1442,8 +1250,6 @@ "Invite to space": "Inviter dans l’espace", "Start new chat": "Commencer une nouvelle conversation privée", "Recently viewed": "Affiché récemment", - "Pin to sidebar": "Épingler à la barre latérale", - "Quick settings": "Paramètres rapides", "Developer": "Développeur", "Experimental": "Expérimental", "Themes": "Thèmes", @@ -1460,7 +1266,6 @@ "Failed to end poll": "Impossible de terminer le sondage", "The poll has ended. Top answer: %(topAnswer)s": "Le sondage est terminé. Meilleure réponse : %(topAnswer)s", "The poll has ended. No votes were cast.": "Le sondage est terminé. Aucun vote n’a été exprimé.", - "Share location": "Partager la position", "%(count)s votes cast. Vote to see the results": { "one": "%(count)s vote exprimé. Votez pour voir les résultats", "other": "%(count)s votes exprimés. Votez pour voir les résultats" @@ -1470,7 +1275,6 @@ "one": "Résultat final sur la base de %(count)s vote", "other": "Résultat final sur la base de %(count)s votes" }, - "Share anonymous data to help us identify issues. Nothing personal. No third parties.": "Partager des données anonymisées pour nous aider à identifier les problèmes. Rien de personnel. Aucune tierce partie.", "Recent searches": "Recherches récentes", "To search messages, look for this icon at the top of a room ": "Pour chercher des messages, repérez cette icône en haut à droite d'un salon ", "Other searches": "Autres recherches", @@ -1479,7 +1283,6 @@ "Other rooms in %(spaceName)s": "Autres salons dans %(spaceName)s", "Spaces you're in": "Espaces où vous êtes", "Including you, %(commaSeparatedMembers)s": "Dont vous, %(commaSeparatedMembers)s", - "Copy room link": "Copier le lien du salon", "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", @@ -1498,9 +1301,6 @@ "Almost there! Is your other device showing the same shield?": "On y est presque ! Votre autre appareil affiche-t-il le même bouclier ?", "To proceed, please accept the verification request on your other device.": "Pour continuer, veuillez accepter la demande de vérification sur votre autre appareil.", "From a thread": "Depuis un fil de discussion", - "Back to thread": "Retour au fil de discussion", - "Room members": "Membres du salon", - "Back to chat": "Retour à la conversation", "Could not fetch location": "Impossible de récupérer la position", "Message pending moderation": "Message en attente de modération", "Message pending moderation: %(reason)s": "Message en attente de modération : %(reason)s", @@ -1510,10 +1310,6 @@ "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", - "Group all your people in one place.": "Regrouper toutes vos connaissances au même endroit.", - "Group all your favourite rooms and people in one place.": "Regroupez tous vos salons et personnes préférés au même endroit.", - "Spaces are ways to group rooms and people. Alongside the spaces you're in, you can use some pre-built ones too.": "Les espaces permettent de regrouper des salons et des personnes. En plus de ceux auxquels vous participez, vous pouvez également utiliser des espaces prédéfinis.", - "Group all your rooms that aren't part of a space in one place.": "Regroupe tous les salons n’appartenant pas à un espace au même endroit.", "Pick a date to jump to": "Choisissez vers quelle date aller", "Jump to date": "Aller à la date", "The beginning of the room": "Le début de ce salon", @@ -1539,9 +1335,6 @@ "Join %(roomAddress)s": "Rejoindre %(roomAddress)s", "%(brand)s could not send your location. Please try again later.": "%(brand)s n'a pas pu envoyer votre position. Veuillez réessayer plus tard.", "We couldn't send your location": "Nous n'avons pas pu envoyer votre position", - "Match system": "S’adapter au système", - "Click to drop a pin": "Cliquer pour mettre un marqueur", - "Click to move the pin": "Cliquer pour déplacer le marqueur", "Click": "Clic", "Expand quotes": "Étendre les citations", "Collapse quotes": "Réduire les citations", @@ -1556,12 +1349,10 @@ }, "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", - "Share for %(duration)s": "Partagé pendant %(duration)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" }, - "%(brand)s is experimental on a mobile web browser. For a better experience and the latest features, use our free native app.": "%(brand)s est expérimental sur un navigateur mobile. Pour une meilleure expérience et bénéficier des dernières fonctionnalités, utilisez notre application native gratuite.", "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": { @@ -1585,11 +1376,6 @@ "Loading preview": "Chargement de l’aperçu", "New video room": "Nouveau salon visio", "New room": "Nouveau salon", - "Failed to join": "Impossible de rejoindre", - "The person who invited you has already left, or their server is offline.": "La personne qui vous a invité(e) a déjà quitté le salon, ou son serveur est hors-ligne.", - "The person who invited you has already left.": "La personne qui vous a invité(e) a déjà quitté le salon.", - "Sorry, your homeserver is too old to participate here.": "Désolé, votre serveur d'accueil est trop vieux pour participer ici.", - "There was an error joining.": "Il y a eu une erreur en rejoignant.", "View live location": "Voir la position en direct", "Ban from room": "Bannir du salon", "Unban from room": "Révoquer le bannissement du salon", @@ -1631,9 +1417,6 @@ "Output devices": "Périphériques de sortie", "Input devices": "Périphériques d’entrée", "Open room": "Ouvrir le salon", - "Enable live location sharing": "Activer le partage de position en continu", - "Please note: this is a labs feature using a temporary implementation. This means you will not be able to delete your location history, and advanced users will be able to see your location history even after you stop sharing your live location with this room.": "Attention : c'est une fonctionnalité expérimentale qui utilise une implémentation temporaire. Cela implique que vous ne pourrez pas supprimer votre historique de positions, et les utilisateurs avancés pourront voir votre historique de positions même après avoir arrêter le partage de votre position en continu dans ce salon.", - "Live location sharing": "Partage de position en continu", "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", @@ -1644,17 +1427,9 @@ "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", - "View related event": "Afficher les événements liés", "Joining…": "En train de rejoindre…", "Read receipts": "Accusés de réception", - "%(count)s people joined": { - "one": "%(count)s personne s’est jointe", - "other": "%(count)s personnes se sont jointes" - }, "Deactivating your account is a permanent action — be careful!": "La désactivation du compte est une action permanente. Soyez prudent !", - "You were disconnected from the call. (Error: %(message)s)": "Vous avez déconnecté de l’appel. (Erreur : %(message)s)", - "Connection lost": "Connexion perdue", - "Un-maximise": "Dé-maximiser", "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", @@ -1691,21 +1466,14 @@ "Saved Items": "Éléments sauvegardés", "Choose a locale": "Choisir une langue", "We're creating a room with %(names)s": "Nous créons un salon avec %(names)s", - "Sessions": "Sessions", "Interactively verify by emoji": "Vérifier de façon interactive avec des émojis", "Manually verify by text": "Vérifier manuellement avec un texte", - "For best security, verify your sessions and sign out from any session that you don't recognize or use anymore.": "Pour une meilleure sécurité, vérifiez vos sessions et déconnectez toutes les sessions que vous ne connaissez pas ou que vous n’utilisez plus.", "%(downloadButton)s or %(copyButton)s": "%(downloadButton)s ou %(copyButton)s", "%(securityKey)s or %(recoveryFile)s": "%(securityKey)s ou %(recoveryFile)s", - "You do not have permission to start voice calls": "Vous n’avez pas la permission de démarrer un appel audio", - "There's no one here to call": "Il n’y a personne à appeler ici", - "You do not have permission to start video calls": "Vous n’avez pas la permission de démarrer un appel vidéo", - "Ongoing call": "Appel en cours", "Video call (Jitsi)": "Appel vidéo (Jitsi)", "Failed to set pusher state": "Échec lors de la définition de l’état push", "Video call ended": "Appel vidéo terminé", "%(name)s started a video call": "%(name)s a démarré un appel vidéo", - "Unknown room": "Salon inconnu", "Close call": "Terminer l’appel", "Spotlight": "Projecteur", "Freedom": "Liberté", @@ -1716,7 +1484,6 @@ "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", - "Sorry — this call is currently full": "Désolé — Cet appel est actuellement complet", "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", @@ -1735,10 +1502,6 @@ "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", - "Are you sure you want to sign out of %(count)s sessions?": { - "one": "Voulez-vous vraiment déconnecter %(count)s session ?", - "other": "Voulez-vous vraiment déconnecter %(count)s de vos sessions ?" - }, "Show formatting": "Afficher le formatage", "Hide formatting": "Masquer le formatage", "Error downloading image": "Erreur lors du téléchargement de l’image", @@ -1758,14 +1521,9 @@ "Error starting verification": "Erreur en démarrant la vérification", "WARNING: ": "ATTENTION : ", "Change layout": "Changer la disposition", - "You have unverified sessions": "Vous avez des sessions non vérifiées", - "Search users in this room…": "Chercher des utilisateurs dans ce salon…", - "Give one or multiple users in this room more privileges": "Donne plus de privilèges à un ou plusieurs utilisateurs de ce salon", - "Add privileged users": "Ajouter des utilisateurs privilégiés", "Unable to decrypt message": "Impossible de déchiffrer le message", "This message could not be decrypted": "Ce message n’a pas pu être déchiffré", " in %(room)s": " dans %(room)s", - "Mark as read": "Marquer comme lu", "Text": "Texte", "Create a link": "Crée un lien", "You can't start a voice message as you are currently recording a live broadcast. Please end your live broadcast in order to start recording a voice message.": "Vous ne pouvez pas commencer un message vocal car vous êtes en train d’enregistrer une diffusion en direct. Veuillez terminer cette diffusion pour commencer un message vocal.", @@ -1776,9 +1534,6 @@ "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", - "Red": "Rouge", - "Grey": "Gris", - "This session is backing up your keys.": "Cette session sauvegarde vos clés.", "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", @@ -1801,10 +1556,6 @@ "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…", - "Backing up %(sessionsRemaining)s keys…": "Sauvegarde de %(sessionsRemaining)s clés…", - "Connecting to integration manager…": "Connexion au gestionnaire d’intégrations…", - "Saving…": "Enregistrement…", - "Creating…": "Création…", "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.", @@ -1812,10 +1563,7 @@ "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", "The sender has blocked you from receiving this message": "L’expéditeur a bloqué la réception de votre message", - "Yes, it was me": "Oui, c’était moi", "Answered elsewhere": "Répondu autre part", - "If you know a room address, try joining through that instead.": "Si vous connaissez l’adresse d’un salon, essayez de l’utiliser à la place pour rejoindre ce salon.", - "You attempted to join using a room ID without providing a list of servers to join through. Room IDs are internal identifiers and cannot be used to join a room without additional information.": "Vous avez essayé de rejoindre à l’aide de l’ID du salon sans fournir une liste de serveurs pour l’atteindre. Les IDs de salons sont des identifiants internes et ne peuvent être utilisés pour rejoindre un salon sans informations complémentaires.", "View poll": "Voir le sondage", "There are no past polls for the past %(count)s days. Load more polls to view polls for previous months": { "one": "Il n'y a pas d’ancien sondage depuis hier. Veuillez charger plus de sondages pour consulter les sondages des mois antérieurs", @@ -1831,10 +1579,7 @@ "Past polls": "Anciens sondages", "Active polls": "Sondages en cours", "View poll in timeline": "Consulter la chronologie des sondages", - "Verify Session": "Vérifier la session", - "Ignore (%(counter)s)": "Ignorer (%(counter)s)", "Invites by email can only be sent one at a time": "Les invitations par e-mail ne peuvent être envoyées qu’une par une", - "An error occurred when updating your notification preferences. Please try to toggle your option again.": "Nous avons rencontré une erreur lors de la mise-à-jour de vos préférences de notification. Veuillez essayer de réactiver l’option.", "Desktop app logo": "Logo de l’application de bureau", "Requires your server to support the stable version of MSC3827": "Requiert la prise en charge par le serveur de la version stable du MSC3827", "Message from %(user)s": "Message de %(user)s", @@ -1848,27 +1593,19 @@ "We were unable to find an event looking forwards from %(dateString)s. Try choosing an earlier date.": "Nous n’avons pas pu trouver d’événement à partir du %(dateString)s. Essayez avec une date antérieure.", "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.": "Une erreur réseau s’est produite en tentant de chercher et d’aller à la date choisie. Votre serveur d’accueil est peut-être hors-ligne, ou bien c’est un problème temporaire avec connexion Internet. Veuillez réessayer. Si cela persiste, veuillez contacter l’administrateur de votre serveur d’accueil.", "Poll history": "Historique des sondages", - "Mute room": "Salon muet", - "Match default setting": "Réglage par défaut", "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", - "Image view": "Vue d’image", "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)", - "Failed to download source media, no source url was found": "Impossible de télécharger la source du média, aucune URL source n’a été trouvée", "Once invited users have joined %(brand)s, you will be able to chat and the room will be end-to-end encrypted": "Une fois que les utilisateurs invités seront connectés sur %(brand)s, vous pourrez discuter et le salon sera chiffré de bout en bout", "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", - "Your language": "Votre langue", - "Your device ID": "Votre ID d’appareil", - "Ask to join": "Demander à venir", - "People cannot join unless access is granted.": "Les personnes ne peuvent pas venir tant que l’accès ne leur est pas autorisé.", "Receive an email summary of missed notifications": "Recevoir un résumé par courriel des notifications manquées", "Email summary": "Résumé en courriel", "Email Notifications": "Notifications par courriel", @@ -1882,7 +1619,6 @@ "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", - "Your profile picture URL": "Votre URL d’image de profil", "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", @@ -1913,8 +1649,6 @@ "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 ?", - "You need an invite to access this room.": "Vous avez besoin d’une invitation pour accéder à ce salon.", - "Failed to cancel": "Erreur lors de l’annulation", "Failed to query public rooms": "Impossible d’interroger les salons publics", "common": { "about": "À propos", @@ -2013,7 +1747,15 @@ "off": "Désactivé", "all_rooms": "Tous les salons", "deselect_all": "Tout désélectionner", - "select_all": "Tout sélectionner" + "select_all": "Tout sélectionner", + "copied": "Copié !", + "advanced": "Avancé", + "spaces": "Espaces", + "general": "Général", + "saving": "Enregistrement…", + "profile": "Profil", + "display_name": "Nom d’affichage", + "user_avatar": "Image de profil" }, "action": { "continue": "Continuer", @@ -2116,7 +1858,10 @@ "clear": "Effacer", "exit_fullscreeen": "Quitter le plein écran", "enter_fullscreen": "Afficher en plein écran", - "unban": "Révoquer le bannissement" + "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" }, "a11y": { "user_menu": "Menu utilisateur", @@ -2128,7 +1873,8 @@ "other": "%(count)s messages non lus.", "one": "1 message non lu." }, - "unread_messages": "Messages non lus." + "unread_messages": "Messages non lus.", + "jump_first_invite": "Sauter à la première invitation." }, "labs": { "video_rooms": "Salons vidéo", @@ -2322,7 +2068,6 @@ "user_a11y": "Autocomplétion d’utilisateur" } }, - "Bold": "Gras", "Link": "Lien", "Code": "Code", "power_level": { @@ -2430,7 +2175,8 @@ "intro_byline": "Contrôlez vos conversations.", "send_dm": "Envoyez un message privé", "explore_rooms": "Explorez les salons publics", - "create_room": "Créez une discussion de groupe" + "create_room": "Créez une discussion de groupe", + "create_account": "Créer un compte" }, "settings": { "show_breadcrumbs": "Afficher les raccourcis vers les salons vus récemment au-dessus de la liste des salons", @@ -2497,7 +2243,10 @@ "noisy": "Sonore", "error_permissions_denied": "%(brand)s n’a pas l’autorisation de vous envoyer des notifications - merci de vérifier les paramètres de votre navigateur", "error_permissions_missing": "%(brand)s n’a pas reçu l’autorisation de vous envoyer des notifications - veuillez réessayer", - "error_title": "Impossible d’activer les notifications" + "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." }, "appearance": { "layout_irc": "IRC (Expérimental)", @@ -2571,7 +2320,44 @@ "cryptography_section": "Chiffrement", "session_id": "Identifiant de session :", "session_key": "Clé de session :", - "encryption_section": "Chiffrement" + "encryption_section": "Chiffrement", + "bulk_options_section": "Options de groupe", + "bulk_options_accept_all_invites": "Accepter les %(invitedRooms)s invitations", + "bulk_options_reject_all_invites": "Rejeter la totalité des %(invitedRooms)s invitations", + "message_search_section": "Recherche de message", + "analytics_subsection_description": "Partager des données anonymisées pour nous aider à identifier les problèmes. Rien de personnel. Aucune tierce partie.", + "encryption_individual_verification_mode": "Vérifiez individuellement chaque session utilisée par un utilisateur pour la marquer comme fiable, sans faire confiance aux appareils signés avec la signature croisée.", + "message_search_enabled": { + "one": "Mettre en cache localement et de manière sécurisée les messages chiffrés pour qu’ils apparaissent dans les résultats de recherche, en utilisant %(size)s pour stocker les messages de %(rooms)s salons.", + "other": "Mettre en cache localement et de manière sécurisée les messages chiffrés pour qu’ils apparaissent dans les résultats de recherche. Actuellement %(size)s sont utilisé pour stocker les messages de %(rooms)s salons." + }, + "message_search_disabled": "Mettre en cache les messages chiffrés localement et de manière sécurisée pour qu’ils apparaissent dans les résultats de recherche.", + "message_search_unsupported": "Il manque quelques composants à %(brand)s pour mettre en cache les messages chiffrés localement de manière sécurisée. Si vous voulez essayer cette fonctionnalité, construisez %(brand)s Desktop vous-même en ajoutant les composants de recherche.", + "message_search_unsupported_web": "%(brand)s ne peut actuellement mettre en cache vos messages chiffrés localement de manière sécurisée via le navigateur Web. Utilisez %(brand)s Desktop pour que les messages chiffrés apparaissent dans vos résultats de recherche.", + "message_search_failed": "Échec de l’initialisation de la recherche de message", + "backup_key_well_formed": "bien formée", + "backup_key_unexpected_type": "type inattendu", + "backup_keys_description": "Sauvegardez vos clés de chiffrement et les données de votre compte au cas où vous perdiez l’accès à vos sessions. Vos clés seront sécurisés avec une Clé de Sécurité unique.", + "backup_key_stored_status": "Clé de sauvegarde enregistrée :", + "cross_signing_not_stored": "non sauvegardé", + "backup_key_cached_status": "Clé de sauvegarde mise en cache :", + "4s_public_key_status": "Clé publique du coffre secret :", + "4s_public_key_in_account_data": "dans les données du compte", + "secret_storage_status": "Coffre secret :", + "secret_storage_ready": "prêt", + "secret_storage_not_ready": "pas prêt", + "delete_backup": "Supprimer la sauvegarde", + "delete_backup_confirm_description": "En êtes-vous sûr ? Vous perdrez vos messages chiffrés si vos clés ne sont pas sauvegardées correctement.", + "error_loading_key_backup_status": "Impossible de charger l’état de sauvegarde des clés", + "restore_key_backup": "Restaurer depuis la sauvegarde", + "key_backup_active": "Cette session sauvegarde vos clés.", + "key_backup_inactive": "Cette session ne sauvegarde pas vos clés, mais vous n’avez pas de sauvegarde existante que vous pouvez restaurer ou compléter à l’avenir.", + "key_backup_connect_prompt": "Connectez cette session à la sauvegarde de clés avant de vous déconnecter pour éviter de perdre des clés qui seraient uniquement dans cette session.", + "key_backup_connect": "Connecter cette session à la sauvegarde de clés", + "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." }, "preferences": { "room_list_heading": "Liste de salons", @@ -2685,7 +2471,13 @@ "other": "Déconnecter les appareils" }, "security_recommendations": "Recommandations de sécurité", - "security_recommendations_description": "Améliorez la sécurité de votre compte à l’aide de ces recommandations." + "security_recommendations_description": "Améliorez la sécurité de votre compte à l’aide de ces recommandations.", + "title": "Sessions", + "sign_out_confirm_description": { + "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." }, "general": { "oidc_manage_button": "Gérer le compte", @@ -2704,7 +2496,22 @@ "add_msisdn_confirm_sso_button": "Confirmez l’ajout de ce numéro de téléphone en utilisant l’authentification unique pour prouver votre identité.", "add_msisdn_confirm_button": "Confirmer l’ajout du numéro de téléphone", "add_msisdn_confirm_body": "Cliquez sur le bouton ci-dessous pour confirmer l’ajout de ce numéro de téléphone.", - "add_msisdn_dialog_title": "Ajouter un numéro de téléphone" + "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" + }, + "sidebar": { + "title": "Barre latérale", + "metaspaces_subsection": "Espaces à afficher", + "metaspaces_description": "Les espaces permettent de regrouper des salons et des personnes. En plus de ceux auxquels vous participez, vous pouvez également utiliser des espaces prédéfinis.", + "metaspaces_home_description": "L’accueil permet d’avoir un aperçu global.", + "metaspaces_favourites_description": "Regroupez tous vos salons et personnes préférés au même endroit.", + "metaspaces_people_description": "Regrouper toutes vos connaissances au même endroit.", + "metaspaces_orphans": "Salons en dehors d’un espace", + "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" } }, "devtools": { @@ -3208,7 +3015,15 @@ "user": "%(senderName)s a terminé une diffusion audio" }, "creation_summary_dm": "%(creator)s a créé cette conversation privée.", - "creation_summary_room": "%(creator)s a créé et configuré le salon." + "creation_summary_room": "%(creator)s a créé et configuré le salon.", + "context_menu": { + "view_source": "Afficher la source", + "show_url_preview": "Afficher l’aperçu", + "external_url": "URL de la source", + "collapse_reply_thread": "Masquer le fil de discussion", + "view_related_event": "Afficher les événements liés", + "report": "Signaler" + } }, "slash_command": { "spoiler": "Envoie le message flouté", @@ -3411,10 +3226,28 @@ "failed_call_live_broadcast_title": "Impossible de démarrer un appel", "failed_call_live_broadcast_description": "Vous ne pouvez pas démarrer un appel car vous êtes en train d’enregistrer une diffusion en direct. Veuillez terminer cette diffusion pour démarrer un appel.", "no_media_perms_title": "Pas de permission pour les médias", - "no_media_perms_description": "Il est possible que vous deviez manuellement autoriser %(brand)s à accéder à votre micro/caméra" + "no_media_perms_description": "Il est possible que vous deviez manuellement autoriser %(brand)s à accéder à votre micro/caméra", + "call_toast_unknown_room": "Salon inconnu", + "join_button_tooltip_connecting": "Connexion", + "join_button_tooltip_call_full": "Désolé — Cet appel est actuellement complet", + "hide_sidebar_button": "Masquer la barre latérale", + "show_sidebar_button": "Afficher la barre latérale", + "more_button": "Plus", + "screenshare_monitor": "Partager l’écran entier", + "screenshare_window": "Fenêtre d’application", + "screenshare_title": "Partager le contenu", + "disabled_no_perms_start_voice_call": "Vous n’avez pas la permission de démarrer un appel audio", + "disabled_no_perms_start_video_call": "Vous n’avez pas la permission de démarrer un appel vidéo", + "disabled_ongoing_call": "Appel en cours", + "disabled_no_one_here": "Il n’y a personne à appeler ici", + "n_people_joined": { + "one": "%(count)s personne s’est jointe", + "other": "%(count)s personnes se sont jointes" + }, + "unknown_person": "personne inconnue", + "connecting": "Connexion" }, "Other": "Autre", - "Advanced": "Avancé", "room_settings": { "permissions": { "m.room.avatar_space": "Changer l’avatar de l’espace", @@ -3454,7 +3287,10 @@ "title": "Rôles et permissions", "permissions_section": "Permissions", "permissions_section_description_space": "Sélectionner les rôles nécessaires pour modifier les différentes parties de l’espace", - "permissions_section_description_room": "Sélectionner les rôles nécessaires pour modifier les différentes parties du salon" + "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…" }, "security": { "strict_encryption": "Ne jamais envoyer des messages chiffrés aux sessions non vérifiées dans ce salon depuis cette session", @@ -3481,7 +3317,35 @@ "history_visibility_shared": "Seulement les membres (depuis la sélection de cette option)", "history_visibility_invited": "Seulement les membres (depuis leur invitation)", "history_visibility_joined": "Seulement les membres (depuis leur arrivée)", - "history_visibility_world_readable": "N’importe qui" + "history_visibility_world_readable": "N’importe qui", + "join_rule_upgrade_required": "Mise-à-jour nécessaire", + "join_rule_restricted_n_more": { + "other": "& %(count)s de plus", + "one": "& %(count)s autres" + }, + "join_rule_restricted_summary": { + "other": "%(count)s espaces ont actuellement l’accès", + "one": "Actuellement, un espace a accès" + }, + "join_rule_restricted_description": "Tout le monde dans un espace peut trouver et venir. Modifier les accès des espaces ici.", + "join_rule_restricted_description_spaces": "Espaces avec accès", + "join_rule_restricted_description_active_space": "Quiconque dans peut trouver et rejoindre. Vous pouvez également choisir d’autres espaces.", + "join_rule_restricted_description_prompt": "Tout le monde dans un espace peut trouver et venir. Vous pouvez sélectionner plusieurs espaces.", + "join_rule_restricted": "Membres de l’espace", + "join_rule_knock": "Demander à venir", + "join_rule_knock_description": "Les personnes ne peuvent pas venir tant que l’accès ne leur est pas autorisé.", + "join_rule_restricted_upgrade_warning": "Ce salon se trouve dans certains espaces pour lesquels vous n’êtes pas administrateur. Dans ces espaces, l’ancien salon sera toujours disponible, mais un message sera affiché pour inciter les personnes à rejoindre le nouveau salon.", + "join_rule_restricted_upgrade_description": "Cette mise-à-jour permettra aux membres des espaces sélectionnés d’accéder à ce salon sans invitation.", + "join_rule_upgrade_upgrading_room": "Mise-à-jour du salon", + "join_rule_upgrade_awaiting_room": "Chargement du nouveau salon", + "join_rule_upgrade_sending_invites": { + "one": "Envoi de l’invitation…", + "other": "Envoi des invitations… (%(progress)s sur %(count)s)" + }, + "join_rule_upgrade_updating_spaces": { + "one": "Mise-à-jour de l’espace…", + "other": "Mise-à-jour des espaces… (%(progress)s sur %(count)s)" + } }, "general": { "publish_toggle": "Publier ce salon dans le répertoire de salons public de %(domain)s ?", @@ -3491,7 +3355,11 @@ "default_url_previews_off": "Les aperçus d'URL sont désactivés par défaut pour les participants de ce salon.", "url_preview_encryption_warning": "Dans les salons chiffrés, comme celui-ci, l’aperçu des liens est désactivé par défaut pour s’assurer que le serveur d’accueil (où sont générés les aperçus) ne puisse pas collecter d’informations sur les liens qui apparaissent dans ce salon.", "url_preview_explainer": "Quand quelqu’un met un lien dans son message, un aperçu du lien peut être affiché afin de fournir plus d’informations sur ce lien comme le titre, la description et une image du site.", - "url_previews_section": "Aperçus des liens" + "url_previews_section": "Aperçus des liens", + "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" }, "advanced": { "unfederated": "Ce salon n’est pas accessible par les serveurs Matrix distants", @@ -3503,6 +3371,24 @@ "room_id": "Identifiant interne du salon", "room_version_section": "Version du salon", "room_version": "Version du salon :" + }, + "delete_avatar_label": "Supprimer l’avatar", + "upload_avatar_label": "Envoyer un avatar", + "visibility": { + "error_update_guest_access": "Échec de la mise à jour de l’accès visiteur de cet espace", + "error_update_history_visibility": "Échec de la mise à jour de la visibilité de l’historique pour cet espace", + "guest_access_explainer": "Les visiteurs peuvent rejoindre un espace sans disposer d’un compte.", + "guest_access_explainer_public_space": "Ceci peut être utile pour les espaces publics.", + "title": "Visibilité", + "error_failed_save": "Échec de la mise à jour de la visibilité de cet espace", + "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" + }, + "access": { + "title": "Accès", + "description_space": "Décider qui peut visualiser et rejoindre %(spaceName)s." } }, "encryption": { @@ -3529,7 +3415,15 @@ "waiting_other_device_details": "En attente de votre vérification sur votre autre appareil, %(deviceName)s (%(deviceId)s)…", "waiting_other_device": "En attente de votre vérification sur votre autre appareil…", "waiting_other_user": "En attente de la vérification de %(displayName)s…", - "cancelling": "Annulation…" + "cancelling": "Annulation…", + "unverified_sessions_toast_title": "Vous avez des sessions non vérifiées", + "unverified_sessions_toast_description": "Vérifiez pour assurer la sécurité de votre compte", + "unverified_sessions_toast_reject": "Plus tard", + "unverified_session_toast_title": "Nouvelle connexion. Était-ce vous ?", + "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" }, "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.", @@ -3539,7 +3433,18 @@ "bootstrap_title": "Configuration des clés", "export_unsupported": "Votre navigateur ne prend pas en charge les extensions cryptographiques nécessaires", "import_invalid_keyfile": "Fichier de clé %(brand)s non valide", - "import_invalid_passphrase": "Erreur d’authentification : mot de passe incorrect ?" + "import_invalid_passphrase": "Erreur d’authentification : mot de passe incorrect ?", + "set_up_toast_title": "Configurer la sauvegarde sécurisée", + "upgrade_toast_title": "Mise à niveau du chiffrement disponible", + "verify_toast_title": "Vérifier cette session", + "set_up_toast_description": "Sécurité contre la perte d’accès aux messages et données chiffrées", + "verify_toast_description": "D’autres utilisateurs pourraient ne pas lui faire confiance", + "cross_signing_unsupported": "Votre serveur d’accueil ne prend pas en charge la signature croisée.", + "cross_signing_ready": "La signature croisée est prête à être utilisée.", + "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": "" }, "emoji": { "category_frequently_used": "Utilisé fréquemment", @@ -3563,7 +3468,8 @@ "bullet_1": "Nous n’enregistrons ou ne profilons aucune donnée du compte", "bullet_2": "Nous ne partageons aucune information avec des tiers", "disable_prompt": "Vous pouvez désactiver ceci à n’importe quel moment dans les paramètres", - "accept_button": "C’est bon" + "accept_button": "C’est bon", + "shared_data_heading": "Les données suivants peuvent être partagées :" }, "chat_effects": { "confetti_description": "Envoie le message avec des confettis", @@ -3719,7 +3625,8 @@ "autodiscovery_unexpected_error_hs": "Une erreur inattendue est survenue pendant la résolution de la configuration du serveur d’accueil", "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." + "incorrect_credentials_detail": "Veuillez noter que vous vous connectez au serveur %(hs)s, pas à matrix.org.", + "create_account_title": "Créer un compte" }, "room_list": { "sort_unread_first": "Afficher les salons non lus en premier", @@ -3843,7 +3750,37 @@ "error_need_to_be_logged_in": "Vous devez être identifié.", "error_need_invite_permission": "Vous devez avoir l’autorisation d’inviter des utilisateurs pour faire ceci.", "error_need_kick_permission": "Vous devez avoir l’autorisation d’expulser des utilisateurs pour faire ceci.", - "no_name": "Application inconnue" + "no_name": "Application inconnue", + "error_hangup_title": "Connexion perdue", + "error_hangup_description": "Vous avez déconnecté de l’appel. (Erreur : %(message)s)", + "context_menu": { + "start_audio_stream": "Démarrer une diffusion audio", + "screenshot": "Prendre une photo", + "delete": "Supprimer le widget", + "delete_warning": "Supprimer un widget le supprime pour tous les utilisateurs du salon. Voulez-vous vraiment supprimer ce widget ?", + "remove": "Supprimer pour tout le monde", + "revoke": "Révoquer les permissions", + "move_left": "Aller à gauche", + "move_right": "Aller à droite" + }, + "shared_data_name": "Votre nom d’affichage", + "shared_data_avatar": "Votre URL d’image de profil", + "shared_data_mxid": "Votre identifiant utilisateur", + "shared_data_device_id": "Votre ID d’appareil", + "shared_data_theme": "Votre thème", + "shared_data_lang": "Votre langue", + "shared_data_url": "URL de %(brand)s", + "shared_data_room_id": "Identifiant du salon", + "shared_data_widget_id": "Identifiant du widget", + "shared_data_warning_im": "L’utilisation de ce widget pourrait partager des données avec %(widgetDomain)s et votre gestionnaire d’intégrations.", + "shared_data_warning": "L’utilisation de ce widget pourrait partager des données avec %(widgetDomain)s.", + "unencrypted_warning": "Les widgets n’utilisent pas le chiffrement des messages.", + "added_by": "Widget ajouté par", + "cookie_warning": "Ce widget pourrait utiliser des cookies.", + "error_loading": "Erreur lors du chargement du widget", + "error_mixed_content": "Erreur - Contenu mixte", + "unmaximise": "Dé-maximiser", + "popout": "Détacher le widget" }, "feedback": { "sent": "Commentaire envoyé", @@ -3940,7 +3877,8 @@ "empty_heading": "Garde les discussions organisées à l’aide de fils de discussion" }, "theme": { - "light_high_contrast": "Contraste élevé clair" + "light_high_contrast": "Contraste élevé clair", + "match_system": "S’adapter au système" }, "space": { "landing_welcome": "Bienvenue dans ", @@ -3956,9 +3894,14 @@ "devtools_open_timeline": "Voir l’historique du salon (outils développeurs)", "home": "Accueil de l’espace", "explore": "Parcourir les salons", - "manage_and_explore": "Gérer et découvrir les salons" + "manage_and_explore": "Gérer et découvrir les salons", + "options": "Options de l’espace" }, - "share_public": "Partager votre espace public" + "share_public": "Partager votre espace public", + "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" }, "location_sharing": { "MapStyleUrlNotConfigured": "Ce serveur d’accueil n’est pas configuré pour afficher des cartes.", @@ -3975,7 +3918,14 @@ "failed_timeout": "Délai d’attente expiré en essayant de récupérer votre position. Veuillez réessayer plus tard.", "failed_unknown": "Erreur inconnue en récupérant votre position. Veuillez réessayer plus tard.", "expand_map": "Étendre la carte", - "failed_load_map": "Impossible de charger la carte" + "failed_load_map": "Impossible de charger la carte", + "live_enable_heading": "Partage de position en continu", + "live_enable_description": "Attention : c'est une fonctionnalité expérimentale qui utilise une implémentation temporaire. Cela implique que vous ne pourrez pas supprimer votre historique de positions, et les utilisateurs avancés pourront voir votre historique de positions même après avoir arrêter le partage de votre position en continu dans ce salon.", + "live_toggle_label": "Activer le partage de position en continu", + "live_share_button": "Partagé pendant %(duration)s", + "click_move_pin": "Cliquer pour déplacer le marqueur", + "click_drop_pin": "Cliquer pour mettre un marqueur", + "share_button": "Partager la position" }, "labs_mjolnir": { "room_name": "Ma liste de bannissement", @@ -4011,7 +3961,6 @@ }, "create_space": { "name_required": "Veuillez renseigner un nom pour l’espace", - "name_placeholder": "par ex. mon-espace", "explainer": "Les espaces sont une nouvelle manière de regrouper les salons et les personnes. Quel type d’espace voulez-vous créer ? Vous pouvez changer ceci plus tard.", "public_description": "Espace ouvert à tous, idéal pour les communautés", "private_description": "Sur invitation, idéal pour vous-même ou les équipes", @@ -4042,11 +3991,17 @@ "setup_rooms_community_description": "Créons un salon pour chacun d’entre eux.", "setup_rooms_description": "Vous pourrez en ajouter plus tard, y compris certains déjà existant.", "setup_rooms_private_heading": "Sur quels projets travaille votre équipe ?", - "setup_rooms_private_description": "Nous allons créer un salon pour chacun d’entre eux." + "setup_rooms_private_description": "Nous allons créer un salon pour chacun d’entre eux.", + "address_placeholder": "par ex. mon-espace", + "address_label": "Adresse", + "label": "Créer un espace", + "add_details_prompt_2": "Vous pouvez les changer à n’importe quel moment.", + "creating": "Création…" }, "user_menu": { "switch_theme_light": "Passer au mode clair", - "switch_theme_dark": "Passer au mode sombre" + "switch_theme_dark": "Passer au mode sombre", + "settings": "Tous les paramètres" }, "notif_panel": { "empty_heading": "Vous êtes à jour", @@ -4084,7 +4039,28 @@ "leave_error_title": "Erreur en essayant de quitter le salon", "upgrade_error_title": "Erreur lors de la mise à niveau du salon", "upgrade_error_description": "Vérifiez que votre serveur prend en charge la version de salon choisie et réessayez.", - "leave_server_notices_description": "Ce salon est utilisé pour les messages importants du serveur d’accueil, vous ne pouvez donc pas en partir." + "leave_server_notices_description": "Ce salon est utilisé pour les messages importants du serveur d’accueil, vous ne pouvez donc pas en partir.", + "error_join_connection": "Il y a eu une erreur en rejoignant.", + "error_join_incompatible_version_1": "Désolé, votre serveur d'accueil est trop vieux pour participer ici.", + "error_join_incompatible_version_2": "Veuillez contacter l’administrateur de votre serveur d’accueil.", + "error_join_404_invite_same_hs": "La personne qui vous a invité(e) a déjà quitté le salon.", + "error_join_404_invite": "La personne qui vous a invité(e) a déjà quitté le salon, ou son serveur est hors-ligne.", + "error_join_404_1": "Vous avez essayé de rejoindre à l’aide de l’ID du salon sans fournir une liste de serveurs pour l’atteindre. Les IDs de salons sont des identifiants internes et ne peuvent être utilisés pour rejoindre un salon sans informations complémentaires.", + "error_join_404_2": "Si vous connaissez l’adresse d’un salon, essayez de l’utiliser à la place pour rejoindre ce salon.", + "error_join_title": "Impossible de rejoindre", + "error_join_403": "Vous avez besoin d’une invitation pour accéder à ce salon.", + "error_cancel_knock_title": "Erreur lors de l’annulation", + "context_menu": { + "unfavourite": "Favori", + "favourite": "Favoris", + "mentions_only": "Seulement les mentions", + "copy_link": "Copier le lien du salon", + "low_priority": "Priorité basse", + "forget": "Oublier le salon", + "mark_read": "Marquer comme lu", + "notifications_default": "Réglage par défaut", + "notifications_mute": "Salon muet" + } }, "file_panel": { "guest_note": "Vous devez vous inscrire pour utiliser cette fonctionnalité", @@ -4104,7 +4080,8 @@ "tac_button": "Voir les conditions générales", "identity_server_no_terms_title": "Le serveur d’identité n’a pas de conditions de service", "identity_server_no_terms_description_1": "Cette action nécessite l’accès au serveur d’identité par défaut afin de valider une adresse e-mail ou un numéro de téléphone, mais le serveur n’a aucune condition de service.", - "identity_server_no_terms_description_2": "Continuez seulement si vous faites confiance au propriétaire du serveur." + "identity_server_no_terms_description_2": "Continuez seulement si vous faites confiance au propriétaire du serveur.", + "inline_intro_text": "Acceptez pour continuer :" }, "space_settings": { "title": "Paramètres - %(spaceName)s" @@ -4200,7 +4177,14 @@ "sync": "Impossible de se connecter au serveur d’accueil. Reconnexion…", "connection": "Il y a eu un problème lors de la communication avec le serveur d’accueil, veuillez réessayer ultérieurement.", "mixed_content": "Impossible de se connecter au serveur d'accueil en HTTP si l’URL dans la barre de votre explorateur est en HTTPS. Utilisez HTTPS ou activez la prise en charge des scripts non-vérifiés.", - "tls": "Impossible de se connecter au serveur d’accueil - veuillez vérifier votre connexion, assurez-vous que le certificat SSL de votre serveur d’accueil est un certificat de confiance, et qu’aucune extension du navigateur ne bloque les requêtes." + "tls": "Impossible de se connecter au serveur d’accueil - veuillez vérifier votre connexion, assurez-vous que le certificat SSL de votre serveur d’accueil est un certificat de confiance, et qu’aucune extension du navigateur ne bloque les requêtes.", + "admin_contact_short": "Contactez l’administrateur de votre serveur.", + "non_urgent_echo_failure_toast": "Votre serveur ne répond pas à certaines requêtes.", + "failed_copy": "Échec de la copie", + "something_went_wrong": "Quelque chose s’est mal déroulé !", + "download_media": "Impossible de télécharger la source du média, aucune URL source n’a été trouvée", + "update_power_level": "Échec du changement de rang", + "unknown": "Erreur inconnue" }, "in_space1_and_space2": "Dans les espaces %(space1Name)s et %(space2Name)s.", "in_space_and_n_other_spaces": { @@ -4208,5 +4192,52 @@ "other": "Dans %(spaceName)s et %(count)s autres espaces." }, "in_space": "Dans l’espace %(spaceName)s.", - "name_and_id": "%(name)s (%(userId)s)" + "name_and_id": "%(name)s (%(userId)s)", + "items_and_n_others": { + "other": " et %(count)s autres", + "one": " et un autre" + }, + "notifications": { + "enable_prompt_toast_title_from_message_send": "Ne ratez pas une réponse", + "enable_prompt_toast_title": "Notifications", + "enable_prompt_toast_description": "Activer les notifications sur le bureau", + "colour_none": "Aucun", + "colour_bold": "Gras", + "colour_grey": "Gris", + "colour_red": "Rouge", + "colour_unsent": "Non envoyé", + "error_change_title": "Modifier les paramètres de notification", + "mark_all_read": "Tout marquer comme lu", + "keyword": "Mot-clé", + "keyword_new": "Nouveau mot-clé", + "class_global": "Global", + "class_other": "Autre", + "mentions_keywords": "Mentions et mots-clés" + }, + "mobile_guide": { + "toast_title": "Utilisez une application pour une meilleure expérience", + "toast_description": "%(brand)s est expérimental sur un navigateur mobile. Pour une meilleure expérience et bénéficier des dernières fonctionnalités, utilisez notre application native gratuite.", + "toast_accept": "Utiliser l’application" + }, + "chat_card_back_action_label": "Retour à la conversation", + "room_summary_card_back_action_label": "Information du salon", + "member_list_back_action_label": "Membres du salon", + "thread_view_back_action_label": "Retour au fil de discussion", + "quick_settings": { + "title": "Paramètres rapides", + "all_settings": "Tous les paramètres", + "metaspace_section": "Épingler à la barre latérale", + "sidebar_settings": "Plus d’options" + }, + "lightbox": { + "title": "Vue d’image", + "rotate_left": "Tourner à gauche", + "rotate_right": "Tourner à droite" + }, + "a11y_jump_first_unread_room": "Sauter au premier salon non lu.", + "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." + } } diff --git a/src/i18n/strings/ga.json b/src/i18n/strings/ga.json index 4ec6b448e4..e923efdc33 100644 --- a/src/i18n/strings/ga.json +++ b/src/i18n/strings/ga.json @@ -1,6 +1,5 @@ { "Show more": "Taispeáin níos mó", - "All settings": "Gach Socrú", "Are you sure you want to reject the invitation?": "An bhfuil tú cinnte gur mian leat an cuireadh a dhiúltú?", "Are you sure you want to leave the room '%(roomName)s'?": "An bhfuil tú cinnte gur mian leat an seomra '%(roomName)s' a fhágáil?", "Are you sure?": "An bhfuil tú cinnte?", @@ -14,7 +13,6 @@ "Unignore": "Stop ag tabhairt neamhaird air", "%(weekDayName)s %(time)s": "%(weekDayName)s ar a %(time)s", "Permission Required": "Is Teastáil Cead", - "Spaces": "Spásanna", "Transfer": "Aistrigh", "Hold": "Fan", "Resume": "Tosaigh arís", @@ -201,14 +199,10 @@ "Albania": "an Albáin", "Afghanistan": "an Afganastáin", "Widgets": "Giuirléidí", - "ready": "réidh", - "Algorithm:": "Algartam:", "Information": "Eolas", - "Favourited": "Roghnaithe", "Ok": "Togha", "Accepting…": "ag Glacadh leis…", "Bridges": "Droichid", - "Later": "Níos deireanaí", "Lock": "Glasáil", "Unencrypted": "Gan chriptiú", "None": "Níl aon cheann", @@ -216,7 +210,6 @@ "Discovery": "Aimsiú", "Success!": "Rath!", "Home": "Tús", - "Favourite": "Cuir mar ceanán", "Removing…": "ag Baint…", "Changelog": "Loga na n-athruithe", "Unavailable": "Níl sé ar fáil", @@ -224,7 +217,6 @@ "expand": "méadaigh", "collapse": "cumaisc", "edited": "curtha in eagar", - "Copied!": "Cóipeáilte!", "Yesterday": "Inné", "Today": "Inniu", "Saturday": "Dé Sathairn", @@ -243,7 +235,6 @@ "%(duration)sh": "%(duration)su", "%(duration)sm": "%(duration)sn", "%(duration)ss": "%(duration)ss", - "Delete Backup": "Scrios cúltaca", "Email Address": "Seoladh Ríomhphoist", "Light bulb": "Bolgán solais", "Thumbs up": "Ordógí suas", @@ -251,9 +242,6 @@ "Demote": "Bain ceadanna", "Browse": "Brabhsáil", "Sounds": "Fuaimeanna", - "Notifications": "Fógraí", - "General": "Ginearálta", - "Profile": "Próifíl", "Authentication": "Fíordheimhniú", "Warning!": "Aire!", "Folder": "Fillteán", @@ -346,27 +334,16 @@ "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?", - "Create account": "Déan cuntas a chruthú", "Deactivate Account": "Cuir cuntas as feidhm", "Account management": "Bainistíocht cuntais", "Phone numbers": "Uimhreacha guthán", "Email addresses": "Seoltaí r-phost", - "Display Name": "Ainm Taispeána", - "Profile picture": "Pictiúr próifíle", "Phone Number": "Uimhir Fóin", "Verification code": "Cód fíoraithe", - "Notification targets": "Spriocanna fógraí", "Results": "Torthaí", - "More": "Níos mó", "Decrypting": "Ag Díchriptiú", - "Access": "Rochtain", - "Global": "Uilíoch", - "Keyword": "Eochairfhocal", - "Report": "Tuairiscigh", - "Visibility": "Léargas", "Address": "Seoladh", "Sent": "Seolta", - "Connecting": "Ag Ceangal", "Sending": "Ag Seoladh", "Avatar": "Abhatár", "Unnamed room": "Seomra gan ainm", @@ -379,7 +356,6 @@ "%(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", - "Collapse reply thread": "Cuir na freagraí i bhfolach", "Low priority": "Tosaíocht íseal", "Share room": "Roinn seomra", "Forget room": "Déan dearmad ar an seomra", @@ -390,13 +366,11 @@ }, "No answer": "Gan freagair", "Unknown failure: %(reason)s": "Teip anaithnid: %(reason)s", - "Cross-signing is ready but keys are not backed up.": "Tá tras-sínigh réidh ach ní dhéantar cóip chúltaca d'eochracha.", "Failed to reject invitation": "Níorbh fhéidir an cuireadh a dhiúltú", "Failed to reject invite": "Níorbh fhéidir an cuireadh a dhiúltú", "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 power level": "Níor éiríodh leis an leibhéal cumhachta a hathrú", "Failed to change password. Is your password correct?": "Níor éiríodh leis do phasfhocal a hathrú. An bhfuil do phasfhocal ceart?", "Failed to ban user": "Níor éiríodh leis an úsáideoir a thoirmeasc", "Error decrypting attachment": "Earráid le ceangaltán a dhíchriptiú", @@ -463,7 +437,14 @@ "cross_signing": "Cros-síniú", "feedback": "Aiseolas", "on": "Ar siúl", - "off": "Múchta" + "off": "Múchta", + "copied": "Cóipeáilte!", + "advanced": "Forbartha", + "spaces": "Spásanna", + "general": "Ginearálta", + "profile": "Próifíl", + "display_name": "Ainm Taispeána", + "user_avatar": "Pictiúr próifíle" }, "action": { "continue": "Lean ar aghaidh", @@ -574,7 +555,6 @@ "user_description": "Úsáideoirí" } }, - "Bold": "Trom", "Code": "Cód", "power_level": { "default": "Réamhshocrú", @@ -587,7 +567,8 @@ "always_show_message_timestamps": "Taispeáin stampaí ama teachtaireachta i gcónaí", "notifications": { "rule_call": "Nuair a fhaighim cuireadh glaoigh", - "noisy": "Callánach" + "noisy": "Callánach", + "push_targets": "Spriocanna fógraí" }, "appearance": { "timeline_image_size_default": "Réamhshocrú", @@ -600,7 +581,10 @@ "cross_signing_homeserver_support_exists": "a bheith ann", "export_megolm_keys": "Easpórtáil eochracha an tseomra le criptiú ó dheireadh go deireadh", "cryptography_section": "Cripteagrafaíocht", - "encryption_section": "Criptiúchán" + "encryption_section": "Criptiúchán", + "secret_storage_ready": "réidh", + "delete_backup": "Scrios cúltaca", + "key_backup_algorithm": "Algartam:" }, "general": { "account_section": "Cuntas", @@ -651,6 +635,10 @@ }, "m.room.power_levels": { "changed": "D'athraigh %(senderName)s an leibhéal cumhachta %(powerLevelDiffText)s." + }, + "context_menu": { + "collapse_reply_thread": "Cuir na freagraí i bhfolach", + "report": "Tuairiscigh" } }, "slash_command": { @@ -721,10 +709,12 @@ "no_permission_conference": "Is Teastáil Cead", "no_permission_conference_description": "Níl cead agat glao comhdhála a thosú sa seomra seo", "default_device": "Gléas Réamhshocraithe", - "no_media_perms_title": "Gan cheadanna meáin" + "no_media_perms_title": "Gan cheadanna meáin", + "join_button_tooltip_connecting": "Ag Ceangal", + "more_button": "Níos mó", + "connecting": "Ag Ceangal" }, "Other": "Eile", - "Advanced": "Forbartha", "room_settings": { "permissions": { "m.room.power_levels": "Athraigh ceadanna", @@ -752,14 +742,22 @@ "advanced": { "room_version_section": "Leagan seomra", "room_version": "Leagan seomra:" + }, + "visibility": { + "title": "Léargas" + }, + "access": { + "title": "Rochtain" } }, "encryption": { "verification": { "complete_title": "Deimhnithe!", "complete_action": "Tuigthe", - "cancelling": "ag Cealú…" - } + "cancelling": "ag Cealú…", + "unverified_sessions_toast_reject": "Níos deireanaí" + }, + "cross_signing_ready_no_backup": "Tá tras-sínigh réidh ach ní dhéantar cóip chúltaca d'eochracha." }, "emoji": { "category_activities": "Gníomhaíochtaí", @@ -793,7 +791,8 @@ "uia": { "sso_title": "Lean ar aghaidh le SSO", "sso_body": "Deimhnigh an seoladh ríomhphoist seo le SSO mar cruthúnas céannachta." - } + }, + "create_account_title": "Déan cuntas a chruthú" }, "export_chat": { "messages": "Teachtaireachtaí" @@ -828,7 +827,8 @@ }, "user_menu": { "switch_theme_light": "Athraigh go mód geal", - "switch_theme_dark": "Athraigh go mód dorcha" + "switch_theme_dark": "Athraigh go mód dorcha", + "settings": "Gach Socrú" }, "space": { "suggested": "Moltaí", @@ -845,6 +845,10 @@ "room": { "intro": { "enable_encryption_prompt": "Tosaigh criptiú sna socruithe." + }, + "context_menu": { + "unfavourite": "Roghnaithe", + "favourite": "Cuir mar ceanán" } }, "labs_mjolnir": { @@ -870,6 +874,24 @@ }, "error": { "mixed_content": "Ní féidir ceangal leis an bhfreastalaí baile trí HTTP nuair a bhíonn URL HTTPS i mbarra do bhrabhsálaí. Bain úsáid as HTTPS nó scripteanna neamhshábháilte a chumasú .", - "tls": "Ní féidir ceangal leis an bhfreastalaí baile - seiceáil do nascacht le do thoil, déan cinnte go bhfuil muinín i dteastas SSL do fhreastalaí baile, agus nach bhfuil síneadh brabhsálaí ag cur bac ar iarratais." + "tls": "Ní féidir ceangal leis an bhfreastalaí baile - seiceáil do nascacht le do thoil, déan cinnte go bhfuil muinín i dteastas SSL do fhreastalaí baile, agus nach bhfuil síneadh brabhsálaí ag cur bac ar iarratais.", + "update_power_level": "Níor éiríodh leis an leibhéal cumhachta a hathrú" + }, + "notifications": { + "enable_prompt_toast_title": "Fógraí", + "colour_none": "Níl aon cheann", + "colour_bold": "Trom", + "keyword": "Eochairfhocal", + "class_global": "Uilíoch", + "class_other": "Eile" + }, + "onboarding": { + "create_account": "Déan cuntas a chruthú" + }, + "quick_settings": { + "all_settings": "Gach Socrú" + }, + "create_space": { + "address_label": "Seoladh" } } diff --git a/src/i18n/strings/gl.json b/src/i18n/strings/gl.json index 3ee6ac99dc..ba0741a560 100644 --- a/src/i18n/strings/gl.json +++ b/src/i18n/strings/gl.json @@ -30,13 +30,11 @@ "Reason": "Razón", "Send": "Enviar", "Incorrect verification code": "Código de verificación incorrecto", - "No display name": "Sen nome público", "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", - "Failed to change power level": "Fallo ao cambiar o nivel de permisos", "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", @@ -61,7 +59,6 @@ "one": "(~%(count)s resultado)" }, "Join Room": "Unirse a sala", - "Upload avatar": "Subir avatar", "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", @@ -73,7 +70,6 @@ "Banned by %(displayName)s": "Non aceptado por %(displayName)s", "unknown error code": "código de fallo descoñecido", "Failed to forget room %(errCode)s": "Fallo ao esquecer sala %(errCode)s", - "Favourite": "Favorita", "Jump to first unread message.": "Ir a primeira mensaxe non lida.", "not specified": "non indicado", "This room has no local addresses": "Esta sala non ten enderezos locais", @@ -83,21 +79,12 @@ "Invalid file%(extra)s": "Ficheiro non válido %(extra)s", "Error decrypting image": "Fallo ao descifrar a imaxe", "Error decrypting video": "Fallo descifrando vídeo", - "Copied!": "Copiado!", - "Failed to copy": "Fallo ao copiar", "Add an Integration": "Engadir unha integración", "You are about to be taken to a third-party site so you can authenticate your account for use with %(integrationsUrl)s. Do you wish to continue?": "Vai ser redirixido a unha web de terceiros para poder autenticar a súa conta e así utilizar %(integrationsUrl)s. Quere continuar?", "Email address": "Enderezo de correo", - "Something went wrong!": "Algo fallou!", "Delete Widget": "Eliminar widget", - "Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "Quitando un trebello elimínalo para todas as usuarias desta sala. ¿tes certeza de querer eliminar este widget?", - "Delete widget": "Eliminar widget", "Create new room": "Crear unha nova sala", "Home": "Inicio", - " and %(count)s others": { - "other": " e %(count)s outras", - "one": " e outra máis" - }, "%(items)s and %(lastItem)s": "%(items)s e %(lastItem)s", "collapse": "comprimir", "expand": "despregar", @@ -106,7 +93,6 @@ "other": "E %(count)s máis..." }, "Confirm Removal": "Confirma a retirada", - "Unknown error": "Fallo descoñecido", "Deactivate Account": "Desactivar conta", "An error has occurred.": "Algo fallou.", "Unable to restore session": "Non se puido restaurar a sesión", @@ -140,12 +126,8 @@ "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", - "": "", - "Reject all %(invitedRooms)s invites": "Rexeitar todos os %(invitedRooms)s convites", "No Microphones detected": "Non se detectaron micrófonos", "No Webcams detected": "Non se detectaron cámaras", - "Notifications": "Notificacións", - "Profile": "Perfil", "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", @@ -164,14 +146,12 @@ "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", "Sunday": "Domingo", - "Notification targets": "Obxectivos das notificacións", "Today": "Hoxe", "Friday": "Venres", "Changelog": "Rexistro de cambios", "Failed to send logs: ": "Fallo ao enviar os informes: ", "This Room": "Esta sala", "Unavailable": "Non dispoñible", - "Source URL": "URL fonte", "Filter results": "Filtrar resultados", "Tuesday": "Martes", "Search…": "Buscar…", @@ -186,9 +166,7 @@ "Thursday": "Xoves", "Logs sent": "Informes enviados", "Yesterday": "Onte", - "Low Priority": "Baixa prioridade", "Thank you!": "Grazas!", - "Popout widget": "trebello emerxente", "Unable to load event that was replied to, it either does not exist or you do not have permission to view it.": "Non se cargou o evento ao que respondía, ou non existe ou non ten permiso para velo.", "Send Logs": "Enviar informes", "Clear Storage and Sign Out": "Limpar o almacenamento e Saír", @@ -208,7 +186,6 @@ "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.", - "Please contact your homeserver administrator.": "Por favor, contacte coa administración do seu servidor.", "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", @@ -219,10 +196,6 @@ "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.", - "Verify this session": "Verificar esta sesión", - "Encryption upgrade available": "Mellora do cifrado dispoñible", - "New login. Was this you?": "Nova sesión. Foches ti?", - "General": "Xeral", "Discovery": "Descubrir", "Deactivate account": "Desactivar conta", "Room %(name)s": "Sala %(name)s", @@ -243,13 +216,10 @@ "Not Trusted": "Non confiable", "Messages in this room are end-to-end encrypted.": "As mensaxes desta sala están cifradas de extremo-a-extremo.", "Messages in this room are not end-to-end encrypted.": "As mensaxes desta sala non están cifradas de extremo-a-extremo.", - "Later": "Máis tarde", "Your homeserver has exceeded its user limit.": "O teu servidor superou o seu límite de usuaras.", "Your homeserver has exceeded one of its resource limits.": "O teu servidor superou un dous seus límites de recursos.", - "Contact your server admin.": "Contacta coa administración.", "Ok": "Ok", "Set up": "Configurar", - "Other users may not trust it": "Outras usuarias poderían non confiar", "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.", @@ -259,7 +229,6 @@ "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", - "Your theme": "O teu decorado", "IRC display name width": "Ancho do nome mostrado de IRC", "Dog": "Can", "Cat": "Gato", @@ -324,35 +293,11 @@ "Anchor": "Áncora", "Headphones": "Auriculares", "Folder": "Cartafol", - "Accept to continue:": "Acepta para continuar:", "Show more": "Mostrar máis", - "Your homeserver does not support cross-signing.": "O teu servidor non soporta a sinatura cruzada.", - "Your account has a cross-signing identity in secret storage, but it is not yet trusted by this session.": "A túa conta ten unha identidade de sinatura cruzada no almacenaxe segredo, pero aínda non confiaches nela nesta sesión.", - "well formed": "ben formado", - "unexpected type": "tipo non agardado", - "Secret storage public key:": "Chave pública da almacenaxe segreda:", - "in account data": "nos datos da conta", - "Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "Verificar individualmente cada sesión utilizada pola usuaria para marcala como confiable, non confiando en dispositivos con sinatura cruzada.", - "Securely cache encrypted messages locally for them to appear in search results.": "Gardar de xeito seguro mensaxes cifradas na caché local para que aparezan nos resultados de buscas.", - "%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with search components added.": "Falta un compoñente de %(brand)s requerido para almacenar localmente mensaxes cifradas na caché. Se queres experimentar con esta función, compila unha versión personalizada de %(brand)s Desktop cos compoñentes de busca engadidos.", - "Cannot connect to integration manager": "Non se puido conectar co xestor de intregración", - "The integration manager is offline or it cannot reach your homeserver.": "O xestor de integración non está en liña ou non é accesible desde o teu servidor.", - "Delete Backup": "Borrar copia de apoio", - "Are you sure? You will lose your encrypted messages if your keys are not backed up properly.": "Estás seguro? Perderás as mensaxes cifradas se non tes unha copia de apoio das chaves de cifrado.", "Encrypted messages are secured with end-to-end encryption. Only you and the recipient(s) have the keys to read these messages.": "As mensaxes cifradas están seguras con cifrado de extremo-a-extremo. Só ti e o correpondente(s) tedes as chaves para ler as mensaxes.", - "Unable to load key backup status": "Non se puido cargar o estado das chaves de apoio", - "Restore from Backup": "Restaurar desde copia de apoio", - "This session is not backing up your keys, but you do have an existing backup you can restore from and add to going forward.": "Esta sesión non está facendo copia das chaves, pero tes unha copia de apoio existente que podes restablecer e engadir para seguir adiante.", - "Connect this session to key backup before signing out to avoid losing any keys that may only be on this session.": "Conecta esta sesión ao gardado das chaves antes de desconectarte para evitar perder calquera chave que só puidese estar nesta sesión.", - "Connect this session to Key Backup": "Conecta esta sesión a Copia de Apoio de chaves", - "not stored": "non gardado", - "All keys backed up": "Copiaronse todas as chaves", "This backup is trusted because it has been restored on this session": "Esta copia é de confianza porque foi restaurada nesta sesión", - "Your keys are not being backed up from this session.": "As túas chaves non están a ser copiadas desde esta 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", - "Display Name": "Nome mostrado", - "Profile picture": "Imaxe de perfil", "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 ?", @@ -383,9 +328,6 @@ "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", - "Bulk options": "Opcións agrupadas", - "Accept all %(invitedRooms)s invites": "Aceptar os %(invitedRooms)s convites", - "Message search": "Buscar mensaxe", "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", @@ -463,7 +405,6 @@ "Could not revoke the invite. The server may be experiencing a temporary problem or you do not have sufficient permissions to revoke the invite.": "Non se revogou o convite. O servidor podería estar experimentando un problema temporal ou non tes permisos suficientes para revogar o convite.", "Revoke invite": "Revogar convite", "Invited by %(sender)s": "Convidada por %(sender)s", - "Mark all as read": "Marcar todo como lido", "Error updating main address": "Fallo ao actualizar o enderezo principal", "There was an error updating the room's main address. It may not be allowed by the server or a temporary failure occurred.": "Algo fallou ao actualizar o enderezo principal da sala. Podería non estar autorizado polo servidor ou ser un fallo temporal.", "Error creating address": "Fallo ao crear o enderezo", @@ -551,19 +492,6 @@ "Can't load this message": "Non se cargou a mensaxe", "Submit logs": "Enviar rexistro", "Cancel search": "Cancelar busca", - "Any of the following data may be shared:": "Calquera do seguinte podería ser compartido:", - "Your display name": "Nome mostrado", - "Your user ID": "ID de usuaria", - "%(brand)s URL": "URL %(brand)s", - "Room ID": "ID da sala", - "Widget ID": "ID do widget", - "Using this widget may share data with %(widgetDomain)s.": "Ao utilizar este widget poderías compartir datos con %(widgetDomain)s.", - "Widgets do not use message encryption.": "Os Widgets non usan cifrado de mensaxes.", - "Widget added by": "Widget engadido por", - "This widget may use cookies.": "Este widget podería usar cookies.", - "More options": "Máis opcións", - "Rotate Left": "Rotar á esquerda", - "Rotate Right": "Rotar á dereita", "Language Dropdown": "Selector de idioma", "Room address": "Enderezo da sala", "e.g. my-room": "ex. a-miña-sala", @@ -594,8 +522,6 @@ "Clear all data in this session?": "¿Baleirar todos os datos desta sesión?", "Clearing all data from this session is permanent. Encrypted messages will be lost unless their keys have been backed up.": "O baleirado dos datos da sesión é permanente. As mensaxes cifradas perderánse a menos que as súas chaves estiveren nunha copia de apoio.", "Clear all data": "Eliminar todos os datos", - "Hide advanced": "Ocultar Avanzado", - "Show advanced": "Mostrar Avanzado", "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": "Para evitar perder o historial da conversa, debes exportar as chaves da sala antes de saír. Necesitarás volver á nova versión de %(brand)s para facer esto", "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.": "Xa utilizaches unha versión máis nova de %(brand)s nesta sesión. Para usar esta versión novamente con cifrado extremo-a-extremo tes que saír e volver a acceder.", "Incompatible Database": "Base de datos non compatible", @@ -690,15 +616,11 @@ "Successfully restored %(sessionCount)s keys": "Restablecidas correctamente %(sessionCount)s chaves", "Warning: you should only set up key backup from a trusted computer.": "Aviso: só deberías realizar a copia de apoio desde un ordenador de confianza.", "Resend %(unsentCount)s reaction(s)": "Reenviar %(unsentCount)s reacción(s)", - "Remove for everyone": "Eliminar para todas", "This homeserver would like to make sure you are not a robot.": "Este servidor quere asegurarse de que non es un robot.", "Country Dropdown": "Despregable de países", "Email (optional)": "Email (optativo)", "Couldn't load page": "Non se puido cargar a páxina", - "Jump to first unread room.": "Vaite a primeira sala non lida.", - "Jump to first invite.": "Vai ó primeiro convite.", "Switch theme": "Cambiar decorado", - "All settings": "Todos os axustes", "Could not load user profile": "Non se cargou o perfil da usuaria", "Invalid homeserver discovery response": "Resposta de descubrimento do servidor non válida", "Failed to get autodiscovery configuration from server": "Fallo ó obter a configuración de autodescubrimento desde o servidor", @@ -707,7 +629,6 @@ "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", - "Create account": "Crea unha conta", "Failed to re-authenticate due to a homeserver problem": "Fallo ó reautenticar debido a un problema no servidor", "Clear personal data": "Baleirar datos personais", "Confirm encryption setup": "Confirma os axustes de cifrado", @@ -749,15 +670,10 @@ "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", - "%(brand)s can't securely cache encrypted messages locally while running in a web browser. Use %(brand)s Desktop for encrypted messages to appear in search results.": "%(brand)s non pode por na caché local de xeito as mensaxes cifradas cando usa un navegador web. Usa %(brand)s Desktop para que as mensaxes cifradas aparezan nos resultados.", - "Favourited": "Con marca de Favorita", - "Forget Room": "Esquecer sala", "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", "Click to view edits": "Preme para ver as edicións", - "Change notification settings": "Cambiar os axustes das notificacións", - "Your server isn't responding to some requests.": "O teu servidor non responde a algunhas solicitudes.", "You're all caught up.": "Xa estás ó día.", "Server isn't responding": "O servidor non responde", "Your server isn't responding to some of your requests. Below are some of the most likely reasons.": "O servidor non responde a algunhas peticións. Aquí tes algunha das razóns máis probables.", @@ -772,21 +688,10 @@ "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", - "Set up Secure Backup": "Configurar Copia de apoio Segura", "Information": "Información", "Not encrypted": "Sen cifrar", "Room settings": "Axustes da sala", - "Take a picture": "Tomar unha foto", - "Cross-signing is ready for use.": "A Sinatura-Cruzada está lista para usar.", - "Cross-signing is not set up.": "Non está configurada a Sinatura-Cruzada.", "Backup version:": "Versión da copia:", - "Algorithm:": "Algoritmo:", - "Backup key stored:": "Chave da copia gardada:", - "Backup key cached:": "Chave da copia na caché:", - "Secret storage:": "Almacenaxe segreda:", - "ready": "lista", - "not ready": "non lista", - "Safeguard against losing access to encrypted messages & data": "Protéxete de perder o acceso a mensaxes e datos cifrados", "Start a conversation with someone using their name or username (like ).": "Inicia unha conversa con alguén usando o seu nome ou nome de usuaria (como ).", "Invite someone using their name, username (like ) or share this room.": "Convida a alguén usando o seu nome, nome de usuaria (como ) ou comparte esta sala.", "Unable to set up keys": "Non se puideron configurar as chaves", @@ -803,11 +708,6 @@ "Video conference updated by %(senderName)s": "Video conferencia actualizada por %(senderName)s", "Video conference started by %(senderName)s": "Video conferencia iniciada por %(senderName)s", "Ignored attempt to disable encryption": "Intento ignorado de desactivar o cifrado", - "Failed to save your profile": "Non se gardaron os cambios", - "The operation could not be completed": "Non se puido realizar a acción", - "Move right": "Mover á dereita", - "Move left": "Mover á esquerda", - "Revoke permissions": "Revogar permisos", "You can only pin up to %(count)s widgets": { "other": "Só podes fixar ata %(count)s widgets" }, @@ -818,8 +718,6 @@ "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.", "Start a conversation with someone using their name, email address or username (like ).": "Inicia unha conversa con alguén usando o seu nome, enderezo de email ou nome de usuaria (como ).", "Invite by email": "Convidar por email", - "Enable desktop notifications": "Activar notificacións de escritorio", - "Don't miss a reply": "Non perdas as réplicas", "Barbados": "Barbados", "Bangladesh": "Bangladesh", "Bahrain": "Bahrain", @@ -1069,10 +967,6 @@ "Equatorial Guinea": "Guinea Ecuatorial", "El Salvador": "O Salvador", "Egypt": "Exipto", - "Securely cache encrypted messages locally for them to appear in search results, using %(size)s to store messages from %(rooms)s rooms.": { - "one": "Conservar na memoria local as mensaxes cifradas de xeito seguro para que aparezan nas buscas, usando %(size)s para gardar mensaxes de %(rooms)s salas.", - "other": "Conservar na memoria local as mensaxes cifradas de xeito seguro para que aparezan nas buscas, usando %(size)s para gardar mensaxes de %(rooms)s salas." - }, "Decline All": "Rexeitar todo", "This widget would like to:": "O widget podería querer:", "Approve widget permissions": "Aprovar permisos do widget", @@ -1106,9 +1000,6 @@ "Invalid Security Key": "Chave de Seguridade non válida", "Wrong Security Key": "Chave de Seguridade incorrecta", "Set my room layout for everyone": "Establecer a miña disposición da sala para todas", - "Back up your encryption keys with your account data in case you lose access to your sessions. Your keys will be secured with a unique Security Key.": "Fai unha copia de apoio das chaves de cifrado da túa conta en caso de perder o acceso ás túas sesións. As chaves estarán seguras cunha única Chave de Seguridade.", - "Use app for a better experience": "Para ter unha mellor experiencia usa a app", - "Use app": "Usa a app", "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", @@ -1119,28 +1010,18 @@ }, "Are you sure you want to leave the space '%(spaceName)s'?": "Tes a certeza de querer deixar o espazo '%(spaceName)s'?", "This space is not public. You will not be able to rejoin without an invite.": "Este espazo non é público. Non poderás volver a unirte sen un convite.", - "Start audio stream": "Iniciar fluxo de audio", "Failed to start livestream": "Fallou o inicio da emisión en directo", "Unable to start audio streaming.": "Non se puido iniciar a retransmisión de audio.", - "Save Changes": "Gardar cambios", - "Leave Space": "Deixar o Espazo", - "Edit settings relating to your space.": "Editar os axustes relativos ao teu espazo.", - "Failed to save space settings.": "Fallo ao gardar os axustes do espazo.", "Invite someone using their name, username (like ) or share this space.": "Convida a alguén usando o seu nome, nome de usuaria (como ) ou comparte este espazo.", "Invite someone using their name, email address, username (like ) or share this space.": "Convida a persoas usando o seu nome, enderezo de email, nome de usuaria (como ) ou comparte este espazo.", "Create a new room": "Crear unha nova sala", - "Spaces": "Espazos", "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", - "Space options": "Opcións do Espazo", "Leave space": "Saír do espazo", - "Invite people": "Convidar persoas", - "Share invite link": "Compartir ligazón do convite", - "Click to copy": "Click para copiar", "Create a space": "Crear un espazo", "Private space": "Espazo privado", "Public space": "Espazo público", @@ -1155,17 +1036,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.": "Normalmente esto só afecta a como se xestiona a sala no servidor. Se tes problemas co teu %(brand)s, informa do fallo.", "Invite to %(roomName)s": "Convidar a %(roomName)s", "Edit devices": "Editar dispositivos", - "Invite with email or username": "Convida con email ou nome de usuaria", - "You can change these anytime.": "Poderás cambialo en calquera momento.", - "Review to ensure your account is safe": "Revisa para asegurarte de que a túa conta está protexida", "We couldn't create your DM.": "Non puidemos crear o teu MD.", "Invited people will be able to read old messages.": "As persoas convidadas poderán ler as mensaxes antigas.", "Reset event store?": "Restablecer almacenaxe do evento?", "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.", - "%(deviceId)s from %(ip)s": "%(deviceId)s desde %(ip)s", - "unknown person": "persoa descoñecida", "%(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" @@ -1205,12 +1081,10 @@ "No microphone found": "Non atopamos ningún micrófono", "We were unable to access your microphone. Please check your browser settings and try again.": "Non puidemos acceder ao teu micrófono. Comproba os axustes do navegador e proba outra vez.", "Unable to access your microphone": "Non se puido acceder ao micrófono", - "Connecting": "Conectando", "Search names and descriptions": "Buscar nome e descricións", "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", - "Message search initialisation failed": "Fallou a inicialización da busca de mensaxes", "Currently joining %(count)s rooms": { "one": "Neste intre estás en %(count)s sala", "other": "Neste intre estás en %(count)s salas" @@ -1220,13 +1094,10 @@ "Search for rooms or people": "Busca salas ou persoas", "Sent": "Enviado", "You don't have permission to do this": "Non tes permiso para facer isto", - "Error - Mixed content": "Erro - Contido variado", - "Error loading Widget": "Erro ao cargar o Widget", "Pinned messages": "Mensaxes fixadas", "If you have permissions, open the menu on any message and select Pin to stick them here.": "Se tes permisos, abre o menú en calquera mensaxe e elixe Fixar para pegalos aquí.", "Nothing pinned, yet": "Nada fixado, por agora", "Your %(brand)s doesn't allow you to use an integration manager to do this. Please contact an admin.": "O teu %(brand)s non permite que uses o Xestor de Integracións, contacta coa administración.", - "Using this widget may share data with %(widgetDomain)s & your integration manager.": "Ao utilizar este widget poderías compartir datos con %(widgetDomain)s e o teu Xestor de integracións.", "Integration managers receive configuration data, and can modify widgets, send room invites, and set power levels on your behalf.": "Os xestores de integracións reciben datos de configuración, e poden modificar os widgets, enviar convites das salas, e establecer roles no teu nome.", "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.", @@ -1248,30 +1119,10 @@ "other": "Mostrar outras %(count)s vistas previas" }, "Space information": "Información do Espazo", - "There was an error loading your notification settings.": "Houbo un erro ao cargar os axustes de notificación.", - "Mentions & keywords": "Mencións e palabras chave", - "Global": "Global", - "New keyword": "Nova palabra chave", - "Keyword": "Palabra chave", - "Recommended for public spaces.": "Recomendado para espazos públicos.", - "Allow people to preview your space before they join.": "Permitir que sexa visible o espazo antes de unirte a el.", - "Preview Space": "Vista previa do Espazo", - "Decide who can view and join %(spaceName)s.": "Decidir quen pode ver e unirse a %(spaceName)s.", - "Visibility": "Visibilidade", - "This may be useful for public spaces.": "Esto podería ser útil para espazos públicos.", - "Guests can join a space without having an account.": "As convidadas poden unirse ao espazo sen ter unha conta.", - "Enable guest access": "Activar acceso de convidadas", - "Failed to update the history visibility of this space": "Fallou a actualización da visibilidade do historial do espazo", - "Failed to update the guest access of this space": "Fallou a actualización do acceso de convidadas ao espazo", - "Failed to update the visibility of this space": "Fallou a actualización da visibilidade 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", - "Report": "Denunciar", - "Collapse reply thread": "Contraer fío de resposta", - "Show preview": "Ver vista previa", - "View source": "Ver fonte", "The call is in an unknown state!": "Esta chamada ten un estado descoñecido!", "Call back": "Devolver a chamada", "No answer": "Sen resposta", @@ -1290,24 +1141,6 @@ "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", - "Share content": "Compartir contido", - "Application window": "Ventá da aplicación", - "Share entire screen": "Compartir pantalla completa", - "Access": "Acceder", - "Space members": "Membros do espazo", - "Anyone in a space can find and join. You can select multiple spaces.": "Calquera nun espazo pode atopar e unirse. Podes elexir múltiples espazos.", - "Spaces with access": "Espazos con acceso", - "Anyone in a space can find and join. Edit which spaces can access here.": "Calquera nun espazo pode atopala e unirse. Editar que espazos poden acceder aquí.", - "Currently, %(count)s spaces have access": { - "other": "Actualmente, %(count)s espazos teñen acceso", - "one": "Actualmente, un espazo ten acceso" - }, - "& %(count)s more": { - "other": "e %(count)s máis", - "one": "e %(count)s máis" - }, - "Upgrade required": "Actualización requerida", - "This upgrade will allow members of selected spaces access to this room without an invite.": "Esta actualización permitirá que os membros dos espazos seleccionados teñan acceso á sala sen precisar convite.", "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", @@ -1326,26 +1159,18 @@ "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.", "You won't be able to rejoin unless you are re-invited.": "Non poderás volver a unirte se non te volven a convidar.", - "Search %(spaceName)s": "Buscar %(spaceName)s", "Decrypting": "Descifrando", - "Show all rooms": "Mostar tódalas salas", "Missed call": "Chamada perdida", "Call declined": "Chamada rexeitada", "Stop recording": "Deter a gravación", "Send voice message": "Enviar mensaxe de voz", - "More": "Máis", - "Show sidebar": "Mostrar a barra lateral", - "Hide sidebar": "Agochar barra lateral", - "Delete avatar": "Eliminar avatar", "Unknown failure: %(reason)s": "Fallo descoñecido: %(reason)s", "Rooms and spaces": "Salas e espazos", "Results": "Resultados", - "Cross-signing is ready but keys are not backed up.": "A sinatura-cruzada está preparada pero non hai copia das chaves.", "Some encryption parameters have been changed.": "Algún dos parámetros de cifrado foron cambiados.", "Role in ": "Rol en ", "Unknown failure": "Fallo descoñecido", "Failed to update the join rules": "Fallou a actualización das normas para unirse", - "Anyone in can find and join. You can select other spaces too.": "Calquera en pode atopar e unirse. Tamén podes elexir outros espazos.", "Message didn't send. Click for info.": "Non se enviou a mensaxe. Click para info.", "To join a space you'll need an invite.": "Para unirte a un espazo precisas un convite.", "Would you like to leave the rooms in this space?": "Queres saír destas salas neste espazo?", @@ -1378,16 +1203,6 @@ "one": "%(count)s resposta", "other": "%(count)s respostas" }, - "Updating spaces... (%(progress)s out of %(count)s)": { - "one": "Actualizando espazo...", - "other": "Actualizando espazos... (%(progress)s de %(count)s)" - }, - "Sending invites... (%(progress)s out of %(count)s)": { - "one": "Enviando convite...", - "other": "Enviando convites... (%(progress)s de %(count)s)" - }, - "Loading new room": "Cargando nova sala", - "Upgrading room": "Actualizando sala", "View in room": "Ver na sala", "Enter your Security Phrase or to continue.": "Escribe a túa Frase de Seguridade ou para continuar.", "Insert link": "Escribir ligazón", @@ -1408,19 +1223,12 @@ "@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.", - "Rooms outside of a space": "Salas fóra dun espazo", - "Show all your rooms in Home, even if they're in a space.": "Mostra tódalas túas salas en Inicio, incluso se están nun espazo.", - "Home is useful for getting an overview of everything.": "O Inicio é útil para ter unha visión xeral do que acontece.", - "Spaces to show": "Espazos a mostrar", - "Sidebar": "Barra lateral", - "This room is in some spaces you're not an admin of. In those spaces, the old room will still be shown, but people will be prompted to join the new one.": "Esta sala está nalgúns espazos nos que non es admin. Nesos espazos, seguirase mostrando a sala antiga, pero as usuarias serán convidadas a unirse á nova.", "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", - "Mentions only": "Só mencións", "Forget": "Esquecer", "If you can't see who you're looking for, send them your invite link below.": "Se non atopas a quen buscas, envíalle a túa ligazón de convite.", "Based on %(count)s votes": { @@ -1442,8 +1250,6 @@ "Themes": "Decorados", "Moderation": "Moderación", "Messaging": "Conversando", - "Pin to sidebar": "Fixar no lateral", - "Quick settings": "Axustes rápidos", "Spaces you know that contain this space": "Espazos que sabes conteñen este espazo", "Chat": "Chat", "Home options": "Opcións de Incio", @@ -1458,8 +1264,6 @@ "one": "%(count)s voto recollido. Vota para ver os resultados" }, "No votes cast": "Sen votos", - "Share location": "Compartir localización", - "Share anonymous data to help us identify issues. Nothing personal. No third parties.": "Comparte datos anónimos para axudarnos a identificar os problemas. Nada persoal. Nen con terceiras partes.", "Recent searches": "Buscas recentes", "To search messages, look for this icon at the top of a room ": "Para buscar mensaxes, busca esta icona arriba de todo na sala ", "Other searches": "Outras buscas", @@ -1479,7 +1283,6 @@ "one": "Resultado final baseado en %(count)s voto", "other": "Resultado final baseado en %(count)s votos" }, - "Copy room link": "Copiar ligazón á sala", "Could not fetch location": "Non se obtivo a localización", "Location": "Localización", "toggle event": "activar evento", @@ -1501,13 +1304,6 @@ "Voice Message": "Mensaxe de voz", "Hide stickers": "Agochar adhesivos", "From a thread": "Desde un fío", - "Group all your rooms that aren't part of a space in one place.": "Agrupa nun só lugar tódalas túas salas que non forman parte dun espazo.", - "Group all your people in one place.": "Agrupa tódalas persoas nun só lugar.", - "Group all your favourite rooms and people in one place.": "Agrupa tódalas túas salas favoritas e persoas nun só lugar.", - "Spaces are ways to group rooms and people. Alongside the spaces you're in, you can use some pre-built ones too.": "Os Espazos son xeitos de agrupar salas e persoas. Xunto cos espazos nos que estás, tamén podes usar algún dos prestablecidos.", - "Back to thread": "Volver ao fío", - "Room members": "Membros da sala", - "Back to chat": "Volver ao chat", "Wait!": "Agarda!", "Open in OpenStreetMap": "Abrir en OpenStreetMap", "Verify other device": "Verificar outro dispositivo", @@ -1539,7 +1335,6 @@ "We couldn't send your location": "Non puidemos enviar a túa localización", "Pinned": "Fixado", "Open thread": "Abrir fío", - "Match system": "Seguir o sistema", "Click": "Premer", "Expand quotes": "Despregar as citas", "Collapse quotes": "Pregar as citas", @@ -1551,9 +1346,6 @@ "other": "Vas a eliminar %(count)s mensaxes de %(user)s. Así eliminaralos de xeito permanente para todas na conversa. Tes a certeza de facelo?" }, "%(displayName)s's live location": "Localización en directo de %(displayName)s", - "Click to drop a pin": "Click para soltar un marcador", - "Click to move the pin": "Click para mover marcador", - "Share for %(duration)s": "Compartida durante %(duration)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", @@ -1561,7 +1353,6 @@ }, "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.", - "%(brand)s is experimental on a mobile web browser. For a better experience and the latest features, use our free native app.": "%(brand)s é experimental no navegador web móbil. Para ter unha mellor experiencia e as últimas características usa a nosa app nativa.", "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", "%(featureName)s Beta feedback": "Informe sobre %(featureName)s Beta", "%(count)s participants": { @@ -1585,11 +1376,6 @@ "Loading preview": "Cargando vista previa", "New video room": "Nova sala de vídeo", "New room": "Nova sala", - "Failed to join": "Non puideches entrar", - "The person who invited you has already left, or their server is offline.": "A persoa que te convidou xa saíu, ou o seu servidor non está conectado.", - "The person who invited you has already left.": "A persoa que te convidou xa deixou o lugar.", - "Sorry, your homeserver is too old to participate here.": "Lamentámolo, o teu servidor de inicio é demasiado antigo para poder participar.", - "There was an error joining.": "Houbo un erro ao unirte.", "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", @@ -1625,9 +1411,6 @@ }, "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", - "Enable live location sharing": "Activar a compartición da localización", - "Please note: this is a labs feature using a temporary implementation. This means you will not be able to delete your location history, and advanced users will be able to see your location history even after you stop sharing your live location with this room.": "Ten en conta que ésta é unha característica en probas cunha implementación temporal. Esto significa que non poderás borrar o teu historial de localización, e as usuarias más instruídas poderán ver o teu historial de localización incluso despois de que deixes de compartir a túa localización nesta sala.", - "Live location sharing": "Compartición en directo da localización", "%(members)s and %(last)s": "%(members)s e %(last)s", "%(members)s and more": "%(members)s e máis", "Your message wasn't sent because this homeserver has been blocked by its administrator. Please contact your service administrator to continue using the service.": "A mensaxe non se enviou porque este servidor de inicio foi bloqueado pola súa administración. Contacta coa túa administración para continuar utilizando este servizo.", @@ -1644,17 +1427,9 @@ "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", - "View related event": "Ver evento relacionado", "Joining…": "Entrando…", - "%(count)s people joined": { - "one": "uníuse %(count)s persoa", - "other": "%(count)s persoas uníronse" - }, "Read receipts": "Resgados de lectura", - "You were disconnected from the call. (Error: %(message)s)": "Desconectouse a chamada. (Erro: %(message)s)", - "Connection lost": "Perdeuse a conexión", "Deactivating your account is a permanent action — be careful!": "A desactivación da conta é unha acción permanente — coidado!", - "Un-maximise": "Restablecer", "When you sign out, these keys will be deleted from this device, which means you won't be able to read encrypted messages unless you have the keys for them on your other devices, or backed them up to the server.": "Ao saír, estas chaves serán eliminadas deste dispositivo, o que significa que non poderás ler as mensaxes cifradas a menos que teñas as chaves noutro dos teus dispositivos, ou unha copia de apoio no servidor.", "Remove search filter for %(filter)s": "Elimina o filtro de busca de %(filter)s", "Start a group chat": "Inicia un chat en grupo", @@ -1691,8 +1466,6 @@ "Saved Items": "Elementos gardados", "Choose a locale": "Elixe o idioma", "We're creating a room with %(names)s": "Estamos creando unha sala con %(names)s", - "For best security, verify your sessions and sign out from any session that you don't recognize or use anymore.": "Para maior seguridade, verifica as túas sesións e pecha calquera sesión que non recoñezas como propia.", - "Sessions": "Sesións", "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", @@ -1789,7 +1562,14 @@ "off": "Off", "all_rooms": "Todas as salas", "deselect_all": "Retirar selección a todos", - "select_all": "Seleccionar todos" + "select_all": "Seleccionar todos", + "copied": "Copiado!", + "advanced": "Avanzado", + "spaces": "Espazos", + "general": "Xeral", + "profile": "Perfil", + "display_name": "Nome mostrado", + "user_avatar": "Imaxe de perfil" }, "action": { "continue": "Continuar", @@ -1889,7 +1669,10 @@ "clear": "Limpar", "exit_fullscreeen": "Saír de pantalla completa", "enter_fullscreen": "Ir a pantalla completa", - "unban": "Non bloquear" + "unban": "Non bloquear", + "click_to_copy": "Click para copiar", + "hide_advanced": "Ocultar Avanzado", + "show_advanced": "Mostrar Avanzado" }, "a11y": { "user_menu": "Menú de usuaria", @@ -1901,7 +1684,8 @@ "other": "%(count)s mensaxe non lidas.", "one": "1 mensaxe non lida." }, - "unread_messages": "Mensaxes non lidas." + "unread_messages": "Mensaxes non lidas.", + "jump_first_invite": "Vai ó primeiro convite." }, "labs": { "video_rooms": "Salas de vídeo", @@ -2051,7 +1835,6 @@ "user_a11y": "Autocompletados de Usuaria" } }, - "Bold": "Resaltado", "Code": "Código", "power_level": { "default": "Por defecto", @@ -2158,7 +1941,8 @@ "intro_byline": "As túas conversas son túas.", "send_dm": "Envía unha Mensaxe Directa", "explore_rooms": "Explorar Salas Públicas", - "create_room": "Crear unha Conversa en Grupo" + "create_room": "Crear unha Conversa en Grupo", + "create_account": "Crea unha conta" }, "settings": { "show_breadcrumbs": "Mostrar atallos a salas vistas recentemente enriba da lista de salas", @@ -2218,7 +2002,9 @@ "noisy": "Ruidoso", "error_permissions_denied": "%(brand)s non ten permiso para enviarlle notificacións: comprobe os axustes do navegador", "error_permissions_missing": "%(brand)s non ten permiso para enviar notificacións: inténteo de novo", - "error_title": "Non se puideron activar as notificacións" + "error_title": "Non se puideron activar as notificacións", + "push_targets": "Obxectivos das notificacións", + "error_loading": "Houbo un erro ao cargar os axustes de notificación." }, "appearance": { "layout_irc": "IRC (Experimental)", @@ -2284,7 +2070,42 @@ "cryptography_section": "Criptografía", "session_id": "ID da sesión:", "session_key": "Chave da sesión:", - "encryption_section": "Cifrado" + "encryption_section": "Cifrado", + "bulk_options_section": "Opcións agrupadas", + "bulk_options_accept_all_invites": "Aceptar os %(invitedRooms)s convites", + "bulk_options_reject_all_invites": "Rexeitar todos os %(invitedRooms)s convites", + "message_search_section": "Buscar mensaxe", + "analytics_subsection_description": "Comparte datos anónimos para axudarnos a identificar os problemas. Nada persoal. Nen con terceiras partes.", + "encryption_individual_verification_mode": "Verificar individualmente cada sesión utilizada pola usuaria para marcala como confiable, non confiando en dispositivos con sinatura cruzada.", + "message_search_enabled": { + "one": "Conservar na memoria local as mensaxes cifradas de xeito seguro para que aparezan nas buscas, usando %(size)s para gardar mensaxes de %(rooms)s salas.", + "other": "Conservar na memoria local as mensaxes cifradas de xeito seguro para que aparezan nas buscas, usando %(size)s para gardar mensaxes de %(rooms)s salas." + }, + "message_search_disabled": "Gardar de xeito seguro mensaxes cifradas na caché local para que aparezan nos resultados de buscas.", + "message_search_unsupported": "Falta un compoñente de %(brand)s requerido para almacenar localmente mensaxes cifradas na caché. Se queres experimentar con esta función, compila unha versión personalizada de %(brand)s Desktop cos compoñentes de busca engadidos.", + "message_search_unsupported_web": "%(brand)s non pode por na caché local de xeito as mensaxes cifradas cando usa un navegador web. Usa %(brand)s Desktop para que as mensaxes cifradas aparezan nos resultados.", + "message_search_failed": "Fallou a inicialización da busca de mensaxes", + "backup_key_well_formed": "ben formado", + "backup_key_unexpected_type": "tipo non agardado", + "backup_keys_description": "Fai unha copia de apoio das chaves de cifrado da túa conta en caso de perder o acceso ás túas sesións. As chaves estarán seguras cunha única Chave de Seguridade.", + "backup_key_stored_status": "Chave da copia gardada:", + "cross_signing_not_stored": "non gardado", + "backup_key_cached_status": "Chave da copia na caché:", + "4s_public_key_status": "Chave pública da almacenaxe segreda:", + "4s_public_key_in_account_data": "nos datos da conta", + "secret_storage_status": "Almacenaxe segreda:", + "secret_storage_ready": "lista", + "secret_storage_not_ready": "non lista", + "delete_backup": "Borrar copia de apoio", + "delete_backup_confirm_description": "Estás seguro? Perderás as mensaxes cifradas se non tes unha copia de apoio das chaves de cifrado.", + "error_loading_key_backup_status": "Non se puido cargar o estado das chaves de apoio", + "restore_key_backup": "Restaurar desde copia de apoio", + "key_backup_inactive": "Esta sesión non está facendo copia das chaves, pero tes unha copia de apoio existente que podes restablecer e engadir para seguir adiante.", + "key_backup_connect_prompt": "Conecta esta sesión ao gardado das chaves antes de desconectarte para evitar perder calquera chave que só puidese estar nesta sesión.", + "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." }, "preferences": { "room_list_heading": "Listaxe de Salas", @@ -2355,7 +2176,9 @@ "one": "Desconectar dispositivo", "other": "Desconectar dispositivos" }, - "security_recommendations": "Recomendacións de seguridade" + "security_recommendations": "Recomendacións de seguridade", + "title": "Sesións", + "other_sessions_subsection_description": "Para maior seguridade, verifica as túas sesións e pecha calquera sesión que non recoñezas como propia." }, "general": { "account_section": "Conta", @@ -2370,7 +2193,22 @@ "add_msisdn_confirm_sso_button": "Confirma que queres engadir este teléfono usando Single Sign On como proba de identidade.", "add_msisdn_confirm_button": "Confirma a adición do teléfono", "add_msisdn_confirm_body": "Preme no botón inferior para confirmar que engades este número.", - "add_msisdn_dialog_title": "Engadir novo Número" + "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" + }, + "sidebar": { + "title": "Barra lateral", + "metaspaces_subsection": "Espazos a mostrar", + "metaspaces_description": "Os Espazos son xeitos de agrupar salas e persoas. Xunto cos espazos nos que estás, tamén podes usar algún dos prestablecidos.", + "metaspaces_home_description": "O Inicio é útil para ter unha visión xeral do que acontece.", + "metaspaces_favourites_description": "Agrupa tódalas túas salas favoritas e persoas nun só lugar.", + "metaspaces_people_description": "Agrupa tódalas persoas nun só lugar.", + "metaspaces_orphans": "Salas fóra dun espazo", + "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" } }, "devtools": { @@ -2820,7 +2658,15 @@ "see_older_messages": "Preme aquí para ver mensaxes antigas." }, "creation_summary_dm": "%(creator)s creou esta MD.", - "creation_summary_room": "%(creator)s creou e configurou a sala." + "creation_summary_room": "%(creator)s creou e configurou a sala.", + "context_menu": { + "view_source": "Ver fonte", + "show_url_preview": "Ver vista previa", + "external_url": "URL fonte", + "collapse_reply_thread": "Contraer fío de resposta", + "view_related_event": "Ver evento relacionado", + "report": "Denunciar" + } }, "slash_command": { "spoiler": "Envía a mensaxe dada como un spoiler", @@ -3000,10 +2846,22 @@ "no_permission_conference_description": "Non tes permisos para comezar unha chamada de conferencia nesta sala", "default_device": "Dispositivo por defecto", "no_media_perms_title": "Sen permisos de medios", - "no_media_perms_description": "Igual ten que permitir manualmente a %(brand)s acceder ao seus micrófono e cámara" + "no_media_perms_description": "Igual ten que permitir manualmente a %(brand)s acceder ao seus micrófono e cámara", + "join_button_tooltip_connecting": "Conectando", + "hide_sidebar_button": "Agochar barra lateral", + "show_sidebar_button": "Mostrar a barra lateral", + "more_button": "Máis", + "screenshare_monitor": "Compartir pantalla completa", + "screenshare_window": "Ventá da aplicación", + "screenshare_title": "Compartir contido", + "n_people_joined": { + "one": "uníuse %(count)s persoa", + "other": "%(count)s persoas uníronse" + }, + "unknown_person": "persoa descoñecida", + "connecting": "Conectando" }, "Other": "Outro", - "Advanced": "Avanzado", "room_settings": { "permissions": { "m.room.avatar_space": "Cambiar o avatar do espazo", @@ -3067,7 +2925,33 @@ "history_visibility_shared": "Só participantes (desde o momento en que se selecciona esta opción)", "history_visibility_invited": "Só participantes (desde que foron convidadas)", "history_visibility_joined": "Só participantes (desde que se uniron)", - "history_visibility_world_readable": "Calquera" + "history_visibility_world_readable": "Calquera", + "join_rule_upgrade_required": "Actualización requerida", + "join_rule_restricted_n_more": { + "other": "e %(count)s máis", + "one": "e %(count)s máis" + }, + "join_rule_restricted_summary": { + "other": "Actualmente, %(count)s espazos teñen acceso", + "one": "Actualmente, un espazo ten acceso" + }, + "join_rule_restricted_description": "Calquera nun espazo pode atopala e unirse. Editar que espazos poden acceder aquí.", + "join_rule_restricted_description_spaces": "Espazos con acceso", + "join_rule_restricted_description_active_space": "Calquera en pode atopar e unirse. Tamén podes elexir outros espazos.", + "join_rule_restricted_description_prompt": "Calquera nun espazo pode atopar e unirse. Podes elexir múltiples espazos.", + "join_rule_restricted": "Membros do espazo", + "join_rule_restricted_upgrade_warning": "Esta sala está nalgúns espazos nos que non es admin. Nesos espazos, seguirase mostrando a sala antiga, pero as usuarias serán convidadas a unirse á nova.", + "join_rule_restricted_upgrade_description": "Esta actualización permitirá que os membros dos espazos seleccionados teñan acceso á sala sen precisar convite.", + "join_rule_upgrade_upgrading_room": "Actualizando sala", + "join_rule_upgrade_awaiting_room": "Cargando nova sala", + "join_rule_upgrade_sending_invites": { + "one": "Enviando convite...", + "other": "Enviando convites... (%(progress)s de %(count)s)" + }, + "join_rule_upgrade_updating_spaces": { + "one": "Actualizando espazo...", + "other": "Actualizando espazos... (%(progress)s de %(count)s)" + } }, "general": { "publish_toggle": "Publicar esta sala no directorio público de salas de %(domain)s?", @@ -3077,7 +2961,11 @@ "default_url_previews_off": "As vistas previas de URL están desactivadas por defecto para as participantes desta sala.", "url_preview_encryption_warning": "Nas salas cifradas, como é esta, está desactivado por defecto a previsualización das URL co fin de asegurarse de que o servidor local (que é onde se gardan as previsualizacións) non poida recoller información sobre das ligazóns que se ven nesta sala.", "url_preview_explainer": "Cando alguén pon unha URL na mensaxe, esta previsualízarase para que así se coñezan xa cousas delas como o título, a descrición ou as imaxes que inclúe ese sitio web.", - "url_previews_section": "Vista previa de URL" + "url_previews_section": "Vista previa de URL", + "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" }, "advanced": { "unfederated": "Esta sala non é accesible por servidores Matrix remotos", @@ -3088,6 +2976,24 @@ "room_id": "ID interno da sala", "room_version_section": "Versión da sala", "room_version": "Versión da sala:" + }, + "delete_avatar_label": "Eliminar avatar", + "upload_avatar_label": "Subir avatar", + "visibility": { + "error_update_guest_access": "Fallou a actualización do acceso de convidadas ao espazo", + "error_update_history_visibility": "Fallou a actualización da visibilidade do historial do espazo", + "guest_access_explainer": "As convidadas poden unirse ao espazo sen ter unha conta.", + "guest_access_explainer_public_space": "Esto podería ser útil para espazos públicos.", + "title": "Visibilidade", + "error_failed_save": "Fallou a actualización da visibilidade do espazo", + "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" + }, + "access": { + "title": "Acceder", + "description_space": "Decidir quen pode ver e unirse a %(spaceName)s." } }, "encryption": { @@ -3114,7 +3020,11 @@ "waiting_other_device_details": "Agardando a que verifiques o teu outro dispositivo, %(deviceName)s %(deviceId)s …", "waiting_other_device": "Agardando a que verifiques no teu outro dispositivo…", "waiting_other_user": "Agardando por %(displayName)s para verificar…", - "cancelling": "Cancelando…" + "cancelling": "Cancelando…", + "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" }, "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.", @@ -3124,7 +3034,18 @@ "bootstrap_title": "Configurando as chaves", "export_unsupported": "O seu navegador non soporta as extensións de criptografía necesarias", "import_invalid_keyfile": "Non é un ficheiro de chaves %(brand)s válido", - "import_invalid_passphrase": "Fallou a comprobación de autenticación: contrasinal incorrecto?" + "import_invalid_passphrase": "Fallou a comprobación de autenticación: contrasinal incorrecto?", + "set_up_toast_title": "Configurar Copia de apoio Segura", + "upgrade_toast_title": "Mellora do cifrado dispoñible", + "verify_toast_title": "Verificar esta sesión", + "set_up_toast_description": "Protéxete de perder o acceso a mensaxes e datos cifrados", + "verify_toast_description": "Outras usuarias poderían non confiar", + "cross_signing_unsupported": "O teu servidor non soporta a sinatura cruzada.", + "cross_signing_ready": "A Sinatura-Cruzada está lista para usar.", + "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": "" }, "emoji": { "category_frequently_used": "Utilizado con frecuencia", @@ -3148,7 +3069,8 @@ "bullet_1": "Non rexistramos o teu perfil nin datos da conta", "bullet_2": "Non compartimos a información con terceiras partes", "disable_prompt": "Podes desactivar esto cando queiras non axustes", - "accept_button": "Iso está ben" + "accept_button": "Iso está ben", + "shared_data_heading": "Calquera do seguinte podería ser compartido:" }, "chat_effects": { "confetti_description": "Envía a mensaxe con confetti", @@ -3280,7 +3202,8 @@ "no_hs_url_provided": "Non se estableceu URL do servidor", "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." + "incorrect_credentials_detail": "Ten en conta que estás accedendo ao servidor %(hs)s, non a matrix.org.", + "create_account_title": "Crea unha conta" }, "room_list": { "sort_unread_first": "Mostrar primeiro as salas con mensaxes sen ler", @@ -3399,7 +3322,34 @@ "error_need_to_be_logged_in": "Tes que iniciar sesión.", "error_need_invite_permission": "Precisa autorización para convidar a outros usuarias para poder facer iso.", "error_need_kick_permission": "Tes que poder expulsar usuarias para facer eso.", - "no_name": "App descoñecida" + "no_name": "App descoñecida", + "error_hangup_title": "Perdeuse a conexión", + "error_hangup_description": "Desconectouse a chamada. (Erro: %(message)s)", + "context_menu": { + "start_audio_stream": "Iniciar fluxo de audio", + "screenshot": "Tomar unha foto", + "delete": "Eliminar widget", + "delete_warning": "Quitando un trebello elimínalo para todas as usuarias desta sala. ¿tes certeza de querer eliminar este widget?", + "remove": "Eliminar para todas", + "revoke": "Revogar permisos", + "move_left": "Mover á esquerda", + "move_right": "Mover á dereita" + }, + "shared_data_name": "Nome mostrado", + "shared_data_mxid": "ID de usuaria", + "shared_data_theme": "O teu decorado", + "shared_data_url": "URL %(brand)s", + "shared_data_room_id": "ID da sala", + "shared_data_widget_id": "ID do widget", + "shared_data_warning_im": "Ao utilizar este widget poderías compartir datos con %(widgetDomain)s e o teu Xestor de integracións.", + "shared_data_warning": "Ao utilizar este widget poderías compartir datos con %(widgetDomain)s.", + "unencrypted_warning": "Os Widgets non usan cifrado de mensaxes.", + "added_by": "Widget engadido por", + "cookie_warning": "Este widget podería usar cookies.", + "error_loading": "Erro ao cargar o Widget", + "error_mixed_content": "Erro - Contido variado", + "unmaximise": "Restablecer", + "popout": "trebello emerxente" }, "feedback": { "sent": "Comentario enviado", @@ -3466,7 +3416,8 @@ "empty_heading": "Manter as conversas organizadas con fíos" }, "theme": { - "light_high_contrast": "Alto contraste claro" + "light_high_contrast": "Alto contraste claro", + "match_system": "Seguir o sistema" }, "space": { "landing_welcome": "Benvida a ", @@ -3482,9 +3433,14 @@ "devtools_open_timeline": "Ver cronoloxía da sala (devtools)", "home": "Inicio do espazo", "explore": "Explorar salas", - "manage_and_explore": "Xestionar e explorar salas" + "manage_and_explore": "Xestionar e explorar salas", + "options": "Opcións do Espazo" }, - "share_public": "Comparte o teu espazo público" + "share_public": "Comparte o teu espazo público", + "search_children": "Buscar %(spaceName)s", + "invite_link": "Compartir ligazón do convite", + "invite": "Convidar persoas", + "invite_description": "Convida con email ou nome de usuaria" }, "location_sharing": { "MapStyleUrlNotConfigured": "Este servidor non está configurado para mostrar mapas.", @@ -3500,7 +3456,14 @@ "failed_timeout": "Caducou o intento de obter a localización, inténtao máis tarde.", "failed_unknown": "Erro descoñecido ao obter a localización, inténtao máis tarde.", "expand_map": "Despregar mapa", - "failed_load_map": "Non se cargou o mapa" + "failed_load_map": "Non se cargou o mapa", + "live_enable_heading": "Compartición en directo da localización", + "live_enable_description": "Ten en conta que ésta é unha característica en probas cunha implementación temporal. Esto significa que non poderás borrar o teu historial de localización, e as usuarias más instruídas poderán ver o teu historial de localización incluso despois de que deixes de compartir a túa localización nesta sala.", + "live_toggle_label": "Activar a compartición da localización", + "live_share_button": "Compartida durante %(duration)s", + "click_move_pin": "Click para mover marcador", + "click_drop_pin": "Click para soltar un marcador", + "share_button": "Compartir localización" }, "labs_mjolnir": { "room_name": "Listaxe de bloqueo", @@ -3535,7 +3498,6 @@ }, "create_space": { "name_required": "Escribe un nome para o espazo", - "name_placeholder": "ex. o-meu-espazo", "explainer": "Espazos é o novo xeito de agrupar salas e persoas. Que tipo de Espazo queres crear? Pódelo cambiar máis tarde.", "public_description": "Espazo aberto para calquera, mellor para comunidades", "private_description": "Só con convite, mellor para ti ou para equipos", @@ -3564,11 +3526,16 @@ "setup_rooms_community_description": "Crea unha sala para cada un deles.", "setup_rooms_description": "Podes engadir máis posteriormente, incluíndo os xa existentes.", "setup_rooms_private_heading": "En que proxectos está a traballar o teu equipo?", - "setup_rooms_private_description": "Imos crear salas para cada un deles." + "setup_rooms_private_description": "Imos crear salas para cada un deles.", + "address_placeholder": "ex. o-meu-espazo", + "address_label": "Enderezo", + "label": "Crear un espazo", + "add_details_prompt_2": "Poderás cambialo en calquera momento." }, "user_menu": { "switch_theme_light": "Cambiar a decorado claro", - "switch_theme_dark": "Cambiar a decorado escuro" + "switch_theme_dark": "Cambiar a decorado escuro", + "settings": "Todos os axustes" }, "notif_panel": { "empty_heading": "Xa remataches", @@ -3605,7 +3572,21 @@ "leave_error_title": "Erro ó saír da sala", "upgrade_error_title": "Fallo ao actualizar a sala", "upgrade_error_description": "Comproba ben que o servidor soporta a versión da sala escollida e inténtao outra vez.", - "leave_server_notices_description": "Esta sala emprégase para mensaxes importantes do servidor da sala, as que non pode saír dela." + "leave_server_notices_description": "Esta sala emprégase para mensaxes importantes do servidor da sala, as que non pode saír dela.", + "error_join_connection": "Houbo un erro ao unirte.", + "error_join_incompatible_version_1": "Lamentámolo, o teu servidor de inicio é demasiado antigo para poder participar.", + "error_join_incompatible_version_2": "Por favor, contacte coa administración do seu servidor.", + "error_join_404_invite_same_hs": "A persoa que te convidou xa deixou o lugar.", + "error_join_404_invite": "A persoa que te convidou xa saíu, ou o seu servidor non está conectado.", + "error_join_title": "Non puideches entrar", + "context_menu": { + "unfavourite": "Con marca de Favorita", + "favourite": "Favorita", + "mentions_only": "Só mencións", + "copy_link": "Copiar ligazón á sala", + "low_priority": "Baixa prioridade", + "forget": "Esquecer sala" + } }, "file_panel": { "guest_note": "Debe rexistrarse para utilizar esta función", @@ -3625,7 +3606,8 @@ "tac_button": "Revise os termos e condicións", "identity_server_no_terms_title": "O servidor de identidade non ten termos dos servizo", "identity_server_no_terms_description_1": "Esta acción precisa acceder ao servidor de indentidade para validar o enderezo de email ou o número de teléfono, pero o servidor non publica os seus termos do servizo.", - "identity_server_no_terms_description_2": "Continúa se realmente confías no dono do servidor." + "identity_server_no_terms_description_2": "Continúa se realmente confías no dono do servidor.", + "inline_intro_text": "Acepta para continuar:" }, "space_settings": { "title": "Axustes - %(spaceName)s" @@ -3714,7 +3696,13 @@ "admin_contact": "Por favor contacte coa administración do servizo para continuar utilizando o servizo.", "connection": "Houbo un problema de comunicación co servidor de inicio, inténtao máis tarde.", "mixed_content": "Non se pode conectar ao servidor vía HTTP cando na barra de enderezos do navegador está HTTPS. Utiliza HTTPS ou active scripts non seguros.", - "tls": "Non se conectou ao servidor - por favor comprobe a conexión, asegúrese de que ocertificado SSL do servidor sexa de confianza, e que ningún engadido do navegador estea bloqueando as peticións." + "tls": "Non se conectou ao servidor - por favor comprobe a conexión, asegúrese de que ocertificado SSL do servidor sexa de confianza, e que ningún engadido do navegador estea bloqueando as peticións.", + "admin_contact_short": "Contacta coa administración.", + "non_urgent_echo_failure_toast": "O teu servidor non responde a algunhas solicitudes.", + "failed_copy": "Fallo ao copiar", + "something_went_wrong": "Algo fallou!", + "update_power_level": "Fallo ao cambiar o nivel de permisos", + "unknown": "Fallo descoñecido" }, "in_space1_and_space2": "Nos espazos %(space1Name)s e %(space2Name)s.", "in_space_and_n_other_spaces": { @@ -3722,5 +3710,48 @@ "other": "No espazo %(spaceName)s e %(count)s outros espazos." }, "in_space": "No espazo %(spaceName)s.", - "name_and_id": "%(name)s (%(userId)s)" + "name_and_id": "%(name)s (%(userId)s)", + "items_and_n_others": { + "other": " e %(count)s outras", + "one": " e outra máis" + }, + "notifications": { + "enable_prompt_toast_title_from_message_send": "Non perdas as réplicas", + "enable_prompt_toast_title": "Notificacións", + "enable_prompt_toast_description": "Activar notificacións de escritorio", + "colour_none": "Nada", + "colour_bold": "Resaltado", + "colour_unsent": "Sen enviar", + "error_change_title": "Cambiar os axustes das notificacións", + "mark_all_read": "Marcar todo como lido", + "keyword": "Palabra chave", + "keyword_new": "Nova palabra chave", + "class_global": "Global", + "class_other": "Outro", + "mentions_keywords": "Mencións e palabras chave" + }, + "mobile_guide": { + "toast_title": "Para ter unha mellor experiencia usa a app", + "toast_description": "%(brand)s é experimental no navegador web móbil. Para ter unha mellor experiencia e as últimas características usa a nosa app nativa.", + "toast_accept": "Usa a app" + }, + "chat_card_back_action_label": "Volver ao chat", + "room_summary_card_back_action_label": "Información da sala", + "member_list_back_action_label": "Membros da sala", + "thread_view_back_action_label": "Volver ao fío", + "quick_settings": { + "title": "Axustes rápidos", + "all_settings": "Todos os axustes", + "metaspace_section": "Fixar no lateral", + "sidebar_settings": "Máis opcións" + }, + "lightbox": { + "rotate_left": "Rotar á esquerda", + "rotate_right": "Rotar á dereita" + }, + "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." + } } diff --git a/src/i18n/strings/he.json b/src/i18n/strings/he.json index 4add0c2fee..7cf55a474d 100644 --- a/src/i18n/strings/he.json +++ b/src/i18n/strings/he.json @@ -26,18 +26,14 @@ "Failed to change password. Is your password correct?": "שינוי הסיסמה נכשל. האם הסיסמה שלך נכונה?", "unknown error code": "קוד שגיאה לא מוכר", "Failed to forget room %(errCode)s": "נכשל בעת בקשה לשכוח חדר %(errCode)s", - "Favourite": "מועדף", - "Notifications": "התראות", "Unnamed room": "חדר ללא שם", "Sunday": "ראשון", - "Notification targets": "יעדי התראה", "Today": "היום", "Friday": "שישי", "Changelog": "דו\"ח שינויים", "Failed to send logs: ": "כשל במשלוח יומנים: ", "This Room": "החדר הזה", "Unavailable": "לא זמין", - "Source URL": "כתובת URL אתר המקור", "Filter results": "סנן התוצאות", "Tuesday": "שלישי", "Preparing to send logs": "מתכונן לשלוח יומנים", @@ -52,7 +48,6 @@ "Search…": "חפש…", "Logs sent": "יומנים נשלחו", "Yesterday": "אתמול", - "Low Priority": "עדיפות נמוכה", "Thank you!": "רב תודות!", "Moderator": "מנהל", "Restricted": "מחוץ לתחום", @@ -307,54 +302,18 @@ "Vietnam": "וייטנאם", "Venezuela": "ונצואלה", "Vatican City": "ותיקן", - " and %(count)s others": { - "one": " ועוד אחד אחר", - "other": " ו%(count)s אחרים" - }, "Not Trusted": "לא אמין", "Ask this user to verify their session, or manually verify it below.": "בקש ממשתמש זה לאמת את ההתחברות שלו, או לאמת אותה באופן ידני למטה.", "%(name)s (%(userId)s) signed in to a new session without verifying it:": "%(name)s %(userId)s נכנס דרך התחברות חדשה מבלי לאמת אותה:", "Verify your other session using one of the options below.": "אמתו את ההתחברות האחרת שלכם דרך אחת מהאפשרויות למטה.", "You signed in to a new session without verifying it:": "נכנסתם דרך התחברות חדשה מבלי לאמת אותה:", "Reason": "סיבה", - "Your keys are not being backed up from this session.": "המפתחות שלך אינם מגובים מהתחברות זו .", - "Algorithm:": "אלגוריתם:", "Backup version:": "גירסת גיבוי:", "This backup is trusted because it has been restored on this session": "ניתן לסמוך על גיבוי זה מכיוון שהוא שוחזר בהפעלה זו", - "All keys backed up": "כל המפתחות מגובים", - "Connect this session to Key Backup": "חבר את התחברות הזו לגיבוי מפתח", - "Connect this session to key backup before signing out to avoid losing any keys that may only be on this session.": "חבר את ההפעלה הזו לגיבוי המפתח לפני היציאה, כדי למנוע אובדן מפתחות שיכולים להיות רק בפגישה זו.", - "This session is not backing up your keys, but you do have an existing backup you can restore from and add to going forward.": "הפעלה זו אינה מגבה את המפתחות שלך , אך יש לך גיבוי קיים ממנו תוכל לשחזר ולהוסיף להמשך.", - "Restore from Backup": "שחזר מגיבוי", - "Unable to load key backup status": "לא ניתן לטעון את מצב גיבוי המפתח", - "Are you sure? You will lose your encrypted messages if your keys are not backed up properly.": "האם אתה בטוח? תאבד את ההודעות המוצפנות שלך אם המפתחות שלך לא מגובים כראוי.", - "Delete Backup": "מחק גיבוי", - "Profile picture": "תמונת פרופיל", - "Display Name": "שם לתצוגה", - "Profile": "פרופיל", - "The operation could not be completed": "לא ניתן היה להשלים את הפעולה", - "Failed to save your profile": "שמירת הפרופיל שלך נכשלה", - "The integration manager is offline or it cannot reach your homeserver.": "מנהל האינטגרציה לא מקוון או שהוא לא יכול להגיע לשרת הבית שלך.", - "Cannot connect to integration manager": "לא ניתן להתחבר אל מנהל האינטגרציה", - "%(brand)s can't securely cache encrypted messages locally while running in a web browser. Use %(brand)s Desktop for encrypted messages to appear in search results.": "%(brand)s אינם יכולים לשמור במטמון מאובטח הודעות מוצפנות באופן מקומי בזמן שהם פועלים בדפדפן אינטרנט. השתמש ב- %(brand)s Desktop כדי שהודעות מוצפנות יופיעו בתוצאות החיפוש.", - "%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with search components added.": "%(brand)s חסרים כמה רכיבים הנדרשים לצורך אחסון במטמון מאובטח של הודעות מוצפנות באופן מקומי. אם תרצה להתנסות בתכונה זו, בנה %(brand)s מותאם אישית לדסקטום עם חפש רכיבים להוספה.", - "Securely cache encrypted messages locally for them to appear in search results.": "שמור באופן מאובטח הודעות מוצפנות באופן מקומי כדי שיופיעו בתוצאות החיפוש.", - "Securely cache encrypted messages locally for them to appear in search results, using %(size)s to store messages from %(rooms)s rooms.": { - "one": "שמור באופן מאובטח הודעות מוצפנות באופן מקומי כדי שיופיעו בתוצאות החיפוש באמצעות %(size)s לשמור הודעות מחדרים %(rooms)s.", - "other": "שמור באופן מאובטח הודעות מוצפנות באופן מקומי כדי שיופיעו בתוצאות החיפוש באמצעות %(size)s לשמור הודעות מחדרים %(rooms)s." - }, - "Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "אמת בנפרד כל מושב שמשתמש בו כדי לסמן אותו כאמצעי מהימן, ולא אמון על מכשירים חתומים צולבים.", "Failed to set display name": "עדכון שם תצוגה נכשל", "Authentication": "אימות", "Set up": "הגדר", - "Cross-signing is not set up.": "חתימה צולבת אינה מוגדרת עדיין.", - "Your account has a cross-signing identity in secret storage, but it is not yet trusted by this session.": "לחשבונך זהות חתימה צולבת באחסון סודי, אך הפגישה זו אינה מהימנה עדיין.", - "Your homeserver does not support cross-signing.": "השרת שלכם אינו תומך בחתימות-צולבות.", - "Cross-signing is ready for use.": "חתימה צולבת מוכנה לשימוש.", - "No display name": "אין שם לתצוגה", "Show more": "הצג יותר", - "Accept to continue:": "קבל להמשך:", - "Your server isn't responding to some requests.": "השרת שלכם אינו מגיב לבקשות מסויימות בקשות.", "Folder": "תקיה", "Headphones": "אוזניות", "Anchor": "עוגן", @@ -423,21 +382,9 @@ "%(weekDayName)s, %(monthName)s %(day)s %(time)s": "%(weekDayName)s, %(monthName)s - %(day)s - %(time)s", "%(weekDayName)s %(time)s": "%(weekDayName)s %(time)s", "IRC display name width": "רוחב תצוגת השם של IRC", - "Change notification settings": "שינוי הגדרת התרעות", - "Please contact your homeserver administrator.": "אנא צרו קשר עם מנהל השרת שלכם.", - "New login. Was this you?": "כניסה חדשה. האם זה אתם?", - "Other users may not trust it": "יתכן משתמשים אחרים לא יבטחו בזה", - "Safeguard against losing access to encrypted messages & data": "שמור מפני איבוד גישה אל הודעות ומידע מוצפן", - "Verify this session": "אשרו את ההתחברות הזאת", - "Encryption upgrade available": "שדרוג הצפנה קיים", - "Set up Secure Backup": "צור גיבוי מאובטח", "Ok": "בסדר", - "Contact your server admin.": "צרו קשר עם מנהל השרת.", "Your homeserver has exceeded one of its resource limits.": "השרת שלכם חרג מאחד או יותר משאבים אשר הוקצו לו.", "Your homeserver has exceeded its user limit.": "השרת שלכם חרג ממגבלות מספר המשתמשים שלו.", - "Enable desktop notifications": "אשרו התראות שולחן עבודה", - "Don't miss a reply": "אל תפספסו תגובה", - "Later": "מאוחר יותר", "Server did not return valid authentication information.": "השרת לא החזיר מידע אימות תקף.", "Server did not require any authentication": "השרת לא נדרש לאימות כלשהו", "There was a problem communicating with the server. Please try again.": "הייתה בעיה בתקשורת עם השרת. בבקשה נסה שוב.", @@ -492,15 +439,12 @@ "Power level": "דרגת מנהל", "Language Dropdown": "תפריט שפות", "Information": "מידע", - "Rotate Right": "סובב ימינה", - "Rotate Left": "סובב שמאלה", "collapse": "אחד", "expand": "הרחב", "This version of %(brand)s does not support searching encrypted messages": "גרסה זו של %(brand)s אינה תומכת בחיפוש הודעות מוצפנות", "This version of %(brand)s does not support viewing some encrypted files": "גרסה זו של %(brand)s אינה תומכת בצפייה בקבצים מוצפנים מסוימים", "Use the Desktop app to search encrypted messages": "השתמשו ב אפליקציית שולחן העבודה לחיפוש הודעות מוצפנות", "Use the Desktop app to see all encrypted files": "השתמשו ב אפליקציית שולחן העבודה כדי לראות את כל הקבצים המוצפנים", - "Popout widget": "יישומון קופץ", "Error decrypting video": "שגיאה בפענוח וידאו", "You sent a verification request": "שלחתם בקשה לקוד אימות", "%(name)s wants to verify": "%(name)s רוצה לאמת", @@ -551,7 +495,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?": "השבתת משתמש זה תנתק אותו וימנע ממנו להתחבר חזרה. בנוסף, הם יעזבו את כל החדרים בהם הם נמצאים. לא ניתן לבטל פעולה זו. האם אתה בטוח שברצונך להשבית משתמש זה?", "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.": "לא תוכל לבטל את השינוי הזה מכיוון שאתה מקדם את המשתמש לאותה רמת ניהול כמוך.", - "Failed to change power level": "שינוי דרגת מנהל נכשל", "Failed to mute user": "כשלון בהשתקת משתמש", "Failed to ban user": "כשלון בחסימת משתמש", "Remove recent messages": "הסר הודעות אחרונות", @@ -620,7 +563,6 @@ "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 updating the room's main address. It may not be allowed by the server or a temporary failure occurred.": "אירעה שגיאה בעדכון הכתובת הראשית של החדר. ייתכן שהשרת אינו מאפשר זאת או שהתרחש כשל זמני.", "Error updating main address": "שגיאה בעדכון כתובת ראשית", - "Mark all as read": "סמן הכל כנקרא", "Jump to first unread message.": "קפצו להודעה הראשונה שלא נקראה.", "Invited by %(sender)s": "הוזמנו על ידי %(sender)s", "Revoke invite": "שלול הזמנה", @@ -712,19 +654,7 @@ "Error changing power level requirement": "שגיאה בשינוי דרישת דרגת ניהול", "Banned by %(displayName)s": "נחסם על ידי %(displayName)s", "Failed to unban": "שגיאה בהסרת חסימה", - "This widget may use cookies.": "יישומון זה עשוי להשתמש בעוגיות.", - "Widget added by": "ישומון נוסף על ידי", - "Widgets do not use message encryption.": "יישומונים אינם משתמשים בהצפנת הודעות.", - "Using this widget may share data with %(widgetDomain)s.": "שימוש ביישומון זה עשוי לשתף נתונים עם %(widgetDomain)s.", - "Widget ID": "קוד זהות הישומון", - "Room ID": "קוד זהות החדר", - "%(brand)s URL": "קישור %(brand)s", - "Your theme": "ערכת הנושא שלכם", - "Your user ID": "קוד זהות המשתמש שלכם", - "Your display name": "שם התצוגה שלך", - "Any of the following data may be shared:": "ניתן לשתף כל אחד מהנתונים הבאים:", "Cancel search": "בטל חיפוש", - "Something went wrong!": "משהו השתבש!", "Can't load this message": "לא ניתן לטעון הודעה זו", "Submit logs": "הגש יומנים", "edited": "נערך", @@ -733,8 +663,6 @@ "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": "הוסף אינטגרציה", - "Failed to copy": "שגיאה בהעתקה", - "Copied!": "הועתק!", "Browse": "דפדף", "Set a new custom sound": "הגדר צליל מותאם אישי", "Notification sound": "צליל התראה", @@ -752,16 +680,10 @@ "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.": "מנהל השרת שלך השבית הצפנה מקצה לקצה כברירת מחדל בחדרים פרטיים ובהודעות ישירות.", - "Message search": "חיפוש הודעה", - "Reject all %(invitedRooms)s invites": "דחה את כל ההזמנות של %(invitedRooms)s", - "Accept all %(invitedRooms)s invites": "קבל את כל ההזמנות של %(invitedRooms)s", - "Bulk options": "אפשרויות בתפזורת", - "": "<לא נתמך>", "Unignore": "הסר התעלמות", "Ignored users": "משתמשים שהתעלמתם מהם", "None": "ללא", "To report a Matrix-related security issue, please read the Matrix.org Security Disclosure Policy.": "כדי לדווח על בעיית אבטחה , אנא קראו את מדיניות גילוי האבטחה של Matrix.org .", - "General": "כללי", "Discovery": "מציאה", "Deactivate account": "סגור חשבון", "Deactivate Account": "סגור חשבון", @@ -769,8 +691,6 @@ "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": "כתובות דוא\"ל", - "Show advanced": "הצג מתקדם", - "Hide advanced": "הסתר מתקדם", "Manage integrations": "נהל שילובים", "Enter a new identity server": "הכנס שרת הזדהות חדש", "Do not use an identity server": "אל תשתמש בשרת הזדהות", @@ -794,21 +714,7 @@ "Disconnect from the identity server and connect to instead?": "התנתק משרת זיהוי עכשווי והתחבר אל במקום?", "Change identity server": "שנה כתובת של שרת הזיהוי", "Checking server": "בודק שרת", - "not ready": "לא מוכן", - "ready": "מוכן", - "Secret storage:": "אחסון סודי:", - "in account data": "במידע בחשבון", - "Secret storage public key:": "מקום שמירה סודי של המפתח הציבורי:", - "Backup key cached:": "גבה מפתח במטמון:", - "not stored": "לא שמור", - "Backup key stored:": "גבה מפתח שמור:", - "unexpected type": "סוג בלתי צפוי", - "well formed": "מעוצב היטב", "Back up your keys before signing out to avoid losing them.": "גבה את המפתחות שלך לפני היציאה כדי להימנע מלאבד אותם.", - "Favourited": "מועדפים", - "Forget Room": "שכח חדר", - "Jump to first invite.": "קפצו להזמנה ראשונה.", - "Jump to first unread room.": "קפצו לחדר הראשון שלא נקרא.", "%(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. האם תרצו להצטרף?", @@ -836,20 +742,12 @@ "This room is not public. You will not be able to rejoin without an invite.": "חדר זה אינו ציבורי. לא תוכל להצטרף שוב ללא הזמנה.", "Failed to reject invitation": "דחיית ההזמנה נכשלה", "Explore rooms": "גלה חדרים", - "Upload avatar": "העלה אוואטר", "Couldn't load page": "לא ניתן לטעון את הדף", "Sign in with SSO": "היכנס באמצעות SSO", "Country Dropdown": "נפתח במדינה", "This homeserver would like to make sure you are not a robot.": "שרת בית זה רוצה לוודא שאתה לא רובוט.", "This room is public": "חדר זה ציבורי", - "Move right": "הזז ימינה", - "Move left": "הזז שמאלה", - "Revoke permissions": "שלילת הרשאות", - "Remove for everyone": "הסר לכולם", - "Delete widget": "מחק ישומון", - "Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "מחיקת יישומון מסירה אותו לכל המשתמשים בחדר זה. האם אתה בטוח שברצונך למחוק את היישומון הזה?", "Delete Widget": "מחק ישומון", - "Take a picture": "צלם תמונה", "Resend %(unsentCount)s reaction(s)": "שלח שוב תגובות %(unsentCount)s", "Are you sure you want to reject the invitation?": "האם אתם בטוחים שברצונכם לדחות את ההזמנה?", "Reject invitation": "דחה הזמנה", @@ -1017,7 +915,6 @@ "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": "ייצא מפתחות לחדר", - "Unknown error": "שגיאה לא ידועה", "Passphrase must not be empty": "ביטוי הסיסמה לא יכול להיות ריק", "Passphrases must match": "ביטויי סיסמה חייבים להתאים", "Unable to set up secret storage": "לא ניתן להגדיר אחסון סודי", @@ -1046,7 +943,6 @@ "That matches!": "זה מתאים!", "Clear personal data": "נקה מידע אישי", "Failed to re-authenticate due to a homeserver problem": "האימות מחדש נכשל עקב בעיית שרת בית", - "Create account": "חשבון משתמש חדש", "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", @@ -1061,7 +957,6 @@ "A new password must be entered.": "יש להזין סיסמה חדשה.", "Could not load user profile": "לא ניתן לטעון את פרופיל המשתמש", "Switch theme": "שנה ערכת נושא", - "All settings": "כל ההגדרות", "Uploading %(filename)s and %(count)s others": { "one": "מעלה %(filename)s ו-%(count)s אחרים", "other": "מעלה %(filename)s ו-%(count)s אחרים" @@ -1084,7 +979,6 @@ "Dial pad": "לוח חיוג", "Set my room layout for everyone": "הגדר את פריסת החדר שלי עבור כולם", "Open dial pad": "פתח לוח חיוג", - "Back up your encryption keys with your account data in case you lose access to your sessions. Your keys will be secured with a unique Security Key.": "גבה את מפתחות ההצפנה שלך עם נתוני חשבונך במקרה שתאבד את הגישה להפעלות שלך. המפתחות שלך מאובטחים באמצעות מפתח אבטחה ייחודי.", "If you've forgotten your Security Key you can ": "אם שכחת את מפתח האבטחה שלך תוכל ", "Access your secure message history and set up secure messaging by entering your Security Key.": "גש להיסטוריית ההודעות המאובטחות שלך והגדר הודעות מאובטחות על ידי הזנת מפתח האבטחה שלך.", "Enter Security Key": "הזן מפתח אבטחה", @@ -1096,10 +990,7 @@ "Remember this": "זכור את זה", "The widget will verify your user ID, but won't be able to perform actions for you:": "היישומון יאמת את מזהה המשתמש שלך, אך לא יוכל לבצע פעולות עבורך:", "Allow this widget to verify your identity": "אפשר לווידג'ט זה לאמת את זהותך", - "Use app": "השתמש באפליקציה", - "Use app for a better experience": "השתמש באפליקציה לחוויה טובה יותר", "Your %(brand)s doesn't allow you to use an integration manager to do this. Please contact an admin.": "%(brand)s שלכם אינו מאפשר לך להשתמש במנהל שילוב לשם כך. אנא צרו קשר עם מנהל מערכת.", - "Using this widget may share data with %(widgetDomain)s & your integration manager.": "שימוש ביישומון זה עשוי לשתף נתונים עם %(widgetDomain)s ומנהל האינטגרציה שלך.", "Integration managers receive configuration data, and can modify widgets, send room invites, and set power levels on your behalf.": "מנהלי שילוב מקבלים נתוני תצורה ויכולים לשנות ווידג'טים, לשלוח הזמנות לחדר ולהגדיר רמות הספק מטעמכם.", "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) כדי לנהל בוטים, ווידג'טים וחבילות מדבקות.", @@ -1117,50 +1008,22 @@ "Connection failed": "החיבור נכשל", "Failed to remove user": "הסרת המשתמש נכשלה", "Failed to send": "השליחה נכשלה", - "Message search initialisation failed": "אתחול חיפוש הודעות נכשל", "Developer": "מפתח", "Experimental": "נִסיוֹנִי", - "Spaces": "מרחבי עבודה", "Messaging": "הודעות", "Moderation": "מְתִינוּת", - "Back to thread": "חזרה לשרשור", - "Room members": "חברי החדר", - "Back to chat": "חזרה לצ'אט", "Voice Message": "הודעה קולית", "Send voice message": "שלח הודעה קולית", "Your message was sent": "ההודעה שלך נשלחה", "Copy link to thread": "העתק קישור לשרשור", "Unknown failure": "כשל לא ידוע", "You have no ignored users.": "אין לך משתמשים שהתעלמו מהם.", - "Global": "כללי", - "Loading new room": "טוען חדר חדש", - "Sending invites... (%(progress)s out of %(count)s)": { - "one": "שולח הזמנה..." - }, - "Upgrade required": "נדרש שדרוג", - "Visibility": "רְאוּת", - "Share invite link": "שתף קישור להזמנה", - "Invite people": "הזמן אנשים", - "Leave Space": "עזוב את מרחב העבודה", - "Access": "גישה", - "Save Changes": "שמור שינוייים", - "Click to copy": "לחץ להעתקה", - "Show all rooms": "הצג את כל החדרים", "Create a space": "צור מרחב עבודה", "Address": "כתובת", - "Pin to sidebar": "הצמד לסרגל הצד", - "More options": "אפשרויות נוספות", - "Quick settings": "הגדרות מהירות", - "More": "יותר", - "Show sidebar": "הצג סרגל צד", - "Hide sidebar": "הסתר סרגל צד", - "Connecting": "מקשר", - "unknown person": "אדם לא ידוע", "Great! This Security Phrase looks strong enough.": "מצוין! ביטוי אבטחה זה נראה מספיק חזק.", "Not a valid Security Key": "מפתח האבטחה לא חוקי", "Failed to end poll": "תקלה בסגירת הסקר", "Confirm your Security Phrase": "אשר את ביטוי האבטחה שלך", - "Application window": "חלון אפליקציה", "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": "לא ניתן לערוךסקר", @@ -1183,10 +1046,6 @@ "one": "%(count)s.קולות הצביעו כדי לראות את התוצאות" }, "User Directory": "ספריית משתמשים", - "Recommended for public spaces.": "מומלץ למרחבי עבודה ציבוריים.", - "Allow people to preview your space before they join.": "אפשרו לאנשים תצוגה מקדימה של מרחב העבודה שלכם לפני שהם מצטרפים.", - "Preview Space": "תצוגה מקדימה של מרחב העבודה", - "Failed to update the visibility of this space": "עדכון הנראות של מרחב העבודה הזה נכשל", "MB": "MB", "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.": "האם אתם בטוחים שברצונכם לסיים את הסקר הזה? זה יציג את התוצאות הסופיות של הסקר וימנע מאנשים את האפשרות להצביע.", "End Poll": "סיים סקר", @@ -1199,7 +1058,6 @@ "You may want to try a different search or check for typos.": "אולי תרצו לנסות חיפוש אחר או לבדוק אם יש שגיאות הקלדה.", "We're creating a room with %(names)s": "יצרנו חדר עם %(names)s", "Thread options": "אפשרויות שרשור", - "Collapse reply thread": "אחד שרשור של התשובות", "Can't create a thread from an event with an existing relation": "לא ניתן ליצור שרשור מאירוע עם קשר קיים", "Open thread": "פתיחת שרשור", "From a thread": "משרשור", @@ -1211,7 +1069,6 @@ "Decrypting": "מפענח", "Downloading": "מוריד", "Jump to date": "קיפצו לתאריך", - "Review to ensure your account is safe": "בידקו כדי לוודא שהחשבון שלך בטוח", "You may contact me if you have any follow up questions": "אתם יכולים לתקשר איתי אם יש לכם שאלות המשך", "Feedback sent! Thanks, we appreciate it!": "משוב נשלח! תודה, אנחנו מודים לכם", "Search for rooms or people": "חפשו אנשים או חדרים", @@ -1220,21 +1077,11 @@ "Published addresses can be used by anyone on any server to join your space.": "כל אחד בכל שרת יכול להשתמש בכתובות שפורסמו כדי להצטרף למרחב העבודה שלכם.", "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": "ייצוא צ'אט", - "Please note: this is a labs feature using a temporary implementation. This means you will not be able to delete your location history, and advanced users will be able to see your location history even after you stop sharing your live location with this room.": "שימו לב: זוהי תכונת פיתוח המשתמשת ביישום זמני. משמעות הדבר היא שלא תוכלו למחוק את היסטוריית המיקומים שלכם, ומשתמשים מתקדמים יוכלו לראות את היסטוריית המיקומים שלך גם לאחר שתפסיקו לשתף את המיקום החי שלכם עם החדר הזה.", "Show Labs settings": "הצג את אופציית מעבדת הפיתוח", "To join, please enable video rooms in Labs first": "כדי להצטרף, נא אפשר תחילה וידאו במעבדת הפיתוח", "To view, please enable video rooms in Labs first": "כדי לצפות, אנא הפעל תחילה חדרי וידאו במעבדת הפיתוח", - "Group all your rooms that aren't part of a space in one place.": "קבצו את כל החדרים שלכם שאינם משויכים למרחב עבודה במקום אחד.", - "Rooms outside of a space": "חדרים שמחוץ למרחב העבודה", - "Group all your people in one place.": "קבצו את כל אנשי הקשר שלכם במקום אחד.", - "Group all your favourite rooms and people in one place.": "קבצו את כל החדרים ואנשי הקשר האהובים עליכם במקום אחד.", - "Show all your rooms in Home, even if they're in a space.": "הצג את כל החדרים שלכם במסך הבית, אפילו אם הם משויכים למרחב עבודה.", - "Home is useful for getting an overview of everything.": "מסך הבית עוזר לסקירה כללית.", - "Spaces are ways to group rooms and people. Alongside the spaces you're in, you can use some pre-built ones too.": "מרחבי עבודה הם דרך לקבץ חדרים ואנשים. במקביל למרחבי העבודה בהם אתם נמצאים ניתן להשתמש גם בכאלה שנבנו מראש.", - "Spaces to show": "מרחבי עבודה להצגה", "Access your secure message history and set up secure messaging by entering your Security Phrase.": "גש להיסטוריית ההודעות המאובטחת שלך והגדר הודעות מאובטחות על ידי הזנת ביטוי האבטחה שלך.", "@mentions & keywords": "אזכורים ומילות מפתח", - "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.": "הוספת מרחבי עבודה הוזז.", @@ -1261,33 +1108,9 @@ "Public space": "מרחב עבודה ציבורי", "Invite to this space": "הזמינו למרחב עבודה זה", "Space information": "מידע על מרחב העבודה", - "Updating spaces... (%(progress)s out of %(count)s)": { - "one": "מעדכן מרחב עבודה...", - "other": "מעדכן את מרחבי העבודה...%(progress)s מתוך %(count)s" - }, - "This upgrade will allow members of selected spaces access to this room without an invite.": "שדרוג זה יאפשר לחברים במרחבים נבחרים גישה לחדר זה ללא הזמנה.", - "This room is in some spaces you're not an admin of. In those spaces, the old room will still be shown, but people will be prompted to join the new one.": "החדר הזה נמצא בחלק ממרחבי העבודה שאתם לא מוגדרים כמנהלים בהם. במרחבים האלה, החדר הישן עדיין יוצג, אבל אנשים יתבקשו להצטרף לחדר החדש.", - "Space members": "משתתפי מרחב העבודה", - "Anyone in a space can find and join. You can select multiple spaces.": "כל אחד במרחב עבודה יכול למצוא ולהצטרף. אתם יכולים לבחור מספר מרחבי עבודה.", - "Anyone in can find and join. You can select other spaces too.": "כל אחד ב- יכול למצוא ולהצטרף. אתם יכולים לבחור גם מרחבי עבודה אחרים.", - "Spaces with access": "מרחבי עבודה עם גישה", - "Anyone in a space can find and join. Edit which spaces can access here.": "כל אחד במרחב העבודה יכול למצוא ולהצטרף. ערוך לאילו מרחבי עבודה יש גישה כאן.", - "Currently, %(count)s spaces have access": { - "one": "כרגע, למרחב העבודה יש גישה", - "other": "כרגע ל, %(count)s מרחבי עבודה יש גישה" - }, - "Space options": "אפשרויות מרחב העבודה", - "Decide who can view and join %(spaceName)s.": "החליטו מי יכול לראות ולהצטרף אל %(spaceName)s.", - "This may be useful for public spaces.": "זה יכול להיות שימושי למרחבי עבודה ציבוריים.", - "Guests can join a space without having an account.": "אורחים יכולים להצטרף אל מרחב העבודה ללא חשבון פעיל.", - "Failed to update the history visibility of this space": "נכשל עדכון נראות ההיסטוריה של מרחב עבודה זה", - "Failed to update the guest access of this space": "עדכון גישת האורח של מרחב העבודה הזה נכשל", - "Edit settings relating to your space.": "שינוי הגדרות הנוגעות למרחב העבודה שלכם.", - "Failed to save space settings.": "כישלון בשמירת הגדרות מרחב העבודה.", "To join a space you'll need an invite.": "כדי להצטרך אל מרחב עבודה, תהיו זקוקים להזמנה.", "Space selection": "בחירת מרחב עבודה", "Explore public spaces in the new search dialog": "חיקרו מרחבי עבודה ציבוריים בתיבת הדו-שיח החדשה של החיפוש", - "Search %(spaceName)s": "חיפוש %(spaceName)s", "%(spaceName)s and %(count)s others": { "one": "%(spaceName)sו%(count)sאחרים", "other": "%(spaceName)sו%(count)s אחרים" @@ -1295,30 +1118,20 @@ "%(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": "קבלו התראה רק עם אזכורים ומילות מפתח כפי שהוגדרו בהגדרות שלכם", - "New keyword": "מילת מפתח חדשה", - "Keyword": "מילת מפתח", "Location": "מיקום", - "Share location": "שתף מיקום", "Edit devices": "הגדרת מכשירים", "Role in ": "תפקיד בחדר ", "You won't get any notifications": "לא תקבל שום התראה", "Get notified for every message": "קבלת התראות על כל הודעה", "Get notifications as set up in your settings": "קבלת התראות על פי ההעדפות שלך במסךהגדרות", - "Enable guest access": "אפשר גישה לאורחים", "Unable to copy room link": "לא ניתן להעתיק קישור לחדר", - "Copy room link": "העתק קישור לחדר", - "Match system": "בהתאם למערכת", "Voice processing": "עיבוד קול", "Video settings": "הגדרות וידאו", "Automatically adjust the microphone volume": "התאמה אוטומטית של עוצמת המיקרופון", "Voice settings": "הגדרות קול", "Close sidebar": "סגור סרגל צד", - "Sidebar": "סרגל צד", "Deactivating your account is a permanent action — be careful!": "סגירת החשבון הינה פעולה שלא ניתנת לביטול - שים לב!", "Room info": "מידע על החדר", - "Search users in this room…": "חיפוש משתמשים בחדר זה…", - "Give one or multiple users in this room more privileges": "הענק למשתמש או מספר משתמשים בחדר זה הרשאות נוספות", - "Add privileged users": "הוספת משתמשים מורשים", "To publish an address, it needs to be set as a local address first.": "כדי לפרסם כתובת, יש להגדיר אותה ככתובת מקומית תחילה.", "Pinned messages": "הודעות נעוצות", "Pinned": "הודעות נעוצות", @@ -1408,7 +1221,14 @@ "off": "ללא", "all_rooms": "כל החדרים", "deselect_all": "הסר סימון מהכל", - "select_all": "בחר הכל" + "select_all": "בחר הכל", + "copied": "הועתק!", + "advanced": "מתקדם", + "spaces": "מרחבי עבודה", + "general": "כללי", + "profile": "פרופיל", + "display_name": "שם לתצוגה", + "user_avatar": "תמונת פרופיל" }, "action": { "continue": "המשך", @@ -1499,7 +1319,10 @@ "send_report": "שלח דיווח", "exit_fullscreeen": "יציאה ממסך מלא", "enter_fullscreen": "עברו למסך מלא", - "unban": "הסר חסימה" + "unban": "הסר חסימה", + "click_to_copy": "לחץ להעתקה", + "hide_advanced": "הסתר מתקדם", + "show_advanced": "הצג מתקדם" }, "a11y": { "user_menu": "תפריט משתמש", @@ -1511,7 +1334,8 @@ "one": "1 הודעה שלא נקראה.", "other": "%(count)s הודעות שלא נקראו." }, - "unread_messages": "הודעות שלא נקראו." + "unread_messages": "הודעות שלא נקראו.", + "jump_first_invite": "קפצו להזמנה ראשונה." }, "labs": { "latex_maths": "בצע מתמטיקה של LaTeX בהודעות", @@ -1623,7 +1447,6 @@ "user_a11y": "השלמה אוטומטית למשתמשים" } }, - "Bold": "מודגש", "Code": "קוד", "power_level": { "default": "ברירת מחדל", @@ -1731,7 +1554,8 @@ "noisy": "התראה קולית", "error_permissions_denied": "%(brand)s אין אישור לשלוח אליכם הודעות - אנא בדקו את הרשאות הדפדפן", "error_permissions_missing": "%(brand)s לא נתנו הרשאות לשלוח התרעות - אנא נסו שוב", - "error_title": "לא ניתן להפעיל התראות" + "error_title": "לא ניתן להפעיל התראות", + "push_targets": "יעדי התראה" }, "appearance": { "layout_bubbles": "בועות הודעות", @@ -1800,7 +1624,41 @@ "cryptography_section": "קריפטוגרפיה", "session_id": "מזהה מושב:", "session_key": "מפתח מושב:", - "encryption_section": "הצפנה" + "encryption_section": "הצפנה", + "bulk_options_section": "אפשרויות בתפזורת", + "bulk_options_accept_all_invites": "קבל את כל ההזמנות של %(invitedRooms)s", + "bulk_options_reject_all_invites": "דחה את כל ההזמנות של %(invitedRooms)s", + "message_search_section": "חיפוש הודעה", + "encryption_individual_verification_mode": "אמת בנפרד כל מושב שמשתמש בו כדי לסמן אותו כאמצעי מהימן, ולא אמון על מכשירים חתומים צולבים.", + "message_search_enabled": { + "one": "שמור באופן מאובטח הודעות מוצפנות באופן מקומי כדי שיופיעו בתוצאות החיפוש באמצעות %(size)s לשמור הודעות מחדרים %(rooms)s.", + "other": "שמור באופן מאובטח הודעות מוצפנות באופן מקומי כדי שיופיעו בתוצאות החיפוש באמצעות %(size)s לשמור הודעות מחדרים %(rooms)s." + }, + "message_search_disabled": "שמור באופן מאובטח הודעות מוצפנות באופן מקומי כדי שיופיעו בתוצאות החיפוש.", + "message_search_unsupported": "%(brand)s חסרים כמה רכיבים הנדרשים לצורך אחסון במטמון מאובטח של הודעות מוצפנות באופן מקומי. אם תרצה להתנסות בתכונה זו, בנה %(brand)s מותאם אישית לדסקטום עם חפש רכיבים להוספה.", + "message_search_unsupported_web": "%(brand)s אינם יכולים לשמור במטמון מאובטח הודעות מוצפנות באופן מקומי בזמן שהם פועלים בדפדפן אינטרנט. השתמש ב- %(brand)s Desktop כדי שהודעות מוצפנות יופיעו בתוצאות החיפוש.", + "message_search_failed": "אתחול חיפוש הודעות נכשל", + "backup_key_well_formed": "מעוצב היטב", + "backup_key_unexpected_type": "סוג בלתי צפוי", + "backup_keys_description": "גבה את מפתחות ההצפנה שלך עם נתוני חשבונך במקרה שתאבד את הגישה להפעלות שלך. המפתחות שלך מאובטחים באמצעות מפתח אבטחה ייחודי.", + "backup_key_stored_status": "גבה מפתח שמור:", + "cross_signing_not_stored": "לא שמור", + "backup_key_cached_status": "גבה מפתח במטמון:", + "4s_public_key_status": "מקום שמירה סודי של המפתח הציבורי:", + "4s_public_key_in_account_data": "במידע בחשבון", + "secret_storage_status": "אחסון סודי:", + "secret_storage_ready": "מוכן", + "secret_storage_not_ready": "לא מוכן", + "delete_backup": "מחק גיבוי", + "delete_backup_confirm_description": "האם אתה בטוח? תאבד את ההודעות המוצפנות שלך אם המפתחות שלך לא מגובים כראוי.", + "error_loading_key_backup_status": "לא ניתן לטעון את מצב גיבוי המפתח", + "restore_key_backup": "שחזר מגיבוי", + "key_backup_inactive": "הפעלה זו אינה מגבה את המפתחות שלך , אך יש לך גיבוי קיים ממנו תוכל לשחזר ולהוסיף להמשך.", + "key_backup_connect_prompt": "חבר את ההפעלה הזו לגיבוי המפתח לפני היציאה, כדי למנוע אובדן מפתחות שיכולים להיות רק בפגישה זו.", + "key_backup_connect": "חבר את התחברות הזו לגיבוי מפתח", + "key_backup_complete": "כל המפתחות מגובים", + "key_backup_algorithm": "אלגוריתם:", + "key_backup_inactive_warning": "המפתחות שלך אינם מגובים מהתחברות זו ." }, "preferences": { "room_list_heading": "רשימת חדרים", @@ -1844,7 +1702,22 @@ "add_msisdn_confirm_sso_button": "אשר הוספת מספר טלפון על ידי כניסה חד שלבית לאימות חשבונכם.", "add_msisdn_confirm_button": "אישור הוספת מספר טלפון", "add_msisdn_confirm_body": "לחצו על הכפתור לאישור הוספת מספר הטלפון הזה.", - "add_msisdn_dialog_title": "הוסף מספר טלפון" + "add_msisdn_dialog_title": "הוסף מספר טלפון", + "name_placeholder": "אין שם לתצוגה", + "error_saving_profile_title": "שמירת הפרופיל שלך נכשלה", + "error_saving_profile": "לא ניתן היה להשלים את הפעולה" + }, + "sidebar": { + "title": "סרגל צד", + "metaspaces_subsection": "מרחבי עבודה להצגה", + "metaspaces_description": "מרחבי עבודה הם דרך לקבץ חדרים ואנשים. במקביל למרחבי העבודה בהם אתם נמצאים ניתן להשתמש גם בכאלה שנבנו מראש.", + "metaspaces_home_description": "מסך הבית עוזר לסקירה כללית.", + "metaspaces_favourites_description": "קבצו את כל החדרים ואנשי הקשר האהובים עליכם במקום אחד.", + "metaspaces_people_description": "קבצו את כל אנשי הקשר שלכם במקום אחד.", + "metaspaces_orphans": "חדרים שמחוץ למרחב העבודה", + "metaspaces_orphans_description": "קבצו את כל החדרים שלכם שאינם משויכים למרחב עבודה במקום אחד.", + "metaspaces_home_all_rooms_description": "הצג את כל החדרים שלכם במסך הבית, אפילו אם הם משויכים למרחב עבודה.", + "metaspaces_home_all_rooms": "הצג את כל החדרים" } }, "devtools": { @@ -2194,7 +2067,11 @@ "see_older_messages": "לחץ כאן לראות הודעות ישנות." }, "creation_summary_dm": "%(creator)s יצר את DM הזה.", - "creation_summary_room": "%(creator)s יצר/ה והגדיר/ה את החדר." + "creation_summary_room": "%(creator)s יצר/ה והגדיר/ה את החדר.", + "context_menu": { + "external_url": "כתובת URL אתר המקור", + "collapse_reply_thread": "אחד שרשור של התשובות" + } }, "slash_command": { "spoiler": "שולח הודעה ומסמן אותה כספוילר", @@ -2366,10 +2243,16 @@ "no_permission_conference_description": "אין לכם הרשאות להתחיל ועידה בחדר זה", "default_device": "התקן ברירת מחדל", "no_media_perms_title": "אין הרשאות מדיה", - "no_media_perms_description": "ייתכן שיהיה עליך לאפשר ידנית ל-%(brand)s גישה למיקרופון / מצלמת האינטרנט שלך" + "no_media_perms_description": "ייתכן שיהיה עליך לאפשר ידנית ל-%(brand)s גישה למיקרופון / מצלמת האינטרנט שלך", + "join_button_tooltip_connecting": "מקשר", + "hide_sidebar_button": "הסתר סרגל צד", + "show_sidebar_button": "הצג סרגל צד", + "more_button": "יותר", + "screenshare_window": "חלון אפליקציה", + "unknown_person": "אדם לא ידוע", + "connecting": "מקשר" }, "Other": "אחר", - "Advanced": "מתקדם", "room_settings": { "permissions": { "m.room.avatar_space": "שנה את דמות מרחב העבודה", @@ -2404,7 +2287,10 @@ "title": "תפקידים והרשאות", "permissions_section": "הרשאות", "permissions_section_description_space": "ביחרו את ההרשאות הנדרשות כדי לשנות חלקים שונים של מרחב העבודה", - "permissions_section_description_room": "בחר את התפקידים הנדרשים לשינוי חלקים שונים של החדר" + "permissions_section_description_room": "בחר את התפקידים הנדרשים לשינוי חלקים שונים של החדר", + "add_privileged_user_heading": "הוספת משתמשים מורשים", + "add_privileged_user_description": "הענק למשתמש או מספר משתמשים בחדר זה הרשאות נוספות", + "add_privileged_user_filter_placeholder": "חיפוש משתמשים בחדר זה…" }, "security": { "strict_encryption": "לעולם אל תשלח הודעות מוצפנות אל התחברות שאינה מאומתת בחדר זה, מהתחברות זו", @@ -2424,7 +2310,27 @@ "history_visibility_shared": "חברים בלבד (מרגע בחירת אפשרות זו)", "history_visibility_invited": "חברים בלבד (מאז שהוזמנו)", "history_visibility_joined": "חברים בלבד (מאז שהצטרפו)", - "history_visibility_world_readable": "כולם" + "history_visibility_world_readable": "כולם", + "join_rule_upgrade_required": "נדרש שדרוג", + "join_rule_restricted_summary": { + "one": "כרגע, למרחב העבודה יש גישה", + "other": "כרגע ל, %(count)s מרחבי עבודה יש גישה" + }, + "join_rule_restricted_description": "כל אחד במרחב העבודה יכול למצוא ולהצטרף. ערוך לאילו מרחבי עבודה יש גישה כאן.", + "join_rule_restricted_description_spaces": "מרחבי עבודה עם גישה", + "join_rule_restricted_description_active_space": "כל אחד ב- יכול למצוא ולהצטרף. אתם יכולים לבחור גם מרחבי עבודה אחרים.", + "join_rule_restricted_description_prompt": "כל אחד במרחב עבודה יכול למצוא ולהצטרף. אתם יכולים לבחור מספר מרחבי עבודה.", + "join_rule_restricted": "משתתפי מרחב העבודה", + "join_rule_restricted_upgrade_warning": "החדר הזה נמצא בחלק ממרחבי העבודה שאתם לא מוגדרים כמנהלים בהם. במרחבים האלה, החדר הישן עדיין יוצג, אבל אנשים יתבקשו להצטרף לחדר החדש.", + "join_rule_restricted_upgrade_description": "שדרוג זה יאפשר לחברים במרחבים נבחרים גישה לחדר זה ללא הזמנה.", + "join_rule_upgrade_awaiting_room": "טוען חדר חדש", + "join_rule_upgrade_sending_invites": { + "one": "שולח הזמנה..." + }, + "join_rule_upgrade_updating_spaces": { + "one": "מעדכן מרחב עבודה...", + "other": "מעדכן את מרחבי העבודה...%(progress)s מתוך %(count)s" + } }, "general": { "publish_toggle": "לפרסם את החדר הזה לציבור במדריך החדרים של%(domain)s?", @@ -2434,7 +2340,11 @@ "default_url_previews_off": "תצוגות מקדימות של כתובות אתרים מושבתות כברירת מחדל עבור משתתפים בחדר זה.", "url_preview_encryption_warning": "בחדרים מוצפנים, כמו זה, תצוגות מקדימות של כתובות אתרים מושבתות כברירת מחדל כדי להבטיח ששרת הבית שלך (במקום בו נוצרות התצוגות המקדימות) אינו יכול לאסוף מידע על קישורים שאתה רואה בחדר זה.", "url_preview_explainer": "כאשר מישהו מכניס כתובת URL להודעה שלו, ניתן להציג תצוגה מקדימה של כתובת אתר כדי לתת מידע נוסף על קישור זה, כמו הכותרת, התיאור והתמונה מהאתר.", - "url_previews_section": "תצוגת קישורים" + "url_previews_section": "תצוגת קישורים", + "error_save_space_settings": "כישלון בשמירת הגדרות מרחב העבודה.", + "description_space": "שינוי הגדרות הנוגעות למרחב העבודה שלכם.", + "save": "שמור שינוייים", + "leave_space": "עזוב את מרחב העבודה" }, "advanced": { "unfederated": "לא ניתן לגשת לחדר זה באמצעות שרתי מטריקס מרוחקים", @@ -2444,6 +2354,23 @@ "room_predecessor": "צפה בהודעות ישנות ב-%(roomName)s.", "room_version_section": "גרסאת חדר", "room_version": "גרסאת חדש:" + }, + "upload_avatar_label": "העלה אוואטר", + "visibility": { + "error_update_guest_access": "עדכון גישת האורח של מרחב העבודה הזה נכשל", + "error_update_history_visibility": "נכשל עדכון נראות ההיסטוריה של מרחב עבודה זה", + "guest_access_explainer": "אורחים יכולים להצטרף אל מרחב העבודה ללא חשבון פעיל.", + "guest_access_explainer_public_space": "זה יכול להיות שימושי למרחבי עבודה ציבוריים.", + "title": "רְאוּת", + "error_failed_save": "עדכון הנראות של מרחב העבודה הזה נכשל", + "history_visibility_anyone_space": "תצוגה מקדימה של מרחב העבודה", + "history_visibility_anyone_space_description": "אפשרו לאנשים תצוגה מקדימה של מרחב העבודה שלכם לפני שהם מצטרפים.", + "history_visibility_anyone_space_recommendation": "מומלץ למרחבי עבודה ציבוריים.", + "guest_access_label": "אפשר גישה לאורחים" + }, + "access": { + "title": "גישה", + "description_space": "החליטו מי יכול לראות ולהצטרף אל %(spaceName)s." } }, "encryption": { @@ -2466,7 +2393,10 @@ "unsupported_method": "לא מצליח למצוא שיטות אימות נתמכות.", "waiting_other_device": "ממתין לאישור שלך במכשיר השני…", "waiting_other_user": "ממתין ל- %(displayName)s בכדי לאמת…", - "cancelling": "מבטל…" + "cancelling": "מבטל…", + "unverified_sessions_toast_description": "בידקו כדי לוודא שהחשבון שלך בטוח", + "unverified_sessions_toast_reject": "מאוחר יותר", + "unverified_session_toast_title": "כניסה חדשה. האם זה אתם?" }, "old_version_detected_title": "נתגלו נתוני הצפנה ישנים", "old_version_detected_description": "נתגלו גרסאות ישנות יותר של %(brand)s. זה יגרום לתקלה בקריפטוגרפיה מקצה לקצה בגרסה הישנה יותר. הודעות מוצפנות מקצה לקצה שהוחלפו לאחרונה בעת השימוש בגרסה הישנה עשויות שלא להיות ניתנות לפענוח בגירסה זו. זה עלול גם לגרום להודעות שהוחלפו עם גרסה זו להיכשל. אם אתה נתקל בבעיות, צא וחזור שוב. כדי לשמור על היסטוריית ההודעות, ייצא וייבא מחדש את המפתחות שלך.", @@ -2476,7 +2406,17 @@ "bootstrap_title": "מגדיר מפתחות", "export_unsupported": "הדפדפן שלכם אינו תומך בהצפנה הדרושה", "import_invalid_keyfile": "קובץ מפתח של %(brand)s אינו תקין", - "import_invalid_passphrase": "האימות שלכם נכשל: סיסמא שגויה?" + "import_invalid_passphrase": "האימות שלכם נכשל: סיסמא שגויה?", + "set_up_toast_title": "צור גיבוי מאובטח", + "upgrade_toast_title": "שדרוג הצפנה קיים", + "verify_toast_title": "אשרו את ההתחברות הזאת", + "set_up_toast_description": "שמור מפני איבוד גישה אל הודעות ומידע מוצפן", + "verify_toast_description": "יתכן משתמשים אחרים לא יבטחו בזה", + "cross_signing_unsupported": "השרת שלכם אינו תומך בחתימות-צולבות.", + "cross_signing_ready": "חתימה צולבת מוכנה לשימוש.", + "cross_signing_untrusted": "לחשבונך זהות חתימה צולבת באחסון סודי, אך הפגישה זו אינה מהימנה עדיין.", + "cross_signing_not_ready": "חתימה צולבת אינה מוגדרת עדיין.", + "not_supported": "<לא נתמך>" }, "emoji": { "category_frequently_used": "לעיתים קרובות בשימוש", @@ -2495,7 +2435,8 @@ "enable_prompt": "עזרו בשיפור %(analyticsOwner)s", "consent_migration": "הסכמתם בעבר לשתף איתנו מידע אנונימי לגבי השימוש שלכם. אנחנו מעדכנים איך זה מתבצע.", "learn_more": "שתף נתונים אנונימיים כדי לעזור לנו לזהות בעיות. ללא אישי. אין צדדים שלישיים. למידע נוסף", - "accept_button": "זה בסדר" + "accept_button": "זה בסדר", + "shared_data_heading": "ניתן לשתף כל אחד מהנתונים הבאים:" }, "chat_effects": { "confetti_description": "שולח הודעה זו ביחד עם קונפטי", @@ -2618,7 +2559,8 @@ "no_hs_url_provided": "לא סופקה כתובת של שרת הראשי", "autodiscovery_unexpected_error_hs": "שגיאה לא צפוייה של התחברות לשרת הראשי", "autodiscovery_unexpected_error_is": "שגיאה לא צפויה בהתחברות אל שרת הזיהוי", - "incorrect_credentials_detail": "שים לב שאתה מתחבר לשרת %(hs)s, לא ל- matrix.org." + "incorrect_credentials_detail": "שים לב שאתה מתחבר לשרת %(hs)s, לא ל- matrix.org.", + "create_account_title": "חשבון משתמש חדש" }, "room_list": { "sort_unread_first": "הצג תחילה חדרים עם הודעות שלא נקראו", @@ -2649,7 +2591,8 @@ "intro_welcome": "ברוכים הבאים אל %(appName)s", "send_dm": "שלח הודעה ישירה", "explore_rooms": "חקור חדרים ציבוריים", - "create_room": "צור צ'אט קבוצתי" + "create_room": "צור צ'אט קבוצתי", + "create_account": "חשבון משתמש חדש" }, "setting": { "help_about": { @@ -2724,7 +2667,28 @@ }, "error_need_to_be_logged_in": "עליכם להיות מחוברים.", "error_need_invite_permission": "עליכם להיות מאושרים להזמין משתמשים על מנת לבצע פעולה זו.", - "no_name": "אפליקציה לא ידועה" + "no_name": "אפליקציה לא ידועה", + "context_menu": { + "screenshot": "צלם תמונה", + "delete": "מחק ישומון", + "delete_warning": "מחיקת יישומון מסירה אותו לכל המשתמשים בחדר זה. האם אתה בטוח שברצונך למחוק את היישומון הזה?", + "remove": "הסר לכולם", + "revoke": "שלילת הרשאות", + "move_left": "הזז שמאלה", + "move_right": "הזז ימינה" + }, + "shared_data_name": "שם התצוגה שלך", + "shared_data_mxid": "קוד זהות המשתמש שלכם", + "shared_data_theme": "ערכת הנושא שלכם", + "shared_data_url": "קישור %(brand)s", + "shared_data_room_id": "קוד זהות החדר", + "shared_data_widget_id": "קוד זהות הישומון", + "shared_data_warning_im": "שימוש ביישומון זה עשוי לשתף נתונים עם %(widgetDomain)s ומנהל האינטגרציה שלך.", + "shared_data_warning": "שימוש ביישומון זה עשוי לשתף נתונים עם %(widgetDomain)s.", + "unencrypted_warning": "יישומונים אינם משתמשים בהצפנת הודעות.", + "added_by": "ישומון נוסף על ידי", + "cookie_warning": "יישומון זה עשוי להשתמש בעוגיות.", + "popout": "יישומון קופץ" }, "feedback": { "sent": "משוב נשלח", @@ -2793,9 +2757,13 @@ "failed_load_rooms": "טעינת רשימת החדרים נכשלה.", "incompatible_server_hierarchy": "השרת שלכם אינו תומך בהצגת היררכית חללי עבודה.", "context_menu": { - "explore": "גלה חדרים" + "explore": "גלה חדרים", + "options": "אפשרויות מרחב העבודה" }, - "share_public": "שתף את מרחב העבודה הציבורי שלך" + "share_public": "שתף את מרחב העבודה הציבורי שלך", + "search_children": "חיפוש %(spaceName)s", + "invite_link": "שתף קישור להזמנה", + "invite": "הזמן אנשים" }, "location_sharing": { "MapStyleUrlNotReachable": "שרת בית זה אינו מוגדר כהלכה להצגת מפות, או ששרת המפות המוגדר אינו ניתן לגישה.", @@ -2805,7 +2773,9 @@ "location_not_available": "מיקום אינו זמין", "mapbox_logo": "לוגו", "reset_bearing": "נעלו את המפה לכיוון צפון", - "failed_generic": "איתור המיקום שלך נכשל. אנא נסה שוב מאוחר יותר." + "failed_generic": "איתור המיקום שלך נכשל. אנא נסה שוב מאוחר יותר.", + "live_enable_description": "שימו לב: זוהי תכונת פיתוח המשתמשת ביישום זמני. משמעות הדבר היא שלא תוכלו למחוק את היסטוריית המיקומים שלכם, ומשתמשים מתקדמים יוכלו לראות את היסטוריית המיקומים שלך גם לאחר שתפסיקו לשתף את המיקום החי שלכם עם החדר הזה.", + "share_button": "שתף מיקום" }, "labs_mjolnir": { "room_name": "רשימת החסומים שלי", @@ -2840,7 +2810,6 @@ }, "create_space": { "name_required": "נא הגדירו שם עבור מרחב העבודה", - "name_placeholder": "לדוגמא מרחב העבודה שלי", "explainer": "מרחבי עבודה הם דרך חדשה לקבץ חדרים ואנשים. איזה סוג של מרחב עבודה אתם רוצים ליצור? תוכלו לשנות זאת מאוחר יותר.", "public_description": "מרחב עבודה פתוח לכולם, מיועד לקהילות", "public_heading": "מרחב העבודה הציבורי שלך", @@ -2867,11 +2836,15 @@ "setup_rooms_community_description": "בואו ניצור חדר לכל אחד מהם.", "setup_rooms_description": "אתם יכולים להוסיף עוד מאוחר יותר, כולל אלה שכבר קיימים.", "setup_rooms_private_heading": "על אילו פרויקטים הצוות שלכם עובד?", - "setup_rooms_private_description": "ניצור חדרים לכל אחד מהם." + "setup_rooms_private_description": "ניצור חדרים לכל אחד מהם.", + "address_placeholder": "לדוגמא מרחב העבודה שלי", + "address_label": "כתובת", + "label": "צור מרחב עבודה" }, "user_menu": { "switch_theme_light": "שנה למצב בהיר", - "switch_theme_dark": "שנה למצב כהה" + "switch_theme_dark": "שנה למצב כהה", + "settings": "כל ההגדרות" }, "notif_panel": { "empty_heading": "אתם כבר מעודכנים בהכל", @@ -2900,7 +2873,15 @@ "leave_error_title": "שגיאת נסיון לצאת מהחדר", "upgrade_error_title": "שגיאה בשדרוג חדר", "upgrade_error_description": "בדקו שהשרת תומך בגרסאת החדר ונסו שוב.", - "leave_server_notices_description": "החדר הזה משמש להודעות חשובות מהשרת ולכן אינכם יכולים לעזוב אותו." + "leave_server_notices_description": "החדר הזה משמש להודעות חשובות מהשרת ולכן אינכם יכולים לעזוב אותו.", + "error_join_incompatible_version_2": "אנא צרו קשר עם מנהל השרת שלכם.", + "context_menu": { + "unfavourite": "מועדפים", + "favourite": "מועדף", + "copy_link": "העתק קישור לחדר", + "low_priority": "עדיפות נמוכה", + "forget": "שכח חדר" + } }, "file_panel": { "guest_note": "עליך להירשם כדי להשתמש בפונקציונליות זו", @@ -2920,7 +2901,8 @@ "tac_button": "עיין בתנאים ובהגבלות", "identity_server_no_terms_title": "לשרת הזיהוי אין כללי שרות", "identity_server_no_terms_description_1": "פעולה זו דורשת להכנס אל שרת הזיהוי לאשר מייל או טלפון, אבל לשרת אין כללי שרות.", - "identity_server_no_terms_description_2": "המשיכו רק אם הנכם בוטחים בבעלים של השרת." + "identity_server_no_terms_description_2": "המשיכו רק אם הנכם בוטחים בבעלים של השרת.", + "inline_intro_text": "קבל להמשך:" }, "poll": { "create_poll_title": "צרו סקר", @@ -2980,7 +2962,13 @@ "admin_contact": "אנא פנה למנהל השירות שלך כדי להמשיך להשתמש בשירות זה.", "connection": "הייתה תקשורת עם שרת הבית. נסה שוב מאוחר יותר.", "mixed_content": "לא ניתן להתחבר לשרת ביתי באמצעות HTTP כאשר כתובת HTTPS נמצאת בסרגל הדפדפן שלך. השתמש ב- HTTPS או הפעל סקריפטים לא בטוחים .", - "tls": "לא ניתן להתחבר לשרת בית - אנא בדוק את הקישוריות שלך, וודא ש- תעודת ה- SSL של שרת הביתה שלך מהימנה ושהסיומת לדפדפן אינה חוסמת בקשות." + "tls": "לא ניתן להתחבר לשרת בית - אנא בדוק את הקישוריות שלך, וודא ש- תעודת ה- SSL של שרת הביתה שלך מהימנה ושהסיומת לדפדפן אינה חוסמת בקשות.", + "admin_contact_short": "צרו קשר עם מנהל השרת.", + "non_urgent_echo_failure_toast": "השרת שלכם אינו מגיב לבקשות מסויימות בקשות.", + "failed_copy": "שגיאה בהעתקה", + "something_went_wrong": "משהו השתבש!", + "update_power_level": "שינוי דרגת מנהל נכשל", + "unknown": "שגיאה לא ידועה" }, "in_space1_and_space2": "במרחבי עבודה %(space1Name)sו%(space2Name)s.", "in_space_and_n_other_spaces": { @@ -2988,5 +2976,49 @@ "other": "%(spaceName)sו%(count)s מרחבי עבודה אחרים." }, "in_space": "במרחבי עבודה%(spaceName)s.", - "name_and_id": "%(userId)s %(name)s" + "name_and_id": "%(userId)s %(name)s", + "items_and_n_others": { + "one": " ועוד אחד אחר", + "other": " ו%(count)s אחרים" + }, + "notifications": { + "enable_prompt_toast_title_from_message_send": "אל תפספסו תגובה", + "enable_prompt_toast_title": "התראות", + "enable_prompt_toast_description": "אשרו התראות שולחן עבודה", + "colour_none": "ללא", + "colour_bold": "מודגש", + "error_change_title": "שינוי הגדרת התרעות", + "mark_all_read": "סמן הכל כנקרא", + "keyword": "מילת מפתח", + "keyword_new": "מילת מפתח חדשה", + "class_global": "כללי", + "class_other": "אחר", + "mentions_keywords": "אזכורים ומילות מפתח" + }, + "mobile_guide": { + "toast_title": "השתמש באפליקציה לחוויה טובה יותר", + "toast_accept": "השתמש באפליקציה" + }, + "chat_card_back_action_label": "חזרה לצ'אט", + "room_summary_card_back_action_label": "מידע החדר", + "member_list_back_action_label": "חברי החדר", + "thread_view_back_action_label": "חזרה לשרשור", + "quick_settings": { + "title": "הגדרות מהירות", + "all_settings": "כל ההגדרות", + "metaspace_section": "הצמד לסרגל הצד", + "sidebar_settings": "אפשרויות נוספות" + }, + "theme": { + "match_system": "בהתאם למערכת" + }, + "lightbox": { + "rotate_left": "סובב שמאלה", + "rotate_right": "סובב ימינה" + }, + "a11y_jump_first_unread_room": "קפצו לחדר הראשון שלא נקרא.", + "integration_manager": { + "error_connecting_heading": "לא ניתן להתחבר אל מנהל האינטגרציה", + "error_connecting": "מנהל האינטגרציה לא מקוון או שהוא לא יכול להגיע לשרת הבית שלך." + } } diff --git a/src/i18n/strings/hi.json b/src/i18n/strings/hi.json index d53853376f..df5eb50aa1 100644 --- a/src/i18n/strings/hi.json +++ b/src/i18n/strings/hi.json @@ -32,22 +32,16 @@ "Moderator": "मध्यस्थ", "Reason": "कारण", "Send": "भेजें", - "Please contact your homeserver administrator.": "कृपया अपने होमसर्वर व्यवस्थापक से संपर्क करें।", "Incorrect verification code": "गलत सत्यापन कोड", - "No display name": "कोई प्रदर्शन नाम नहीं", "Warning!": "चेतावनी!", "Authentication": "प्रमाणीकरण", "Failed to set display name": "प्रदर्शन नाम सेट करने में विफल", - "Delete Backup": "बैकअप हटाएं", - "Unable to load key backup status": "कुंजी बैकअप स्थिति लोड होने में असमर्थ", - "Notification targets": "अधिसूचना के लक्ष्य", "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": "उपयोगकर्ता को म्यूट करने में विफल", - "Failed to change power level": "पावर स्तर बदलने में विफल", "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": "अनदेखा न करें", @@ -136,32 +130,21 @@ "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": "ईमेल पता", - "Are you sure? You will lose your encrypted messages if your keys are not backed up properly.": "क्या आपको यकीन है? यदि आपकी कुंजियाँ ठीक से बैकअप नहीं हैं तो आप अपने एन्क्रिप्टेड संदेशों को खो देंगे।", "Encrypted messages are secured with end-to-end encryption. Only you and the recipient(s) have the keys to read these messages.": "एन्क्रिप्ट किए गए संदेश एंड-टू-एंड एन्क्रिप्शन के साथ सुरक्षित हैं। केवल आपके और प्राप्तकर्ता के पास ही इन संदेशों को पढ़ने की कुंजी है।", - "Restore from Backup": "बैकअप से बहाल करना", "Back up your keys before signing out to avoid losing them.": "उन्हें खोने से बचने के लिए साइन आउट करने से पहले अपनी कुंजियों का बैकअप लें।", - "All keys backed up": "सभी कुंजियाँ वापस आ गईं", "Start using Key Backup": "कुंजी बैकअप का उपयोग करना शुरू करें", "Unable to verify phone number.": "फ़ोन नंबर सत्यापित करने में असमर्थ।", "Verification code": "पुष्टि संख्या", "Phone Number": "फ़ोन नंबर", - "Profile picture": "प्रोफ़ाइल फोटो", - "Display Name": "प्रदर्शित होने वाला नाम", "Room information": "रूम जानकारी", - "General": "सामान्य", "Room Addresses": "रूम का पता", "Failed to change password. Is your password correct?": "पासवर्ड बदलने में विफल। क्या आपका पासवर्ड सही है?", - "Profile": "प्रोफाइल", "Email addresses": "ईमेल पता", "Phone numbers": "फोन नंबर", "Account management": "खाता प्रबंधन", "Deactivate Account": "खाता निष्क्रिय करें", - "Notifications": "सूचनाएं", "Scissors": "कैंची", - "": "<समर्थित नहीं>", "Ignored users": "अनदेखी उपयोगकर्ताओं", - "Bulk options": "थोक विकल्प", - "Reject all %(invitedRooms)s invites": "सभी %(invitedRooms)s की आमंत्रण को अस्वीकार करें", "Missing media permissions, click the button below to request.": "मीडिया अनुमतियाँ गुम, अनुरोध करने के लिए नीचे दिए गए बटन पर क्लिक करें।", "Request media permissions": "मीडिया अनुमति का अनुरोध करें", "No Audio Outputs detected": "कोई ऑडियो आउटपुट नहीं मिला", @@ -343,7 +326,12 @@ "someone": "कोई", "unnamed_room": "अनाम रूम", "on": "चालू", - "off": "बंद" + "off": "बंद", + "advanced": "उन्नत", + "general": "सामान्य", + "profile": "प्रोफाइल", + "display_name": "प्रदर्शित होने वाला नाम", + "user_avatar": "प्रोफ़ाइल फोटो" }, "action": { "continue": "आगे बढ़ें", @@ -426,7 +414,8 @@ "noisy": "शोरगुल", "error_permissions_denied": "%(brand)s को आपको सूचनाएं भेजने की अनुमति नहीं है - कृपया अपनी ब्राउज़र सेटिंग जांचें", "error_permissions_missing": "%(brand)s को सूचनाएं भेजने की अनुमति नहीं दी गई थी - कृपया पुनः प्रयास करें", - "error_title": "अधिसूचनाएं सक्षम करने में असमर्थ" + "error_title": "अधिसूचनाएं सक्षम करने में असमर्थ", + "push_targets": "अधिसूचना के लक्ष्य" }, "appearance": { "timeline_image_size_default": "डिफ़ॉल्ट", @@ -441,7 +430,14 @@ "send_analytics": "विश्लेषण डेटा भेजें", "export_megolm_keys": "E2E रूम कुंजी निर्यात करें", "import_megolm_keys": "E2E कक्ष की चाबियां आयात करें", - "cryptography_section": "क्रिप्टोग्राफी" + "cryptography_section": "क्रिप्टोग्राफी", + "bulk_options_section": "थोक विकल्प", + "bulk_options_reject_all_invites": "सभी %(invitedRooms)s की आमंत्रण को अस्वीकार करें", + "delete_backup": "बैकअप हटाएं", + "delete_backup_confirm_description": "क्या आपको यकीन है? यदि आपकी कुंजियाँ ठीक से बैकअप नहीं हैं तो आप अपने एन्क्रिप्टेड संदेशों को खो देंगे।", + "error_loading_key_backup_status": "कुंजी बैकअप स्थिति लोड होने में असमर्थ", + "restore_key_backup": "बैकअप से बहाल करना", + "key_backup_complete": "सभी कुंजियाँ वापस आ गईं" }, "preferences": { "room_list_heading": "कक्ष सूचि", @@ -459,7 +455,8 @@ "add_msisdn_confirm_sso_button": "अपनी पहचान साबित करने के लिए सिंगल साइन ऑन का उपयोग करके इस फ़ोन नंबर को जोड़ने की पुष्टि करें।", "add_msisdn_confirm_button": "फ़ोन नंबर जोड़ने की पुष्टि करें", "add_msisdn_confirm_body": "इस फ़ोन नंबर को जोड़ने की पुष्टि करने के लिए नीचे दिए गए बटन पर क्लिक करें।", - "add_msisdn_dialog_title": "फोन नंबर डालें" + "add_msisdn_dialog_title": "फोन नंबर डालें", + "name_placeholder": "कोई प्रदर्शन नाम नहीं" } }, "timeline": { @@ -597,7 +594,6 @@ "default_device": "डिफ़ॉल्ट उपकरण", "no_media_perms_title": "मीडिया की अनुमति नहीं" }, - "Advanced": "उन्नत", "composer": { "placeholder_reply_encrypted": "एक एन्क्रिप्टेड उत्तर भेजें …", "placeholder_encrypted": "एक एन्क्रिप्टेड संदेश भेजें …" @@ -614,7 +610,8 @@ "unsupported_method": "समर्थित सत्यापन विधि खोजने में असमर्थ।" }, "export_unsupported": "आपका ब्राउज़र आवश्यक क्रिप्टोग्राफी एक्सटेंशन का समर्थन नहीं करता है", - "import_invalid_passphrase": "प्रमाणीकरण जांच विफल: गलत पासवर्ड?" + "import_invalid_passphrase": "प्रमाणीकरण जांच विफल: गलत पासवर्ड?", + "not_supported": "<समर्थित नहीं>" }, "auth": { "sso": "केवल हस्ताक्षर के ऊपर", @@ -682,7 +679,8 @@ "widget_screenshots": "समर्थित विजेट्स पर विजेट स्क्रीनशॉट सक्षम करें" }, "room": { - "drop_file_prompt": "अपलोड करने के लिए यहां फ़ाइल ड्रॉप करें" + "drop_file_prompt": "अपलोड करने के लिए यहां फ़ाइल ड्रॉप करें", + "error_join_incompatible_version_2": "कृपया अपने होमसर्वर व्यवस्थापक से संपर्क करें।" }, "space": { "context_menu": { @@ -755,6 +753,11 @@ }, "error": { "mau": "इस होमसर्वर ने अपनी मासिक सक्रिय उपयोगकर्ता सीमा को प्राप्त कर लिया हैं।", - "resource_limits": "यह होम सर्वर अपनी संसाधन सीमाओं में से एक से अधिक हो गया है।" - } + "resource_limits": "यह होम सर्वर अपनी संसाधन सीमाओं में से एक से अधिक हो गया है।", + "update_power_level": "पावर स्तर बदलने में विफल" + }, + "notifications": { + "enable_prompt_toast_title": "सूचनाएं" + }, + "room_summary_card_back_action_label": "रूम जानकारी" } diff --git a/src/i18n/strings/hu.json b/src/i18n/strings/hu.json index adecb2bd10..cb6a00bd86 100644 --- a/src/i18n/strings/hu.json +++ b/src/i18n/strings/hu.json @@ -1,7 +1,5 @@ { "Failed to forget room %(errCode)s": "A szobát nem sikerült elfelejtetni: %(errCode)s", - "Favourite": "Kedvencnek jelölés", - "Notifications": "Értesítések", "unknown error code": "ismeretlen hibakód", "Admin Tools": "Admin. Eszközök", "No Microphones detected": "Nem található mikrofon", @@ -28,7 +26,6 @@ "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 change power level": "A hozzáférési szint megváltoztatása sikertelen", "Failed to load timeline position": "Az idővonal pozíciót nem sikerült betölteni", "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", @@ -49,11 +46,8 @@ "Moderator": "Moderátor", "New passwords must match each other.": "Az új jelszavaknak meg kell egyezniük egymással.", "not specified": "nincs meghatározva", - "": "", - "No display name": "Nincs megjelenítendő név", "No more results": "Nincs több találat", "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.", - "Profile": "Profil", "Reason": "Ok", "Reject invitation": "Meghívó elutasítása", "Return to login screen": "Vissza a bejelentkezési képernyőre", @@ -75,7 +69,6 @@ "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" }, - "Upload avatar": "Profilkép feltöltése", "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (szint: %(powerLevelNumber)s)", "Verification Pending": "Ellenőrzés függőben", "Warning!": "Figyelmeztetés!", @@ -118,24 +111,18 @@ "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.", - "Reject all %(invitedRooms)s invites": "Mind a(z) %(invitedRooms)s meghívó elutasítása", "Confirm Removal": "Törlés megerősítése", - "Unknown error": "Ismeretlen hiba", "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", - "Something went wrong!": "Valami rosszul sikerült.", "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?", - "Delete widget": "Kisalkalmazás törlése", "AM": "de.", "PM": "du.", - "Copied!": "Másolva!", - "Failed to copy": "Sikertelen másolás", "Unignore": "Mellőzés feloldása", "Banned by %(displayName)s": "Kitiltotta: %(displayName)s", "Jump to read receipt": "Olvasási visszaigazolásra ugrás", @@ -144,11 +131,6 @@ "other": "És még %(count)s..." }, "Delete Widget": "Kisalkalmazás törlése", - "Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "A kisalkalmazás törlése minden felhasználót érint a szobában. Biztos, hogy törli a kisalkalmazást?", - " and %(count)s others": { - "other": " és még %(count)s másik", - "one": " és még egy másik" - }, "Restricted": "Korlátozott", "%(duration)ss": "%(duration)s mp", "%(duration)sm": "%(duration)s p", @@ -164,14 +146,12 @@ "In reply to ": "Válasz neki ", "You don't currently have any stickerpacks enabled": "Nincs engedélyezett matrica csomagod", "Sunday": "Vasárnap", - "Notification targets": "Értesítések célpontja", "Today": "Ma", "Friday": "Péntek", "Changelog": "Változások", "Failed to send logs: ": "Hiba a napló küldésénél: ", "This Room": "Ebben a szobában", "Unavailable": "Elérhetetlen", - "Source URL": "Forrás URL", "Filter results": "Találatok szűrése", "Tuesday": "Kedd", "Preparing to send logs": "Előkészülés napló küldéshez", @@ -185,10 +165,8 @@ "Search…": "Keresés…", "Logs sent": "Napló elküldve", "Yesterday": "Tegnap", - "Low Priority": "Alacsony prioritás", "Wednesday": "Szerda", "Thank you!": "Köszönjük!", - "Popout widget": "Kiugró kisalkalmazás", "Send Logs": "Naplók küldése", "Clear Storage and Sign Out": "Tárhely törlése és kijelentkezés", "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.", @@ -216,7 +194,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.", - "Please contact your homeserver administrator.": "Vegye fel a kapcsolatot a Matrix-kiszolgáló 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", @@ -233,8 +210,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", - "Delete Backup": "Mentés törlése", - "Unable to load key backup status": "A mentett kulcsok állapotát nem lehet betölteni", "That matches!": "Egyeznek!", "That doesn't match.": "Nem egyeznek.", "Go back to set it again.": "Lépj vissza és állítsd be újra.", @@ -258,20 +233,15 @@ "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", - "All keys backed up": "Az összes kulcs elmentve", "Unable to verify phone number.": "A telefonszámot nem sikerült ellenőrizni.", "Verification code": "Ellenőrző kód", "Phone Number": "Telefonszám", - "Profile picture": "Profilkép", - "Display Name": "Megjelenítési név", "Room information": "Szobainformációk", - "General": "Általános", "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", - "Bulk options": "Tömeges beállítások", "Missing media permissions, click the button below to request.": "Hiányzó média jogosultságok, kattintson a lenti gombra a jogosultságok megadásához.", "Request media permissions": "Média jogosultságok megkérése", "Voice & Video": "Hang és videó", @@ -283,7 +253,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", - "Create account": "Fiók létrehozása", "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", @@ -350,9 +319,7 @@ "This homeserver would like to make sure you are not a robot.": "A Matrix-kiszolgáló ellenőrizné, hogy Ön nem egy robot.", "Couldn't load page": "Az oldal nem tölthető be", "Your password has been reset.": "A jelszavad újra beállításra került.", - "Are you sure? You will lose your encrypted messages if your keys are not backed up properly.": "Biztos benne? Ha a kulcsai nincsenek megfelelően mentve, akkor elveszíti a titkosított üzeneteit.", "Encrypted messages are secured with end-to-end encryption. Only you and the recipient(s) have the keys to read these messages.": "A titkosított üzenetek végponttól végpontig titkosítással védettek. Csak neked és a címzetteknek lehet meg a kulcs az üzenet visszafejtéséhez.", - "Restore from Backup": "Helyreállítás mentésből", "Back up your keys before signing out to avoid losing them.": "Mentse a kulcsait a kiszolgálóra kijelentkezés előtt, hogy ne veszítse el azokat.", "Start using Key Backup": "Kulcs mentés használatának megkezdése", "I don't want my encrypted messages": "Nincs szükségem a titkosított üzeneteimre", @@ -367,7 +334,6 @@ "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.", "Room Settings - %(roomName)s": "Szoba beállításai – %(roomName)s", "Could not load user profile": "A felhasználói profil nem tölthető be", - "Accept all %(invitedRooms)s invites": "Mind a(z) %(invitedRooms)s meghívó elfogadása", "Power level": "Hozzáférési szint", "This room is running room version , which this homeserver has marked as unstable.": "A szoba verziója: , amelyet a Matrix-kiszolgáló instabilnak tekint.", "Upgrading this room will shut down the current instance of the room and create an upgraded room with the same name.": "A szoba fejlesztése bezárja ezt a szobát és új, frissített verzióval ugyanezen a néven létrehoz egy újat.", @@ -409,8 +375,6 @@ "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.", - "Rotate Left": "Forgatás balra", - "Rotate Right": "Forgatás jobbra", "Some characters not allowed": "Néhány karakter nem engedélyezett", "Failed to get autodiscovery configuration from server": "Nem sikerült lekérni az automatikus felderítés beállításait a kiszolgálóról", "Invalid base_url for m.homeserver": "Hibás base_url az m.homeserver -hez", @@ -438,7 +402,6 @@ "Please tell us what went wrong or, better, create a GitHub issue that describes the problem.": "Kérlek mond el nekünk mi az ami nem működött, vagy még jobb, ha egy GitHub jegyben leírod a problémát.", "Find others by phone or email": "Keressen meg másokat telefonszám vagy e-mail-cím alapján", "Be found by phone or email": "Találják meg telefonszám vagy e-mail-cím alapján", - "Accept to continue:": " elfogadása a továbblépéshez:", "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.", @@ -497,8 +460,6 @@ "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", - "Hide advanced": "Speciális beállítások elrejtése", - "Show advanced": "Speciális beállítások megjelenítése", "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", @@ -512,8 +473,6 @@ "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", - "Jump to first unread room.": "Ugrás az első olvasatlan szobához.", - "Jump to first invite.": "Újrás az első meghívóhoz.", "Room %(name)s": "Szoba: %(name)s", "Message Actions": "Üzenet Műveletek", "You verified %(name)s": "Ellenőrizte: %(name)s", @@ -528,22 +487,7 @@ "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.", - "Any of the following data may be shared:": "Az alábbi adatok közül bármelyik megosztásra kerülhet:", - "Your display name": "Saját megjelenítendő neve", - "Your user ID": "Saját felhasználói azonosítója", - "Your theme": "Saját témája", - "%(brand)s URL": "%(brand)s URL", - "Room ID": "Szobaazonosító", - "Widget ID": "Kisalkalmazás-azonosító", - "Using this widget may share data with %(widgetDomain)s.": "Ennek a kisalkalmazásnak a használata adatot oszthat meg a(z) %(widgetDomain)s domainnel.", - "Widget added by": "A kisalkalmazást hozzáadta", - "This widget may use cookies.": "Ez a kisalkalmazás sütiket használhat.", - "More options": "További beállítások", - "Remove for everyone": "Visszavonás mindenkitől", - "Cannot connect to integration manager": "Nem lehet kapcsolódni az integrációkezelőhöz", - "The integration manager is offline or it cannot reach your homeserver.": "Az integrációkezelő nem működik, vagy nem éri el a Matrix-kiszolgálóját.", "Failed to connect to integration manager": "Az integrációs menedzserhez nem sikerült csatlakozni", - "Widgets do not use message encryption.": "A kisalkalmazások nem használnak üzenettitkosítást.", "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", @@ -556,10 +500,7 @@ "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", - "Secret storage public key:": "Titkos tároló nyilvános kulcsa:", - "in account data": "fiókadatokban", "Unable to set up secret storage": "A biztonsági tárolót nem sikerült beállítani", - "not stored": "nincs tárolva", "Hide verified sessions": "Ellenőrzött munkamenetek eltakarása", "%(count)s verified sessions": { "other": "%(count)s ellenőrzött munkamenet", @@ -574,8 +515,6 @@ "Failed to find the following users": "Az alábbi felhasználók nem találhatók", "The following users might not exist or are invalid, and cannot be invited: %(csvNames)s": "Az alábbi felhasználók nem léteznek vagy hibásan vannak megadva, és nem lehet őket meghívni: %(csvNames)s", "Lock": "Lakat", - "Other users may not trust it": "Más felhasználók lehet, hogy nem bíznak benne", - "Later": "Később", "Something went wrong trying to invite the users.": "Valami nem sikerült a felhasználók meghívásával.", "We couldn't invite those users. Please check the users you want to invite and try again.": "Ezeket a felhasználókat nem tudtuk meghívni. Ellenőrizd azokat a felhasználókat akiket meg szeretnél hívni és próbáld újra.", "Recently Direct Messaged": "Nemrég küldött Közvetlen Üzenetek", @@ -588,20 +527,10 @@ "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", - "Verify this session": "Munkamenet ellenőrzése", - "Encryption upgrade available": "A titkosítási fejlesztés elérhető", - "Securely cache encrypted messages locally for them to appear in search results.": "A titkosított üzenetek biztonságos helyi gyorsítótárazása, hogy megjelenhessenek a keresési találatok között.", - "%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with search components added.": "A titkosított üzenetek biztonságos helyi tárolásához hiányzik néhány összetevő a(z) %(brand)s alkalmazásból. Ha kísérletezni szeretne ezzel a funkcióval, akkor állítson össze egy egyéni asztali %(brand)s alkalmazást, amely tartalmazza a keresési összetevőket.", - "Message search": "Üzenet keresése", "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", - "Your account has a cross-signing identity in secret storage, but it is not yet trusted by this session.": "A fiókjához tartozik egy eszközök közti hitelesítési identitás, de ez a munkamenet még nem jelölte megbízhatónak.", - "This session is not backing up your keys, but you do have an existing backup you can restore from and add to going forward.": "Ez az munkamenet nem menti el a kulcsait, de van létező mentése, amelyből helyre tudja állítani, és amelyhez hozzá tudja adni a továbbiakban.", - "Connect this session to key backup before signing out to avoid losing any keys that may only be on this session.": "Csatlakoztassa ezt a munkamenetet a kulcsmentéshez kijelentkezés előtt, hogy ne veszítsen el olyan kulcsot, amely lehet, hogy csak ezen az eszközön van meg.", - "Connect this session to Key Backup": "Munkamenet csatlakoztatása a kulcsmentéshez", "This backup is trusted because it has been restored on this session": "Ez a mentés megbízható, mert ebben a munkamenetben lett helyreállítva", - "Your keys are not being backed up from this session.": "A kulcsai nem kerülnek mentésre ebből a munkamenetből.", "This user has not verified all of their sessions.": "Ez a felhasználó még nem ellenőrizte az összes munkamenetét.", "You have not verified this user.": "Még nem ellenőrizted ezt a felhasználót.", "You have verified this user. This user has verified all of their sessions.": "Ezt a felhasználót ellenőrizted. Ez a felhasználó hitelesítette az összes munkamenetét.", @@ -645,10 +574,8 @@ "Clear cross-signing keys": "Eszközök közti hitelesítési kulcsok törlése", "You declined": "Elutasítottad", "%(name)s declined": "%(name)s elutasította", - "Your homeserver does not support cross-signing.": "A Matrix-kiszolgálója nem támogatja az eszközök közti hitelesítést.", "Accepting…": "Elfogadás…", "To report a Matrix-related security issue, please read the Matrix.org Security Disclosure Policy.": "A Matrixszal kapcsolatos biztonsági hibák jelentésével kapcsolatban olvassa el a Matrix.org biztonsági hibák közzétételi házirendjét.", - "Mark all as read": "Összes megjelölése olvasottként", "There was an error updating the room's alternative addresses. It may not be allowed by the server or a temporary failure occurred.": "A szoba címének megváltoztatásakor hiba történt. Lehet, hogy a szerver nem engedélyezi vagy átmeneti hiba történt.", "Scroll to most recent messages": "A legfrissebb üzenethez görget", "Local address": "Helyi cím", @@ -662,7 +589,6 @@ "Can't find this server or its room list": "A szerver vagy a szoba listája nem található", "Your server": "Matrix szervered", "Add a new server": "Új szerver hozzáadása", - "Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "A felhasználó által használt munkamenetek ellenőrzése egyenként, nem bízva az eszközök közti aláírással rendelkező eszközökben.", "Set addresses for this room so users can find this room through your homeserver (%(localDomain)s)": "Állíts be címet ehhez a szobához, hogy a felhasználók a matrix szervereden megtalálhassák (%(localDomain)s)", "In encrypted rooms, your messages are secured and only you and the recipient have the unique keys to unlock them.": "A titkosított szobákban az üzenete biztonságban van, és csak Ön és a címzettek rendelkeznek a visszafejtéshez szükséges egyedi kulcsokkal.", "Verify all users in a room to ensure it's secure.": "Ellenőrizze a szoba összes tagját, hogy meggyőződjön a biztonságáról.", @@ -680,8 +606,6 @@ "Confirm by comparing the following with the User Settings in your other session:": "Erősítsd meg a felhasználói beállítások összehasonlításával a többi munkamenetedben:", "Confirm this user's session by comparing the following with their User Settings:": "Ezt a munkamenetet hitelesítsd az ő felhasználói beállításának az összehasonlításával:", "If they don't match, the security of your communication may be compromised.": "Ha nem egyeznek akkor a kommunikációtok biztonsága veszélyben lehet.", - "well formed": "helyesen formázott", - "unexpected type": "váratlan típus", "Almost there! Is %(displayName)s showing the same shield?": "Majdnem kész! %(displayName)s is ugyanazt a pajzsot mutatja?", "You've successfully verified %(deviceName)s (%(deviceId)s)!": "Sikeresen ellenőrizted: %(deviceName)s (%(deviceId)s)!", "Start verification again from the notification.": "Ellenőrzés újrakezdése az értesítésből.", @@ -701,7 +625,6 @@ "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", - "New login. Was this you?": "Új bejelentkezés. Ön volt az?", "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", @@ -717,7 +640,6 @@ "IRC display name width": "IRC-n megjelenítendő név szélessége", "Your homeserver has exceeded its user limit.": "A Matrix-kiszolgálója túllépte a felhasználói szám korlátját.", "Your homeserver has exceeded one of its resource limits.": "A Matrix-kiszolgálója túllépte valamelyik erőforráskorlátját.", - "Contact your server admin.": "Vegye fel a kapcsolatot a kiszolgáló rendszergazdájával.", "Ok": "Rendben", "Error creating address": "Cím beállítási hiba", "There was an error creating that address. It may not be allowed by the server or a temporary failure occurred.": "A cím beállításánál hiba történt. Vagy nincs engedélyezve a szerveren vagy átmeneti hiba történt.", @@ -734,7 +656,6 @@ "Message preview": "Üzenet előnézet", "Room options": "Szoba beállítások", "Switch theme": "Kinézet váltása", - "All settings": "Minden beállítás", "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.", "Wrong file type": "A fájltípus hibás", @@ -750,14 +671,9 @@ "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", - "Favourited": "Kedvencnek jelölt", - "Forget Room": "Szoba elfelejtése", "This room is public": "Ez egy nyilvános szoba", - "%(brand)s can't securely cache encrypted messages locally while running in a web browser. Use %(brand)s Desktop for encrypted messages to appear in search results.": "A(z) %(brand)s nem képes helyileg biztonságosan elmenteni a titkosított üzeneteket, ha webböngészőben fut. Használja az asztali %(brand)s alkalmazást, hogy az üzenetekben való kereséskor a titkosított üzenetek is megjelenjenek.", "Edited at %(date)s": "Szerkesztve ekkor: %(date)s", "Click to view edits": "A szerkesztések megtekintéséhez kattints", - "Change notification settings": "Értesítési beállítások megváltoztatása", - "Your server isn't responding to some requests.": "A kiszolgálója nem válaszol néhány kérésre.", "You're all caught up.": "Mindennel naprakész.", "Server isn't responding": "A kiszolgáló nem válaszol", "Your server isn't responding to some of your requests. Below are some of the most likely reasons.": "A kiszolgálója nem válaszol egyes kéréseire. Alább látható pár lehetséges ok.", @@ -773,24 +689,13 @@ "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", - "Set up Secure Backup": "Biztonsági mentés beállítása", "Not encrypted": "Nem titkosított", "Room settings": "Szoba beállítások", - "Take a picture": "Fénykép készítése", - "Cross-signing is ready for use.": "Az eszközök közti hitelesítés használatra kész.", - "Cross-signing is not set up.": "Az eszközök közti hitelesítés nincs beállítva.", "Backup version:": "Mentés verziója:", - "Algorithm:": "Algoritmus:", - "Backup key stored:": "Tárolt mentési kulcs:", - "Backup key cached:": "Gyorsítótárazott mentési kulcs:", - "Secret storage:": "Titkos tároló:", - "ready": "kész", - "not ready": "nincs kész", "Start a conversation with someone using their name or username (like ).": "Indíts beszélgetést valakivel és használd hozzá a nevét vagy a felhasználói nevét (mint ).", "Invite someone using their name, username (like ) or share this room.": "Hívj meg valakit a nevét, vagy felhasználónevét (például ) megadva, vagy oszd meg ezt a szobát.", "Add widgets, bridges & bots": "Kisalkalmazások, hidak, és botok hozzáadása", "Unable to set up keys": "Nem sikerült a kulcsok beállítása", - "Safeguard against losing access to encrypted messages & data": "Biztosíték a titkosított üzenetekhez és adatokhoz való hozzáférés elvesztése ellen", "Widgets": "Kisalkalmazások", "Edit widgets, bridges & bots": "Kisalkalmazások, hidak és botok szerkesztése", "Use the Desktop app to see all encrypted files": "Ahhoz, hogy elérd az összes titkosított fájlt, használd az Asztali alkalmazást", @@ -803,11 +708,6 @@ "Video conference ended by %(senderName)s": "A videókonferenciát befejezte: %(senderName)s", "Video conference updated by %(senderName)s": "A videókonferenciát frissítette: %(senderName)s", "Video conference started by %(senderName)s": "A videókonferenciát elindította: %(senderName)s", - "Failed to save your profile": "A saját profil mentése sikertelen", - "The operation could not be completed": "A műveletet nem lehetett befejezni", - "Move right": "Mozgatás jobbra", - "Move left": "Mozgatás balra", - "Revoke permissions": "Jogosultságok visszavonása", "Data on this screen is shared with %(widgetDomain)s": "Az ezen a képernyőn látható adatok megosztásra kerülnek ezzel: %(widgetDomain)s", "Modal Widget": "Előugró kisalkalmazás", "You can only pin up to %(count)s widgets": { @@ -815,8 +715,6 @@ }, "Show Widgets": "Kisalkalmazások megjelenítése", "Hide Widgets": "Kisalkalmazások elrejtése", - "Enable desktop notifications": "Asztali értesítések engedélyezése", - "Don't miss a reply": "Ne szalasszon el egy választ 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", @@ -1078,10 +976,6 @@ "Reason (optional)": "Ok (opcionális)", "Just a heads up, if you don't add an email and forget your password, you could permanently lose access to your account.": "Csak egy figyelmeztetés, ha nem ad meg e-mail-címet, és elfelejti a jelszavát, akkor véglegesen elveszíti a hozzáférést a fiókjához.", "Server Options": "Szerver lehetőségek", - "Securely cache encrypted messages locally for them to appear in search results, using %(size)s to store messages from %(rooms)s rooms.": { - "one": "A titkosított üzenetek biztonságos helyi gyorsítótárazása, hogy megjelenhessenek a keresési találatok között, ehhez %(size)s helyet használ %(rooms)s szoba üzeneteihez.", - "other": "A titkosított üzenetek biztonságos helyi gyorsítótárazása, hogy megjelenhessenek a keresési találatok között, ehhez %(size)s helyet használ %(rooms)s szoba üzeneteihez." - }, "Transfer": "Átadás", "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", @@ -1105,10 +999,7 @@ "Unable to access secret storage. Please verify that you entered the correct Security Phrase.": "A biztonsági tárolóhoz nem lehet hozzáférni. Kérjük ellenőrizze, hogy jó Biztonsági jelmondatot adott-e meg.", "Invalid Security Key": "Érvénytelen biztonsági kulcs", "Wrong Security Key": "Hibás biztonsági kulcs", - "Back up your encryption keys with your account data in case you lose access to your sessions. Your keys will be secured with a unique Security Key.": "Mentse el a titkosítási kulcsokat a fiókadatokkal arra az esetre, ha elvesztené a hozzáférést a munkameneteihez. A kulcsok egy egyedi biztonsági kulccsal lesznek védve.", "Set my room layout for everyone": "A szoba megjelenésének beállítása mindenki számára", - "Use app": "Alkalmazás használata", - "Use app for a better experience": "A jobb élmény érdekében használjon alkalmazást", "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", @@ -1119,28 +1010,18 @@ }, "Are you sure you want to leave the space '%(spaceName)s'?": "Biztos, hogy elhagyja ezt a teret: %(spaceName)s?", "This space is not public. You will not be able to rejoin without an invite.": "Ez a tér nem nyilvános. Kilépés után csak újabb meghívóval lehet újra belépni.", - "Start audio stream": "Hang folyam indítása", "Failed to start livestream": "Az élő adás indítása sikertelen", "Unable to start audio streaming.": "A hang folyam indítása sikertelen.", - "Save Changes": "Változtatások mentése", - "Leave Space": "Tér elhagyása", - "Edit settings relating to your space.": "A tér beállításainak szerkesztése.", - "Failed to save space settings.": "A tér beállításának mentése sikertelen.", "Invite someone using their name, username (like ) or share this space.": "Hívjon meg valakit a nevével, felhasználói nevével (pl. ) vagy oszd meg ezt a teret.", "Invite someone using their name, email address, username (like ) or share this space.": "Hívjon meg valakit a nevét, e-mail címét, vagy felhasználónevét (például ) megadva, vagy oszd meg ezt a teret.", "Create a new room": "Új szoba készítése", - "Spaces": "Terek", "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", - "Space options": "Tér beállításai", "Leave space": "Tér elhagyása", - "Invite people": "Emberek meghívása", - "Share invite link": "Meghívási hivatkozás megosztása", - "Click to copy": "Másolás kattintással", "Create a space": "Tér létrehozása", "Private space": "Privát tér", "Public space": "Nyilvános tér", @@ -1155,8 +1036,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", - "Invite with email or username": "Meghívás e-mail-címmel vagy felhasználónévvel", - "You can change these anytime.": "Ezeket bármikor megváltoztathatja.", "Verify your identity to access encrypted messages and prove your identity to others.": "Ellenőrizze a személyazonosságát, hogy hozzáférjen a titkosított üzeneteihez és másoknak is bizonyítani tudja személyazonosságát.", "Avatar": "Profilkép", "Reset event store": "Az eseménytároló alaphelyzetbe állítása", @@ -1170,9 +1049,6 @@ "one": "%(count)s ismerős már csatlakozott", "other": "%(count)s ismerős már csatlakozott" }, - "unknown person": "ismeretlen személy", - "%(deviceId)s from %(ip)s": "%(deviceId)s innen: %(ip)s", - "Review to ensure your account is safe": "Tekintse át, hogy meggyőződjön arról, hogy a fiókja biztonságban van", "You are the only person here. If you leave, no one will be able to join in the future, including you.": "Csak ön van itt. Ha kilép, akkor a jövőben senki nem tud majd ide belépni, beleértve önt is.", "If you reset everything, you will restart with no trusted sessions, no trusted users, and might not be able to see past messages.": "Ha mindent alaphelyzetbe állít, akkor nem lesz megbízható munkamenete, nem lesznek megbízható felhasználók és a régi üzenetekhez sem biztos, hogy hozzáfér majd.", "Only do this if you have no other device to complete verification with.": "Csak akkor tegye meg, ha egyetlen másik eszköze sincs az ellenőrzés elvégzéséhez.", @@ -1205,10 +1081,8 @@ "No microphone found": "Nem található mikrofon", "We were unable to access your microphone. Please check your browser settings and try again.": "Nem lehet a mikrofont használni. Ellenőrizze a böngésző beállításait és próbálja újra.", "Unable to access your microphone": "A mikrofont nem lehet használni", - "Connecting": "Kapcsolódás", "To leave the beta, visit your settings.": "A beállításokban tudja elhagyni a bétát.", "Add reaction": "Reakció hozzáadása", - "Message search initialisation failed": "Az üzenetkeresés előkészítése sikertelen", "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": { @@ -1221,8 +1095,6 @@ "Search for rooms or people": "Szobák vagy emberek keresése", "Sent": "Elküldve", "You don't have permission to do this": "Nincs jogosultsága ehhez", - "Error - Mixed content": "Hiba – Vegyes tartalom", - "Error loading Widget": "Hiba a kisalkalmazás betöltése során", "Pinned messages": "Kitűzött üzenetek", "Nothing pinned, yet": "Még semmi sincs kitűzve", "Message search initialisation failed, check your settings for more information": "Üzenek keresés kezdő beállítása sikertelen, ellenőrizze a beállításait további információkért", @@ -1230,24 +1102,9 @@ "To publish an address, it needs to be set as a local address first.": "A cím publikálásához először helyi címet kell beállítani.", "Published addresses can be used by anyone on any server to join your space.": "A nyilvánosságra hozott címet bárki bármelyik szerverről használhatja a térbe való belépéshez.", "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.", - "Failed to update the history visibility of this space": "A tér régi üzeneteinek láthatóságának frissítése sikertelen", - "Failed to update the guest access of this space": "A tér vendéghozzáférésének frissítése sikertelen", - "Report": "Jelentés", - "Collapse reply thread": "Üzenetszál összecsukása", - "Show preview": "Előnézet megjelenítése", - "View source": "Forrás megtekintése", "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", - "Recommended for public spaces.": "A nyilvános terekhez ajánlott.", - "Allow people to preview your space before they join.": "A tér előnézetének engedélyezése a belépés előtt.", - "Preview Space": "Tér előnézete", - "Decide who can view and join %(spaceName)s.": "Döntse el, hogy ki láthatja, és léphet be ide: %(spaceName)s.", - "Visibility": "Láthatóság", - "This may be useful for public spaces.": "A nyilvános tereknél ez hasznos lehet.", - "Guests can join a space without having an account.": "A vendégek fiók nélkül is beléphetnek a térbe.", - "Enable guest access": "Vendéghozzáférés engedélyezése", - "Failed to update the visibility of this space": "A tér láthatóságának frissítése sikertelen", "Address": "Cím", "Unnamed audio": "Névtelen hang", "Error processing audio message": "Hiba a hangüzenet feldolgozásánál", @@ -1256,7 +1113,6 @@ "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.", - "Using this widget may share data with %(widgetDomain)s & your integration manager.": "Ennek a kisalkalmazásnak a használata adatot oszthat meg a(z) %(widgetDomain)s oldallal és az integrációkezelőjével.", "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.", @@ -1277,35 +1133,12 @@ "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", - "Share content": "Tartalom megosztása", - "Application window": "Alkalmazásablak", - "Share entire screen": "A teljes képernyő megosztása", "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", "Connection failed": "Kapcsolódás sikertelen", "Could not connect media": "Média kapcsolat nem hozható létre", "Call back": "Visszahívás", - "Access": "Hozzáférés", - "Space members": "Tértagság", - "Anyone in a space can find and join. You can select multiple spaces.": "A téren bárki megtalálhatja és beléphet. Több teret is kiválaszthat.", - "Spaces with access": "Terek hozzáféréssel", - "Anyone in a space can find and join. Edit which spaces can access here.": "A téren bárki megtalálhatja és beléphet. Szerkessze, hogy melyik tér férhet hozzá.", - "Currently, %(count)s spaces have access": { - "other": "Jelenleg %(count)s tér rendelkezik hozzáféréssel", - "one": "Jelenleg egy tér rendelkezik hozzáféréssel" - }, - "& %(count)s more": { - "other": "és még %(count)s", - "one": "és még %(count)s" - }, - "Upgrade required": "Fejlesztés szükséges", - "This upgrade will allow members of selected spaces access to this room without an invite.": "Ez a fejlesztés lehetővé teszi, hogy a kiválasztott terek tagjai meghívó nélkül is elérjék ezt a szobát.", - "There was an error loading your notification settings.": "Hiba történt az értesítés beállítások betöltése során.", - "Mentions & keywords": "Megemlítések és kulcsszavak", - "Global": "Globális", - "New keyword": "Új kulcsszó", - "Keyword": "Kulcsszó", "Want to add an existing space instead?": "Inkább meglévő teret adna hozzá?", "Private space (invite only)": "Privát tér (csak meghívóval)", "Space visibility": "Tér láthatósága", @@ -1321,31 +1154,23 @@ "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.", - "Show all rooms": "Minden szoba megjelenítése", "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.", "You're the only admin of this space. Leaving it will mean no one has control over it.": "Ön az egyetlen adminisztrátora a térnek. Ha kilép, senki nem tudja irányítani.", "You won't be able to rejoin unless you are re-invited.": "Nem fog tudni újra belépni amíg nem hívják meg újra.", - "Search %(spaceName)s": "Keresés: %(spaceName)s", "Decrypting": "Visszafejtés", "Missed call": "Nem fogadott hívás", "Call declined": "Hívás elutasítva", "Stop recording": "Felvétel megállítása", "Send voice message": "Hang üzenet küldése", - "More": "Több", - "Show sidebar": "Oldalsáv megjelenítése", - "Hide sidebar": "Oldalsáv elrejtése", "Unknown failure: %(reason)s": "Ismeretlen hiba: %(reason)s", "No answer": "Nincs válasz", - "Delete avatar": "Profilkép törlése", - "Cross-signing is ready but keys are not backed up.": "Az eszközök közti hitelesítés készen áll, de a kulcsokról nincs biztonsági mentés.", "Rooms and spaces": "Szobák és terek", "Results": "Eredmények", "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", - "Anyone in can find and join. You can select other spaces too.": "A(z) téren bárki megtalálhatja és beléphet. Kiválaszthat más tereket is.", "Message didn't send. Click for info.": "Az üzenet nincs elküldve. Kattintson az információkért.", "To join a space you'll need an invite.": "A térre való belépéshez meghívóra van szükség.", "Would you like to leave the rooms in this space?": "Ki szeretne lépni ennek a térnek minden szobájából?", @@ -1364,16 +1189,6 @@ "Verify with Security Key": "Ellenőrzés Biztonsági Kulccsal", "Verify with Security Key or Phrase": "Ellenőrzés Biztonsági Kulccsal vagy Jelmondattal", "It looks like you don't have a Security Key or any other devices you can verify against. This device will not be able to access old encrypted messages. In order to verify your identity on this device, you'll need to reset your verification keys.": "Úgy tűnik, hogy nem rendelkezik biztonsági kulccsal, vagy másik eszközzel, amelyikkel ellenőrizhetné. Ezzel az eszközzel nem fér majd hozzá a régi titkosított üzenetekhez. Ahhoz, hogy a személyazonosságát ezen az eszközön ellenőrizni lehessen, az ellenőrzédi kulcsokat alaphelyzetbe kell állítani.", - "Updating spaces... (%(progress)s out of %(count)s)": { - "one": "Terek frissítése…", - "other": "Terek frissítése… (%(progress)s / %(count)s)" - }, - "Sending invites... (%(progress)s out of %(count)s)": { - "one": "Meghívók küldése…", - "other": "Meghívók küldése… (%(progress)s / %(count)s)" - }, - "Loading new room": "Új szoba betöltése", - "Upgrading room": "Szoba fejlesztése", "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á", @@ -1395,7 +1210,6 @@ "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.", - "This room is in some spaces you're not an admin of. In those spaces, the old room will still be shown, but people will be prompted to join the new one.": "Ez a szoba olyan terekben is benne van, amelynek nem Ön az adminisztrátora. Ezekben a terekben továbbra is a régi szoba jelenik meg, de az emberek jelzést kapnak, hogy lépjenek be az újba.", "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.", @@ -1408,11 +1222,6 @@ "Yours, or the other users' internet connection": "Az ön vagy a másik felhasználó Internet kapcsolata", "The homeserver the user you're verifying is connected to": "Az ellenőrizendő felhasználó ehhez a Matrix-kiszolgálóhoz kapcsolódik:", "Reply in thread": "Válasz üzenetszálban", - "Spaces to show": "Megjelenítendő terek", - "Sidebar": "Oldalsáv", - "Show all your rooms in Home, even if they're in a space.": "Minden szoba megjelenítése a Kezdőlapon, akkor is ha egy tér része.", - "Home is useful for getting an overview of everything.": "A Kezdőlap áttekintést adhat mindenről.", - "Mentions only": "Csak megemlítések", "Forget": "Elfelejtés", "Files": "Fájlok", "Close this widget to view it in this panel": "Kisalkalmazás bezárása ezen a panelen való megjelenítéshez", @@ -1422,7 +1231,6 @@ "@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", - "Rooms outside of a space": "Téren kívüli szobák", "Based on %(count)s votes": { "one": "%(count)s szavazat alapján", "other": "%(count)s szavazat alapján" @@ -1437,8 +1245,6 @@ }, "Sorry, your vote was not registered. Please try again.": "Sajnos az Ön szavazata nem lett rögzítve. Kérjük ismételje meg újra.", "Vote not registered": "Nem regisztrált szavazat", - "Pin to sidebar": "Kitűzés az oldalsávra", - "Quick settings": "Gyors beállítások", "Developer": "Fejlesztői", "Experimental": "Kísérleti", "Themes": "Témák", @@ -1458,7 +1264,6 @@ "other": "%(count)s leadott szavazat. Szavazzon az eredmény megtekintéséhez" }, "No votes cast": "Nem adtak le szavazatot", - "Share location": "Tartózkodási hely megosztása", "Final result based on %(count)s votes": { "one": "Végeredmény %(count)s szavazat alapján", "other": "Végeredmény %(count)s szavazat alapján" @@ -1480,8 +1285,6 @@ "Sections to show": "Megjelenítendő részek", "Link to room": "Hivatkozás a szobához", "Including you, %(commaSeparatedMembers)s": "Önt is beleértve, %(commaSeparatedMembers)s", - "Copy room link": "Szoba hivatkozásának másolása", - "Share anonymous data to help us identify issues. Nothing personal. No third parties.": "Anonimizált adatok megosztása a problémák feltárásához. Semmi személyes. Nincs harmadik fél.", "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.", @@ -1497,9 +1300,6 @@ "You cancelled verification on your other device.": "Az ellenőrzést megszakította a másik eszközön.", "Almost there! Is your other device showing the same shield?": "Majdnem kész! A többi eszköze is ugyanazt a pajzsot mutatja?", "To proceed, please accept the verification request on your other device.": "A folytatáshoz fogadja el az ellenőrzés kérést a másik eszközről.", - "Back to thread": "Vissza az üzenetszálhoz", - "Room members": "Szobatagok", - "Back to chat": "Vissza a csevegéshez", "Could not fetch location": "Nem lehet elérni a földrajzi helyzetét", "Message pending moderation": "Üzenet moderálásra vár", "Message pending moderation: %(reason)s": "Az üzenet moderálásra vár, ok: %(reason)s", @@ -1510,13 +1310,9 @@ "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", - "Group all your people in one place.": "Csoportosítsa az összes ismerősét egy helyre.", - "Group all your favourite rooms and people in one place.": "Csoportosítsa az összes kedvenc szobáját és ismerősét egy helyre.", "Pick a date to jump to": "Idő kiválasztása az ugráshoz", "Jump to date": "Ugrás időpontra", "The beginning of the room": "A szoba indulása", - "Group all your rooms that aren't part of a space in one place.": "Csoportosítsa egy helyre az összes olyan szobát, amely nem egy tér része.", - "Spaces are ways to group rooms and people. Alongside the spaces you're in, you can use some pre-built ones too.": "A terek a szobák és emberek csoportosítási módjainak egyike. Azokon kívül, amelyekben benne van, használhat néhány előre meghatározottat is.", "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", @@ -1533,15 +1329,12 @@ "Results will be visible when the poll is ended": "Az eredmény a szavazás végeztével válik láthatóvá", "Pinned": "Kitűzött", "Open thread": "Üzenetszál megnyitása", - "Match system": "Rendszer beállításával megegyező", "What location type do you want to share?": "Milyen jellegű földrajzi helyzetet szeretne megosztani?", "Drop a Pin": "Hely kijelölése", "My live location": "Folyamatos saját földrajzi helyzet", "My current location": "Jelenlegi saját földrajzi helyzet", "%(brand)s could not send your location. Please try again later.": "Az %(brand)s nem tudja elküldeni a földrajzi helyzetét. Próbálja újra később.", "We couldn't send your location": "A földrajzi helyzetet nem sikerült elküldeni", - "Click to move the pin": "Kattintson a jelölő mozgatásához", - "Click to drop a pin": "Kattintson a hely megjelöléséhez", "Click": "Kattintson", "Expand quotes": "Idézetek megjelenítése", "Collapse quotes": "Idézetek összecsukása", @@ -1560,10 +1353,6 @@ "other": "%(count)s üzenetet készül törölni az alábbi felhasználótól: %(user)s. A művelet mindenki számára visszavonhatatlanul eltávolítja ezeket a beszélgetésekből. Biztos, hogy folytatja?" }, "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.", - "Share for %(duration)s": "Megosztás eddig: %(duration)s", - "%(brand)s is experimental on a mobile web browser. For a better experience and the latest features, use our free native app.": "A(z) %(brand)s kísérleti állapotban van a mobilos webböngészőkben. A jobb élmény és a legújabb funkciók használatához használja az ingyenes natív alkalmazásunkat.", - "Sorry, your homeserver is too old to participate here.": "Sajnáljuk, a Matrix-kiszolgáló túl régi verziójú ahhoz, hogy ebben részt vegyen.", - "There was an error joining.": "A csatlakozás során hiba történt.", "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.", @@ -1604,9 +1393,6 @@ "Loading preview": "Előnézet betöltése", "New video room": "Új videó szoba", "New room": "Új szoba", - "Failed to join": "Csatlakozás sikertelen", - "The person who invited you has already left, or their server is offline.": "Aki meghívta a szobába már távozott, vagy a kiszolgálója nem érhető el.", - "The person who invited you has already left.": "A személy, aki meghívta, már távozott.", "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", @@ -1638,22 +1424,11 @@ "Output devices": "Kimeneti eszközök", "Input devices": "Beviteli eszközök", "Open room": "Szoba megnyitása", - "Enable live location sharing": "Élő helymegosztás engedélyezése", - "Please note: this is a labs feature using a temporary implementation. This means you will not be able to delete your location history, and advanced users will be able to see your location history even after you stop sharing your live location with this room.": "Figyelem: ez a labor lehetőség egy átmeneti megvalósítás. Ez azt jelenti, hogy a szobába már elküldött helyadatok az élő hely megosztás leállítása után is hozzáférhetők maradnak a szobában.", - "Live location sharing": "Élő földrajzi hely megosztása", "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", - "%(count)s people joined": { - "one": "%(count)s személy belépett", - "other": "%(count)s személy belépett" - }, - "View related event": "Kapcsolódó események megjelenítése", "Read receipts": "Olvasási visszajelzés", - "You were disconnected from the call. (Error: %(message)s)": "A híváskapcsolat megszakadt (Hiba: %(message)s)", - "Connection lost": "A kapcsolat megszakadt", - "Un-maximise": "Kicsinyíté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", @@ -1691,22 +1466,14 @@ "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", - "Sessions": "Munkamenetek", - "For best security, verify your sessions and sign out from any session that you don't recognize or use anymore.": "A legjobb biztonság érdekében ellenőrizze a munkameneteit, és jelentkezzen ki azokból, amelyeket nem ismer fel, vagy már nem használ.", "Interactively verify by emoji": "Interaktív ellenőrzés emodzsikkal", "Manually verify by text": "Kézi szöveges ellenőrzés", "%(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", - "You do not have permission to start voice calls": "Nincs jogosultságod hang hívást indítani", - "There's no one here to call": "Itt nincs senki akit fel lehetne hívni", - "You do not have permission to start video calls": "Nincs jogosultságod videó hívást indítani", - "Ongoing call": "Hívás folyamatban", "Video call (Jitsi)": "Videóhívás (Jitsi)", "Failed to set pusher state": "A leküldő állapotának beállítása sikertelen", - "Sorry — this call is currently full": "Bocsánat — ez a hívás betelt", - "Unknown room": "Ismeretlen szoba", "Room info": "Szoba információ", "View chat timeline": "Beszélgetés idővonal megjelenítése", "Close call": "Hívás befejezése", @@ -1735,10 +1502,6 @@ "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", - "Are you sure you want to sign out of %(count)s sessions?": { - "one": "Biztos, hogy ki szeretne lépni %(count)s munkamenetből?", - "other": "Biztos, hogy ki szeretne lépni %(count)s munkamenetből?" - }, "Show formatting": "Formázás megjelenítése", "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", @@ -1758,14 +1521,9 @@ "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", - "Search users in this room…": "Felhasználók keresése a szobában…", - "Give one or multiple users in this room more privileges": "Több jog adása egy vagy több felhasználónak a szobában", - "Add privileged users": "Privilegizált felhasználók hozzáadása", - "You have unverified sessions": "Ellenőrizetlen bejelentkezései vannak", "Unable to decrypt message": "Üzenet visszafejtése sikertelen", "This message could not be decrypted": "Ezt az üzenetet nem lehet visszafejteni", " in %(room)s": " itt: %(room)s", - "Mark as read": "Megjelölés olvasottként", "Text": "Szöveg", "Create a link": "Hivatkozás készítése", "You can't start a voice message as you are currently recording a live broadcast. Please end your live broadcast in order to start recording a voice message.": "Nem lehet hang üzenetet indítani élő közvetítés felvétele közben. Az élő közvetítés bejezése szükséges a hang üzenet indításához.", @@ -1776,8 +1534,6 @@ "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", - "Red": "Piros", - "Grey": "Szürke", "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.", @@ -1789,7 +1545,6 @@ "Select '%(scanQRCode)s'": "Kiválasztás „%(scanQRCode)s”", "Loading live location…": "Élő földrajzi helyzet meghatározás betöltése…", "There are no past polls in this room": "Nincsenek régebbi szavazások ebben a szobában", - "Saving…": "Mentés…", "There are no active polls in this room": "Nincsenek aktív szavazások ebben a szobában", "Fetching keys from server…": "Kulcsok lekérése a kiszolgálóról…", "Checking…": "Ellenőrzés…", @@ -1803,16 +1558,11 @@ "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…", - "Backing up %(sessionsRemaining)s keys…": "%(sessionsRemaining)s kulcs biztonsági mentése…", - "This session is backing up your keys.": "Ez a munkamenet elmenti a kulcsait.", - "Connecting to integration manager…": "Kapcsolódás az integrációkezelőhöz…", - "Creating…": "Létrehozás…", "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", "Due to decryption errors, some votes may not be counted": "Visszafejtési hibák miatt néhány szavazat nem kerül beszámításra", "The sender has blocked you from receiving this message": "A feladó megtagadta az Ön hozzáférését ehhez az üzenethez", - "Yes, it was me": "Igen, én voltam", "Answered elsewhere": "Máshol lett felvéve", "There are no active polls for the past %(count)s days. Load more polls to view polls for previous months": { "other": "%(count)s napja nincs aktív szavazás. További szavazások betöltése az előző havi szavazások megjelenítéséhez", @@ -1824,17 +1574,12 @@ "Past polls": "Régi szavazások", "Active polls": "Aktív szavazások", "View poll in timeline": "Szavazás megjelenítése az idővonalon", - "Verify Session": "Munkamenet ellenőrzése", - "Ignore (%(counter)s)": "Mellőzés (%(counter)s)", - "If you know a room address, try joining through that instead.": "Ha ismeri a szoba címét próbáljon inkább azzal belépni.", "View poll": "Szavazás megtekintése", "There are no past polls for the past %(count)s days. Load more polls to view polls for previous months": { "one": "Nincs aktív szavazás az elmúlt napokból. További szavazások betöltése az előző havi szavazások megjelenítéséhez", "other": "%(count)s napja nincs aktív szavazás. További szavazások betöltése az előző havi szavazások megjelenítéséhez" }, "Invites by email can only be sent one at a time": "E-mail meghívóból egyszerre csak egy küldhető el", - "You attempted to join using a room ID without providing a list of servers to join through. Room IDs are internal identifiers and cannot be used to join a room without additional information.": "A belépéshez csak a szoba azonosítóját adta meg a kiszolgáló nélkül. A szobaazonosító egy belső azonosító, amellyel további információk nélkül nem lehet belépni szobába.", - "An error occurred when updating your notification preferences. Please try to toggle your option again.": "Hiba történt az értesítési beállítások frissítése során. Próbálja meg be- és kikapcsolni a beállítást.", "Desktop app logo": "Asztali alkalmazás profilkép", "Requires your server to support the stable version of MSC3827": "A Matrix-kiszolgálónak támogatnia kell az MSC3827 stabil verzióját", "Message from %(user)s": "Üzenet tőle: %(user)s", @@ -1848,20 +1593,16 @@ "We were unable to find an event looking forwards from %(dateString)s. Try choosing an earlier date.": "Nem sikerült megtalálni az eseményt %(dateString)s után keresve. Próbáljon egy korábbi dátumot kiválasztani.", "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.": "Hálózati hiba történt az adott dátum keresése és az ahhoz ugrás során. A Matrix-kiszolgálója lehet, hogy nem érhető el, vagy ideiglenes probléma van az internetkapcsolátával. Próbálja újra később. Ha ez továbbra is fennáll, akkor lépjen kapcsolatba a kiszolgáló rendszergazdájával.", "Poll history": "Szavazás előzményei", - "Mute room": "Szoba némítása", - "Match default setting": "Az alapértelmezett beállítások szerint", "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", - "Image view": "Képnézet", "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)", - "Failed to download source media, no source url was found": "A forrásmédia letöltése sikertelen, nem található forráswebcím", "common": { "about": "Névjegy", "analytics": "Analitika", @@ -1959,7 +1700,15 @@ "off": "Ki", "all_rooms": "Összes szoba", "deselect_all": "Semmit nem jelöl ki", - "select_all": "Mindet kijelöli" + "select_all": "Mindet kijelöli", + "copied": "Másolva!", + "advanced": "Speciális", + "spaces": "Terek", + "general": "Általános", + "saving": "Mentés…", + "profile": "Profil", + "display_name": "Megjelenítési név", + "user_avatar": "Profilkép" }, "action": { "continue": "Folytatás", @@ -2061,7 +1810,10 @@ "clear": "Törlés", "exit_fullscreeen": "Kilépés a teljes képernyőből", "enter_fullscreen": "Teljes képernyőre váltás", - "unban": "Kitiltás visszavonása" + "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" }, "a11y": { "user_menu": "Felhasználói menü", @@ -2073,7 +1825,8 @@ "other": "%(count)s olvasatlan üzenet.", "one": "1 olvasatlan üzenet." }, - "unread_messages": "Olvasatlan üzenetek." + "unread_messages": "Olvasatlan üzenetek.", + "jump_first_invite": "Újrás az első meghívóhoz." }, "labs": { "video_rooms": "Videószobák", @@ -2260,7 +2013,6 @@ "user_a11y": "Felhasználó automatikus kiegészítése" } }, - "Bold": "Félkövér", "Link": "Hivatkozás", "Code": "Kód", "power_level": { @@ -2368,7 +2120,8 @@ "intro_byline": "Az ön beszélgetései csak az öné.", "send_dm": "Közvetlen üzenet küldése", "explore_rooms": "Nyilvános szobák felfedezése", - "create_room": "Készíts csoportos beszélgetést" + "create_room": "Készíts csoportos beszélgetést", + "create_account": "Fiók létrehozása" }, "settings": { "show_breadcrumbs": "Gyors elérési gombok megjelenítése a nemrég meglátogatott szobákhoz a szobalista felett", @@ -2433,7 +2186,10 @@ "noisy": "Hangos", "error_permissions_denied": "A(z) %(brand)s alkalmazásnak nincs jogosultsága értesítést küldeni – ellenőrizze a böngésző beállításait", "error_permissions_missing": "A(z) %(brand)s alkalmazásnak nincs jogosultsága értesítést küldeni – próbálja újra", - "error_title": "Az értesítések engedélyezése sikertelen" + "error_title": "Az értesítések engedélyezése sikertelen", + "error_updating": "Hiba történt az értesítési beállítások frissítése során. Próbálja meg be- és kikapcsolni a beállítást.", + "push_targets": "Értesítések célpontja", + "error_loading": "Hiba történt az értesítés beállítások betöltése során." }, "appearance": { "layout_irc": "IRC (kísérleti)", @@ -2506,7 +2262,44 @@ "cryptography_section": "Titkosítás", "session_id": "Munkamenetazonosító:", "session_key": "Munkamenetkulcs:", - "encryption_section": "Titkosítás" + "encryption_section": "Titkosítás", + "bulk_options_section": "Tömeges beállítások", + "bulk_options_accept_all_invites": "Mind a(z) %(invitedRooms)s meghívó elfogadása", + "bulk_options_reject_all_invites": "Mind a(z) %(invitedRooms)s meghívó elutasítása", + "message_search_section": "Üzenet keresése", + "analytics_subsection_description": "Anonimizált adatok megosztása a problémák feltárásához. Semmi személyes. Nincs harmadik fél.", + "encryption_individual_verification_mode": "A felhasználó által használt munkamenetek ellenőrzése egyenként, nem bízva az eszközök közti aláírással rendelkező eszközökben.", + "message_search_enabled": { + "one": "A titkosított üzenetek biztonságos helyi gyorsítótárazása, hogy megjelenhessenek a keresési találatok között, ehhez %(size)s helyet használ %(rooms)s szoba üzeneteihez.", + "other": "A titkosított üzenetek biztonságos helyi gyorsítótárazása, hogy megjelenhessenek a keresési találatok között, ehhez %(size)s helyet használ %(rooms)s szoba üzeneteihez." + }, + "message_search_disabled": "A titkosított üzenetek biztonságos helyi gyorsítótárazása, hogy megjelenhessenek a keresési találatok között.", + "message_search_unsupported": "A titkosított üzenetek biztonságos helyi tárolásához hiányzik néhány összetevő a(z) %(brand)s alkalmazásból. Ha kísérletezni szeretne ezzel a funkcióval, akkor állítson össze egy egyéni asztali %(brand)s alkalmazást, amely tartalmazza a keresési összetevőket.", + "message_search_unsupported_web": "A(z) %(brand)s nem képes helyileg biztonságosan elmenteni a titkosított üzeneteket, ha webböngészőben fut. Használja az asztali %(brand)s alkalmazást, hogy az üzenetekben való kereséskor a titkosított üzenetek is megjelenjenek.", + "message_search_failed": "Az üzenetkeresés előkészítése sikertelen", + "backup_key_well_formed": "helyesen formázott", + "backup_key_unexpected_type": "váratlan típus", + "backup_keys_description": "Mentse el a titkosítási kulcsokat a fiókadatokkal arra az esetre, ha elvesztené a hozzáférést a munkameneteihez. A kulcsok egy egyedi biztonsági kulccsal lesznek védve.", + "backup_key_stored_status": "Tárolt mentési kulcs:", + "cross_signing_not_stored": "nincs tárolva", + "backup_key_cached_status": "Gyorsítótárazott mentési kulcs:", + "4s_public_key_status": "Titkos tároló nyilvános kulcsa:", + "4s_public_key_in_account_data": "fiókadatokban", + "secret_storage_status": "Titkos tároló:", + "secret_storage_ready": "kész", + "secret_storage_not_ready": "nincs kész", + "delete_backup": "Mentés törlése", + "delete_backup_confirm_description": "Biztos benne? Ha a kulcsai nincsenek megfelelően mentve, akkor elveszíti a titkosított üzeneteit.", + "error_loading_key_backup_status": "A mentett kulcsok állapotát nem lehet betölteni", + "restore_key_backup": "Helyreállítás mentésből", + "key_backup_active": "Ez a munkamenet elmenti a kulcsait.", + "key_backup_inactive": "Ez az munkamenet nem menti el a kulcsait, de van létező mentése, amelyből helyre tudja állítani, és amelyhez hozzá tudja adni a továbbiakban.", + "key_backup_connect_prompt": "Csatlakoztassa ezt a munkamenetet a kulcsmentéshez kijelentkezés előtt, hogy ne veszítsen el olyan kulcsot, amely lehet, hogy csak ezen az eszközön van meg.", + "key_backup_connect": "Munkamenet csatlakoztatása a kulcsmentéshez", + "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." }, "preferences": { "room_list_heading": "Szobalista", @@ -2620,7 +2413,13 @@ "other": "Eszközökből való kijelentkezés" }, "security_recommendations": "Biztonsági javaslatok", - "security_recommendations_description": "Javítsa a fiókja biztonságát azzal, hogy követi a következő javaslatokat." + "security_recommendations_description": "Javítsa a fiókja biztonságát azzal, hogy követi a következő javaslatokat.", + "title": "Munkamenetek", + "sign_out_confirm_description": { + "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." }, "general": { "oidc_manage_button": "Fiók kezelése", @@ -2639,7 +2438,22 @@ "add_msisdn_confirm_sso_button": "Erősítse meg a telefonszám hozzáadását azáltal, hogy az egyszeri bejelentkezéssel bizonyítja a személyazonosságát.", "add_msisdn_confirm_button": "Telefonszám hozzáadásának megerősítése", "add_msisdn_confirm_body": "A telefonszám hozzáadásának megerősítéséhez kattintson a lenti gombra.", - "add_msisdn_dialog_title": "Telefonszám hozzáadása" + "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" + }, + "sidebar": { + "title": "Oldalsáv", + "metaspaces_subsection": "Megjelenítendő terek", + "metaspaces_description": "A terek a szobák és emberek csoportosítási módjainak egyike. Azokon kívül, amelyekben benne van, használhat néhány előre meghatározottat is.", + "metaspaces_home_description": "A Kezdőlap áttekintést adhat mindenről.", + "metaspaces_favourites_description": "Csoportosítsa az összes kedvenc szobáját és ismerősét egy helyre.", + "metaspaces_people_description": "Csoportosítsa az összes ismerősét egy helyre.", + "metaspaces_orphans": "Téren kívüli szobák", + "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" } }, "devtools": { @@ -3125,7 +2939,15 @@ "user": "%(senderName)s befejezte a hangközvetítést" }, "creation_summary_dm": "%(creator)s hozta létre ezt az üzenetet.", - "creation_summary_room": "%(creator)s elkészítette és beállította a szobát." + "creation_summary_room": "%(creator)s elkészítette és beállította a szobát.", + "context_menu": { + "view_source": "Forrás megtekintése", + "show_url_preview": "Előnézet megjelenítése", + "external_url": "Forrás URL", + "collapse_reply_thread": "Üzenetszál összecsukása", + "view_related_event": "Kapcsolódó események megjelenítése", + "report": "Jelentés" + } }, "slash_command": { "spoiler": "A megadott üzenet elküldése kitakarva", @@ -3323,10 +3145,28 @@ "failed_call_live_broadcast_title": "Nem sikerült hívást indítani", "failed_call_live_broadcast_description": "Nem lehet hívást kezdeményezni élő közvetítés felvétele közben. Az élő közvetítés bejezése szükséges a hívás indításához.", "no_media_perms_title": "Nincs média jogosultság", - "no_media_perms_description": "Lehet, hogy kézileg kell engedélyeznie a(z) %(brand)s számára, hogy hozzáférjen a mikrofonjához és webkamerájához" + "no_media_perms_description": "Lehet, hogy kézileg kell engedélyeznie a(z) %(brand)s számára, hogy hozzáférjen a mikrofonjához és webkamerájához", + "call_toast_unknown_room": "Ismeretlen szoba", + "join_button_tooltip_connecting": "Kapcsolódás", + "join_button_tooltip_call_full": "Bocsánat — ez a hívás betelt", + "hide_sidebar_button": "Oldalsáv elrejtése", + "show_sidebar_button": "Oldalsáv megjelenítése", + "more_button": "Több", + "screenshare_monitor": "A teljes képernyő megosztása", + "screenshare_window": "Alkalmazásablak", + "screenshare_title": "Tartalom megosztása", + "disabled_no_perms_start_voice_call": "Nincs jogosultságod hang hívást indítani", + "disabled_no_perms_start_video_call": "Nincs jogosultságod videó hívást indítani", + "disabled_ongoing_call": "Hívás folyamatban", + "disabled_no_one_here": "Itt nincs senki akit fel lehetne hívni", + "n_people_joined": { + "one": "%(count)s személy belépett", + "other": "%(count)s személy belépett" + }, + "unknown_person": "ismeretlen személy", + "connecting": "Kapcsolódás" }, "Other": "Egyéb", - "Advanced": "Speciális", "room_settings": { "permissions": { "m.room.avatar_space": "Tér profilképének megváltoztatása", @@ -3366,7 +3206,10 @@ "title": "Szerepek és jogosultságok", "permissions_section": "Jogosultságok", "permissions_section_description_space": "A tér bizonyos beállításainak megváltoztatásához szükséges szerep kiválasztása", - "permissions_section_description_room": "A szoba bizonyos beállításainak megváltoztatásához szükséges szerep kiválasztása" + "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…" }, "security": { "strict_encryption": "Ebben a szobában sose küldjön titkosított üzenetet ellenőrizetlen munkamenetekbe ebből a munkamenetből", @@ -3392,7 +3235,33 @@ "history_visibility_shared": "Csak tagok számára (a beállítás kiválasztásától)", "history_visibility_invited": "Csak tagoknak (a meghívásuk idejétől)", "history_visibility_joined": "Csak tagoknak (amióta csatlakoztak)", - "history_visibility_world_readable": "Bárki" + "history_visibility_world_readable": "Bárki", + "join_rule_upgrade_required": "Fejlesztés szükséges", + "join_rule_restricted_n_more": { + "other": "és még %(count)s", + "one": "és még %(count)s" + }, + "join_rule_restricted_summary": { + "other": "Jelenleg %(count)s tér rendelkezik hozzáféréssel", + "one": "Jelenleg egy tér rendelkezik hozzáféréssel" + }, + "join_rule_restricted_description": "A téren bárki megtalálhatja és beléphet. Szerkessze, hogy melyik tér férhet hozzá.", + "join_rule_restricted_description_spaces": "Terek hozzáféréssel", + "join_rule_restricted_description_active_space": "A(z) téren bárki megtalálhatja és beléphet. Kiválaszthat más tereket is.", + "join_rule_restricted_description_prompt": "A téren bárki megtalálhatja és beléphet. Több teret is kiválaszthat.", + "join_rule_restricted": "Tértagság", + "join_rule_restricted_upgrade_warning": "Ez a szoba olyan terekben is benne van, amelynek nem Ön az adminisztrátora. Ezekben a terekben továbbra is a régi szoba jelenik meg, de az emberek jelzést kapnak, hogy lépjenek be az újba.", + "join_rule_restricted_upgrade_description": "Ez a fejlesztés lehetővé teszi, hogy a kiválasztott terek tagjai meghívó nélkül is elérjék ezt a szobát.", + "join_rule_upgrade_upgrading_room": "Szoba fejlesztése", + "join_rule_upgrade_awaiting_room": "Új szoba betöltése", + "join_rule_upgrade_sending_invites": { + "one": "Meghívók küldése…", + "other": "Meghívók küldése… (%(progress)s / %(count)s)" + }, + "join_rule_upgrade_updating_spaces": { + "one": "Terek frissítése…", + "other": "Terek frissítése… (%(progress)s / %(count)s)" + } }, "general": { "publish_toggle": "Publikálod a szobát a(z) %(domain)s szoba listájába?", @@ -3402,7 +3271,11 @@ "default_url_previews_off": "Az URL előnézet alapértelmezetten tiltva van a szobában jelenlévőknek.", "url_preview_encryption_warning": "A titkosított szobákban, mint például ez is, az URL előnézet alapértelmezetten ki van kapcsolva, hogy biztosított legyen, hogy a Matrix szerver (ahol az előnézet készül) ne tudjon információt gyűjteni arról, hogy milyen linkeket látsz ebben a szobában.", "url_preview_explainer": "Ha valaki URL linket helyez az üzenetébe, lehetőség van egy előnézet megjelenítésére amivel további információt kaphatunk a linkről, mint cím, leírás és a weboldal képe.", - "url_previews_section": "URL előnézet" + "url_previews_section": "URL előnézet", + "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" }, "advanced": { "unfederated": "Ez a szoba távoli Matrix-kiszolgálóról nem érhető el", @@ -3414,6 +3287,24 @@ "room_id": "Belső szobaazonosító", "room_version_section": "Szoba verziója", "room_version": "Szoba verziója:" + }, + "delete_avatar_label": "Profilkép törlése", + "upload_avatar_label": "Profilkép feltöltése", + "visibility": { + "error_update_guest_access": "A tér vendéghozzáférésének frissítése sikertelen", + "error_update_history_visibility": "A tér régi üzeneteinek láthatóságának frissítése sikertelen", + "guest_access_explainer": "A vendégek fiók nélkül is beléphetnek a térbe.", + "guest_access_explainer_public_space": "A nyilvános tereknél ez hasznos lehet.", + "title": "Láthatóság", + "error_failed_save": "A tér láthatóságának frissítése sikertelen", + "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" + }, + "access": { + "title": "Hozzáférés", + "description_space": "Döntse el, hogy ki láthatja, és léphet be ide: %(spaceName)s." } }, "encryption": { @@ -3440,7 +3331,15 @@ "waiting_other_device_details": "Várakozás a másik eszközről való ellenőrzésre: %(deviceName)s (%(deviceId)s)…", "waiting_other_device": "Várakozás a másik eszköztől való ellenőrzésre…", "waiting_other_user": "Várakozás %(displayName)s felhasználóra az ellenőrzéshez…", - "cancelling": "Megszakítás…" + "cancelling": "Megszakítás…", + "unverified_sessions_toast_title": "Ellenőrizetlen bejelentkezései vannak", + "unverified_sessions_toast_description": "Tekintse át, hogy meggyőződjön arról, hogy a fiókja biztonságban van", + "unverified_sessions_toast_reject": "Később", + "unverified_session_toast_title": "Új bejelentkezés. Ön volt az?", + "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" }, "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.", @@ -3450,7 +3349,18 @@ "bootstrap_title": "Kulcsok beállítása", "export_unsupported": "A böngészője nem támogatja a szükséges titkosítási kiterjesztéseket", "import_invalid_keyfile": "Nem érvényes %(brand)s kulcsfájl", - "import_invalid_passphrase": "Hitelesítési ellenőrzés sikertelen: hibás jelszó?" + "import_invalid_passphrase": "Hitelesítési ellenőrzés sikertelen: hibás jelszó?", + "set_up_toast_title": "Biztonsági mentés beállítása", + "upgrade_toast_title": "A titkosítási fejlesztés elérhető", + "verify_toast_title": "Munkamenet ellenőrzése", + "set_up_toast_description": "Biztosíték a titkosított üzenetekhez és adatokhoz való hozzáférés elvesztése ellen", + "verify_toast_description": "Más felhasználók lehet, hogy nem bíznak benne", + "cross_signing_unsupported": "A Matrix-kiszolgálója nem támogatja az eszközök közti hitelesítést.", + "cross_signing_ready": "Az eszközök közti hitelesítés használatra kész.", + "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": "" }, "emoji": { "category_frequently_used": "Gyakran használt", @@ -3474,7 +3384,8 @@ "bullet_1": "Nem mentünk vagy analizálunk semmilyen felhasználói adatot", "bullet_2": "Nem osztunk meg információt harmadik féllel", "disable_prompt": "Ezt bármikor kikapcsolhatja a beállításokban", - "accept_button": "Rendben van" + "accept_button": "Rendben van", + "shared_data_heading": "Az alábbi adatok közül bármelyik megosztásra kerülhet:" }, "chat_effects": { "confetti_description": "Konfettivel küldi el az üzenetet", @@ -3627,7 +3538,8 @@ "no_hs_url_provided": "Nincs megadva a Matrix-kiszolgáló webcíme", "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." + "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" }, "room_list": { "sort_unread_first": "Olvasatlan üzeneteket tartalmazó szobák megjelenítése elől", @@ -3751,7 +3663,34 @@ "error_need_to_be_logged_in": "Be kell jelentkeznie.", "error_need_invite_permission": "Hogy ezt tegye, ahhoz meg kell tudnia hívni felhasználókat.", "error_need_kick_permission": "Hogy ezt tegye, ahhoz ki kell tudnia rúgni felhasználókat.", - "no_name": "Ismeretlen alkalmazás" + "no_name": "Ismeretlen alkalmazás", + "error_hangup_title": "A kapcsolat megszakadt", + "error_hangup_description": "A híváskapcsolat megszakadt (Hiba: %(message)s)", + "context_menu": { + "start_audio_stream": "Hang folyam indítása", + "screenshot": "Fénykép készítése", + "delete": "Kisalkalmazás törlése", + "delete_warning": "A kisalkalmazás törlése minden felhasználót érint a szobában. Biztos, hogy törli a kisalkalmazást?", + "remove": "Visszavonás mindenkitől", + "revoke": "Jogosultságok visszavonása", + "move_left": "Mozgatás balra", + "move_right": "Mozgatás jobbra" + }, + "shared_data_name": "Saját megjelenítendő neve", + "shared_data_mxid": "Saját felhasználói azonosítója", + "shared_data_theme": "Saját témája", + "shared_data_url": "%(brand)s URL", + "shared_data_room_id": "Szobaazonosító", + "shared_data_widget_id": "Kisalkalmazás-azonosító", + "shared_data_warning_im": "Ennek a kisalkalmazásnak a használata adatot oszthat meg a(z) %(widgetDomain)s oldallal és az integrációkezelőjével.", + "shared_data_warning": "Ennek a kisalkalmazásnak a használata adatot oszthat meg a(z) %(widgetDomain)s domainnel.", + "unencrypted_warning": "A kisalkalmazások nem használnak üzenettitkosítást.", + "added_by": "A kisalkalmazást hozzáadta", + "cookie_warning": "Ez a kisalkalmazás sütiket használhat.", + "error_loading": "Hiba a kisalkalmazás betöltése során", + "error_mixed_content": "Hiba – Vegyes tartalom", + "unmaximise": "Kicsinyítés", + "popout": "Kiugró kisalkalmazás" }, "feedback": { "sent": "Visszajelzés elküldve", @@ -3848,7 +3787,8 @@ "empty_heading": "Beszélgetések üzenetszálakba rendezése" }, "theme": { - "light_high_contrast": "Világos, nagy kontrasztú" + "light_high_contrast": "Világos, nagy kontrasztú", + "match_system": "Rendszer beállításával megegyező" }, "space": { "landing_welcome": "Üdvözöl a(z) ", @@ -3864,9 +3804,14 @@ "devtools_open_timeline": "Szoba idővonal megjelenítése (fejlesztői eszközök)", "home": "Kezdő tér", "explore": "Szobák felderítése", - "manage_and_explore": "Szobák kezelése és felderítése" + "manage_and_explore": "Szobák kezelése és felderítése", + "options": "Tér beállításai" }, - "share_public": "Nyilvános tér megosztása" + "share_public": "Nyilvános tér megosztása", + "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" }, "location_sharing": { "MapStyleUrlNotConfigured": "Ezen a Matrix-kiszolgálón nincs beállítva a térképek megjelenítése.", @@ -3883,7 +3828,14 @@ "failed_timeout": "Időtúllépés történt a földrajzi helyzetének lekérésekor. Próbálja újra később.", "failed_unknown": "Ismeretlen hiba a földrajzi helyzetének lekérésekor. Próbálja újra később.", "expand_map": "Térkép szétnyitása", - "failed_load_map": "A térkép betöltése sikertelen" + "failed_load_map": "A térkép betöltése sikertelen", + "live_enable_heading": "Élő földrajzi hely megosztása", + "live_enable_description": "Figyelem: ez a labor lehetőség egy átmeneti megvalósítás. Ez azt jelenti, hogy a szobába már elküldött helyadatok az élő hely megosztás leállítása után is hozzáférhetők maradnak a szobában.", + "live_toggle_label": "Élő helymegosztás engedélyezése", + "live_share_button": "Megosztás eddig: %(duration)s", + "click_move_pin": "Kattintson a jelölő mozgatásához", + "click_drop_pin": "Kattintson a hely megjelöléséhez", + "share_button": "Tartózkodási hely megosztása" }, "labs_mjolnir": { "room_name": "Saját tiltólista", @@ -3919,7 +3871,6 @@ }, "create_space": { "name_required": "Adjon meg egy nevet a térhez", - "name_placeholder": "például sajat-ter", "explainer": "A terek a szobák és emberek csoportosításának új módja. Milyen teret szeretne létrehozni? Később megváltoztathatja.", "public_description": "Mindenki számára nyílt tér, a közösségek számára ideális", "private_description": "Csak meghívóval, saját célra és csoportok számára ideális", @@ -3950,11 +3901,17 @@ "setup_rooms_community_description": "Készítsünk szobát mindhez.", "setup_rooms_description": "Később is hozzáadhat többet, beleértve meglévőket is.", "setup_rooms_private_heading": "Milyen projekteken dolgozik a csoportja?", - "setup_rooms_private_description": "Mindenhez készítünk egy szobát." + "setup_rooms_private_description": "Mindenhez készítünk egy szobát.", + "address_placeholder": "például sajat-ter", + "address_label": "Cím", + "label": "Tér létrehozása", + "add_details_prompt_2": "Ezeket bármikor megváltoztathatja.", + "creating": "Létrehozás…" }, "user_menu": { "switch_theme_light": "Világos módra váltás", - "switch_theme_dark": "Sötét módra váltás" + "switch_theme_dark": "Sötét módra váltás", + "settings": "Minden beállítás" }, "notif_panel": { "empty_heading": "Minden elolvasva", @@ -3992,7 +3949,26 @@ "leave_error_title": "Hiba a szoba elhagyásakor", "upgrade_error_title": "Hiba a szoba verziófrissítésekor", "upgrade_error_description": "Ellenőrizze még egyszer, hogy a kiszolgálója támogatja-e kiválasztott szobaverziót, és próbálja újra.", - "leave_server_notices_description": "Ez a szoba a Matrix-kiszolgáló fontos kiszolgálóüzenetei közlésére jött létre, nem tud belőle kilépni." + "leave_server_notices_description": "Ez a szoba a Matrix-kiszolgáló fontos kiszolgálóüzenetei közlésére jött létre, nem tud belőle kilépni.", + "error_join_connection": "A csatlakozás során hiba történt.", + "error_join_incompatible_version_1": "Sajnáljuk, a Matrix-kiszolgáló túl régi verziójú ahhoz, hogy ebben részt vegyen.", + "error_join_incompatible_version_2": "Vegye fel a kapcsolatot a Matrix-kiszolgáló rendszergazdájával.", + "error_join_404_invite_same_hs": "A személy, aki meghívta, már távozott.", + "error_join_404_invite": "Aki meghívta a szobába már távozott, vagy a kiszolgálója nem érhető el.", + "error_join_404_1": "A belépéshez csak a szoba azonosítóját adta meg a kiszolgáló nélkül. A szobaazonosító egy belső azonosító, amellyel további információk nélkül nem lehet belépni szobába.", + "error_join_404_2": "Ha ismeri a szoba címét próbáljon inkább azzal belépni.", + "error_join_title": "Csatlakozás sikertelen", + "context_menu": { + "unfavourite": "Kedvencnek jelölt", + "favourite": "Kedvencnek jelölés", + "mentions_only": "Csak megemlítések", + "copy_link": "Szoba hivatkozásának másolása", + "low_priority": "Alacsony prioritás", + "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" + } }, "file_panel": { "guest_note": "Regisztrálnod kell hogy ezt használhasd", @@ -4012,7 +3988,8 @@ "tac_button": "Általános Szerződési Feltételek elolvasása", "identity_server_no_terms_title": "Az azonosítási kiszolgálónak nincsenek felhasználási feltételei", "identity_server_no_terms_description_1": "Ez a művelet az e-mail-cím vagy telefonszám ellenőrzése miatt hozzáférést igényel a(z) alapértelmezett azonosítási kiszolgálójához, de a kiszolgálónak nincsenek felhasználási feltételei.", - "identity_server_no_terms_description_2": "Csak akkor lépjen tovább, ha megbízik a kiszolgáló tulajdonosában." + "identity_server_no_terms_description_2": "Csak akkor lépjen tovább, ha megbízik a kiszolgáló tulajdonosában.", + "inline_intro_text": " elfogadása a továbblépéshez:" }, "space_settings": { "title": "Beállítások – %(spaceName)s" @@ -4104,7 +4081,14 @@ "sync": "A Matrix-kiszolgálóval nem lehet felvenni a kapcsolatot. Újrapróbálkozás…", "connection": "A kiszolgálóval való kommunikáció során probléma történt, próbálja újra.", "mixed_content": "Nem lehet HTTP-vel csatlakozni a Matrix-kiszolgálóhoz, ha HTTPS van a böngésző címsorában. Vagy használjon HTTPS-t vagy engedélyezze a nem biztonságos parancsfájlokat.", - "tls": "Nem lehet kapcsolódni a Matrix-kiszolgálóhoz – ellenőrizze a kapcsolatot, győződjön meg arról, hogy a Matrix-kiszolgáló tanúsítványa hiteles, és hogy a böngészőkiegészítők nem blokkolják a kéréseket." + "tls": "Nem lehet kapcsolódni a Matrix-kiszolgálóhoz – ellenőrizze a kapcsolatot, győződjön meg arról, hogy a Matrix-kiszolgáló tanúsítványa hiteles, és hogy a böngészőkiegészítők nem blokkolják a kéréseket.", + "admin_contact_short": "Vegye fel a kapcsolatot a kiszolgáló rendszergazdájával.", + "non_urgent_echo_failure_toast": "A kiszolgálója nem válaszol néhány kérésre.", + "failed_copy": "Sikertelen másolás", + "something_went_wrong": "Valami rosszul sikerült.", + "download_media": "A forrásmédia letöltése sikertelen, nem található forráswebcím", + "update_power_level": "A hozzáférési szint megváltoztatása sikertelen", + "unknown": "Ismeretlen hiba" }, "in_space1_and_space2": "Ezekben a terekben: %(space1Name)s és %(space2Name)s.", "in_space_and_n_other_spaces": { @@ -4112,5 +4096,52 @@ "other": "Itt: %(spaceName)s és %(count)s másik térben." }, "in_space": "Ebben a térben: %(spaceName)s.", - "name_and_id": "%(name)s (%(userId)s)" + "name_and_id": "%(name)s (%(userId)s)", + "items_and_n_others": { + "other": " és még %(count)s másik", + "one": " és még egy másik" + }, + "notifications": { + "enable_prompt_toast_title_from_message_send": "Ne szalasszon el egy választ se", + "enable_prompt_toast_title": "Értesítések", + "enable_prompt_toast_description": "Asztali értesítések engedélyezése", + "colour_none": "Semmi", + "colour_bold": "Félkövér", + "colour_grey": "Szürke", + "colour_red": "Piros", + "colour_unsent": "Elküldetlen", + "error_change_title": "Értesítési beállítások megváltoztatása", + "mark_all_read": "Összes megjelölése olvasottként", + "keyword": "Kulcsszó", + "keyword_new": "Új kulcsszó", + "class_global": "Globális", + "class_other": "Egyéb", + "mentions_keywords": "Megemlítések és kulcsszavak" + }, + "mobile_guide": { + "toast_title": "A jobb élmény érdekében használjon alkalmazást", + "toast_description": "A(z) %(brand)s kísérleti állapotban van a mobilos webböngészőkben. A jobb élmény és a legújabb funkciók használatához használja az ingyenes natív alkalmazásunkat.", + "toast_accept": "Alkalmazás használata" + }, + "chat_card_back_action_label": "Vissza a csevegéshez", + "room_summary_card_back_action_label": "Szobainformációk", + "member_list_back_action_label": "Szobatagok", + "thread_view_back_action_label": "Vissza az üzenetszálhoz", + "quick_settings": { + "title": "Gyors beállítások", + "all_settings": "Minden beállítás", + "metaspace_section": "Kitűzés az oldalsávra", + "sidebar_settings": "További beállítások" + }, + "lightbox": { + "title": "Képnézet", + "rotate_left": "Forgatás balra", + "rotate_right": "Forgatás jobbra" + }, + "a11y_jump_first_unread_room": "Ugrás az első olvasatlan szobához.", + "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." + } } diff --git a/src/i18n/strings/id.json b/src/i18n/strings/id.json index 47dc4cb8b1..178991db0c 100644 --- a/src/i18n/strings/id.json +++ b/src/i18n/strings/id.json @@ -8,13 +8,10 @@ "Default": "Bawaan", "Download %(text)s": "Unduh %(text)s", "Failed to reject invitation": "Gagal menolak undangan", - "Favourite": "Favorit", "Incorrect verification code": "Kode verifikasi tidak benar", "Invalid Email Address": "Alamat Email Tidak Absah", "Invited": "Diundang", "Low priority": "Prioritas rendah", - "": "", - "Profile": "Profil", "Reason": "Alasan", "Return to login screen": "Kembali ke halaman masuk", "Rooms": "Ruangan", @@ -52,14 +49,11 @@ "%(items)s and %(lastItem)s": "%(items)s dan %(lastItem)s", "Decrypt %(text)s": "Dekripsi %(text)s", "Sunday": "Minggu", - "Notification targets": "Target notifikasi", "Today": "Hari Ini", - "Notifications": "Notifikasi", "Changelog": "Changelog", "This Room": "Ruangan ini", "Unavailable": "Tidak Tersedia", "All Rooms": "Semua Ruangan", - "Source URL": "URL Sumber", "Tuesday": "Selasa", "Search…": "Cari…", "Unnamed room": "Ruang tanpa nama", @@ -74,7 +68,6 @@ "Invite to this room": "Undang ke ruangan ini", "Thursday": "Kamis", "Yesterday": "Kemarin", - "Low Priority": "Prioritas Rendah", "Failed to change password. Is your password correct?": "Gagal untuk mengubah kata sandi. Apakah kata sandi Anda benar?", "Thank you!": "Terima kasih!", "Permission Required": "Izin Dibutuhkan", @@ -343,20 +336,15 @@ "%(duration)sm": "%(duration)sm", "%(duration)ss": "%(duration)sd", "Unignore": "Hilangkan Abaian", - "Copied!": "Disalin!", "Historical": "Riwayat", "Home": "Beranda", "Removing…": "Menghilangkan…", "Resume": "Lanjutkan", "Information": "Informasi", "Widgets": "Widget", - "Favourited": "Difavorit", - "ready": "siap", - "Algorithm:": "Algoritma:", "Unencrypted": "Tidak Dienkripsi", "Bridges": "Jembatan", "Lock": "Gembok", - "Later": "Nanti", "Accepting…": "Menerima…", "Italics": "Miring", "None": "Tidak Ada", @@ -430,22 +418,17 @@ "Dog": "Anjing", "Demote": "Turunkan", "Replying": "Membalas", - "General": "Umum", "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", - "Show advanced": "Tampilkan lanjutan", - "Hide advanced": "Sembunyikan lanjutan", "Upload Error": "Kesalahan saat Mengunggah", "Cancel All": "Batalkan Semua", "Upload all": "Unggah semua", "Upload files": "Unggah file", "Power level": "Tingkat daya", - "Rotate Right": "Putar ke Kanan", - "Rotate Left": "Putar ke Kiri", "Revoke invite": "Hapus undangan", "Reason: %(reason)s": "Alasan: %(reason)s", "Sign Up": "Daftar", @@ -453,7 +436,6 @@ "Edit message": "Edit pesan", "Notification sound": "Suara notifikasi", "Uploaded sound": "Suara terunggah", - "Create account": "Buat akun", "Email (optional)": "Email (opsional)", "Light bulb": "Bohlam lampu", "Thumbs up": "Jempol", @@ -464,13 +446,10 @@ "Phone Number": "Nomor Telepon", "Room Addresses": "Alamat Ruangan", "Room information": "Informasi ruangan", - "Bulk options": "Opsi massal", "Ignored users": "Pengguna yang diabaikan", "Account management": "Manajemen akun", "Phone numbers": "Nomor telepon", "Email addresses": "Alamat email", - "Profile picture": "Gambar profil", - "Display Name": "Nama Tampilan", "That matches!": "Mereka cocok!", "General failure": "Kesalahan umum", "Share User": "Bagikan Pengguna", @@ -483,28 +462,22 @@ "Verification code": "Kode verifikasi", "Audio Output": "Output Audio", "Set up": "Siapkan", - "Delete Backup": "Hapus Cadangan", "Send Logs": "Kirim Catatan", "Filter results": "Saring hasil", "Logs sent": "Catatan terkirim", - "Popout widget": "Widget popout", "Uploading %(filename)s": "Mengunggah %(filename)s", "Delete Widget": "Hapus Widget", "(~%(count)s results)": { "one": "(~%(count)s hasil)", "other": "(~%(count)s hasil)" }, - "Delete widget": "Hapus widget", "Reject invitation": "Tolak undangan", "Confirm Removal": "Konfirmasi Penghapusan", "Invalid file%(extra)s": "File tidak absah%(extra)s", "not specified": "tidak ditentukan", "Join Room": "Bergabung dengan Ruangan", - "Upload avatar": "Unggah avatar", - "Report": "Laporkan", "Confirm passphrase": "Konfirmasi frasa sandi", "Enter passphrase": "Masukkan frasa sandi", - "Unknown error": "Kesalahan tidak diketahui", "Results": "Hasil", "Joined": "Tergabung", "Joining": "Bergabung", @@ -514,22 +487,11 @@ "Decrypting": "Mendekripsi", "Downloading": "Mengunduh", "Forget room": "Lupakan ruangan", - "Access": "Akses", - "Global": "Global", - "Keyword": "Kata kunci", - "Visibility": "Visibilitas", "Address": "Alamat", - "More": "Lagi", "Avatar": "Avatar", "Hold": "Jeda", "Transfer": "Pindah", "Sending": "Mengirim", - "Spaces": "Space", - "Connecting": "Menghubungkan", - " and %(count)s others": { - "one": " dan satu lainnya", - "other": " dan %(count)s lainnya" - }, "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.", @@ -539,127 +501,15 @@ "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", - "not ready": "belum siap", - "Secret storage:": "Penyimpanan rahasia:", - "in account data": "di data akun", - "Secret storage public key:": "Kunci publik penyimpanan rahasia:", - "Backup key cached:": "Cadangan kunci dicache:", - "not stored": "tidak disimpan", - "Backup key stored:": "Cadangan kunci disimpan:", - "Back up your encryption keys with your account data in case you lose access to your sessions. Your keys will be secured with a unique Security Key.": "Cadangkan kunci enkripsi Anda dengan data akun Anda jika Anda kehilangan akses ke sesi-sesi Anda. Kunci Anda akan diamankan dengan Kunci Keamanan yang unik.", - "unexpected type": "tipe yang tidak terduga", - "well formed": "terbentuk dengan baik", "Back up your keys before signing out to avoid losing them.": "Cadangkan kunci Anda sebelum keluar untuk menghindari kehilangannya.", - "Your keys are not being backed up from this session.": "Kunci Anda tidak dicadangan dari sesi ini.", "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", - "All keys backed up": "Semua kunci telah dicadangkan", - "Connect this session to Key Backup": "Hubungkan sesi ini ke Pencadangan Kunci", - "Connect this session to key backup before signing out to avoid losing any keys that may only be on this session.": "Hubungkan sesi ini ke pencadangan kunci sebelum keluar untuk menghindari kehilangan kunci apa saja yang mungkin hanya ada di sesi ini.", - "This session is not backing up your keys, but you do have an existing backup you can restore from and add to going forward.": "Sesi ini tidak mencadangkan kunci Anda, tetapi Anda memiliki cadangan yang ada yang dapat Anda pulihkan dan tambahkan untuk selanjutnya.", - "Restore from Backup": "Pulihkan dari Cadangan", - "Unable to load key backup status": "Tidak dapat memuat status pencadangan kunci", - "Are you sure? You will lose your encrypted messages if your keys are not backed up properly.": "Apakah Anda yakin? Anda akan kehilangan pesan terenkripsi jika kunci Anda tidak dicadangkan dengan benar.", - "The operation could not be completed": "Operasi ini tidak dapat diselesaikan", - "Failed to save your profile": "Gagal untuk menyimpan profil Anda", - "There was an error loading your notification settings.": "Sebuah kesalahan terjadi saat memuat pengaturan notifikasi Anda.", - "Mentions & keywords": "Sebutan & kata kunci", - "New keyword": "Kata kunci baru", - "Updating spaces... (%(progress)s out of %(count)s)": { - "one": "Memperbarui space...", - "other": "Memperbarui space... (%(progress)s dari %(count)s)" - }, - "Sending invites... (%(progress)s out of %(count)s)": { - "one": "Mengirimkan undangan...", - "other": "Mengirimkan undangan... (%(progress)s dari %(count)s)" - }, - "Loading new room": "Memuat ruangan baru", - "Upgrading room": "Meningkatkan ruangan", - "This upgrade will allow members of selected spaces access to this room without an invite.": "Peningkatan ini akan mengizinkan anggota di space yang terpilih untuk dapat mengakses ruangan ini tanpa sebuah undangan.", - "This room is in some spaces you're not an admin of. In those spaces, the old room will still be shown, but people will be prompted to join the new one.": "Ruangan ini masih ada di dalam space yang Anda bukan admin di sana. Di space itu, ruangan yang lama masih terlihat, tetapi orang akan diberi tahu untuk bergabung dengan ruangan yang baru.", - "Space members": "Anggota space", - "Anyone in a space can find and join. You can select multiple spaces.": "Siapa saja di sebuah space dapat menemukan dan bergabung. Anda dapat memilih beberapa space.", - "Anyone in can find and join. You can select other spaces too.": "Siapa saja di dapat menemukan dan bergabung. Anda juga dapat memilih space yang lain.", - "Spaces with access": "Space dengan akses", - "Anyone in a space can find and join. Edit which spaces can access here.": "Siapa saja di dalam space dapat menemukan dan bergabung. Edit space apa saja yang dapat mengakses.", - "Currently, %(count)s spaces have access": { - "one": "Saat ini, sebuah space memiliki akses", - "other": "Saat ini, %(count)s space memiliki akses" - }, - "& %(count)s more": { - "one": "& %(count)s lainnya", - "other": "& %(count)s lainnya" - }, - "Upgrade required": "Peningkatan diperlukan", - "The integration manager is offline or it cannot reach your homeserver.": "Manager integrasinya mungkin sedang luring atau tidak dapat mencapai homeserver Anda.", - "Cannot connect to integration manager": "Tidak dapat menghubungkan ke manajer integrasi", - "Message search initialisation failed": "Inisialisasi pencarian pesan gagal", - "%(brand)s can't securely cache encrypted messages locally while running in a web browser. Use %(brand)s Desktop for encrypted messages to appear in search results.": "%(brand)s tidak dapat menyimpan pesan terenkripsi secara lokal dengan aman saat dijalankan di browser. Gunakan %(brand)s Desktop supaya pesan terenkripsi dapat muncul di hasil pencarian.", - "%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with search components added.": "%(brand)s tidak memiliki beberapa komponen yang diperlukan untuk menyimpan pesan terenkripsi secara lokal dengan aman. Jika Anda ingin bereksperimen dengan fitur ini, buat %(brand)s Desktop yang khusus dengan tambahan komponen penelusuran.", - "Securely cache encrypted messages locally for them to appear in search results.": "Simpan pesan terenkripsi secara lokal dengan aman agar muncul di hasil pencarian.", - "Securely cache encrypted messages locally for them to appear in search results, using %(size)s to store messages from %(rooms)s rooms.": { - "one": "Simpan pesan terenkripsi secara lokal dengan aman agar muncul di hasil pencarian, menggunakan %(size)s untuk menyimpan pesan dari %(rooms)s ruangan.", - "other": "Simpan pesan terenkripsi secara lokal dengan aman agar muncul di hasil pencarian, menggunakan %(size)s untuk menyimpan pesan dari %(rooms)s ruangan." - }, - "Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "Verifikasi setiap sesi yang digunakan oleh pengguna satu per satu untuk menandainya sebagai tepercaya, dan tidak memercayai perangkat yang ditandatangani silang.", "Failed to set display name": "Gagal untuk menetapkan nama tampilan", - "Cross-signing is not set up.": "Penandatanganan silang belum disiapkan.", - "Your account has a cross-signing identity in secret storage, but it is not yet trusted by this session.": "Akun Anda mempunyai identitas penandatanganan silang di penyimpanan rahasia, tetapi belum dipercayai oleh sesi ini.", - "Cross-signing is ready but keys are not backed up.": "Penandatanganan silang telah siap tetapi kunci belum dicadangkan.", - "Cross-signing is ready for use.": "Penandatanganan silang siap digunakan.", - "Your homeserver does not support cross-signing.": "Homeserver Anda tidak mendukung penandatanganan silang.", - "No display name": "Tidak ada nama tampilan", - "Space options": "Opsi space", - "Jump to first invite.": "Pergi ke undangan pertama.", - "Jump to first unread room.": "Pergi ke ruangan yang belum dibaca.", - "Recommended for public spaces.": "Direkomendasikan untuk space publik.", - "Allow people to preview your space before they join.": "Memungkinkan orang-orang untuk memperlihatkan space Anda sebelum mereka bergabung.", - "Preview Space": "Tampilkan Space", - "Failed to update the visibility of this space": "Gagal untuk memperbarui visibilitas untuk space ini", - "Decide who can view and join %(spaceName)s.": "Putuskan siapa yang dapat melihat dan bergabung dengan %(spaceName)s.", - "This may be useful for public spaces.": "Ini mungkin berguna untuk space publik.", - "Guests can join a space without having an account.": "Tamu dapat bergabung sebuah space tanpa harus mempunyai akun.", - "Enable guest access": "Aktifkan akses tamu", - "Failed to update the history visibility of this space": "Gagal untuk memperbarui visibilitas riwayat untuk space ini", - "Failed to update the guest access of this space": "Gagal untuk memperbarui akses tamu untuk space ini", - "Leave Space": "Tinggalkan Space", - "Save Changes": "Simpan Perubahan", - "Edit settings relating to your space.": "Edit pengaturan yang berkaitan dengan space Anda.", - "Failed to save space settings.": "Gagal untuk menyimpan pengaturan space.", - "Invite with email or username": "Undang dengan email atau nama pengguna", - "Invite people": "Undang pengguna", - "Share invite link": "Bagikan tautan undangan", - "Failed to copy": "Gagal untuk menyalin", - "Click to copy": "Klik untuk menyalin", - "Show all rooms": "Tampilkan semua ruangan", - "You can change these anytime.": "Anda dapat mengubahnya kapan saja.", "To join a space you'll need an invite.": "Untuk bergabung sebuah space Anda membutuhkan undangan.", "Create a space": "Buat space", - "Search %(spaceName)s": "Cari %(spaceName)s", - "Delete avatar": "Hapus avatar", - "Accept to continue:": "Terima untuk melanjutkan:", - "Your server isn't responding to some requests.": "Server Anda tidak menanggapi beberapa permintaan.", - "Show sidebar": "Tampilkan sisi bilah", - "Hide sidebar": "Sembunyikan sisi bilah", - "unknown person": "pengguna tidak dikenal", "IRC display name width": "Lebar nama tampilan IRC", - "Change notification settings": "Ubah pengaturan notifikasi", - "Please contact your homeserver administrator.": "Mohon hubungi administrator homeserver Anda.", - "%(deviceId)s from %(ip)s": "%(deviceId)s dari %(ip)s", - "New login. Was this you?": "Login baru. Apakah itu Anda?", - "Other users may not trust it": "Pengguna yang lain mungkin tidak mempercayainya", - "Safeguard against losing access to encrypted messages & data": "Lindungi dari kehilangan akses ke pesan & data terenkripsi", - "Verify this session": "Verifikasi sesi ini", - "Encryption upgrade available": "Tersedia peningkatan enkripsi", - "Set up Secure Backup": "Siapkan Cadangan Aman", - "Contact your server admin.": "Hubungi admin server Anda.", "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.", - "Use app": "Gunakan aplikasi", - "Use app for a better experience": "Gunakan aplikasi untuk pengalaman yang lebih baik", - "Enable desktop notifications": "Aktifkan notifikasi desktop", - "Don't miss a reply": "Jangan lewatkan sebuah balasan", - "Review to ensure your account is safe": "Periksa untuk memastikan akun Anda aman", "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.", @@ -679,18 +529,10 @@ "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.", - "Show all your rooms in Home, even if they're in a space.": "Tampilkan semua ruangan di Beranda, walaupun mereka berada di sebuah space.", - "Home is useful for getting an overview of everything.": "Beranda berguna untuk mendapatkan ikhtisar tentang semuanya.", - "Spaces to show": "Space yang ditampilkan", - "Sidebar": "Bilah Samping", "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.", - "Message search": "Pencarian pesan", - "Reject all %(invitedRooms)s invites": "Tolak semua %(invitedRooms)s undangan", - "Accept all %(invitedRooms)s invites": "Terima semua %(invitedRooms)s undangan", "You have no ignored users.": "Anda tidak memiliki pengguna yang diabaikan.", "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.", - "Rooms outside of a space": "Ruangan yang tidak berada di sebuah space", "Missing media permissions, click the button below to request.": "Membutuhkan izin media, klik tombol di bawah untuk meminta izin.", "This room isn't bridging messages to any platforms. Learn more.": "Ruangan tidak ini menjembatani pesan-pesan ke platform apa pun. Pelajari lebih lanjut.", "This room is bridging messages to the following platforms. Learn more.": "Ruangan ini menjembatani pesan-pesan ke platform berikut ini. Pelajari lebih lanjut.", @@ -747,7 +589,6 @@ "No microphone found": "Tidak ada mikrofon yang ditemukan", "We were unable to access your microphone. Please check your browser settings and try again.": "Kami tidak dapat mengakses mikrofon Anda. Mohon periksa pengaturan browser Anda dan coba lagi.", "Unable to access your microphone": "Tidak dapat mengakses mikrofon Anda", - "Mark all as read": "Tandai semua sebagai dibaca", "Jump to first unread message.": "Pergi ke pesan pertama yang belum dibaca.", "Invited by %(sender)s": "Diundang oleh %(sender)s", "Could not revoke the invite. The server may be experiencing a temporary problem or you do not have sufficient permissions to revoke the invite.": "Tidak dapat menghapus undangan. Server ini mungkin mengalami masalah sementara atau Anda tidak memiliki izin yang dibutuhkan untuk menghapus undangannya.", @@ -759,7 +600,6 @@ "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.", - "Forget Room": "Lupakan Ruangan", "%(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?", @@ -798,7 +638,6 @@ "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.", - "More options": "Opsi lebih banyak", "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)", @@ -861,7 +700,6 @@ "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", - "Something went wrong!": "Ada sesuatu yang salah!", "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.", @@ -930,7 +768,6 @@ "Deactivate user": "Nonaktifkan pengguna", "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?": "Menonaktifkan pengguna ini akan mengeluarkan dan mencegahnya masuk ke akun lagi. Pengguna itu juga akan meninggalkan semua ruangan yang pengguna itu berada. Aksi ini tidak dapat dibatalkan. Apakah Anda yakin Anda ingin menonaktifkan pengguna ini?", "You will not be able to undo this change as you are promoting the user to have the same power level as yourself.": "Anda tidak akan dapat membatalkan perubahan ini ketika Anda mempromosikan pengguna untuk memiliki tingkat daya yang sama dengan Anda sendiri.", - "Failed to change power level": "Gagal untuk mengubah tingkat daya", "Failed to mute user": "Gagal untuk membisukan pengguna", "Failed to ban user": "Gagal untuk mencekal pengguna", "They won't be able to access whatever you're not an admin of.": "Mereka tidak dapat mengakses apa saja yang Anda bukan admin di sana.", @@ -1056,28 +893,11 @@ "one": "Tampilkan 1 pengguna", "other": "Tampilkan semua %(count)s anggota" }, - "Share content": "Bagikan konten", - "Application window": "Jendela aplikasi", - "Share entire screen": "Bagikan seluruh layar", "This version of %(brand)s does not support searching encrypted messages": "Versi %(brand)s ini tidak mendukung pencarian pesan terenkripsi", "This version of %(brand)s does not support viewing some encrypted files": "Versi %(brand)s ini tidak mendukung penampilan beberapa file terenkripsi", "Use the Desktop app to search encrypted messages": "Gunakan aplikasi desktop untuk mencari pesan-pesan terenkripsi", "Use the Desktop app to see all encrypted files": "Gunakan aplikasi desktop untuk melihat semua file terenkripsi", "Message search initialisation failed, check your settings for more information": "Initialisasi pencarian pesan gagal, periksa pengaturan Anda untuk informasi lanjut", - "Error - Mixed content": "Terjadi kesalahan — Konten tercampur", - "Error loading Widget": "Terjadi kesalahan saat memuat Widget", - "This widget may use cookies.": "Widget ini mungkin menggunakan kuki.", - "Widget added by": "Widget ditambahkan oleh", - "Widgets do not use message encryption.": "Widget tidak menggunakan enkripsi pesan.", - "Using this widget may share data with %(widgetDomain)s.": "Menggunakan widget ini mungkin membagikan data dengan %(widgetDomain)s.", - "Using this widget may share data with %(widgetDomain)s & your integration manager.": "Menggunakan widget ini mungkin membagikan data dengan %(widgetDomain)s & manajer integrasi Anda.", - "Widget ID": "ID Widget", - "Room ID": "ID Ruangan", - "%(brand)s URL": "URL %(brand)s", - "Your theme": "Tema Anda", - "Your user ID": "ID pengguna Anda", - "Your display name": "Nama tampilan Anda", - "Any of the following data may be shared:": "Data berikut ini mungkin dibagikan:", "Cancel search": "Batalkan pencarian", "You'll upgrade this room from to .": "Anda akan meningkatkan ruangan ini dari ke .", "Recent changes that have not yet been received": "Perubahan terbaru yang belum diterima", @@ -1132,7 +952,6 @@ "other": "Saat ini bergabung dengan %(count)s ruangan" }, "Switch theme": "Ubah tema", - "All settings": "Semua pengaturan", "Uploading %(filename)s and %(count)s others": { "one": "Mengunggah %(filename)s dan %(count)s lainnya", "other": "Mengunggah %(filename)s dan %(count)s lainnya" @@ -1175,24 +994,13 @@ "Country Dropdown": "Dropdown Negara", "This homeserver would like to make sure you are not a robot.": "Homeserver ini memastikan Anda bahwa Anda bukan sebuah robot.", "This room is public": "Ruangan ini publik", - "Move right": "Pindah ke kanan", - "Move left": "Pindah ke kiri", - "Revoke permissions": "Cabut izin", - "Remove for everyone": "Hapus untuk semuanya", - "Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "Menghapus sebuah widget menghapusnya untuk semua pengguna di ruangan ini. Apakah Anda yakin untuk menghapus widget ini?", - "Take a picture": "Ambil foto", "Unable to start audio streaming.": "Tidak dapat memulai penyiaran audio.", - "Start audio stream": "Mulai penyiaran audio", "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", - "Mentions only": "Sebutan saja", "Forget": "Lupakan", "View in room": "Tampilkan di ruangan", - "Collapse reply thread": "Tutup balasan utasan", - "Show preview": "Buka tampilan", - "View source": "Tampilkan sumber", "Resend %(unsentCount)s reaction(s)": "Kirim ulang %(unsentCount)s reaksi", "If you've forgotten your Security Key you can ": "Jika Anda lupa Kunci Keamanan, Anda dapat ", "Access your secure message history and set up secure messaging by entering your Security Key.": "Akses riwayat pesan aman Anda dan siapkan perpesanan aman dengan memasukkan Kunci Keamanan Anda.", @@ -1442,8 +1250,6 @@ "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.", - "Pin to sidebar": "Pasang pin ke bilah samping", - "Quick settings": "Pengaturan cepat", "Spaces you know that contain this space": "Space yang Anda tahu yang berisi space ini", "Chat": "Obrolan", "Home options": "Opsi Beranda", @@ -1458,8 +1264,6 @@ "other": "%(count)s suara. Vote untuk melihat hasilnya" }, "No votes cast": "Tidak ada suara", - "Share anonymous data to help us identify issues. Nothing personal. No third parties.": "Bagikan data anonim untuk membantu kami mengidentifikasi masalah-masalah. Tidak ada yang pribadi. Tidak ada pihak ketiga.", - "Share location": "Bagikan lokasi", "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.": "Apakah Anda yakin untuk mengakhiri poll ini? Ini akan menampilkan hasil akhir dari poll dan orang-orang tidak dapat memberikan suara lagi.", "End Poll": "Akhiri Poll", "Sorry, the poll did not end. Please try again.": "Maaf, poll tidak berakhir. Silakan coba lagi.", @@ -1479,7 +1283,6 @@ "Other rooms in %(spaceName)s": "Ruangan lainnya di %(spaceName)s", "Spaces you're in": "Space yang Anda berada", "Including you, %(commaSeparatedMembers)s": "Termasuk Anda, %(commaSeparatedMembers)s", - "Copy room link": "Salin tautan ruangan", "This groups your chats with members of this space. Turning this off will hide those chats from your view of %(spaceName)s.": "Ini mengelompokkan obrolan Anda dengan anggota space ini. Menonaktifkan ini akan menyembunyikan obrolan dari tampilan %(spaceName)s Anda.", "Sections to show": "Bagian untuk ditampilkan", "Open in OpenStreetMap": "Buka di OpenStreetMap", @@ -1487,9 +1290,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", - "Back to thread": "Kembali ke utasan", - "Room members": "Anggota ruangan", - "Back to chat": "Kembali ke obrolan", "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", @@ -1510,10 +1310,6 @@ "Remove them from everything I'm able to": "Keluarkan dari semuanya yang saya bisa", "Message pending moderation: %(reason)s": "Pesan akan dimoderasikan: %(reason)s", "Message pending moderation": "Pesan akan dimoderasikan", - "Group all your people in one place.": "Kelompokkan semua orang di satu tempat.", - "Group all your rooms that aren't part of a space in one place.": "Kelompokkan semua ruangan yang tidak ada di sebuah space di satu tempat.", - "Group all your favourite rooms and people in one place.": "Kelompokkan semua ruangan dan orang favorit Anda di satu tempat.", - "Spaces are ways to group rooms and people. Alongside the spaces you're in, you can use some pre-built ones too.": "Space adalah cara untuk mengelompokkan ruangan dan orang. Di sampingnya space yang Anda berada, Anda dapat menggunakan space yang sudah dibuat.", "Pick a date to jump to": "Pilih sebuah tanggal untuk pergi ke tanggalnya", "Jump to date": "Pergi ke tanggal", "The beginning of the room": "Awalan ruangan", @@ -1539,12 +1335,9 @@ "My current location": "Lokasi saya saat ini", "%(brand)s could not send your location. Please try again later.": "%(brand)s tidak dapat mengirimkan lokasi Anda. Silakan coba lagi nanti.", "We couldn't send your location": "Kami tidak dapat mengirimkan lokasi Anda", - "Match system": "Cocokkan dengan sistem", "Click": "Klik", "Expand quotes": "Buka kutip", "Collapse quotes": "Tutup kutip", - "Click to drop a pin": "Klik untuk menaruh pin", - "Click to move the pin": "Klik untuk memindahkan pin", "Can't create a thread from an event with an existing relation": "Tidak dapat membuat utasan dari sebuah peristiwa dengan relasi yang sudah ada", "You are sharing your live location": "Anda membagikan lokasi langsung Anda", "%(displayName)s's live location": "Lokasi langsung %(displayName)s", @@ -1558,9 +1351,7 @@ "one": "Saat ini menghapus pesan-pesan di %(count)s ruangan", "other": "Saat ini menghapus pesan-pesan di %(count)s ruangan" }, - "Share for %(duration)s": "Bagikan selama %(duration)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.": "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.", - "%(brand)s is experimental on a mobile web browser. For a better experience and the latest features, use our free native app.": "%(brand)s bersifat eksperimental pada peramban web ponsel. Untuk pengalaman yang lebih baik dan fitur-fitur terkini, gunakan aplikasi natif gratis kami.", "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.", @@ -1577,11 +1368,6 @@ "Forget this space": "Lupakan space ini", "You were removed by %(memberName)s": "Anda telah dikeluarkan oleh %(memberName)s", "Loading preview": "Memuat tampilan", - "Failed to join": "Gagal untuk bergabung", - "The person who invited you has already left, or their server is offline.": "Orang yang mengundang Anda telah keluar, atau servernya sedang luring.", - "The person who invited you has already left.": "Orang yang mengundang Anda telah keluar.", - "Sorry, your homeserver is too old to participate here.": "Maaf, homeserver Anda terlalu usang untuk berpartisipasi di sini.", - "There was an error joining.": "Terjadi sebuah kesalahan bergabung.", "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", @@ -1625,9 +1411,6 @@ }, "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", - "Enable live location sharing": "Aktifkan pembagian lokasi langsung", - "Please note: this is a labs feature using a temporary implementation. This means you will not be able to delete your location history, and advanced users will be able to see your location history even after you stop sharing your live location with this room.": "Mohon dicatat: ini adalah fitur uji coba menggunakan implementasi sementara. Ini berarti Anda tidak akan dapat menghapus riwayat lokasi Anda, dan pengguna tingkat lanjut akan dapat melihat riwayat lokasi Anda bahkan setelah Anda berhenti membagikan lokasi langsung Anda dengan ruangan ini.", - "Live location sharing": "Pembagian lokasi langsung", "%(members)s and %(last)s": "%(members)s dan %(last)s", "%(members)s and more": "%(members)s dan lainnya", "Open room": "Buka ruangan", @@ -1645,16 +1428,8 @@ "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…", - "%(count)s people joined": { - "one": "%(count)s orang bergabung", - "other": "%(count)s orang bergabung" - }, - "View related event": "Tampilkan peristiwa terkait", "Read receipts": "Laporan dibaca", - "You were disconnected from the call. (Error: %(message)s)": "Anda terputus dari panggilan. (Terjadi kesalahan: %(message)s)", - "Connection lost": "Koneksi putus", "Deactivating your account is a permanent action — be careful!": "Menonaktifkan akun Anda adalah aksi yang permanen — hati-hati!", - "Un-maximise": "Minimalkan", "When you sign out, these keys will be deleted from this device, which means you won't be able to read encrypted messages unless you have the keys for them on your other devices, or backed them up to the server.": "Ketika Anda keluar, kunci-kunci ini akan dihapus dari perangkat ini, yang berarti Anda tidak dapat membaca pesan-pesan terenkripsi kecuali jika Anda mempunyai kuncinya di perangkat Anda yang lain, atau telah mencadangkannya ke server.", "Remove search filter for %(filter)s": "Hapus saringan pencarian untuk %(filter)s", "Start a group chat": "Mulai sebuah grup obrolan", @@ -1691,16 +1466,10 @@ "Saved Items": "Item yang Tersimpan", "Choose a locale": "Pilih locale", "We're creating a room with %(names)s": "Kami sedang membuat sebuah ruangan dengan %(names)s", - "Sessions": "Sesi", - "For best security, verify your sessions and sign out from any session that you don't recognize or use anymore.": "Untuk keamanan yang terbaik, verifikasi sesi Anda dan keluarkan dari sesi yang Anda tidak kenal atau tidak digunakan lagi.", "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", - "You do not have permission to start voice calls": "Anda tidak memiliki izin untuk memulai panggilan suara", - "There's no one here to call": "Tidak ada siapa pun di sini untuk dipanggil", - "You do not have permission to start video calls": "Anda tidak memiliki izin untuk memulai panggilan video", - "Ongoing call": "Panggilan sedang berlangsung", "Video call (Jitsi)": "Panggilan video (Jitsi)", "Failed to set pusher state": "Gagal menetapkan keadaan pendorong", "Video call ended": "Panggilan video berakhir", @@ -1715,8 +1484,6 @@ "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", - "Sorry — this call is currently full": "Maaf — panggilan ini saat ini penuh", - "Unknown room": "Ruangan yang tidak diketahui", "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", @@ -1735,10 +1502,6 @@ "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", - "Are you sure you want to sign out of %(count)s sessions?": { - "one": "Apakah Anda yakin untuk mengeluarkan %(count)s sesi?", - "other": "Apakah Anda yakin untuk mengeluarkan %(count)s sesi?" - }, "Show formatting": "Tampilkan formatting", "Hide formatting": "Sembunyikan format", "Error downloading image": "Kesalahan mengunduh gambar", @@ -1757,15 +1520,10 @@ "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: ", - "You have unverified sessions": "Anda memiliki sesi yang belum diverifikasi", "Change layout": "Ubah tata letak", - "Search users in this room…": "Cari pengguna di ruangan ini…", - "Give one or multiple users in this room more privileges": "Berikan satu atau beberapa pengguna dalam ruangan ini lebih banyak izin", - "Add privileged users": "Tambahkan pengguna yang diizinkan", "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", - "Mark as read": "Tandai sebagai dibaca", "Text": "Teks", "Create a link": "Buat sebuah tautan", "You can't start a voice message as you are currently recording a live broadcast. Please end your live broadcast in order to start recording a voice message.": "Anda tidak dapat memulai sebuah pesan suara karena Anda saat ini merekam sebuah siaran langsung. Silakan mengakhiri siaran langsung Anda untuk memulai merekam sebuah pesan suara.", @@ -1776,9 +1534,6 @@ "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", - "Red": "Merah", - "Grey": "Abu-Abu", - "This session is backing up your keys.": "Sesi ini mencadangkan kunci Anda.", "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", @@ -1800,10 +1555,6 @@ "Encrypting your message…": "Mengenkripsi pesan Anda…", "Sending your message…": "Mengirim pesan Anda…", "Set a new account password…": "Atur kata sandi akun baru…", - "Backing up %(sessionsRemaining)s keys…": "Mencadangkan %(sessionsRemaining)s kunci…", - "Connecting to integration manager…": "Menghubungkan ke pengelola integrasi…", - "Saving…": "Menyimpan…", - "Creating…": "Membuat…", "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", @@ -1812,10 +1563,7 @@ "Ended a poll": "Mengakhiri sebuah pemungutan suara", "Due to decryption errors, some votes may not be counted": "Karena kesalahan pendekripsian, beberapa suara tidak dihitung", "The sender has blocked you from receiving this message": "Pengirim telah memblokir Anda supaya tidak menerima pesan ini", - "Yes, it was me": "Ya, itu saya", "Answered elsewhere": "Dijawab di tempat lain", - "If you know a room address, try joining through that instead.": "Jika Anda tahu sebuah alamat ruangan, coba bergabung melalui itu saja.", - "You attempted to join using a room ID without providing a list of servers to join through. Room IDs are internal identifiers and cannot be used to join a room without additional information.": "Anda mencoba untuk bergabung menggunakan sebuah ID ruangan tanpa menyediakan daftar server untuk bergabung melalui server. ID ruangan adalah pengenal internal dan tidak dapat digunakan untuk bergabung dengan sebuah ruangan tanpa informasi tambahan.", "View poll": "Tampilkan pemungutan suara", "There are no past polls for the past %(count)s days. Load more polls to view polls for previous months": { "one": "Tidak ada pemungutan suara untuk hari terakhir. Muat lebih banyak pemungutan suara untuk melihat pemungutan suara untuk bulan-bulan terakhir", @@ -1831,10 +1579,7 @@ "Past polls": "Pemungutan suara sebelumnya", "Active polls": "Pemungutan suara yang aktif", "View poll in timeline": "Tampilkan pemungutan suara di lini masa", - "Verify Session": "Verifikasi Sesi", - "Ignore (%(counter)s)": "Abaikan (%(counter)s)", "Invites by email can only be sent one at a time": "Undangan lewat surel hanya dapat dikirim satu-satu", - "An error occurred when updating your notification preferences. Please try to toggle your option again.": "Sebuah kesalahan terjadi saat memperbarui preferensi notifikasi Anda. Silakan coba mengubah opsi Anda lagi.", "Desktop app logo": "Logo aplikasi desktop", "Requires your server to support the stable version of MSC3827": "Mengharuslkan server Anda mendukung versi MSC3827 yang stabil", "Message from %(user)s": "Pesan dari %(user)s", @@ -1848,29 +1593,21 @@ "We were unable to find an event looking forwards from %(dateString)s. Try choosing an earlier date.": "Kami tidak dapat menemukan peristiwa sebelumnya dari %(dateString)s. Coba pilih tanggal yang lebih awal.", "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.": "Sebuah kesalahan jaringan terjadi saat mencari dan menuju ke tanggal yang diberikan. Homeserver Anda mungkin tidak tersedia atau ada masalah sementara dengan koneksi internet Anda. Silakan coba lagi. Jika ini masih berlanjut, silakan hubungi administrator homeserver Anda.", "Poll history": "Riwayat pemungutan suara", - "Mute room": "Bisukan ruangan", - "Match default setting": "Sesuai dengan pengaturan bawaan", "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", - "Image view": "Tampilan gambar", "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)", - "Failed to download source media, no source url was found": "Gagal mengunduh media sumber, tidak ada URL sumber yang ditemukan", "Once invited users have joined %(brand)s, you will be able to chat and the room will be end-to-end encrypted": "Setelah pengguna yang diundang telah bergabung ke %(brand)s, Anda akan dapat bercakapan dan ruangan akan terenkripsi secara ujung ke ujung", "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", - "Your language": "Bahasa Anda", - "Your device ID": "ID perangkat Anda", "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.", - "Ask to join": "Bertanya untuk bergabung", - "People cannot join unless access is granted.": "Orang-orang tidak dapat bergabung kecuali diberikan akses.", "Email Notifications": "Notifikasi Surel", "Email summary": "Kirim surel ikhtisar", "Receive an email summary of missed notifications": "Terima surel ikhtisar notifikasi yang terlewat", @@ -1894,7 +1631,6 @@ "Mark all messages as read": "Tandai semua pesan sebagai dibaca", "Reset to default settings": "Atur ulang ke pengaturan bawaan", "Messages here are end-to-end encrypted. Verify %(displayName)s in their profile - tap on their profile picture.": "Pesan-pesan di sini dienkripsi secara ujung ke ujung. Verifikasi %(displayName)s di profilnya — ketuk pada profilnya.", - "Your profile picture URL": "URL foto profil Anda", "Select which emails you want to send summaries to. Manage your emails in .": "Pilih surel mana yang ingin dikirimkan ikhtisar. Kelola surel Anda di .", "Mentions and Keywords only": "Hanya Sebutan dan Kata Kunci", "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", @@ -1911,8 +1647,6 @@ "Request access": "Minta akses", "Your request to join is pending.": "Permintaan Anda untuk bergabung sedang ditunda.", "Cancel request": "Batalkan permintaan", - "You need an invite to access this room.": "Anda memerlukan undangan untuk mengakses ruangan ini.", - "Failed to cancel": "Gagal membatalkan", "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", @@ -2017,7 +1751,15 @@ "off": "Mati", "all_rooms": "Semua ruangan", "deselect_all": "Batalkan semua pilihan", - "select_all": "Pilih semua" + "select_all": "Pilih semua", + "copied": "Disalin!", + "advanced": "Tingkat Lanjut", + "spaces": "Space", + "general": "Umum", + "saving": "Menyimpan…", + "profile": "Profil", + "display_name": "Nama Tampilan", + "user_avatar": "Gambar profil" }, "action": { "continue": "Lanjut", @@ -2121,7 +1863,10 @@ "clear": "Hapus", "exit_fullscreeen": "Keluar dari layar penuh", "enter_fullscreen": "Masuki layar penuh", - "unban": "Hilangkan Cekalan" + "unban": "Hilangkan Cekalan", + "click_to_copy": "Klik untuk menyalin", + "hide_advanced": "Sembunyikan lanjutan", + "show_advanced": "Tampilkan lanjutan" }, "a11y": { "user_menu": "Menu pengguna", @@ -2133,7 +1878,8 @@ "one": "1 pesan yang belum dibaca.", "other": "%(count)s pesan yang belum dibaca." }, - "unread_messages": "Pesan yang belum dibaca." + "unread_messages": "Pesan yang belum dibaca.", + "jump_first_invite": "Pergi ke undangan pertama." }, "labs": { "video_rooms": "Ruangan video", @@ -2327,7 +2073,6 @@ "user_a11y": "Penyelesaian Pengguna Otomatis" } }, - "Bold": "Tebal", "Link": "Tautan", "Code": "Kode", "power_level": { @@ -2435,7 +2180,8 @@ "intro_byline": "Miliki percakapan Anda.", "send_dm": "Kirim sebuah Pesan Langsung", "explore_rooms": "Jelajahi Ruangan Publik", - "create_room": "Buat sebuah Obrolan Grup" + "create_room": "Buat sebuah Obrolan Grup", + "create_account": "Buat akun" }, "settings": { "show_breadcrumbs": "Tampilkan jalan pintas ke ruangan yang baru saja ditampilkan di atas daftar ruangan", @@ -2502,7 +2248,10 @@ "noisy": "Berisik", "error_permissions_denied": "%(brand)s tidak memiliki izin untuk mengirim Anda notifikasi — mohon periksa pengaturan browser Anda", "error_permissions_missing": "%(brand)s tidak memiliki izin untuk mengirim Anda notifikasi — silakan coba lagi", - "error_title": "Tidak dapat mengaktifkan Notifikasi" + "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." }, "appearance": { "layout_irc": "IRC (Eksperimental)", @@ -2576,7 +2325,44 @@ "cryptography_section": "Kriptografi", "session_id": "ID Sesi:", "session_key": "Kunci sesi:", - "encryption_section": "Enkripsi" + "encryption_section": "Enkripsi", + "bulk_options_section": "Opsi massal", + "bulk_options_accept_all_invites": "Terima semua %(invitedRooms)s undangan", + "bulk_options_reject_all_invites": "Tolak semua %(invitedRooms)s undangan", + "message_search_section": "Pencarian pesan", + "analytics_subsection_description": "Bagikan data anonim untuk membantu kami mengidentifikasi masalah-masalah. Tidak ada yang pribadi. Tidak ada pihak ketiga.", + "encryption_individual_verification_mode": "Verifikasi setiap sesi yang digunakan oleh pengguna satu per satu untuk menandainya sebagai tepercaya, dan tidak memercayai perangkat yang ditandatangani silang.", + "message_search_enabled": { + "one": "Simpan pesan terenkripsi secara lokal dengan aman agar muncul di hasil pencarian, menggunakan %(size)s untuk menyimpan pesan dari %(rooms)s ruangan.", + "other": "Simpan pesan terenkripsi secara lokal dengan aman agar muncul di hasil pencarian, menggunakan %(size)s untuk menyimpan pesan dari %(rooms)s ruangan." + }, + "message_search_disabled": "Simpan pesan terenkripsi secara lokal dengan aman agar muncul di hasil pencarian.", + "message_search_unsupported": "%(brand)s tidak memiliki beberapa komponen yang diperlukan untuk menyimpan pesan terenkripsi secara lokal dengan aman. Jika Anda ingin bereksperimen dengan fitur ini, buat %(brand)s Desktop yang khusus dengan tambahan komponen penelusuran.", + "message_search_unsupported_web": "%(brand)s tidak dapat menyimpan pesan terenkripsi secara lokal dengan aman saat dijalankan di browser. Gunakan %(brand)s Desktop supaya pesan terenkripsi dapat muncul di hasil pencarian.", + "message_search_failed": "Inisialisasi pencarian pesan gagal", + "backup_key_well_formed": "terbentuk dengan baik", + "backup_key_unexpected_type": "tipe yang tidak terduga", + "backup_keys_description": "Cadangkan kunci enkripsi Anda dengan data akun Anda jika Anda kehilangan akses ke sesi-sesi Anda. Kunci Anda akan diamankan dengan Kunci Keamanan yang unik.", + "backup_key_stored_status": "Cadangan kunci disimpan:", + "cross_signing_not_stored": "tidak disimpan", + "backup_key_cached_status": "Cadangan kunci dicache:", + "4s_public_key_status": "Kunci publik penyimpanan rahasia:", + "4s_public_key_in_account_data": "di data akun", + "secret_storage_status": "Penyimpanan rahasia:", + "secret_storage_ready": "siap", + "secret_storage_not_ready": "belum siap", + "delete_backup": "Hapus Cadangan", + "delete_backup_confirm_description": "Apakah Anda yakin? Anda akan kehilangan pesan terenkripsi jika kunci Anda tidak dicadangkan dengan benar.", + "error_loading_key_backup_status": "Tidak dapat memuat status pencadangan kunci", + "restore_key_backup": "Pulihkan dari Cadangan", + "key_backup_active": "Sesi ini mencadangkan kunci Anda.", + "key_backup_inactive": "Sesi ini tidak mencadangkan kunci Anda, tetapi Anda memiliki cadangan yang ada yang dapat Anda pulihkan dan tambahkan untuk selanjutnya.", + "key_backup_connect_prompt": "Hubungkan sesi ini ke pencadangan kunci sebelum keluar untuk menghindari kehilangan kunci apa saja yang mungkin hanya ada di sesi ini.", + "key_backup_connect": "Hubungkan sesi ini ke Pencadangan Kunci", + "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." }, "preferences": { "room_list_heading": "Daftar ruangan", @@ -2690,7 +2476,13 @@ "other": "Keluarkan perangkat" }, "security_recommendations": "Saran keamanan", - "security_recommendations_description": "Tingkatkan keamanan akun Anda dengan mengikuti saran berikut." + "security_recommendations_description": "Tingkatkan keamanan akun Anda dengan mengikuti saran berikut.", + "title": "Sesi", + "sign_out_confirm_description": { + "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." }, "general": { "oidc_manage_button": "Kelola akun", @@ -2709,7 +2501,22 @@ "add_msisdn_confirm_sso_button": "Konfirmasi penambahan nomor telepon ini dengan menggunakan Single Sign On untuk membuktikan identitas Anda.", "add_msisdn_confirm_button": "Konfirmasi penambahan nomor telepon", "add_msisdn_confirm_body": "Klik tombol di bawah untuk mengkonfirmasi penambahan nomor telepon ini.", - "add_msisdn_dialog_title": "Tambahkan Nomor Telepon" + "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" + }, + "sidebar": { + "title": "Bilah Samping", + "metaspaces_subsection": "Space yang ditampilkan", + "metaspaces_description": "Space adalah cara untuk mengelompokkan ruangan dan orang. Di sampingnya space yang Anda berada, Anda dapat menggunakan space yang sudah dibuat.", + "metaspaces_home_description": "Beranda berguna untuk mendapatkan ikhtisar tentang semuanya.", + "metaspaces_favourites_description": "Kelompokkan semua ruangan dan orang favorit Anda di satu tempat.", + "metaspaces_people_description": "Kelompokkan semua orang di satu tempat.", + "metaspaces_orphans": "Ruangan yang tidak berada di sebuah space", + "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" } }, "devtools": { @@ -3213,7 +3020,15 @@ "user": "%(senderName)s mengakhiri sebuah siaran suara" }, "creation_summary_dm": "%(creator)s membuat pesan langsung ini.", - "creation_summary_room": "%(creator)s membuat dan mengatur ruangan ini." + "creation_summary_room": "%(creator)s membuat dan mengatur ruangan ini.", + "context_menu": { + "view_source": "Tampilkan sumber", + "show_url_preview": "Buka tampilan", + "external_url": "URL Sumber", + "collapse_reply_thread": "Tutup balasan utasan", + "view_related_event": "Tampilkan peristiwa terkait", + "report": "Laporkan" + } }, "slash_command": { "spoiler": "Mengirim pesan sebagai spoiler", @@ -3416,10 +3231,28 @@ "failed_call_live_broadcast_title": "Tidak dapat memulai panggilan", "failed_call_live_broadcast_description": "Anda tidak dapat memulai sebuah panggilan karena Anda saat ini merekam sebuah siaran langsung. Mohon akhiri siaran langsung Anda untuk memulai sebuah panggilan.", "no_media_perms_title": "Tidak ada izin media", - "no_media_perms_description": "Anda mungkin perlu mengizinkan %(brand)s secara manual untuk mengakses mikrofon/webcam" + "no_media_perms_description": "Anda mungkin perlu mengizinkan %(brand)s secara manual untuk mengakses mikrofon/webcam", + "call_toast_unknown_room": "Ruangan yang tidak diketahui", + "join_button_tooltip_connecting": "Menghubungkan", + "join_button_tooltip_call_full": "Maaf — panggilan ini saat ini penuh", + "hide_sidebar_button": "Sembunyikan sisi bilah", + "show_sidebar_button": "Tampilkan sisi bilah", + "more_button": "Lagi", + "screenshare_monitor": "Bagikan seluruh layar", + "screenshare_window": "Jendela aplikasi", + "screenshare_title": "Bagikan konten", + "disabled_no_perms_start_voice_call": "Anda tidak memiliki izin untuk memulai panggilan suara", + "disabled_no_perms_start_video_call": "Anda tidak memiliki izin untuk memulai panggilan video", + "disabled_ongoing_call": "Panggilan sedang berlangsung", + "disabled_no_one_here": "Tidak ada siapa pun di sini untuk dipanggil", + "n_people_joined": { + "one": "%(count)s orang bergabung", + "other": "%(count)s orang bergabung" + }, + "unknown_person": "pengguna tidak dikenal", + "connecting": "Menghubungkan" }, "Other": "Lainnya", - "Advanced": "Tingkat Lanjut", "room_settings": { "permissions": { "m.room.avatar_space": "Ubah avatar space", @@ -3459,7 +3292,10 @@ "title": "Peran & Izin", "permissions_section": "Izin", "permissions_section_description_space": "Pilih peran yang dibutuhkan untuk mengubah bagian-bagian space ini", - "permissions_section_description_room": "Pilih peran yang dibutuhkan untuk mengubah bagian-bagian ruangan ini" + "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…" }, "security": { "strict_encryption": "Jangan kirim pesan terenkripsi ke sesi yang belum diverifikasi di ruangan ini dari sesi ini", @@ -3486,7 +3322,35 @@ "history_visibility_shared": "Anggota saja (sejak memilih opsi ini)", "history_visibility_invited": "Anggota saja (sejak mereka diundang)", "history_visibility_joined": "Anggota saja (sejak mereka bergabung)", - "history_visibility_world_readable": "Siapa Saja" + "history_visibility_world_readable": "Siapa Saja", + "join_rule_upgrade_required": "Peningkatan diperlukan", + "join_rule_restricted_n_more": { + "one": "& %(count)s lainnya", + "other": "& %(count)s lainnya" + }, + "join_rule_restricted_summary": { + "one": "Saat ini, sebuah space memiliki akses", + "other": "Saat ini, %(count)s space memiliki akses" + }, + "join_rule_restricted_description": "Siapa saja di dalam space dapat menemukan dan bergabung. Edit space apa saja yang dapat mengakses.", + "join_rule_restricted_description_spaces": "Space dengan akses", + "join_rule_restricted_description_active_space": "Siapa saja di dapat menemukan dan bergabung. Anda juga dapat memilih space yang lain.", + "join_rule_restricted_description_prompt": "Siapa saja di sebuah space dapat menemukan dan bergabung. Anda dapat memilih beberapa space.", + "join_rule_restricted": "Anggota space", + "join_rule_knock": "Bertanya untuk bergabung", + "join_rule_knock_description": "Orang-orang tidak dapat bergabung kecuali diberikan akses.", + "join_rule_restricted_upgrade_warning": "Ruangan ini masih ada di dalam space yang Anda bukan admin di sana. Di space itu, ruangan yang lama masih terlihat, tetapi orang akan diberi tahu untuk bergabung dengan ruangan yang baru.", + "join_rule_restricted_upgrade_description": "Peningkatan ini akan mengizinkan anggota di space yang terpilih untuk dapat mengakses ruangan ini tanpa sebuah undangan.", + "join_rule_upgrade_upgrading_room": "Meningkatkan ruangan", + "join_rule_upgrade_awaiting_room": "Memuat ruangan baru", + "join_rule_upgrade_sending_invites": { + "one": "Mengirimkan undangan...", + "other": "Mengirimkan undangan... (%(progress)s dari %(count)s)" + }, + "join_rule_upgrade_updating_spaces": { + "one": "Memperbarui space...", + "other": "Memperbarui space... (%(progress)s dari %(count)s)" + } }, "general": { "publish_toggle": "Publikasi ruangan ini ke publik di direktori ruangan %(domain)s?", @@ -3496,7 +3360,11 @@ "default_url_previews_off": "Tampilan URL dinonaktifkan secara bawaan untuk anggota di ruangan ini.", "url_preview_encryption_warning": "Di ruangan terenkripsi, seperti ruangan ini, tampilan URL dinonaktifkan secara bawaan untuk memastikan homeserver Anda (di mana tampilannya dibuat) tidak mendapatkan informasi tentang tautan yang Anda lihat di ruangan ini.", "url_preview_explainer": "Ketika seseorang menambahkan URL di pesannya, sebuah tampilan URL dapat ditampilkan untuk memberikan informasi lainnya tentang tautan itu seperti judul, deskripsi, dan sebuah gambar dari website.", - "url_previews_section": "Tampilan URL" + "url_previews_section": "Tampilan URL", + "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" }, "advanced": { "unfederated": "Ruangan ini tidak dapat diakses oleh pengguna Matrix jarak jauh", @@ -3508,6 +3376,24 @@ "room_id": "ID ruangan internal", "room_version_section": "Versi ruangan", "room_version": "Versi ruangan:" + }, + "delete_avatar_label": "Hapus avatar", + "upload_avatar_label": "Unggah avatar", + "visibility": { + "error_update_guest_access": "Gagal untuk memperbarui akses tamu untuk space ini", + "error_update_history_visibility": "Gagal untuk memperbarui visibilitas riwayat untuk space ini", + "guest_access_explainer": "Tamu dapat bergabung sebuah space tanpa harus mempunyai akun.", + "guest_access_explainer_public_space": "Ini mungkin berguna untuk space publik.", + "title": "Visibilitas", + "error_failed_save": "Gagal untuk memperbarui visibilitas untuk space ini", + "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" + }, + "access": { + "title": "Akses", + "description_space": "Putuskan siapa yang dapat melihat dan bergabung dengan %(spaceName)s." } }, "encryption": { @@ -3534,7 +3420,15 @@ "waiting_other_device_details": "Menunggu Anda untuk memverifikasi perangkat Anda yang lain, %(deviceName)s (%(deviceId)s)…", "waiting_other_device": "Menunggu Anda untuk verifikasi di perangkat Anda yang lain…", "waiting_other_user": "Menunggu %(displayName)s untuk memverifikasi…", - "cancelling": "Membatalkan…" + "cancelling": "Membatalkan…", + "unverified_sessions_toast_title": "Anda memiliki sesi yang belum diverifikasi", + "unverified_sessions_toast_description": "Periksa untuk memastikan akun Anda aman", + "unverified_sessions_toast_reject": "Nanti", + "unverified_session_toast_title": "Login baru. Apakah itu Anda?", + "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" }, "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.", @@ -3544,7 +3438,18 @@ "bootstrap_title": "Menyiapkan kunci", "export_unsupported": "Browser Anda tidak mendukung ekstensi kriptografi yang dibutuhkan", "import_invalid_keyfile": "Bukan keyfile %(brand)s yang absah", - "import_invalid_passphrase": "Pemeriksaan autentikasi gagal: kata sandi salah?" + "import_invalid_passphrase": "Pemeriksaan autentikasi gagal: kata sandi salah?", + "set_up_toast_title": "Siapkan Cadangan Aman", + "upgrade_toast_title": "Tersedia peningkatan enkripsi", + "verify_toast_title": "Verifikasi sesi ini", + "set_up_toast_description": "Lindungi dari kehilangan akses ke pesan & data terenkripsi", + "verify_toast_description": "Pengguna yang lain mungkin tidak mempercayainya", + "cross_signing_unsupported": "Homeserver Anda tidak mendukung penandatanganan silang.", + "cross_signing_ready": "Penandatanganan silang siap digunakan.", + "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": "" }, "emoji": { "category_frequently_used": "Sering Digunakan", @@ -3568,7 +3473,8 @@ "bullet_1": "Kami tidak merekam atau memprofil data akun apa pun", "bullet_2": "Kami tidak membagikan informasi ini dengan pihak ketiga", "disable_prompt": "Anda dapat mematikannya kapan saja di pengaturan", - "accept_button": "Saya tidak keberatan" + "accept_button": "Saya tidak keberatan", + "shared_data_heading": "Data berikut ini mungkin dibagikan:" }, "chat_effects": { "confetti_description": "Kirim pesan dengan konfeti", @@ -3724,7 +3630,8 @@ "autodiscovery_unexpected_error_hs": "Kesalahan tidak terduga saat menyelesaikan konfigurasi homeserver", "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." + "incorrect_credentials_detail": "Mohon dicatat Anda akan masuk ke server %(hs)s, bukan matrix.org.", + "create_account_title": "Buat akun" }, "room_list": { "sort_unread_first": "Tampilkan ruangan dengan pesan yang belum dibaca dahulu", @@ -3848,7 +3755,37 @@ "error_need_to_be_logged_in": "Anda harus masuk.", "error_need_invite_permission": "Anda harus dapat mengundang pengguna untuk melakukannya.", "error_need_kick_permission": "Anda harus dapat mengeluarkan pengguna untuk melakukan itu.", - "no_name": "Aplikasi Tidak Diketahui" + "no_name": "Aplikasi Tidak Diketahui", + "error_hangup_title": "Koneksi putus", + "error_hangup_description": "Anda terputus dari panggilan. (Terjadi kesalahan: %(message)s)", + "context_menu": { + "start_audio_stream": "Mulai penyiaran audio", + "screenshot": "Ambil foto", + "delete": "Hapus widget", + "delete_warning": "Menghapus sebuah widget menghapusnya untuk semua pengguna di ruangan ini. Apakah Anda yakin untuk menghapus widget ini?", + "remove": "Hapus untuk semuanya", + "revoke": "Cabut izin", + "move_left": "Pindah ke kiri", + "move_right": "Pindah ke kanan" + }, + "shared_data_name": "Nama tampilan Anda", + "shared_data_avatar": "URL foto profil Anda", + "shared_data_mxid": "ID pengguna Anda", + "shared_data_device_id": "ID perangkat Anda", + "shared_data_theme": "Tema Anda", + "shared_data_lang": "Bahasa Anda", + "shared_data_url": "URL %(brand)s", + "shared_data_room_id": "ID Ruangan", + "shared_data_widget_id": "ID Widget", + "shared_data_warning_im": "Menggunakan widget ini mungkin membagikan data dengan %(widgetDomain)s & manajer integrasi Anda.", + "shared_data_warning": "Menggunakan widget ini mungkin membagikan data dengan %(widgetDomain)s.", + "unencrypted_warning": "Widget tidak menggunakan enkripsi pesan.", + "added_by": "Widget ditambahkan oleh", + "cookie_warning": "Widget ini mungkin menggunakan kuki.", + "error_loading": "Terjadi kesalahan saat memuat Widget", + "error_mixed_content": "Terjadi kesalahan — Konten tercampur", + "unmaximise": "Minimalkan", + "popout": "Widget popout" }, "feedback": { "sent": "Masukan terkirim", @@ -3945,7 +3882,8 @@ "empty_heading": "Buat diskusi tetap teratur dengan utasan" }, "theme": { - "light_high_contrast": "Kontras tinggi terang" + "light_high_contrast": "Kontras tinggi terang", + "match_system": "Cocokkan dengan sistem" }, "space": { "landing_welcome": "Selamat datang di ", @@ -3961,9 +3899,14 @@ "devtools_open_timeline": "Lihat lini masa ruangan (alat pengembang)", "home": "Beranda space", "explore": "Jelajahi ruangan", - "manage_and_explore": "Kelola & jelajahi ruangan" + "manage_and_explore": "Kelola & jelajahi ruangan", + "options": "Opsi space" }, - "share_public": "Bagikan space publik Anda" + "share_public": "Bagikan space publik Anda", + "search_children": "Cari %(spaceName)s", + "invite_link": "Bagikan tautan undangan", + "invite": "Undang pengguna", + "invite_description": "Undang dengan email atau nama pengguna" }, "location_sharing": { "MapStyleUrlNotConfigured": "Homeserver ini tidak diatur untuk menampilkan peta.", @@ -3980,7 +3923,14 @@ "failed_timeout": "Waktu habis dalam mendapatkan lokasi Anda. Silakan coba lagi nanti.", "failed_unknown": "Kesalahan yang tidak ketahui terjadi saat mendapatkan lokasi. Silakan coba lagi nanti.", "expand_map": "Buka peta", - "failed_load_map": "Tidak dapat memuat peta" + "failed_load_map": "Tidak dapat memuat peta", + "live_enable_heading": "Pembagian lokasi langsung", + "live_enable_description": "Mohon dicatat: ini adalah fitur uji coba menggunakan implementasi sementara. Ini berarti Anda tidak akan dapat menghapus riwayat lokasi Anda, dan pengguna tingkat lanjut akan dapat melihat riwayat lokasi Anda bahkan setelah Anda berhenti membagikan lokasi langsung Anda dengan ruangan ini.", + "live_toggle_label": "Aktifkan pembagian lokasi langsung", + "live_share_button": "Bagikan selama %(duration)s", + "click_move_pin": "Klik untuk memindahkan pin", + "click_drop_pin": "Klik untuk menaruh pin", + "share_button": "Bagikan lokasi" }, "labs_mjolnir": { "room_name": "Daftar Cekalan Saya", @@ -4016,7 +3966,6 @@ }, "create_space": { "name_required": "Mohon masukkan nama untuk space ini", - "name_placeholder": "mis. space-saya", "explainer": "Space adalah cara yang baru untuk mengelompokkan ruangan dan orang. Space apa yang Anda ingin buat? Ini dapat diubah nanti.", "public_description": "Space terbuka untuk siapa saja, baik untuk komunitas", "private_description": "Undangan saja, baik untuk Anda sendiri atau tim", @@ -4047,11 +3996,17 @@ "setup_rooms_community_description": "Mari kita buat ruangan untuk masing-masing.", "setup_rooms_description": "Anda juga dapat menambahkan lebih banyak nanti, termasuk yang sudah ada.", "setup_rooms_private_heading": "Proyek apa yang sedang dikerjakan tim Anda?", - "setup_rooms_private_description": "Kami akan membuat ruangan untuk masing-masing." + "setup_rooms_private_description": "Kami akan membuat ruangan untuk masing-masing.", + "address_placeholder": "mis. space-saya", + "address_label": "Alamat", + "label": "Buat space", + "add_details_prompt_2": "Anda dapat mengubahnya kapan saja.", + "creating": "Membuat…" }, "user_menu": { "switch_theme_light": "Ubah ke mode terang", - "switch_theme_dark": "Ubah ke mode gelap" + "switch_theme_dark": "Ubah ke mode gelap", + "settings": "Semua pengaturan" }, "notif_panel": { "empty_heading": "Anda selesai", @@ -4089,7 +4044,28 @@ "leave_error_title": "Terjadi kesalahan saat meninggalkan ruangan", "upgrade_error_title": "Gagal meningkatkan ruangan", "upgrade_error_description": "Periksa ulang jika server Anda mendukung versi ruangan ini dan coba lagi.", - "leave_server_notices_description": "Ruangan ini digunakan untuk pesan yang penting dari Homeservernya, jadi Anda tidak dapat meninggalkannya." + "leave_server_notices_description": "Ruangan ini digunakan untuk pesan yang penting dari Homeservernya, jadi Anda tidak dapat meninggalkannya.", + "error_join_connection": "Terjadi sebuah kesalahan bergabung.", + "error_join_incompatible_version_1": "Maaf, homeserver Anda terlalu usang untuk berpartisipasi di sini.", + "error_join_incompatible_version_2": "Mohon hubungi administrator homeserver Anda.", + "error_join_404_invite_same_hs": "Orang yang mengundang Anda telah keluar.", + "error_join_404_invite": "Orang yang mengundang Anda telah keluar, atau servernya sedang luring.", + "error_join_404_1": "Anda mencoba untuk bergabung menggunakan sebuah ID ruangan tanpa menyediakan daftar server untuk bergabung melalui server. ID ruangan adalah pengenal internal dan tidak dapat digunakan untuk bergabung dengan sebuah ruangan tanpa informasi tambahan.", + "error_join_404_2": "Jika Anda tahu sebuah alamat ruangan, coba bergabung melalui itu saja.", + "error_join_title": "Gagal untuk bergabung", + "error_join_403": "Anda memerlukan undangan untuk mengakses ruangan ini.", + "error_cancel_knock_title": "Gagal membatalkan", + "context_menu": { + "unfavourite": "Difavorit", + "favourite": "Favorit", + "mentions_only": "Sebutan saja", + "copy_link": "Salin tautan ruangan", + "low_priority": "Prioritas Rendah", + "forget": "Lupakan Ruangan", + "mark_read": "Tandai sebagai dibaca", + "notifications_default": "Sesuai dengan pengaturan bawaan", + "notifications_mute": "Bisukan ruangan" + } }, "file_panel": { "guest_note": "Anda harus mendaftar untuk menggunakan kegunaan ini", @@ -4109,7 +4085,8 @@ "tac_button": "Lihat syarat dan ketentuan", "identity_server_no_terms_title": "Identitas server ini tidak memiliki syarat layanan", "identity_server_no_terms_description_1": "Aksi ini memerlukan mengakses server identitas bawaan untuk memvalidasi sebuah alamat email atau nomor telepon, tetapi server ini tidak memiliki syarat layanan apa pun.", - "identity_server_no_terms_description_2": "Hanya lanjutkan jika Anda mempercayai pemilik server ini." + "identity_server_no_terms_description_2": "Hanya lanjutkan jika Anda mempercayai pemilik server ini.", + "inline_intro_text": "Terima untuk melanjutkan:" }, "space_settings": { "title": "Pengaturan — %(spaceName)s" @@ -4205,7 +4182,14 @@ "sync": "Tidak dapat menghubungkan ke Homeserver. Mencoba ulang…", "connection": "Terjadi sebuah masalah berkomunikasi dengan homeservernya, coba lagi nanti.", "mixed_content": "Tidak dapat terhubung ke homeserver melalui HTTP ketika URL di browser berupa HTTPS. Gunakan HTTPS atau aktifkan skrip yang tidak aman.", - "tls": "Tidak dapat terhubung ke homeserver — harap cek koneksi anda, pastikan sertifikat SSL homeserver Anda terpercaya, dan ekstensi browser tidak memblokir permintaan." + "tls": "Tidak dapat terhubung ke homeserver — harap cek koneksi anda, pastikan sertifikat SSL homeserver Anda terpercaya, dan ekstensi browser tidak memblokir permintaan.", + "admin_contact_short": "Hubungi admin server Anda.", + "non_urgent_echo_failure_toast": "Server Anda tidak menanggapi beberapa permintaan.", + "failed_copy": "Gagal untuk menyalin", + "something_went_wrong": "Ada sesuatu yang salah!", + "download_media": "Gagal mengunduh media sumber, tidak ada URL sumber yang ditemukan", + "update_power_level": "Gagal untuk mengubah tingkat daya", + "unknown": "Kesalahan tidak diketahui" }, "in_space1_and_space2": "Dalam space %(space1Name)s dan %(space2Name)s.", "in_space_and_n_other_spaces": { @@ -4213,5 +4197,52 @@ "other": "Dalam %(spaceName)s dan %(count)s space lainnya." }, "in_space": "Dalam space %(spaceName)s.", - "name_and_id": "%(name)s (%(userId)s)" + "name_and_id": "%(name)s (%(userId)s)", + "items_and_n_others": { + "one": " dan satu lainnya", + "other": " dan %(count)s lainnya" + }, + "notifications": { + "enable_prompt_toast_title_from_message_send": "Jangan lewatkan sebuah balasan", + "enable_prompt_toast_title": "Notifikasi", + "enable_prompt_toast_description": "Aktifkan notifikasi desktop", + "colour_none": "Tidak Ada", + "colour_bold": "Tebal", + "colour_grey": "Abu-Abu", + "colour_red": "Merah", + "colour_unsent": "Belum dikirim", + "error_change_title": "Ubah pengaturan notifikasi", + "mark_all_read": "Tandai semua sebagai dibaca", + "keyword": "Kata kunci", + "keyword_new": "Kata kunci baru", + "class_global": "Global", + "class_other": "Lainnya", + "mentions_keywords": "Sebutan & kata kunci" + }, + "mobile_guide": { + "toast_title": "Gunakan aplikasi untuk pengalaman yang lebih baik", + "toast_description": "%(brand)s bersifat eksperimental pada peramban web ponsel. Untuk pengalaman yang lebih baik dan fitur-fitur terkini, gunakan aplikasi natif gratis kami.", + "toast_accept": "Gunakan aplikasi" + }, + "chat_card_back_action_label": "Kembali ke obrolan", + "room_summary_card_back_action_label": "Informasi ruangan", + "member_list_back_action_label": "Anggota ruangan", + "thread_view_back_action_label": "Kembali ke utasan", + "quick_settings": { + "title": "Pengaturan cepat", + "all_settings": "Semua pengaturan", + "metaspace_section": "Pasang pin ke bilah samping", + "sidebar_settings": "Opsi lebih banyak" + }, + "lightbox": { + "title": "Tampilan gambar", + "rotate_left": "Putar ke Kiri", + "rotate_right": "Putar ke Kanan" + }, + "a11y_jump_first_unread_room": "Pergi ke ruangan yang belum dibaca.", + "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." + } } diff --git a/src/i18n/strings/is.json b/src/i18n/strings/is.json index 8c71c950d1..cf1240f74b 100644 --- a/src/i18n/strings/is.json +++ b/src/i18n/strings/is.json @@ -31,7 +31,6 @@ "Reason": "Ástæða", "Send": "Senda", "Authentication": "Auðkenning", - "Notification targets": "Markmið tilkynninga", "Are you sure?": "Ertu viss?", "Unignore": "Hætta að hunsa", "Admin Tools": "Kerfisstjóratól", @@ -46,7 +45,6 @@ "Historical": "Ferilskráning", "unknown error code": "óþekktur villukóði", "Failed to forget room %(errCode)s": "Mistókst að gleyma spjallrásinni %(errCode)s", - "Favourite": "Eftirlæti", "Search…": "Leita…", "This Room": "Þessi spjallrás", "All Rooms": "Allar spjallrásir", @@ -62,9 +60,7 @@ "Today": "Í dag", "Yesterday": "Í gær", "Error decrypting attachment": "Villa við afkóðun viðhengis", - "Copied!": "Afritað!", "Email address": "Tölvupóstfang", - "Something went wrong!": "Eitthvað fór úrskeiðis!", "Home": "Forsíða", "collapse": "fella saman", "expand": "fletta út", @@ -76,7 +72,6 @@ "Unavailable": "Ekki tiltækt", "Changelog": "Breytingaskrá", "Confirm Removal": "Staðfesta fjarlægingu", - "Unknown error": "Óþekkt villa", "Deactivate Account": "Gera notandaaðgang óvirkann", "Filter results": "Sía niðurstöður", "An error has occurred.": "Villa kom upp.", @@ -86,14 +81,10 @@ "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)", - "Source URL": "Upprunaslóð", "All messages": "Öll skilaboð", - "Low Priority": "Lítill forgangur", "Invite to this room": "Bjóða inn á þessa spjallrás", - "Notifications": "Tilkynningar", "Connectivity to the server has been lost.": "Tenging við vefþjón hefur rofnað.", "Search failed": "Leit mistókst", - "Profile": "Notandasnið", "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", @@ -104,7 +95,6 @@ "Import room keys": "Flytja inn dulritunarlykla spjallrásar", "File to import": "Skrá til að flytja inn", "Delete Widget": "Eyða viðmótshluta", - "Delete widget": "Eyða viðmótshluta", "Create new room": "Búa til nýja spjallrás", "And %(count)s more...": { "other": "Og %(count)s til viðbótar..." @@ -126,7 +116,6 @@ }, "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", @@ -135,7 +124,6 @@ "Add room": "Bæta við spjallrás", "Room information": "Upplýsingar um spjallrás", "Room options": "Valkostir spjallrásar", - "Invite people": "Bjóða fólki", "Finland": "Finnland", "Norway": "Noreg", "Denmark": "Danmörk", @@ -144,8 +132,6 @@ "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", - "All settings": "Allar stillingar", - "Change notification settings": "Breytta tilkynningastillingum", "You can't send any messages until you review and agree to our terms and conditions.": "Þú getur ekki sent nein skilaboð fyrr en þú hefur farið yfir og samþykkir skilmála okkar.", "Ignored users": "Hunsaðir notendur", "Use the Desktop app to search encrypted messages": "Notaðu tölvuforritið til að sía dulrituð skilaboð", @@ -206,7 +192,6 @@ "Lion": "Ljón", "Cat": "Köttur", "Dog": "Hundur", - "General": "Almennt", "Demote": "Leggja til baka", "Replying": "Svara", "%(duration)sd": "%(duration)sd", @@ -222,8 +207,6 @@ "other": "Bæti við spjallrásum... (%(progress)s af %(count)s)" }, "Role in ": "Hlutverk í ", - "Forget Room": "Gleyma spjallrás", - "Spaces": "Svæði", "Zimbabwe": "Simbabve", "Zambia": "Sambía", "Yemen": "Jemen", @@ -469,17 +452,12 @@ "Afghanistan": "Afganistan", "United States": "Bandaríkin", "United Kingdom": "Stóra Bretland", - "More": "Meira", - "Connecting": "Tengist", "Developer": "Forritari", "Experimental": "Á tilraunastigi", "Themes": "Þemu", "Moderation": "Umsjón", "Widgets": "Viðmótshlutar", - "Room members": "Meðlimir spjallrásar", "Ok": "Í lagi", - "Use app": "Nota smáforrit", - "Later": "Seinna", "%(spaceName)s and %(count)s others": { "other": "%(spaceName)s og %(count)s til viðbótar", "one": "%(spaceName)s og %(count)s til viðbótar" @@ -491,12 +469,10 @@ "Room Name": "Heiti spjallrásar", " invited you": " bauð þér", " wants to chat": " langar til að spjalla", - "Invite with email or username": "Bjóða með tölvupóstfangi eða notandanafni", "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?", - "Create account": "Stofna notandaaðgang", "Your password has been reset.": "Lykilorðið þitt hefur verið endursett.", "Results": "Niðurstöður", "No results found": "Engar niðurstöður fundust", @@ -504,12 +480,7 @@ "Wait!": "Bíddu!", "This room is public": "Þessi spjallrás er opinber", "Avatar": "Auðkennismynd", - "Move right": "Færa til hægri", - "Move left": "Færa til vinstri", "Forget": "Gleyma", - "Report": "Tilkynna", - "Show preview": "Birta forskoðun", - "View source": "Skoða frumkóða", "Hold": "Bíða", "Resume": "Halda áfram", "Looks good!": "Lítur vel út!", @@ -549,10 +520,6 @@ "Server name": "Heiti þjóns", "Looks good": "Lítur vel út", "Information": "Upplýsingar", - "Rotate Right": "Snúa til hægri", - "Rotate Left": "Snúa til vinstri", - "Application window": "Forritsgluggi", - "Share location": "Deila staðsetningu", "Location": "Staðsetning", "%(count)s votes": { "one": "%(count)s atkvæði", @@ -576,8 +543,6 @@ "Local address": "Staðvært vistfang", "Stop recording": "Stöðva upptöku", "No microphone found": "Enginn hljóðnemi fannst", - "Mark all as read": "Merkja allt sem lesið", - "Copy room link": "Afrita tengil spjallrásar", "%(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", @@ -601,36 +566,11 @@ "Bridges": "Brýr", "Space information": "Upplýsingar um svæði", "Audio Output": "Hljóðúttak", - "Rooms outside of a space": "Spjallrásir utan svæðis", - "Sidebar": "Hliðarspjald", "Deactivate account": "Gera notandaaðgang óvirkann", "Phone numbers": "Símanúmer", "Email addresses": "Tölvupóstföng", - "not ready": "ekki tilbúið", - "ready": "tilbúið", - "Algorithm:": "Reiknirit:", - "Restore from Backup": "Endurheimta úr öryggisafriti", - "Profile picture": "Notandamynd", - "Mentions & keywords": "Tilvísanir og stikkorð", - "Global": "Víðvært", - "Keyword": "Stikkorð", - "Updating spaces... (%(progress)s out of %(count)s)": { - "one": "Uppfæri svæði...", - "other": "Uppfæri svæði... (%(progress)s af %(count)s)" - }, - "Space members": "Meðlimir svæðis", - "Upgrade required": "Uppfærsla er nauðsynleg", - "Display Name": "Birtingarnafn", - "Space options": "Valkostir svæðis", - "Preview Space": "Forskoða svæði", - "Visibility": "Sýnileiki", - "Leave Space": "Yfirgefa svæði", - "Save Changes": "Vista breytingar", - "Click to copy": "Smelltu til að afrita", "Address": "Vistfang", - "Delete avatar": "Eyða auðkennismynd", "Space selection": "Val svæðis", - "More options": "Fleiri valkostir", "Folder": "Mappa", "Headphones": "Heyrnartól", "Anchor": "Akkeri", @@ -650,8 +590,6 @@ "Cake": "Kökur", "Pizza": "Flatbökur", "Apple": "Epli", - "Show sidebar": "Sýna hliðarspjald", - "Hide sidebar": "Fela hliðarspjald", "Messaging": "Skilaboð", "Tried to load a specific point in this room's timeline, but was unable to find it.": "Reyndi að hlaða inn tilteknum punkti úr tímalínu þessarar spjallrásar, en tókst ekki að finna þetta.", "Tried to load a specific point in this room's timeline, but you do not have permission to view the message in question.": "Reyndi að hlaða inn tilteknum punkti úr tímalínu þessarar spjallrásar, en þú ert ekki með heimild til að skoða tilteknu skilaboðin.", @@ -673,25 +611,9 @@ "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", - "Reject all %(invitedRooms)s invites": "Hafna öllum boðsgestum %(invitedRooms)s", - "Accept all %(invitedRooms)s invites": "Samþykkja alla boðsgesti %(invitedRooms)s", - "Loading new room": "Hleð inn nýrri spjallrás", - "Upgrading room": "Uppfæri spjallrás", - "Show all rooms": "Sýna allar spjallrásir", - "Encryption upgrade available": "Uppfærsla dulritunar tiltæk", - "Contact your server admin.": "Hafðu samband við kerfisstjórann þinn.", "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.", - "Use app for a better experience": "Notaðu smáforritið til að njóta betur reynslunnar", - "Enable desktop notifications": "Virkja tilkynningar á skjáborði", - "Don't miss a reply": "Ekki missa af svari", - "Review to ensure your account is safe": "Yfirfarðu þetta til að tryggja að aðgangurinn þinn sé öruggur", - " and %(count)s others": { - "one": " og einn til viðbótar", - "other": " og %(count)s til viðbótar" - }, "Private space": "Einkasvæði", - "Mentions only": "Aðeins minnst á", "Reset everything": "Frumstilla allt", "Not Trusted": "Ekki treyst", "Session key": "Dulritunarlykill setu", @@ -703,13 +625,6 @@ "Your server": "Netþjónninn þinn", "Can't find this server or its room list": "Fann ekki þennan netþjón eða spjallrásalista hans", "This address is already in use": "Þetta vistfang er nú þegar í notkun", - "Share content": "Deila efni", - "Share entire screen": "Deila öllum skjánum", - "Widget ID": "Auðkenni viðmótshluta", - "Room ID": "Auðkenni spjallrásar", - "Your theme": "Þemað þitt", - "Your user ID": "Notandaauðkennið þitt", - "Your display name": "Birtingarnafnið þitt", "No answer": "Ekkert svar", "Call back": "Hringja til baka", "Demote yourself?": "Lækka þig sjálfa/n í tign?", @@ -740,27 +655,9 @@ "Close preview": "Loka forskoðun", "View in room": "Skoða á spjallrás", "Set up": "Setja upp", - "Back to chat": "Til baka í spjall", - "%(deviceId)s from %(ip)s": "%(deviceId)s frá %(ip)s", - "New login. Was this you?": "Ný innskráning. Varst þetta þú?", - "Other users may not trust it": "Aðrir notendur gætu ekki treyst því", "Failed to set display name": "Mistókst að stilla birtingarnafn", - "Show advanced": "Birta ítarlegt", - "Hide advanced": "Fela ítarlegt", - "Edit settings relating to your space.": "Breyta stillingum viðkomandi svæðinu þínu.", - "Failed to save space settings.": "Mistókst að vista stillingar svæðis.", - "Share invite link": "Deila boðstengli", - "Failed to copy": "Mistókst að afrita", "Copy link to thread": "Afrita tengil á spjallþráð", - "You can change these anytime.": "Þú getur breytt þessu hvenær sem er.", "Create a space": "Búa til svæði", - "Search %(spaceName)s": "Leita í %(spaceName)s", - "Upload avatar": "Senda inn auðkennismynd", - "Match system": "Samsvara kerfinu", - "Pin to sidebar": "Festa á hliðarspjald", - "Quick settings": "Flýtistillingar", - "Accept to continue:": "Samþykktu til að halda áfram:", - "Your server isn't responding to some requests.": "Netþjónninn þinn er ekki að svara sumum beiðnum.", "Guitar": "Gítar", "Ball": "Bolti", "Trophy": "Verðlaun", @@ -780,45 +677,21 @@ "Heart": "Hjarta", "Corn": "Maís", "Strawberry": "Jarðarber", - "unknown person": "óþekktur einstaklingur", "This room is not public. You will not be able to rejoin without an invite.": "Þessi spjallrás er ekki opinber. Þú munt ekki geta tekið aftur þátt nema að vera boðið.", "If they don't match, the security of your communication may be compromised.": "Ef þetta samsvarar ekki, getur verið að samskiptin þín séu berskjölduð.", "Confirm by comparing the following with the User Settings in your other session:": "Staðfestu með því að bera eftirfarandi saman við 'Stillingar notanda' í hinni setunni þinni:", "Start using Key Backup": "Byrja að nota öryggisafrit dulritunarlykla", "No votes cast": "Engin atkvæði greidd", "This room has been replaced and is no longer active.": "Þessari spjallrás hefur verið skipt út og er hún ekki lengur virk.", - "Delete Backup": "Eyða öryggisafriti", - "Sending invites... (%(progress)s out of %(count)s)": { - "one": "Sendi boð...", - "other": "Sendi boð... (%(progress)s af %(count)s)" - }, - "Spaces with access": "Svæði með aðgang", - "& %(count)s more": { - "one": "og %(count)s til viðbótar", - "other": "og %(count)s til viðbótar" - }, - "No display name": "Ekkert birtingarnafn", - "Access": "Aðgangur", - "Back to thread": "Til baka í spjallþráð", - "Verify this session": "Sannprófa þessa setu", - "Favourited": "Í eftirlætum", "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)", - "Show all your rooms in Home, even if they're in a space.": "Birtu allar spjallrásirnar þínar á forsíðunni, jafnvel þótt þær tilheyri svæði.", - "Home is useful for getting an overview of everything.": "Forsíðan nýtist til að hafa yfirsýn yfir allt.", - "Spaces are ways to group rooms and people. Alongside the spaces you're in, you can use some pre-built ones too.": "Svæði eru leið til að hópa fólk og spjallrásir. Auk svæðanna sem þú ert á, geturðu líka notað nokkur forútbúin svæði.", - "Spaces to show": "Svæði sem á að birta", - "Please contact your homeserver administrator.": "Hafðu samband við kerfisstjóra heimaþjónsins þíns.", "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.", - "Group all your rooms that aren't part of a space in one place.": "Hópaðu allar spjallrásir sem ekki eru hluti af svæðum á einum stað.", - "Group all your people in one place.": "Hópaðu allt fólk á einum stað.", - "Group all your favourite rooms and people in one place.": "Hópaðu allar eftirlætisspjallrásir og fólk á einum stað.", "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.", @@ -842,8 +715,6 @@ "Jump to date": "Hoppa á dagsetningu", "Jump to read receipt": "Fara í fyrstu leskvittun", "Incorrect verification code": "Rangur sannvottunarkóði", - "Jump to first invite.": "Fara í fyrsta boð.", - "Jump to first unread room.": "Fara í fyrstu ólesnu spjallrásIna.", "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!", @@ -857,24 +728,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", - "Share anonymous data to help us identify issues. Nothing personal. No third parties.": "Deildu nafnlausum gögnum til að hjálpa okkur við að greina vandamál. Ekkert persónulegt. Engir utanaðkomandi.", "Could not connect to identity server": "Gat ekki tengst við auðkennisþjón", - "Secret storage:": "Leynigeymsla:", - "in account data": "í gögnum notandaaðgangs", - "Secret storage public key:": "Dreifilykill leynigeymslu:", - "Backup key cached:": "Öryggisafritunarlykill í skyndiminni:", - "not stored": "ekki geymt", - "Backup key stored:": "Geymdur öryggisafritunarlykill:", - "Back up your encryption keys with your account data in case you lose access to your sessions. Your keys will be secured with a unique Security Key.": "Taktu öryggisafrit af dulritunarlyklunum þínum ásamt gögnum notandaaðgangsins fari svo að þú missir aðgang að setunum þínum. Dulritunarlyklarnir verða varðir með einstökum öryggislykli.", - "unexpected type": "óvænt tegund", - "well formed": "rétt sniðið", "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.", - "Your keys are not being backed up from this session.": "Dulritunarlyklarnir þínir eru ekki öryggisafritaðir úr þessari setu.", "Backup version:": "Útgáfa öryggisafrits:", - "All keys backed up": "Allir lyklar öryggisafritaðir", - "This session is not backing up your keys, but you do have an existing backup you can restore from and add to going forward.": "Þessi seta er ekki að öryggisafrita dulritunarlyklana þína, en þú ert með fyrirliggjandi öryggisafrit sem þú getur endurheimt úr og notað til að halda áfram.", - "Unable to load key backup status": "Tókst ekki að hlaða inn stöðu öryggisafritunar dulritunarlykla", - "Are you sure? You will lose your encrypted messages if your keys are not backed up properly.": "Ertu viss? Þú munt tapa dulrituðu skilaboðunum þínum ef dulritunarlyklarnir þínir eru ekki rétt öryggisafritaðir.", "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", @@ -903,23 +759,17 @@ "other": "Sýna %(count)s forskoðanir til viðbótar" }, "You have no ignored users.": "Þú ert ekki með neina hunsaða notendur.", - "Anyone in a space can find and join. You can select multiple spaces.": "Hver sem er í svæði getur fundið og tekið þátt. Þú getur valið mörg svæði.", - "Anyone in can find and join. You can select other spaces too.": "Hver sem er í getur fundið og tekið þátt. Þú getur einnig valið önnur svæði.", - "Anyone in a space can find and join. Edit which spaces can access here.": "Hver sem er í svæði getur fundið og tekið þátt. Breyttu hér því hvaða svæði hafa aðgang.", - "Enable guest access": "Leyfa aðgang gesta", "Integrations are disabled": "Samþættingar eru óvirkar", "Your homeserver doesn't seem to support this feature.": "Heimaþjóninn þinn virðist ekki styðja þennan eiginleika.", "Including %(commaSeparatedMembers)s": "Þar með taldir %(commaSeparatedMembers)s", "Including you, %(commaSeparatedMembers)s": "Að þér meðtöldum, %(commaSeparatedMembers)s", "Only room administrators will see this warning": "Aðeins stjórnendur spjallrásar munu sjá þessa aðvörun", - "Bulk options": "Valkostir magnvinnslu", "Clear cross-signing keys": "Hreinsa kross-undirritunarlykla", "Destroy cross-signing keys?": "Eyða kross-undirritunarlyklum?", "a device cross-signing signature": "kross-undirritun undirritunarlykils tækis", "a new cross-signing key signature": "ný kross-undirritun undirritunarlykils", "Your %(brand)s doesn't allow you to use an integration manager to do this. Please contact an admin.": "%(brand)s leyfir þér ekki að nota samþættingarstýringu til að gera þetta. Hafðu samband við kerfisstjóra.", "Integrations not allowed": "Samþættingar eru ekki leyfðar", - "Using this widget may share data with %(widgetDomain)s & your integration manager.": "Að nota þennan viðmótshluta gæti deilt gögnum með %(widgetDomain)s og samþættingarstýringunni þinni.", "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", @@ -927,31 +777,11 @@ "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.", - "Currently, %(count)s spaces have access": { - "one": "Núna er svæði með aðgang", - "other": "Núna eru %(count)s svæði með aðgang" - }, - "The integration manager is offline or it cannot reach your homeserver.": "Samþættingarstýringin er ekki nettengd og nær ekki að tengjast heimaþjóninum þínum.", - "Cannot connect to integration manager": "Get ekki tengst samþættingarstýringu", - "%(brand)s can't securely cache encrypted messages locally while running in a web browser. Use %(brand)s Desktop for encrypted messages to appear in search results.": "%(brand)s nær ekki að setja dulrituð skilaboð leynilega í skyndiminni á tækinu á meðan keyrt er í vafra. Notaðu %(brand)s Desktop vinnutölvuútgáfuna svo skilaboðin birtist í leitarniðurstöðum.", - "Securely cache encrypted messages locally for them to appear in search results.": "Setja dulrituð skilaboð leynilega í skyndiminni á tækinu svo þau birtist í leitarniðurstöðum.", - "Securely cache encrypted messages locally for them to appear in search results, using %(size)s to store messages from %(rooms)s rooms.": { - "one": "Setja dulrituð skilaboð leynilega í skyndiminni á tækinu svo þau birtist í leitarniðurstöðum, notar %(size)s til að geyma skilaboð frá %(rooms)s spjallrásum.", - "other": "Setja dulrituð skilaboð leynilega í skyndiminni á tækinu svo þau birtist í leitarniðurstöðum, notar %(size)s til að geyma skilaboð frá %(rooms)s spjallrásum." - }, - "Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "Sannreyndu hverja setu sem notandinn notar til að merkja hana sem treysta, án þess að treyta kross-undirrituðum tækjum.", - "Cross-signing is not set up.": "Kross-undirritun er ekki uppsett.", - "Cross-signing is ready but keys are not backed up.": "Kross-undirritun er tilbúin en ekki er búið að öryggisafrita dulritunarlykla.", - "Cross-signing is ready for use.": "Kross-undirritun er tilbúin til notkunar.", - "Your homeserver does not support cross-signing.": "Heimaþjónninn þinn styður ekki kross-undirritun.", "IRC display name width": "Breidd IRC-birtingarnafns", - "%(brand)s URL": "%(brand)s URL", "Cancel search": "Hætta við leitina", "Drop a Pin": "Sleppa pinna", "My live location": "Staðsetning mín í rauntíma", "My current location": "Núverandi staðsetning mín", - "Click to drop a pin": "Smelltu til að sleppa pinna", - "Click to move the pin": "Smelltu til að færa pinnann", "Could not fetch location": "Gat ekki náð í staðsetningu", "Can't load this message": "Gat ekki hlaðið inn þessum skilaboðum", "Click to view edits": "Smelltu hér til að skoða breytingar", @@ -1056,10 +886,6 @@ "other": "Sjá alla %(count)s meðlimina" }, "Identity server URL must be HTTPS": "Slóð á auðkennisþjón verður að vera HTTPS", - "The operation could not be completed": "Ekki tókst að ljúka aðgerðinni", - "Failed to save your profile": "Mistókst að vista sniðið þitt", - "There was an error loading your notification settings.": "Það kom upp villa við að hlaða inn stillingum fyrir tilkynningar.", - "New keyword": "Nýtt stikkorð", "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", @@ -1075,7 +901,6 @@ "Get notified for every message": "Fáðu tilkynningu fyrir öll skilaboð", "Uploaded sound": "Innsent hljóð", "No Audio Outputs detected": "Engir hljóðútgangar fundust", - "Message search": "Leita í skilaboðum", "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ð", @@ -1091,7 +916,6 @@ "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", - "Set up Secure Backup": "Setja upp varið öryggisafrit", "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!", @@ -1109,7 +933,6 @@ "Could not load user profile": "Gat ekki hlaðið inn notandasniði", " invites you": " býður þér", "Country Dropdown": "Fellilisti með löndum", - "Collapse reply thread": "Fella saman svarþráð", "Enter Security Phrase": "Settu inn öryggisfrasa", "Click the button below to confirm setting up encryption.": "Smelltu á hnappinn hér að neðan til að staðfesta uppsetningu á dulritun.", "Confirm encryption setup": "Staðfestu uppsetningu dulritunar", @@ -1142,11 +965,9 @@ "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", - "Decide who can view and join %(spaceName)s.": "Veldu hverjir geta skoðað og tekið þátt í %(spaceName)s.", "Verification Request": "Beiðni um sannvottun", "Save your Security Key": "Vista öryggislykilinn þinn", "Set a Security Phrase": "Setja öryggisfrasa", - "Remove for everyone": "Fjarlægja fyrir alla", "Security Phrase": "Öryggisfrasi", "Manually export keys": "Flytja út dulritunarlykla handvirkt", "Incoming Verification Request": "Innkomin beiðni um sannvottun", @@ -1159,8 +980,6 @@ "Failed to decrypt %(failedCount)s sessions!": "Mistókst að afkóða %(failedCount)s setur!", "Find others by phone or email": "Finndu aðra með símanúmeri eða tölvupóstfangi", "Failed to upgrade room": "Mistókst að uppfæra spjallrás", - "Error - Mixed content": "Villa - blandað efni", - "Error loading Widget": "Villa við að hlaða inn viðmótshluta", "Error removing address": "Villa við að fjarlægja vistfang", "Error creating address": "Villa við að búa til vistfang", "Error updating main address": "Villa við uppfærslu á aðalvistfangi", @@ -1173,9 +992,6 @@ "toggle event": "víxla atburði af/á", "Sign in with SSO": "Skrá inn með einfaldri innskráningu (SSO)", "You are sharing your live location": "Þú ert að deila staðsetninu þinni í rauntíma", - "Revoke permissions": "Afturkalla heimildir", - "Take a picture": "Taktu mynd", - "Start audio stream": "Hefja hljóðstreymi", "Unable to start audio streaming.": "Get ekki ræst hljóðstreymi.", "Resend %(unsentCount)s reaction(s)": "Endursenda %(unsentCount)s reaction(s)", "Unsent": "Ósent", @@ -1188,9 +1004,6 @@ "Use to scroll": "Notaðu til að skruna", "Spaces you're in": "Svæði sem þú tilheyrir", "Unable to upload": "Ekki tókst að senda inn", - "This widget may use cookies.": "Þessi viðmótshluti gæti notað vefkökur.", - "Widget added by": "Viðmótshluta bætt við af", - "Share for %(duration)s": "Deila í %(duration)s", "Submit logs": "Senda inn atvikaskrár", "You sent a verification request": "Þú sendir beiðni um sannvottun", "You declined": "Þú hafnaðir", @@ -1239,7 +1052,6 @@ "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)", - "Message search initialisation failed": "Frumstilling leitar í skilaboðum mistókst", "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", @@ -1257,13 +1069,6 @@ "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.", - "Recommended for public spaces.": "Mælt með fyrir opinber almenningssvæði.", - "Allow people to preview your space before they join.": "Bjóddu fólki að forskoða svæðið þitt áður en þau geta tekið þátt.", - "Failed to update the visibility of this space": "Mistókst að uppfæra sýnileika þessa svæðis", - "This may be useful for public spaces.": "Þetta getur hentað fyrir opinber almenningssvæði.", - "Guests can join a space without having an account.": "Gestir geta tekið þátt í svæði án þess að vera með notandaaðgang.", - "Failed to update the history visibility of this space": "Mistókst að uppfæra sýnileika atvikaferils þessa svæðis", - "Failed to update the guest access of this space": "Mistókst að uppfæra gestaaðgang þessa svæðis", "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.", @@ -1312,15 +1117,12 @@ "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.", - "Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "Sé viðmótshluta eytt hverfur hann hjá öllum notendum í þessari spjallrás. Ertu viss um að þú viljir eyða þessum viðmótshluta?", "You can also set up Secure Backup & manage your keys in Settings.": "Þú getur líka sett upp varið öryggisafrit og sýslað með dulritunarlykla í stillingunum.", "Store your Security Key somewhere safe, like a password manager or a safe, as it's used to safeguard your encrypted data.": "Geymdu öryggislykilinn þinn á öruggum stað, eins og í lykilorðastýringu eða jafnvel í peningaskáp, þar sem hann er notaður til að verja gögnin þín.", "You seem to be in a call, are you sure you want to quit?": "Það lítur út eins og þú sért í símtali, ertu viss um að þú viljir hætta?", "You seem to be uploading files, are you sure you want to quit?": "Það lítur út eins og þú sért að senda inn skrár, ertu viss um að þú viljir hætta?", "Adding spaces has moved.": "Aðgerðin til að bæta við svæðum hefur verið flutt.", "You are not allowed to view this server's rooms list": "Þú hefur ekki heimild til að skoða spjallrásalistann á þessum netþjóni", - "Your account has a cross-signing identity in secret storage, but it is not yet trusted by this session.": "Aðgangurinn þinn er með auðkenni kross-undirritunar í leynigeymslu, en þessu er ekki ennþá treyst í þessari setu.", - "Safeguard against losing access to encrypted messages & data": "Tryggðu þig gegn því að missa aðgang að dulrituðum skilaboðum og gögnum", "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": { @@ -1341,7 +1143,6 @@ "Almost there! Is %(displayName)s showing the same shield?": "Næstum því búið! Sýnir %(displayName)s sama skjöldinn?", "Almost there! Is your other device showing the same shield?": "Næstum því búið! Sýnir hitt tækið þitt sama skjöldinn?", "You will not be able to undo this change as you are promoting the user to have the same power level as yourself.": "Þú getur ekki afturkallað þessa aðgerð, þar sem þú ert að gefa notandanum jafn mikil völd og þú hefur sjálf/ur.", - "Failed to change power level": "Mistókst að breyta valdastigi", "You can only pin up to %(count)s widgets": { "other": "Þú getur bara fest allt að %(count)s viðmótshluta" }, @@ -1356,18 +1157,12 @@ "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.", - "Failed to join": "Mistókst að taka þátt", - "The person who invited you has already left, or their server is offline.": "Aðilinn sem bauð þér er þegar farinn eða að netþjónninn hans/hennar er ekki tengdur.", - "The person who invited you has already left.": "Aðilinn sem bauð þér er þegar farinn.", - "Sorry, your homeserver is too old to participate here.": "Því miður, heimaþjónninn þinn er of gamall til að taka þátt í þessu.", - "There was an error joining.": "Það kom upp villa við að taka þátt.", "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.", "Preserve system messages": "Geyma kerfisskilaboð", "To leave the beta, visit your settings.": "Til að hætta í beta-prófunarútgáfunni, skaltu fara í stillingarnar þínar.", - "Widgets do not use message encryption.": "Viðmótshlutar nota ekki dulritun skilaboða.", "What location type do you want to share?": "Hvaða gerð staðsetningar vilt þú deila?", "We couldn't send your location": "Við gátum ekki sent staðsetninguna þína", "They won't be able to access whatever you're not an admin of.": "Viðkomandi munu ekki hafa aðgang að því sem þú ert ekki stjórnandi fyrir.", @@ -1402,19 +1197,11 @@ "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.", - "Connect this session to Key Backup": "Tengja þessa setu við öryggisafrit af lykli", - "%(brand)s is experimental on a mobile web browser. For a better experience and the latest features, use our free native app.": "%(brand)s í farsímavafra er á tilraunastigi. Til að fá eðlilegri hegðun og nýjustu eiginleikana, ættirðu að nota til þess gerða smáforritið okkar.", "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.", - "%(count)s people joined": { - "one": "%(count)s aðili hefur tekið þátt", - "other": "%(count)s aðilar hafa tekið þátt" - }, - "Connection lost": "Tenging rofnaði", "Live location enabled": "Staðsetning í rauntíma virkjuð", "Close sidebar": "Loka hliðarstiku", "View List": "Skoða lista", "View list": "Skoða lista", - "View related event": "Skoða tengdan atburð", "Cameras": "Myndavélar", "Output devices": "Úttakstæki", "Input devices": "Inntakstæki", @@ -1464,7 +1251,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", - "Sessions": "Setur", "Deactivating your account is a permanent action — be careful!": "Að gera aðganginn þinn óvirkan er endanleg aðgerð - farðu varlega!", "Your password was successfully changed.": "Það tókst að breyta lykilorðinu þínu.", "%(downloadButton)s or %(copyButton)s": "%(downloadButton)s eða %(copyButton)s", @@ -1478,13 +1264,9 @@ "Show: %(instance)s rooms (%(server)s)": "Sýna: %(instance)s spjallrásir (%(server)s)", "Who will you chat to the most?": "Við hverja muntu helst spjalla?", "You're in": "Þú ert inni", - "Popout widget": "Sprettviðmótshluti", - "Un-maximise": "Ekki-hámarka", - "Live location sharing": "Deiling staðsetningar í rauntíma", "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ð", - "Ongoing call": "Símtal í gangi", "Video call (Jitsi)": "Myndsímtal (Jitsi)", "Seen by %(count)s people": { "one": "Séð af %(count)s aðila", @@ -1497,10 +1279,7 @@ "The poll has ended. Top answer: %(topAnswer)s": "Könnuninni er lokið. Efsta svarið: %(topAnswer)s", "You will no longer be able to log in": "Þú munt ekki lengur geta skráð þig inn", "You will not be able to reactivate your account": "Þú munt ekki geta endurvirkjað aðganginn þinn", - "Using this widget may share data with %(widgetDomain)s.": "Að nota þennan viðmótshluta gæti deilt gögnum með %(widgetDomain)s.", - "Any of the following data may be shared:": "Eftirfarandi gögnum gæti verið deilt:", "You don't have permission to share locations": "Þú hefur ekki heimildir til að deila staðsetningum", - "Enable live location sharing": "Virkja deilingu rauntímastaðsetninga", "Messages in this chat will be end-to-end encrypted.": "Skilaboð í þessu spjalli verða enda-í-enda dulrituð.", "If you can't find the room you're looking for, ask for an invite or create a new room.": "Ef þú finnur ekki spjallrásina sem þú leitar að, skaltu biðja um boð eða útbúa nýja spjallrás.", "If you can't see who you're looking for, send them your invite link.": "Ef þú sérð ekki þann sem þú ert að leita að, ættirðu að senda viðkomandi boðstengil.", @@ -1510,11 +1289,9 @@ "Close this widget to view it in this panel": "Lokaðu þessum viðmótshluta til að sjá hann á þessu spjaldi", "Unpin this widget to view it in this panel": "Losaðu þennan viðmótshluta til að sjá hann á þessu spjaldi", "Explore public spaces in the new search dialog": "Kannaðu opimber svæði í nýja leitarglugganum", - "You were disconnected from the call. (Error: %(message)s)": "Þú varst aftengd/ur frá samtalinu. (Villa: %(message)s)", "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.", - "Unknown room": "Óþekkt spjallrás", "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", @@ -1523,7 +1300,6 @@ "Review and approve the sign in": "Yfirfarðu og samþykktu innskráninguna", "The scanned code is invalid.": "Skannaði kóðinn er ógildur.", "Sign in new device": "Skrá inn nýtt tæki", - "Mark as read": "Merkja sem lesið", "%(securityKey)s or %(recoveryFile)s": "%(securityKey)s eða %(recoveryFile)s", "WARNING: ": "AÐVÖRUN: ", "Error downloading image": "Villa kom upp við að sækja mynd", @@ -1539,8 +1315,6 @@ "Connection": "Tenging", "Video settings": "Myndstillingar", "Voice settings": "Raddstillingar", - "Search users in this room…": "Leita að notendum á þessari spjallrás…", - "You have unverified sessions": "Þú ert með óstaðfestar setur", "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í.", @@ -1552,9 +1326,6 @@ "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", - "You do not have permission to start voice calls": "Þú hefur ekki heimildir til að hefja raddsímtöl", - "There's no one here to call": "Hér er enginn sem hægt er að hringja í", - "You do not have permission to start video calls": "Þú hefur ekki heimildir til að hefja myndsímtöl", "Video call (%(brand)s)": "Myndsímtal (%(brand)s)", "Show formatting": "Sýna sniðmótun", "Hide formatting": "Fela sniðmótun", @@ -1564,13 +1335,6 @@ "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", - "Are you sure you want to sign out of %(count)s sessions?": { - "one": "Ertu viss um að þú viljir skrá þig út úr %(count)s setu?", - "other": "Ertu viss um að þú viljir skrá þig út úr %(count)s setum?" - }, - "Give one or multiple users in this room more privileges": "Gefðu einum eða fleiri notendum á þessari spjallrás auknar heimildir", - "Add privileged users": "Bæta við notendum með auknar heimildir", - "Sorry — this call is currently full": "Því miður - þetta símtal er fullt í augnablikinu", "common": { "about": "Um hugbúnaðinn", "analytics": "Greiningar", @@ -1666,7 +1430,14 @@ "off": "Slökkt", "all_rooms": "Allar spjallrásir", "deselect_all": "Afvelja allt", - "select_all": "Velja allt" + "select_all": "Velja allt", + "copied": "Afritað!", + "advanced": "Nánar", + "spaces": "Svæði", + "general": "Almennt", + "profile": "Notandasnið", + "display_name": "Birtingarnafn", + "user_avatar": "Notandamynd" }, "action": { "continue": "Halda áfram", @@ -1767,7 +1538,10 @@ "clear": "Hreinsa", "exit_fullscreeen": "Fara úr fullskjásstillingu", "enter_fullscreen": "Fara í fullskjásstillingu", - "unban": "Afbanna" + "unban": "Afbanna", + "click_to_copy": "Smelltu til að afrita", + "hide_advanced": "Fela ítarlegt", + "show_advanced": "Birta ítarlegt" }, "a11y": { "user_menu": "Valmynd notandans", @@ -1779,7 +1553,8 @@ "one": "1 ólesin skilaboð.", "other": "%(count)s ólesin skilaboð." }, - "unread_messages": "Ólesin skilaboð." + "unread_messages": "Ólesin skilaboð.", + "jump_first_invite": "Fara í fyrsta boð." }, "labs": { "video_rooms": "Myndspjallrásir", @@ -1937,7 +1712,6 @@ "user_a11y": "Orðaklárun notanda" } }, - "Bold": "Feitletrað", "Link": "Tengill", "Code": "Kóði", "power_level": { @@ -2040,7 +1814,8 @@ "intro_byline": "Eigðu samtölin þín.", "send_dm": "Senda bein skilaboð", "explore_rooms": "Kanna almenningsspjallrásir", - "create_room": "Búa til hópspjall" + "create_room": "Búa til hópspjall", + "create_account": "Stofna notandaaðgang" }, "settings": { "show_breadcrumbs": "Sýna flýtileiðir í nýskoðaðar spjallrásir fyrir ofan listann yfir spjallrásir", @@ -2102,7 +1877,9 @@ "noisy": "Hávært", "error_permissions_denied": "%(brand)s hefur ekki heimildir til að senda þér tilkynningar - yfirfarðu stillingar vafrans þíns", "error_permissions_missing": "%(brand)s voru ekki gefnar heimildir til að senda þér tilkynningar - reyndu aftur", - "error_title": "Tekst ekki að virkja tilkynningar" + "error_title": "Tekst ekki að virkja tilkynningar", + "push_targets": "Markmið tilkynninga", + "error_loading": "Það kom upp villa við að hlaða inn stillingum fyrir tilkynningar." }, "appearance": { "layout_irc": "IRC (á tilraunastigi)", @@ -2173,7 +1950,40 @@ "cryptography_section": "Dulritun", "session_id": "Auðkenni setu:", "session_key": "Setulykill:", - "encryption_section": "Dulritun" + "encryption_section": "Dulritun", + "bulk_options_section": "Valkostir magnvinnslu", + "bulk_options_accept_all_invites": "Samþykkja alla boðsgesti %(invitedRooms)s", + "bulk_options_reject_all_invites": "Hafna öllum boðsgestum %(invitedRooms)s", + "message_search_section": "Leita í skilaboðum", + "analytics_subsection_description": "Deildu nafnlausum gögnum til að hjálpa okkur við að greina vandamál. Ekkert persónulegt. Engir utanaðkomandi.", + "encryption_individual_verification_mode": "Sannreyndu hverja setu sem notandinn notar til að merkja hana sem treysta, án þess að treyta kross-undirrituðum tækjum.", + "message_search_enabled": { + "one": "Setja dulrituð skilaboð leynilega í skyndiminni á tækinu svo þau birtist í leitarniðurstöðum, notar %(size)s til að geyma skilaboð frá %(rooms)s spjallrásum.", + "other": "Setja dulrituð skilaboð leynilega í skyndiminni á tækinu svo þau birtist í leitarniðurstöðum, notar %(size)s til að geyma skilaboð frá %(rooms)s spjallrásum." + }, + "message_search_disabled": "Setja dulrituð skilaboð leynilega í skyndiminni á tækinu svo þau birtist í leitarniðurstöðum.", + "message_search_unsupported_web": "%(brand)s nær ekki að setja dulrituð skilaboð leynilega í skyndiminni á tækinu á meðan keyrt er í vafra. Notaðu %(brand)s Desktop vinnutölvuútgáfuna svo skilaboðin birtist í leitarniðurstöðum.", + "message_search_failed": "Frumstilling leitar í skilaboðum mistókst", + "backup_key_well_formed": "rétt sniðið", + "backup_key_unexpected_type": "óvænt tegund", + "backup_keys_description": "Taktu öryggisafrit af dulritunarlyklunum þínum ásamt gögnum notandaaðgangsins fari svo að þú missir aðgang að setunum þínum. Dulritunarlyklarnir verða varðir með einstökum öryggislykli.", + "backup_key_stored_status": "Geymdur öryggisafritunarlykill:", + "cross_signing_not_stored": "ekki geymt", + "backup_key_cached_status": "Öryggisafritunarlykill í skyndiminni:", + "4s_public_key_status": "Dreifilykill leynigeymslu:", + "4s_public_key_in_account_data": "í gögnum notandaaðgangs", + "secret_storage_status": "Leynigeymsla:", + "secret_storage_ready": "tilbúið", + "secret_storage_not_ready": "ekki tilbúið", + "delete_backup": "Eyða öryggisafriti", + "delete_backup_confirm_description": "Ertu viss? Þú munt tapa dulrituðu skilaboðunum þínum ef dulritunarlyklarnir þínir eru ekki rétt öryggisafritaðir.", + "error_loading_key_backup_status": "Tókst ekki að hlaða inn stöðu öryggisafritunar dulritunarlykla", + "restore_key_backup": "Endurheimta úr öryggisafriti", + "key_backup_inactive": "Þessi seta er ekki að öryggisafrita dulritunarlyklana þína, en þú ert með fyrirliggjandi öryggisafrit sem þú getur endurheimt úr og notað til að halda áfram.", + "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." }, "preferences": { "room_list_heading": "Spjallrásalisti", @@ -2264,7 +2074,12 @@ "one": "Skrá út tæki", "other": "Skrá út tæki" }, - "security_recommendations": "Ráðleggingar varðandi öryggi" + "security_recommendations": "Ráðleggingar varðandi öryggi", + "title": "Setur", + "sign_out_confirm_description": { + "one": "Ertu viss um að þú viljir skrá þig út úr %(count)s setu?", + "other": "Ertu viss um að þú viljir skrá þig út úr %(count)s setum?" + } }, "general": { "account_section": "Notandaaðgangur", @@ -2279,7 +2094,22 @@ "add_msisdn_confirm_sso_button": "Staðfestu viðbætingu þessa símanúmers með því að nota einfalda innskráningu (single-sign-on) til að sanna auðkennið þitt.", "add_msisdn_confirm_button": "Staðfestu að bæta við símanúmeri", "add_msisdn_confirm_body": "Smelltu á hnappinn hér að neðan til að staðfesta að bæta við þessu símanúmeri.", - "add_msisdn_dialog_title": "Bæta við símanúmeri" + "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" + }, + "sidebar": { + "title": "Hliðarspjald", + "metaspaces_subsection": "Svæði sem á að birta", + "metaspaces_description": "Svæði eru leið til að hópa fólk og spjallrásir. Auk svæðanna sem þú ert á, geturðu líka notað nokkur forútbúin svæði.", + "metaspaces_home_description": "Forsíðan nýtist til að hafa yfirsýn yfir allt.", + "metaspaces_favourites_description": "Hópaðu allar eftirlætisspjallrásir og fólk á einum stað.", + "metaspaces_people_description": "Hópaðu allt fólk á einum stað.", + "metaspaces_orphans": "Spjallrásir utan svæðis", + "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" } }, "devtools": { @@ -2701,7 +2531,15 @@ "user": "%(senderName)s endaði talútsendingu" }, "creation_summary_dm": "%(creator)s bjó til oþessi beinu skilaboð.", - "creation_summary_room": "%(creator)s bjó til og stillti spjallrásina." + "creation_summary_room": "%(creator)s bjó til og stillti spjallrásina.", + "context_menu": { + "view_source": "Skoða frumkóða", + "show_url_preview": "Birta forskoðun", + "external_url": "Upprunaslóð", + "collapse_reply_thread": "Fella saman svarþráð", + "view_related_event": "Skoða tengdan atburð", + "report": "Tilkynna" + } }, "slash_command": { "spoiler": "Sendir skilaboðin sem stríðni", @@ -2887,10 +2725,28 @@ "no_permission_conference_description": "Þú hefur ekki aðgangsheimildir til að hefja fjarfund á þessari spjallrás", "default_device": "Sjálfgefið tæki", "failed_call_live_broadcast_title": "Get ekki hafið símtal", - "no_media_perms_title": "Engar heimildir fyrir myndefni" + "no_media_perms_title": "Engar heimildir fyrir myndefni", + "call_toast_unknown_room": "Óþekkt spjallrás", + "join_button_tooltip_connecting": "Tengist", + "join_button_tooltip_call_full": "Því miður - þetta símtal er fullt í augnablikinu", + "hide_sidebar_button": "Fela hliðarspjald", + "show_sidebar_button": "Sýna hliðarspjald", + "more_button": "Meira", + "screenshare_monitor": "Deila öllum skjánum", + "screenshare_window": "Forritsgluggi", + "screenshare_title": "Deila efni", + "disabled_no_perms_start_voice_call": "Þú hefur ekki heimildir til að hefja raddsímtöl", + "disabled_no_perms_start_video_call": "Þú hefur ekki heimildir til að hefja myndsímtöl", + "disabled_ongoing_call": "Símtal í gangi", + "disabled_no_one_here": "Hér er enginn sem hægt er að hringja í", + "n_people_joined": { + "one": "%(count)s aðili hefur tekið þátt", + "other": "%(count)s aðilar hafa tekið þátt" + }, + "unknown_person": "óþekktur einstaklingur", + "connecting": "Tengist" }, "Other": "Annað", - "Advanced": "Nánar", "room_settings": { "permissions": { "m.room.avatar_space": "Skipta um táknmynd svæðis", @@ -2930,7 +2786,10 @@ "title": "Hlutverk og heimildir", "permissions_section": "Heimildir", "permissions_section_description_space": "Veldu þau hlutverk sem krafist er til að breyta ýmsum þáttum svæðisins", - "permissions_section_description_room": "Veldu þau hlutverk sem krafist er til að breyta ýmsum þáttum spjallrásarinnar" + "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…" }, "security": { "strict_encryption": "Aldrei senda dulrituð skilaboð af þessu tæki til ósannvottaðra tækja á þessari spjallrás úr þessari setu", @@ -2948,7 +2807,31 @@ "history_visibility_shared": "Einungis meðlimir (síðan þessi kostur var valinn)", "history_visibility_invited": "Einungis meðlimir (síðan þeim var boðið)", "history_visibility_joined": "Einungis meðlimir (síðan þeir skráðu sig)", - "history_visibility_world_readable": "Hver sem er" + "history_visibility_world_readable": "Hver sem er", + "join_rule_upgrade_required": "Uppfærsla er nauðsynleg", + "join_rule_restricted_n_more": { + "one": "og %(count)s til viðbótar", + "other": "og %(count)s til viðbótar" + }, + "join_rule_restricted_summary": { + "one": "Núna er svæði með aðgang", + "other": "Núna eru %(count)s svæði með aðgang" + }, + "join_rule_restricted_description": "Hver sem er í svæði getur fundið og tekið þátt. Breyttu hér því hvaða svæði hafa aðgang.", + "join_rule_restricted_description_spaces": "Svæði með aðgang", + "join_rule_restricted_description_active_space": "Hver sem er í getur fundið og tekið þátt. Þú getur einnig valið önnur svæði.", + "join_rule_restricted_description_prompt": "Hver sem er í svæði getur fundið og tekið þátt. Þú getur valið mörg svæði.", + "join_rule_restricted": "Meðlimir svæðis", + "join_rule_upgrade_upgrading_room": "Uppfæri spjallrás", + "join_rule_upgrade_awaiting_room": "Hleð inn nýrri spjallrás", + "join_rule_upgrade_sending_invites": { + "one": "Sendi boð...", + "other": "Sendi boð... (%(progress)s af %(count)s)" + }, + "join_rule_upgrade_updating_spaces": { + "one": "Uppfæri svæði...", + "other": "Uppfæri svæði... (%(progress)s af %(count)s)" + } }, "general": { "publish_toggle": "Birta þessa spjallrás opinberlega á skrá %(domain)s yfir spjallrásir?", @@ -2957,7 +2840,11 @@ "default_url_previews_on": "Forskoðun vefslóða er sjálfgefið virk fyrir þátttakendur í þessari spjallrás.", "default_url_previews_off": "Forskoðun vefslóða er sjálfgefið óvirk fyrir þátttakendur í þessari spjallrás.", "url_preview_encryption_warning": "Í dulrituðum spjallrásum, eins og þessari, er sjálfgefið slökkt á forskoðun vefslóða til að tryggja að heimaþjónn þinn (þar sem forskoðunin myndast) geti ekki safnað upplýsingum um tengla sem þú sérð í þessari spjallrás.", - "url_previews_section": "Forskoðun vefslóða" + "url_previews_section": "Forskoðun vefslóða", + "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" }, "advanced": { "unfederated": "Þessi spjallrás er ekki aðgengileg fjartengdum Matrix-netþjónum", @@ -2968,6 +2855,24 @@ "room_id": "Innra auðkenni spjallrásar", "room_version_section": "Útgáfa spjallrásar", "room_version": "Útgáfa spjallrásar:" + }, + "delete_avatar_label": "Eyða auðkennismynd", + "upload_avatar_label": "Senda inn auðkennismynd", + "visibility": { + "error_update_guest_access": "Mistókst að uppfæra gestaaðgang þessa svæðis", + "error_update_history_visibility": "Mistókst að uppfæra sýnileika atvikaferils þessa svæðis", + "guest_access_explainer": "Gestir geta tekið þátt í svæði án þess að vera með notandaaðgang.", + "guest_access_explainer_public_space": "Þetta getur hentað fyrir opinber almenningssvæði.", + "title": "Sýnileiki", + "error_failed_save": "Mistókst að uppfæra sýnileika þessa svæðis", + "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" + }, + "access": { + "title": "Aðgangur", + "description_space": "Veldu hverjir geta skoðað og tekið þátt í %(spaceName)s." } }, "encryption": { @@ -2993,7 +2898,12 @@ "waiting_other_device_details": "Bíð eftir að þú staðfestir á hinu tækinu, %(deviceName)s (%(deviceId)s)…", "waiting_other_device": "Bíð eftir að þú staðfestir á hinu tækinu…", "waiting_other_user": "Bíð eftir að %(displayName)s sannreyni…", - "cancelling": "Hætti við…" + "cancelling": "Hætti við…", + "unverified_sessions_toast_title": "Þú ert með óstaðfestar setur", + "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" }, "old_version_detected_title": "Gömul dulritunargögn fundust", "verification_requested_toast_title": "Beðið um sannvottun", @@ -3002,7 +2912,18 @@ "bootstrap_title": "Set upp dulritunarlykla", "export_unsupported": "Vafrinn þinn styður ekki nauðsynlegar dulritunarviðbætur", "import_invalid_keyfile": "Er ekki gild %(brand)s lykilskrá", - "import_invalid_passphrase": "Sannvottun auðkenningar mistókst: er lykilorðið rangt?" + "import_invalid_passphrase": "Sannvottun auðkenningar mistókst: er lykilorðið rangt?", + "set_up_toast_title": "Setja upp varið öryggisafrit", + "upgrade_toast_title": "Uppfærsla dulritunar tiltæk", + "verify_toast_title": "Sannprófa þessa setu", + "set_up_toast_description": "Tryggðu þig gegn því að missa aðgang að dulrituðum skilaboðum og gögnum", + "verify_toast_description": "Aðrir notendur gætu ekki treyst því", + "cross_signing_unsupported": "Heimaþjónninn þinn styður ekki kross-undirritun.", + "cross_signing_ready": "Kross-undirritun er tilbúin til notkunar.", + "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": "" }, "emoji": { "category_frequently_used": "Oft notað", @@ -3026,7 +2947,8 @@ "bullet_1": "Við skráum ekki eða búum til snið með gögnum notendaaðganga", "bullet_2": "Við deilum ekki upplýsingum með utanaðkomandi aðilum", "disable_prompt": "Þú getur slökkt á þessu hvenær sem er í stillingunum", - "accept_button": "Það er í góðu" + "accept_button": "Það er í góðu", + "shared_data_heading": "Eftirfarandi gögnum gæti verið deilt:" }, "chat_effects": { "confetti_description": "Sendir skilaboðin með skrauti", @@ -3159,7 +3081,8 @@ "no_hs_url_provided": "Engin slóð heimaþjóns tilgreind", "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." + "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" }, "room_list": { "sort_unread_first": "Birta spjallrásir með ólesnum skilaboðum fyrst", @@ -3277,7 +3200,34 @@ "error_need_to_be_logged_in": "Þú þarft að vera skráð/ur inn.", "error_need_invite_permission": "Þú þarft að hafa heimild til að bjóða notendum til að gera þetta.", "error_need_kick_permission": "Þú þarft að hafa heimild til að sparka notendum til að gera þetta.", - "no_name": "Óþekkt forrit" + "no_name": "Óþekkt forrit", + "error_hangup_title": "Tenging rofnaði", + "error_hangup_description": "Þú varst aftengd/ur frá samtalinu. (Villa: %(message)s)", + "context_menu": { + "start_audio_stream": "Hefja hljóðstreymi", + "screenshot": "Taktu mynd", + "delete": "Eyða viðmótshluta", + "delete_warning": "Sé viðmótshluta eytt hverfur hann hjá öllum notendum í þessari spjallrás. Ertu viss um að þú viljir eyða þessum viðmótshluta?", + "remove": "Fjarlægja fyrir alla", + "revoke": "Afturkalla heimildir", + "move_left": "Færa til vinstri", + "move_right": "Færa til hægri" + }, + "shared_data_name": "Birtingarnafnið þitt", + "shared_data_mxid": "Notandaauðkennið þitt", + "shared_data_theme": "Þemað þitt", + "shared_data_url": "%(brand)s URL", + "shared_data_room_id": "Auðkenni spjallrásar", + "shared_data_widget_id": "Auðkenni viðmótshluta", + "shared_data_warning_im": "Að nota þennan viðmótshluta gæti deilt gögnum með %(widgetDomain)s og samþættingarstýringunni þinni.", + "shared_data_warning": "Að nota þennan viðmótshluta gæti deilt gögnum með %(widgetDomain)s.", + "unencrypted_warning": "Viðmótshlutar nota ekki dulritun skilaboða.", + "added_by": "Viðmótshluta bætt við af", + "cookie_warning": "Þessi viðmótshluti gæti notað vefkökur.", + "error_loading": "Villa við að hlaða inn viðmótshluta", + "error_mixed_content": "Villa - blandað efni", + "unmaximise": "Ekki-hámarka", + "popout": "Sprettviðmótshluti" }, "feedback": { "sent": "Umsögn send", @@ -3359,7 +3309,8 @@ "empty_heading": "Haltu umræðum skipulögðum með spjallþráðum" }, "theme": { - "light_high_contrast": "Ljóst með mikil birtuskil" + "light_high_contrast": "Ljóst með mikil birtuskil", + "match_system": "Samsvara kerfinu" }, "space": { "landing_welcome": "Velkomin í ", @@ -3373,9 +3324,14 @@ "devtools_open_timeline": "Skoða tímalínu spjallrásar (forritaratól)", "home": "Forsíða svæðis", "explore": "Kanna spjallrásir", - "manage_and_explore": "Sýsla með og kanna spjallrásir" + "manage_and_explore": "Sýsla með og kanna spjallrásir", + "options": "Valkostir svæðis" }, - "share_public": "Deildu opinbera svæðinu þínu" + "share_public": "Deildu opinbera svæðinu þínu", + "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" }, "location_sharing": { "MapStyleUrlNotConfigured": "Heimaþjónninn er ekki stilltur til að birta landakort.", @@ -3390,7 +3346,13 @@ "failed_timeout": "Rann út á tíma við að sækja staðsetninguna þína. Reyndu aftur síðar.", "failed_unknown": "Óþekkt villa kom upp við að sækja staðsetningu. Reyndu aftur síðar.", "expand_map": "Stækka landakort", - "failed_load_map": "Gat ekki hlaðið inn landakorti" + "failed_load_map": "Gat ekki hlaðið inn landakorti", + "live_enable_heading": "Deiling staðsetningar í rauntíma", + "live_toggle_label": "Virkja deilingu rauntímastaðsetninga", + "live_share_button": "Deila í %(duration)s", + "click_move_pin": "Smelltu til að færa pinnann", + "click_drop_pin": "Smelltu til að sleppa pinna", + "share_button": "Deila staðsetningu" }, "labs_mjolnir": { "room_name": "Bannlistinn minn", @@ -3421,7 +3383,6 @@ }, "create_space": { "name_required": "Settu inn eitthvað nafn fyrir svæðið", - "name_placeholder": "t.d. mitt-svæði", "explainer": "Svæði eru ný leið til að hópa fólk og spjallrásir. Hverskyns svæði langar þig til að útbúa? Þessu má breyta síðar.", "public_description": "Opið öllum, best fyrir dreifða hópa", "private_description": "Einungis gegn boði, best fyrir þig og lítinn hóp", @@ -3444,11 +3405,16 @@ "invite_teammates_heading": "Bjóddu félögum þínum", "invite_teammates_description": "Gakktu úr skugga um að rétta fólkið hafi aðgang. Þú getur boðið fleira fólki síðar.", "invite_teammates_by_username": "Bjóða með notandanafni", - "setup_rooms_community_description": "Búum til spjallrás fyrir hvern og einn þeirra." + "setup_rooms_community_description": "Búum til spjallrás fyrir hvern og einn þeirra.", + "address_placeholder": "t.d. mitt-svæði", + "address_label": "Vistfang", + "label": "Búa til svæði", + "add_details_prompt_2": "Þú getur breytt þessu hvenær sem er." }, "user_menu": { "switch_theme_light": "Skiptu yfir í ljósan ham", - "switch_theme_dark": "Skiptu yfir í dökkan ham" + "switch_theme_dark": "Skiptu yfir í dökkan ham", + "settings": "Allar stillingar" }, "notif_panel": { "empty_heading": "Þú hefur klárað að lesa allt", @@ -3481,7 +3447,22 @@ "leave_error_title": "Villa við að yfirgefa spjallrás", "upgrade_error_title": "Villa við að uppfæra spjallrás", "upgrade_error_description": "Athugaðu vandlega hvort netþjónninn styðji ekki valda útgáfu spjallrása og reyndu aftur.", - "leave_server_notices_description": "Þessi spjallrás er notuð fyrir mikilvæg skilaboð frá heimaþjóninum, þannig að þú getur ekki yfirgefið hana." + "leave_server_notices_description": "Þessi spjallrás er notuð fyrir mikilvæg skilaboð frá heimaþjóninum, þannig að þú getur ekki yfirgefið hana.", + "error_join_connection": "Það kom upp villa við að taka þátt.", + "error_join_incompatible_version_1": "Því miður, heimaþjónninn þinn er of gamall til að taka þátt í þessu.", + "error_join_incompatible_version_2": "Hafðu samband við kerfisstjóra heimaþjónsins þíns.", + "error_join_404_invite_same_hs": "Aðilinn sem bauð þér er þegar farinn.", + "error_join_404_invite": "Aðilinn sem bauð þér er þegar farinn eða að netþjónninn hans/hennar er ekki tengdur.", + "error_join_title": "Mistókst að taka þátt", + "context_menu": { + "unfavourite": "Í eftirlætum", + "favourite": "Eftirlæti", + "mentions_only": "Aðeins minnst á", + "copy_link": "Afrita tengil spjallrásar", + "low_priority": "Lítill forgangur", + "forget": "Gleyma spjallrás", + "mark_read": "Merkja sem lesið" + } }, "file_panel": { "guest_note": "Þú verður að skrá þig til að geta notað þennan eiginleika", @@ -3501,7 +3482,8 @@ "tac_button": "Yfirfara skilmála og kvaðir", "identity_server_no_terms_title": "Auðkennisþjónninn er ekki með neina þjónustuskilmála", "identity_server_no_terms_description_1": "Þessi aðgerð krefst þess að til að fá aðgang að sjálfgefna auðkennisþjóninum þurfi að sannreyna tölvupóstfang eða símanúmer, en netþjónninn er hins vegar ekki með neina þjónustuskilmála.", - "identity_server_no_terms_description_2": "Ekki halda áfram nema þú treystir eiganda netþjónsins." + "identity_server_no_terms_description_2": "Ekki halda áfram nema þú treystir eiganda netþjónsins.", + "inline_intro_text": "Samþykktu til að halda áfram:" }, "space_settings": { "title": "Stillingar - %(spaceName)s" @@ -3586,7 +3568,13 @@ "hs_blocked": "Þessi heimaþjónn hefur verið útilokaður af kerfisstjóra hans.", "resource_limits": "Þessi heimaþjónn er kominn fram yfir takmörk á tilföngum sínum.", "admin_contact": "Hafðu samband við kerfisstjóra þjónustunnar þinnar til að halda áfram að nota þessa þjónustu.", - "connection": "Vandamál kom upp í samskiptunum við heimaþjóninn, reyndu aftur síðar." + "connection": "Vandamál kom upp í samskiptunum við heimaþjóninn, reyndu aftur síðar.", + "admin_contact_short": "Hafðu samband við kerfisstjórann þinn.", + "non_urgent_echo_failure_toast": "Netþjónninn þinn er ekki að svara sumum beiðnum.", + "failed_copy": "Mistókst að afrita", + "something_went_wrong": "Eitthvað fór úrskeiðis!", + "update_power_level": "Mistókst að breyta valdastigi", + "unknown": "Óþekkt villa" }, "in_space1_and_space2": "Á svæðunum %(space1Name)s og %(space2Name)s.", "in_space_and_n_other_spaces": { @@ -3594,5 +3582,48 @@ "other": "Á %(spaceName)s og %(count)s svæðum til viðbótar." }, "in_space": "Á svæðinu %(spaceName)s.", - "name_and_id": "%(name)s (%(userId)s)" + "name_and_id": "%(name)s (%(userId)s)", + "items_and_n_others": { + "one": " og einn til viðbótar", + "other": " og %(count)s til viðbótar" + }, + "notifications": { + "enable_prompt_toast_title_from_message_send": "Ekki missa af svari", + "enable_prompt_toast_title": "Tilkynningar", + "enable_prompt_toast_description": "Virkja tilkynningar á skjáborði", + "colour_none": "Ekkert", + "colour_bold": "Feitletrað", + "colour_unsent": "Ósent", + "error_change_title": "Breytta tilkynningastillingum", + "mark_all_read": "Merkja allt sem lesið", + "keyword": "Stikkorð", + "keyword_new": "Nýtt stikkorð", + "class_global": "Víðvært", + "class_other": "Annað", + "mentions_keywords": "Tilvísanir og stikkorð" + }, + "mobile_guide": { + "toast_title": "Notaðu smáforritið til að njóta betur reynslunnar", + "toast_description": "%(brand)s í farsímavafra er á tilraunastigi. Til að fá eðlilegri hegðun og nýjustu eiginleikana, ættirðu að nota til þess gerða smáforritið okkar.", + "toast_accept": "Nota smáforrit" + }, + "chat_card_back_action_label": "Til baka í spjall", + "room_summary_card_back_action_label": "Upplýsingar um spjallrás", + "member_list_back_action_label": "Meðlimir spjallrásar", + "thread_view_back_action_label": "Til baka í spjallþráð", + "quick_settings": { + "title": "Flýtistillingar", + "all_settings": "Allar stillingar", + "metaspace_section": "Festa á hliðarspjald", + "sidebar_settings": "Fleiri valkostir" + }, + "lightbox": { + "rotate_left": "Snúa til vinstri", + "rotate_right": "Snúa til hægri" + }, + "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." + } } diff --git a/src/i18n/strings/it.json b/src/i18n/strings/it.json index 1deeb67daf..6affd93341 100644 --- a/src/i18n/strings/it.json +++ b/src/i18n/strings/it.json @@ -1,9 +1,7 @@ { "Failed to forget room %(errCode)s": "Impossibile dimenticare la stanza %(errCode)s", - "Notifications": "Notifiche", "unknown error code": "codice errore sconosciuto", "Create new room": "Crea una nuova stanza", - "Favourite": "Preferito", "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", @@ -43,11 +41,9 @@ "Reason": "Motivo", "Send": "Invia", "Incorrect verification code": "Codice di verifica sbagliato", - "No display name": "Nessun nome visibile", "Failed to set display name": "Impostazione nome visibile fallita", "Failed to ban user": "Ban utente fallito", "Failed to mute user": "Impossibile silenziare l'utente", - "Failed to change power level": "Cambio di livello poteri fallito", "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.", @@ -69,7 +65,6 @@ "one": "(~%(count)s risultato)" }, "Join Room": "Entra nella stanza", - "Upload avatar": "Invia avatar", "Forget room": "Dimentica la stanza", "Low priority": "Bassa priorità", "Historical": "Cronologia", @@ -87,20 +82,11 @@ "Invalid file%(extra)s": "File non valido %(extra)s", "Error decrypting image": "Errore decifratura immagine", "Error decrypting video": "Errore decifratura video", - "Copied!": "Copiato!", - "Failed to copy": "Copia fallita", "Add an Integration": "Aggiungi un'integrazione", "You are about to be taken to a third-party site so you can authenticate your account for use with %(integrationsUrl)s. Do you wish to continue?": "Stai per essere portato in un sito di terze parti per autenticare il tuo account da usare con %(integrationsUrl)s. Vuoi continuare?", "Email address": "Indirizzo email", - "Something went wrong!": "Qualcosa è andato storto!", "Delete Widget": "Elimina widget", - "Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "L'eliminazione di un widget lo rimuove per tutti gli utenti della stanza. Sei sicuro di eliminare il widget?", - "Delete widget": "Elimina widget", "Home": "Pagina iniziale", - " and %(count)s others": { - "other": " e altri %(count)s", - "one": " e un altro" - }, "%(items)s and %(lastItem)s": "%(items)s e %(lastItem)s", "collapse": "richiudi", "expand": "espandi", @@ -110,7 +96,6 @@ "other": "E altri %(count)s ..." }, "Confirm Removal": "Conferma la rimozione", - "Unknown error": "Errore sconosciuto", "Deactivate Account": "Disattiva l'account", "An error has occurred.": "Si è verificato un errore.", "Unable to restore session": "Impossibile ripristinare la sessione", @@ -144,9 +129,6 @@ }, "Uploading %(filename)s": "Invio di %(filename)s", "Unable to remove contact information": "Impossibile rimuovere le informazioni di contatto", - "": "", - "Reject all %(invitedRooms)s invites": "Rifiuta tutti gli inviti da %(invitedRooms)s", - "Profile": "Profilo", "A new password must be entered.": "Deve essere inserita una nuova password.", "New passwords must match each other.": "Le nuove password devono coincidere.", "Return to login screen": "Torna alla schermata di accesso", @@ -163,14 +145,12 @@ "File to import": "File da importare", "You don't currently have any stickerpacks enabled": "Non hai ancora alcun pacchetto di adesivi attivato", "Sunday": "Domenica", - "Notification targets": "Obiettivi di notifica", "Today": "Oggi", "Friday": "Venerdì", "Changelog": "Cambiamenti", "Failed to send logs: ": "Invio dei log fallito: ", "This Room": "Questa stanza", "Unavailable": "Non disponibile", - "Source URL": "URL d'origine", "Filter results": "Filtra risultati", "Tuesday": "Martedì", "Search…": "Cerca…", @@ -185,7 +165,6 @@ "Thursday": "Giovedì", "Logs sent": "Log inviati", "Yesterday": "Ieri", - "Low Priority": "Priorità bassa", "Thank you!": "Grazie!", "Unable to load event that was replied to, it either does not exist or you do not have permission to view it.": "Impossibile caricare l'evento a cui si è risposto, o non esiste o non hai il permesso di visualizzarlo.", "We encountered an error trying to restore your previous session.": "Abbiamo riscontrato un errore tentando di ripristinare la tua sessione precedente.", @@ -193,7 +172,6 @@ "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", - "Popout widget": "Oggetto a comparsa", "Share Link to User": "Condividi link utente", "Share room": "Condividi stanza", "Share Room": "Condividi stanza", @@ -216,7 +194,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.", - "Please contact your homeserver administrator.": "Contatta l'amministratore del tuo homeserver.", "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", @@ -230,8 +207,6 @@ "Incompatible local cache": "Cache locale non compatibile", "Clear cache and resync": "Svuota cache e risincronizza", "Add some now": "Aggiungine ora", - "Delete Backup": "Elimina backup", - "Unable to load key backup status": "Impossibile caricare lo stato del backup delle chiavi", "To avoid losing your chat history, you must export your room keys before logging out. You will need to go back to the newer version of %(brand)s to do this": "Per evitare di perdere la cronologia della chat, devi esportare le tue chiavi della stanza prima di uscire. Dovrai tornare alla versione più recente di %(brand)s per farlo", "Incompatible Database": "Database non compatibile", "Continue With Encryption Disabled": "Continua con la crittografia disattivata", @@ -320,24 +295,16 @@ "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", - "Are you sure? You will lose your encrypted messages if your keys are not backed up properly.": "Sei sicuro? Perderai i tuoi messaggi cifrati se non hai salvato adeguatamente le tue chiavi.", "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.", - "Restore from Backup": "Ripristina da un backup", "Back up your keys before signing out to avoid losing them.": "Fai una copia delle tue chiavi prima di disconnetterti per evitare di perderle.", - "All keys backed up": "Tutte le chiavi sono state copiate", "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", - "Profile picture": "Immagine del profilo", - "Display Name": "Nome visualizzato", "Email addresses": "Indirizzi email", "Phone numbers": "Numeri di telefono", "Account management": "Gestione account", - "General": "Generale", "Ignored users": "Utenti ignorati", - "Bulk options": "Opzioni generali", - "Accept all %(invitedRooms)s invites": "Accetta tutti i %(invitedRooms)s inviti", "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", @@ -364,7 +331,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.", - "Create account": "Crea account", "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", @@ -393,8 +359,6 @@ "%(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", - "Rotate Left": "Ruota a sinistra", - "Rotate Right": "Ruota a destra", "Edit message": "Modifica messaggio", "Notes": "Note", "Sign out and remove encryption keys?": "Disconnettere e rimuovere le chiavi di crittografia?", @@ -454,7 +418,6 @@ "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", - "Accept to continue:": "Accetta la per continuare:", "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à", @@ -497,8 +460,6 @@ "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", - "Hide advanced": "Nascondi avanzate", - "Show advanced": "Mostra avanzate", "Explore rooms": "Esplora stanze", "Show image": "Mostra immagine", "Your email address hasn't been verified yet": "Il tuo indirizzo email non è ancora stato verificato", @@ -512,8 +473,6 @@ "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", - "Jump to first unread room.": "Salta alla prima stanza non letta.", - "Jump to first invite.": "Salta al primo invito.", "Room %(name)s": "Stanza %(name)s", "None": "Nessuno", "Message Actions": "Azioni messaggio", @@ -528,24 +487,9 @@ "%(name)s wants to verify": "%(name)s vuole verificare", "You sent a verification request": "Hai inviato una richiesta di verifica", "Messages in this room are end-to-end encrypted.": "I messaggi in questa stanza sono cifrati end-to-end.", - "Any of the following data may be shared:": "Possono essere condivisi tutti i seguenti dati:", - "Your display name": "Il tuo nome visualizzato", - "Your user ID": "Il tuo ID utente", - "Your theme": "Il tuo tema", - "%(brand)s URL": "URL di %(brand)s", - "Room ID": "ID stanza", - "Widget ID": "ID widget", - "Using this widget may share data with %(widgetDomain)s.": "Usando questo widget i dati possono essere condivisi con %(widgetDomain)s.", - "Widget added by": "Widget aggiunto da", - "This widget may use cookies.": "Questo widget può usare cookie.", - "Cannot connect to integration manager": "Impossibile connettere al gestore di integrazioni", - "The integration manager is offline or it cannot reach your homeserver.": "Il gestore di integrazioni è offline o non riesce a raggiungere il tuo homeserver.", "Failed to connect to integration manager": "Connessione al gestore di integrazioni fallita", - "Widgets do not use message encryption.": "I widget non usano la crittografia dei messaggi.", - "More options": "Altre opzioni", "Integrations are disabled": "Le integrazioni sono disattivate", "Integrations not allowed": "Integrazioni non permesse", - "Remove for everyone": "Rimuovi per tutti", "Manage integrations": "Gestisci integrazioni", "Verification Request": "Richiesta verifica", "Unencrypted": "Non criptato", @@ -554,11 +498,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.": "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 .", - "Secret storage public key:": "Chiave pubblica dell'archivio segreto:", - "in account data": "nei dati dell'account", " wants to chat": " vuole chattare", "Start chatting": "Inizia a chattare", - "not stored": "non salvato", "Hide verified sessions": "Nascondi sessioni verificate", "%(count)s verified sessions": { "other": "%(count)s sessioni verificate", @@ -574,8 +515,6 @@ "Lock": "Lucchetto", "Failed to find the following users": "Impossibile trovare i seguenti utenti", "The following users might not exist or are invalid, and cannot be invited: %(csvNames)s": "I seguenti utenti potrebbero non esistere o non sono validi, perciò non possono essere invitati: %(csvNames)s", - "Other users may not trust it": "Altri utenti potrebbero non fidarsi", - "Later": "Più tardi", "Something went wrong trying to invite the users.": "Qualcosa è andato storto provando ad invitare gli utenti.", "We couldn't invite those users. Please check the users you want to invite and try again.": "Impossibile invitare quegli utenti. Ricontrolla gli utenti che vuoi invitare e riprova.", "Recently Direct Messaged": "Contattati direttamente di recente", @@ -588,17 +527,7 @@ "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", - "Verify this session": "Verifica questa sessione", - "Encryption upgrade available": "Aggiornamento crittografia disponibile", - "Securely cache encrypted messages locally for them to appear in search results.": "Tieni in cache localmente i messaggi cifrati in modo sicuro affinché appaiano nei risultati di ricerca.", - "%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with search components added.": "A %(brand)s mancano alcuni componenti richiesti per tenere in cache i messaggi cifrati in modo sicuro. Se vuoi sperimentare questa funzionalità, compila un %(brand)s Desktop personale con i componenti di ricerca aggiunti.", - "Your account has a cross-signing identity in secret storage, but it is not yet trusted by this session.": "Il tuo account ha un'identità a firma incrociata nell'archivio segreto, ma non è ancora fidata da questa sessione.", - "This session is not backing up your keys, but you do have an existing backup you can restore from and add to going forward.": "Questa sessione non sta facendo il backup delle tue chiavi, ma hai un backup esistente dal quale puoi ripristinare e che puoi usare da ora in poi.", - "Connect this session to key backup before signing out to avoid losing any keys that may only be on this session.": "Connetti questa sessione al backup chiavi prima di disconnetterti per non perdere eventuali chiavi che possono essere solo in questa sessione.", - "Connect this session to Key Backup": "Connetti questa sessione al backup chiavi", "This backup is trusted because it has been restored on this session": "Questo backup è fidato perchè è stato ripristinato in questa sessione", - "Your keys are not being backed up from this session.": "Il backup chiavi non viene fatto per questa sessione.", - "Message search": "Ricerca messaggio", "This room is bridging messages to the following platforms. Learn more.": "Questa stanza fa un bridge dei messaggi con le seguenti piattaforme. Maggiori informazioni.", "Bridges": "Bridge", "This user has not verified all of their sessions.": "Questo utente non ha verificato tutte le sue sessioni.", @@ -645,9 +574,7 @@ "Clear cross-signing keys": "Elimina chiavi di firma incrociata", "You declined": "Hai rifiutato", "%(name)s declined": "%(name)s ha rifiutato", - "Your homeserver does not support cross-signing.": "Il tuo homeserver non supporta la firma incrociata.", "To report a Matrix-related security issue, please read the Matrix.org Security Disclosure Policy.": "Per segnalare un problema di sicurezza relativo a Matrix, leggi la Politica di divulgazione della sicurezza di Matrix.org .", - "Mark all as read": "Segna tutto come letto", "Accepting…": "Accettazione…", "There was an error updating the room's alternative addresses. It may not be allowed by the server or a temporary failure occurred.": "Si è verificato un errore aggiornando gli indirizzi alternativi della stanza. Potrebbe non essere consentito dal server o essere un errore temporaneo.", "Scroll to most recent messages": "Scorri ai messaggi più recenti", @@ -677,7 +604,6 @@ "Confirm by comparing the following with the User Settings in your other session:": "Conferma confrontando il seguente con le impostazioni utente nell'altra sessione:", "Confirm this user's session by comparing the following with their User Settings:": "Conferma questa sessione confrontando il seguente con le sue impostazioni utente:", "If they don't match, the security of your communication may be compromised.": "Se non corrispondono, la sicurezza delle tue comunicazioni potrebbe essere compromessa.", - "Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "Verifica individualmente ogni sessione usata da un utente per segnarla come fidata, senza fidarsi dei dispositivi a firma incrociata.", "In encrypted rooms, your messages are secured and only you and the recipient have the unique keys to unlock them.": "Nelle stanze cifrate, i tuoi messaggi sono protetti e solo tu ed il destinatario avete le chiavi univoche per sbloccarli.", "Verify all users in a room to ensure it's secure.": "Verifica tutti gli utenti in una stanza per confermare che sia sicura.", "Sign in with SSO": "Accedi con SSO", @@ -688,8 +614,6 @@ "Verification timed out.": "Verifica scaduta.", "%(displayName)s cancelled verification.": "%(displayName)s ha annullato la verifica.", "You cancelled verification.": "Hai annullato la verifica.", - "well formed": "formattata bene", - "unexpected type": "tipo inatteso", "Confirm your account deactivation by using Single Sign On to prove your identity.": "Conferma la disattivazione del tuo account usando Single Sign On per dare prova della tua identità.", "Are you sure you want to deactivate your account? This is irreversible.": "Sei sicuro di volere disattivare il tuo account? È irreversibile.", "Confirm account deactivation": "Conferma disattivazione account", @@ -701,7 +625,6 @@ "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", - "New login. Was this you?": "Nuovo accesso. Eri tu?", "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", @@ -727,19 +650,14 @@ "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.", - "Contact your server admin.": "Contatta il tuo amministratore del server.", "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", - "All settings": "Tutte le impostazioni", "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.", - "%(brand)s can't securely cache encrypted messages locally while running in a web browser. Use %(brand)s Desktop for encrypted messages to appear in search results.": "%(brand)s non può tenere in cache i messaggi cifrati quando usato in un browser web. Usa %(brand)s Desktop affinché i messaggi cifrati appaiano nei risultati di ricerca.", - "Favourited": "Preferito", - "Forget Room": "Dimentica stanza", "Wrong file type": "Tipo di file errato", "Security Phrase": "Frase di sicurezza", "Security Key": "Chiave di sicurezza", @@ -756,8 +674,6 @@ "This room is public": "Questa stanza è pubblica", "Edited at %(date)s": "Modificato il %(date)s", "Click to view edits": "Clicca per vedere le modifiche", - "Change notification settings": "Cambia impostazioni di notifica", - "Your server isn't responding to some requests.": "Il tuo server non sta rispondendo ad alcune richieste.", "You're all caught up.": "Non hai nulla di nuovo da vedere.", "Server isn't responding": "Il server non risponde", "Your server isn't responding to some of your requests. Below are some of the most likely reasons.": "Il tuo server non sta rispondendo ad alcune tue richieste. Sotto trovi alcuni probabili motivi.", @@ -773,20 +689,9 @@ "Explore public rooms": "Esplora stanze pubbliche", "Preparing to download logs": "Preparazione al download dei log", "Information": "Informazione", - "Set up Secure Backup": "Imposta il Backup Sicuro", - "Cross-signing is ready for use.": "La firma incrociata è pronta all'uso.", - "Cross-signing is not set up.": "La firma incrociata non è impostata.", "Backup version:": "Versione backup:", - "Algorithm:": "Algoritmo:", - "Backup key stored:": "Chiave di backup salvata:", - "Backup key cached:": "Chiave di backup in cache:", - "Secret storage:": "Archivio segreto:", - "ready": "pronto", - "not ready": "non pronto", "Not encrypted": "Non cifrato", "Room settings": "Impostazioni stanza", - "Take a picture": "Scatta una foto", - "Safeguard against losing access to encrypted messages & data": "Proteggiti dalla perdita dei messaggi e dati crittografati", "Widgets": "Widget", "Edit widgets, bridges & bots": "Modifica widget, bridge e bot", "Add widgets, bridges & bots": "Aggiungi widget, bridge e bot", @@ -803,11 +708,6 @@ "Video conference updated by %(senderName)s": "Conferenza video aggiornata da %(senderName)s", "Video conference started by %(senderName)s": "Conferenza video iniziata da %(senderName)s", "Ignored attempt to disable encryption": "Tentativo di disattivare la crittografia ignorato", - "Failed to save your profile": "Salvataggio del profilo fallito", - "The operation could not be completed": "Impossibile completare l'operazione", - "Move right": "Sposta a destra", - "Move left": "Sposta a sinistra", - "Revoke permissions": "Revoca autorizzazioni", "You can only pin up to %(count)s widgets": { "other": "Puoi ancorare al massimo %(count)s widget" }, @@ -817,8 +717,6 @@ "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 ).", "Invite by email": "Invita per email", - "Enable desktop notifications": "Attiva le notifiche desktop", - "Don't miss a reply": "Non perdere una risposta", "Modal Widget": "Widget modale", "Zimbabwe": "Zimbabwe", "Zambia": "Zambia", @@ -1069,10 +967,6 @@ "Afghanistan": "Afghanistan", "United States": "Stati Uniti", "United Kingdom": "Regno Unito", - "Securely cache encrypted messages locally for them to appear in search results, using %(size)s to store messages from %(rooms)s rooms.": { - "one": "Salva in cache i messaggi cifrati localmente in modo che appaiano nei risultati di ricerca, usando %(size)s per salvarli da %(rooms)s stanza.", - "other": "Salva in cache i messaggi cifrati localmente in modo che appaiano nei risultati di ricerca, usando %(size)s per salvarli da %(rooms)s stanze." - }, "Decline All": "Rifiuta tutti", "Approve widget permissions": "Approva permessi del widget", "This widget would like to:": "Il widget vorrebbe:", @@ -1106,9 +1000,6 @@ "Invalid Security Key": "Chiave di sicurezza non valida", "Wrong Security Key": "Chiave di sicurezza sbagliata", "Set my room layout for everyone": "Imposta la disposizione della stanza per tutti", - "Back up your encryption keys with your account data in case you lose access to your sessions. Your keys will be secured with a unique Security Key.": "Fai il backup delle tue chiavi di crittografia con i dati del tuo account in caso perdessi l'accesso alle sessioni. Le tue chiavi saranno protette con una chiave di recupero univoca.", - "Use app for a better experience": "Usa l'app per un'esperienza migliore", - "Use app": "Usa l'app", "Allow this widget to verify your identity": "Permetti a questo widget di verificare la tua identità", "The widget will verify your user ID, but won't be able to perform actions for you:": "Il widget verificherà il tuo ID utente, ma non sarà un grado di eseguire azioni per te:", "Remember this": "Ricordalo", @@ -1119,28 +1010,18 @@ }, "Are you sure you want to leave the space '%(spaceName)s'?": "Vuoi veramente uscire dallo spazio '%(spaceName)s'?", "This space is not public. You will not be able to rejoin without an invite.": "Questo spazio non è pubblico. Non potrai rientrare senza un invito.", - "Start audio stream": "Avvia stream audio", "Failed to start livestream": "Impossibile avviare lo stream in diretta", "Unable to start audio streaming.": "Impossibile avviare lo streaming audio.", - "Save Changes": "Salva modifiche", - "Leave Space": "Esci dallo spazio", - "Edit settings relating to your space.": "Modifica le impostazioni relative al tuo spazio.", - "Failed to save space settings.": "Impossibile salvare le impostazioni dello spazio.", "Invite someone using their name, username (like ) or share this space.": "Invita qualcuno usando il suo nome, nome utente (come ) o condividi questo spazio.", "Invite someone using their name, email address, username (like ) or share this space.": "Invita qualcuno usando il suo nome, indirizzo email, nome utente (come ) o condividi questo spazio.", "Create a new room": "Crea nuova stanza", - "Spaces": "Spazi", "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", - "Space options": "Opzioni dello spazio", "Leave space": "Esci dallo spazio", - "Invite people": "Invita persone", - "Share invite link": "Condividi collegamento di invito", - "Click to copy": "Clicca per copiare", "Create a space": "Crea uno spazio", "Private space": "Spazio privato", "Public space": "Spazio pubblico", @@ -1155,11 +1036,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.": "Solitamente ciò influisce solo su come la stanza viene elaborata sul server. Se stai riscontrando problemi con il tuo %(brand)s, segnala un errore.", "Invite to %(roomName)s": "Invita in %(roomName)s", "Edit devices": "Modifica dispositivi", - "Invite with email or username": "Invita con email o nome utente", - "You can change these anytime.": "Puoi cambiarli in qualsiasi momento.", - "unknown person": "persona sconosciuta", - "Review to ensure your account is safe": "Controlla per assicurarti che l'account sia sicuro", - "%(deviceId)s from %(ip)s": "%(deviceId)s da %(ip)s", "%(count)s people you know have already joined": { "other": "%(count)s persone che conosci sono già entrate", "one": "%(count)s persona che conosci è già entrata" @@ -1205,12 +1081,10 @@ "No microphone found": "Nessun microfono trovato", "We were unable to access your microphone. Please check your browser settings and try again.": "Non abbiamo potuto accedere al tuo microfono. Controlla le impostazioni del browser e riprova.", "Unable to access your microphone": "Impossibile accedere al microfono", - "Connecting": "In connessione", "Search names and descriptions": "Cerca nomi e descrizioni", "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", - "Message search initialisation failed": "Inizializzazione ricerca messaggi fallita", "Currently joining %(count)s rooms": { "one": "Stai entrando in %(count)s stanza", "other": "Stai entrando in %(count)s stanze" @@ -1220,37 +1094,19 @@ "Search for rooms or people": "Cerca stanze o persone", "Sent": "Inviato", "You don't have permission to do this": "Non hai il permesso per farlo", - "Error - Mixed content": "Errore - Contenuto misto", - "Error loading Widget": "Errore di caricamento del widget", "Nothing pinned, yet": "Non c'è ancora nulla di ancorato", "If you have permissions, open the menu on any message and select Pin to stick them here.": "Se ne hai il permesso, apri il menu di qualsiasi messaggio e seleziona Fissa per ancorarlo qui.", "Pinned messages": "Messaggi ancorati", - "Report": "Segnala", - "Show preview": "Mostra anteprima", - "View source": "Visualizza sorgente", "Please provide an address": "Inserisci un indirizzo", "This space has no local addresses": "Questo spazio non ha indirizzi locali", "Space information": "Informazioni spazio", - "Preview Space": "Anteprima spazio", - "Decide who can view and join %(spaceName)s.": "Decidi chi può vedere ed entrare in %(spaceName)s.", - "Visibility": "Visibilità", - "This may be useful for public spaces.": "Può tornare utile per gli spazi pubblici.", - "Guests can join a space without having an account.": "Gli ospiti possono entrare in uno spazio senza avere un account.", - "Enable guest access": "Attiva accesso ospiti", "Address": "Indirizzo", - "Collapse reply thread": "Riduci conversazione di risposta", "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.", - "Recommended for public spaces.": "Consigliato per gli spazi pubblici.", - "Allow people to preview your space before they join.": "Permetti a chiunque di vedere l'anteprima dello spazio prima di unirsi.", - "Failed to update the history visibility of this space": "Aggiornamento visibilità cronologia dello spazio fallito", - "Failed to update the guest access of this space": "Aggiornamento accesso ospiti dello spazio fallito", - "Failed to update the visibility of this space": "Aggiornamento visibilità dello spazio fallito", "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.", - "Using this widget may share data with %(widgetDomain)s & your integration manager.": "Usando questo widget i dati possono essere condivisi con %(widgetDomain)s e il tuo gestore di integrazioni.", "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.", @@ -1266,11 +1122,6 @@ "one": "Mostra %(count)s altra anteprima", "other": "Mostra altre %(count)s anteprime" }, - "There was an error loading your notification settings.": "Si è verificato un errore caricando le tue impostazioni di notifica.", - "Mentions & keywords": "Citazioni e parole chiave", - "Global": "Globale", - "New keyword": "Nuova parola chiave", - "Keyword": "Parola chiave", "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", @@ -1290,27 +1141,11 @@ "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", - "Access": "Accesso", - "Space members": "Membri dello spazio", - "Anyone in a space can find and join. You can select multiple spaces.": "Chiunque in uno spazio può trovare ed entrare. Puoi selezionare più spazi.", - "Spaces with access": "Spazi con accesso", - "Anyone in a space can find and join. Edit which spaces can access here.": "Chiunque in uno spazio può trovare ed entrare. Modifica quali spazi possono accedere qui.", - "Currently, %(count)s spaces have access": { - "other": "Attualmente, %(count)s spazi hanno accesso", - "one": "Attualmente, uno spazio ha accesso" - }, - "& %(count)s more": { - "other": "e altri %(count)s", - "one": "e altri %(count)s" - }, - "Upgrade required": "Aggiornamento necessario", - "This upgrade will allow members of selected spaces access to this room without an invite.": "Questo aggiornamento permetterà ai membri di spazi selezionati di accedere alla stanza senza invito.", "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.", "You won't be able to rejoin unless you are re-invited.": "Non potrai rientrare a meno che non ti invitino di nuovo.", - "Search %(spaceName)s": "Cerca %(spaceName)s", "Want to add an existing space instead?": "Vuoi piuttosto aggiungere uno spazio esistente?", "Private space (invite only)": "Spazio privato (solo a invito)", "Space visibility": "Visibilità spazio", @@ -1324,28 +1159,18 @@ "Create a new space": "Crea un nuovo spazio", "Want to add a new space instead?": "Vuoi piuttosto aggiungere un nuovo spazio?", "Add existing space": "Aggiungi spazio esistente", - "Share content": "Condividi contenuto", - "Application window": "Finestra applicazione", - "Share entire screen": "Condividi schermo intero", - "Show all rooms": "Mostra tutte le stanze", "Decrypting": "Decifrazione", "Missed call": "Chiamata persa", "Call declined": "Chiamata rifiutata", "Stop recording": "Ferma la registrazione", "Send voice message": "Invia messaggio vocale", - "More": "Altro", - "Show sidebar": "Mostra barra laterale", - "Hide sidebar": "Nascondi barra laterale", "Unknown failure: %(reason)s": "Malfunzionamento sconosciuto: %(reason)s", - "Delete avatar": "Elimina avatar", - "Cross-signing is ready but keys are not backed up.": "La firma incrociata è pronta ma c'è un backup delle chiavi.", "Rooms and spaces": "Stanze e spazi", "Results": "Risultati", "Some encryption parameters have been changed.": "Alcuni parametri di crittografia sono stati modificati.", "Role in ": "Ruolo in ", "Unknown failure": "Errore sconosciuto", "Failed to update the join rules": "Modifica delle regole di accesso fallita", - "Anyone in can find and join. You can select other spaces too.": "Chiunque in può trovare ed entrare. Puoi selezionare anche altri spazi.", "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?", @@ -1364,16 +1189,6 @@ "MB": "MB", "In reply to this message": "In risposta a questo messaggio", "Export chat": "Esporta conversazione", - "Updating spaces... (%(progress)s out of %(count)s)": { - "one": "Aggiornamento spazio...", - "other": "Aggiornamento spazi... (%(progress)s di %(count)s)" - }, - "Sending invites... (%(progress)s out of %(count)s)": { - "one": "Spedizione invito...", - "other": "Spedizione inviti... (%(progress)s di %(count)s)" - }, - "Loading new room": "Caricamento nuova stanza", - "Upgrading room": "Aggiornamento stanza", "Ban them from everything I'm able to": "Bandiscilo ovunque io possa farlo", "Unban them from everything I'm able to": "Riammettilo ovunque io possa farlo", "Ban from %(roomName)s": "Bandisci da %(roomName)s", @@ -1403,17 +1218,10 @@ "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.", - "This room is in some spaces you're not an admin of. In those spaces, the old room will still be shown, but people will be prompted to join the new one.": "Questa stanza è in alcuni spazi di cui non sei amministratore. In quegli spazi, la vecchia stanza verrà ancora mostrata, ma alla gente verrà chiesto di entrare in quella nuova.", "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", - "Rooms outside of a space": "Stanze fuori da uno spazio", - "Show all your rooms in Home, even if they're in a space.": "Mostra tutte le tue stanze nella pagina principale, anche se sono in uno spazio.", - "Home is useful for getting an overview of everything.": "La pagina principale è utile per avere una panoramica generale.", - "Spaces to show": "Spazi da mostrare", - "Sidebar": "Barra laterale", "Reply in thread": "Rispondi nella conversazione", - "Mentions only": "Solo le citazioni", "Forget": "Dimentica", "Files": "File", "You won't get any notifications": "Non riceverai alcuna notifica", @@ -1443,8 +1251,6 @@ "Themes": "Temi", "Moderation": "Moderazione", "Spaces you know that contain this space": "Spazi di cui sai che contengono questo spazio", - "Pin to sidebar": "Fissa nella barra laterale", - "Quick settings": "Impostazioni rapide", "Chat": "Chat", "Home options": "Opzioni pagina iniziale", "%(spaceName)s menu": "Menu di %(spaceName)s", @@ -1458,8 +1264,6 @@ }, "No votes cast": "Nessun voto", "Recently viewed": "Visti di recente", - "Share location": "Condividi posizione", - "Share anonymous data to help us identify issues. Nothing personal. No third parties.": "Condividi dati anonimi per aiutarci a identificare problemi. Niente di personale. Niente terze parti.", "End Poll": "Termina sondaggio", "Sorry, the poll did not end. Please try again.": "Spiacenti, il sondaggio non è terminato. Riprova.", "Failed to end poll": "Chiusura del sondaggio fallita", @@ -1479,7 +1283,6 @@ "Spaces you're in": "Spazi in cui sei", "Link to room": "Collegamento alla stanza", "Including you, %(commaSeparatedMembers)s": "Incluso te, %(commaSeparatedMembers)s", - "Copy room link": "Copia collegamento stanza", "This groups your chats with members of this space. Turning this off will hide those chats from your view of %(spaceName)s.": "Ciò raggruppa le tue chat con i membri di questo spazio. Se lo disattivi le chat verranno nascoste dalla tua vista di %(spaceName)s.", "Sections to show": "Sezioni da mostrare", "Open in OpenStreetMap": "Apri in OpenStreetMap", @@ -1497,9 +1300,6 @@ "You cancelled verification on your other device.": "Hai annullato la verifica nell'altro dispositivo.", "Almost there! Is your other device showing the same shield?": "Quasi fatto! L'altro dispositivo sta mostrando lo stesso scudo?", "To proceed, please accept the verification request on your other device.": "Per continuare, accetta la richiesta di verifica nell'altro tuo dispositivo.", - "Back to thread": "Torna alla conversazione", - "Room members": "Membri stanza", - "Back to chat": "Torna alla chat", "Could not fetch location": "Impossibile rilevare la posizione", "From a thread": "Da una conversazione", "Remove from room": "Rimuovi dalla stanza", @@ -1510,10 +1310,6 @@ "You were removed from %(roomName)s by %(memberName)s": "Sei stato rimosso da %(roomName)s da %(memberName)s", "Message pending moderation": "Messaggio in attesa di moderazione", "Message pending moderation: %(reason)s": "Messaggio in attesa di moderazione: %(reason)s", - "Group all your rooms that aren't part of a space in one place.": "Raggruppa tutte le tue stanze che non fanno parte di uno spazio in un unico posto.", - "Group all your people in one place.": "Raggruppa tutte le tue persone in un unico posto.", - "Group all your favourite rooms and people in one place.": "Raggruppa tutte le tue stanze e persone preferite in un unico posto.", - "Spaces are ways to group rooms and people. Alongside the spaces you're in, you can use some pre-built ones too.": "Gli spazi sono modi per raggruppare stanze e persone. Oltre agli spazi in cui sei, puoi usarne anche altri di preimpostati.", "Pick a date to jump to": "Scegli una data in cui saltare", "Jump to date": "Salta alla data", "The beginning of the room": "L'inizio della stanza", @@ -1537,11 +1333,8 @@ "My live location": "La mia posizione in tempo reale", "My current location": "La mia posizione attuale", "Pinned": "Fissato", - "Match system": "Sistema di corrispondenza", "%(brand)s could not send your location. Please try again later.": "%(brand)s non ha potuto inviare la tua posizione. Riprova più tardi.", "We couldn't send your location": "Non siamo riusciti ad inviare la tua posizione", - "Click to drop a pin": "Clicca per lasciare una puntina", - "Click to move the pin": "Clicca per spostare la puntina", "Click": "Click", "Expand quotes": "Espandi le citazioni", "Collapse quotes": "Riduci le citazioni", @@ -1554,14 +1347,12 @@ "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", - "Share for %(duration)s": "Condividi per %(duration)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.", - "%(brand)s is experimental on a mobile web browser. For a better experience and the latest features, use our free native app.": "%(brand)s è sperimentale su un browser web mobile. Per un'esperienza migliore e le ultime funzionalità, usa la nostra app nativa gratuita.", "%(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.", @@ -1577,11 +1368,6 @@ "Forget this space": "Dimentica questo spazio", "You were removed by %(memberName)s": "Sei stato rimosso da %(memberName)s", "Loading preview": "Caricamento anteprima", - "Failed to join": "Entrata fallita", - "The person who invited you has already left, or their server is offline.": "La persona che ti ha invitato/a è già uscita, o il suo server è offline.", - "The person who invited you has already left.": "La persona che ti ha invitato/a è già uscita.", - "Sorry, your homeserver is too old to participate here.": "Spiacenti, il tuo homeserver è troppo vecchio per partecipare qui.", - "There was an error joining.": "Si è verificato un errore entrando.", "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", @@ -1625,9 +1411,6 @@ }, "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", - "Enable live location sharing": "Attiva condivisione posizione in tempo reale", - "Please note: this is a labs feature using a temporary implementation. This means you will not be able to delete your location history, and advanced users will be able to see your location history even after you stop sharing your live location with this room.": "Nota: si tratta di una funzionalità sperimentale che usa un'implementazione temporanea. Ciò significa che non potrai eliminare la cronologia delle posizioni e gli utenti avanzati potranno vederla anche dopo l'interruzione della tua condivisione con questa stanza.", - "Live location sharing": "Condivisione 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", @@ -1645,16 +1428,8 @@ "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…", - "%(count)s people joined": { - "one": "È entrata %(count)s persona", - "other": "Sono entrate %(count)s persone" - }, - "View related event": "Vedi evento correlato", "Read receipts": "Ricevuta di lettura", - "You were disconnected from the call. (Error: %(message)s)": "Sei stato disconnesso dalla chiamata. (Errore: %(message)s)", - "Connection lost": "Connessione persa", "Deactivating your account is a permanent action — be careful!": "La disattivazione dell'account è permanente - attenzione!", - "Un-maximise": "Demassimizza", "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.", @@ -1691,16 +1466,10 @@ "Saved Items": "Elementi salvati", "Choose a locale": "Scegli una lingua", "We're creating a room with %(names)s": "Stiamo creando una stanza con %(names)s", - "Sessions": "Sessioni", - "For best security, verify your sessions and sign out from any session that you don't recognize or use anymore.": "Per una maggiore sicurezza, verifica le tue sessioni e disconnetti quelle che non riconosci o che non usi più.", "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", - "You do not have permission to start voice calls": "Non hai il permesso di avviare chiamate", - "There's no one here to call": "Non c'è nessuno da chiamare qui", - "You do not have permission to start video calls": "Non hai il permesso di avviare videochiamate", - "Ongoing call": "Chiamata in corso", "Video call (Jitsi)": "Videochiamata (Jitsi)", "Failed to set pusher state": "Impostazione stato del push fallita", "Video call ended": "Videochiamata terminata", @@ -1710,13 +1479,11 @@ "Close call": "Chiudi chiamata", "Spotlight": "Riflettore", "Freedom": "Libertà", - "Unknown room": "Stanza sconosciuta", "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", - "Sorry — this call is currently full": "Spiacenti — questa chiamata è piena", "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", @@ -1735,10 +1502,6 @@ "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", - "Are you sure you want to sign out of %(count)s sessions?": { - "one": "Vuoi davvero disconnetterti da %(count)s sessione?", - "other": "Vuoi davvero disconnetterti da %(count)s sessioni?" - }, "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", @@ -1758,13 +1521,8 @@ "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", - "You have unverified sessions": "Hai sessioni non verificate", - "Search users in this room…": "Cerca utenti in questa stanza…", - "Give one or multiple users in this room more privileges": "Dai più privilegi a uno o più utenti in questa stanza", - "Add privileged users": "Aggiungi utenti privilegiati", "Unable to decrypt message": "Impossibile decifrare il messaggio", "This message could not be decrypted": "Non è stato possibile decifrare questo messaggio", - "Mark as read": "Segna come letto", "Text": "Testo", "Create a link": "Crea un collegamento", " in %(room)s": " in %(room)s", @@ -1776,13 +1534,10 @@ "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", - "Red": "Rosso", - "Grey": "Grigio", "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…", - "This session is backing up your keys.": "Questa sessione sta facendo il backup delle tue chiavi.", "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.", @@ -1801,10 +1556,6 @@ "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…", - "Backing up %(sessionsRemaining)s keys…": "Backup di %(sessionsRemaining)s chiavi…", - "Connecting to integration manager…": "Connessione al gestore di integrazioni…", - "Saving…": "Salvataggio…", - "Creating…": "Creazione…", "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.", @@ -1813,9 +1564,6 @@ "Due to decryption errors, some votes may not be counted": "A causa di errori di decifrazione, alcuni voti potrebbero non venire contati", "Answered elsewhere": "Risposto altrove", "The sender has blocked you from receiving this message": "Il mittente ti ha bloccato dalla ricezione di questo messaggio", - "If you know a room address, try joining through that instead.": "Se conosci un indirizzo della stanza, prova ad entrare tramite quello.", - "You attempted to join using a room ID without providing a list of servers to join through. Room IDs are internal identifiers and cannot be used to join a room without additional information.": "Hai provato ad entrare usando un ID stanza senza fornire una lista di server attraverso cui entrare. Gli ID stanza sono identificativi interni e non possono essere usati per entrare in una stanza senza informazioni aggiuntive.", - "Yes, it was me": "Sì, ero io", "View poll": "Vedi sondaggio", "There are no past polls for the past %(count)s days. Load more polls to view polls for previous months": { "one": "Non ci sono sondaggi passati nell'ultimo giorno. Carica più sondaggi per vedere quelli dei mesi precedenti", @@ -1831,11 +1579,8 @@ "Past polls": "Sondaggi passati", "Active polls": "Sondaggi attivi", "View poll in timeline": "Vedi sondaggio nella linea temporale", - "Verify Session": "Verifica sessione", - "Ignore (%(counter)s)": "Ignora (%(counter)s)", "Invites by email can only be sent one at a time": "Gli inviti per email possono essere inviati uno per volta", "Desktop app logo": "Logo app desktop", - "An error occurred when updating your notification preferences. Please try to toggle your option again.": "Si è verificato un errore aggiornando le tue preferenze di notifica. Prova ad attivare/disattivare di nuovo l'opzione.", "Requires your server to support the stable version of MSC3827": "Richiede che il tuo server supporti la versione stabile di MSC3827", "Message from %(user)s": "Messaggio da %(user)s", "Message in %(room)s": "Messaggio in %(room)s", @@ -1848,25 +1593,19 @@ "We were unable to find an event looking forwards from %(dateString)s. Try choosing an earlier date.": "Non siamo riusciti a trovare un evento successivo al %(dateString)s. Prova con una data precedente.", "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.": "Si è verificato un errore di rete tentando di trovare e saltare alla data scelta. Il tuo homeserver potrebbe essere irraggiungibile o c'è stato un problema temporaneo con la tua connessione. Riprova. Se persiste, contatta l'amministratore del tuo homeserver.", "Poll history": "Cronologia sondaggi", - "Mute room": "Silenzia stanza", - "Match default setting": "Corrispondi l'impostazione predefinita", "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", - "Image view": "Vista immagine", "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)", - "Failed to download source media, no source url was found": "Scaricamento della fonte fallito, nessun url trovato", "Once invited users have joined %(brand)s, you will be able to chat and the room will be end-to-end encrypted": "Una volta che gli utenti si saranno uniti a %(brand)s, potrete scrivervi e la stanza sarà crittografata end-to-end", "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", - "Your language": "La tua lingua", - "Your device ID": "L'ID del tuo dispositivo", "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", @@ -1894,8 +1633,6 @@ "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", - "Your profile picture URL": "L'URL della tua immagine del profilo", - "Ask to join": "Chiedi di entrare", "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.", @@ -1903,7 +1640,6 @@ "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.", - "People cannot join unless access is granted.": "Nessuno può entrare previo consenso di accesso.", "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?", @@ -1913,8 +1649,6 @@ "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", - "You need an invite to access this room.": "Ti serve un invito per entrare in questa stanza.", - "Failed to cancel": "Annullamento fallito", "Failed to query public rooms": "Richiesta di stanze pubbliche fallita", "See less": "Riduci", "See more": "Espandi", @@ -2017,7 +1751,15 @@ "off": "Spento", "all_rooms": "Tutte le stanze", "deselect_all": "Deseleziona tutti", - "select_all": "Seleziona tutti" + "select_all": "Seleziona tutti", + "copied": "Copiato!", + "advanced": "Avanzato", + "spaces": "Spazi", + "general": "Generale", + "saving": "Salvataggio…", + "profile": "Profilo", + "display_name": "Nome visualizzato", + "user_avatar": "Immagine del profilo" }, "action": { "continue": "Continua", @@ -2121,7 +1863,10 @@ "clear": "Svuota", "exit_fullscreeen": "Esci da schermo intero", "enter_fullscreen": "Attiva schermo intero", - "unban": "Togli ban" + "unban": "Togli ban", + "click_to_copy": "Clicca per copiare", + "hide_advanced": "Nascondi avanzate", + "show_advanced": "Mostra avanzate" }, "a11y": { "user_menu": "Menu utente", @@ -2133,7 +1878,8 @@ "other": "%(count)s messaggi non letti.", "one": "1 messaggio non letto." }, - "unread_messages": "Messaggi non letti." + "unread_messages": "Messaggi non letti.", + "jump_first_invite": "Salta al primo invito." }, "labs": { "video_rooms": "Stanze video", @@ -2327,7 +2073,6 @@ "user_a11y": "Autocompletamento utenti" } }, - "Bold": "Grassetto", "Link": "Collegamento", "Code": "Codice", "power_level": { @@ -2435,7 +2180,8 @@ "intro_byline": "Prendi il controllo delle tue conversazioni.", "send_dm": "Invia un messaggio diretto", "explore_rooms": "Esplora le stanze pubbliche", - "create_room": "Crea una chat di gruppo" + "create_room": "Crea una chat di gruppo", + "create_account": "Crea account" }, "settings": { "show_breadcrumbs": "Mostra scorciatoie per le stanze viste di recente sopra l'elenco stanze", @@ -2502,7 +2248,10 @@ "noisy": "Rumoroso", "error_permissions_denied": "%(brand)s non ha l'autorizzazione ad inviarti notifiche - controlla le impostazioni del browser", "error_permissions_missing": "Non è stata data a %(brand)s l'autorizzazione ad inviare notifiche - riprova", - "error_title": "Impossibile attivare le notifiche" + "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." }, "appearance": { "layout_irc": "IRC (Sperimentale)", @@ -2576,7 +2325,44 @@ "cryptography_section": "Crittografia", "session_id": "ID sessione:", "session_key": "Chiave sessione:", - "encryption_section": "Crittografia" + "encryption_section": "Crittografia", + "bulk_options_section": "Opzioni generali", + "bulk_options_accept_all_invites": "Accetta tutti i %(invitedRooms)s inviti", + "bulk_options_reject_all_invites": "Rifiuta tutti gli inviti da %(invitedRooms)s", + "message_search_section": "Ricerca messaggio", + "analytics_subsection_description": "Condividi dati anonimi per aiutarci a identificare problemi. Niente di personale. Niente terze parti.", + "encryption_individual_verification_mode": "Verifica individualmente ogni sessione usata da un utente per segnarla come fidata, senza fidarsi dei dispositivi a firma incrociata.", + "message_search_enabled": { + "one": "Salva in cache i messaggi cifrati localmente in modo che appaiano nei risultati di ricerca, usando %(size)s per salvarli da %(rooms)s stanza.", + "other": "Salva in cache i messaggi cifrati localmente in modo che appaiano nei risultati di ricerca, usando %(size)s per salvarli da %(rooms)s stanze." + }, + "message_search_disabled": "Tieni in cache localmente i messaggi cifrati in modo sicuro affinché appaiano nei risultati di ricerca.", + "message_search_unsupported": "A %(brand)s mancano alcuni componenti richiesti per tenere in cache i messaggi cifrati in modo sicuro. Se vuoi sperimentare questa funzionalità, compila un %(brand)s Desktop personale con i componenti di ricerca aggiunti.", + "message_search_unsupported_web": "%(brand)s non può tenere in cache i messaggi cifrati quando usato in un browser web. Usa %(brand)s Desktop affinché i messaggi cifrati appaiano nei risultati di ricerca.", + "message_search_failed": "Inizializzazione ricerca messaggi fallita", + "backup_key_well_formed": "formattata bene", + "backup_key_unexpected_type": "tipo inatteso", + "backup_keys_description": "Fai il backup delle tue chiavi di crittografia con i dati del tuo account in caso perdessi l'accesso alle sessioni. Le tue chiavi saranno protette con una chiave di recupero univoca.", + "backup_key_stored_status": "Chiave di backup salvata:", + "cross_signing_not_stored": "non salvato", + "backup_key_cached_status": "Chiave di backup in cache:", + "4s_public_key_status": "Chiave pubblica dell'archivio segreto:", + "4s_public_key_in_account_data": "nei dati dell'account", + "secret_storage_status": "Archivio segreto:", + "secret_storage_ready": "pronto", + "secret_storage_not_ready": "non pronto", + "delete_backup": "Elimina backup", + "delete_backup_confirm_description": "Sei sicuro? Perderai i tuoi messaggi cifrati se non hai salvato adeguatamente le tue chiavi.", + "error_loading_key_backup_status": "Impossibile caricare lo stato del backup delle chiavi", + "restore_key_backup": "Ripristina da un backup", + "key_backup_active": "Questa sessione sta facendo il backup delle tue chiavi.", + "key_backup_inactive": "Questa sessione non sta facendo il backup delle tue chiavi, ma hai un backup esistente dal quale puoi ripristinare e che puoi usare da ora in poi.", + "key_backup_connect_prompt": "Connetti questa sessione al backup chiavi prima di disconnetterti per non perdere eventuali chiavi che possono essere solo in questa sessione.", + "key_backup_connect": "Connetti questa sessione al backup chiavi", + "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." }, "preferences": { "room_list_heading": "Elenco stanze", @@ -2690,7 +2476,13 @@ "other": "Disconnetti dispositivi" }, "security_recommendations": "Consigli di sicurezza", - "security_recommendations_description": "Migliora la sicurezza del tuo account seguendo questi consigli." + "security_recommendations_description": "Migliora la sicurezza del tuo account seguendo questi consigli.", + "title": "Sessioni", + "sign_out_confirm_description": { + "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ù." }, "general": { "oidc_manage_button": "Gestisci account", @@ -2709,7 +2501,22 @@ "add_msisdn_confirm_sso_button": "Conferma aggiungendo questo numero di telefono usando Single Sign On per provare la tua identità.", "add_msisdn_confirm_button": "Conferma aggiungendo un numero di telefono", "add_msisdn_confirm_body": "Clicca il pulsante sotto per confermare l'aggiunta di questo numero di telefono.", - "add_msisdn_dialog_title": "Aggiungi numero di telefono" + "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" + }, + "sidebar": { + "title": "Barra laterale", + "metaspaces_subsection": "Spazi da mostrare", + "metaspaces_description": "Gli spazi sono modi per raggruppare stanze e persone. Oltre agli spazi in cui sei, puoi usarne anche altri di preimpostati.", + "metaspaces_home_description": "La pagina principale è utile per avere una panoramica generale.", + "metaspaces_favourites_description": "Raggruppa tutte le tue stanze e persone preferite in un unico posto.", + "metaspaces_people_description": "Raggruppa tutte le tue persone in un unico posto.", + "metaspaces_orphans": "Stanze fuori da uno spazio", + "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" } }, "devtools": { @@ -3213,7 +3020,15 @@ "user": "%(senderName)s ha terminato una trasmissione vocale" }, "creation_summary_dm": "%(creator)s ha creato questo MD.", - "creation_summary_room": "%(creator)s ha creato e configurato la stanza." + "creation_summary_room": "%(creator)s ha creato e configurato la stanza.", + "context_menu": { + "view_source": "Visualizza sorgente", + "show_url_preview": "Mostra anteprima", + "external_url": "URL d'origine", + "collapse_reply_thread": "Riduci conversazione di risposta", + "view_related_event": "Vedi evento correlato", + "report": "Segnala" + } }, "slash_command": { "spoiler": "Invia il messaggio come spoiler", @@ -3416,10 +3231,28 @@ "failed_call_live_broadcast_title": "Impossibile avviare una chiamata", "failed_call_live_broadcast_description": "Non puoi avviare una chiamata perché stai registrando una trasmissione in diretta. Termina la trasmissione per potere iniziare una chiamata.", "no_media_perms_title": "Nessuna autorizzazione per i media", - "no_media_perms_description": "Potresti dover permettere manualmente a %(brand)s di accedere al tuo microfono/webcam" + "no_media_perms_description": "Potresti dover permettere manualmente a %(brand)s di accedere al tuo microfono/webcam", + "call_toast_unknown_room": "Stanza sconosciuta", + "join_button_tooltip_connecting": "In connessione", + "join_button_tooltip_call_full": "Spiacenti — questa chiamata è piena", + "hide_sidebar_button": "Nascondi barra laterale", + "show_sidebar_button": "Mostra barra laterale", + "more_button": "Altro", + "screenshare_monitor": "Condividi schermo intero", + "screenshare_window": "Finestra applicazione", + "screenshare_title": "Condividi contenuto", + "disabled_no_perms_start_voice_call": "Non hai il permesso di avviare chiamate", + "disabled_no_perms_start_video_call": "Non hai il permesso di avviare videochiamate", + "disabled_ongoing_call": "Chiamata in corso", + "disabled_no_one_here": "Non c'è nessuno da chiamare qui", + "n_people_joined": { + "one": "È entrata %(count)s persona", + "other": "Sono entrate %(count)s persone" + }, + "unknown_person": "persona sconosciuta", + "connecting": "In connessione" }, "Other": "Altro", - "Advanced": "Avanzato", "room_settings": { "permissions": { "m.room.avatar_space": "Cambia avatar dello spazio", @@ -3459,7 +3292,10 @@ "title": "Ruoli e permessi", "permissions_section": "Autorizzazioni", "permissions_section_description_space": "Seleziona i ruoli necessari per cambiare varie parti dello spazio", - "permissions_section_description_room": "Seleziona i ruoli necessari per cambiare varie parti della stanza" + "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…" }, "security": { "strict_encryption": "Non inviare mai messaggi cifrati a sessioni non verificate in questa stanza da questa sessione", @@ -3486,7 +3322,35 @@ "history_visibility_shared": "Solo i membri (dal momento in cui selezioni questa opzione)", "history_visibility_invited": "Solo i membri (da quando sono stati invitati)", "history_visibility_joined": "Solo i membri (da quando sono entrati)", - "history_visibility_world_readable": "Chiunque" + "history_visibility_world_readable": "Chiunque", + "join_rule_upgrade_required": "Aggiornamento necessario", + "join_rule_restricted_n_more": { + "other": "e altri %(count)s", + "one": "e altri %(count)s" + }, + "join_rule_restricted_summary": { + "other": "Attualmente, %(count)s spazi hanno accesso", + "one": "Attualmente, uno spazio ha accesso" + }, + "join_rule_restricted_description": "Chiunque in uno spazio può trovare ed entrare. Modifica quali spazi possono accedere qui.", + "join_rule_restricted_description_spaces": "Spazi con accesso", + "join_rule_restricted_description_active_space": "Chiunque in può trovare ed entrare. Puoi selezionare anche altri spazi.", + "join_rule_restricted_description_prompt": "Chiunque in uno spazio può trovare ed entrare. Puoi selezionare più spazi.", + "join_rule_restricted": "Membri dello spazio", + "join_rule_knock": "Chiedi di entrare", + "join_rule_knock_description": "Nessuno può entrare previo consenso di accesso.", + "join_rule_restricted_upgrade_warning": "Questa stanza è in alcuni spazi di cui non sei amministratore. In quegli spazi, la vecchia stanza verrà ancora mostrata, ma alla gente verrà chiesto di entrare in quella nuova.", + "join_rule_restricted_upgrade_description": "Questo aggiornamento permetterà ai membri di spazi selezionati di accedere alla stanza senza invito.", + "join_rule_upgrade_upgrading_room": "Aggiornamento stanza", + "join_rule_upgrade_awaiting_room": "Caricamento nuova stanza", + "join_rule_upgrade_sending_invites": { + "one": "Spedizione invito...", + "other": "Spedizione inviti... (%(progress)s di %(count)s)" + }, + "join_rule_upgrade_updating_spaces": { + "one": "Aggiornamento spazio...", + "other": "Aggiornamento spazi... (%(progress)s di %(count)s)" + } }, "general": { "publish_toggle": "Pubblicare questa stanza nell'elenco pubblico delle stanze in %(domain)s ?", @@ -3496,7 +3360,11 @@ "default_url_previews_off": "Le anteprime degli URL sono inattive in modo predefinito per i partecipanti di questa stanza.", "url_preview_encryption_warning": "Nelle stanze criptate, come questa, le anteprime degli URL sono disattivate in modo predefinito per garantire che il tuo homeserver (dove vengono generate le anteprime) non possa raccogliere informazioni sui collegamenti che vedi in questa stanza.", "url_preview_explainer": "Quando qualcuno inserisce un URL nel proprio messaggio, è possibile mostrare un'anteprima dell'URL per fornire maggiori informazioni su quel collegamento, come il titolo, la descrizione e un'immagine dal sito web.", - "url_previews_section": "Anteprime URL" + "url_previews_section": "Anteprime URL", + "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" }, "advanced": { "unfederated": "Questa stanza non è accessibile da server di Matrix remoti", @@ -3508,6 +3376,24 @@ "room_id": "ID interno stanza", "room_version_section": "Versione stanza", "room_version": "Versione stanza:" + }, + "delete_avatar_label": "Elimina avatar", + "upload_avatar_label": "Invia avatar", + "visibility": { + "error_update_guest_access": "Aggiornamento accesso ospiti dello spazio fallito", + "error_update_history_visibility": "Aggiornamento visibilità cronologia dello spazio fallito", + "guest_access_explainer": "Gli ospiti possono entrare in uno spazio senza avere un account.", + "guest_access_explainer_public_space": "Può tornare utile per gli spazi pubblici.", + "title": "Visibilità", + "error_failed_save": "Aggiornamento visibilità dello spazio fallito", + "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" + }, + "access": { + "title": "Accesso", + "description_space": "Decidi chi può vedere ed entrare in %(spaceName)s." } }, "encryption": { @@ -3534,7 +3420,15 @@ "waiting_other_device_details": "In attesa della verifica nel tuo altro dispositivo, %(deviceName)s (%(deviceId)s)…", "waiting_other_device": "In attesa della verifica nel tuo altro dispositivo…", "waiting_other_user": "In attesa della verifica da %(displayName)s …", - "cancelling": "Annullamento…" + "cancelling": "Annullamento…", + "unverified_sessions_toast_title": "Hai sessioni non verificate", + "unverified_sessions_toast_description": "Controlla per assicurarti che l'account sia sicuro", + "unverified_sessions_toast_reject": "Più tardi", + "unverified_session_toast_title": "Nuovo accesso. Eri tu?", + "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" }, "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.", @@ -3544,7 +3438,18 @@ "bootstrap_title": "Configurazione chiavi", "export_unsupported": "Il tuo browser non supporta l'estensione crittografica richiesta", "import_invalid_keyfile": "Non è una chiave di %(brand)s valida", - "import_invalid_passphrase": "Controllo di autenticazione fallito: password sbagliata?" + "import_invalid_passphrase": "Controllo di autenticazione fallito: password sbagliata?", + "set_up_toast_title": "Imposta il Backup Sicuro", + "upgrade_toast_title": "Aggiornamento crittografia disponibile", + "verify_toast_title": "Verifica questa sessione", + "set_up_toast_description": "Proteggiti dalla perdita dei messaggi e dati crittografati", + "verify_toast_description": "Altri utenti potrebbero non fidarsi", + "cross_signing_unsupported": "Il tuo homeserver non supporta la firma incrociata.", + "cross_signing_ready": "La firma incrociata è pronta all'uso.", + "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": "" }, "emoji": { "category_frequently_used": "Usati di frequente", @@ -3568,7 +3473,8 @@ "bullet_1": "Non registriamo o profiliamo alcun dato dell'account", "bullet_2": "Non condividiamo informazioni con terze parti", "disable_prompt": "Puoi disattivarlo in qualsiasi momento nelle impostazioni", - "accept_button": "Va bene" + "accept_button": "Va bene", + "shared_data_heading": "Possono essere condivisi tutti i seguenti dati:" }, "chat_effects": { "confetti_description": "Invia il messaggio in questione con coriandoli", @@ -3724,7 +3630,8 @@ "autodiscovery_unexpected_error_hs": "Errore inaspettato nella risoluzione della configurazione homeserver", "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." + "incorrect_credentials_detail": "Nota che stai accedendo nel server %(hs)s , non matrix.org.", + "create_account_title": "Crea account" }, "room_list": { "sort_unread_first": "Mostra prima le stanze con messaggi non letti", @@ -3848,7 +3755,37 @@ "error_need_to_be_logged_in": "Devi aver eseguito l'accesso.", "error_need_invite_permission": "Devi poter invitare utenti per completare l'azione.", "error_need_kick_permission": "Devi poter cacciare via utenti per completare l'azione.", - "no_name": "App sconosciuta" + "no_name": "App sconosciuta", + "error_hangup_title": "Connessione persa", + "error_hangup_description": "Sei stato disconnesso dalla chiamata. (Errore: %(message)s)", + "context_menu": { + "start_audio_stream": "Avvia stream audio", + "screenshot": "Scatta una foto", + "delete": "Elimina widget", + "delete_warning": "L'eliminazione di un widget lo rimuove per tutti gli utenti della stanza. Sei sicuro di eliminare il widget?", + "remove": "Rimuovi per tutti", + "revoke": "Revoca autorizzazioni", + "move_left": "Sposta a sinistra", + "move_right": "Sposta a destra" + }, + "shared_data_name": "Il tuo nome visualizzato", + "shared_data_avatar": "L'URL della tua immagine del profilo", + "shared_data_mxid": "Il tuo ID utente", + "shared_data_device_id": "L'ID del tuo dispositivo", + "shared_data_theme": "Il tuo tema", + "shared_data_lang": "La tua lingua", + "shared_data_url": "URL di %(brand)s", + "shared_data_room_id": "ID stanza", + "shared_data_widget_id": "ID widget", + "shared_data_warning_im": "Usando questo widget i dati possono essere condivisi con %(widgetDomain)s e il tuo gestore di integrazioni.", + "shared_data_warning": "Usando questo widget i dati possono essere condivisi con %(widgetDomain)s.", + "unencrypted_warning": "I widget non usano la crittografia dei messaggi.", + "added_by": "Widget aggiunto da", + "cookie_warning": "Questo widget può usare cookie.", + "error_loading": "Errore di caricamento del widget", + "error_mixed_content": "Errore - Contenuto misto", + "unmaximise": "Demassimizza", + "popout": "Oggetto a comparsa" }, "feedback": { "sent": "Feedback inviato", @@ -3945,7 +3882,8 @@ "empty_heading": "Tieni le discussioni organizzate in conversazioni" }, "theme": { - "light_high_contrast": "Alto contrasto chiaro" + "light_high_contrast": "Alto contrasto chiaro", + "match_system": "Sistema di corrispondenza" }, "space": { "landing_welcome": "Ti diamo il benvenuto in ", @@ -3961,9 +3899,14 @@ "devtools_open_timeline": "Mostra linea temporale della stanza (strumenti per sviluppatori)", "home": "Pagina iniziale dello spazio", "explore": "Esplora stanze", - "manage_and_explore": "Gestisci ed esplora le stanze" + "manage_and_explore": "Gestisci ed esplora le stanze", + "options": "Opzioni dello spazio" }, - "share_public": "Condividi il tuo spazio pubblico" + "share_public": "Condividi il tuo spazio pubblico", + "search_children": "Cerca %(spaceName)s", + "invite_link": "Condividi collegamento di invito", + "invite": "Invita persone", + "invite_description": "Invita con email o nome utente" }, "location_sharing": { "MapStyleUrlNotConfigured": "Questo homeserver non è configurato per mostrare mappe.", @@ -3980,7 +3923,14 @@ "failed_timeout": "Tentativo di rilevare la tua posizione scaduto. Riprova più tardi.", "failed_unknown": "Errore sconosciuto rilevando la posizione. Riprova più tardi.", "expand_map": "Espandi mappa", - "failed_load_map": "Impossibile caricare la mappa" + "failed_load_map": "Impossibile caricare la mappa", + "live_enable_heading": "Condivisione posizione in tempo reale", + "live_enable_description": "Nota: si tratta di una funzionalità sperimentale che usa un'implementazione temporanea. Ciò significa che non potrai eliminare la cronologia delle posizioni e gli utenti avanzati potranno vederla anche dopo l'interruzione della tua condivisione con questa stanza.", + "live_toggle_label": "Attiva condivisione posizione in tempo reale", + "live_share_button": "Condividi per %(duration)s", + "click_move_pin": "Clicca per spostare la puntina", + "click_drop_pin": "Clicca per lasciare una puntina", + "share_button": "Condividi posizione" }, "labs_mjolnir": { "room_name": "Mia lista ban", @@ -4016,7 +3966,6 @@ }, "create_space": { "name_required": "Inserisci un nome per lo spazio", - "name_placeholder": "es. mio-spazio", "explainer": "Gli spazi sono un nuovo modo di raggruppare stanze e persone. Che tipo di spazio vuoi creare? Puoi cambiarlo in seguito.", "public_description": "Spazio aperto a tutti, la scelta migliore per le comunità", "private_description": "Solo su invito, la scelta migliore per te o i team", @@ -4047,11 +3996,17 @@ "setup_rooms_community_description": "Creiamo una stanza per ognuno di essi.", "setup_rooms_description": "Puoi aggiungerne anche altri in seguito, inclusi quelli già esistenti.", "setup_rooms_private_heading": "Su quali progetti sta lavorando la tua squadra?", - "setup_rooms_private_description": "Creeremo stanze per ognuno di essi." + "setup_rooms_private_description": "Creeremo stanze per ognuno di essi.", + "address_placeholder": "es. mio-spazio", + "address_label": "Indirizzo", + "label": "Crea uno spazio", + "add_details_prompt_2": "Puoi cambiarli in qualsiasi momento.", + "creating": "Creazione…" }, "user_menu": { "switch_theme_light": "Passa alla modalità chiara", - "switch_theme_dark": "Passa alla modalità scura" + "switch_theme_dark": "Passa alla modalità scura", + "settings": "Tutte le impostazioni" }, "notif_panel": { "empty_heading": "Non hai nulla di nuovo da vedere", @@ -4089,7 +4044,28 @@ "leave_error_title": "Errore uscendo dalla stanza", "upgrade_error_title": "Errore di aggiornamento stanza", "upgrade_error_description": "Controlla che il tuo server supporti la versione di stanza scelta e riprova.", - "leave_server_notices_description": "Questa stanza viene usata per messaggi importanti dall'homeserver, quindi non puoi lasciarla." + "leave_server_notices_description": "Questa stanza viene usata per messaggi importanti dall'homeserver, quindi non puoi lasciarla.", + "error_join_connection": "Si è verificato un errore entrando.", + "error_join_incompatible_version_1": "Spiacenti, il tuo homeserver è troppo vecchio per partecipare qui.", + "error_join_incompatible_version_2": "Contatta l'amministratore del tuo homeserver.", + "error_join_404_invite_same_hs": "La persona che ti ha invitato/a è già uscita.", + "error_join_404_invite": "La persona che ti ha invitato/a è già uscita, o il suo server è offline.", + "error_join_404_1": "Hai provato ad entrare usando un ID stanza senza fornire una lista di server attraverso cui entrare. Gli ID stanza sono identificativi interni e non possono essere usati per entrare in una stanza senza informazioni aggiuntive.", + "error_join_404_2": "Se conosci un indirizzo della stanza, prova ad entrare tramite quello.", + "error_join_title": "Entrata fallita", + "error_join_403": "Ti serve un invito per entrare in questa stanza.", + "error_cancel_knock_title": "Annullamento fallito", + "context_menu": { + "unfavourite": "Preferito", + "favourite": "Preferito", + "mentions_only": "Solo le citazioni", + "copy_link": "Copia collegamento stanza", + "low_priority": "Priorità bassa", + "forget": "Dimentica stanza", + "mark_read": "Segna come letto", + "notifications_default": "Corrispondi l'impostazione predefinita", + "notifications_mute": "Silenzia stanza" + } }, "file_panel": { "guest_note": "Devi registrarti per usare questa funzionalità", @@ -4109,7 +4085,8 @@ "tac_button": "Leggi i termini e condizioni", "identity_server_no_terms_title": "Il server di identità non ha condizioni di servizio", "identity_server_no_terms_description_1": "Questa azione richiede l'accesso al server di identità predefinito per verificare un indirizzo email o numero di telefono, ma il server non ha termini di servizio.", - "identity_server_no_terms_description_2": "Continua solo se ti fidi del proprietario del server." + "identity_server_no_terms_description_2": "Continua solo se ti fidi del proprietario del server.", + "inline_intro_text": "Accetta la per continuare:" }, "space_settings": { "title": "Impostazioni - %(spaceName)s" @@ -4205,7 +4182,14 @@ "sync": "Impossibile connettersi all'homeserver. Riprovo…", "connection": "C'è stato un problema nella comunicazione con l'homeserver, riprova più tardi.", "mixed_content": "Impossibile connettersi all'homeserver via HTTP quando c'è un URL HTTPS nella barra del tuo browser. Usa HTTPS o attiva gli script non sicuri.", - "tls": "Impossibile connettersi all'homeserver - controlla la tua connessione, assicurati che il certificato SSL dell'homeserver sia fidato e che un'estensione del browser non stia bloccando le richieste." + "tls": "Impossibile connettersi all'homeserver - controlla la tua connessione, assicurati che il certificato SSL dell'homeserver sia fidato e che un'estensione del browser non stia bloccando le richieste.", + "admin_contact_short": "Contatta il tuo amministratore del server.", + "non_urgent_echo_failure_toast": "Il tuo server non sta rispondendo ad alcune richieste.", + "failed_copy": "Copia fallita", + "something_went_wrong": "Qualcosa è andato storto!", + "download_media": "Scaricamento della fonte fallito, nessun url trovato", + "update_power_level": "Cambio di livello poteri fallito", + "unknown": "Errore sconosciuto" }, "in_space1_and_space2": "Negli spazi %(space1Name)s e %(space2Name)s.", "in_space_and_n_other_spaces": { @@ -4213,5 +4197,52 @@ "other": "In %(spaceName)s e in altri %(count)s spazi." }, "in_space": "Nello spazio %(spaceName)s.", - "name_and_id": "%(name)s (%(userId)s)" + "name_and_id": "%(name)s (%(userId)s)", + "items_and_n_others": { + "other": " e altri %(count)s", + "one": " e un altro" + }, + "notifications": { + "enable_prompt_toast_title_from_message_send": "Non perdere una risposta", + "enable_prompt_toast_title": "Notifiche", + "enable_prompt_toast_description": "Attiva le notifiche desktop", + "colour_none": "Nessuno", + "colour_bold": "Grassetto", + "colour_grey": "Grigio", + "colour_red": "Rosso", + "colour_unsent": "Non inviato", + "error_change_title": "Cambia impostazioni di notifica", + "mark_all_read": "Segna tutto come letto", + "keyword": "Parola chiave", + "keyword_new": "Nuova parola chiave", + "class_global": "Globale", + "class_other": "Altro", + "mentions_keywords": "Citazioni e parole chiave" + }, + "mobile_guide": { + "toast_title": "Usa l'app per un'esperienza migliore", + "toast_description": "%(brand)s è sperimentale su un browser web mobile. Per un'esperienza migliore e le ultime funzionalità, usa la nostra app nativa gratuita.", + "toast_accept": "Usa l'app" + }, + "chat_card_back_action_label": "Torna alla chat", + "room_summary_card_back_action_label": "Informazioni stanza", + "member_list_back_action_label": "Membri stanza", + "thread_view_back_action_label": "Torna alla conversazione", + "quick_settings": { + "title": "Impostazioni rapide", + "all_settings": "Tutte le impostazioni", + "metaspace_section": "Fissa nella barra laterale", + "sidebar_settings": "Altre opzioni" + }, + "lightbox": { + "title": "Vista immagine", + "rotate_left": "Ruota a sinistra", + "rotate_right": "Ruota a destra" + }, + "a11y_jump_first_unread_room": "Salta alla prima stanza non letta.", + "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." + } } diff --git a/src/i18n/strings/ja.json b/src/i18n/strings/ja.json index 2796c88d34..5ce9b2fd65 100644 --- a/src/i18n/strings/ja.json +++ b/src/i18n/strings/ja.json @@ -1,12 +1,9 @@ { - "Favourite": "お気に入り", "Invited": "招待済", "Low priority": "低優先度", - "Notifications": "通知", "Create new room": "新しいルームを作成", "Failed to change password. Is your password correct?": "パスワードの変更に失敗しました。パスワードは正しいですか?", "Filter room members": "ルームのメンバーを絞り込む", - "Upload avatar": "アバターをアップロード", "No Microphones detected": "マイクが検出されません", "No Webcams detected": "Webカメラが検出されません", "Are you sure?": "よろしいですか?", @@ -24,7 +21,6 @@ "Monday": "月曜日", "Friday": "金曜日", "Yesterday": "昨日", - "Low Priority": "低優先度", "Changelog": "更新履歴", "Invite to this room": "このルームに招待", "Wednesday": "水曜日", @@ -32,10 +28,8 @@ "Search…": "検索…", "Saturday": "土曜日", "This Room": "このルーム", - "Notification targets": "通知対象", "Failed to send logs: ": "ログの送信に失敗しました: ", "Unavailable": "使用できません", - "Source URL": "ソースのURL", "Filter results": "結果を絞り込む", "Preparing to send logs": "ログを送信する準備をしています", "Logs sent": "ログが送信されました", @@ -70,9 +64,7 @@ "Restricted": "制限", "Moderator": "モデレーター", "Reason": "理由", - "Please contact your homeserver administrator.": "ホームサーバー管理者に連絡してください。", "Incorrect verification code": "認証コードが誤っています", - "No display name": "表示名がありません", "Warning!": "警告!", "Authentication": "認証", "Failed to set display name": "表示名の設定に失敗しました", @@ -81,7 +73,6 @@ "You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.": "あなたは自分自身を降格させようとしています。この変更は取り消せません。あなたがルームの中で最後の特権ユーザーである場合、特権を再取得することはできなくなります。", "Demote": "降格する", "Failed to mute user": "ユーザーのミュートに失敗しました", - "Failed to change power level": "権限レベルの変更に失敗しました", "You will not be able to undo this change as you are promoting the user to have the same power level as yourself.": "このユーザーにあなたと同じ権限レベルを与えようとしています。この変更は取り消せません。", "Jump to read receipt": "既読通知へ移動", "Share Link to User": "ユーザーへのリンクを共有", @@ -124,21 +115,11 @@ "Invalid file%(extra)s": "無効なファイル %(extra)s", "Error decrypting image": "画像を復号化する際にエラーが発生しました", "Error decrypting video": "動画を復号化する際にエラーが発生しました", - "Copied!": "コピーしました!", - "Failed to copy": "コピーに失敗しました", "Add an Integration": "統合を追加", "You are about to be taken to a third-party site so you can authenticate your account for use with %(integrationsUrl)s. Do you wish to continue?": "%(integrationsUrl)sで使用するアカウントを認証するため、外部サイトに移動します。続行してよろしいですか?", "Email address": "メールアドレス", - "Something went wrong!": "問題が発生しました!", "Delete Widget": "ウィジェットを削除", - "Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "ウィジェットを削除すると、このルームの全てのユーザーから削除されます。削除してよろしいですか?", - "Delete widget": "ウィジェットを削除", - "Popout widget": "ウィジェットをポップアウト", "Home": "ホーム", - " and %(count)s others": { - "other": "と他%(count)s人", - "one": "ともう1人" - }, "%(items)s and %(lastItem)s": "%(items)s, %(lastItem)s", "collapse": "折りたたむ", "expand": "展開", @@ -150,7 +131,6 @@ }, "Before submitting logs, you must create a GitHub issue to describe your problem.": "ログを送信する前に、問題を説明するGitHub issueを作成してください。", "Confirm Removal": "削除の確認", - "Unknown error": "不明なエラー", "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はアカウントを再同期する必要があります。", @@ -210,11 +190,8 @@ }, "Uploading %(filename)s": "%(filename)sをアップロードしています", "Unable to remove contact information": "連絡先の情報を削除できません", - "": "<サポート対象外>", - "Reject all %(invitedRooms)s invites": "%(invitedRooms)sの全ての招待を拒否", "No Audio Outputs detected": "音声出力が検出されません", "Audio Output": "音声出力", - "Profile": "プロフィール", "A new password must be entered.": "新しいパスワードを入力する必要があります。", "New passwords must match each other.": "新しいパスワードは互いに一致する必要があります。", "Return to login screen": "ログイン画面に戻る", @@ -232,7 +209,6 @@ "Unignore": "無視を解除", "Room Name": "ルーム名", "Phone numbers": "電話番号", - "General": "一般", "Room information": "ルームの情報", "Room Addresses": "ルームのアドレス", "Sounds": "音", @@ -241,22 +217,14 @@ "Browse": "参照", "Email Address": "メールアドレス", "Main address": "メインアドレス", - "Hide advanced": "高度な設定を非表示にする", - "Show advanced": "高度な設定を表示", "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": "ルームのトピック", - "Create account": "アカウントを作成", - "Delete Backup": "バックアップを削除", "Encrypted messages are secured with end-to-end encryption. Only you and the recipient(s) have the keys to read these messages.": "暗号化されたメッセージは、エンドツーエンドの暗号化によって保護されています。これらの暗号化されたメッセージを読むための鍵を持っているのは、あなたと受信者だけです。", - "Restore from Backup": "バックアップから復元", "Voice & Video": "音声とビデオ", "Remove recent messages": "最近のメッセージを削除", "Add room": "ルームを追加", - "Are you sure? You will lose your encrypted messages if your keys are not backed up properly.": "本当によろしいですか? もし鍵が正常にバックアップされていない場合、暗号化されたメッセージにアクセスできなくなります。", - "not stored": "保存されていません", - "All keys backed up": "全ての鍵がバックアップされています", "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に編集済。クリックすると変更履歴を表示。", @@ -266,8 +234,6 @@ "You'll lose access to your encrypted messages": "暗号化されたメッセージにアクセスできなくなります", "You'll upgrade this room from to .": "このルームをからにアップグレードします。", "That matches!": "合致します!", - "Display Name": "表示名", - "Profile picture": "プロフィール画像", "Encryption not enabled": "暗号化が有効になっていません", "The encryption used by this room isn't supported.": "このルームで使用されている暗号化はサポートされていません。", "Session name": "セッション名", @@ -277,7 +243,6 @@ "Encrypted by an unverified session": "未認証のセッションによる暗号化", "Close preview": "プレビューを閉じる", "Direct Messages": "ダイレクトメッセージ", - "Your display name": "あなたの表示名", "Power level": "権限レベル", "Removing…": "削除しています…", "Destroy cross-signing keys?": "クロス署名鍵を破棄してよろしいですか?", @@ -289,10 +254,7 @@ "Italics": "斜字体", "Local address": "ローカルアドレス", "Email (optional)": "電子メール(任意)", - "Verify this session": "このセッションを認証", - "Encryption upgrade available": "暗号化のアップグレードが利用できます", "Not Trusted": "信頼されていません", - "Later": "後で", "%(count)s verified sessions": { "other": "%(count)s件の認証済のセッション", "one": "1件の認証済のセッション" @@ -308,29 +270,14 @@ "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": "最近会話したユーザー", - "Your homeserver does not support cross-signing.": "あなたのホームサーバーはクロス署名に対応していません。", - "Secret storage public key:": "機密ストレージの公開鍵:", - "in account data": "アカウントデータ内", "Account management": "アカウントの管理", "Deactivate account": "アカウントを無効化", - "Message search": "メッセージの検索", "Published Addresses": "公開アドレス", "Local Addresses": "ローカルアドレス", "Error changing power level": "権限レベルを変更する際にエラーが発生しました", "Cancel search": "検索をキャンセル", - "Your user ID": "あなたのユーザーID", - "Your theme": "あなたのテーマ", - "%(brand)s URL": "%(brand)sのURL", - "Room ID": "ルームID", - "More options": "他のオプション", - "Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "クロス署名された端末を信頼せず、ユーザーが使用する各セッションを個別に認証し、信頼済に設定。", "Show more": "さらに表示", "This backup is trusted because it has been restored on this session": "このバックアップは、このセッションで復元されたため信頼されています", - "Other users may not trust it": "他のユーザーはこのセッションを信頼しない可能性があります", - "Your account has a cross-signing identity in secret storage, but it is not yet trusted by this session.": "あなたのアカウントではクロス署名の認証情報が機密ストレージに保存されていますが、このセッションでは信頼されていません。", - "This session is not backing up your keys, but you do have an existing backup you can restore from and add to going forward.": "このセッションでは鍵をバックアップしていませんが、復元に使用したり、今後鍵を追加したりできるバックアップがあります。", - "Connect this session to key backup before signing out to avoid losing any keys that may only be on this session.": "サインアウトする前に、このセッションにだけある鍵を失わないよう、セッションを鍵のバックアップに接続しましょう。", - "Connect this session to Key Backup": "このセッションを鍵のバックアップに接続", "Missing media permissions, click the button below to request.": "メディアの使用に関する権限がありません。リクエストするには下のボタンを押してください。", "Request media permissions": "メディア権限をリクエスト", "Join the discussion": "ルームに参加", @@ -341,13 +288,9 @@ "%(displayName)s cancelled verification.": "%(displayName)sが認証をキャンセルしました。", "You cancelled verification.": "認証をキャンセルしました。", "Switch theme": "テーマを切り替える", - "All settings": "全ての設定", - "Cannot connect to integration manager": "インテグレーションマネージャーに接続できません", "Failed to connect to integration manager": "インテグレーションマネージャーへの接続に失敗しました", "Start verification again from their profile.": "プロフィールから再度認証を開始してください。", "Do not use an identity server": "IDサーバーを使用しない", - "Accept to continue:": "に同意して続行:", - "Favourited": "お気に入り登録中", "Room options": "ルームの設定", "Ignored users": "無視しているユーザー", "Unencrypted": "暗号化されていません", @@ -363,8 +306,6 @@ "Upload all": "全てアップロード", "Add widgets, bridges & bots": "ウィジェット、ブリッジ、ボットの追加", "Widgets": "ウィジェット", - "Cross-signing is ready for use.": "クロス署名の使用準備が完了しました。", - "Set up Secure Backup": "セキュアバックアップを設定", "Everyone in this room is verified": "このルーム内の全員を認証済", "Verify all users in a room to ensure it's secure.": "ルームの全てのユーザーを認証すると、ルームが安全であることを確認できます。", "You've successfully verified %(displayName)s!": "%(displayName)sは正常に認証されました!", @@ -385,7 +326,6 @@ "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 Room": "ルームを消去", "Forget this room": "このルームを消去", "Recently Direct Messaged": "最近ダイレクトメッセージで会話したユーザー", "Invite someone using their name, username (like ) or share this room.": "このルームに誰かを招待したい場合は、招待したいユーザーの名前、またはユーザー名(の形式)を指定するか、このルームを共有してください。", @@ -395,22 +335,13 @@ "Room address": "ルームのアドレス", "New published address (e.g. #alias:server)": "新しい公開アドレス(例:#alias:server)", "No other published addresses yet, add one below": "他の公開アドレスはまだありません。以下から追加できます", - "Securely cache encrypted messages locally for them to appear in search results, using %(size)s to store messages from %(rooms)s rooms.": { - "one": "検索結果の表示用に、暗号化されたメッセージをローカルに安全にキャッシュしています。現在、%(rooms)s個のルームのメッセージの保存に%(size)sを使用しています。", - "other": "検索結果の表示用に、暗号化されたメッセージをローカルに安全にキャッシュしています。現在、%(rooms)s個のルームのメッセージの保存に%(size)sを使用しています。" - }, "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 key cached:": "バックアップキーのキャッシュ:", - "Backup key stored:": "バックアップキーの保存:", - "Algorithm:": "アルゴリズム:", "Backup version:": "バックアップのバージョン:", - "Secret storage:": "機密ストレージ:", - "Back up your encryption keys with your account data in case you lose access to your sessions. Your keys will be secured with a unique Security Key.": "セッションにアクセスできなくなる場合に備えて、アカウントデータと暗号鍵をバックアップしましょう。鍵は一意のセキュリティーキーで保護されます。", "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.": "アドレスを作成する際にエラーが発生しました。サーバーで許可されていないか、一時的な障害が発生した可能性があります。", @@ -418,7 +349,6 @@ "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 updating the room's main address. It may not be allowed by the server or a temporary failure occurred.": "ルームのメインアドレスを更新する際にエラーが発生しました。サーバーで許可されていないか、一時的な障害が発生した可能性があります。", "Error updating main address": "メインアドレスを更新する際にエラーが発生しました", - "Mark all as read": "全て既読にする", "Invited by %(sender)s": "%(sender)sからの招待", "Revoke invite": "招待を取り消す", "Could not revoke the invite. The server may be experiencing a temporary problem or you do not have sufficient permissions to revoke the invite.": "招待を取り消すことができませんでした。サーバーで一時的な問題が発生しているか、招待を取り消すための十分な権限がありません。", @@ -426,8 +356,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.": "このルームは既にアップグレードされています。", - "Jump to first invite.": "最初の招待に移動。", - "Jump to first unread room.": "未読のある最初のルームにジャンプします。", "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から直接招待を受け取れます。", @@ -460,7 +388,6 @@ "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.": "サーバー管理者は、非公開のルームとダイレクトメッセージで既定でエンドツーエンド暗号化を無効にしています。", - "Accept all %(invitedRooms)s invites": "%(invitedRooms)sの全ての招待を承認", "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)の利用規約への同意が必要です。", @@ -483,21 +410,7 @@ "Disconnect from the identity server and connect to instead?": "IDサーバー から切断してに接続しますか?", "Change identity server": "IDサーバーを変更", "Checking server": "サーバーをチェックしています", - "not ready": "準備ができていません", - "ready": "準備ができました", - "unexpected type": "予期しない種類", - "well formed": "正常な形式です", - "Your keys are not being backed up from this session.": "鍵はこのセッションからバックアップされていません。", - "Unable to load key backup status": "鍵のバックアップの状態を読み込めません", - "The operation could not be completed": "操作を完了できませんでした", - "Failed to save your profile": "プロフィールの保存に失敗しました", - "The integration manager is offline or it cannot reach your homeserver.": "インテグレーションマネージャーがオフラインか、またはあなたのホームサーバーに到達できません。", - "%(brand)s can't securely cache encrypted messages locally while running in a web browser. Use %(brand)s Desktop for encrypted messages to appear in search results.": "Webブラウザー上で動作する%(brand)sは、暗号化メッセージの安全なキャッシュをローカルに保存できません。%(brand)s デスクトップを使用すると、暗号化メッセージを検索結果に表示することができます。", - "%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with search components added.": "暗号化されたメッセージの安全なキャッシュをローカルに保存するためのコンポーネントが%(brand)sにありません。この機能を試してみたい場合は、検索コンポーネントが追加された%(brand)sデスクトップのカスタム版をビルドしてください。", - "Securely cache encrypted messages locally for them to appear in search results.": "検索結果の表示用に、暗号化されたメッセージをローカルに安全にキャッシュしています。", "Set up": "設定", - "Cross-signing is not set up.": "クロス署名が設定されていません。", - "Your server isn't responding to some requests.": "あなたのサーバーはいくつかのリクエストに応答しません。", "Folder": "フォルダー", "Headphones": "ヘッドホン", "Anchor": "いかり", @@ -831,17 +744,9 @@ "United Kingdom": "イギリス", "Dial pad": "ダイヤルパッド", "IRC display name width": "IRCの表示名の幅", - "Change notification settings": "通知設定を変更", - "New login. Was this you?": "新しいログインです。ログインしましたか?", - "Safeguard against losing access to encrypted messages & data": "暗号化されたメッセージとデータへのアクセスが失われるのを防ぎましょう", "Ok": "OK", - "Contact your server admin.": "サーバー管理者に問い合わせてください。", "Your homeserver has exceeded one of its resource limits.": "あなたのホームサーバーはリソースの上限に達しました。", "Your homeserver has exceeded its user limit.": "あなたのホームサーバーはユーザー数の上限に達しました。", - "Use app": "アプリを使用", - "Use app for a better experience": "より良い体験のためにアプリケーションを使用", - "Enable desktop notifications": "デスクトップ通知を有効にする", - "Don't miss a reply": "返信をお見逃しなく", "%(name)s accepted": "%(name)sは受け付けました", "You accepted": "受け付けました", "%(name)s cancelled": "%(name)sは中止しました", @@ -898,20 +803,12 @@ "Add existing room": "既存のルームを追加", "Invite to this space": "このスペースに招待", "Your message was sent": "メッセージが送信されました", - "Space options": "スペースのオプション", "Leave space": "スペースから退出", - "Invite people": "連絡先を招待", - "Share invite link": "招待リンクを共有", - "Click to copy": "クリックでコピー", "Create a space": "スペースを作成", "Edit devices": "端末を編集", "You have no ignored users.": "無視しているユーザーはいません。", - "Save Changes": "変更を保存", - "Edit settings relating to your space.": "スペースの設定を変更します。", - "Spaces": "スペース", "Invite to %(roomName)s": "%(roomName)sに招待", "Private space": "非公開スペース", - "Leave 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.": "このルームの参加者はあなただけです。退出すると、今後あなたを含めて誰もこのルームに参加できなくなります。", @@ -919,7 +816,6 @@ "one": "ルームを追加しています…", "other": "ルームを追加しています…(計%(count)s個のうち%(progress)s個)" }, - "You can change these anytime.": "ここで入力した情報はいつでも編集できます。", "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) を使用すると、ボット、ウィジェット、ステッカーパックを管理できます。", @@ -927,14 +823,6 @@ "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スキーマである必要があります", - "Failed to save space settings.": "スペースの設定を保存できませんでした。", - "Mentions & keywords": "メンションとキーワード", - "Global": "全体", - "New keyword": "新しいキーワード", - "Keyword": "キーワード", - "Anyone in a space can find and join. You can select multiple spaces.": "スペースのメンバーが検索し、参加できます。複数のスペースを選択できます。", - "Space members": "スペースのメンバー", - "Upgrade required": "アップグレードが必要", "Verify your identity to access encrypted messages and prove your identity to others.": "暗号化されたメッセージにアクセスするには、本人確認が必要です。", "Are you sure you want to sign out?": "サインアウトしてよろしいですか?", "Rooms and spaces": "ルームとスペース", @@ -942,24 +830,10 @@ "Add space": "スペースを追加", "Joined": "参加済", "To join a space you'll need an invite.": "スペースに参加するには招待が必要です。", - "Group all your rooms that aren't part of a space in one place.": "スペースに含まれない全てのルームを一箇所にまとめる。", - "Rooms outside of a space": "スペース外のルーム", - "Group all your people in one place.": "全ての連絡先を一箇所にまとめる。", - "Group all your favourite rooms and people in one place.": "お気に入りのルームと連絡先をまとめる。", - "Show all your rooms in Home, even if they're in a space.": "他のスペースに存在するルームを含めて、全てのルームをホームに表示。", - "Home is useful for getting an overview of everything.": "ホームは全体を把握するのに便利です。", - "Spaces are ways to group rooms and people. Alongside the spaces you're in, you can use some pre-built ones too.": "スペースは、ルームや連絡先をまとめる方法です。いくつかの構築済スペースと、参加済のスペースを使用できます。", - "Spaces to show": "表示するスペース", - "Sidebar": "サイドバー", - "Show all rooms": "全てのルームを表示", "Home options": "ホームのオプション", - "Report": "報告", "Files": "ファイル", "Export chat": "チャットをエクスポート", - "View source": "ソースコードを表示", "Failed to send": "送信に失敗しました", - "Take a picture": "画像を撮影", - "Copy room link": "ルームのリンクをコピー", "Close dialog": "ダイアログを閉じる", "Preparing to download logs": "ログのダウンロードを準備しています", "Hide stickers": "ステッカーを表示しない", @@ -970,16 +844,12 @@ "Insert link": "リンクを挿入", "Reason (optional)": "理由(任意)", "Copy link to thread": "スレッドへのリンクをコピー", - "Connecting": "接続しています", "Create a new space": "新しいスペースを作成", "This address is already in use": "このアドレスは既に使用されています", "This address is available to use": "このアドレスは使用できます", "Please provide an address": "アドレスを入力してください", "Enter a server name": "サーバー名を入力", "Add existing space": "既存のスペースを追加", - "This upgrade will allow members of selected spaces access to this room without an invite.": "このアップグレードにより、選択したスペースのメンバーは、招待なしでこのルームにアクセスできるようになります。", - "Share anonymous data to help us identify issues. Nothing personal. No third parties.": "匿名のデータを共有すると、問題の特定に役立ちます。個人データの収集や、第三者とのデータ共有はありません。", - "Hide sidebar": "サイドバーを表示しない", "%(spaceName)s and %(count)s others": { "one": "%(spaceName)sと他%(count)s個", "other": "%(spaceName)sと他%(count)s個" @@ -988,10 +858,6 @@ "Please note upgrading will make a new version of the room. All current messages will stay in this archived room.": "アップグレードすると、このルームの新しいバージョンが作成されます。今ある全てのメッセージは、アーカイブしたルームに残ります。", "Nothing pinned, yet": "固定メッセージはありません", "Pinned messages": "固定メッセージ", - "Widgets do not use message encryption.": "ウィジェットはメッセージの暗号化を行いません。", - "Using this widget may share data with %(widgetDomain)s.": "このウィジェットを使うと、データが%(widgetDomain)sと共有される可能性があります。", - "Using this widget may share data with %(widgetDomain)s & your integration manager.": "このウィジェットを使うと、データが%(widgetDomain)sとインテグレーションマネージャーと共有される可能性があります。", - "Widget ID": "ウィジェットID", "Use the Desktop app to see all encrypted files": "全ての暗号化されたファイルを表示するにはデスクトップ用のアプリを使用してください", "User Directory": "ユーザーディレクトリー", "Or send invite link": "もしくはリンクを送信", @@ -1014,22 +880,11 @@ "Decrypting": "復号化しています", "Downloading": "ダウンロードしています", "An unknown error occurred": "不明なエラーが発生しました", - "unknown person": "不明な人間", "In reply to this message": "このメッセージへの返信", "Location": "位置情報", "Submit logs": "ログを提出", "Click to view edits": "クリックすると変更履歴を表示", "Can't load this message": "このメッセージを読み込めません", - "Updating spaces... (%(progress)s out of %(count)s)": { - "one": "スペースを更新しています…", - "other": "スペースを更新しています…(計%(count)s個のうち%(progress)s個)" - }, - "Sending invites... (%(progress)s out of %(count)s)": { - "one": "招待を送信しています…", - "other": "招待を送信しています…(計%(count)s件のうち%(progress)s件)" - }, - "Loading new room": "新しいルームを読み込んでいます", - "Upgrading room": "ルームをアップグレードしています", "Address": "アドレス", "Notes": "メモ", "Search for rooms": "ルームを検索", @@ -1051,9 +906,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.": "の誰でも検索し、参加できます。", - "Anyone in can find and join. You can select other spaces too.": "の誰でも検索し、参加できます。他のスペースも選択できます。", - "Anyone in a space can find and join. Edit which spaces can access here.": "スペースの誰でも検索し、参加できます。ここをクリックすると、どのスペースにアクセスできるかを編集できます。", - "Spaces with access": "アクセスできるスペース", "Enter Security Key": "セキュリティーキーを入力", "Warning: you should only set up key backup from a trusted computer.": "警告:信頼済のコンピューターからのみ鍵のバックアップを設定してください。", "Successfully restored %(sessionCount)s keys": "%(sessionCount)s個の鍵が復元されました", @@ -1068,14 +920,12 @@ "Invalid Security Key": "セキュリティーキーが正しくありません", "Wrong Security Key": "正しくないセキュリティーキー", "a key signature": "鍵の署名", - "Cross-signing is ready but keys are not backed up.": "クロス署名は準備できましたが、鍵はバックアップされていません。", "Sign in with SSO": "シングルサインオンでサインイン", "Join millions for free on the largest public server": "最大の公開サーバーで、数百万人に無料で参加", "This homeserver would like to make sure you are not a robot.": "このホームサーバーは、あなたがロボットではないことの確認を求めています。", "Verify this device": "この端末を認証", "Verify with another device": "別の端末で認証", "Forgotten or lost all recovery methods? Reset all": "復元方法を全て失ってしまいましたか?リセットできます", - "Review to ensure your account is safe": "アカウントが安全かどうか確認してください", "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.": "セキュリティーキーを生成します。パスワードマネージャーもしくは金庫のような安全な場所で保管してください。", @@ -1102,12 +952,9 @@ "To publish an address, it needs to be set as a local address first.": "アドレスを公開するには、まずローカルアドレスに設定する必要があります。", "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.": "公開アドレスを設定すると、どのサーバーのユーザーでも、あなたのスペースに参加できるようになります。", - "Access": "アクセス", "Missed call": "不在着信", "Call back": "かけ直す", "Search for rooms or people": "ルームと連絡先を検索", - "Pin to sidebar": "サイドバーに固定", - "Quick settings": "クイック設定", "Invite anyway": "招待", "Invite anyway and never warn me again": "招待し、再び警告しない", "Recovery Method Removed": "復元方法を削除しました", @@ -1116,7 +963,6 @@ "Success!": "成功しました!", "Information": "情報", "Search for spaces": "スペースを検索", - "Share location": "位置情報を共有", "Feedback sent! Thanks, we appreciate it!": "フィードバックを送信しました!ありがとうございました!", "Can't edit poll": "アンケートは編集できません", "Search Dialog": "検索ダイアログ", @@ -1128,9 +974,6 @@ "Themes": "テーマ", "Developer": "開発者", "Experimental": "実験的", - "Back to chat": "チャットに戻る", - "Room members": "ルームのメンバー", - "Back to thread": "スレッドに戻る", "View all %(count)s members": { "one": "1人のメンバーを表示", "other": "全%(count)s人のメンバーを表示" @@ -1148,7 +991,6 @@ "Sent": "送信済", "You don't have permission to do this": "これを行う権限がありません", "Joining": "参加しています", - "Application window": "アプリケーションのウィンドウ", "Verification Request": "認証の要求", "Unable to copy a link to the room to the clipboard.": "ルームのリンクをクリップボードにコピーできませんでした。", "Unable to copy room link": "ルームのリンクをコピーできません", @@ -1214,27 +1056,15 @@ "Get notified for every message": "全てのメッセージを通知", "You won't get any notifications": "通知を送信しません", "Get notifications as set up in your settings": "設定に従って通知", - "Failed to update the guest access of this space": "ゲストのアクセスの更新に失敗しました", - "Failed to update the history visibility of this space": "このスペースの履歴の見え方の更新に失敗しました", - "Invite with email or username": "メールアドレスまたはユーザー名で招待", - "Guests can join a space without having an account.": "ゲストはアカウントを使用せずに参加できます。", - "Visibility": "見え方", - "Recommended for public spaces.": "公開のスペースでは許可することを推奨します。", - "Allow people to preview your space before they join.": "参加する前にスペースのプレビューを閲覧することを許可。", - "Preview Space": "スペースのプレビュー", "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で問題が発生した場合は、不具合を報告してください。", - "Enable guest access": "ゲストによるアクセスを有効にする", "Set addresses for this space so users can find this space through your homeserver (%(localDomain)s)": "アドレスを設定すると、他のユーザーがあなたのホームサーバー(%(localDomain)s)を通じてこのスペースを見つけられるようになります。", - "This may be useful for public spaces.": "公開のスペースに適しているかもしれません。", - "Decide who can view and join %(spaceName)s.": "%(spaceName)sを表示、参加できる範囲を設定してください。", "Space information": "スペースの情報", "Retry all": "全て再試行", "You can select all or individual messages to retry or delete": "全てのメッセージ、あるいは個別のメッセージを選択して、再送を試みるか削除することができます", "Some of your messages have not been sent": "いくつかのメッセージが送信されませんでした", - "Mentions only": "メンションのみ", "Forget": "消去", "Not a valid Security Key": "セキュリティーキーが正しくありません", "This looks like a valid Security Key!": "正しいセキュリティーキーです!", @@ -1250,13 +1080,11 @@ "Upload Error": "アップロードエラー", "View in room": "ルーム内で表示", "Message didn't send. Click for info.": "メッセージが送信されませんでした。クリックすると詳細を表示します。", - "Show preview": "プレビューを表示", "Thread options": "スレッドの設定", "Invited people will be able to read old messages.": "招待したユーザーは、以前のメッセージを閲覧できるようになります。", "Clear personal data": "個人データを消去", "Your password has been reset.": "パスワードを再設定しました。", "Couldn't load page": "ページを読み込めませんでした", - "Show sidebar": "サイドバーを表示", "We couldn't create your DM.": "ダイレクトメッセージを作成できませんでした。", "Confirm to continue": "確認して続行", "Failed to find the following users": "次のユーザーの発見に失敗しました", @@ -1266,7 +1094,6 @@ "Space visibility": "スペースの見え方", "This room is public": "このルームは公開されています", "Avatar": "アバター", - "Revoke permissions": "権限を取り消す", "Incompatible Database": "互換性のないデータベース", "Hold": "保留", "Resume": "再開", @@ -1280,7 +1107,6 @@ "Language Dropdown": "言語一覧", "You cancelled verification on your other device.": "他の端末で認証がキャンセルされました。", "You won't be able to rejoin unless you are re-invited.": "再び招待されない限り、再参加することはできません。", - "Search %(spaceName)s": "%(spaceName)sを検索", "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": "セキュリティーキーで認証", @@ -1298,7 +1124,6 @@ "My current location": "自分の現在の位置情報", "My live location": "自分の位置情報(ライブ)", "What location type do you want to share?": "どのような種類の位置情報を共有したいですか?", - "Match system": "システムに合致", "We couldn't send your location": "位置情報を送信できませんでした", "%(brand)s could not send your location. Please try again later.": "%(brand)sは位置情報を送信できませんでした。後でもう一度やり直してください。", "Could not fetch location": "位置情報を取得できませんでした", @@ -1344,10 +1169,8 @@ "Incoming Verification Request": "認証のリクエストが届いています", "Set up Secure Messages": "セキュアメッセージを設定", "Use a different passphrase?": "異なるパスフレーズを使用しますか?", - "Start audio stream": "音声ストリーミングを開始", "Failed to start livestream": "ライブストリームの開始に失敗しました", "Unable to start audio streaming.": "音声ストリーミングを開始できません。", - "Collapse reply thread": "返信のスレッドを折りたたむ", "If you've forgotten your Security Key you can ": "セキュリティーキーを紛失した場合は、できます", "Wrong file type": "正しくないファイルの種類", "Unable to access secret storage. Please verify that you entered the correct Security Phrase.": "機密ストレージにアクセスできません。正しいセキュリティーフレーズを入力したことを確認してください。", @@ -1370,30 +1193,19 @@ "No microphone found": "マイクが見つかりません", "We were unable to access your microphone. Please check your browser settings and try again.": "マイクにアクセスできませんでした。ブラウザーの設定を確認して、もう一度やり直してください。", "Unable to access your microphone": "マイクを使用できません", - "There was an error loading your notification settings.": "通知設定を読み込む際にエラーが発生しました。", - "Message search initialisation failed": "メッセージの検索機能の初期化に失敗しました", - "Failed to update the visibility of this space": "このスペースの見え方の更新に失敗しました", "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": "音声メッセージを処理する際にエラーが発生しました", - "Error loading Widget": "ウィジェットを読み込む際にエラーが発生しました", "It looks like you don't have a Security Key or any other devices you can verify against. This device will not be able to access old encrypted messages. In order to verify your identity on this device, you'll need to reset your verification keys.": "セキュリティーキーもしくは認証可能な端末が設定されていません。この端末では、以前暗号化されたメッセージにアクセスすることができません。この端末で本人確認を行うには、認証用の鍵を再設定する必要があります。", " invites you": "があなたを招待しています", "Signature upload failed": "署名のアップロードに失敗しました", - "Remove for everyone": "全員から削除", "toggle event": "イベントを切り替える", "%(spaceName)s menu": "%(spaceName)sのメニュー", - "Delete avatar": "アバターを削除", - "Share content": "コンテンツを共有", "Search spaces": "スペースを検索", "Unnamed audio": "名前のない音声", - "Move right": "右に移動", - "Move left": "左に移動", - "Rotate Right": "右に回転", - "Rotate Left": "左に回転", "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.": "アカウントにアクセスし、このセッションに保存されている暗号鍵を復元してください。暗号鍵がなければ、どのセッションの暗号化されたメッセージも読めなくなります。", @@ -1410,14 +1222,12 @@ "Some files are too large to be uploaded. The file size limit is %(limit)s.": "アップロードしようとしているいくつかのファイルのサイズが大きすぎます。最大のサイズは%(limit)sです。", "These files are too large to upload. The file size limit is %(limit)s.": "アップロードしようとしているファイルのサイズが大きすぎます。最大のサイズは%(limit)sです。", "a new master key signature": "新しいマスターキーの署名", - "This widget may use cookies.": "このウィジェットはクッキーを使用する可能性があります。", "Search names and descriptions": "名前と説明文を検索", "Currently joining %(count)s rooms": { "one": "現在%(count)s個のルームに参加しています", "other": "現在%(count)s個のルームに参加しています" }, "Error downloading audio": "音声をダウンロードする際にエラーが発生しました", - "Share entire screen": "全画面を共有", "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.": "サーバーをアップグレードするには認証が必要です。", @@ -1436,7 +1246,6 @@ "If you've forgotten your Security Phrase you can use your Security Key or set up new recovery options": "セキュリティーフレーズを紛失した場合は、セキュリティーキーを使用するか、新しい復旧用の手段を設定することができます", "Remember this": "これを記憶", "Message search initialisation failed, check your settings for more information": "メッセージの検索の初期化に失敗しました。設定から詳細を確認してください", - "Any of the following data may be shared:": "以下のデータが共有される可能性があります:", "%(count)s votes cast. Vote to see the results": { "one": "合計%(count)s票。投票すると結果を確認できます", "other": "合計%(count)s票。投票すると結果を確認できます" @@ -1463,7 +1272,6 @@ "Yours, or the other users' internet connection": "あなた、もしくは他のユーザーのインターネット接続", "The homeserver the user you're verifying is connected to": "認証しようとしているユーザーが接続しているホームサーバー", "There was a problem communicating with the server. Please try again.": "サーバーとの通信時に問題が発生しました。もう一度やり直してください。", - "%(deviceId)s from %(ip)s": "%(ip)sの%(deviceId)s", "Just a heads up, if you don't add an email and forget your password, you could permanently lose access to your account.": "注意:メールアドレスを追加せずパスワードを忘れた場合、永久にアカウントにアクセスできなくなる可能性があります。", "Some characters not allowed": "使用できない文字が含まれています", "Collapse quotes": "引用を折りたたむ", @@ -1477,8 +1285,6 @@ "Use an identity server to invite by email. Manage in Settings.": "IDサーバーを使うと、メールアドレスで招待できます。設定画面で管理できます。", "Use an identity server to invite by email. Use the default (%(defaultIdentityServerName)s) or manage in Settings.": "IDサーバーを使うと、メールアドレスで招待できます。既定(%(defaultIdentityServerName)s)のサーバーを使うか、設定画面で管理できます。", "Adding spaces has moved.": "スペースの追加機能は移動しました。", - "Click to drop a pin": "クリックして位置情報を共有", - "Click to move the pin": "クリックしてピンを移動", "You've previously used a newer version of %(brand)s with this session. To use this version again with end to end encryption, you will need to sign out and back in again.": "以前このセッションで、より新しい%(brand)sのバージョンを使用していました。エンドツーエンド暗号化を有効にしてこのバージョンを再び使用するには、サインアウトして、再びサインインする必要があります。", "Your %(brand)s doesn't allow you to use an integration manager to do this. Please contact an admin.": "%(brand)sでは、インテグレーションマネージャーでこれを行うことができません。管理者に連絡してください。", "In encrypted rooms, verify all users to ensure it's secure.": "暗号化されたルームでは、安全確認のために全てのユーザーを認証しましょう。", @@ -1489,8 +1295,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の新しいバージョンへと戻る必要があります", "Clearing all data from this session is permanent. Encrypted messages will be lost unless their keys have been backed up.": "このセッションのデータの消去は取り消せません。鍵がバックアップされていない限り、暗号化されたメッセージを読むことはできなくなります。", "Including %(commaSeparatedMembers)s": "%(commaSeparatedMembers)sを含む", - "Error - Mixed content": "エラー - 混在コンテンツ", - "This room is in some spaces you're not an admin of. In those spaces, the old room will still be shown, but people will be prompted to join the new one.": "このルームは、あなたが管理者でないスペースの中にあります。そのスペースでは古いルームは表示され続けますが、参加者は新しいルームに参加するように求められます。", "Disinvite from %(roomName)s": "%(roomName)sへの招待を取り消す", "Unban them from specific things I'm able to": "自分に可能な範囲で、特定のものからブロック解除", "Unban them from everything I'm able to": "自分に可能な範囲で、全てのものからブロック解除", @@ -1498,11 +1302,6 @@ "Ban them from everything I'm able to": "自分に可能な範囲で、全てのものからブロック", "Live location error": "位置情報(ライブ)のエラー", "View live location": "位置情報(ライブ)を表示", - "Failed to join": "参加に失敗しました", - "The person who invited you has already left, or their server is offline.": "招待した人が既に退出したか、サーバーがオフラインです。", - "The person who invited you has already left.": "招待した人は既に退出しました。", - "Sorry, your homeserver is too old to participate here.": "あなたのホームサーバーはここに参加するには古すぎます。", - "There was an error joining.": "参加する際にエラーが発生しました。", "Live location enabled": "位置情報(ライブ)が有効です", "Unban from space": "スペースからのブロックを解除", "Ban from space": "スペースからブロック", @@ -1522,11 +1321,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:": "他のセッションのユーザー設定で、以下を比較して承認してください:", - "Currently, %(count)s spaces have access": { - "other": "現在%(count)s個のスペースがアクセスできます", - "one": "現在1個のスペースがアクセスできます" - }, - "%(brand)s is experimental on a mobile web browser. For a better experience and the latest features, use our free native app.": "%(brand)sは携帯端末のウェブブラウザーでは実験的です。よりよい使用経験や最新機能を求める場合は、フリーのネイティブアプリをご利用ください。", "You can use the custom server options to sign into other Matrix servers by specifying a different homeserver URL. This allows you to use %(brand)s with an existing Matrix account on a different homeserver.": "異なるホームサーバーのURLを設定すると、他のMatrixのサーバーにサインインできます。それにより、異なるホームサーバーにある既存のMatrixのアカウントを%(brand)sで使用できます。", "Loading preview": "プレビューを読み込んでいます", "You were removed by %(memberName)s": "%(memberName)sにより追放されました", @@ -1542,15 +1336,11 @@ "No live locations": "位置情報(ライブ)がありません", "View list": "一覧を表示", "View List": "一覧を表示", - "Unknown room": "不明のルーム", "Remember my selection for this widget": "このウィジェットに関する選択を記憶", "Unable to load commit detail: %(msg)s": "コミットの詳細を読み込めません:%(msg)s", "Explore public spaces in the new search dialog": "新しい検索ダイアログで公開スペースを探す", - "You were disconnected from the call. (Error: %(message)s)": "通話から切断されました。(エラー:%(message)s)", - "Connection lost": "接続が切断されました", "Room info": "ルームの情報", "Video room": "ビデオ通話ルーム", - "Sessions": "セッション", "Your password was successfully changed.": "パスワードを変更しました。", "Video settings": "ビデオの設定", "Voice settings": "音声の設定", @@ -1591,19 +1381,12 @@ "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?": "プレビューはありませんが、参加しますか?", - "You do not have permission to start voice calls": "音声通話を開始する権限がありません", - "You do not have permission to start video calls": "ビデオ通話を開始する権限がありません", "Video call (%(brand)s)": "ビデオ通話(%(brand)s)", - "Sorry — this call is currently full": "すみません ― この通話は現在満員です", "Error downloading image": "画像をダウンロードする際にエラーが発生しました", "Unable to show image due to error": "エラーにより画像を表示できません", "Reset event store?": "イベントストアをリセットしますか?", "Your firewall or anti-virus is blocking the request.": "ファイアーウォールまたはアンチウイルスソフトがリクエストをブロックしています。", "We're creating a room with %(names)s": "%(names)sという名前のルームを作成しています", - "%(count)s people joined": { - "one": "%(count)s人が参加しました", - "other": "%(count)s人が参加しました" - }, "Close sidebar": "サイドバーを閉じる", "You are sharing your live location": "位置情報(ライブ)を共有しています", "Stop and close": "停止して閉じる", @@ -1612,7 +1395,6 @@ "Saved Items": "保存済み項目", "View chat timeline": "チャットのタイムラインを表示", "Spotlight": "スポットライト", - "There's no one here to call": "ここには通話できる人はいません", "Read receipts": "開封確認メッセージ", "Seen by %(count)s people": { "one": "%(count)s人が閲覧済", @@ -1629,7 +1411,6 @@ "Remove server “%(roomServer)s”": "サーバー“%(roomServer)s”を削除", "Coworkers and teams": "同僚とチーム", "Choose a locale": "ロケールを選択", - "Un-maximise": "最大化をやめる", "%(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": "表示するには、まずラボのビデオ通話ルームを有効にしてください", @@ -1640,17 +1421,6 @@ "Connection": "接続", "Voice processing": "音声を処理しています", "Automatically adjust the microphone volume": "マイクの音量を自動的に調節", - "For best security, verify your sessions and sign out from any session that you don't recognize or use anymore.": "セキュリティーを最大限に高めるには、セッションを認証し、不明なセッションや使用していないセッションからサインアウトしてください。", - "Are you sure you want to sign out of %(count)s sessions?": { - "one": "%(count)s個のセッションからサインアウトしてよろしいですか?", - "other": "%(count)s個のセッションからサインアウトしてよろしいですか?" - }, - "Bulk options": "一括オプション", - "Ongoing call": "通話中", - "Add privileged users": "特権ユーザーを追加", - "Give one or multiple users in this room more privileges": "このルームのユーザーに権限を付与", - "Search users in this room…": "このルームのユーザーを検索…", - "Mark as read": "既読にする", "Can't start voice message": "音声メッセージを開始できません", "You can't start a voice message as you are currently recording a live broadcast. Please end your live broadcast in order to start recording a voice message.": "ライブ配信を録音しているため、音声メッセージを開始できません。音声メッセージの録音を開始するには、ライブ配信を終了してください。", "%(displayName)s (%(matrixId)s)": "%(displayName)s(%(matrixId)s)", @@ -1659,19 +1429,14 @@ "Edit link": "リンクを編集", "Unable to decrypt message": "メッセージを復号化できません", "This message could not be decrypted": "このメッセージを復号化できませんでした", - "You have unverified sessions": "未認証のセッションがあります", "Live until %(expiryTime)s": "%(expiryTime)sまで共有", "An error occurred while stopping your live location, please try again": "位置情報(ライブ)を停止している際にエラーが発生しました。もう一度やり直してください", "An error occurred whilst sharing your live location, please try again": "位置情報(ライブ)を共有している際にエラーが発生しました。もう一度やり直してください", "An error occurred whilst sharing your live location": "位置情報(ライブ)を共有している際にエラーが発生しました", "An error occurred while stopping your live location": "位置情報(ライブ)を停止する際にエラーが発生しました", "Online community members": "オンラインコミュニティーのメンバー", - "View related event": "関連するイベントを表示", - "Live location sharing": "位置情報(ライブ)の共有", - "Enable live location sharing": "位置情報(ライブ)の共有を有効にする", "Preserve system messages": "システムメッセージを保存", "Message pending moderation": "保留中のメッセージのモデレート", - "Widget added by": "ウィジェットの追加者", "WARNING: ": "警告:", "Send email": "電子メールを送信", "Close call": "通話を終了", @@ -1712,7 +1477,6 @@ "The other device isn't signed in.": "もう一方の端末はサインインしていません。", "The other device is already signed in.": "もう一方のデバイスは既にサインインしています。", "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?": "あなたの古いメッセージは、それを受信した人には表示され続けます。これは電子メールの場合と同様です。あなたが送信したメッセージを今後のルームの参加者に表示しないようにしますか?", - "Please note: this is a labs feature using a temporary implementation. This means you will not be able to delete your location history, and advanced users will be able to see your location history even after you stop sharing your live location with this room.": "注意:これは一時的な実装による試験機能です。位置情報の履歴を削除することはできません。高度なユーザーは、あなたがこのルームで位置情報(ライブ)の共有を停止した後でも、あなたの位置情報の履歴を閲覧することができます。", "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:": "このルームをアップグレードするには、現在のルームを閉鎖し、新しくルームを作成する必要があります。ルームの参加者のため、アップグレードの際に以下を行います。", "Reminder: Your browser is unsupported, so your experience may be unpredictable.": "注意:ブラウザーはサポートされていません。期待通りに動作しない可能性があります。", "Invalid identity server discovery response": "IDサーバーのディスカバリー(発見)に関する不正な応答です", @@ -1738,11 +1502,8 @@ "Consult first": "初めに相談", "We'll help you get connected.": "みんなと繋がる手助けをいたします。", "Who will you chat to the most?": "誰と最もよく会話しますか?", - "Share for %(duration)s": "%(duration)sの間共有", "All messages and invites from this user will be hidden. Are you sure you want to ignore them?": "このユーザーのメッセージと招待を非表示にします。無視してよろしいですか?", "unknown": "不明", - "Red": "赤色", - "Grey": "灰色", "Too many attempts in a short time. Retry after %(timeout)s.": "再試行の数が多すぎます。%(timeout)s後に再度試してください。", "Start at the sign in screen": "サインインの画面で開始", "Linking with this device is not supported.": "この端末とのリンクはサポートしていません。", @@ -1759,7 +1520,6 @@ " in %(room)s": " %(room)s内で", "Failed to set pusher state": "プッシュサービスの設定に失敗しました", "Your account details are managed separately at %(hostname)s.": "あなたのアカウントの詳細は%(hostname)sで管理されています。", - "More": "その他", "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": "このウィジェットに本人確認を許可", @@ -1775,7 +1535,6 @@ "Upgrading a room is an advanced action and is usually recommended when a room is unstable due to bugs, missing features or security vulnerabilities.": "ルームのアップグレードは高度な操作です。バグや欠けている機能、セキュリティーの脆弱性などによってルームが不安定な場合に、アップデートを推奨します。", "Declining…": "拒否しています…", "Enable %(brand)s as an additional calling option in this room": "%(brand)sをこのルームの追加の通話手段として有効にする", - "This session is backing up your keys.": "このセッションは鍵をバックアップしています。", "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.": "警告:あなたの個人データ(暗号化の鍵を含む)が、このセッションに保存されています。このセッションの使用を終了するか、他のアカウントにログインしたい場合は、そのデータを消去してください。", @@ -1797,10 +1556,6 @@ "Encrypting your message…": "メッセージを暗号化しています…", "Sending your message…": "メッセージを送信しています…", "Set a new account password…": "アカウントの新しいパスワードを設定…", - "Backing up %(sessionsRemaining)s keys…": "%(sessionsRemaining)s個の鍵をバックアップしています…", - "Connecting to integration manager…": "インテグレーションマネージャーに接続しています…", - "Saving…": "保存しています…", - "Creating…": "作成しています…", "Starting export process…": "エクスポートのプロセスを開始しています…", "Secure Backup successful": "セキュアバックアップに成功しました", "Your keys are now being backed up from this device.": "鍵はこの端末からバックアップされています。", @@ -1900,7 +1655,15 @@ "off": "オフ", "all_rooms": "全てのルーム", "deselect_all": "全ての選択を解除", - "select_all": "全て選択" + "select_all": "全て選択", + "copied": "コピーしました!", + "advanced": "詳細", + "spaces": "スペース", + "general": "一般", + "saving": "保存しています…", + "profile": "プロフィール", + "display_name": "表示名", + "user_avatar": "プロフィール画像" }, "action": { "continue": "続行", @@ -2001,7 +1764,10 @@ "clear": "消去", "exit_fullscreeen": "フルスクリーンを解除", "enter_fullscreen": "フルスクリーンにする", - "unban": "ブロックを解除" + "unban": "ブロックを解除", + "click_to_copy": "クリックでコピー", + "hide_advanced": "高度な設定を非表示にする", + "show_advanced": "高度な設定を表示" }, "a11y": { "user_menu": "ユーザーメニュー", @@ -2013,7 +1779,8 @@ "one": "未読メッセージ1件。", "other": "未読メッセージ%(count)s件。" }, - "unread_messages": "未読メッセージ。" + "unread_messages": "未読メッセージ。", + "jump_first_invite": "最初の招待に移動。" }, "labs": { "video_rooms": "ビデオ通話ルーム", @@ -2190,7 +1957,6 @@ "user_a11y": "ユーザーの自動補完" } }, - "Bold": "太字", "Link": "リンク", "Code": "コード", "power_level": { @@ -2298,7 +2064,8 @@ "intro_byline": "自分の会話は、自分のもの。", "send_dm": "ダイレクトメッセージを送信", "explore_rooms": "公開ルームを探す", - "create_room": "グループチャットを作成" + "create_room": "グループチャットを作成", + "create_account": "アカウントを作成" }, "settings": { "show_breadcrumbs": "ルームの一覧の上に、最近表示したルームのショートカットを表示", @@ -2361,7 +2128,9 @@ "noisy": "音量大", "error_permissions_denied": "%(brand)sに通知を送信する権限がありません。ブラウザーの設定を確認してください", "error_permissions_missing": "%(brand)sに通知を送信する権限がありませんでした。もう一度試してください", - "error_title": "通知を有効にできません" + "error_title": "通知を有効にできません", + "push_targets": "通知対象", + "error_loading": "通知設定を読み込む際にエラーが発生しました。" }, "appearance": { "layout_irc": "IRC(実験的)", @@ -2434,7 +2203,44 @@ "cryptography_section": "暗号", "session_id": "セッションID:", "session_key": "セッションキー:", - "encryption_section": "暗号化" + "encryption_section": "暗号化", + "bulk_options_section": "一括オプション", + "bulk_options_accept_all_invites": "%(invitedRooms)sの全ての招待を承認", + "bulk_options_reject_all_invites": "%(invitedRooms)sの全ての招待を拒否", + "message_search_section": "メッセージの検索", + "analytics_subsection_description": "匿名のデータを共有すると、問題の特定に役立ちます。個人データの収集や、第三者とのデータ共有はありません。", + "encryption_individual_verification_mode": "クロス署名された端末を信頼せず、ユーザーが使用する各セッションを個別に認証し、信頼済に設定。", + "message_search_enabled": { + "one": "検索結果の表示用に、暗号化されたメッセージをローカルに安全にキャッシュしています。現在、%(rooms)s個のルームのメッセージの保存に%(size)sを使用しています。", + "other": "検索結果の表示用に、暗号化されたメッセージをローカルに安全にキャッシュしています。現在、%(rooms)s個のルームのメッセージの保存に%(size)sを使用しています。" + }, + "message_search_disabled": "検索結果の表示用に、暗号化されたメッセージをローカルに安全にキャッシュしています。", + "message_search_unsupported": "暗号化されたメッセージの安全なキャッシュをローカルに保存するためのコンポーネントが%(brand)sにありません。この機能を試してみたい場合は、検索コンポーネントが追加された%(brand)sデスクトップのカスタム版をビルドしてください。", + "message_search_unsupported_web": "Webブラウザー上で動作する%(brand)sは、暗号化メッセージの安全なキャッシュをローカルに保存できません。%(brand)s デスクトップを使用すると、暗号化メッセージを検索結果に表示することができます。", + "message_search_failed": "メッセージの検索機能の初期化に失敗しました", + "backup_key_well_formed": "正常な形式です", + "backup_key_unexpected_type": "予期しない種類", + "backup_keys_description": "セッションにアクセスできなくなる場合に備えて、アカウントデータと暗号鍵をバックアップしましょう。鍵は一意のセキュリティーキーで保護されます。", + "backup_key_stored_status": "バックアップキーの保存:", + "cross_signing_not_stored": "保存されていません", + "backup_key_cached_status": "バックアップキーのキャッシュ:", + "4s_public_key_status": "機密ストレージの公開鍵:", + "4s_public_key_in_account_data": "アカウントデータ内", + "secret_storage_status": "機密ストレージ:", + "secret_storage_ready": "準備ができました", + "secret_storage_not_ready": "準備ができていません", + "delete_backup": "バックアップを削除", + "delete_backup_confirm_description": "本当によろしいですか? もし鍵が正常にバックアップされていない場合、暗号化されたメッセージにアクセスできなくなります。", + "error_loading_key_backup_status": "鍵のバックアップの状態を読み込めません", + "restore_key_backup": "バックアップから復元", + "key_backup_active": "このセッションは鍵をバックアップしています。", + "key_backup_inactive": "このセッションでは鍵をバックアップしていませんが、復元に使用したり、今後鍵を追加したりできるバックアップがあります。", + "key_backup_connect_prompt": "サインアウトする前に、このセッションにだけある鍵を失わないよう、セッションを鍵のバックアップに接続しましょう。", + "key_backup_connect": "このセッションを鍵のバックアップに接続", + "key_backup_in_progress": "%(sessionsRemaining)s個の鍵をバックアップしています…", + "key_backup_complete": "全ての鍵がバックアップされています", + "key_backup_algorithm": "アルゴリズム:", + "key_backup_inactive_warning": "鍵はこのセッションからバックアップされていません。" }, "preferences": { "room_list_heading": "ルーム一覧", @@ -2547,7 +2353,13 @@ "other": "端末からサインアウト" }, "security_recommendations": "セキュリティーに関する勧告", - "security_recommendations_description": "以下の勧告に従い、アカウントのセキュリティーを改善しましょう。" + "security_recommendations_description": "以下の勧告に従い、アカウントのセキュリティーを改善しましょう。", + "title": "セッション", + "sign_out_confirm_description": { + "one": "%(count)s個のセッションからサインアウトしてよろしいですか?", + "other": "%(count)s個のセッションからサインアウトしてよろしいですか?" + }, + "other_sessions_subsection_description": "セキュリティーを最大限に高めるには、セッションを認証し、不明なセッションや使用していないセッションからサインアウトしてください。" }, "general": { "oidc_manage_button": "アカウントを管理", @@ -2563,7 +2375,22 @@ "add_msisdn_confirm_sso_button": "シングルサインオンを使用して本人確認を行い、電話番号の追加を承認してください。", "add_msisdn_confirm_button": "電話番号の追加を承認", "add_msisdn_confirm_body": "下のボタンをクリックすると、この電話番号を追加します。", - "add_msisdn_dialog_title": "電話番号を追加" + "add_msisdn_dialog_title": "電話番号を追加", + "name_placeholder": "表示名がありません", + "error_saving_profile_title": "プロフィールの保存に失敗しました", + "error_saving_profile": "操作を完了できませんでした" + }, + "sidebar": { + "title": "サイドバー", + "metaspaces_subsection": "表示するスペース", + "metaspaces_description": "スペースは、ルームや連絡先をまとめる方法です。いくつかの構築済スペースと、参加済のスペースを使用できます。", + "metaspaces_home_description": "ホームは全体を把握するのに便利です。", + "metaspaces_favourites_description": "お気に入りのルームと連絡先をまとめる。", + "metaspaces_people_description": "全ての連絡先を一箇所にまとめる。", + "metaspaces_orphans": "スペース外のルーム", + "metaspaces_orphans_description": "スペースに含まれない全てのルームを一箇所にまとめる。", + "metaspaces_home_all_rooms_description": "他のスペースに存在するルームを含めて、全てのルームをホームに表示。", + "metaspaces_home_all_rooms": "全てのルームを表示" } }, "devtools": { @@ -3039,7 +2866,15 @@ "user": "%(senderName)sが音声配信を終了しました" }, "creation_summary_dm": "%(creator)sがこのダイレクトメッセージを作成しました。", - "creation_summary_room": "%(creator)sがルームを作成し設定しました。" + "creation_summary_room": "%(creator)sがルームを作成し設定しました。", + "context_menu": { + "view_source": "ソースコードを表示", + "show_url_preview": "プレビューを表示", + "external_url": "ソースのURL", + "collapse_reply_thread": "返信のスレッドを折りたたむ", + "view_related_event": "関連するイベントを表示", + "report": "報告" + } }, "slash_command": { "spoiler": "選択したメッセージをネタバレとして送信", @@ -3230,10 +3065,28 @@ "failed_call_live_broadcast_title": "通話を開始できません", "failed_call_live_broadcast_description": "ライブ配信を録音しているため、通話を開始できません。通話を開始するには、ライブ配信を終了してください。", "no_media_perms_title": "メディア権限がありません", - "no_media_perms_description": "マイクまたはWebカメラにアクセスするために、手動で%(brand)sを許可する必要があるかもしれません" + "no_media_perms_description": "マイクまたはWebカメラにアクセスするために、手動で%(brand)sを許可する必要があるかもしれません", + "call_toast_unknown_room": "不明のルーム", + "join_button_tooltip_connecting": "接続しています", + "join_button_tooltip_call_full": "すみません ― この通話は現在満員です", + "hide_sidebar_button": "サイドバーを表示しない", + "show_sidebar_button": "サイドバーを表示", + "more_button": "その他", + "screenshare_monitor": "全画面を共有", + "screenshare_window": "アプリケーションのウィンドウ", + "screenshare_title": "コンテンツを共有", + "disabled_no_perms_start_voice_call": "音声通話を開始する権限がありません", + "disabled_no_perms_start_video_call": "ビデオ通話を開始する権限がありません", + "disabled_ongoing_call": "通話中", + "disabled_no_one_here": "ここには通話できる人はいません", + "n_people_joined": { + "one": "%(count)s人が参加しました", + "other": "%(count)s人が参加しました" + }, + "unknown_person": "不明な人間", + "connecting": "接続しています" }, "Other": "その他", - "Advanced": "詳細", "room_settings": { "permissions": { "m.room.avatar_space": "スペースのアバターの変更", @@ -3273,7 +3126,10 @@ "title": "役割と権限", "permissions_section": "権限", "permissions_section_description_space": "スペースに関する変更を行うために必要な役割を選択", - "permissions_section_description_room": "ルームに関する変更を行うために必要な役割を選択" + "permissions_section_description_room": "ルームに関する変更を行うために必要な役割を選択", + "add_privileged_user_heading": "特権ユーザーを追加", + "add_privileged_user_description": "このルームのユーザーに権限を付与", + "add_privileged_user_filter_placeholder": "このルームのユーザーを検索…" }, "security": { "strict_encryption": "このセッションでは、このルームの未認証のセッションに対して暗号化されたメッセージを送信しない", @@ -3299,7 +3155,29 @@ "history_visibility_shared": "メンバーのみ(この設定を選択した時点から)", "history_visibility_invited": "メンバーのみ(招待を送った時点から)", "history_visibility_joined": "メンバーのみ(参加した時点から)", - "history_visibility_world_readable": "誰でも" + "history_visibility_world_readable": "誰でも", + "join_rule_upgrade_required": "アップグレードが必要", + "join_rule_restricted_summary": { + "other": "現在%(count)s個のスペースがアクセスできます", + "one": "現在1個のスペースがアクセスできます" + }, + "join_rule_restricted_description": "スペースの誰でも検索し、参加できます。ここをクリックすると、どのスペースにアクセスできるかを編集できます。", + "join_rule_restricted_description_spaces": "アクセスできるスペース", + "join_rule_restricted_description_active_space": "の誰でも検索し、参加できます。他のスペースも選択できます。", + "join_rule_restricted_description_prompt": "スペースのメンバーが検索し、参加できます。複数のスペースを選択できます。", + "join_rule_restricted": "スペースのメンバー", + "join_rule_restricted_upgrade_warning": "このルームは、あなたが管理者でないスペースの中にあります。そのスペースでは古いルームは表示され続けますが、参加者は新しいルームに参加するように求められます。", + "join_rule_restricted_upgrade_description": "このアップグレードにより、選択したスペースのメンバーは、招待なしでこのルームにアクセスできるようになります。", + "join_rule_upgrade_upgrading_room": "ルームをアップグレードしています", + "join_rule_upgrade_awaiting_room": "新しいルームを読み込んでいます", + "join_rule_upgrade_sending_invites": { + "one": "招待を送信しています…", + "other": "招待を送信しています…(計%(count)s件のうち%(progress)s件)" + }, + "join_rule_upgrade_updating_spaces": { + "one": "スペースを更新しています…", + "other": "スペースを更新しています…(計%(count)s個のうち%(progress)s個)" + } }, "general": { "publish_toggle": "%(domain)sのルームディレクトリーにこのルームを公開しますか?", @@ -3309,7 +3187,11 @@ "default_url_previews_off": "このルームの参加者には、既定でURLプレビューが無効です。", "url_preview_encryption_warning": "このルームを含めて、暗号化されたルームでは、あなたのホームサーバー(これがプレビューを作成します)によるリンクの情報の収集を防ぐため、URLプレビューは既定で無効になっています。", "url_preview_explainer": "メッセージにURLが含まれる場合、タイトル、説明、ウェブサイトの画像などがURLプレビューとして表示されます。", - "url_previews_section": "URLプレビュー" + "url_previews_section": "URLプレビュー", + "error_save_space_settings": "スペースの設定を保存できませんでした。", + "description_space": "スペースの設定を変更します。", + "save": "変更を保存", + "leave_space": "スペースから退出" }, "advanced": { "unfederated": "このルームはリモートのMatrixサーバーからアクセスできません", @@ -3321,6 +3203,24 @@ "room_id": "内部ルームID:", "room_version_section": "ルームのバージョン", "room_version": "ルームのバージョン:" + }, + "delete_avatar_label": "アバターを削除", + "upload_avatar_label": "アバターをアップロード", + "visibility": { + "error_update_guest_access": "ゲストのアクセスの更新に失敗しました", + "error_update_history_visibility": "このスペースの履歴の見え方の更新に失敗しました", + "guest_access_explainer": "ゲストはアカウントを使用せずに参加できます。", + "guest_access_explainer_public_space": "公開のスペースに適しているかもしれません。", + "title": "見え方", + "error_failed_save": "このスペースの見え方の更新に失敗しました", + "history_visibility_anyone_space": "スペースのプレビュー", + "history_visibility_anyone_space_description": "参加する前にスペースのプレビューを閲覧することを許可。", + "history_visibility_anyone_space_recommendation": "公開のスペースでは許可することを推奨します。", + "guest_access_label": "ゲストによるアクセスを有効にする" + }, + "access": { + "title": "アクセス", + "description_space": "%(spaceName)sを表示、参加できる範囲を設定してください。" } }, "encryption": { @@ -3347,7 +3247,12 @@ "waiting_other_device_details": "端末 %(deviceName)s(%(deviceId)s)での認証を待機しています…", "waiting_other_device": "他の端末での認証を待機しています…", "waiting_other_user": "%(displayName)sによる認証を待機しています…", - "cancelling": "キャンセルしています…" + "cancelling": "キャンセルしています…", + "unverified_sessions_toast_title": "未認証のセッションがあります", + "unverified_sessions_toast_description": "アカウントが安全かどうか確認してください", + "unverified_sessions_toast_reject": "後で", + "unverified_session_toast_title": "新しいログインです。ログインしましたか?", + "request_toast_detail": "%(ip)sの%(deviceId)s" }, "old_version_detected_title": "古い暗号化データが検出されました", "old_version_detected_description": "%(brand)sの古いバージョンのデータを検出しました。これにより、古いバージョンではエンドツーエンドの暗号化が機能しなくなります。古いバージョンを使用している間に最近交換されたエンドツーエンドの暗号化されたメッセージは、このバージョンでは復号化できません。また、このバージョンで交換されたメッセージが失敗することもあります。問題が発生した場合は、ログアウトして再度ログインしてください。メッセージ履歴を保持するには、鍵をエクスポートして再インポートしてください。", @@ -3357,7 +3262,18 @@ "bootstrap_title": "鍵のセットアップ", "export_unsupported": "お使いのブラウザーは、必要な暗号化拡張機能をサポートしていません", "import_invalid_keyfile": "有効な%(brand)sキーファイルではありません", - "import_invalid_passphrase": "認証に失敗しました:間違ったパスワード?" + "import_invalid_passphrase": "認証に失敗しました:間違ったパスワード?", + "set_up_toast_title": "セキュアバックアップを設定", + "upgrade_toast_title": "暗号化のアップグレードが利用できます", + "verify_toast_title": "このセッションを認証", + "set_up_toast_description": "暗号化されたメッセージとデータへのアクセスが失われるのを防ぎましょう", + "verify_toast_description": "他のユーザーはこのセッションを信頼しない可能性があります", + "cross_signing_unsupported": "あなたのホームサーバーはクロス署名に対応していません。", + "cross_signing_ready": "クロス署名の使用準備が完了しました。", + "cross_signing_ready_no_backup": "クロス署名は準備できましたが、鍵はバックアップされていません。", + "cross_signing_untrusted": "あなたのアカウントではクロス署名の認証情報が機密ストレージに保存されていますが、このセッションでは信頼されていません。", + "cross_signing_not_ready": "クロス署名が設定されていません。", + "not_supported": "<サポート対象外>" }, "emoji": { "category_frequently_used": "使用頻度の高いリアクション", @@ -3381,7 +3297,8 @@ "bullet_1": "私たちは、アカウントのいかなるデータも記録したり分析したりすることはありません", "bullet_2": "私たちは、情報を第三者と共有することはありません", "disable_prompt": "これはいつでも設定から無効にできます", - "accept_button": "問題ありません" + "accept_button": "問題ありません", + "shared_data_heading": "以下のデータが共有される可能性があります:" }, "chat_effects": { "confetti_description": "メッセージを紙吹雪と共に送信", @@ -3532,7 +3449,8 @@ "no_hs_url_provided": "ホームサーバーのURLが指定されていません", "autodiscovery_unexpected_error_hs": "ホームサーバーの設定の解釈中に予期しないエラーが発生しました", "autodiscovery_unexpected_error_is": "IDサーバーの設定の解釈中に予期しないエラーが発生しました", - "incorrect_credentials_detail": "matrix.orgではなく、%(hs)sのサーバーにログインしていることに注意してください。" + "incorrect_credentials_detail": "matrix.orgではなく、%(hs)sのサーバーにログインしていることに注意してください。", + "create_account_title": "アカウントを作成" }, "room_list": { "sort_unread_first": "未読メッセージのあるルームを最初に表示", @@ -3650,7 +3568,34 @@ "error_need_to_be_logged_in": "ログインする必要があります。", "error_need_invite_permission": "それを行うにはユーザーを招待する権限が必要です。", "error_need_kick_permission": "それを行うにはユーザーをキックする権限が必要です。", - "no_name": "不明なアプリ" + "no_name": "不明なアプリ", + "error_hangup_title": "接続が切断されました", + "error_hangup_description": "通話から切断されました。(エラー:%(message)s)", + "context_menu": { + "start_audio_stream": "音声ストリーミングを開始", + "screenshot": "画像を撮影", + "delete": "ウィジェットを削除", + "delete_warning": "ウィジェットを削除すると、このルームの全てのユーザーから削除されます。削除してよろしいですか?", + "remove": "全員から削除", + "revoke": "権限を取り消す", + "move_left": "左に移動", + "move_right": "右に移動" + }, + "shared_data_name": "あなたの表示名", + "shared_data_mxid": "あなたのユーザーID", + "shared_data_theme": "あなたのテーマ", + "shared_data_url": "%(brand)sのURL", + "shared_data_room_id": "ルームID", + "shared_data_widget_id": "ウィジェットID", + "shared_data_warning_im": "このウィジェットを使うと、データが%(widgetDomain)sとインテグレーションマネージャーと共有される可能性があります。", + "shared_data_warning": "このウィジェットを使うと、データが%(widgetDomain)sと共有される可能性があります。", + "unencrypted_warning": "ウィジェットはメッセージの暗号化を行いません。", + "added_by": "ウィジェットの追加者", + "cookie_warning": "このウィジェットはクッキーを使用する可能性があります。", + "error_loading": "ウィジェットを読み込む際にエラーが発生しました", + "error_mixed_content": "エラー - 混在コンテンツ", + "unmaximise": "最大化をやめる", + "popout": "ウィジェットをポップアウト" }, "feedback": { "sent": "フィードバックを送信しました", @@ -3747,7 +3692,8 @@ "empty_heading": "スレッド機能を使って、会話をまとめましょう" }, "theme": { - "light_high_contrast": "ライト(高コントラスト)" + "light_high_contrast": "ライト(高コントラスト)", + "match_system": "システムに合致" }, "space": { "landing_welcome": "にようこそ", @@ -3763,9 +3709,14 @@ "devtools_open_timeline": "ルームのタイムラインを表示(開発者ツール)", "home": "スペースのホーム", "explore": "ルームを探す", - "manage_and_explore": "ルームの管理および探索" + "manage_and_explore": "ルームの管理および探索", + "options": "スペースのオプション" }, - "share_public": "公開スペースを共有" + "share_public": "公開スペースを共有", + "search_children": "%(spaceName)sを検索", + "invite_link": "招待リンクを共有", + "invite": "連絡先を招待", + "invite_description": "メールアドレスまたはユーザー名で招待" }, "location_sharing": { "MapStyleUrlNotConfigured": "このホームサーバーは地図を表示するように設定されていません。", @@ -3781,7 +3732,14 @@ "failed_timeout": "位置情報を取得する際にタイムアウトしました。後でもう一度やり直してください。", "failed_unknown": "位置情報を取得する際に不明なエラーが発生しました。後でもう一度やり直してください。", "expand_map": "地図を開く", - "failed_load_map": "地図を読み込めません" + "failed_load_map": "地図を読み込めません", + "live_enable_heading": "位置情報(ライブ)の共有", + "live_enable_description": "注意:これは一時的な実装による試験機能です。位置情報の履歴を削除することはできません。高度なユーザーは、あなたがこのルームで位置情報(ライブ)の共有を停止した後でも、あなたの位置情報の履歴を閲覧することができます。", + "live_toggle_label": "位置情報(ライブ)の共有を有効にする", + "live_share_button": "%(duration)sの間共有", + "click_move_pin": "クリックしてピンを移動", + "click_drop_pin": "クリックして位置情報を共有", + "share_button": "位置情報を共有" }, "labs_mjolnir": { "room_name": "マイブロックリスト", @@ -3817,7 +3775,6 @@ }, "create_space": { "name_required": "スペースの名前を入力してください", - "name_placeholder": "例:my-space", "explainer": "スペースは、ルームや連絡先をまとめる新しい方法です。どんなグループを作りますか?これは後から変更できます。", "public_description": "誰でも参加できる公開スペース。コミュニティー向け", "private_description": "招待者のみ参加可能。個人やチーム向け", @@ -3848,11 +3805,17 @@ "setup_rooms_community_description": "テーマごとにルームを作りましょう。", "setup_rooms_description": "ルームは後からも追加できます。", "setup_rooms_private_heading": "あなたのチームはどのようなプロジェクトに取り組みますか?", - "setup_rooms_private_description": "それぞれのプロジェクトにルームを作りましょう。" + "setup_rooms_private_description": "それぞれのプロジェクトにルームを作りましょう。", + "address_placeholder": "例:my-space", + "address_label": "アドレス", + "label": "スペースを作成", + "add_details_prompt_2": "ここで入力した情報はいつでも編集できます。", + "creating": "作成しています…" }, "user_menu": { "switch_theme_light": "ライトテーマに切り替える", - "switch_theme_dark": "ダークテーマに切り替える" + "switch_theme_dark": "ダークテーマに切り替える", + "settings": "全ての設定" }, "notif_panel": { "empty_heading": "未読はありません", @@ -3889,7 +3852,22 @@ "leave_error_title": "ルームを退出する際にエラーが発生しました", "upgrade_error_title": "ルームをアップグレードする際にエラーが発生しました", "upgrade_error_description": "選択したルームのバージョンをあなたのサーバーがサポートしているか改めて確認し、もう一度試してください。", - "leave_server_notices_description": "このルームはホームサーバーからの重要なメッセージに使用されるので、退出することはできません。" + "leave_server_notices_description": "このルームはホームサーバーからの重要なメッセージに使用されるので、退出することはできません。", + "error_join_connection": "参加する際にエラーが発生しました。", + "error_join_incompatible_version_1": "あなたのホームサーバーはここに参加するには古すぎます。", + "error_join_incompatible_version_2": "ホームサーバー管理者に連絡してください。", + "error_join_404_invite_same_hs": "招待した人は既に退出しました。", + "error_join_404_invite": "招待した人が既に退出したか、サーバーがオフラインです。", + "error_join_title": "参加に失敗しました", + "context_menu": { + "unfavourite": "お気に入り登録中", + "favourite": "お気に入り", + "mentions_only": "メンションのみ", + "copy_link": "ルームのリンクをコピー", + "low_priority": "低優先度", + "forget": "ルームを消去", + "mark_read": "既読にする" + } }, "file_panel": { "guest_note": "この機能を使用するには登録する必要があります", @@ -3909,7 +3887,8 @@ "tac_button": "利用規約を確認", "identity_server_no_terms_title": "IDサーバーには利用規約がありません", "identity_server_no_terms_description_1": "このアクションを行うには、既定のIDサーバー にアクセスしてメールアドレスまたは電話番号を認証する必要がありますが、サーバーには利用規約がありません。", - "identity_server_no_terms_description_2": "サーバーの所有者を信頼する場合のみ続行してください。" + "identity_server_no_terms_description_2": "サーバーの所有者を信頼する場合のみ続行してください。", + "inline_intro_text": "に同意して続行:" }, "space_settings": { "title": "設定 - %(spaceName)s" @@ -3998,7 +3977,13 @@ "sync": "ホームサーバーに接続できません。 再試行しています…", "connection": "ホームサーバーとの通信時に問題が発生しました。後でもう一度やり直してください。", "mixed_content": "HTTPSのURLがブラウザーのバーにある場合、HTTP経由でホームサーバーに接続することはできません。HTTPSを使用するか安全でないスクリプトを有効にしてください。", - "tls": "ホームサーバーに接続できません。接続を確認し、ホームサーバーのSSL証明書が信頼できるものであり、ブラウザーの拡張機能が要求をブロックしていないことを確認してください。" + "tls": "ホームサーバーに接続できません。接続を確認し、ホームサーバーのSSL証明書が信頼できるものであり、ブラウザーの拡張機能が要求をブロックしていないことを確認してください。", + "admin_contact_short": "サーバー管理者に問い合わせてください。", + "non_urgent_echo_failure_toast": "あなたのサーバーはいくつかのリクエストに応答しません。", + "failed_copy": "コピーに失敗しました", + "something_went_wrong": "問題が発生しました!", + "update_power_level": "権限レベルの変更に失敗しました", + "unknown": "不明なエラー" }, "in_space1_and_space2": "スペース %(space1Name)sと%(space2Name)s内。", "in_space_and_n_other_spaces": { @@ -4006,5 +3991,51 @@ "other": "スペース %(spaceName)s と他%(count)s個のスペース内。" }, "in_space": "スペース %(spaceName)s内。", - "name_and_id": "%(name)s(%(userId)s)" + "name_and_id": "%(name)s(%(userId)s)", + "items_and_n_others": { + "other": "と他%(count)s人", + "one": "ともう1人" + }, + "notifications": { + "enable_prompt_toast_title_from_message_send": "返信をお見逃しなく", + "enable_prompt_toast_title": "通知", + "enable_prompt_toast_description": "デスクトップ通知を有効にする", + "colour_none": "なし", + "colour_bold": "太字", + "colour_grey": "灰色", + "colour_red": "赤色", + "colour_unsent": "未送信", + "error_change_title": "通知設定を変更", + "mark_all_read": "全て既読にする", + "keyword": "キーワード", + "keyword_new": "新しいキーワード", + "class_global": "全体", + "class_other": "その他", + "mentions_keywords": "メンションとキーワード" + }, + "mobile_guide": { + "toast_title": "より良い体験のためにアプリケーションを使用", + "toast_description": "%(brand)sは携帯端末のウェブブラウザーでは実験的です。よりよい使用経験や最新機能を求める場合は、フリーのネイティブアプリをご利用ください。", + "toast_accept": "アプリを使用" + }, + "chat_card_back_action_label": "チャットに戻る", + "room_summary_card_back_action_label": "ルームの情報", + "member_list_back_action_label": "ルームのメンバー", + "thread_view_back_action_label": "スレッドに戻る", + "quick_settings": { + "title": "クイック設定", + "all_settings": "全ての設定", + "metaspace_section": "サイドバーに固定", + "sidebar_settings": "他のオプション" + }, + "lightbox": { + "rotate_left": "左に回転", + "rotate_right": "右に回転" + }, + "a11y_jump_first_unread_room": "未読のある最初のルームにジャンプします。", + "integration_manager": { + "connecting": "インテグレーションマネージャーに接続しています…", + "error_connecting_heading": "インテグレーションマネージャーに接続できません", + "error_connecting": "インテグレーションマネージャーがオフラインか、またはあなたのホームサーバーに到達できません。" + } } diff --git a/src/i18n/strings/jbo.json b/src/i18n/strings/jbo.json index d2b3150733..c29951bf1f 100644 --- a/src/i18n/strings/jbo.json +++ b/src/i18n/strings/jbo.json @@ -29,12 +29,9 @@ "Default": "zmiselcu'a", "Restricted": "vlipa so'u da", "Moderator": "vlipa so'o da", - "Failed to change power level": ".i pu fliba lo nu gafygau lo ni vlipa", "Changes your display nickname": "", "Reason": "krinu", - "Please contact your homeserver administrator.": ".i .e'o ko tavla lo admine be le samtcise'u", "Incorrect verification code": ".i na'e drani ke lacri lerpoi", - "No display name": ".i na da cmene", "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", @@ -115,9 +112,6 @@ "Ask this user to verify their session, or manually verify it below.": ".i ko cpedu le ka co'a lacri le se samtcise'u kei le pilno vau ja pilno le di'e cei'i le ka co'a lacri", "Not Trusted": "na se lacri", "Ok": "je'e", - "Verify this session": "nu co'a lacri le se samtcise'u", - "Later": "nu ca na co'e", - "Other users may not trust it": ".i la'a na pa na du be do cu lacri", "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", @@ -174,7 +168,8 @@ "someone": "da", "trusted": "se lacri", "not_trusted": "na se lacri", - "unnamed_room": "na da cmene" + "unnamed_room": "na da cmene", + "advanced": "macnu" }, "action": { "continue": "", @@ -258,7 +253,8 @@ "general": { "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" + "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" } }, "create_room": { @@ -402,7 +398,6 @@ "widget_screenshots": "lo du'u xu kau kakne lo nu co'a pixra lo uidje kei lo nu kakne tu'a .ubu" }, "Other": "drata", - "Advanced": "macnu", "composer": { "placeholder_reply_encrypted": "nu pa mifra be pa jai te spuda cu zilbe'i", "placeholder_reply": "nu pa jai te spuda cu zilbe'i", @@ -434,10 +429,13 @@ "complete_description": ".i mo'u co'a lacri le pilno", "complete_action": "je'e", "waiting_other_user": ".i ca'o denpa lo nu la'o zoi. %(displayName)s .zoi mo'u co'a lacri", - "cancelling": ".i ca'o co'u co'e" + "cancelling": ".i ca'o co'u co'e", + "unverified_sessions_toast_reject": "nu ca na co'e" }, "export_unsupported": ".i le kibrbrauzero na ka'e pilno le mifra ciste poi jai sarcu", - "import_invalid_passphrase": ".i pu fliba lo nu birti lo du'u curmi lo nu do jonse .i na'e drani xu japyvla" + "import_invalid_passphrase": ".i pu fliba lo nu birti lo du'u curmi lo nu do jonse .i na'e drani xu japyvla", + "verify_toast_title": "nu co'a lacri le se samtcise'u", + "verify_toast_description": ".i la'a na pa na du be do cu lacri" }, "export_chat": { "messages": "notci" @@ -512,6 +510,13 @@ "cannot_reach_homeserver": ".i ca ku na da ka'e zilbe'i le samtcise'u", "error": { "mau": ".i le samtcise'u cu bancu lo masti jimte be ri bei lo ni ca'o pilno", - "resource_limits": ".i le samtcise'u cu bancu pa lo jimte be ri" + "resource_limits": ".i le samtcise'u cu bancu pa lo jimte be ri", + "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" + }, + "notifications": { + "class_other": "drata" } } diff --git a/src/i18n/strings/kab.json b/src/i18n/strings/kab.json index 3e79a7e07c..344297f9b5 100644 --- a/src/i18n/strings/kab.json +++ b/src/i18n/strings/kab.json @@ -25,8 +25,6 @@ "Moderator": "Aseɣyad", "Thank you!": "Tanemmirt!", "Reason": "Taɣẓint", - "Later": "Ticki", - "Notifications": "Ilɣa", "Ok": "Ih", "Cat": "Amcic", "Lion": "Izem", @@ -47,9 +45,6 @@ "Show more": "Sken-d ugar", "Warning!": "Ɣur-k·m!", "Authentication": "Asesteb", - "Display Name": "Sken isem", - "Profile": "Amaɣnu", - "General": "Amatu", "None": "Ula yiwen", "Sounds": "Imesla", "Browse": "Inig", @@ -68,9 +63,7 @@ "Today": "Ass-a", "Yesterday": "Iḍelli", "Error decrypting attachment": "Tuccḍa deg uwgelhen n tceqquft yeddan", - "Copied!": "Yettwanɣel!", "edited": "yettwaẓreg", - "More options": "Ugar n textiṛiyin", "collapse": "fneẓ", "Server name": "Isem n uqeddac", "Close dialog": "Mdel adiwenni", @@ -83,13 +76,10 @@ "Session name": "Isem n tɣimit", "Email address": "Tansa n yimayl", "Upload files": "Sali-d ifuyla", - "Source URL": "URL aɣbalu", "Home": "Agejdan", "Email (optional)": "Imayl (Afrayan)", "Explore rooms": "Snirem tixxamin", - "Unknown error": "Tuccḍa tarussint", "Your password has been reset.": "Awal uffir-inek/inem yettuwennez.", - "Create account": "Rnu amiḍan", "Success!": "Tammug akken iwata!", "Updating %(brand)s": "Leqqem %(brand)s", "I don't want my encrypted messages": "Ur bɣiɣ ara izan-inu iwgelhanen", @@ -103,8 +93,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", - "New login. Was this you?": "Anekcam amaynut. D kečč/kemm?", - "Please contact your homeserver administrator.": "Ttxil-k/m nermes anedbal-ik/im n usebter agejdan.", "Restricted": "Yesεa tilas", "Set up": "Sbadu", "Pencil": "Akeryun", @@ -115,19 +103,9 @@ "Set up Secure Messages": "Sbadu iznan iɣelsanen", "Logs sent": "Iɣmisen ttewaznen", "Not Trusted": "Ur yettwattkal ara", - " and %(count)s others": { - "other": " d %(count)s wiyaḍ", - "one": " d wayeḍ-nniḍen" - }, "%(items)s and %(lastItem)s": "%(items)s d %(lastItem)s", - "Encryption upgrade available": "Yella uleqqem n uwgelhen", - "Verify this session": "Asenqed n tɣimit", - "Other users may not trust it": "Iseqdacen-nniḍen yezmer ur tettamnen ara", "Failed to set display name": "Asbadu n yisem yettwaskanen ur yeddi ara", - "Cannot connect to integration manager": "Ur nessaweḍ ara ad neqqen ɣer umsefrak n useddu", - "Delete Backup": "Kkes aḥraz", "Encrypted messages are secured with end-to-end encryption. Only you and the recipient(s) have the keys to read these messages.": "Iznan yettwawgelhen ttuḥerzen s uwgelhen n yixef ɣer yixef. Ala kečč d uɣerwaḍ (yiɣerwaḍen) i yesεan tisura akken ad ɣren iznan-a.", - "Connect this session to Key Backup": "Qqen tiɣimit-a ɣer uḥraz n tsarut", "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", @@ -174,13 +152,6 @@ "Umbrella": "Tasiwant", "Gift": "Asefk", "Light bulb": "Taftilt", - "Change notification settings": "Snifel iɣewwaren n yilɣa", - "Accept to continue:": "Qbel i wakken ad tkemmleḍ:", - "in account data": "deg yisefka n umiḍan", - "Restore from Backup": "Tiririt seg uḥraz", - "All keys backed up": "Akk tisura ttwaḥerzent", - "Notification targets": "Isaḍasen n yilɣa", - "Profile picture": "Tugna n umaɣnu", "Checking server": "Asenqed n uqeddac", "Change identity server": "Snifel aqeddac n timagit", "You should:": "Aql-ak·am:", @@ -191,8 +162,6 @@ "Deactivate Account": "Sens amiḍan", "Deactivate account": "Sens amiḍan", "Ignored users": "Iseqdacen yettunfen", - "": "", - "Message search": "Anadi n yizen", "Voice & Video": "Ameslaw & Tavidyut", "Notification sound": "Imesli i yilɣa", "Failed to unban": "Sefsex aḍraq yugi ad yeddu", @@ -227,11 +196,8 @@ "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.", - "Jump to first unread room.": "Ɛeddi ɣer texxamt tamezwarut ur nettwaɣra ara.", - "Jump to first invite.": "Ɛreddi ɣer tinnubga tamezwarut.", "Add room": "Rnu taxxamt", "All messages": "Iznan i meṛṛa", - "Forget Room": "Tettuḍ taxxamt", "This Room": "Taxxamt-a", "Search…": "Nadi…", "Add some now": "Rnu kra tura", @@ -280,10 +246,6 @@ "Can't load this message": "Yegguma ad d-yali yizen-a", "Submit logs": "Azen iɣmisen", "Cancel search": "Sefsex anadi", - "Your user ID": "Asulay-ik·m n useqdac", - "Your theme": "Asentel-inek·inem", - "Room ID": "Asulay n texxamt", - "Widget ID": "Asulay n yiwiǧit", "Power level": "Sagen aswir", "Custom level": "Sagen aswir", "In reply to ": "Deg tririt i ", @@ -330,13 +292,11 @@ "Unable to restore backup": "Tiririt n uḥraz tugi ad teddu", "Keys restored": "Tisura ttwaskelsent", "Reject invitation": "Agi tinnubga", - "Remove for everyone": "Kkes i meṛṛa", "Sign in with SSO": "Anekcum s SSO", "Couldn't load page": "Asali n usebter ur yeddi ara", "Failed to reject invitation": "Tigtin n tinnubga ur yeddi ara", "Failed to reject invite": "Tigtin n tinnubga ur yeddi ara", "Switch theme": "Abeddel n usentel", - "All settings": "Akk iɣewwaren", "A new password must be entered.": "Awal uffir amaynut ilaq ad yettusekcem.", "General failure": "Tuccḍa tamatut", "Unicorn": "Azara", @@ -355,18 +315,11 @@ "Guitar": "Tagitaṛt", "Trumpet": "Lɣiḍa", "Bell": "Anayna", - "Your server isn't responding to some requests.": "Aqeddac-inek·inem ur d-yettarra ara ɣef kra n yisuturen.", - "No display name": "Ulac meffer isem", - "Your homeserver does not support cross-signing.": "Aqeddac-ik·im agejdan ur yessefrak ara azmul anmidag.", - "Your account has a cross-signing identity in secret storage, but it is not yet trusted by this session.": "Amiḍan-inek·inem ɣer-s timagit n uzmul anmidag deg uklas uffir, maca mazal ur yettwaman ara sɣur taxxamt-a.", - "well formed": "imsel akken iwata", - "unexpected type": "anaw ur nettwaṛǧa ara", "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", - "Mark all as read": "Creḍ kullec yettwaɣra", "Error creating address": "Tuccḍa deg tmerna n tensa", "Error removing address": "Tuccḍa deg tukksa n tensa", "Main address": "Tansa tagejdant", @@ -378,19 +331,8 @@ "Room avatar": "Avaṭar n texxamt", "Accepting…": "Aqbal…", "Your homeserver": "Aqeddac-ik·im agejdan", - "Your display name": "Isem-ik·im yettwaskanen", - "%(brand)s URL": "%(brand)s URL", - "Using this widget may share data with %(widgetDomain)s.": "Aseqdec n uwiǧit-a yezmer ad bḍun yisefka d %(widgetDomain)s.", - "Widgets do not use message encryption.": "Iwiǧiten ur seqdacen ara awgelhen n yiznan.", - "Widget added by": "Awiǧit yettwarna sɣur", - "This widget may use cookies.": "Awiǧit-a yezmer ad iseqdec inagan n tuqqna.", "Delete Widget": "Kkes awiǧit", - "Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "Tukksan n uwiǧit, ad t-tekkes akk i yiseqdacen n texxamt-nni. D tidet tebɣiḍ ad tekkseḍ awiǧit-a?", - "Delete widget": "Kkes awiǧit", - "Popout widget": "Awiǧit attalan", "expand": "snefli", - "Rotate Left": "Zzi ɣer uzelmaḍ", - "Rotate Right": "Zzi ɣer uyeffus", "Language Dropdown": "Tabdart n udrurem n tutlayin", "Unable to load event that was replied to, it either does not exist or you do not have permission to view it.": "YEgguma ad d-tali tedyant iɣef d-ttunefk tririt, ahat d tilin ur telli ara neɣ ur tesɛiḍ ara tisirag ad tt-twaliḍ.", "Room address": "Tansa n texxamt", @@ -412,10 +354,6 @@ "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.", - "Secret storage public key:": "Tasarut tazayezt n uḥraz uffir:", - "Unable to load key backup status": "Asali n waddad n uḥraz n tsarut ur yeddi ara", - "not stored": "ur yettusekles ara", - "Your keys are not being backed up from this session.": "Tisura-inek·inem ur ttwaḥrazent ara seg tɣimit-a.", "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", @@ -431,7 +369,6 @@ "Remove recent messages by %(user)s": "Kkes iznan n melmi kan sɣur %(user)s", "For a large amount of messages, this might take some time. Please don't refresh your client in the meantime.": "I tugget meqqren n yiznan, ayagi yezmer ad yeṭṭef kra n wakud. Ṛǧu ur sirin ara amsaɣ-ik·im deg leɛḍil.", "Failed to ban user": "Tigtin n useqdac ur yeddi ara", - "Failed to change power level": "Asnifel n uswir afellay ur yeddi ara", "Failed to deactivate user": "Asensi n useqdac ur yeddi ara", "This client does not support end-to-end encryption.": "Amsaɣ-a ur yessefrak ara awgelhen seg yixef ɣer yixef.", "Ask %(displayName)s to scan your code:": "Suter deg %(displayName)s aḍummu n tengalt-ik·im:", @@ -454,11 +391,7 @@ "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.", - "Contact your server admin.": "Nermes anedbal-inek·inem n uqeddac.", "Discovery": "Tagrut", - "Bulk options": "Tixtiṛiyin s ubleɣ", - "Accept all %(invitedRooms)s invites": "Qbel akk tinubgiwin %(invitedRooms)s", - "Reject all %(invitedRooms)s invites": "Agi akk tinubgiwin %(invitedRooms)s", "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", @@ -528,9 +461,6 @@ " 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?", - "Favourited": "Yettusmenyaf", - "Favourite": "Asmenyif", - "Low Priority": "Tazwart taddayt", "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", @@ -567,8 +497,6 @@ "The room upgrade could not be completed": "Aleqqem n texxamt yegguma ad yemmed", "IRC display name width": "Tehri n yisem i d-yettwaseknen IRC", "Thumbs up": "Adebbuz d asawen", - "Securely cache encrypted messages locally for them to appear in search results.": "Ḥrez iznan iwgelhanen idiganen s wudem awurman i wakken ad d-banen deg yigmaḍ n unadi.", - "The integration manager is offline or it cannot reach your homeserver.": "Amsefrak n umsidef ha-t-an beṛṛa n tuqqna neɣ ur yezmir ara ad yaweḍ ɣer uqeddac-ik·im agejdan.", "This backup is trusted because it has been restored on this session": "Aḥraz yettwaḍman acku yuɣal-d seg tɣimit-a", "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", @@ -583,7 +511,6 @@ "Resend %(unsentCount)s reaction(s)": "Ales tuzna n tsedmirt (tsedmirin) %(unsentCount)s", "This homeserver would like to make sure you are not a robot.": "Aqeddac-a aqejdan yesra ad iẓer ma mačči d aṛubut i telliḍ.", "Country Dropdown": "Tabdart n udrurem n tmura", - "Upload avatar": "Sali-d avaṭar", "Failed to forget room %(errCode)s": "Tatut n texxamt %(errCode)s ur teddi ara", "Search failed": "Ur iddi ara unadi", "No more results": "Ulac ugar n yigmaḍ", @@ -598,7 +525,6 @@ "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ḍ", - "Are you sure? You will lose your encrypted messages if your keys are not backed up properly.": "Tettḥeqqeḍ? Ad tesruḥeḍ iznan-ik•im yettwawgelhen ma tisura-k•m ur klisent ara akken ilaq.", "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.", @@ -616,12 +542,9 @@ "You cancelled verifying %(name)s": "Tesfesxeḍ asenqed n %(name)s", "You sent a verification request": "Tuzneḍ asuter n usenqed", "Error decrypting video": "Tuccḍa deg uwgelhen n tvidyut", - "Failed to copy": "Anɣal ur yeddi ara", "Edited at %(date)s": "Yettwaẓreg deg %(date)s", "Click to view edits": "Sit i wakken ad twaliḍ aseẓreg", "Edited at %(date)s. Click to view edits.": "Yettwaẓreg deg %(date)s. Sit i wakken ad twaliḍ iseẓrag.", - "Something went wrong!": "Yella wayen ur nteddu ara akken iwata!", - "Any of the following data may be shared:": "Yal yiwen seg yisefka i d-iteddun zemren ad ttwabḍun:", "Invite anyway and never warn me again": "Ɣas akken nced-d yerna ur iyi-id-ttɛeggin ara akk", "Please tell us what went wrong or, better, create a GitHub issue that describes the problem.": "Ttxil-k·m ini-aɣ-d acu ur nteddu ara akken ilaq neɣ, akken i igerrez, rnu ugur deg Github ara ad d-igelmen ugur.", "Preparing to download logs": "Aheyyi i usali n yiɣmisen", @@ -666,11 +589,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:(", - "Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "Senqed yal tiɣimit yettwasqedcen sɣur aseqdac weḥd-s i ucraḍ fell-as d tuttkilt, war attkal ɣef yibenkan yettuzemlen s uzmel anmidag.", - "%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with search components added.": "%(brand)s xuṣṣent kra n yisegran yettusran i tuffra s wudem aɣelsan n yiznan iwgelhanen idiganen. Ma yella tebɣiḍ ad tgeḍ tarmit s tmahilt-a, snulfu-d tanarit %(brand)s tudmawant s unadi n yisegran yettwarnan.", - "%(brand)s can't securely cache encrypted messages locally while running in a web browser. Use %(brand)s Desktop for encrypted messages to appear in search results.": "%(brand)s ur yezmir ara ad iffer s wudem aɣelsan iznan iwgelhanen idiganen mi ara iteddu ɣef yiminig web. Seqdec tanarit i yiznan iwgelhanen i wakken ad d-banen deg yigmaḍ n unadi.", - "This session is not backing up your keys, but you do have an existing backup you can restore from and add to going forward.": "Tiɣimit-a d ur tḥerrez ara tisura-inek·inem, maca ɣur-k·m aḥraz yellan yakan tzemreḍ ad d-terreḍ seg-s d tmerna ɣer sdat.", - "Connect this session to key backup before signing out to avoid losing any keys that may only be on this session.": "Qqen tiɣimit-a ɣer uḥraz n tsura send ad teffɣeḍ seg tuqqna i wakken ad tḍemneḍ ur ttruḥunt ara tsura i yellan kan deg tɣimit-a.", "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.", @@ -704,11 +622,8 @@ "Destroy cross-signing keys?": "Erẓ tisura n uzmul anmidag?", "Clear cross-signing keys": "Sfeḍ tisura n uzmul anmidag", "Clear all data in this session?": "Sfeḍ akk isefka seg tɣimit-a?", - "Hide advanced": "Ffer talqayt", - "Show advanced": "Sken talqayt", "Incompatible Database": "Taffa n yisefka ur temada ara", "Recently Direct Messaged": "Izen usrid n melmi kan", - "Set up Secure Backup": "Sebadu aḥraz aɣelsan", "If you did this accidentally, you can setup Secure Messages on this session which will re-encrypt this session's message history with a new recovery method.": "Ma yella tgiḍ aya war ma tebniḍ, tzemreḍ ad tsewleḍ iznan uffiren deg tɣimit-a ayen ara yalsen awgelhen n umazray n yiznan n texxamt-a s tarrayt n tririt tamaynut.", "You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.": "Ur tettizmireḍ ara ad tesfesxeḍ asnifel-a acku tettṣubbuḍ deg usellun-unek·inem, ma yella d kečč·kemm i d aseqdac aneglam n texxamt-a, d awezɣi ad d-terreḍ ula d yiwet n tseglut.", "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ḍ?", @@ -773,20 +688,9 @@ "Your message wasn't sent because this homeserver has exceeded a resource limit. Please contact your service administrator to continue using the service.": "Izen-ik·im ur yettwazen ara acku aqeddac-a agejdan iɛedda talast n yiɣbula. Ttxil-k·m nermes anedbal-ik·im n umeẓlu i wakken ad tkemmleḍ aseqdec ameẓlu.", "Tried to load a specific point in this room's timeline, but you do not have permission to view the message in question.": "Tɛerḍeḍ ad d-tsaliḍ tazmilt tufrint deg tesnakudt n teamt, maca ur tesɛiḍ ara tisirag ad d-tsekneḍ izen i d-teɛniḍ.", "Trophy": "Arraz", - "Cross-signing is ready for use.": "Azmul anmidag yewjed i useqdec.", - "Cross-signing is not set up.": "Azmul anmidag ur yettwasebded ara.", "Backup version:": "Lqem n uklas:", - "Algorithm:": "Alguritm:", - "Backup key stored:": "Tasarut n uklas tettwaḥrez:", - "ready": "yewjed", - "not ready": "ur yewjid ara", "Not encrypted": "Ur yettwawgelhen ara", "Room settings": "Iɣewwaṛen n texxamt", - "Take a picture": "Ṭṭef tawlaft", - "Failed to save your profile": "Yecceḍ usekles n umaɣnu-ik•im", - "The operation could not be completed": "Tamahilt ur tezmir ara ad tettwasmed", - "Backup key cached:": "Tasarut n ukles tettwaffer:", - "Secret storage:": "Aklas uffir:", "Widgets": "Iwiǧiten", "Iraq": "ɛiṛaq", "Bosnia": "Busniya", @@ -931,7 +835,6 @@ "Pitcairn Islands": "Tigzirin n Pitkaṛn", "Malaysia": "Malizya", "Jordan": "Urdun", - "Safeguard against losing access to encrypted messages & data": "Seḥbiber iman-ik·im mgal asruḥu n unekcum ɣer yiznann & yisefka yettwawgelhen", "Kosovo": "Kuṣuvu", "South Korea": "Kuriya n uwezlu", "Dominica": "Dominique", @@ -968,9 +871,7 @@ "Vanuatu": "Vanuyatu", "Switzerland": "Sswis", "South Africa": "Tafriqt n Wenẓul", - "Move left": "Mutti s azelmaḍ", "Cayman Islands": "Tigzirin n Kayman", - "Move right": "Mutti s ayfus", "Romania": "Rumanya", "Western Sahara": "Ṣaḥṛa Tutrimt", "Sudan": "Sudan", @@ -1042,7 +943,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.", - "Using this widget may share data with %(widgetDomain)s & your integration manager.": "Aseqdec n uwiǧit-a yezmer ad yebḍu isefka d %(widgetDomain)s & amsefrak-inek·inem n umsidef.", "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ḍ.", @@ -1111,7 +1011,13 @@ "preview_message": "Kečč·kemm. Ulac win i ak·akem-yifen!", "on": "Yermed", "off": "Insa", - "all_rooms": "Akk tixxamin" + "all_rooms": "Akk tixxamin", + "copied": "Yettwanɣel!", + "advanced": "Talqayt", + "general": "Amatu", + "profile": "Amaɣnu", + "display_name": "Sken isem", + "user_avatar": "Tugna n umaɣnu" }, "action": { "continue": "Kemmel", @@ -1191,7 +1097,9 @@ "mention": "Abdar", "submit": "Azen", "send_report": "Azen aneqqis", - "unban": "Asefsex n tigtin" + "unban": "Asefsex n tigtin", + "hide_advanced": "Ffer talqayt", + "show_advanced": "Sken talqayt" }, "a11y": { "user_menu": "Umuɣ n useqdac", @@ -1203,7 +1111,8 @@ "other": "Iznan ur nettwaɣra ara %(count)s.", "one": "1 yizen ur nettwaɣra ara." }, - "unread_messages": "Iznan ur nettwaɣra ara." + "unread_messages": "Iznan ur nettwaɣra ara.", + "jump_first_invite": "Ɛreddi ɣer tinnubga tamezwarut." }, "labs": { "pinning": "Arezzi n yizen", @@ -1274,7 +1183,6 @@ "user_a11y": "Asmad awurman n useqdac" } }, - "Bold": "Azuran", "Code": "Tangalt", "power_level": { "default": "Amezwer", @@ -1351,7 +1259,8 @@ "noisy": "Sɛan ṣṣut", "error_permissions_denied": "%(brand)s ulac ɣer-s tisirag i tuzna n yilɣa - ttxil-k/m senqed iɣewwaren n yiminig-ik/im", "error_permissions_missing": "%(brand)s ur d-yefk ara tisirag i tuzna n yilɣa - ttxil-k/m εreḍ tikkelt-nniḍen", - "error_title": "Sens irmad n yilɣa" + "error_title": "Sens irmad n yilɣa", + "push_targets": "Isaḍasen n yilɣa" }, "appearance": { "heading": "Err arwes-ik·im d udmawan", @@ -1410,7 +1319,35 @@ "cryptography_section": "Awgelhan", "session_id": "Asulay n tɣimit:", "session_key": "Tasarut n tɣimit:", - "encryption_section": "Awgelhen" + "encryption_section": "Awgelhen", + "bulk_options_section": "Tixtiṛiyin s ubleɣ", + "bulk_options_accept_all_invites": "Qbel akk tinubgiwin %(invitedRooms)s", + "bulk_options_reject_all_invites": "Agi akk tinubgiwin %(invitedRooms)s", + "message_search_section": "Anadi n yizen", + "encryption_individual_verification_mode": "Senqed yal tiɣimit yettwasqedcen sɣur aseqdac weḥd-s i ucraḍ fell-as d tuttkilt, war attkal ɣef yibenkan yettuzemlen s uzmel anmidag.", + "message_search_disabled": "Ḥrez iznan iwgelhanen idiganen s wudem awurman i wakken ad d-banen deg yigmaḍ n unadi.", + "message_search_unsupported": "%(brand)s xuṣṣent kra n yisegran yettusran i tuffra s wudem aɣelsan n yiznan iwgelhanen idiganen. Ma yella tebɣiḍ ad tgeḍ tarmit s tmahilt-a, snulfu-d tanarit %(brand)s tudmawant s unadi n yisegran yettwarnan.", + "message_search_unsupported_web": "%(brand)s ur yezmir ara ad iffer s wudem aɣelsan iznan iwgelhanen idiganen mi ara iteddu ɣef yiminig web. Seqdec tanarit i yiznan iwgelhanen i wakken ad d-banen deg yigmaḍ n unadi.", + "backup_key_well_formed": "imsel akken iwata", + "backup_key_unexpected_type": "anaw ur nettwaṛǧa ara", + "backup_key_stored_status": "Tasarut n uklas tettwaḥrez:", + "cross_signing_not_stored": "ur yettusekles ara", + "backup_key_cached_status": "Tasarut n ukles tettwaffer:", + "4s_public_key_status": "Tasarut tazayezt n uḥraz uffir:", + "4s_public_key_in_account_data": "deg yisefka n umiḍan", + "secret_storage_status": "Aklas uffir:", + "secret_storage_ready": "yewjed", + "secret_storage_not_ready": "ur yewjid ara", + "delete_backup": "Kkes aḥraz", + "delete_backup_confirm_description": "Tettḥeqqeḍ? Ad tesruḥeḍ iznan-ik•im yettwawgelhen ma tisura-k•m ur klisent ara akken ilaq.", + "error_loading_key_backup_status": "Asali n waddad n uḥraz n tsarut ur yeddi ara", + "restore_key_backup": "Tiririt seg uḥraz", + "key_backup_inactive": "Tiɣimit-a d ur tḥerrez ara tisura-inek·inem, maca ɣur-k·m aḥraz yellan yakan tzemreḍ ad d-terreḍ seg-s d tmerna ɣer sdat.", + "key_backup_connect_prompt": "Qqen tiɣimit-a ɣer uḥraz n tsura send ad teffɣeḍ seg tuqqna i wakken ad tḍemneḍ ur ttruḥunt ara tsura i yellan kan deg tɣimit-a.", + "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." }, "preferences": { "room_list_heading": "Tabdart n texxamt", @@ -1436,7 +1373,10 @@ "add_msisdn_confirm_sso_button": "Sentem timerna n wuṭṭun n tilifun s useqdec n unekcum asuf i ubeggen n timagit-ik(im).", "add_msisdn_confirm_button": "Sentem timerna n wuṭṭun n tilifun", "add_msisdn_confirm_body": "Sit ɣef tqeffalt yellan ddaw i usentem n tmerna n wuṭṭun-a n tilifun.", - "add_msisdn_dialog_title": "Rnu uṭṭun n tilifun" + "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" } }, "devtools": { @@ -1673,7 +1613,10 @@ "removed": "%(senderDisplayName)s yekkes avaṭar n texxamt.", "changed_img": "%(senderDisplayName)s ibeddel avaṭar n texxamt i " }, - "creation_summary_room": "%(creator)s yerna-d taxxamt syen yeswel taxxamt." + "creation_summary_room": "%(creator)s yerna-d taxxamt syen yeswel taxxamt.", + "context_menu": { + "external_url": "URL aɣbalu" + } }, "slash_command": { "shrug": "Yerna ¯\\_(ツ)_/¯ ɣer yizen n uḍris arewway", @@ -1801,7 +1744,6 @@ "no_media_perms_description": "Ilaq-ak·am ahat ad tesirgeḍ s ufus %(brand)s i unekcum ɣer usawaḍ/webcam" }, "Other": "Nniḍen", - "Advanced": "Talqayt", "room_settings": { "permissions": { "m.room.avatar": "Beddel avaṭar n texxamt", @@ -1860,7 +1802,8 @@ "room_predecessor": "Senqed iznan iqburen deg %(roomName)s.", "room_version_section": "Lqem n texxamt", "room_version": "Lqem n texxamt:" - } + }, + "upload_avatar_label": "Sali-d avaṭar" }, "encryption": { "verification": { @@ -1879,7 +1822,9 @@ "sas_caption_user": "Senqed aseqdac-a s usentem dakken amḍan-a ittban-d ɣef ugdil-is.", "unsupported_method": "D awezɣi ad d-naf tarrayt n usenqed yettusefraken.", "waiting_other_user": "Aṛaǧu n %(displayName)s i usenqed…", - "cancelling": "Asefsex…" + "cancelling": "Asefsex…", + "unverified_sessions_toast_reject": "Ticki", + "unverified_session_toast_title": "Anekcam amaynut. D kečč/kemm?" }, "old_version_detected_title": "Ala isefka iweglehnen i d-iteffɣen", "old_version_detected_description": "Isefka n lqem aqbur n %(brand)s ttwafen. Ayagi ad d-yeglu s yir tamahalt n uwgelhen seg yixef ɣer yixef deg lqem aqbur. Iznan yettwawgelhen seg yixef ɣer yixef yettumbeddalen yakan mi akken yettuseqdac lqem aqbur yezmer ur asen-ittekkes ara uwgelhen deg lqem-a. Aya yezmer daɣen ad d-yeglu asefsex n yiznan yettumbeddalen s lqem-a. Ma yella temlaleḍ-d uguren, ffeɣ syen tuɣaleḍ-d tikkelt-nniḍen. I wakken ad tḥerzeḍ amazray n yiznan, sifeḍ rnu ales kter tisura-ik·im.", @@ -1888,7 +1833,17 @@ "bootstrap_title": "Asebded n tsura", "export_unsupported": "Iminig-ik·im ur issefrak ara iseɣzaf n uwgelhen yettusran", "import_invalid_keyfile": "Afaylu n tsarut %(brand)s d arameɣtu", - "import_invalid_passphrase": "Asenqed n usesteb ur yeddi ara: awal uffir d arameɣtu?" + "import_invalid_passphrase": "Asenqed n usesteb ur yeddi ara: awal uffir d arameɣtu?", + "set_up_toast_title": "Sebadu aḥraz aɣelsan", + "upgrade_toast_title": "Yella uleqqem n uwgelhen", + "verify_toast_title": "Asenqed n tɣimit", + "set_up_toast_description": "Seḥbiber iman-ik·im mgal asruḥu n unekcum ɣer yiznann & yisefka yettwawgelhen", + "verify_toast_description": "Iseqdacen-nniḍen yezmer ur tettamnen ara", + "cross_signing_unsupported": "Aqeddac-ik·im agejdan ur yessefrak ara azmul anmidag.", + "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": "" }, "emoji": { "category_frequently_used": "Yettuseqdac s waṭas", @@ -1985,7 +1940,8 @@ "no_hs_url_provided": "Ulac URL n uqeddac agejdan i d-yettunefken", "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." + "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" }, "export_chat": { "messages": "Iznan" @@ -2015,7 +1971,8 @@ "intro_welcome": "Ansuf ɣer %(appName)s", "send_dm": "Azen izen uslig", "explore_rooms": "Snirem tixxamin tizuyaz", - "create_room": "Rnu adiwenni n ugraw" + "create_room": "Rnu adiwenni n ugraw", + "create_account": "Rnu amiḍan" }, "setting": { "help_about": { @@ -2035,7 +1992,27 @@ }, "error_need_to_be_logged_in": "Tesriḍ ad teqqneḍ.", "error_need_invite_permission": "Tesriḍ ad tizmireḍ ad d-tnecdeḍ iseqdacen ad gen ayagi.", - "no_name": "Asnas arussin" + "no_name": "Asnas arussin", + "context_menu": { + "screenshot": "Ṭṭef tawlaft", + "delete": "Kkes awiǧit", + "delete_warning": "Tukksan n uwiǧit, ad t-tekkes akk i yiseqdacen n texxamt-nni. D tidet tebɣiḍ ad tekkseḍ awiǧit-a?", + "remove": "Kkes i meṛṛa", + "move_left": "Mutti s azelmaḍ", + "move_right": "Mutti s ayfus" + }, + "shared_data_name": "Isem-ik·im yettwaskanen", + "shared_data_mxid": "Asulay-ik·m n useqdac", + "shared_data_theme": "Asentel-inek·inem", + "shared_data_url": "%(brand)s URL", + "shared_data_room_id": "Asulay n texxamt", + "shared_data_widget_id": "Asulay n yiwiǧit", + "shared_data_warning_im": "Aseqdec n uwiǧit-a yezmer ad yebḍu isefka d %(widgetDomain)s & amsefrak-inek·inem n umsidef.", + "shared_data_warning": "Aseqdec n uwiǧit-a yezmer ad bḍun yisefka d %(widgetDomain)s.", + "unencrypted_warning": "Iwiǧiten ur seqdacen ara awgelhen n yiznan.", + "added_by": "Awiǧit yettwarna sɣur", + "cookie_warning": "Awiǧit-a yezmer ad iseqdec inagan n tuqqna.", + "popout": "Awiǧit attalan" }, "feedback": { "comment_label": "Awennit", @@ -2115,7 +2092,8 @@ }, "user_menu": { "switch_theme_light": "Uɣal ɣer uskar aceɛlal", - "switch_theme_dark": "Uɣal ɣer uskar aberkan" + "switch_theme_dark": "Uɣal ɣer uskar aberkan", + "settings": "Akk iɣewwaren" }, "room": { "drop_file_prompt": "Eǧǧ afaylu dagi i usali", @@ -2128,7 +2106,14 @@ "leave_error_title": "Tuccaḍa deg tuffɣa seg texxamt", "upgrade_error_title": "Tuccḍa deg uleqqem n texxamt", "upgrade_error_description": "Senqed akken ilaq ma yella aqeddac-inek·inem issefrak lqem n texxamtyettwafernen syen εreḍ tikkelt-nniḍen.", - "leave_server_notices_description": "Taxxamt-a tettuseqdac i yiznan yesɛan azal sɣur aqeddac agejdan, ɣef waya ur tezmireḍ ara ad tt-teǧǧeḍ." + "leave_server_notices_description": "Taxxamt-a tettuseqdac i yiznan yesɛan azal sɣur aqeddac agejdan, ɣef waya ur tezmireḍ ara ad tt-teǧǧeḍ.", + "error_join_incompatible_version_2": "Ttxil-k/m nermes anedbal-ik/im n usebter agejdan.", + "context_menu": { + "unfavourite": "Yettusmenyaf", + "favourite": "Asmenyif", + "low_priority": "Tazwart taddayt", + "forget": "Tettuḍ taxxamt" + } }, "file_panel": { "guest_note": "Ilaq-ak·am ad teskelseḍ i wakken ad tesxedmeḍ tamahilt-a", @@ -2153,7 +2138,8 @@ "tac_button": "Senqed tiwtilin d tfadiwin", "identity_server_no_terms_title": "Timagit n uqeddac ulac ɣer-sen iferdisen n umeẓlu", "identity_server_no_terms_description_1": "Tigawt-a tesra anekcum ɣer uqeddac n tmagit tamezwert i usentem n tansa n yimayl neɣ uṭṭun n tiliɣri, maca aqeddac ur yesεi ula d yiwet n twali n umeẓlu.", - "identity_server_no_terms_description_2": "Ala ma tettekleḍ ɣef bab n uqeddac ara tkemmleḍ." + "identity_server_no_terms_description_2": "Ala ma tettekleḍ ɣef bab n uqeddac ara tkemmleḍ.", + "inline_intro_text": "Qbel i wakken ad tkemmleḍ:" }, "failed_load_async_component": "Yegguma ad d-yali! Senqed tuqqna-inek.inem ɣer uzeṭṭa syen tεerḍeḍ tikkelt-nniḍen.", "upload_failed_generic": "Yegguma ad d-yali '%(fileName)s' ufaylu.", @@ -2190,7 +2176,42 @@ "resource_limits": "Aqeddac-a agejdan iɛedda yiwet seg tlisa-ines tiɣbula.", "admin_contact": "Ttxil-k·m nermes anedbal-ik·im n uqeddac i wakken ad tkemmleḍ aseqdec n yibenk-a.", "mixed_content": "Ur tessawḍeḍ ara ad teqqneḍ ɣer uqeddac agejdan s HTTP mi ara yili URL n HTTPS deg ufeggag n yiminig-ik·im. Seqdec HTTPS neɣ sermed isekripten ariɣelsanen.", - "tls": "Yegguma ad yeqqen ɣer uqeddac agejdan - ttxil-k·m senqed tuqqna-inek·inem, tḍemneḍ belli aselken n SSL n uqeddac agejdan yettwattkal, rnu aseɣzan n yiminig-nni ur issewḥal ara isutar." + "tls": "Yegguma ad yeqqen ɣer uqeddac agejdan - ttxil-k·m senqed tuqqna-inek·inem, tḍemneḍ belli aselken n SSL n uqeddac agejdan yettwattkal, rnu aseɣzan n yiminig-nni ur issewḥal ara isutar.", + "admin_contact_short": "Nermes anedbal-inek·inem n uqeddac.", + "non_urgent_echo_failure_toast": "Aqeddac-inek·inem ur d-yettarra ara ɣef kra n yisuturen.", + "failed_copy": "Anɣal ur yeddi ara", + "something_went_wrong": "Yella wayen ur nteddu ara akken iwata!", + "update_power_level": "Asnifel n uswir afellay ur yeddi ara", + "unknown": "Tuccḍa tarussint" }, - "name_and_id": "%(name)s (%(userId)s)" + "name_and_id": "%(name)s (%(userId)s)", + "items_and_n_others": { + "other": " d %(count)s wiyaḍ", + "one": " d wayeḍ-nniḍen" + }, + "notifications": { + "enable_prompt_toast_title": "Ilɣa", + "colour_none": "Ula yiwen", + "colour_bold": "Azuran", + "error_change_title": "Snifel iɣewwaren n yilɣa", + "mark_all_read": "Creḍ kullec yettwaɣra", + "class_other": "Nniḍen" + }, + "room_summary_card_back_action_label": "Talɣut n texxamt", + "quick_settings": { + "all_settings": "Akk iɣewwaren", + "sidebar_settings": "Ugar n textiṛiyin" + }, + "analytics": { + "shared_data_heading": "Yal yiwen seg yisefka i d-iteddun zemren ad ttwabḍun:" + }, + "lightbox": { + "rotate_left": "Zzi ɣer uzelmaḍ", + "rotate_right": "Zzi ɣer uyeffus" + }, + "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." + } } diff --git a/src/i18n/strings/ko.json b/src/i18n/strings/ko.json index 910aa51a66..fc796ec269 100644 --- a/src/i18n/strings/ko.json +++ b/src/i18n/strings/ko.json @@ -1,6 +1,5 @@ { "Create new room": "새 방 만들기", - "Notifications": "알림", "unknown error code": "알 수 없는 오류 코드", "Admin Tools": "관리자 도구", "No Microphones detected": "마이크 감지 없음", @@ -13,7 +12,6 @@ "Default": "기본", "Email address": "이메일 주소", "Failed to forget room %(errCode)s": "%(errCode)s 방 지우기에 실패함", - "Favourite": "즐겨찾기", "Failed to change password. Is your password correct?": "비밀번호를 바꾸지 못했습니다. 이 비밀번호가 맞나요?", "%(items)s and %(lastItem)s": "%(items)s님과 %(lastItem)s님", "and %(count)s others...": { @@ -28,7 +26,6 @@ "Enter passphrase": "암호 입력", "Error decrypting attachment": "첨부 파일 복호화 중 오류", "Failed to ban user": "사용자 출입 금지에 실패함", - "Failed to change power level": "권한 등급 변경에 실패함", "Failed to load timeline position": "타임라인 위치 불러오기에 실패함", "Failed to mute user": "사용자 음소거에 실패함", "Failed to reject invite": "초대 거부에 실패함", @@ -50,13 +47,10 @@ "Moderator": "조정자", "New passwords must match each other.": "새 비밀번호는 서로 같아야 합니다.", "not specified": "지정되지 않음", - "": "<지원하지 않음>", - "No display name": "표시 이름 없음", "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.": "사용자를 자신과 같은 권한 등급으로 올리는 것은 취소할 수 없습니다.", - "Profile": "프로필", "Reason": "이유", "Reject invitation": "초대 거절", "Return to login screen": "로그인 화면으로 돌아가기", @@ -78,7 +72,6 @@ "one": "%(filename)s 외 %(count)s개를 올리는 중", "other": "%(filename)s 외 %(count)s개를 올리는 중" }, - "Upload avatar": "아바타 업로드", "Verification Pending": "인증을 기다리는 중", "Warning!": "주의!", "You do not have permission to post to this room": "이 방에 글을 올릴 권한이 없습니다", @@ -117,9 +110,7 @@ "Export room keys": "방 키 내보내기", "Confirm passphrase": "암호 확인", "File to import": "가져올 파일", - "Reject all %(invitedRooms)s invites": "모든 %(invitedRooms)s개의 초대를 거절", "Confirm Removal": "삭제 확인", - "Unknown error": "알 수 없는 오류", "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.": "내보낸 파일이 암호로 보호되어 있습니다. 파일을 복호화하려면, 여기에 암호를 입력해야 합니다.", @@ -129,17 +120,14 @@ "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에서 쓸 수 있도록 계정을 인증하려고 다른 사이트로 이동하고 있습니다. 계속하겠습니까?", - "Something went wrong!": "문제가 생겼습니다!", "This will allow you to reset your password and receive notifications.": "이렇게 하면 비밀번호를 다시 설정하고 알림을 받을 수 있습니다.", "Sunday": "일요일", - "Notification targets": "알림 대상", "Today": "오늘", "Friday": "금요일", "Changelog": "바뀐 점", "This Room": "방", "Unavailable": "이용할 수 없음", "Send": "보내기", - "Source URL": "출처 URL", "Tuesday": "화요일", "Search…": "찾기…", "Unnamed room": "이름 없는 방", @@ -151,7 +139,6 @@ "You cannot delete this message. (%(code)s)": "이 메시지를 삭제할 수 없습니다. (%(code)s)", "Thursday": "목요일", "Yesterday": "어제", - "Low Priority": "중요하지 않음", "Wednesday": "수요일", "Thank you!": "감사합니다!", "This event could not be displayed": "이 이벤트를 표시할 수 없음", @@ -173,19 +160,10 @@ "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": "방 공유하기", - " and %(count)s others": { - "one": "님 외 한 명", - "other": "님 외 %(count)s명" - }, "Permission Required": "권한 필요", - "Copied!": "복사했습니다!", - "Failed to copy": "복사 실패함", "You don't currently have any stickerpacks enabled": "현재 사용하고 있는 스티커 팩이 없음", "Filter results": "필터 결과", "Delete Widget": "위젯 삭제", - "Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "위젯을 삭제하면 이 방의 모든 사용자에게도 제거됩니다. 위젯을 삭제하겠습니까?", - "Delete widget": "위젯 삭제", - "Popout widget": "위젯 팝업", "Unable to load event that was replied to, it either does not exist or you do not have permission to view it.": "응답한 이벤트를 불러오지 못했습니다, 존재하지 않거나 볼 수 있는 권한이 없습니다.", "collapse": "접기", "expand": "펼치기", @@ -203,7 +181,6 @@ "Send Logs": "로그 보내기", "We encountered an error trying to restore your previous session.": "이전 활동을 복구하는 중 에러가 발생했습니다.", "Link to most recent message": "가장 최근 메시지로 연결", - "Please contact your homeserver administrator.": "홈서버 관리자에게 연락하세요.", "This room has been replaced and is no longer active.": "이 방은 대체되어서 더 이상 활동하지 않습니다.", "The conversation continues here.": "이 대화는 여기서 이어집니다.", "Only room administrators will see this warning": "방 관리자만이 이 경고를 볼 수 있음", @@ -281,18 +258,10 @@ "Anchor": "닻", "Headphones": "헤드폰", "Folder": "폴더", - "Accept to continue:": "계속하려면 을(를) 수락하세요:", "Power level": "권한 등급", - "Delete Backup": "백업 삭제", - "Are you sure? You will lose your encrypted messages if your keys are not backed up properly.": "확실합니까? 키를 정상적으로 백업하지 않았다면 암호화된 메시지를 잃게 됩니다.", "Encrypted messages are secured with end-to-end encryption. Only you and the recipient(s) have the keys to read these messages.": "암호화된 메시지는 종단간 암호화로 보호됩니다. 오직 당신과 상대방만 이 메시지를 읽을 수 있는 키를 갖습니다.", - "Unable to load key backup status": "키 백업 상태를 불러올 수 없음", - "Restore from Backup": "백업에서 복구", - "All keys backed up": "모든 키 백업됨", "Back up your keys before signing out to avoid losing them.": "잃어버리지 않도록 로그아웃하기 전에 키를 백업하세요.", "Start using Key Backup": "키 백업 시작", - "Profile picture": "프로필 사진", - "Display Name": "표시 이름", "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 서버가 서비스 약관을 갖고 있지 않습니다.", @@ -308,12 +277,9 @@ "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": "계정 관리", - "General": "기본", "Discovery": "탐색", "Deactivate account": "계정 비활성화", "Ignored users": "무시한 사용자", - "Bulk options": "대량 설정", - "Accept all %(invitedRooms)s invites": "모든 %(invitedRooms)s개의 초대를 수락", "Missing media permissions, click the button below to request.": "미디어 권한이 없습니다, 권한 요청을 보내려면 아래 버튼을 클릭하세요.", "Request media permissions": "미디어 권한 요청", "Voice & Video": "음성 & 영상", @@ -371,8 +337,6 @@ "Room Topic": "방 주제", "Edited at %(date)s. Click to view edits.": "%(date)s에 편집함. 클릭해서 편집 보기.", "edited": "편집됨", - "Rotate Left": "왼쪽으로 회전", - "Rotate Right": "오른쪽으로 회전", "Use an identity server to invite by email. Use the default (%(defaultIdentityServerName)s) or manage in Settings.": "이메일로 초대하기 위해 ID 서버를 사용합니다. 기본 (%(defaultIdentityServerName)s)을(를) 사용하거나 설정에서 관리하세요.", "Use an identity server to invite by email. Manage in Settings.": "이메일로 초대하기 위해 ID 서버를 사용합니다. 설정에서 관리하세요.", "The following users may not exist": "다음 사용자는 존재하지 않을 수 있습니다", @@ -449,7 +413,6 @@ "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": "일반적인 실패", - "Create account": "계정 만들기", "Failed to re-authenticate due to a homeserver problem": "홈서버 문제로 다시 인증에 실패함", "Clear personal data": "개인 정보 지우기", "That matches!": "맞습니다!", @@ -496,8 +459,6 @@ "Explore rooms": "방 검색", "Verify the link in your inbox": "메일함에 있는 링크로 확인", "e.g. my-room": "예: my-room", - "Hide advanced": "고급 숨기기", - "Show advanced": "고급 보이기", "Close dialog": "대화 상자 닫기", "Show image": "이미지 보이기", "Your email address hasn't been verified yet": "이메일 주소가 아직 확인되지 않았습니다", @@ -511,8 +472,6 @@ "Failed to deactivate user": "사용자 비활성화에 실패함", "This client does not support end-to-end encryption.": "이 클라이언트는 종단간 암호화를 지원하지 않습니다.", "Messages in this room are not end-to-end encrypted.": "이 방의 메시지는 종단간 암호화가 되지 않았습니다.", - "Jump to first unread room.": "읽지 않은 첫 방으로 건너뜁니다.", - "Jump to first invite.": "첫 초대로 건너뜁니다.", "Room %(name)s": "%(name)s 방", "Message Actions": "메시지 동작", "You verified %(name)s": "%(name)s님을 확인했습니다", @@ -527,47 +486,19 @@ "None": "없음", "Messages in this room are end-to-end encrypted.": "이 방의 메시지는 종단간 암호화되었습니다.", "You have ignored this user, so their message is hidden. Show anyways.": "이 사용자를 무시했습니다. 사용자의 메시지는 숨겨집니다. 무시하고 보이기.", - "Any of the following data may be shared:": "다음 데이터가 공유됩니다:", - "Your display name": "당신의 표시 이름", - "Your user ID": "당신의 사용자 ID", - "Your theme": "당신의 테마", - "%(brand)s URL": "%(brand)s URL", - "Room ID": "방 ID", - "Widget ID": "위젯 ID", - "Using this widget may share data with %(widgetDomain)s.": "이 위젯을 사용하면 %(widgetDomain)s와(과) 데이터를 공유합니다.", - "Widget added by": "위젯을 추가했습니다", - "This widget may use cookies.": "이 위젯은 쿠키를 사용합니다.", - "Cannot connect to integration manager": "통합 관리자에 연결할 수 없음", - "The integration manager is offline or it cannot reach your homeserver.": "통합 관리자가 오프라인이거나 당신의 홈서버에서 접근할 수 없습니다.", - "Verify this session": "이 세션 검증", - "Encryption upgrade available": "암호화 업그레이드 가능", "Show more": "더 보기", - "Using this widget may share data with %(widgetDomain)s & your integration manager.": "이 위젯을 사용하면 %(widgetDomain)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이어야 함", - "Delete avatar": "아바타 삭제", - "More options": "추가 옵션", - "Pin to sidebar": "사이드바 고정", - "All settings": "전체 설정", "Join public room": "공개 방 참가하기", "New room": "새로운 방 만들기", "Start new chat": "새로운 대화 시작하기", "Room options": "방 옵션", - "Mentions & keywords": "멘션 및 키워드", "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": "어떤 알람도 받지 않습니다", - "Space members": "스페이스 멤버 목록", - "Decide who can view and join %(spaceName)s.": "누가 %(spaceName)s를 보거나 참여할 수 있는지 설정합니다.", - "Access": "접근", - "Recommended for public spaces.": "공개 스페이스에 권장 합니다.", - "Allow people to preview your space before they join.": "스페이스에 참여하기 전에 미리볼 수 있도록 허용합니다.", - "Preview Space": "스페이스 미리보기", - "Anyone in can find and join. You can select other spaces too.": "에 소속된 누구나 찾고 참여할 수 있습니다. 다른 스페이스도 선택 가능합니다.", - "Visibility": "가시성", "Search for": "검색 기준", "Search for rooms or people": "방 또는 사람 검색", "Search for rooms": "방 검색", @@ -580,14 +511,11 @@ "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": "방 링크를 복사할 수 없습니다", - "Copy room link": "방 링크 복사", "Public space": "공개 스페이스", "Private space (invite only)": "비공개 스페이스 (초대 필요)", "Private space": "비공개 스페이스", "Rooms and spaces": "방 및 스페이스 목록", - "Sidebar": "사이드바", "Leave all rooms": "모든 방에서 떠나기", - "Show all rooms": "모든 방 목록 보기", "Create a new space": "새로운 스페이스 만들기", "Create a space": "스페이스 만들기", "Export chat": "대화 내보내기", @@ -601,8 +529,6 @@ "Poll": "투표", "Send voice message": "음성 메세지 보내기", "Voice Message": "음성 메세지", - "View source": "소스 보기", - "Report": "보고", "Or send invite link": "또는 초대 링크 보내기", "Recent Conversations": "최근 대화 목록", "Start a conversation with someone using their name or username (like ).": "이름이나 사용자명( 형식)을 사용하는 사람들과 대화를 시작하세요.", @@ -612,10 +538,7 @@ "Some suggestions may be hidden for privacy.": "일부 추천 목록은 개인 정보 보호를 위해 보이지 않을 수 있습니다.", "Start a conversation with someone using their name, email address or username (like ).": "이름, 이메일, 사용자명() 으로 대화를 시작하세요.", "Search names and descriptions": "이름 및 설명 검색", - "Quick settings": "빠른 설정", "@mentions & keywords": "@멘션(언급) & 키워드", - "Anyone in a space can find and join. You can select multiple spaces.": "스페이스의 누구나 찾고 참여할 수 있습니다. 여러 스페이스를 선택할 수 있습니다.", - "Anyone in a space can find and join. Edit which spaces can access here.": "누구나 스페이스를 찾고 참여할 수 있습니다. 이곳에서 접근 가능한 스페이스를 편집하세요.", "Add space": "스페이스 추가하기", "Add existing rooms": "기존 방 추가", "Add existing room": "기존 방 목록에서 추가하기", @@ -641,12 +564,8 @@ "Australia": "호주", "Afghanistan": "아프가니스탄", "United States": "미국", - "Mark all as read": "모두 읽음으로 표시", "Deactivating your account is a permanent action — be careful!": "계정을 비활성화 하는 것은 취소할 수 없습니다. 조심하세요!", "Room info": "방 정보", - "Match system": "시스템 테마", - "Sessions": "세션목록", - "Favourited": "즐겨찾기 됨", "common": { "analytics": "정보 분석", "error": "오류", @@ -704,7 +623,13 @@ "orphan_rooms": "다른 방 목록", "on": "켜기", "off": "끄기", - "all_rooms": "모든 방 목록" + "all_rooms": "모든 방 목록", + "copied": "복사했습니다!", + "advanced": "고급", + "general": "기본", + "profile": "프로필", + "display_name": "표시 이름", + "user_avatar": "프로필 사진" }, "action": { "continue": "계속하기", @@ -772,7 +697,9 @@ "submit": "제출", "send_report": "신고 보내기", "clear": "지우기", - "unban": "출입 금지 풀기" + "unban": "출입 금지 풀기", + "hide_advanced": "고급 숨기기", + "show_advanced": "고급 보이기" }, "labs": { "pinning": "메시지 고정", @@ -805,7 +732,6 @@ "user_a11y": "사용자 자동 완성" } }, - "Bold": "굵게", "Code": "코드", "power_level": { "default": "기본", @@ -865,7 +791,8 @@ "noisy": "소리", "error_permissions_denied": "%(brand)s은 알림을 보낼 권한을 가지고 있지 않습니다. 브라우저 설정을 확인해주세요", "error_permissions_missing": "%(brand)s이 알림을 보낼 권한을 받지 못했습니다. 다시 해주세요", - "error_title": "알림을 사용할 수 없음" + "error_title": "알림을 사용할 수 없음", + "push_targets": "알림 대상" }, "appearance": { "heading": "모습 개인화하기", @@ -884,7 +811,15 @@ "export_megolm_keys": "종단간 암호화 방 열쇠 내보내기", "import_megolm_keys": "종단간 암호화 방 키 불러오기", "cryptography_section": "암호화", - "encryption_section": "암호화" + "encryption_section": "암호화", + "bulk_options_section": "대량 설정", + "bulk_options_accept_all_invites": "모든 %(invitedRooms)s개의 초대를 수락", + "bulk_options_reject_all_invites": "모든 %(invitedRooms)s개의 초대를 거절", + "delete_backup": "백업 삭제", + "delete_backup_confirm_description": "확실합니까? 키를 정상적으로 백업하지 않았다면 암호화된 메시지를 잃게 됩니다.", + "error_loading_key_backup_status": "키 백업 상태를 불러올 수 없음", + "restore_key_backup": "백업에서 복구", + "key_backup_complete": "모든 키 백업됨" }, "preferences": { "room_list_heading": "방 목록", @@ -905,7 +840,8 @@ "unverified_session": "검증되지 않은 세션", "device_verified_description_current": "현재 세션에서 보안 메세지를 사용할 수 있습니다.", "verified_session": "검증된 세션", - "current_session": "현재 세션" + "current_session": "현재 세션", + "title": "세션목록" }, "general": { "account_section": "계정", @@ -915,7 +851,12 @@ "msisdn_in_use": "이 전화번호는 이미 사용 중입니다", "add_email_dialog_title": "이메일 주소 추가", "add_email_failed_verification": "이메일 주소를 인증하지 못했습니다. 메일에 나온 주소를 눌렀는지 확인해 보세요", - "add_msisdn_dialog_title": "전화번호 추가" + "add_msisdn_dialog_title": "전화번호 추가", + "name_placeholder": "표시 이름 없음" + }, + "sidebar": { + "title": "사이드바", + "metaspaces_home_all_rooms": "모든 방 목록 보기" } }, "devtools": { @@ -1112,7 +1053,12 @@ "removed": "%(senderDisplayName)s님이 방 아바타를 제거했습니다.", "changed_img": "%(senderDisplayName)s님이 방 아바타를 (으)로 바꿈" }, - "creation_summary_room": "%(creator)s님이 방을 만드고 설정했습니다." + "creation_summary_room": "%(creator)s님이 방을 만드고 설정했습니다.", + "context_menu": { + "view_source": "소스 보기", + "external_url": "출처 URL", + "report": "보고" + } }, "slash_command": { "spoiler": "스포일러로서 주어진 메시지를 전송", @@ -1202,7 +1148,6 @@ "no_media_perms_description": "수동으로 %(brand)s에 마이크와 카메라를 허용해야 함" }, "Other": "기타", - "Advanced": "고급", "room_settings": { "permissions": { "m.room.avatar": "방 아바타 변경", @@ -1245,7 +1190,11 @@ "history_visibility_shared": "구성원만(이 설정을 선택한 시점부터)", "history_visibility_invited": "구성원만(구성원이 초대받은 시점부터)", "history_visibility_joined": "구성원만(구성원들이 참여한 시점부터)", - "history_visibility_world_readable": "누구나" + "history_visibility_world_readable": "누구나", + "join_rule_restricted_description": "누구나 스페이스를 찾고 참여할 수 있습니다. 이곳에서 접근 가능한 스페이스를 편집하세요.", + "join_rule_restricted_description_active_space": "에 소속된 누구나 찾고 참여할 수 있습니다. 다른 스페이스도 선택 가능합니다.", + "join_rule_restricted_description_prompt": "스페이스의 누구나 찾고 참여할 수 있습니다. 여러 스페이스를 선택할 수 있습니다.", + "join_rule_restricted": "스페이스 멤버 목록" }, "general": { "publish_toggle": "%(domain)s님의 방 목록에서 이 방을 공개로 게시하겠습니까?", @@ -1263,6 +1212,18 @@ "room_predecessor": "%(roomName)s 방에서 오래된 메시지를 봅니다.", "room_version_section": "방 버전", "room_version": "방 버전:" + }, + "delete_avatar_label": "아바타 삭제", + "upload_avatar_label": "아바타 업로드", + "visibility": { + "title": "가시성", + "history_visibility_anyone_space": "스페이스 미리보기", + "history_visibility_anyone_space_description": "스페이스에 참여하기 전에 미리볼 수 있도록 허용합니다.", + "history_visibility_anyone_space_recommendation": "공개 스페이스에 권장 합니다." + }, + "access": { + "title": "접근", + "description_space": "누가 %(spaceName)s를 보거나 참여할 수 있는지 설정합니다." } }, "encryption": { @@ -1282,7 +1243,10 @@ "bootstrap_title": "키 설정", "export_unsupported": "필요한 암호화 확장 기능을 브라우저가 지원하지 않습니다", "import_invalid_keyfile": "올바른 %(brand)s 열쇠 파일이 아닙니다", - "import_invalid_passphrase": "인증 확인 실패: 비밀번호를 틀리셨나요?" + "import_invalid_passphrase": "인증 확인 실패: 비밀번호를 틀리셨나요?", + "upgrade_toast_title": "암호화 업그레이드 가능", + "verify_toast_title": "이 세션 검증", + "not_supported": "<지원하지 않음>" }, "emoji": { "category_frequently_used": "자주 사용함", @@ -1367,7 +1331,8 @@ "no_hs_url_provided": "홈서버 URL이 제공되지 않음", "autodiscovery_unexpected_error_hs": "홈서버 설정을 해결하는 중 예기치 않은 오류", "autodiscovery_unexpected_error_is": "ID 서버 설정을 해결하는 중 예기치 않은 오류", - "incorrect_credentials_detail": "지금 %(hs)s 서버로 로그인하고 있는데, matrix.org로 로그인해야 합니다." + "incorrect_credentials_detail": "지금 %(hs)s 서버로 로그인하고 있는데, matrix.org로 로그인해야 합니다.", + "create_account_title": "계정 만들기" }, "export_chat": { "title": "대화 내보내기", @@ -1394,14 +1359,16 @@ "other": "%(count)s개의 읽지 않은 메시지.", "one": "1개의 읽지 않은 메시지." }, - "unread_messages": "읽지 않은 메시지." + "unread_messages": "읽지 않은 메시지.", + "jump_first_invite": "첫 초대로 건너뜁니다." }, "onboarding": { "welcome_user": "환영합니다 %(name)s님", "welcome_detail": "지금 시작할 수 있도록 도와드릴께요", "send_dm": "다이렉트 메세지 보내기", "explore_rooms": "공개 방 살펴보기", - "create_room": "그룹 대화 생성하기" + "create_room": "그룹 대화 생성하기", + "create_account": "계정 만들기" }, "setting": { "help_about": { @@ -1489,7 +1456,8 @@ }, "create_space": { "public_heading": "당신의 공개 스페이스", - "private_heading": "당신의 비공개 스페이스" + "private_heading": "당신의 비공개 스페이스", + "label": "스페이스 만들기" }, "room": { "drop_file_prompt": "업로드할 파일을 여기에 놓으세요", @@ -1500,7 +1468,14 @@ "leave_server_notices_title": "서버 알림 방을 떠날 수는 없음", "upgrade_error_title": "방 업그레이드 오류", "upgrade_error_description": "서버가 선택한 방 버전을 지원하는지 확인한 뒤에 다시 시도해주세요.", - "leave_server_notices_description": "이 방은 홈서버로부터 중요한 메시지를 받는 데 쓰이므로 떠날 수 없습니다." + "leave_server_notices_description": "이 방은 홈서버로부터 중요한 메시지를 받는 데 쓰이므로 떠날 수 없습니다.", + "error_join_incompatible_version_2": "홈서버 관리자에게 연락하세요.", + "context_menu": { + "unfavourite": "즐겨찾기 됨", + "favourite": "즐겨찾기", + "copy_link": "방 링크 복사", + "low_priority": "중요하지 않음" + } }, "file_panel": { "guest_note": "이 기능을 쓰려면 등록해야 합니다", @@ -1526,7 +1501,8 @@ "tac_button": "이용 약관 검토", "identity_server_no_terms_title": "ID 서버에 서비스 약관이 없음", "identity_server_no_terms_description_1": "이 작업에는 이메일 주소 또는 전화번호를 확인하기 위해 기본 ID 서버 에 접근해야 합니다. 하지만 서버가 서비스 약관을 갖고 있지 않습니다.", - "identity_server_no_terms_description_2": "서버의 관리자를 신뢰하는 경우에만 계속하세요." + "identity_server_no_terms_description_2": "서버의 관리자를 신뢰하는 경우에만 계속하세요.", + "inline_intro_text": "계속하려면 을(를) 수락하세요:" }, "failed_load_async_component": "불러올 수 없습니다! 네트워크 연결 상태를 확인한 후 다시 시도하세요.", "upload_failed_generic": "'%(fileName)s' 파일 업로드에 실패했습니다.", @@ -1543,7 +1519,22 @@ }, "widget": { "error_need_to_be_logged_in": "로그인을 해야 합니다.", - "error_need_invite_permission": "그러려면 사용자를 초대할 수 있어야 합니다." + "error_need_invite_permission": "그러려면 사용자를 초대할 수 있어야 합니다.", + "context_menu": { + "delete": "위젯 삭제", + "delete_warning": "위젯을 삭제하면 이 방의 모든 사용자에게도 제거됩니다. 위젯을 삭제하겠습니까?" + }, + "shared_data_name": "당신의 표시 이름", + "shared_data_mxid": "당신의 사용자 ID", + "shared_data_theme": "당신의 테마", + "shared_data_url": "%(brand)s URL", + "shared_data_room_id": "방 ID", + "shared_data_widget_id": "위젯 ID", + "shared_data_warning_im": "이 위젯을 사용하면 %(widgetDomain)s & 통합 관리자와 데이터를 공유합니다.", + "shared_data_warning": "이 위젯을 사용하면 %(widgetDomain)s와(과) 데이터를 공유합니다.", + "added_by": "위젯을 추가했습니다", + "cookie_warning": "이 위젯은 쿠키를 사용합니다.", + "popout": "위젯 팝업" }, "scalar": { "error_create": "위젯을 만들지 못합니다.", @@ -1564,7 +1555,48 @@ "resource_limits": "이 홈서버가 리소스 한도를 초과했습니다.", "admin_contact": "이 서비스를 계속 사용하려면 서비스 관리자에게 연락하세요.", "mixed_content": "주소 창에 HTTPS URL이 있을 때는 HTTP로 홈서버를 연결할 수 없습니다. HTTPS를 쓰거나 안전하지 않은 스크립트를 허용해주세요.", - "tls": "홈서버에 연결할 수 없음 - 연결 상태를 확인하거나, 홈서버의 SSL 인증서가 믿을 수 있는지 확인하고, 브라우저 확장 기능이 요청을 막고 있는지 확인해주세요." + "tls": "홈서버에 연결할 수 없음 - 연결 상태를 확인하거나, 홈서버의 SSL 인증서가 믿을 수 있는지 확인하고, 브라우저 확장 기능이 요청을 막고 있는지 확인해주세요.", + "failed_copy": "복사 실패함", + "something_went_wrong": "문제가 생겼습니다!", + "update_power_level": "권한 등급 변경에 실패함", + "unknown": "알 수 없는 오류" }, - "name_and_id": "%(name)s (%(userId)s)" + "name_and_id": "%(name)s (%(userId)s)", + "items_and_n_others": { + "one": "님 외 한 명", + "other": "님 외 %(count)s명" + }, + "notifications": { + "enable_prompt_toast_title": "알림", + "colour_none": "없음", + "colour_bold": "굵게", + "mark_all_read": "모두 읽음으로 표시", + "class_other": "기타", + "mentions_keywords": "멘션 및 키워드" + }, + "room_summary_card_back_action_label": "방 정보", + "quick_settings": { + "title": "빠른 설정", + "all_settings": "전체 설정", + "metaspace_section": "사이드바 고정", + "sidebar_settings": "추가 옵션" + }, + "user_menu": { + "settings": "전체 설정" + }, + "theme": { + "match_system": "시스템 테마" + }, + "analytics": { + "shared_data_heading": "다음 데이터가 공유됩니다:" + }, + "lightbox": { + "rotate_left": "왼쪽으로 회전", + "rotate_right": "오른쪽으로 회전" + }, + "a11y_jump_first_unread_room": "읽지 않은 첫 방으로 건너뜁니다.", + "integration_manager": { + "error_connecting_heading": "통합 관리자에 연결할 수 없음", + "error_connecting": "통합 관리자가 오프라인이거나 당신의 홈서버에서 접근할 수 없습니다." + } } diff --git a/src/i18n/strings/lo.json b/src/i18n/strings/lo.json index a95b3f0a81..d7b9905a7e 100644 --- a/src/i18n/strings/lo.json +++ b/src/i18n/strings/lo.json @@ -348,76 +348,16 @@ "Audio Output": "ສຽງອອກ", "Request media permissions": "ຮ້ອງຂໍການອະນຸຍາດສື່ມວນຊົນ", "Missing media permissions, click the button below to request.": "ບໍ່ອະນຸຍາດສື່, ກົດໄປທີ່ປຸ່ມຂ້າງລຸ່ມນີ້ເພື່ອຮ້ອງຂໍ.", - "Group all your rooms that aren't part of a space in one place.": "ຈັດກຸ່ມຫ້ອງທັງໝົດຂອງທ່ານທີ່ບໍ່ໄດ້ເປັນສ່ວນໜຶ່ງຂອງພື້ນທີ່ຢູ່ໃນບ່ອນດຽວກັນ.", - "Rooms outside of a space": "ຫ້ອງຢູ່ນອກພື້ນທີ່", - "Group all your people in one place.": "ຈັດກຸ່ມຄົນທັງໝົດຂອງເຈົ້າຢູ່ບ່ອນດຽວ.", - "Group all your favourite rooms and people in one place.": "ຈັດກຸ່ມຫ້ອງ ແລະ ຄົນທີ່ທ່ານມັກທັງໝົດຢູ່ບ່ອນດຽວ.", - "Show all your rooms in Home, even if they're in a space.": "ສະແດງຫ້ອງທັງໝົດຂອງທ່ານໃນໜ້າຫຼັກ, ເຖິງແມ່ນວ່າພວກມັນຢູ່ໃນບ່ອນໃດນຶ່ງກໍ່ຕາມ.", - "Home is useful for getting an overview of everything.": "ຫນ້າHome ເປັນປະໂຫຍດສໍາລັບການເບິ່ງລາຍການລວມທັງໝົດ.", - "Spaces are ways to group rooms and people. Alongside the spaces you're in, you can use some pre-built ones too.": "ພຶ້ນທີ່ເປັນຊ່ອງທາງໃນການຈັດກຸ່ມຫ້ອງ ແລະ ຄົນ. ຄຽງຄູ່ກັບສະຖານທີ່ທີ່ທ່ານຢູ່ໃນ, ທ່ານສາມາດນໍາໃຊ້ບາງບ່ອນທີ່ສ້າງຂຶ້ນກ່ອນໄດ້ເຊັ່ນກັນ.", - "Spaces to show": "ພຶ້ນທີ່ຈະສະແດງ", - "Sidebar": "ແຖບດ້ານຂ້າງ", - "Share anonymous data to help us identify issues. Nothing personal. No third parties.": "ແບ່ງປັນຂໍ້ມູນທີ່ບໍ່ເປີດເຜີຍຊື່ເພື່ອຊ່ວຍໃຫ້ພວກເຮົາລະບຸບັນຫາ. ບໍ່ມີຫຍັງເປັນສ່ວນຕົວ. ບໍ່ມີພາກສ່ວນທີສາມ.", "Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "ຜູ້ຄຸມເຊີບເວີຂອງທ່ານໄດ້ປິດການນຳໃຊ້ການເຂົ້າລະຫັດແບບຕົ້ນທາງຮອດປາຍທາງໂດຍຄ່າເລີ່ມຕົ້ນໃນຫ້ອງສ່ວນຕົວ ແລະ ຂໍ້ຄວາມໂດຍກົງ.", - "Message search": "ຄົ້ນຫາຂໍ້ຄວາມ", - "Reject all %(invitedRooms)s invites": "ປະຕິເສດການເຊີນທັງໝົດ %(invitedRooms)s", - "Accept all %(invitedRooms)s invites": "ຍອມຮັບການເຊີນທັງໝົດ %(invitedRooms)s", - "Bulk options": "ຕົວເລືອກຈຳນວນຫຼາຍ", "You have no ignored users.": "ທ່ານບໍ່ມີຜູ້ໃຊ້ທີ່ຖືກລະເລີຍ.", "Unignore": "ບໍ່ສົນໃຈ", "Ignored users": "ຜູ້ໃຊ້ຖືກຍົກເວັ້ນ", "None": "ບໍ່ມີ", - "Cross-signing is not set up.": "ບໍ່ໄດ້ຕັ້ງຄ່າ Cross-signing.", - "Your account has a cross-signing identity in secret storage, but it is not yet trusted by this session.": "ບັນຊີຂອງທ່ານມີຂໍ້ມູນແບບ cross-signing ໃນການເກັບຮັກສາຄວາມລັບ, ແຕ່ວ່າຍັງບໍ່ມີຄວາມເຊື່ອຖືໃນລະບົບນີ້.", - "Cross-signing is ready but keys are not backed up.": "ການລົງຊື່ຂ້າມແມ່ນພ້ອມແລ້ວແຕ່ກະແຈບໍ່ໄດ້ສຳຮອງໄວ້.", - "Cross-signing is ready for use.": "ການລົງຊື່ຂ້າມແມ່ນກຽມພ້ອມສໍາລັບການໃຊ້ງານ.", - "Your homeserver does not support cross-signing.": "homeserverຂອງທ່ານບໍ່ຮອງຮັບການລົງຊື່ຂ້າມ.", "Warning!": "ແຈ້ງເຕືອນ!", - "No display name": "ບໍ່ມີຊື່ສະແດງຜົນ", - "Space options": "ຕົວເລືອກພື້ນທີ່", - "Jump to first invite.": "ໄປຫາຄຳເຊີນທຳອິດ.", - "Jump to first unread room.": "ໄປຫາຫ້ອງທໍາອິດທີ່ຍັງບໍ່ໄດ້ອ່ານ.", - "Recommended for public spaces.": "ແນະນຳສຳລັບສະຖານທີ່ສາທາລະນະ.", - "Allow people to preview your space before they join.": "ອະນຸຍາດໃຫ້ຄົນເບິ່ງຕົວຢ່າງພື້ນທີ່ຂອງທ່ານກ່ອນທີ່ເຂົາເຈົ້າເຂົ້າຮ່ວມ.", - "Preview Space": "ເບິ່ງຕົວຢ່າງພື້ນທີ່", - "Failed to update the visibility of this space": "ອັບເດດການເບິ່ງເຫັນພື້ນທີ່ນີ້ບໍ່ສຳເລັດ", - "Decide who can view and join %(spaceName)s.": "ຕັດສິນໃຈວ່າໃຜສາມາດເບິ່ງ ແລະ ເຂົ້າຮ່ວມ %(spaceName)s.", - "Access": "ການເຂົ້າເຖິງ", - "Visibility": "ການເບິ່ງເຫັນ", - "This may be useful for public spaces.": "ນີ້ອາດຈະເປັນປະໂຫຍດສໍາລັບສະຖານທີ່ສາທາລະນະ.", - "Enable guest access": "ເປີດໃຊ້ການເຂົ້າເຖິງແຂກ/ຜູ້ຖືກເຊີນ", - "Guests can join a space without having an account.": "ແຂກສາມາດເຂົ້າຮ່ວມພື້ນທີ່ໄດ້ໂດຍບໍ່ຕ້ອງມີບັນຊີ.", - "Show advanced": "ສະແດງຂັ້ນສູງ", - "Hide advanced": "ເຊື່ອງຂັ້ນສູງ", - "Failed to update the history visibility of this space": "ການອັບເດດປະຫວັດການເບິ່ງເຫັນຂອງພື້ນທີ່ນີ້ບໍ່ສຳເລັດ", - "Failed to update the guest access of this space": "ການອັບເດດການເຂົ້າເຖິງຂອງແຂກຂອງພື້ນທີ່ນີ້ບໍ່ສຳເລັດ", - "Leave Space": "ອອກຈາກພື້ນທີ່", - "Save Changes": "ບັນທຶກການປ່ຽນແປງ", - "Edit settings relating to your space.": "ແກ້ໄຂການຕັ້ງຄ່າທີ່ກ່ຽວຂ້ອງກັບພື້ນທີ່ຂອງທ່ານ.", - "General": "ທົ່ວໄປ", - "Failed to save space settings.": "ບັນທຶກການຕັ້ງຄ່າພື້ນທີ່ບໍ່ສຳເລັດ.", - "Invite with email or username": "ເຊີນດ້ວຍອີເມລ໌ ຫຼື ຊື່ຜູ້ໃຊ້", - "Invite people": "ເຊີນຜູ້ຄົນ", - "Share invite link": "ແບ່ງປັນລິ້ງເຊີນ", - "Failed to copy": "ສຳເນົາບໍ່ສຳເລັດ", - "Copied!": "ສຳເນົາແລ້ວ!", - "Click to copy": "ກົດເພື່ອສຳເນົາ", - "Show all rooms": "ສະແດງຫ້ອງທັງໝົດ", - "You can change these anytime.": "ທ່ານສາມາດປ່ຽນສິ່ງເຫຼົ່ານີ້ໄດ້ທຸກເວລາ.", "To join a space you'll need an invite.": "ເພື່ອເຂົ້າຮ່ວມພື້ນທີ່, ທ່ານຈະຕ້ອງການເຊີນ.", "Create a space": "ສ້າງພື້ນທີ່", "Address": "ທີ່ຢູ່", - "Search %(spaceName)s": "ຊອກຫາ %(spaceName)s", - "Upload avatar": "ອັບໂຫຼດອາວາຕ້າ", - "Delete avatar": "ລືບອາວາຕ້າ", "Space selection": "ການເລືອກພື້ນທີ່", - "Match system": "ລະບົບການຈັບຄູ່", - "More options": "ທາງເລືອກເພີ່ມເຕີມ", - "Pin to sidebar": "ປັກໝຸດໃສ່ແຖບດ້ານຂ້າງ", - "All settings": "ການຕັ້ງຄ່າທັງໝົດ", - "Quick settings": "ການຕັ້ງຄ່າດ່ວນ", - "Accept to continue:": "ຍອມຮັບ ເພື່ອສືບຕໍ່:", - "Your server isn't responding to some requests.": "ເຊີບເວີຂອງທ່ານບໍ່ຕອບສະໜອງບາງ ຄຳຮ້ອງຂໍ.", "Folder": "ໂຟນເດີ", "Headphones": "ຫູຟັງ", "Anchor": "ສະມໍ", @@ -461,25 +401,11 @@ "No live locations": "ບໍ່ມີສະຖານທີ່ປັດຈູບັນ", "Live location error": "ສະຖານທີ່ປັດຈຸບັນຜິດພາດ", "Live location ended": "ສະຖານທີ່ປັດຈຸບັນສິ້ນສຸດລົງແລ້ວ", - "Move right": "ຍ້າຍໄປທາງຂວາ", - "Move left": "ຍ້າຍໄປທາງຊ້າຍ", - "Revoke permissions": "ຖອນການອະນຸຍາດ", - "Remove for everyone": "ລຶບອອກສຳລັບທຸກຄົນ", - "Delete widget": "ລຶບ widget", - "Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "ການລຶບwidget ຈະເປັນການລຶບອອກສຳລັບຜູ້ໃຊ້ທັງໝົດໃນຫ້ອງນີ້. ທ່ານແນ່ໃຈບໍ່ວ່າຕ້ອງການລຶບwidget ນີ້?", "Delete Widget": "ລຶບ Widget", - "Take a picture": "ຖ່າຍຮູບ", - "Start audio stream": "ເລີ່ມການຖ່າຍທອດສຽງ", "Failed to start livestream": "ການຖ່າຍທອດສົດບໍ່ສຳເລັດ", "Unable to start audio streaming.": "ບໍ່ສາມາດເລີ່ມການຖ່າຍທອດສຽງໄດ້.", "Thread options": "ຕົວເລືອກກະທູ້", - "Mentions only": "ກ່າວເຖິງເທົ່ານັ້ນ", "Forget": "ລືມ", - "Report": "ລາຍງານ", - "Collapse reply thread": "ຫຍໍ້ກະທູ້ຕອບກັບ", - "Source URL": "ແຫຼ່ງ URL", - "Show preview": "ສະແດງຕົວຢ່າງ", - "View source": "ເບິ່ງແຫຼ່ງທີ່ມາ", "Open in OpenStreetMap": "ເປີດໃນ OpenStreetMap", "Hold": "ຖື", "Resume": "ປະຫວັດຫຍໍ້", @@ -551,8 +477,6 @@ "You can only pin up to %(count)s widgets": { "other": "ທ່ານສາມາດປັກໝຸດໄດ້ເຖິງ %(count)s widget ເທົ່ານັ້ນ" }, - "Spaces": "ພື້ນທີ່", - "Profile": "ໂປຣໄຟລ໌", "Messaging": "ການສົ່ງຂໍ້ຄວາມ", "Missing domain separator e.g. (:domain.org)": "ຂາດຕົວແຍກໂດເມນ e.g. (:domain.org)", "e.g. my-room": "ຕົວຢ່າງ: ຫ້ອງຂອງຂ້ອຍ", @@ -705,7 +629,6 @@ "No microphone found": "ບໍ່ພົບໄມໂຄຣໂຟນ", "We were unable to access your microphone. Please check your browser settings and try again.": "ພວກເຮົາບໍ່ສາມາດເຂົ້າເຖິງໄມໂຄຣໂຟນຂອງທ່ານໄດ້. ກະລຸນາກວດເບິ່ງການຕັ້ງຄ່າບຣາວເຊີຂອງທ່ານແລ້ວລອງໃໝ່ອີກຄັ້ງ.", "Unable to access your microphone": "ບໍ່ສາມາດເຂົ້າເຖິງໄມໂຄຣໂຟນຂອງທ່ານໄດ້", - "Mark all as read": "ໝາຍທັງໝົດວ່າອ່ານແລ້ວ", "Jump to first unread message.": "ຂ້າມໄປຫາຂໍ້ຄວາມທຳອິດທີ່ຍັງບໍ່ໄດ້ອ່ານ.", "Open thread": "ເປີດກະທູ້", "%(count)s reply": { @@ -731,11 +654,6 @@ "one": "ຜູ້ເຂົ້າຮ່ວມ 1ຄົນ", "other": "ຜູ້ເຂົ້າຮ່ວມ %(count)s ຄົນ" }, - "Copy room link": "ສຳເນົາລິ້ງຫ້ອງ", - "Low Priority": "ຄວາມສຳຄັນຕໍ່າ", - "Favourite": "ສິ່ງທີ່ມັກ", - "Favourited": "ສີ່ງທີ່ມັກ", - "Forget Room": "ລືມຫ້ອງ", "%(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.": "ຖ້າທ່ານບໍ່ໄດ້ລືບຂະບວນການກູ້ຄືນ, ຜູ້ໂຈມຕີອາດຈະພະຍາຍາມເຂົ້າເຖິງບັນຊີຂອງທ່ານ. ປ່ຽນລະຫັດຜ່ານບັນຊີຂອງທ່ານ ແລະ ກຳນົດຂະບວນການກູ້ຄືນໃໝ່ທັນທີໃນການຕັ້ງຄ່າ.", @@ -756,7 +674,6 @@ "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": "ສົ່ງກະແຈຫ້ອງອອກ", - "Unknown error": "ຄວາມຜິດພາດທີ່ບໍ່ຮູ້ຈັກ", "Passphrase must not be empty": "ຂໍ້ຄວາມລະຫັດຜ່ານຈະຕ້ອງບໍ່ຫວ່າງເປົ່າ", "Passphrases must match": "ປະໂຫຍກຕ້ອງກົງກັນ", "Unable to set up secret storage": "ບໍ່ສາມາດກຳນົດບ່ອນເກັບຂໍ້ມູນລັບໄດ້", @@ -802,45 +719,6 @@ "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.": "ເບິ່ງຄືວ່າທ່ານບໍ່ມີກະແຈຄວາມປອດໄພ ຫຼື ອຸປະກອນອື່ນໆທີ່ທ່ານສາມາດຢືນຢັນໄດ້. ອຸປະກອນນີ້ຈະບໍ່ສາມາດເຂົ້າເຖິງຂໍ້ຄວາມທີ່ເຂົ້າລະຫັດເກົ່າໄດ້. ເພື່ອຢືນຢັນຕົວຕົນຂອງທ່ານໃນອຸປະກອນນີ້, ທ່ານຈຳເປັນຕ້ອງຕັ້ງລະຫັດຢືນຢັນຂອງທ່ານ.", - "Create account": "ສ້າງບັນຊີ", - "Updating spaces... (%(progress)s out of %(count)s)": { - "one": "ກຳລັງປັບປຸງພື້ນທີ່..", - "other": "ກຳລັງຍົກລະດັບພື້ນທີ່... (%(progress)s ຈາກທັງໝົດ %(count)s)" - }, - "Sending invites... (%(progress)s out of %(count)s)": { - "one": "ກຳລັງສົ່ງຄຳເຊີນ...", - "other": "ກຳລັງສົ່ງຄຳເຊີນ... (%(progress)s ຈາກທັງໝົດ %(count)s)" - }, - "Loading new room": "ກຳລັງໂຫຼດຫ້ອງໃໝ່", - "Upgrading room": "ການຍົກລະດັບຫ້ອງ", - "This upgrade will allow members of selected spaces access to this room without an invite.": "ການຍົກລະດັບນີ້ຈະອະນຸຍາດໃຫ້ສະມາຊິກຂອງພື້ນທີ່ທີ່ເລືອກເຂົ້າມາໃນຫ້ອງນີ້ໂດຍບໍ່ມີການເຊີນ.", - "This room is in some spaces you're not an admin of. In those spaces, the old room will still be shown, but people will be prompted to join the new one.": "ຫ້ອງນີ້ແມ່ນຢູ່ໃນບາງພື້ນທີ່ທີ່ທ່ານບໍ່ແມ່ນຜູ້ຄຸ້ມຄອງ. ໃນສະຖານທີ່ເຫຼົ່ານັ້ນ, ຫ້ອງເກົ່າຍັງຈະສະແດງຢູ່, ແຕ່ຜູ້ຄົນຈະຖືກກະຕຸ້ນໃຫ້ເຂົ້າຮ່ວມຫ້ອງໃຫມ່.", - "Space members": "ພຶ້ນທີ່ຂອງສະມາຊິກ", - "Anyone in a space can find and join. You can select multiple spaces.": "ທຸກຄົນຢູ່ໃນພື້ນທີ່ສາມາດຊອກຫາ ແລະເຂົ້າຮ່ວມໄດ້. ທ່ານສາມາດເລືອກຫຼາຍໄດ້ຫຼາຍພຶ້ນທີ່.", - "Anyone in can find and join. You can select other spaces too.": "ທຸກຄົນໃນ ສາມາດຊອກຫາ ແລະເຂົ້າຮ່ວມໄດ້. ທ່ານສາມາດເລືອກບ່ອນອື່ນໄດ້ຄືກັນ.", - "Spaces with access": "ພຶ້ນທີ່ ທີ່ມີການເຂົ້າເຖິງ", - "Anyone in a space can find and join. Edit which spaces can access here.": "ທຸກຄົນຢູ່ໃນພື້ນທີ່ສາມາດຊອກຫາ ແລະເຂົ້າຮ່ວມໄດ້. ແກ້ໄຂພື້ນທີ່ໃດທີ່ສາມາດເຂົ້າເຖິງທີ່ນີ້.", - "Currently, %(count)s spaces have access": { - "one": "ໃນປັດຈຸບັນ, ມີການເຂົ້າເຖິງພື້ນທີ່", - "other": "ໃນປັດຈຸບັນ, %(count)s ມີການເຂົ້າເຖິງພື້ນທີ່" - }, - "& %(count)s more": { - "one": "& %(count)s ເພີ່ມເຕີມ", - "other": "&%(count)s ເພີ່ມເຕີມ" - }, - "Upgrade required": "ຕ້ອງການບົກລະດັບ", - "The integration manager is offline or it cannot reach your homeserver.": "ຜູ້ຈັດການການເຊື່ອມໂຍງແມ່ນອອບໄລນ໌ຫຼືບໍ່ສາມາດເຂົ້າຫາ homeserver ຂອງທ່ານໄດ້.", - "Cannot connect to integration manager": "ບໍ່ສາມາດເຊື່ອມຕໍ່ກັບຕົວຈັດການການເຊື່ອມໂຍງໄດ້", - "Message search initialisation failed": "ການເລີ່ມຕົ້ນການຄົ້ນຫາຂໍ້ຄວາມບໍ່ສຳເລັດ", - "%(brand)s can't securely cache encrypted messages locally while running in a web browser. Use %(brand)s Desktop for encrypted messages to appear in search results.": "%(brand)s ບໍ່ສາມາດເກັບຂໍ້ຄວາມທີ່ຖືກເຂົ້າລະຫັດໄວ້ຢ່າງປອດໄພຢູ່ໃນເຄື່ອງ ໃນຂະນະທີ່ກຳລັງດຳເນີນການໃນເວັບບຣາວເຊີ. ໃຊ້ %(brand)s Desktop ເພື່ອໃຫ້ຂໍ້ຄວາມເຂົ້າລະຫັດຈະປາກົດໃນຜົນການຊອກຫາ.", - "%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with search components added.": "%(brand)s ຂາດບາງອົງປະກອບທີ່ຕ້ອງການສໍາລັບການເກັບຂໍ້ຄວາມເຂົ້າລະຫັດໄວ້ຢ່າງປອດໄພຢູ່ໃນເຄື່ອງ. ຖ້າທ່ານຕ້ອງການທົດລອງໃຊ້ຄຸນສົມບັດນີ້, ສ້າງ %(brand)s Desktop ແບບກຳນົດເອງດ້ວຍການເພີ່ມ ອົງປະກອບການຄົ້ນຫາ.", - "Securely cache encrypted messages locally for them to appear in search results.": "ເກັບຮັກສາຂໍ້ຄວາມທີ່ຖືກເຂົ້າລະຫັດໄວ້ຢ່າງປອດໄພຢູ່ໃນເຄື່ອງເພື່ອໃຫ້ປາກົດໃນຜົນການຄົ້ນຫາ.", - "Securely cache encrypted messages locally for them to appear in search results, using %(size)s to store messages from %(rooms)s rooms.": { - "one": "ຈັດເກັບຂໍ້ຄວາມທີ່ຖືກເຂົ້າລະຫັດໄວ້ຢ່າງປອດໄພຢູ່ໃນເຄື່ອງເພື່ອໃຫ້ປາກົດໃນຜົນການຊອກຫາ, ໂດຍໃຊ້ %(size)s ເພື່ອເກັບຂໍ້ຄວາມຈາກຫ້ອງ %(rooms)s.", - "other": "ຈັດເກັບຂໍ້ຄວາມທີ່ຖືກເຂົ້າລະຫັດໄວ້ຢ່າງປອດໄພຢູ່ໃນເຄື່ອງເພື່ອໃຫ້ປາກົດໃນຜົນການຊອກຫາ, ໂດຍໃຊ້ %(size)s ເພື່ອເກັບຂໍ້ຄວາມຈາກ %(rooms)s ຫ້ອງ." - }, - "Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "ຢືນຢັນແຕ່ລະລະບົບທີ່ໃຊ້ໂດຍຜູ້ໃຊ້ເພື່ອໝາຍວ່າເປັນທີ່ໜ້າເຊື່ອຖືໄດ້, ບໍ່ໄວ້ໃຈອຸປະກອນທີ່ cross-signed.", - "Display Name": "ຊື່ສະແດງ", "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": "ຖ້າທ່ານດຳເນິນການ, ກະລຸນາຮັບຊາບວ່າຂໍ້ຄວາມຂອງທ່ານຈະບໍ່ຖືກລຶບ, ແຕ່ການຊອກຫາອາດຈະຖືກຫຼຸດໜ້ອຍລົງເປັນເວລາສອງສາມນາທີໃນຂະນະທີ່ດັດສະນີຈະຖືກສ້າງໃໝ່", @@ -1016,33 +894,13 @@ "View live location": "ເບິ່ງສະຖານທີ່ປັດຈຸບັນ", "Language Dropdown": "ເລື່ອນພາສາລົງ", "Information": "ຂໍ້ມູນ", - "Rotate Right": "ໝຸນດ້ານຂວາ", - "Rotate Left": "ໝຸນດ້ານຊ້າຍ", "expand": "ຂະຫຍາຍ", "collapse": "ບໍ່ສຳເລັດ", - "Something went wrong!": "ມີບາງຢ່າງຜິດພາດ!", - "Share content": "ແບ່ງປັນເນື້ອໃນ", - "Application window": "ປ່ອງຢ້ຽມຄໍາຮ້ອງສະຫມັກ", - "Share entire screen": "ແບ່ງປັນຫນ້າຈໍທັງໝົດ", "This version of %(brand)s does not support searching encrypted messages": "ເວີຊັ້ນຂອງ %(brand)s ບໍ່ຮອງຮັບການຊອກຫາຂໍ້ຄວາມທີ່ຖືກເຂົ້າລະຫັດ", "This version of %(brand)s does not support viewing some encrypted files": "%(brand)s ລຸ້ນນີ້ບໍ່ຮອງຮັບການເບິ່ງບາງໄຟລ໌ທີ່ເຂົ້າລະຫັດໄວ້", "Use the Desktop app to search encrypted messages": "ໃຊ້ ແອັບເດັສທັອບ ເພື່ອຊອກຫາຂໍ້ຄວາມທີ່ເຂົ້າລະຫັດໄວ້", "Use the Desktop app to see all encrypted files": "ໃຊ້ ແອັບເດັສທັອບ ເພື່ອເບິ່ງໄຟລ໌ທີ່ຖືກເຂົ້າລະຫັດທັງໝົດ", "Message search initialisation failed, check your settings for more information": "ເລີ່ມຕົ້ນການຄົ້ນຫາຂໍ້ຄວາມບ່ສຳເລັດ, ໃຫ້ກວດເບິ່ງ ການຕັ້ງຄ່າຂອງທ່ານ ສໍາລັບຂໍ້ມູນເພີ່ມເຕີມ", - "Popout widget": "ວິດເຈັດ popout", - "Error - Mixed content": "ຂໍ້ຜິດພາດ - ເນື້ອຫາມີການປະສົມປະສານ", - "Error loading Widget": "ເກີດຄວາມຜິດພາດໃນການໂຫຼດ Widget", - "This widget may use cookies.": "widget ນີ້ອາດຈະໃຊ້ cookies.", - "Widget added by": "ເພີ່ມWidgetໂດຍ", - "Widgets do not use message encryption.": "Widgets ບໍ່ໄດ້ໃຊ້ໃນການເຂົ້າລະຫັດຂໍ້ຄວາມ.", - "Using this widget may share data with %(widgetDomain)s.": "ການໃຊ້ວິດເຈັດນີ້ອາດຈະແບ່ງປັນຂໍ້ມູນ ກັບ %(widgetDomain)s.", - "Using this widget may share data with %(widgetDomain)s & your integration manager.": "ການໃຊ້ວິດເຈັດນີ້ອາດຈະແບ່ງປັນຂໍ້ມູນ ກັບ %(widgetDomain)s & ຜູ້ຈັດການການເຊື່ອມໂຍງຂອງທ່ານ.", - "Widget ID": "ໄອດີວິດເຈັດ", - "Room ID": "ID ຫ້ອງ", - "Your theme": "ຫົວຂໍ້ຂອງທ່ານ", - "Your user ID": "ID ຂອງທ່ານ", - "Your display name": "ສະແດງຊື່ຂອງທ່ານ", - "Any of the following data may be shared:": "ຂໍ້ມູນຕໍ່ໄປນີ້ອາດຈະຖືກແບ່ງປັນ:", "Cancel search": "ຍົກເລີກການຄົ້ນຫາ", "MB": "ເມກາໄບ", "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.": "ທ່ານແນ່ໃຈບໍ່ວ່າຕ້ອງການສິ້ນສຸດການສຳຫຼວດນີ້? ນີ້ຈະສະແດງຜົນສຸດທ້າຍຂອງການລົງຄະແນນສຽງ ແລະ ຢຸດບໍ່ໃຫ້ປະຊາຊົນສາມາດລົງຄະແນນສຽງໄດ້.", @@ -1089,11 +947,7 @@ "Moderation": "ປານກາງ", "Rooms": "ຫ້ອງ", "Widgets": "ວິດເຈັດ", - "Change notification settings": "ປ່ຽນການຕັ້ງຄ່າການແຈ້ງເຕືອນ", - "Back to thread": "ກັບໄປທີ່ຫົວຂໍ້", - "Room members": "ສະມາຊິກຫ້ອງ", "Room information": "ຂໍ້ມູນຫ້ອງ", - "Back to chat": "ກັບໄປທີ່ການສົນທະນາ", "Replying": "ກຳລັງຕອບກັບ", "Recently viewed": "ເບິ່ງເມື່ອບໍ່ດົນມານີ້", "Seen by %(count)s people": { @@ -1109,15 +963,8 @@ "%(displayName)s's live location": "ສະຖານທີ່ປັດຈຸບັນຂອງ %(displayName)s", "%(brand)s could not send your location. Please try again later.": "%(brand)s ບໍ່ສາມາດສົ່ງສະຖານທີ່ຂອງທ່ານໄດ້. ກະລຸນາລອງໃໝ່ໃນພາຍຫຼັງ.", "We couldn't send your location": "ພວກເຮົາບໍ່ສາມາດສົ່ງສະຖານທີ່ຂອງທ່ານໄດ້", - "Share location": "ແບ່ງປັນສະຖານທີ່", - "Click to drop a pin": "ກົດເພື່ອວາງປັກໝຸດ", - "Click to move the pin": "ກົດເພື່ອຍ້າຍ PIN", "Could not fetch location": "ບໍ່ສາມາດດຶງຂໍ້ມູນສະຖານທີ່ໄດ້", "Location": "ສະຖານທີ່", - "Share for %(duration)s": "ແບ່ງປັນເປັນ %(duration)s", - "Enable live location sharing": "ເປີດໃຊ້ການແບ່ງປັນສະຖານທີ່ປັດຈຸບັນ", - "Please note: this is a labs feature using a temporary implementation. This means you will not be able to delete your location history, and advanced users will be able to see your location history even after you stop sharing your live location with this room.": "ກະລຸນາບັນທຶກ: ນີ້ແມ່ນຄຸນສົມບັດຫ້ອງທົດລອງການນໍາໃຊ້ການປະຕິບັດຊົ່ວຄາວ. ນີ້ຫມາຍຄວາມວ່າທ່ານຈະບໍ່ສາມາດລຶບປະຫວັດສະຖານທີ່ຂອງທ່ານໄດ້, ແລະ ຜູ້ໃຊ້ຂັ້ນສູງຈະສາມາດເຫັນປະຫວັດສະຖານທີ່ຂອງທ່ານເຖິງແມ່ນວ່າຫຼັງຈາກທີ່ທ່ານຢຸດການແບ່ງປັນສະຖານທີ່ປັດຈຸບັນຂອງທ່ານກັບຫ້ອງນີ້.", - "Live location sharing": "ການແບ່ງປັນສະຖານທີ່ປັດຈຸບັນ", "toggle event": "ສະຫຼັບກິດຈະກຳ", "Can't load this message": "ບໍ່ສາມາດໂຫຼດຂໍ້ຄວາມນີ້ໄດ້", "Submit logs": "ສົ່ງບັນທຶກ", @@ -1159,44 +1006,17 @@ "You cancelled": "ທ່ານໄດ້ຍົກເລີກ", "You declined": "ທ່ານປະຕິເສດ", "Home": "ໜ້າຫຼັກ", - "Failed to join": "ການເຂົ້າຮ່ວມບໍ່ສຳເລັດ", - "The person who invited you has already left, or their server is offline.": "ບຸກຄົນທີ່ເຊີນທ່ານໄດ້ອອກໄປແລ້ວ, ຫຼືເຊີບເວີຂອງເຂົາເຈົ້າອອບລາຍຢູ່.", - "The person who invited you has already left.": "ຄົນທີ່ເຊີນເຈົ້າໄດ້ອອກໄປແລ້ວ.", - "Please contact your homeserver administrator.": "ກະລຸນາຕິດຕໍ່ຜູ້ຄຸ້ມຄອງເຊີບເວີຂອງທ່ານ.", - "Sorry, your homeserver is too old to participate here.": "ຂໍອະໄພ, homeserverຂອງທ່ານເກົ່າເກີນໄປທີ່ຈະເຂົ້າຮ່ວມທີ່ນີ້.", - "There was an error joining.": "ເກີດຄວາມຜິດພາດໃນການເຂົ້າຮ່ວມ.", - "%(deviceId)s from %(ip)s": "%(deviceId)s ຈາກ %(ip)s", - "New login. Was this you?": "ເຂົ້າສູ່ລະບົບໃໝ່. ນີ້ແມ່ນທ່ານບໍ?", - "Other users may not trust it": "ຜູ້ໃຊ້ອື່ນໆອາດຈະບໍ່ໄວ້ວາງໃຈ", - "Safeguard against losing access to encrypted messages & data": "ປ້ອງກັນການສູນເສຍການເຂົ້າເຖິງຂໍ້ຄວາມ ແລະຂໍ້ມູນທີ່ເຂົ້າລະຫັດ", - "Verify this session": "ຢືນຢັນລະບົບນີ້", - "Encryption upgrade available": "ມີການຍົກລະດັບການເຂົ້າລະຫັດ", - "Set up Secure Backup": "ຕັ້ງຄ່າການສໍາຮອງຂໍ້ມູນທີ່ປອດໄພ", "Ok": "ຕົກລົງ", - "Contact your server admin.": "ຕິດຕໍ່ ຜູ້ເບິ່ງຄຸ້ມຄອງເຊີບເວີ ຂອງທ່ານ.", "Your homeserver has exceeded one of its resource limits.": "homeserver ຂອງທ່ານເກີນຂີດຈຳກັດຊັບພະຍາກອນແລ້ວ.", "Your homeserver has exceeded its user limit.": "ເຊີບເວີຂອງທ່ານໃຊ້ເກີນຂີດຈຳກັດແລ້ວ.", - "Use app": "ໃຊ້ແອັບ", - "%(brand)s is experimental on a mobile web browser. For a better experience and the latest features, use our free native app.": "%(brand)s ແມ່ນທົດລອງຢູ່ໃນບຣາວຂອງມືຖື. ເພື່ອປະສົບການທີ່ດີກວ່າ ແລະ ຄຸນສົມບັດຫຼ້າສຸດ, ໃຫ້ໃຊ້ແອັບຟຣີຂອງພວກເຮົາ.", - "Use app for a better experience": "ໃຊ້ແອັບເພື່ອປະສົບການທີ່ດີກວ່າ", - "Enable desktop notifications": "ເປີດໃຊ້ການແຈ້ງເຕືອນເດັສທັອບ", - "Notifications": "ການແຈ້ງເຕືອນ", - "Don't miss a reply": "ຢ່າພາດການຕອບກັບ", - "Later": "ຕໍ່ມາ", - "Review to ensure your account is safe": "ກວດສອບໃຫ້ແນ່ໃຈວ່າບັນຊີຂອງທ່ານປອດໄພ", "Unnamed room": "ບໍ່ມີຊື່ຫ້ອງ", "%(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", - " and %(count)s others": { - "one": " ແລະ ອີກນຶ່ງລາຍການ", - "other": " ແລະ %(count)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": "ບູລິມະສິດຕໍ່າ", @@ -1206,7 +1026,6 @@ "New video room": "ຫ້ອງວິດີໂອໃຫມ່", "New room": "ຫ້ອງໃຫມ່", "Explore rooms": "ການສຳຫຼວດຫ້ອງ", - "Connecting": "ກຳລັງເຊື່ອມຕໍ່", "%(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": "ວັນອັງຄານ", @@ -1249,7 +1068,6 @@ "Deactivate user?": "ປິດໃຊ້ງານຜູ້ໃຊ້ບໍ?", "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.": "ທ່ານບໍ່ສາມາດຍົກເລີກການປ່ຽນແປງນີ້ໄດ້ເນື່ອງຈາກທ່ານກໍາລັງສົ່ງເສີມຜູ້ໃຊ້ໃຫ້ມີລະດັບພະລັງງານດຽວກັນກັບຕົວທ່ານເອງ.", - "Failed to change power level": "ການປ່ຽນແປງລະດັບພະລັງງານບໍ່ສຳເລັດ", "Failed to mute user": "ປິດສຽງຜູ້ໃຊ້ບໍ່ສຳເລັດ", "Remove them from specific things I'm able to": "ລຶບອອກບາງສິ່ງທີ່ທີ່ຂ້ອຍສາມາດເຮັດໄດ້", "Remove them from everything I'm able to": "ລຶບອອກຈາກທຸກສິ່ງທີ່ຂ້ອຍສາມາດເຮັດໄດ້", @@ -1359,8 +1177,6 @@ "Leave space": "ອອກຈາກພື້ນທີ່", "Leave some rooms": "ອອກຈາກບາງຫ້ອງ", "Leave all rooms": "ອອກຈາກຫ້ອງທັງຫມົດ", - "New keyword": "ຄໍາສໍາຄັນໃຫມ່", - "Keyword": "ຄໍາສໍາຄັນ", "Phone numbers": "ເບີໂທລະສັບ", "Email addresses": "ທີ່ຢູ່ອີເມວ", "Your password was successfully changed.": "ລະຫັດຜ່ານຂອງທ່ານຖືກປ່ຽນສຳເລັດແລ້ວ.", @@ -1395,38 +1211,10 @@ "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", - "not ready": "ບໍ່ພ້ອມ", - "ready": "ພ້ອມ", - "Secret storage:": "ການເກັບຮັກສາຄວາມລັບ:", - "in account data": "ໃນຂໍ້ມູນບັນຊີ", - "Secret storage public key:": "ກະເເຈສາທາລະນະການເກັບຮັກສາຄວາມລັບ:", - "Backup key cached:": "ລະຫັດສໍາຮອງຂໍ້ມູນທີ່ເກັບໄວ້:", - "not stored": "ບໍ່ໄດ້ເກັບຮັກສາໄວ້", - "Backup key stored:": "ກະແຈສຳຮອງທີ່ເກັບໄວ້:", - "Back up your encryption keys with your account data in case you lose access to your sessions. Your keys will be secured with a unique Security Key.": "ສຳຮອງຂໍ້ມູນລະຫັດການເຂົ້າລະຫັດຂອງທ່ານດ້ວຍຂໍ້ມູນບັນຊີຂອງທ່ານໃນກໍລະນີທີ່ທ່ານສູນເສຍການເຂົ້າເຖິງລະບົບຂອງທ່ານ. ກະແຈຂອງທ່ານຈະຖືກຮັກສາໄວ້ດ້ວຍກະແຈຄວາມປອດໄພທີ່ເປັນເອກະລັກ.", - "unexpected type": "ປະເພດທີ່ບໍ່ຄາດຄິດ", - "well formed": "ສ້າງຕັ້ງຂຶ້ນ", "Set up": "ຕັ້ງຄ່າ", "Back up your keys before signing out to avoid losing them.": "ສຳຮອງຂໍ້ມູນກະແຈຂອງທ່ານກ່ອນທີ່ຈະອອກຈາກລະບົບເພື່ອຫຼີກເວັ້ນການສູນເສຍຂໍ້ມູນ.", - "Your keys are not being backed up from this session.": "ກະແຈຂອງທ່ານ ບໍ່ຖືກສຳຮອງຂໍ້ມູນຈາກລະບົບນີ້.", - "Algorithm:": "ສູດການຄິດໄລ່:", "Backup version:": "ເວີຊັ້ນສໍາຮອງຂໍ້ມູນ:", "This backup is trusted because it has been restored on this session": "ການສຳຮອງຂໍ້ມູນນີ້ແມ່ນເຊື່ອຖືໄດ້ເນື່ອງຈາກຖືກກູ້ຄືນໃນລະບົບນີ້", - "All keys backed up": "ກະແຈທັງໝົດຖືກສຳຮອງໄວ້", - "Connect this session to Key Backup": "ເຊື່ອມຕໍ່ລະບົບນີ້ກັບ ກະເເຈສຳຮອງ", - "Connect this session to key backup before signing out to avoid losing any keys that may only be on this session.": "ເຊື່ອມຕໍ່ລະບົບນີ້ກັບການສໍາຮອງກະແຈກ່ອນທີ່ຈະອອກຈາກລະບົບເພື່ອຫຼີກເວັ້ນການສູນເສຍກະແຈທີ່ອາດຢູ່ໃນລະບົບນີ້ເທົ່ານັ້ນ.", - "This session is not backing up your keys, but you do have an existing backup you can restore from and add to going forward.": "ລະບົບນີ້ແມ່ນ ບໍ່ໄດ້ສໍາຮອງລະຫັດຂອງທ່ານ, ແຕ່ທ່ານມີການສໍາຮອງຂໍ້ມູນທີ່ມີຢູ່ແລ້ວທີ່ທ່ານສາມາດກູ້ຄືນຈາກ ແລະເພີ່ມຕໍ່ໄປ.", - "Restore from Backup": "ກູ້ຄືນຈາກການສໍາຮອງຂໍ້ມູນ", - "Unable to load key backup status": "ບໍ່ສາມາດໂຫຼດສະຖານະສຳຮອງລະຫັດໄດ້", - "Are you sure? You will lose your encrypted messages if your keys are not backed up properly.": "ທ່ານແນ່ໃຈບໍ່? ທ່ານຈະສູນເສຍຂໍ້ຄວາມທີ່ເຂົ້າລະຫັດໄວ້ຫາກກະແຈຂອງທ່ານບໍ່ຖືກສຳຮອງຂໍ້ມູນຢ່າງຖືກຕ້ອງ.", - "Delete Backup": "ລຶບການສຳຮອງຂໍ້ມູນ", - "Profile picture": "ຮູບໂປຣໄຟລ໌", - "The operation could not be completed": "ການດໍາເນີນງານບໍ່ສໍາເລັດ", - "Failed to save your profile": "ບັນທຶກໂປຣໄຟລ໌ຂອງທ່ານບໍ່ສຳເລັດ", - "There was an error loading your notification settings.": "ເກີດຄວາມຜິດພາດໃນການໂຫຼດການຕັ້ງຄ່າການແຈ້ງເຕືອນຂອງທ່ານ.", - "Notification targets": "ເປົ້າໝາຍການແຈ້ງເຕືອນ", - "Mentions & keywords": "ກ່າວເຖິງ & ຄໍາສໍາຄັນ", - "Global": "ທົ່ວໂລກ", "Fish": "ປາ", "Turtle": "ເຕົ່າ", "Penguin": "ນົກເພັນກິນ", @@ -1440,9 +1228,6 @@ "Lion": "ຊ້າງ", "Cat": "ແມວ", "Dog": "ໝາ", - "More": "ເພີ່ມເຕີມ", - "Show sidebar": "ສະແດງແຖບດ້ານຂ້າງ", - "Hide sidebar": "ເຊື່ອງແຖບດ້ານຂ້າງ", "Error processing audio message": "ການປະມວນຜົນຂໍ້ຄວາມສຽງຜິດພາດ", "Pick a date to jump to": "ເລືອກວັນທີເພື່ອໄປຫາ", "Message pending moderation": "ຂໍ້ຄວາມທີ່ລໍຖ້າການກວດກາ", @@ -1551,7 +1336,6 @@ "other": "ສະແດງຕົວຢ່າງອື່ນໆ %(count)s" }, "Scroll to most recent messages": "ເລື່ອນໄປຫາຂໍ້ຄວາມຫຼ້າສຸດ", - "unknown person": "ຄົນທີ່ບໍ່ຮູ້", "The authenticity of this encrypted message can't be guaranteed on this device.": "ອຸປະກອນນີ້ບໍ່ສາມາດຮັບປະກັນຄວາມຖືກຕ້ອງຂອງຂໍ້ຄວາມທີ່ເຂົ້າລະຫັດນີ້ໄດ້.", "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (power %(powerLevelNumber)s)", "Filter room members": "ການກັ່ນຕອງສະມາຊິກຫ້ອງ", @@ -1585,7 +1369,6 @@ "one": "%(count)s ຄົນທີ່ທ່ານຮູ້ຈັກໄດ້ເຂົ້າຮ່ວມແລ້ວ", "other": "%(count)s ຄົນທີ່ທ່ານຮູ້ຈັກໄດ້ເຂົ້າຮ່ວມແລ້ວ" }, - "%(brand)s URL": "%(brand)s URL", "Failed to ban user": "ຫ້າມຜູ້ໃຊ້ບໍ່ສຳເລັດ", "They won't be able to access whatever you're not an admin of.": "ເຂົາເຈົ້າຈະບໍ່ສາມາດເຂົ້າເຖິງໄດ້ ຫາກທ່ານບໍ່ແມ່ນຜູ້ຄຸ້ມຄອງລະບົບ.", "Ban them from specific things I'm able to": "ຫ້າມພວກເຂົາອອຈາກສິ່ງທີ່ສະເພາະທີ່ຂ້ອຍສາມາດເຮັດໄດ້", @@ -1644,11 +1427,6 @@ "An error occurred whilst sharing your live location, please try again": "ພົບບັນຫາຕອນກຳລັງແບ່ງປັນຈຸດພິກັດຂອງທ່ານ, ກະລຸນາລອງໃໝ່", "An error occurred whilst sharing your live location": "ພົບບັນຫາຕອນກຳລັງແບ່ງປັນຈຸດພິກັດຂອງທ່ານ", "Joining…": "ກຳລັງເຂົ້າ…", - "%(count)s people joined": { - "one": "%(count)s ຄົນເຂົ້າຮ່ວມ\"", - "other": "%(count)s ຄົນເຂົ້າຮ່ວມ" - }, - "View related event": "ເບິ່ງເຫດການທີ່ກ່ຽວຂ້ອງ", "Read receipts": "ຢັ້ງຢືນອ່ານແລ້ວ", "common": { "about": "ກ່ຽວກັບ", @@ -1734,7 +1512,14 @@ "off": "ປິດ", "all_rooms": "ຫ້ອງທັງໝົດ", "deselect_all": "ຍົກເລີກການເລືອກທັງໝົດ", - "select_all": "ເລືອກທັງຫມົດ" + "select_all": "ເລືອກທັງຫມົດ", + "copied": "ສຳເນົາແລ້ວ!", + "advanced": "ຂັ້ນສູງ", + "spaces": "ພື້ນທີ່", + "general": "ທົ່ວໄປ", + "profile": "ໂປຣໄຟລ໌", + "display_name": "ຊື່ສະແດງ", + "user_avatar": "ຮູບໂປຣໄຟລ໌" }, "action": { "continue": "ສືບຕໍ່", @@ -1829,7 +1614,10 @@ "submit": "ສົ່ງ", "send_report": "ສົ່ງບົດລາຍງານ", "clear": "ຈະແຈ້ງ", - "unban": "ຍົກເລີກການຫ້າມ" + "unban": "ຍົກເລີກການຫ້າມ", + "click_to_copy": "ກົດເພື່ອສຳເນົາ", + "hide_advanced": "ເຊື່ອງຂັ້ນສູງ", + "show_advanced": "ສະແດງຂັ້ນສູງ" }, "a11y": { "user_menu": "ເມນູຜູ້ໃຊ້", @@ -1841,7 +1629,8 @@ "one": "1 ຂໍ້ຄວາມທີ່ຍັງບໍ່ໄດ້ອ່ານ.", "other": "%(count)s ຂໍ້ຄວາມທີ່ຍັງບໍ່ໄດ້ອ່ານ." }, - "unread_messages": "ຂໍ້ຄວາມທີ່ຍັງບໍ່ໄດ້ອ່ານ." + "unread_messages": "ຂໍ້ຄວາມທີ່ຍັງບໍ່ໄດ້ອ່ານ.", + "jump_first_invite": "ໄປຫາຄຳເຊີນທຳອິດ." }, "labs": { "msc3531_hide_messages_pending_moderation": "ໃຫ້ຜູ້ຄວບຄຸມການເຊື່ອງຂໍ້ຄວາມທີ່ລໍຖ້າການກັ່ນຕອງ.", @@ -1971,7 +1760,6 @@ "user_a11y": "ການຕຶ້ມຂໍ້ມູນອັດຕະໂນມັດຊື່ຜູ້ໃຊ້" } }, - "Bold": "ຕົວໜາ", "Code": "ລະຫັດ", "power_level": { "default": "ຄ່າເລີ່ມຕົ້ນ", @@ -2081,7 +1869,9 @@ "noisy": "ສຽງດັງ", "error_permissions_denied": "%(brand)s ບໍ່ໄດ້ຮັບອະນຸຍາດໃຫ້ສົ່ງການແຈ້ງເຕືອນໃຫ້ທ່ານ - ກະລຸນາກວດສອບການຕັ້ງຄ່າຂອງບຣາວເຊີຂອງທ່ານ", "error_permissions_missing": "%(brand)s ບໍ່ໄດ້ຮັບອະນຸຍາດໃຫ້ສົ່ງການແຈ້ງເຕືອນ - ກະລຸນາລອງໃໝ່ອີກຄັ້ງ", - "error_title": "ບໍ່ສາມາດເປີດໃຊ້ການແຈ້ງເຕືອນໄດ້" + "error_title": "ບໍ່ສາມາດເປີດໃຊ້ການແຈ້ງເຕືອນໄດ້", + "push_targets": "ເປົ້າໝາຍການແຈ້ງເຕືອນ", + "error_loading": "ເກີດຄວາມຜິດພາດໃນການໂຫຼດການຕັ້ງຄ່າການແຈ້ງເຕືອນຂອງທ່ານ." }, "appearance": { "layout_irc": "(ທົດລອງ)IRC", @@ -2146,7 +1936,42 @@ "cryptography_section": "ການເຂົ້າລະຫັດລັບ", "session_id": "ID ລະບົບ:", "session_key": "ກະແຈລະບົບ:", - "encryption_section": "ການເຂົ້າລະຫັດ" + "encryption_section": "ການເຂົ້າລະຫັດ", + "bulk_options_section": "ຕົວເລືອກຈຳນວນຫຼາຍ", + "bulk_options_accept_all_invites": "ຍອມຮັບການເຊີນທັງໝົດ %(invitedRooms)s", + "bulk_options_reject_all_invites": "ປະຕິເສດການເຊີນທັງໝົດ %(invitedRooms)s", + "message_search_section": "ຄົ້ນຫາຂໍ້ຄວາມ", + "analytics_subsection_description": "ແບ່ງປັນຂໍ້ມູນທີ່ບໍ່ເປີດເຜີຍຊື່ເພື່ອຊ່ວຍໃຫ້ພວກເຮົາລະບຸບັນຫາ. ບໍ່ມີຫຍັງເປັນສ່ວນຕົວ. ບໍ່ມີພາກສ່ວນທີສາມ.", + "encryption_individual_verification_mode": "ຢືນຢັນແຕ່ລະລະບົບທີ່ໃຊ້ໂດຍຜູ້ໃຊ້ເພື່ອໝາຍວ່າເປັນທີ່ໜ້າເຊື່ອຖືໄດ້, ບໍ່ໄວ້ໃຈອຸປະກອນທີ່ cross-signed.", + "message_search_enabled": { + "one": "ຈັດເກັບຂໍ້ຄວາມທີ່ຖືກເຂົ້າລະຫັດໄວ້ຢ່າງປອດໄພຢູ່ໃນເຄື່ອງເພື່ອໃຫ້ປາກົດໃນຜົນການຊອກຫາ, ໂດຍໃຊ້ %(size)s ເພື່ອເກັບຂໍ້ຄວາມຈາກຫ້ອງ %(rooms)s.", + "other": "ຈັດເກັບຂໍ້ຄວາມທີ່ຖືກເຂົ້າລະຫັດໄວ້ຢ່າງປອດໄພຢູ່ໃນເຄື່ອງເພື່ອໃຫ້ປາກົດໃນຜົນການຊອກຫາ, ໂດຍໃຊ້ %(size)s ເພື່ອເກັບຂໍ້ຄວາມຈາກ %(rooms)s ຫ້ອງ." + }, + "message_search_disabled": "ເກັບຮັກສາຂໍ້ຄວາມທີ່ຖືກເຂົ້າລະຫັດໄວ້ຢ່າງປອດໄພຢູ່ໃນເຄື່ອງເພື່ອໃຫ້ປາກົດໃນຜົນການຄົ້ນຫາ.", + "message_search_unsupported": "%(brand)s ຂາດບາງອົງປະກອບທີ່ຕ້ອງການສໍາລັບການເກັບຂໍ້ຄວາມເຂົ້າລະຫັດໄວ້ຢ່າງປອດໄພຢູ່ໃນເຄື່ອງ. ຖ້າທ່ານຕ້ອງການທົດລອງໃຊ້ຄຸນສົມບັດນີ້, ສ້າງ %(brand)s Desktop ແບບກຳນົດເອງດ້ວຍການເພີ່ມ ອົງປະກອບການຄົ້ນຫາ.", + "message_search_unsupported_web": "%(brand)s ບໍ່ສາມາດເກັບຂໍ້ຄວາມທີ່ຖືກເຂົ້າລະຫັດໄວ້ຢ່າງປອດໄພຢູ່ໃນເຄື່ອງ ໃນຂະນະທີ່ກຳລັງດຳເນີນການໃນເວັບບຣາວເຊີ. ໃຊ້ %(brand)s Desktop ເພື່ອໃຫ້ຂໍ້ຄວາມເຂົ້າລະຫັດຈະປາກົດໃນຜົນການຊອກຫາ.", + "message_search_failed": "ການເລີ່ມຕົ້ນການຄົ້ນຫາຂໍ້ຄວາມບໍ່ສຳເລັດ", + "backup_key_well_formed": "ສ້າງຕັ້ງຂຶ້ນ", + "backup_key_unexpected_type": "ປະເພດທີ່ບໍ່ຄາດຄິດ", + "backup_keys_description": "ສຳຮອງຂໍ້ມູນລະຫັດການເຂົ້າລະຫັດຂອງທ່ານດ້ວຍຂໍ້ມູນບັນຊີຂອງທ່ານໃນກໍລະນີທີ່ທ່ານສູນເສຍການເຂົ້າເຖິງລະບົບຂອງທ່ານ. ກະແຈຂອງທ່ານຈະຖືກຮັກສາໄວ້ດ້ວຍກະແຈຄວາມປອດໄພທີ່ເປັນເອກະລັກ.", + "backup_key_stored_status": "ກະແຈສຳຮອງທີ່ເກັບໄວ້:", + "cross_signing_not_stored": "ບໍ່ໄດ້ເກັບຮັກສາໄວ້", + "backup_key_cached_status": "ລະຫັດສໍາຮອງຂໍ້ມູນທີ່ເກັບໄວ້:", + "4s_public_key_status": "ກະເເຈສາທາລະນະການເກັບຮັກສາຄວາມລັບ:", + "4s_public_key_in_account_data": "ໃນຂໍ້ມູນບັນຊີ", + "secret_storage_status": "ການເກັບຮັກສາຄວາມລັບ:", + "secret_storage_ready": "ພ້ອມ", + "secret_storage_not_ready": "ບໍ່ພ້ອມ", + "delete_backup": "ລຶບການສຳຮອງຂໍ້ມູນ", + "delete_backup_confirm_description": "ທ່ານແນ່ໃຈບໍ່? ທ່ານຈະສູນເສຍຂໍ້ຄວາມທີ່ເຂົ້າລະຫັດໄວ້ຫາກກະແຈຂອງທ່ານບໍ່ຖືກສຳຮອງຂໍ້ມູນຢ່າງຖືກຕ້ອງ.", + "error_loading_key_backup_status": "ບໍ່ສາມາດໂຫຼດສະຖານະສຳຮອງລະຫັດໄດ້", + "restore_key_backup": "ກູ້ຄືນຈາກການສໍາຮອງຂໍ້ມູນ", + "key_backup_inactive": "ລະບົບນີ້ແມ່ນ ບໍ່ໄດ້ສໍາຮອງລະຫັດຂອງທ່ານ, ແຕ່ທ່ານມີການສໍາຮອງຂໍ້ມູນທີ່ມີຢູ່ແລ້ວທີ່ທ່ານສາມາດກູ້ຄືນຈາກ ແລະເພີ່ມຕໍ່ໄປ.", + "key_backup_connect_prompt": "ເຊື່ອມຕໍ່ລະບົບນີ້ກັບການສໍາຮອງກະແຈກ່ອນທີ່ຈະອອກຈາກລະບົບເພື່ອຫຼີກເວັ້ນການສູນເສຍກະແຈທີ່ອາດຢູ່ໃນລະບົບນີ້ເທົ່ານັ້ນ.", + "key_backup_connect": "ເຊື່ອມຕໍ່ລະບົບນີ້ກັບ ກະເເຈສຳຮອງ", + "key_backup_complete": "ກະແຈທັງໝົດຖືກສຳຮອງໄວ້", + "key_backup_algorithm": "ສູດການຄິດໄລ່:", + "key_backup_inactive_warning": "ກະແຈຂອງທ່ານ ບໍ່ຖືກສຳຮອງຂໍ້ມູນຈາກລະບົບນີ້." }, "preferences": { "room_list_heading": "ລາຍຊື່ຫ້ອງ", @@ -2200,7 +2025,22 @@ "add_msisdn_confirm_sso_button": "ຢືນຢັນການເພີ່ມອີເມວນີ້ໂດຍໃຊ້ Single Sign On ເພື່ອພິສູດຕົວຕົນຂອງທ່ານ.", "add_msisdn_confirm_button": "ຢືນຢັນການເພີ່ມເບີໂທລະສັບ", "add_msisdn_confirm_body": "ກົດປຸ່ມຂ້າງລຸ່ມເພື່ອຢືນຢັນການເພີ່ມອີເມວນີ້.", - "add_msisdn_dialog_title": "ເພີ່ມເບີໂທລະສັບ" + "add_msisdn_dialog_title": "ເພີ່ມເບີໂທລະສັບ", + "name_placeholder": "ບໍ່ມີຊື່ສະແດງຜົນ", + "error_saving_profile_title": "ບັນທຶກໂປຣໄຟລ໌ຂອງທ່ານບໍ່ສຳເລັດ", + "error_saving_profile": "ການດໍາເນີນງານບໍ່ສໍາເລັດ" + }, + "sidebar": { + "title": "ແຖບດ້ານຂ້າງ", + "metaspaces_subsection": "ພຶ້ນທີ່ຈະສະແດງ", + "metaspaces_description": "ພຶ້ນທີ່ເປັນຊ່ອງທາງໃນການຈັດກຸ່ມຫ້ອງ ແລະ ຄົນ. ຄຽງຄູ່ກັບສະຖານທີ່ທີ່ທ່ານຢູ່ໃນ, ທ່ານສາມາດນໍາໃຊ້ບາງບ່ອນທີ່ສ້າງຂຶ້ນກ່ອນໄດ້ເຊັ່ນກັນ.", + "metaspaces_home_description": "ຫນ້າHome ເປັນປະໂຫຍດສໍາລັບການເບິ່ງລາຍການລວມທັງໝົດ.", + "metaspaces_favourites_description": "ຈັດກຸ່ມຫ້ອງ ແລະ ຄົນທີ່ທ່ານມັກທັງໝົດຢູ່ບ່ອນດຽວ.", + "metaspaces_people_description": "ຈັດກຸ່ມຄົນທັງໝົດຂອງເຈົ້າຢູ່ບ່ອນດຽວ.", + "metaspaces_orphans": "ຫ້ອງຢູ່ນອກພື້ນທີ່", + "metaspaces_orphans_description": "ຈັດກຸ່ມຫ້ອງທັງໝົດຂອງທ່ານທີ່ບໍ່ໄດ້ເປັນສ່ວນໜຶ່ງຂອງພື້ນທີ່ຢູ່ໃນບ່ອນດຽວກັນ.", + "metaspaces_home_all_rooms_description": "ສະແດງຫ້ອງທັງໝົດຂອງທ່ານໃນໜ້າຫຼັກ, ເຖິງແມ່ນວ່າພວກມັນຢູ່ໃນບ່ອນໃດນຶ່ງກໍ່ຕາມ.", + "metaspaces_home_all_rooms": "ສະແດງຫ້ອງທັງໝົດ" } }, "devtools": { @@ -2645,7 +2485,15 @@ "see_older_messages": "ກົດທີ່ນີ້ເພື່ອເບິ່ງຂໍ້ຄວາມເກົ່າ." }, "creation_summary_dm": "%(creator)s ສ້າງ DM ນີ້.", - "creation_summary_room": "%(creator)s ສ້າງ ແລະ ກຳນົດຄ່າຫ້ອງ." + "creation_summary_room": "%(creator)s ສ້າງ ແລະ ກຳນົດຄ່າຫ້ອງ.", + "context_menu": { + "view_source": "ເບິ່ງແຫຼ່ງທີ່ມາ", + "show_url_preview": "ສະແດງຕົວຢ່າງ", + "external_url": "ແຫຼ່ງ URL", + "collapse_reply_thread": "ຫຍໍ້ກະທູ້ຕອບກັບ", + "view_related_event": "ເບິ່ງເຫດການທີ່ກ່ຽວຂ້ອງ", + "report": "ລາຍງານ" + } }, "slash_command": { "spoiler": "ສົ່ງຂໍ້ຄວາມທີ່ກຳນົດເປັນ spoiler", @@ -2824,10 +2672,22 @@ "no_permission_conference_description": "ທ່ານບໍ່ໄດ້ຮັບອະນຸຍາດໃຫ້ລິເລີ່ມການໂທປະຊຸມໃນຫ້ອງນີ້", "default_device": "ອຸປະກອນເລີ່ມຕົ້ນ", "no_media_perms_title": "ບໍ່ມີການອະນຸຍາດສື່", - "no_media_perms_description": "ທ່ານອາດຈະຈໍາເປັນຕ້ອງໄດ້ອະນຸຍາດໃຫ້ %(brand)sເຂົ້າເຖິງໄມໂຄຣໂຟນ/ເວັບແຄມຂອງທ່ານ" + "no_media_perms_description": "ທ່ານອາດຈະຈໍາເປັນຕ້ອງໄດ້ອະນຸຍາດໃຫ້ %(brand)sເຂົ້າເຖິງໄມໂຄຣໂຟນ/ເວັບແຄມຂອງທ່ານ", + "join_button_tooltip_connecting": "ກຳລັງເຊື່ອມຕໍ່", + "hide_sidebar_button": "ເຊື່ອງແຖບດ້ານຂ້າງ", + "show_sidebar_button": "ສະແດງແຖບດ້ານຂ້າງ", + "more_button": "ເພີ່ມເຕີມ", + "screenshare_monitor": "ແບ່ງປັນຫນ້າຈໍທັງໝົດ", + "screenshare_window": "ປ່ອງຢ້ຽມຄໍາຮ້ອງສະຫມັກ", + "screenshare_title": "ແບ່ງປັນເນື້ອໃນ", + "n_people_joined": { + "one": "%(count)s ຄົນເຂົ້າຮ່ວມ\"", + "other": "%(count)s ຄົນເຂົ້າຮ່ວມ" + }, + "unknown_person": "ຄົນທີ່ບໍ່ຮູ້", + "connecting": "ກຳລັງເຊື່ອມຕໍ່" }, "Other": "ອື່ນໆ", - "Advanced": "ຂັ້ນສູງ", "room_settings": { "permissions": { "m.room.avatar_space": "ປ່ຽນຮູບ avatar", @@ -2889,7 +2749,33 @@ "history_visibility_shared": "(ນັບແຕ່ຊ່ວງເວລາຂອງການເລືອກນີ້) ສຳລັບສະມາຊິກເທົ່ານັ້ນ", "history_visibility_invited": "ສະເພາະສະມາຊິກເທົ່ານັ້ນ (ນັບແຕ່ພວກເຂົາຖືກເຊີນ)", "history_visibility_joined": "ສະເພາະສະມາຊິກເທົ່ານັ້ນ (ນັບແຕ່ພວກເຂົາເຂົ້າຮ່ວມ)", - "history_visibility_world_readable": "ຄົນໃດຄົນໜຶ່ງ" + "history_visibility_world_readable": "ຄົນໃດຄົນໜຶ່ງ", + "join_rule_upgrade_required": "ຕ້ອງການບົກລະດັບ", + "join_rule_restricted_n_more": { + "one": "& %(count)s ເພີ່ມເຕີມ", + "other": "&%(count)s ເພີ່ມເຕີມ" + }, + "join_rule_restricted_summary": { + "one": "ໃນປັດຈຸບັນ, ມີການເຂົ້າເຖິງພື້ນທີ່", + "other": "ໃນປັດຈຸບັນ, %(count)s ມີການເຂົ້າເຖິງພື້ນທີ່" + }, + "join_rule_restricted_description": "ທຸກຄົນຢູ່ໃນພື້ນທີ່ສາມາດຊອກຫາ ແລະເຂົ້າຮ່ວມໄດ້. ແກ້ໄຂພື້ນທີ່ໃດທີ່ສາມາດເຂົ້າເຖິງທີ່ນີ້.", + "join_rule_restricted_description_spaces": "ພຶ້ນທີ່ ທີ່ມີການເຂົ້າເຖິງ", + "join_rule_restricted_description_active_space": "ທຸກຄົນໃນ ສາມາດຊອກຫາ ແລະເຂົ້າຮ່ວມໄດ້. ທ່ານສາມາດເລືອກບ່ອນອື່ນໄດ້ຄືກັນ.", + "join_rule_restricted_description_prompt": "ທຸກຄົນຢູ່ໃນພື້ນທີ່ສາມາດຊອກຫາ ແລະເຂົ້າຮ່ວມໄດ້. ທ່ານສາມາດເລືອກຫຼາຍໄດ້ຫຼາຍພຶ້ນທີ່.", + "join_rule_restricted": "ພຶ້ນທີ່ຂອງສະມາຊິກ", + "join_rule_restricted_upgrade_warning": "ຫ້ອງນີ້ແມ່ນຢູ່ໃນບາງພື້ນທີ່ທີ່ທ່ານບໍ່ແມ່ນຜູ້ຄຸ້ມຄອງ. ໃນສະຖານທີ່ເຫຼົ່ານັ້ນ, ຫ້ອງເກົ່າຍັງຈະສະແດງຢູ່, ແຕ່ຜູ້ຄົນຈະຖືກກະຕຸ້ນໃຫ້ເຂົ້າຮ່ວມຫ້ອງໃຫມ່.", + "join_rule_restricted_upgrade_description": "ການຍົກລະດັບນີ້ຈະອະນຸຍາດໃຫ້ສະມາຊິກຂອງພື້ນທີ່ທີ່ເລືອກເຂົ້າມາໃນຫ້ອງນີ້ໂດຍບໍ່ມີການເຊີນ.", + "join_rule_upgrade_upgrading_room": "ການຍົກລະດັບຫ້ອງ", + "join_rule_upgrade_awaiting_room": "ກຳລັງໂຫຼດຫ້ອງໃໝ່", + "join_rule_upgrade_sending_invites": { + "one": "ກຳລັງສົ່ງຄຳເຊີນ...", + "other": "ກຳລັງສົ່ງຄຳເຊີນ... (%(progress)s ຈາກທັງໝົດ %(count)s)" + }, + "join_rule_upgrade_updating_spaces": { + "one": "ກຳລັງປັບປຸງພື້ນທີ່..", + "other": "ກຳລັງຍົກລະດັບພື້ນທີ່... (%(progress)s ຈາກທັງໝົດ %(count)s)" + } }, "general": { "publish_toggle": "ເຜີຍແຜ່ຫ້ອງນີ້ຕໍ່ສາທາລະນະຢູ່ໃນຄຳນຳຫ້ອງຂອງ %(domain)s ບໍ?", @@ -2899,7 +2785,11 @@ "default_url_previews_off": "ການສະແດງຕົວຢ່າງ URL ຖືກປິດການນຳໃຊ້ໂດຍຄ່າເລີ່ມຕົ້ນສຳລັບຜູ້ເຂົ້າຮ່ວມໃນຫ້ອງນີ້.", "url_preview_encryption_warning": "ໃນຫ້ອງທີ່ເຂົ້າລະຫັດ, ເຊັ່ນດຽວກັບ, ການສະແດງຕົວຢ່າງ URLໄດ້ປິດໃຊ້ງານໂດຍຄ່າເລີ່ມຕົ້ນເພື່ອຮັບປະກັນວ່າ homeserver ຂອງທ່ານ (ບ່ອນສະແດງຕົວຢ່າງ) ບໍ່ສາມາດລວບລວມຂໍ້ມູນກ່ຽວກັບການເຊື່ອມຕໍ່ທີ່ທ່ານເຫັນຢູ່ໃນຫ້ອງນີ້.", "url_preview_explainer": "ເມື່ອຜູ້ໃດຜູ້ນຶ່ງໃສ່ URL ໃນຂໍ້ຄວາມຂອງພວກເຂົາ, ການສະແດງຕົວຢ່າງ URL ສາມາດສະແດງເພື່ອໃຫ້ຂໍ້ມູນເພີ່ມເຕີມກ່ຽວກັບການເຊື່ອມຕໍ່ນັ້ນເຊັ່ນຫົວຂໍ້, ຄໍາອະທິບາຍແລະຮູບພາບຈາກເວັບໄຊທ໌.", - "url_previews_section": "ຕົວຢ່າງ URL" + "url_previews_section": "ຕົວຢ່າງ URL", + "error_save_space_settings": "ບັນທຶກການຕັ້ງຄ່າພື້ນທີ່ບໍ່ສຳເລັດ.", + "description_space": "ແກ້ໄຂການຕັ້ງຄ່າທີ່ກ່ຽວຂ້ອງກັບພື້ນທີ່ຂອງທ່ານ.", + "save": "ບັນທຶກການປ່ຽນແປງ", + "leave_space": "ອອກຈາກພື້ນທີ່" }, "advanced": { "unfederated": "ຫ້ອງນີ້ບໍ່ສາມາດເຂົ້າເຖິງໄດ້ໂດຍເຊີບເວີ Matrix ໄລຍະໄກ", @@ -2910,6 +2800,24 @@ "room_id": "ID ຫ້ອງພາຍໃນ", "room_version_section": "ເວີຊັ້ນຫ້ອງ", "room_version": "ເວີຊັ້ນຫ້ອງ:" + }, + "delete_avatar_label": "ລືບອາວາຕ້າ", + "upload_avatar_label": "ອັບໂຫຼດອາວາຕ້າ", + "visibility": { + "error_update_guest_access": "ການອັບເດດການເຂົ້າເຖິງຂອງແຂກຂອງພື້ນທີ່ນີ້ບໍ່ສຳເລັດ", + "error_update_history_visibility": "ການອັບເດດປະຫວັດການເບິ່ງເຫັນຂອງພື້ນທີ່ນີ້ບໍ່ສຳເລັດ", + "guest_access_explainer": "ແຂກສາມາດເຂົ້າຮ່ວມພື້ນທີ່ໄດ້ໂດຍບໍ່ຕ້ອງມີບັນຊີ.", + "guest_access_explainer_public_space": "ນີ້ອາດຈະເປັນປະໂຫຍດສໍາລັບສະຖານທີ່ສາທາລະນະ.", + "title": "ການເບິ່ງເຫັນ", + "error_failed_save": "ອັບເດດການເບິ່ງເຫັນພື້ນທີ່ນີ້ບໍ່ສຳເລັດ", + "history_visibility_anyone_space": "ເບິ່ງຕົວຢ່າງພື້ນທີ່", + "history_visibility_anyone_space_description": "ອະນຸຍາດໃຫ້ຄົນເບິ່ງຕົວຢ່າງພື້ນທີ່ຂອງທ່ານກ່ອນທີ່ເຂົາເຈົ້າເຂົ້າຮ່ວມ.", + "history_visibility_anyone_space_recommendation": "ແນະນຳສຳລັບສະຖານທີ່ສາທາລະນະ.", + "guest_access_label": "ເປີດໃຊ້ການເຂົ້າເຖິງແຂກ/ຜູ້ຖືກເຊີນ" + }, + "access": { + "title": "ການເຂົ້າເຖິງ", + "description_space": "ຕັດສິນໃຈວ່າໃຜສາມາດເບິ່ງ ແລະ ເຂົ້າຮ່ວມ %(spaceName)s." } }, "encryption": { @@ -2935,7 +2843,11 @@ "waiting_other_device_details": "ກຳລັງລໍຖ້າໃຫ້ທ່ານກວດສອບໃນອຸປະກອນອື່ນຂອງທ່ານ, %(deviceName)s (%(deviceId)s)…", "waiting_other_device": "ກຳລັງລໍຖ້າໃຫ້ທ່ານຢັ້ງຢືນໃນອຸປະກອນອື່ນຂອງທ່ານ…", "waiting_other_user": "ກຳລັງລໍຖ້າ %(displayName)s ເພື່ອຢັ້ງຢືນ…", - "cancelling": "ກຳລັງຍົກເລີກ…" + "cancelling": "ກຳລັງຍົກເລີກ…", + "unverified_sessions_toast_description": "ກວດສອບໃຫ້ແນ່ໃຈວ່າບັນຊີຂອງທ່ານປອດໄພ", + "unverified_sessions_toast_reject": "ຕໍ່ມາ", + "unverified_session_toast_title": "ເຂົ້າສູ່ລະບົບໃໝ່. ນີ້ແມ່ນທ່ານບໍ?", + "request_toast_detail": "%(deviceId)s ຈາກ %(ip)s" }, "old_version_detected_title": "ກວດພົບຂໍ້ມູນການເຂົ້າລະຫັດລັບເກົ່າ", "old_version_detected_description": "ກວດພົບຂໍ້ມູນຈາກ%(brand)s ລຸ້ນເກົ່າກວ່າ. ອັນນີ້ຈະເຮັດໃຫ້ການເຂົ້າລະຫັດລັບແບບຕົ້ນທາງເຖິງປາຍທາງເຮັດວຽກຜິດປົກກະຕິໃນລຸ້ນເກົ່າ. ຂໍ້ຄວາມທີ່ເຂົ້າລະຫັດແບບຕົ້ນທາງເຖິງປາຍທາງທີ່ໄດ້ແລກປ່ຽນເມື່ອບໍ່ດົນມານີ້ ໃນຂະນະທີ່ໃຊ້ເວີຊັນເກົ່າອາດຈະບໍ່ສາມາດຖອດລະຫັດໄດ້ໃນລູ້ນນີ້. ນີ້ອາດຈະເຮັດໃຫ້ຂໍ້ຄວາມທີ່ແລກປ່ຽນກັບລູ້ນນີ້ບໍ່ສຳເລັດ. ຖ້າເຈົ້າປະສົບບັນຫາ, ໃຫ້ອອກຈາກລະບົບ ແລະ ກັບມາໃໝ່ອີກຄັ້ງ. ເພື່ອຮັກສາປະຫວັດຂໍ້ຄວາມ, ສົ່ງອອກ ແລະ ນໍາເຂົ້າລະຫັດຂອງທ່ານຄືນໃໝ່.", @@ -2945,7 +2857,18 @@ "bootstrap_title": "ການຕັ້ງຄ່າກະແຈ", "export_unsupported": "ບຣາວເຊີຂອງທ່ານບໍ່ຮອງຮັບການເພິ່ມເຂົ້າລະຫັດລັບທີ່ຕ້ອງການ", "import_invalid_keyfile": "ບໍ່ແມ່ນ %(brand)s ຟຮາຍຫຼັກ ທີ່ຖືກຕ້ອງ", - "import_invalid_passphrase": "ການກວດສອບຄວາມຖືກຕ້ອງບໍ່ສຳເລັດ: ລະຫັດຜ່ານບໍ່ຖືກຕ້ອງ?" + "import_invalid_passphrase": "ການກວດສອບຄວາມຖືກຕ້ອງບໍ່ສຳເລັດ: ລະຫັດຜ່ານບໍ່ຖືກຕ້ອງ?", + "set_up_toast_title": "ຕັ້ງຄ່າການສໍາຮອງຂໍ້ມູນທີ່ປອດໄພ", + "upgrade_toast_title": "ມີການຍົກລະດັບການເຂົ້າລະຫັດ", + "verify_toast_title": "ຢືນຢັນລະບົບນີ້", + "set_up_toast_description": "ປ້ອງກັນການສູນເສຍການເຂົ້າເຖິງຂໍ້ຄວາມ ແລະຂໍ້ມູນທີ່ເຂົ້າລະຫັດ", + "verify_toast_description": "ຜູ້ໃຊ້ອື່ນໆອາດຈະບໍ່ໄວ້ວາງໃຈ", + "cross_signing_unsupported": "homeserverຂອງທ່ານບໍ່ຮອງຮັບການລົງຊື່ຂ້າມ.", + "cross_signing_ready": "ການລົງຊື່ຂ້າມແມ່ນກຽມພ້ອມສໍາລັບການໃຊ້ງານ.", + "cross_signing_ready_no_backup": "ການລົງຊື່ຂ້າມແມ່ນພ້ອມແລ້ວແຕ່ກະແຈບໍ່ໄດ້ສຳຮອງໄວ້.", + "cross_signing_untrusted": "ບັນຊີຂອງທ່ານມີຂໍ້ມູນແບບ cross-signing ໃນການເກັບຮັກສາຄວາມລັບ, ແຕ່ວ່າຍັງບໍ່ມີຄວາມເຊື່ອຖືໃນລະບົບນີ້.", + "cross_signing_not_ready": "ບໍ່ໄດ້ຕັ້ງຄ່າ Cross-signing.", + "not_supported": "<ບໍ່ຮອງຮັບ>" }, "emoji": { "category_frequently_used": "ໃຊ້ເປັນປະຈຳ", @@ -2969,7 +2892,8 @@ "bullet_1": "ພວກເຮົາ ບໍ່ ບັນທຶກ ຫຼື ປະຫວັດຂໍ້ມູນບັນຊີໃດໆ", "bullet_2": "ພວກເຮົາ ບໍ່ ແບ່ງປັນຂໍ້ມູນກັບພາກສ່ວນທີສາມ", "disable_prompt": "ທ່ານສາມາດປິດຕັ້ງຄ່າໄດ້ທຸກເວລາ", - "accept_button": "ບໍ່ເປັນຫຍັງ" + "accept_button": "ບໍ່ເປັນຫຍັງ", + "shared_data_heading": "ຂໍ້ມູນຕໍ່ໄປນີ້ອາດຈະຖືກແບ່ງປັນ:" }, "chat_effects": { "confetti_description": "ສົ່ງຂໍ້ຄວາມພ້ອມດ້ວຍ confetti", @@ -3101,7 +3025,8 @@ "no_hs_url_provided": "ບໍ່ມີການສະໜອງ URL homeserver", "autodiscovery_unexpected_error_hs": "ເກີດຄວາມຜິດພາດທີ່ບໍ່ຄາດຄິດໃນການແກ້ໄຂການຕັ້ງຄ່າ homeserver", "autodiscovery_unexpected_error_is": "ເກີດຄວາມຜິດພາດທີ່ບໍ່ຄາດຄິດໃນການແກ້ໄຂການກຳນົດຄ່າເຊີບເວີ", - "incorrect_credentials_detail": "ກະລຸນາຮັບຊາບວ່າທ່ານກຳລັງເຂົ້າສູ່ລະບົບເຊີບເວີ %(hs)s, ບໍ່ແມ່ນ matrix.org." + "incorrect_credentials_detail": "ກະລຸນາຮັບຊາບວ່າທ່ານກຳລັງເຂົ້າສູ່ລະບົບເຊີບເວີ %(hs)s, ບໍ່ແມ່ນ matrix.org.", + "create_account_title": "ສ້າງບັນຊີ" }, "room_list": { "sort_unread_first": "ສະແດງຫ້ອງຂໍ້ຄວາມທີ່ຍັງບໍ່ທັນໄດ້ອ່ານກ່ອນ", @@ -3146,7 +3071,8 @@ "intro_byline": "ເປັນເຈົ້າຂອງການສົນທະນາຂອງທ່ານ.", "send_dm": "ສົ່ງຂໍ້ຄວາມໂດຍກົງ", "explore_rooms": "ສຳຫຼວດຫ້ອງສາທາລະນະ", - "create_room": "ສ້າງກຸ່ມສົນທະນາ" + "create_room": "ສ້າງກຸ່ມສົນທະນາ", + "create_account": "ສ້າງບັນຊີ" }, "setting": { "help_about": { @@ -3229,7 +3155,31 @@ }, "error_need_to_be_logged_in": "ທ່ານຈໍາເປັນຕ້ອງເຂົ້າສູ່ລະບົບ.", "error_need_invite_permission": "ທ່ານຈະຕ້ອງເຊີນຜູ້ໃຊ້ໃຫ້ເຮັດແນວນັ້ນ.", - "no_name": "ແອັບທີ່ບໍ່ຮູ້ຈັກ" + "no_name": "ແອັບທີ່ບໍ່ຮູ້ຈັກ", + "context_menu": { + "start_audio_stream": "ເລີ່ມການຖ່າຍທອດສຽງ", + "screenshot": "ຖ່າຍຮູບ", + "delete": "ລຶບ widget", + "delete_warning": "ການລຶບwidget ຈະເປັນການລຶບອອກສຳລັບຜູ້ໃຊ້ທັງໝົດໃນຫ້ອງນີ້. ທ່ານແນ່ໃຈບໍ່ວ່າຕ້ອງການລຶບwidget ນີ້?", + "remove": "ລຶບອອກສຳລັບທຸກຄົນ", + "revoke": "ຖອນການອະນຸຍາດ", + "move_left": "ຍ້າຍໄປທາງຊ້າຍ", + "move_right": "ຍ້າຍໄປທາງຂວາ" + }, + "shared_data_name": "ສະແດງຊື່ຂອງທ່ານ", + "shared_data_mxid": "ID ຂອງທ່ານ", + "shared_data_theme": "ຫົວຂໍ້ຂອງທ່ານ", + "shared_data_url": "%(brand)s URL", + "shared_data_room_id": "ID ຫ້ອງ", + "shared_data_widget_id": "ໄອດີວິດເຈັດ", + "shared_data_warning_im": "ການໃຊ້ວິດເຈັດນີ້ອາດຈະແບ່ງປັນຂໍ້ມູນ ກັບ %(widgetDomain)s & ຜູ້ຈັດການການເຊື່ອມໂຍງຂອງທ່ານ.", + "shared_data_warning": "ການໃຊ້ວິດເຈັດນີ້ອາດຈະແບ່ງປັນຂໍ້ມູນ ກັບ %(widgetDomain)s.", + "unencrypted_warning": "Widgets ບໍ່ໄດ້ໃຊ້ໃນການເຂົ້າລະຫັດຂໍ້ຄວາມ.", + "added_by": "ເພີ່ມWidgetໂດຍ", + "cookie_warning": "widget ນີ້ອາດຈະໃຊ້ cookies.", + "error_loading": "ເກີດຄວາມຜິດພາດໃນການໂຫຼດ Widget", + "error_mixed_content": "ຂໍ້ຜິດພາດ - ເນື້ອຫາມີການປະສົມປະສານ", + "popout": "ວິດເຈັດ popout" }, "feedback": { "sent": "ສົ່ງຄຳຕິຊົມແລ້ວ", @@ -3296,7 +3246,8 @@ "empty_heading": "ຮັກສາການສົນທະນາທີ່ມີການຈັດລະບຽບ" }, "theme": { - "light_high_contrast": "ແສງສະຫວ່າງຄວາມຄົມຊັດສູງ" + "light_high_contrast": "ແສງສະຫວ່າງຄວາມຄົມຊັດສູງ", + "match_system": "ລະບົບການຈັບຄູ່" }, "space": { "landing_welcome": "ຍິນດີຕ້ອນຮັບສູ່ ", @@ -3312,9 +3263,14 @@ "devtools_open_timeline": "ເບິ່ງທາມລາຍຫ້ອງ (devtools)", "home": "ພຶ້ນທີ່ home", "explore": "ການສຳຫຼວດຫ້ອງ", - "manage_and_explore": "ຈັດການ ແລະ ສຳຫຼວດຫ້ອງ" + "manage_and_explore": "ຈັດການ ແລະ ສຳຫຼວດຫ້ອງ", + "options": "ຕົວເລືອກພື້ນທີ່" }, - "share_public": "ແບ່ງປັນພື້ນທີ່ສາທາລະນະຂອງທ່ານ" + "share_public": "ແບ່ງປັນພື້ນທີ່ສາທາລະນະຂອງທ່ານ", + "search_children": "ຊອກຫາ %(spaceName)s", + "invite_link": "ແບ່ງປັນລິ້ງເຊີນ", + "invite": "ເຊີນຜູ້ຄົນ", + "invite_description": "ເຊີນດ້ວຍອີເມລ໌ ຫຼື ຊື່ຜູ້ໃຊ້" }, "location_sharing": { "MapStyleUrlNotConfigured": "homeserver ນີ້ບໍ່ໄດ້ຕັ້ງຄ່າເພື່ອສະແດງແຜນທີ່.", @@ -3324,7 +3280,14 @@ "failed_timeout": "ໝົດເວລາດຶງຂໍ້ມູນສະຖານທີ່ຂອງທ່ານ. ກະລຸນາລອງໃໝ່ໃນພາຍຫຼັງ.", "failed_unknown": "ການດຶງຂໍ້ມູນສະຖານທີ່ເກີດຄວາມຜິດພາດທີ່ບໍ່ຮູ້ຈັກ. ກະລຸນາລອງໃໝ່ໃນພາຍຫຼັງ.", "expand_map": "ຂະຫຍາຍແຜນທີ່", - "failed_load_map": "ບໍ່ສາມາດໂຫຼດແຜນທີ່ໄດ້" + "failed_load_map": "ບໍ່ສາມາດໂຫຼດແຜນທີ່ໄດ້", + "live_enable_heading": "ການແບ່ງປັນສະຖານທີ່ປັດຈຸບັນ", + "live_enable_description": "ກະລຸນາບັນທຶກ: ນີ້ແມ່ນຄຸນສົມບັດຫ້ອງທົດລອງການນໍາໃຊ້ການປະຕິບັດຊົ່ວຄາວ. ນີ້ຫມາຍຄວາມວ່າທ່ານຈະບໍ່ສາມາດລຶບປະຫວັດສະຖານທີ່ຂອງທ່ານໄດ້, ແລະ ຜູ້ໃຊ້ຂັ້ນສູງຈະສາມາດເຫັນປະຫວັດສະຖານທີ່ຂອງທ່ານເຖິງແມ່ນວ່າຫຼັງຈາກທີ່ທ່ານຢຸດການແບ່ງປັນສະຖານທີ່ປັດຈຸບັນຂອງທ່ານກັບຫ້ອງນີ້.", + "live_toggle_label": "ເປີດໃຊ້ການແບ່ງປັນສະຖານທີ່ປັດຈຸບັນ", + "live_share_button": "ແບ່ງປັນເປັນ %(duration)s", + "click_move_pin": "ກົດເພື່ອຍ້າຍ PIN", + "click_drop_pin": "ກົດເພື່ອວາງປັກໝຸດ", + "share_button": "ແບ່ງປັນສະຖານທີ່" }, "labs_mjolnir": { "room_name": "ບັນຊີລາຍຊື່ການຫ້າມຂອງຂ້ອຍ", @@ -3359,7 +3322,6 @@ }, "create_space": { "name_required": "ກະລຸນາໃສ່ຊື່ສໍາລັບຊ່ອງຫວ່າງ", - "name_placeholder": "ຕົວຢ່າງ: ພື້ນທີ່ຂອງຂ້ອຍ", "explainer": "Spaces ເປັນວິທີໃໝ່ໃນການຈັດກຸ່ມຫ້ອງ ແລະ ຄົນ. ທ່ານຕ້ອງການສ້າງ Space ປະເພດໃດ? ທ່ານສາມາດປ່ຽນອັນນີ້ໃນພາຍຫຼັງ.", "public_description": "ເປີດພື້ນທີ່ສໍາລັບທຸກຄົນ, ດີທີ່ສຸດສໍາລັບຊຸມຊົນ", "private_description": "ເຊີນເທົ່ານັ້ນ, ດີທີ່ສຸດສຳລັບຕົວທ່ານເອງ ຫຼື ທີມງານ", @@ -3388,11 +3350,16 @@ "setup_rooms_community_description": "ສ້າງຫ້ອງສໍາລັບແຕ່ລະຄົນ.", "setup_rooms_description": "ທ່ານສາມາດເພີ່ມເຕີມໃນພາຍຫຼັງ, ລວມທັງອັນທີ່ມີຢູ່ແລ້ວ.", "setup_rooms_private_heading": "ທີມງານຂອງທ່ານເຮັດວຽກຢູ່ໃນໂຄງການໃດ?", - "setup_rooms_private_description": "ພວກເຮົາຈະສ້າງແຕ່ລະຫ້ອງ." + "setup_rooms_private_description": "ພວກເຮົາຈະສ້າງແຕ່ລະຫ້ອງ.", + "address_placeholder": "ຕົວຢ່າງ: ພື້ນທີ່ຂອງຂ້ອຍ", + "address_label": "ທີ່ຢູ່", + "label": "ສ້າງພື້ນທີ່", + "add_details_prompt_2": "ທ່ານສາມາດປ່ຽນສິ່ງເຫຼົ່ານີ້ໄດ້ທຸກເວລາ." }, "user_menu": { "switch_theme_light": "ສະຫຼັບໄປໂໝດແສງ", - "switch_theme_dark": "ສະຫຼັບໄປໂໝດມືດ" + "switch_theme_dark": "ສະຫຼັບໄປໂໝດມືດ", + "settings": "ການຕັ້ງຄ່າທັງໝົດ" }, "notif_panel": { "empty_heading": "ໝົດແລ້ວໝົດເລີຍ", @@ -3428,7 +3395,21 @@ "leave_error_title": "ເກີດຄວາມຜິດພາດໃນຄະນະທີ່ອອກຈາກຫ້ອງ", "upgrade_error_title": "ເກີດຄວາມຜິດພາດໃນການຍົກລະດັບຫ້ອງ", "upgrade_error_description": "ກວດເບິ່ງຄືນວ່າເຊີບເວີຂອງທ່ານຮອງຮັບເວີຊັນຫ້ອງທີ່ເລືອກແລ້ວ ແລະ ລອງໃໝ່ອີກ.", - "leave_server_notices_description": "ຫ້ອງນີ້ໃຊ້ສໍາລັບຂໍ້ຄວາມທີ່ສໍາຄັນຈາກ Homeserver, ດັ່ງນັ້ນທ່ານບໍ່ສາມາດອອກຈາກມັນ." + "leave_server_notices_description": "ຫ້ອງນີ້ໃຊ້ສໍາລັບຂໍ້ຄວາມທີ່ສໍາຄັນຈາກ Homeserver, ດັ່ງນັ້ນທ່ານບໍ່ສາມາດອອກຈາກມັນ.", + "error_join_connection": "ເກີດຄວາມຜິດພາດໃນການເຂົ້າຮ່ວມ.", + "error_join_incompatible_version_1": "ຂໍອະໄພ, homeserverຂອງທ່ານເກົ່າເກີນໄປທີ່ຈະເຂົ້າຮ່ວມທີ່ນີ້.", + "error_join_incompatible_version_2": "ກະລຸນາຕິດຕໍ່ຜູ້ຄຸ້ມຄອງເຊີບເວີຂອງທ່ານ.", + "error_join_404_invite_same_hs": "ຄົນທີ່ເຊີນເຈົ້າໄດ້ອອກໄປແລ້ວ.", + "error_join_404_invite": "ບຸກຄົນທີ່ເຊີນທ່ານໄດ້ອອກໄປແລ້ວ, ຫຼືເຊີບເວີຂອງເຂົາເຈົ້າອອບລາຍຢູ່.", + "error_join_title": "ການເຂົ້າຮ່ວມບໍ່ສຳເລັດ", + "context_menu": { + "unfavourite": "ສີ່ງທີ່ມັກ", + "favourite": "ສິ່ງທີ່ມັກ", + "mentions_only": "ກ່າວເຖິງເທົ່ານັ້ນ", + "copy_link": "ສຳເນົາລິ້ງຫ້ອງ", + "low_priority": "ຄວາມສຳຄັນຕໍ່າ", + "forget": "ລືມຫ້ອງ" + } }, "file_panel": { "guest_note": "ທ່ານຕ້ອງ ລົງທະບຽນ ເພື່ອໃຊ້ຟັງຊັນນີ້", @@ -3448,7 +3429,8 @@ "tac_button": "ກວດເບິ່ງຂໍ້ກໍານົດ ແລະ ເງື່ອນໄຂ", "identity_server_no_terms_title": "ຂໍ້ມູນເຊີບເວີ ບໍ່ມີໃຫ້ບໍລິການ", "identity_server_no_terms_description_1": "ການດຳເນິນການນີ້ຕ້ອງໄດ້ມີການເຂົ້າເຖິງຂໍ້ມູນການຢັ້ງຢືນຕົວຕົນທີ່ ເພື່ອກວດສອບອີເມວ ຫຼື ເບີໂທລະສັບ, ແຕ່ເຊີບເວີບໍ່ມີເງື່ອນໄຂໃນບໍລິການໃດໆ.", - "identity_server_no_terms_description_2": "ຖ້າທ່ານໄວ້ວາງໃຈເຈົ້າຂອງເຊີບເວີດັ່ງກ່າວແລ້ວ ໃຫ້ສືບຕໍ່." + "identity_server_no_terms_description_2": "ຖ້າທ່ານໄວ້ວາງໃຈເຈົ້າຂອງເຊີບເວີດັ່ງກ່າວແລ້ວ ໃຫ້ສືບຕໍ່.", + "inline_intro_text": "ຍອມຮັບ ເພື່ອສືບຕໍ່:" }, "space_settings": { "title": "ການຕັ້ງຄ່າ - %(spaceName)s" @@ -3521,7 +3503,56 @@ "admin_contact": "ກະລຸນາ ຕິດຕໍ່ຜູ້ຄຸ້ມຄອງການບໍລິການຂອງທ່ານ ເພື່ອສືບຕໍ່ໃຊ້ບໍລິການນີ້.", "connection": "ມີບັນຫາໃນການສື່ສານກັບ homeserver, ກະລຸນາລອງໃໝ່ໃນພາຍຫຼັງ.", "mixed_content": "ບໍ່ສາມາດເຊື່ອມຕໍ່ກັບ homeserver ຜ່ານ HTTP ເມື່ອ HTTPS URL ຢູ່ໃນບຣາວເຊີຂອງທ່ານ. ໃຊ້ HTTPS ຫຼື ເປີດໃຊ້ສະຄຣິບທີ່ບໍ່ປອດໄພ.", - "tls": "ບໍ່ສາມາດເຊື່ອມຕໍ່ກັບ homeserver ໄດ້ - ກະລຸນາກວດສອບການເຊື່ອມຕໍ່ຂອງທ່ານ, ໃຫ້ແນ່ໃຈວ່າ ການຢັ້ງຢືນ SSL ຂອງ homeserver ຂອງທ່ານແມ່ນເຊື່ອຖືໄດ້ ແລະ ການຂະຫຍາຍບຣາວເຊີບໍ່ໄດ້ປິດບັງການຮ້ອງຂໍ." + "tls": "ບໍ່ສາມາດເຊື່ອມຕໍ່ກັບ homeserver ໄດ້ - ກະລຸນາກວດສອບການເຊື່ອມຕໍ່ຂອງທ່ານ, ໃຫ້ແນ່ໃຈວ່າ ການຢັ້ງຢືນ SSL ຂອງ homeserver ຂອງທ່ານແມ່ນເຊື່ອຖືໄດ້ ແລະ ການຂະຫຍາຍບຣາວເຊີບໍ່ໄດ້ປິດບັງການຮ້ອງຂໍ.", + "admin_contact_short": "ຕິດຕໍ່ ຜູ້ເບິ່ງຄຸ້ມຄອງເຊີບເວີ ຂອງທ່ານ.", + "non_urgent_echo_failure_toast": "ເຊີບເວີຂອງທ່ານບໍ່ຕອບສະໜອງບາງ ຄຳຮ້ອງຂໍ.", + "failed_copy": "ສຳເນົາບໍ່ສຳເລັດ", + "something_went_wrong": "ມີບາງຢ່າງຜິດພາດ!", + "update_power_level": "ການປ່ຽນແປງລະດັບພະລັງງານບໍ່ສຳເລັດ", + "unknown": "ຄວາມຜິດພາດທີ່ບໍ່ຮູ້ຈັກ" }, - "name_and_id": "%(name)s(%(userId)s)" + "name_and_id": "%(name)s(%(userId)s)", + "items_and_n_others": { + "one": " ແລະ ອີກນຶ່ງລາຍການ", + "other": " ແລະ %(count)s ອື່ນໆ" + }, + "notifications": { + "enable_prompt_toast_title_from_message_send": "ຢ່າພາດການຕອບກັບ", + "enable_prompt_toast_title": "ການແຈ້ງເຕືອນ", + "enable_prompt_toast_description": "ເປີດໃຊ້ການແຈ້ງເຕືອນເດັສທັອບ", + "colour_none": "ບໍ່ມີ", + "colour_bold": "ຕົວໜາ", + "colour_unsent": "ຍັງບໍ່ໄດ້ສົ່ງ", + "error_change_title": "ປ່ຽນການຕັ້ງຄ່າການແຈ້ງເຕືອນ", + "mark_all_read": "ໝາຍທັງໝົດວ່າອ່ານແລ້ວ", + "keyword": "ຄໍາສໍາຄັນ", + "keyword_new": "ຄໍາສໍາຄັນໃຫມ່", + "class_global": "ທົ່ວໂລກ", + "class_other": "ອື່ນໆ", + "mentions_keywords": "ກ່າວເຖິງ & ຄໍາສໍາຄັນ" + }, + "mobile_guide": { + "toast_title": "ໃຊ້ແອັບເພື່ອປະສົບການທີ່ດີກວ່າ", + "toast_description": "%(brand)s ແມ່ນທົດລອງຢູ່ໃນບຣາວຂອງມືຖື. ເພື່ອປະສົບການທີ່ດີກວ່າ ແລະ ຄຸນສົມບັດຫຼ້າສຸດ, ໃຫ້ໃຊ້ແອັບຟຣີຂອງພວກເຮົາ.", + "toast_accept": "ໃຊ້ແອັບ" + }, + "chat_card_back_action_label": "ກັບໄປທີ່ການສົນທະນາ", + "room_summary_card_back_action_label": "ຂໍ້ມູນຫ້ອງ", + "member_list_back_action_label": "ສະມາຊິກຫ້ອງ", + "thread_view_back_action_label": "ກັບໄປທີ່ຫົວຂໍ້", + "quick_settings": { + "title": "ການຕັ້ງຄ່າດ່ວນ", + "all_settings": "ການຕັ້ງຄ່າທັງໝົດ", + "metaspace_section": "ປັກໝຸດໃສ່ແຖບດ້ານຂ້າງ", + "sidebar_settings": "ທາງເລືອກເພີ່ມເຕີມ" + }, + "lightbox": { + "rotate_left": "ໝຸນດ້ານຊ້າຍ", + "rotate_right": "ໝຸນດ້ານຂວາ" + }, + "a11y_jump_first_unread_room": "ໄປຫາຫ້ອງທໍາອິດທີ່ຍັງບໍ່ໄດ້ອ່ານ.", + "integration_manager": { + "error_connecting_heading": "ບໍ່ສາມາດເຊື່ອມຕໍ່ກັບຕົວຈັດການການເຊື່ອມໂຍງໄດ້", + "error_connecting": "ຜູ້ຈັດການການເຊື່ອມໂຍງແມ່ນອອບໄລນ໌ຫຼືບໍ່ສາມາດເຂົ້າຫາ homeserver ຂອງທ່ານໄດ້." + } } diff --git a/src/i18n/strings/lt.json b/src/i18n/strings/lt.json index 846b4f165b..8882c94327 100644 --- a/src/i18n/strings/lt.json +++ b/src/i18n/strings/lt.json @@ -1,16 +1,12 @@ { "Sunday": "Sekmadienis", - "Notification targets": "Pranešimo objektai", "Today": "Šiandien", "Friday": "Penktadienis", - "Notifications": "Pranešimai", "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", - "Favourite": "Mėgstamas", "All Rooms": "Visi pokalbių kambariai", - "Source URL": "Šaltinio URL adresas", "Filter results": "Išfiltruoti rezultatus", "Tuesday": "Antradienis", "Search…": "Paieška…", @@ -27,7 +23,6 @@ "You cannot delete this message. (%(code)s)": "Jūs negalite trinti šios žinutės. (%(code)s)", "Thursday": "Ketvirtadienis", "Yesterday": "Vakar", - "Low Priority": "Žemo prioriteto", "Thank you!": "Ačiū!", "Permission Required": "Reikalingas Leidimas", "Sun": "Sek", @@ -57,7 +52,6 @@ "%(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", - "No display name": "Nėra rodomo vardo", "Warning!": "Įspėjimas!", "Failed to set display name": "Nepavyko nustatyti rodomo vardo", "Failed to mute user": "Nepavyko nutildyti vartotojo", @@ -67,7 +61,6 @@ "other": "(~%(count)s rezultatų(-ai))", "one": "(~%(count)s rezultatas)" }, - "Upload avatar": "Įkelti pseudoportretą", "%(roomName)s does not exist.": "%(roomName)s neegzistuoja.", "%(roomName)s is not accessible at this time.": "%(roomName)s šiuo metu nėra pasiekiamas.", "This room has no local addresses": "Šis kambarys neturi jokių vietinių adresų", @@ -76,12 +69,8 @@ "Download %(text)s": "Atsisiųsti %(text)s", "Error decrypting image": "Klaida iššifruojant vaizdą", "Error decrypting video": "Klaida iššifruojant vaizdo įrašą", - "Copied!": "Nukopijuota!", - "Failed to copy": "Nepavyko nukopijuoti", "Email address": "El. pašto adresas", - "Something went wrong!": "Kažkas nutiko!", "Delete Widget": "Ištrinti valdiklį", - "Delete widget": "Ištrinti valdiklį", "Connectivity to the server has been lost.": "Jungiamumas su šiuo serveriu buvo prarastas.", "Sent messages will be stored until your connection has returned.": "Išsiųstos žinutės bus saugomos tol, kol atsiras ryšys.", "You seem to be uploading files, are you sure you want to quit?": "Panašu, kad jūs įkeliate failus, ar tikrai norite išeiti?", @@ -96,13 +85,10 @@ }, "Uploading %(filename)s": "Įkeliamas %(filename)s", "Unable to remove contact information": "Nepavyko pašalinti kontaktinės informacijos", - "": "", - "Reject all %(invitedRooms)s invites": "Atmesti visus %(invitedRooms)s pakvietimus", "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", - "Profile": "Profilis", "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ą", @@ -126,7 +112,6 @@ "Authentication": "Autentifikavimas", "Forget room": "Pamiršti kambarį", "Share room": "Bendrinti kambarį", - "Please contact your homeserver administrator.": "Susisiekite su savo serverio administratoriumi.", "Demote yourself?": "Pažeminti save?", "Demote": "Pažeminti", "Share Link to User": "Dalintis nuoroda į vartotoją", @@ -138,7 +123,6 @@ "expand": "išskleisti", "Logs sent": "Žurnalai išsiųsti", "Failed to send logs: ": "Nepavyko išsiųsti žurnalų: ", - "Unknown error": "Nežinoma klaida", "An error has occurred.": "Įvyko klaida.", "Failed to upgrade room": "Nepavyko atnaujinti kambario", "The room upgrade could not be completed": "Nepavyko užbaigti kambario atnaujinimo", @@ -162,7 +146,6 @@ "Restricted": "Apribotas", "Moderator": "Moderatorius", "Historical": "Istoriniai", - "Delete Backup": "Ištrinti Atsarginę Kopiją", "Set up": "Nustatyti", "Preparing to send logs": "Ruošiamasi išsiųsti žurnalus", "Incompatible Database": "Nesuderinama duomenų bazė", @@ -177,12 +160,7 @@ "No backup found!": "Nerasta jokios atsarginės kopijos!", "Failed to decrypt %(failedCount)s sessions!": "Nepavyko iššifruoti %(failedCount)s seansų!", "Explore rooms": "Žvalgyti kambarius", - " and %(count)s others": { - "other": " ir %(count)s kiti(-ų)", - "one": " ir dar vienas" - }, "%(items)s and %(lastItem)s": "%(items)s ir %(lastItem)s", - "General": "Bendrieji", "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", @@ -211,10 +189,8 @@ "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)", - "Create account": "Sukurti paskyrą", "Change identity server": "Pakeisti tapatybės serverį", "You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.": "Jūs neturėsite galimybės atšaukti šio keitimo, kadangi jūs žeminate savo privilegijas kambaryje. Jei jūs esate paskutinis privilegijuotas vartotojas kambaryje, atgauti privilegijas bus neįmanoma.", - "Failed to change power level": "Nepavyko pakeisti galios lygio", "You will not be able to undo this change as you are promoting the user to have the same power level as yourself.": "Jūs neturėsite galimybės atšaukti šio keitimo, kadangi jūs paaukštinate vartotoją, suteikdami tokį patį galios lygį, kokį turite jūs.", "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ą.", @@ -228,11 +204,9 @@ "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.", - "Verify this session": "Patvirtinti šį seansą", "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ą", - "Display Name": "Rodomas Vardas", "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:", @@ -245,21 +219,16 @@ "%(name)s declined": "%(name)s atmestas", "%(name)s cancelled": "%(name)s atšauktas", "%(name)s wants to verify": "%(name)s nori patvirtinti", - "Your display name": "Jūsų rodomas vardas", - "Rotate Left": "Pasukti Kairėn", "e.g. my-room": "pvz.: mano-kambarys", "Enter a server name": "Įveskite serverio pavadinimą", "Enter the name of a new server you want to explore.": "Įveskite naujo, norimo žvalgyti serverio pavadinimą.", "Server name": "Serverio pavadinimas", - "Hide advanced": "Paslėpti išplėstinius", - "Show advanced": "Rodyti išplėstinius", "Session name": "Seanso pavadinimas", "Session key": "Seanso raktas", "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į", - "Later": "Vėliau", "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.", @@ -277,9 +246,7 @@ "That doesn't match.": "Tai nesutampa.", "Your password has been reset.": "Jūsų slaptažodis buvo iš naujo nustatytas.", "Show more": "Rodyti daugiau", - "New login. Was this you?": "Naujas prisijungimas. Ar tai jūs?", "Verify your other session using one of the options below.": "Patvirtinkite savo kitą seansą naudodami vieną iš žemiau esančių parinkčių.", - "Restore from Backup": "Atkurti iš Atsarginės Kopijos", "Voice & Video": "Garsas ir Vaizdas", "Deactivate user?": "Deaktyvuoti vartotoją?", "Deactivate user": "Deaktyvuoti vartotoją", @@ -303,7 +270,6 @@ "%(displayName)s cancelled verification.": "%(displayName)s atšaukė patvirtinimą.", "You cancelled verification.": "Jūs atšaukėte patvirtinimą.", "Encryption not enabled": "Šifravimas neįjungtas", - "More options": "Daugiau parinkčių", "Are you sure you want to deactivate your account? This is irreversible.": "Ar tikrai norite deaktyvuoti savo paskyrą? Tai yra negrįžtama.", "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ą?", @@ -329,8 +295,6 @@ "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", - "Your theme": "Jūsų tema", - "Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "Valdiklio ištrinimas pašalina jį visiems kambaryje esantiems vartotojams. Ar tikrai norite ištrinti šį valdiklį?", "Invalid homeserver discovery response": "Klaidingas serverio radimo atsakas", "Invalid identity server discovery response": "Klaidingas tapatybės serverio radimo atsakas", "Dog": "Šuo", @@ -396,11 +360,6 @@ "Anchor": "Inkaras", "Headphones": "Ausinės", "Folder": "Aplankas", - "Other users may not trust it": "Kiti vartotojai gali nepasitikėti", - "Accept to continue:": "Sutikite su , kad tęstumėte:", - "Your homeserver does not support cross-signing.": "Jūsų serveris nepalaiko kryžminio pasirašymo.", - "Your account has a cross-signing identity in secret storage, but it is not yet trusted by this session.": "Jūsų paskyra slaptoje saugykloje turi kryžminio pasirašymo tapatybę, bet šis seansas dar ja nepasitiki.", - "Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "Individualiai patikrinkite kiekvieną vartotojo naudojamą seansą, kad pažymėtumėte jį kaip patikimą, nepasitikint kryžminiu pasirašymu patvirtintais įrenginiais.", "wait and try again later": "palaukti ir bandyti vėliau dar kartą", "If you don't want to use to discover and be discoverable by existing contacts you know, enter another identity server below.": "Jei jūs nenorite naudoti serverio radimui ir tam, kad būtumėte randamas esamų, jums žinomų kontaktų, žemiau įveskite kitą tapatybės serverį.", "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ą.", @@ -443,7 +402,6 @@ "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.", - "Encryption upgrade available": "Galimas šifravimo atnaujinimas", "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", @@ -454,7 +412,6 @@ "Start verification again from their profile.": "Pradėkite patvirtinimą iš naujo jų profilyje.", "The encryption used by this room isn't supported.": "Šiame kambaryje naudojamas šifravimas nėra palaikomas.", "You sent a verification request": "Jūs išsiuntėte patvirtinimo užklausą", - "Widgets do not use message encryption.": "Valdikliai nenaudoja žinučių šifravimo.", "Continue With Encryption Disabled": "Tęsti išjungus šifravimą", "Verify this user to mark them as trusted. Trusting users gives you extra peace of mind when using end-to-end encrypted messages.": "Patvirtinkite šį vartotoją, kad pažymėtumėte jį kaip patikimą. Vartotojų pažymėjimas patikimais suteikia jums papildomos ramybės naudojant visapusiškai užšifruotas žinutes.", "Sign out and remove encryption keys?": "Atsijungti ir pašalinti šifravimo raktus?", @@ -462,9 +419,6 @@ "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ą", - "Unable to load key backup status": "Nepavyko įkelti atsarginės raktų kopijos būklės", - "Connect this session to key backup before signing out to avoid losing any keys that may only be on this session.": "Prieš atsijungdami prijunkite šį seansą prie atsarginės raktų kopijos, kad neprarastumėte raktų, kurie gali būti tik šiame seanse.", - "Connect this session to Key Backup": "Prijungti šį seansą prie Atsarginės Raktų Kopijos", "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ą.", @@ -473,14 +427,7 @@ "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.", "Failed to load timeline position": "Nepavyko įkelti laiko juostos pozicijos", "Identity server URL does not appear to be a valid identity server": "Tapatybės serverio URL neatrodo kaip tinkamas tapatybės serveris", - "well formed": "gerai suformuotas", - "unexpected type": "netikėto tipo", - "Secret storage public key:": "Slaptos saugyklos viešas raktas:", - "in account data": "paskyros duomenyse", - "This session is not backing up your keys, but you do have an existing backup you can restore from and add to going forward.": "Šis seansas nekuria atsarginių raktų kopijų, bet jūs jau turite atsarginę kopiją iš kurios galite atkurti ir pridėti.", - "All keys backed up": "Atsarginės kopijos sukurtos visiems raktams", "This backup is trusted because it has been restored on this session": "Ši atsarginė kopija yra patikima, nes buvo atkurta šiame seanse", - "Message search": "Žinučių paieška", "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", @@ -491,8 +438,6 @@ "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ų.", - "Cannot connect to integration manager": "Neįmanoma prisijungti prie integracijų tvarkytuvo", - "The integration manager is offline or it cannot reach your homeserver.": "Integracijų tvarkytuvas yra išjungtas arba negali pasiekti jūsų serverio.", "Disconnect anyway": "Vis tiek atsijungti", "To report a Matrix-related security issue, please read the Matrix.org Security Disclosure Policy.": "Norėdami pranešti apie su Matrix susijusią saugos problemą, perskaitykite Matrix.org Saugumo Atskleidimo Poliiką.", "Failed to connect to integration manager": "Nepavyko prisijungti prie integracijų tvarkytuvo", @@ -506,8 +451,6 @@ "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.", - "All settings": "Visi nustatymai", - "Change notification settings": "Keisti pranešimų nustatymus", "Room information": "Kambario informacija", "Browse": "Naršyti", "Set a new custom sound": "Nustatyti naują pasirinktinį garsą", @@ -517,8 +460,6 @@ "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", - "Securely cache encrypted messages locally for them to appear in search results.": "Šifruotas žinutes saugiai talpinkite lokaliai, kad jos būtų rodomos paieškos rezultatuose.", - "Safeguard against losing access to encrypted messages & data": "Apsisaugokite nuo prieigos prie šifruotų žinučių ir duomenų praradimo", "Main address": "Pagrindinis adresas", "There was an error updating the room's main address. It may not be allowed by the server or a temporary failure occurred.": "Atnaujinant pagrindinį kambario adresą įvyko klaida. Gali būti, kad serveris to neleidžia arba įvyko laikina klaida.", "Error updating main address": "Atnaujinant pagrindinį adresą įvyko klaida", @@ -557,9 +498,7 @@ "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.", - "Set up Secure Backup": "Nustatyti Saugią Atsarginę Kopiją", "Ok": "Gerai", - "Contact your server admin.": "Susisiekite su savo serverio administratoriumi.", "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", "%(name)s (%(userId)s) signed in to a new session without verifying it:": "%(name)s (%(userId)s) prisijungė prie naujo seanso jo nepatvirtinę:", @@ -570,8 +509,6 @@ }, "Remove %(phone)s?": "Pašalinti %(phone)s?", "Remove %(email)s?": "Pašalinti %(email)s?", - "Remove for everyone": "Pašalinti visiems", - "Popout widget": "Iššokti valdiklį", "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ą", @@ -579,40 +516,19 @@ "None": "Nė vienas", "You should:": "Jūs turėtumėte:", "Checking server": "Tikrinamas serveris", - "not ready": "neparuošta", - "ready": "paruošta", - "Secret storage:": "Slapta saugykla:", - "Backup key cached:": "Atsarginis raktas išsaugotas talpykloje:", - "not stored": "nesaugomas", - "Backup key stored:": "Atsarginis raktas saugomas:", - "Algorithm:": "Algoritmas:", "Backup version:": "Atsarginės kopijos versija:", - "Profile picture": "Profilio paveikslėlis", - "The operation could not be completed": "Nepavyko užbaigti operacijos", - "Failed to save your profile": "Nepavyko išsaugoti jūsų profilio", - "Forget Room": "Pamiršti Kambarį", "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", - "Are you sure? You will lose your encrypted messages if your keys are not backed up properly.": "Ar tikrai? Jūs prarasite savo šifruotas žinutes, jei jūsų raktams nebus tinkamai sukurtos atsarginės kopijos.", - "Your keys are not being backed up from this session.": "Jūsų raktams nėra daromos atsarginės kopijos iš šio seanso.", - "Favourited": "Mėgstamas", "Room options": "Kambario parinktys", - "%(brand)s can't securely cache encrypted messages locally while running in a web browser. Use %(brand)s Desktop for encrypted messages to appear in search results.": "%(brand)s negali saugiai talpinti šifruotų žinučių lokaliai, kai veikia interneto naršyklėje. Naudokite %(brand)s Desktop (darbastalio versija), kad šifruotos žinutės būtų rodomos paieškos rezultatuose.", - "%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with search components added.": "%(brand)s trūksta kai kurių komponentų, reikalingų saugiai talpinti šifruotas žinutes lokaliai. Jei norite eksperimentuoti su šia funkcija, sukurkite pasirinktinį %(brand)s Desktop (darbastalio versiją), su pridėtais paieškos komponentais.", - "Cross-signing is not set up.": "Kryžminis pasirašymas nenustatytas.", - "Cross-signing is ready for use.": "Kryžminis pasirašymas yra paruoštas naudoti.", - "Your server isn't responding to some requests.": "Jūsų serveris neatsako į kai kurias užklausas.", "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.", - "Accept all %(invitedRooms)s invites": "Priimti visus %(invitedRooms)s pakvietimus", - "Bulk options": "Grupinės parinktys", "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ą.", @@ -702,7 +618,6 @@ "Generate a Security Key": "Generuoti Saugumo Raktą", "Save your Security Key": "Išsaugoti savo Saugumo Raktą", "Go to Settings": "Eiti į Nustatymus", - "Any of the following data may be shared:": "Gali būti dalijamasi bet kuriais toliau nurodytais duomenimis:", "Cancel search": "Atšaukti paiešką", "Can't load this message": "Nepavyko įkelti šios žinutės", "Submit logs": "Pateikti žurnalus", @@ -717,9 +632,6 @@ "Barbados": "Barbadosas", "Bahrain": "Bahreinas", "Great! This Security Phrase looks strong enough.": "Puiku! Ši Saugumo Frazė atrodo pakankamai stipri.", - "Revoke permissions": "Atšaukti leidimus", - "Take a picture": "Padarykite nuotrauką", - "Start audio stream": "Pradėti garso transliaciją", "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)", @@ -762,7 +674,6 @@ "Verification Request": "Patikrinimo Užklausa", "Be found by phone or email": "Tapkite randami telefonu arba el. paštu", "Find others by phone or email": "Ieškokite kitų telefonu arba el. paštu", - "Save Changes": "Išsaugoti Pakeitimus", "Link to selected message": "Nuoroda į pasirinktą pranešimą", "Share User": "Dalintis Vartotoju", "Please check your email and click on the link it contains. Once this is done, click continue.": "Patikrinkite savo el. laišką ir spustelėkite jame esančią nuorodą. Kai tai padarysite, spauskite tęsti.", @@ -837,13 +748,6 @@ "This version of %(brand)s does not support viewing some encrypted files": "Ši %(brand)s versija nepalaiko kai kurių užšifruotų failų peržiūros", "Use the Desktop app to search encrypted messages": "Naudokite Kompiuterio programą kad ieškoti užšifruotų žinučių", "Use the Desktop app to see all encrypted files": "Naudokite Kompiuterio programą kad matytumėte visus užšifruotus failus", - "Error - Mixed content": "Klaida - Maišytas turinys", - "Error loading Widget": "Klaida kraunant Valdiklį", - "This widget may use cookies.": "Šiame valdiklyje gali būti naudojami slapukai.", - "Widget added by": "Valdiklį pridėjo", - "Widget ID": "Valdiklio ID", - "Room ID": "Kambario ID", - "Your user ID": "Jūsų vartotojo ID", "Sri Lanka": "Šri Lanka", "Spain": "Ispanija", "South Korea": "Pietų Korėja", @@ -862,7 +766,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.", - "Using this widget may share data with %(widgetDomain)s & your integration manager.": "Naudojant šį valdiklį gali būti dalijamasi duomenimis su %(widgetDomain)s ir jūsų integracijų tvarkykle.", "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.", @@ -879,31 +782,7 @@ "Bahamas": "Bahamų salos", "Unable to share email address": "Nepavyko pasidalinti el. pašto adresu", "Verification code": "Patvirtinimo kodas", - "Mentions & keywords": "Paminėjimai & Raktažodžiai", - "New keyword": "Naujas raktažodis", - "Keyword": "Raktažodis", - "Sending invites... (%(progress)s out of %(count)s)": { - "one": "Siunčiame pakvietimą...", - "other": "Siunčiame pakvietimus... (%(progress)s iš %(count)s)" - }, - "Loading new room": "Įkeliamas naujas kambarys", - "Upgrading room": "Atnaujinamas kambarys", - "& %(count)s more": { - "one": "& %(count)s daugiau", - "other": "& %(count)s daugiau" - }, - "Upgrade required": "Reikalingas atnaujinimas", - "Decide who can view and join %(spaceName)s.": "Nuspręskite kas gali peržiūrėti ir prisijungti prie %(spaceName)s.", - "Visibility": "Matomumas", - "Jump to first unread room.": "Peršokti į pirmą neperskaitytą kambarį.", - "Jump to first invite.": "Peršokti iki pirmo pakvietimo.", - "Enable guest access": "Įjungti svečių prieigą", - "Invite people": "Pakviesti žmonių", "Address": "Adresas", - "Search %(spaceName)s": "Ieškoti %(spaceName)s", - "Delete avatar": "Ištrinti avatarą", - "More": "Daugiau", - "Connecting": "Jungiamasi", "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", @@ -975,7 +854,6 @@ "No microphone found": "Mikrofonas nerastas", "We were unable to access your microphone. Please check your browser settings and try again.": "Mums nepavyko pasiekti jūsų mikrofono. Patikrinkite naršyklės nustatymus ir bandykite dar kartą.", "Unable to access your microphone": "Nepavyksta pasiekti mikrofono", - "Mark all as read": "Pažymėti viską kaip perskaitytą", "Jump to first unread message.": "Pereiti prie pirmos neperskaitytos žinutės.", "Open thread": "Atidaryti temą", "%(count)s reply": { @@ -1034,101 +912,19 @@ "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ą.", - "Group all your rooms that aren't part of a space in one place.": "Sugrupuokite visus kambarius, kurie nėra erdvės dalis, į vieną vietą.", - "Rooms outside of a space": "Kambariai nepriklausantys erdvei", - "Group all your people in one place.": "Sugrupuokite visus savo žmones vienoje vietoje.", - "Group all your favourite rooms and people in one place.": "Sugrupuokite visus mėgstamus kambarius ir žmones vienoje vietoje.", - "Show all your rooms in Home, even if they're in a space.": "Rodyti visus savo kambarius pradžioje, net jei jie yra erdvėje.", - "Home is useful for getting an overview of everything.": "Pradžia yra naudinga norint apžvelgti viską.", - "Spaces are ways to group rooms and people. Alongside the spaces you're in, you can use some pre-built ones too.": "Erdvės - tai kambarių ir žmonių grupavimo būdai. Kartu su erdvėmis kuriose esate, galite naudoti ir kai kurias iš anksto sukurtas erdves.", - "Spaces to show": "Kurias erdves rodyti", - "Sidebar": "Šoninė juosta", - "For best security, verify your sessions and sign out from any session that you don't recognize or use anymore.": "Kad užtikrintumėte geriausią saugumą, patikrinkite savo sesijas ir atsijunkite iš bet kurios sesijos, kurios neatpažįstate arba nebenaudojate.", - "Sessions": "Sesijos", - "Share anonymous data to help us identify issues. Nothing personal. No third parties.": "Bendrinti anoniminius duomenis, kurie padės mums nustatyti problemas. Nieko asmeniško. Jokių trečiųjų šalių.", "You have no ignored users.": "Nėra ignoruojamų naudotojų.", "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.", - "Back up your encryption keys with your account data in case you lose access to your sessions. Your keys will be secured with a unique Security Key.": "Pasidarykite šifravimo raktų ir paskyros duomenų atsarginę kopiją, jei prarastumėte prieigą prie sesijų. Jūsų raktai bus apsaugoti unikaliu saugumo raktu.", - "There was an error loading your notification settings.": "Įkeliant pranešimų nustatymus įvyko klaida.", - "Global": "Globalus", - "Updating spaces... (%(progress)s out of %(count)s)": { - "one": "Atnaujinama erdvė...", - "other": "Atnaujinamos erdvės... (%(progress)s iš %(count)s)" - }, - "This upgrade will allow members of selected spaces access to this room without an invite.": "Šis atnaujinimas suteiks galimybę pasirinktų erdvių nariams patekti į šį kambarį be kvietimo.", - "This room is in some spaces you're not an admin of. In those spaces, the old room will still be shown, but people will be prompted to join the new one.": "Šis kambarys yra kai kuriose erdvėse, kuriose nesate administratorius. Šiose erdvėse senasis kambarys vis dar bus rodomas, bet žmonės bus raginami prisijungti prie naujojo.", - "Space members": "Erdvės nariai", - "Anyone in a space can find and join. You can select multiple spaces.": "Kiekvienas esantis erdvėje gali rasti ir prisijungti. Galite pasirinkti kelias erdves.", - "Anyone in can find and join. You can select other spaces too.": "Kiekvienas iš gali rasti ir prisijungti. Galite pasirinkti ir kitas erdves.", - "Spaces with access": "Erdvės su prieiga", - "Anyone in a space can find and join. Edit which spaces can access here.": "Bet kas erdvėje gali rasti ir prisijungti. Redaguoti kurios erdvės gali pasiekti čia.", - "Currently, %(count)s spaces have access": { - "one": "Šiuo metu erdvė turi prieigą", - "other": "Šiuo metu %(count)s erdvės turi prieigą" - }, - "Message search initialisation failed": "Nepavyko inicializuoti žinučių paieškos", - "Securely cache encrypted messages locally for them to appear in search results, using %(size)s to store messages from %(rooms)s rooms.": { - "one": "Saugiai talpinkite užšifruotas žinutes vietoje, kad jos būtų rodomos paieškos rezultatuose, naudojant %(size)s žinutėms iš %(rooms)s kambario saugoti.", - "other": "Saugiai talpinkite užšifruotas žinutes vietoje, kad jos būtų rodomos paieškos rezultatuose, naudojant %(size)s žinutėms iš %(rooms)s kambarių saugoti." - }, - "Cross-signing is ready but keys are not backed up.": "Kryžminis pasirašymas paruoštas, tačiau raktai neturi atsarginės kopijos.", - "Space options": "Erdvės parinktys", - "Recommended for public spaces.": "Rekomenduojama viešosiose erdvėse.", - "Allow people to preview your space before they join.": "Leisti žmonėms peržiūrėti jūsų erdvę prieš prisijungiant.", "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", "Experimental": "Eksperimentinis", "Themes": "Temos", "Moderation": "Moderavimas", - "Spaces": "Erdvės", "Messaging": "Žinučių siuntimas", - "Back to thread": "Grįžti prie temos", - "Room members": "Kambario nariai", - "Back to chat": "Grįžti į pokalbį", - "You were disconnected from the call. (Error: %(message)s)": "Jūsų skambutis buvo nutrauktas. (Klaida: %(message)s)", - "Connection lost": "Ryšys prarastas", - "Failed to join": "Nepavyko prisijungti", - "The person who invited you has already left, or their server is offline.": "Jus pakvietęs asmuo jau išėjo arba jo serveris neveikia.", - "The person who invited you has already left.": "Jus pakvietęs asmuo jau išėjo.", - "Sorry, your homeserver is too old to participate here.": "Atsiprašome, bet jūsų namų serveris yra per senas, kad galėtumėte čia dalyvauti.", - "There was an error joining.": "Įvyko klaida prisijungiant.", - "%(deviceId)s from %(ip)s": "%(deviceId)s iš %(ip)s", - "Use app": "Naudoti programėlę", - "%(brand)s is experimental on a mobile web browser. For a better experience and the latest features, use our free native app.": "%(brand)s yra eksperimentinis mobiliojoje žiniatinklio naršyklėje. Jei norite geresnės patirties ir naujausių funkcijų, naudokitės nemokama vietine programėle.", - "Use app for a better experience": "Naudokite programėlę geresnei patirčiai", - "Enable desktop notifications": "Įjungti darbalaukio pranešimus", - "Don't miss a reply": "Nepraleiskite atsakymų", - "Review to ensure your account is safe": "Peržiūrėkite, ar jūsų paskyra yra saugi", - "Preview Space": "Peržiūrėti erdvę", - "Failed to update the visibility of this space": "Nepavyko atnaujinti šios erdvės matomumo", - "Access": "Prieiga", - "This may be useful for public spaces.": "Tai gali būti naudinga viešosiose erdvėse.", - "Guests can join a space without having an account.": "Svečiai gali prisijungti prie erdvės neturėdami paskyros.", - "Failed to update the history visibility of this space": "Nepavyko atnaujinti šios erdvės istorijos matomumo", - "Failed to update the guest access of this space": "Nepavyko atnaujinti šios erdvės svečių prieigos", - "Leave Space": "Palikti erdvę", - "Edit settings relating to your space.": "Redaguoti su savo erdve susijusius nustatymus.", - "Failed to save space settings.": "Nepavyko išsaugoti erdvės nustatymų.", - "Invite with email or username": "Pakviesti su el. paštu arba naudotojo vardu", - "Share invite link": "Bendrinti pakvietimo nuorodą", - "Click to copy": "Spustelėkite kad nukopijuoti", - "Show all rooms": "Rodyti visus kambarius", - "You can change these anytime.": "Jūs tai galite pakeisti bet kada.", "To join a space you'll need an invite.": "Norėdami prisijungti prie erdvės, turėsite gauti kvietimą.", "Create a space": "Sukurti erdvę", "Space selection": "Erdvės pasirinkimas", - "Match system": "Atitikti sistemą", - "Pin to sidebar": "Prisegti prie šoninės juostos", - "Quick settings": "Greiti nustatymai", - "Show sidebar": "Rodyti šoninę juostą", - "Hide sidebar": "Slėpti šoninę juostą", - "unknown person": "nežinomas asmuo", - "%(count)s people joined": { - "one": "%(count)s žmogus prisijungė", - "other": "%(count)s žmonės prisijungė" - }, "Vietnam": "Vietnamas", "United Arab Emirates": "Jungtiniai Arabų Emiratai", "Ukraine": "Ukraina", @@ -1210,10 +1006,8 @@ "Italy": "Italija", "Public rooms": "Vieši kambariai", "Search for": "Ieškoti", - "View source": "Peržiūrėti šaltinį", "Unable to copy a link to the room to the clipboard.": "Nepavyko nukopijuoti nuorodos į kambarį į iškarpinę.", "Unable to copy room link": "Nepavyko nukopijuoti kambario nurodos", - "Copy room link": "Kopijuoti kambario nuorodą", "common": { "about": "Apie", "analytics": "Analitika", @@ -1290,7 +1084,14 @@ "off": "Išjungta", "all_rooms": "Visi kambariai", "deselect_all": "Nuimti pasirinkimą nuo visko", - "select_all": "Pasirinkti viską" + "select_all": "Pasirinkti viską", + "copied": "Nukopijuota!", + "advanced": "Išplėstiniai", + "spaces": "Erdvės", + "general": "Bendrieji", + "profile": "Profilis", + "display_name": "Rodomas Vardas", + "user_avatar": "Profilio paveikslėlis" }, "action": { "continue": "Tęsti", @@ -1380,7 +1181,10 @@ "mention": "Paminėti", "submit": "Pateikti", "send_report": "Siųsti pranešimą", - "unban": "Atblokuoti" + "unban": "Atblokuoti", + "click_to_copy": "Spustelėkite kad nukopijuoti", + "hide_advanced": "Paslėpti išplėstinius", + "show_advanced": "Rodyti išplėstinius" }, "labs": { "video_rooms": "Vaizdo kambariai", @@ -1474,7 +1278,6 @@ "user_description": "Naudotojai" } }, - "Bold": "Pusjuodis", "Code": "Kodas", "power_level": { "default": "Numatytas", @@ -1563,7 +1366,8 @@ "intro_welcome": "Sveiki prisijungę į %(appName)s", "send_dm": "Siųsti tiesioginę žinutę", "explore_rooms": "Žvalgyti viešus kambarius", - "create_room": "Sukurti grupės pokalbį" + "create_room": "Sukurti grupės pokalbį", + "create_account": "Sukurti paskyrą" }, "settings": { "show_breadcrumbs": "Rodyti neseniai peržiūrėtų kambarių nuorodas virš kambarių sąrašo", @@ -1623,7 +1427,9 @@ "noisy": "Triukšmingas", "error_permissions_denied": "%(brand)s neturi leidimo siųsti jums pranešimus - patikrinkite savo naršyklės nustatymus", "error_permissions_missing": "%(brand)s nebuvo suteiktas leidimas siųsti pranešimus - bandykite dar kartą", - "error_title": "Nepavyko įjungti Pranešimų" + "error_title": "Nepavyko įjungti Pranešimų", + "push_targets": "Pranešimo objektai", + "error_loading": "Įkeliant pranešimų nustatymus įvyko klaida." }, "appearance": { "layout_irc": "IRC (eksperimentinis)", @@ -1681,7 +1487,42 @@ "cryptography_section": "Kriptografija", "session_id": "Seanso ID:", "session_key": "Seanso raktas:", - "encryption_section": "Šifravimas" + "encryption_section": "Šifravimas", + "bulk_options_section": "Grupinės parinktys", + "bulk_options_accept_all_invites": "Priimti visus %(invitedRooms)s pakvietimus", + "bulk_options_reject_all_invites": "Atmesti visus %(invitedRooms)s pakvietimus", + "message_search_section": "Žinučių paieška", + "analytics_subsection_description": "Bendrinti anoniminius duomenis, kurie padės mums nustatyti problemas. Nieko asmeniško. Jokių trečiųjų šalių.", + "encryption_individual_verification_mode": "Individualiai patikrinkite kiekvieną vartotojo naudojamą seansą, kad pažymėtumėte jį kaip patikimą, nepasitikint kryžminiu pasirašymu patvirtintais įrenginiais.", + "message_search_enabled": { + "one": "Saugiai talpinkite užšifruotas žinutes vietoje, kad jos būtų rodomos paieškos rezultatuose, naudojant %(size)s žinutėms iš %(rooms)s kambario saugoti.", + "other": "Saugiai talpinkite užšifruotas žinutes vietoje, kad jos būtų rodomos paieškos rezultatuose, naudojant %(size)s žinutėms iš %(rooms)s kambarių saugoti." + }, + "message_search_disabled": "Šifruotas žinutes saugiai talpinkite lokaliai, kad jos būtų rodomos paieškos rezultatuose.", + "message_search_unsupported": "%(brand)s trūksta kai kurių komponentų, reikalingų saugiai talpinti šifruotas žinutes lokaliai. Jei norite eksperimentuoti su šia funkcija, sukurkite pasirinktinį %(brand)s Desktop (darbastalio versiją), su pridėtais paieškos komponentais.", + "message_search_unsupported_web": "%(brand)s negali saugiai talpinti šifruotų žinučių lokaliai, kai veikia interneto naršyklėje. Naudokite %(brand)s Desktop (darbastalio versija), kad šifruotos žinutės būtų rodomos paieškos rezultatuose.", + "message_search_failed": "Nepavyko inicializuoti žinučių paieškos", + "backup_key_well_formed": "gerai suformuotas", + "backup_key_unexpected_type": "netikėto tipo", + "backup_keys_description": "Pasidarykite šifravimo raktų ir paskyros duomenų atsarginę kopiją, jei prarastumėte prieigą prie sesijų. Jūsų raktai bus apsaugoti unikaliu saugumo raktu.", + "backup_key_stored_status": "Atsarginis raktas saugomas:", + "cross_signing_not_stored": "nesaugomas", + "backup_key_cached_status": "Atsarginis raktas išsaugotas talpykloje:", + "4s_public_key_status": "Slaptos saugyklos viešas raktas:", + "4s_public_key_in_account_data": "paskyros duomenyse", + "secret_storage_status": "Slapta saugykla:", + "secret_storage_ready": "paruošta", + "secret_storage_not_ready": "neparuošta", + "delete_backup": "Ištrinti Atsarginę Kopiją", + "delete_backup_confirm_description": "Ar tikrai? Jūs prarasite savo šifruotas žinutes, jei jūsų raktams nebus tinkamai sukurtos atsarginės kopijos.", + "error_loading_key_backup_status": "Nepavyko įkelti atsarginės raktų kopijos būklės", + "restore_key_backup": "Atkurti iš Atsarginės Kopijos", + "key_backup_inactive": "Šis seansas nekuria atsarginių raktų kopijų, bet jūs jau turite atsarginę kopiją iš kurios galite atkurti ir pridėti.", + "key_backup_connect_prompt": "Prieš atsijungdami prijunkite šį seansą prie atsarginės raktų kopijos, kad neprarastumėte raktų, kurie gali būti tik šiame seanse.", + "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." }, "preferences": { "room_list_heading": "Kambarių sąrašas", @@ -1751,7 +1592,9 @@ "other": "Atjungti įrenginius", "one": "Atjungti įrenginį" }, - "security_recommendations": "Saugumo rekomendacijos" + "security_recommendations": "Saugumo rekomendacijos", + "title": "Sesijos", + "other_sessions_subsection_description": "Kad užtikrintumėte geriausią saugumą, patikrinkite savo sesijas ir atsijunkite iš bet kurios sesijos, kurios neatpažįstate arba nebenaudojate." }, "general": { "account_section": "Paskyra", @@ -1766,7 +1609,22 @@ "add_msisdn_confirm_sso_button": "Patvirtinkite šio tel. nr. pridėjimą naudodami Vieną Prisijungimą, kad įrodytumėte savo tapatybę.", "add_msisdn_confirm_button": "Patvirtinkite telefono numerio pridėjimą", "add_msisdn_confirm_body": "Paspauskite žemiau esantį mygtuką, kad patvirtintumėte šio numerio pridėjimą.", - "add_msisdn_dialog_title": "Pridėti Telefono Numerį" + "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" + }, + "sidebar": { + "title": "Šoninė juosta", + "metaspaces_subsection": "Kurias erdves rodyti", + "metaspaces_description": "Erdvės - tai kambarių ir žmonių grupavimo būdai. Kartu su erdvėmis kuriose esate, galite naudoti ir kai kurias iš anksto sukurtas erdves.", + "metaspaces_home_description": "Pradžia yra naudinga norint apžvelgti viską.", + "metaspaces_favourites_description": "Sugrupuokite visus mėgstamus kambarius ir žmones vienoje vietoje.", + "metaspaces_people_description": "Sugrupuokite visus savo žmones vienoje vietoje.", + "metaspaces_orphans": "Kambariai nepriklausantys erdvei", + "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" } }, "devtools": { @@ -2065,7 +1923,11 @@ "see_older_messages": "Spustelėkite čia, norėdami matyti senesnes žinutes." }, "creation_summary_dm": "%(creator)s sukūrė šį tiesioginio susirašymo kambarį.", - "creation_summary_room": "%(creator)s sukūrė ir sukonfigūravo kambarį." + "creation_summary_room": "%(creator)s sukūrė ir sukonfigūravo kambarį.", + "context_menu": { + "view_source": "Peržiūrėti šaltinį", + "external_url": "Šaltinio URL adresas" + } }, "slash_command": { "shrug": "Prideda ¯\\_(ツ)_/¯ prie paprasto teksto žinutės", @@ -2221,10 +2083,19 @@ "no_permission_conference_description": "Jūs neturite leidimo šiame kambaryje pradėti konferencinį pokalbį", "default_device": "Numatytasis įrenginys", "no_media_perms_title": "Nėra medijos leidimų", - "no_media_perms_description": "Jums gali tekti rankiniu būdu duoti leidimą %(brand)s prieigai prie mikrofono/kameros" + "no_media_perms_description": "Jums gali tekti rankiniu būdu duoti leidimą %(brand)s prieigai prie mikrofono/kameros", + "join_button_tooltip_connecting": "Jungiamasi", + "hide_sidebar_button": "Slėpti šoninę juostą", + "show_sidebar_button": "Rodyti šoninę juostą", + "more_button": "Daugiau", + "n_people_joined": { + "one": "%(count)s žmogus prisijungė", + "other": "%(count)s žmonės prisijungė" + }, + "unknown_person": "nežinomas asmuo", + "connecting": "Jungiamasi" }, "Other": "Kitas", - "Advanced": "Išplėstiniai", "room_settings": { "permissions": { "m.room.avatar_space": "Keisti erdvės avatarą", @@ -2287,7 +2158,33 @@ "history_visibility_shared": "Tik nariai (nuo šios parinkties pasirinkimo momento)", "history_visibility_invited": "Tik nariai (nuo jų pakvietimo)", "history_visibility_joined": "Tik nariai (nuo jų prisijungimo)", - "history_visibility_world_readable": "Bet kas" + "history_visibility_world_readable": "Bet kas", + "join_rule_upgrade_required": "Reikalingas atnaujinimas", + "join_rule_restricted_n_more": { + "one": "& %(count)s daugiau", + "other": "& %(count)s daugiau" + }, + "join_rule_restricted_summary": { + "one": "Šiuo metu erdvė turi prieigą", + "other": "Šiuo metu %(count)s erdvės turi prieigą" + }, + "join_rule_restricted_description": "Bet kas erdvėje gali rasti ir prisijungti. Redaguoti kurios erdvės gali pasiekti čia.", + "join_rule_restricted_description_spaces": "Erdvės su prieiga", + "join_rule_restricted_description_active_space": "Kiekvienas iš gali rasti ir prisijungti. Galite pasirinkti ir kitas erdves.", + "join_rule_restricted_description_prompt": "Kiekvienas esantis erdvėje gali rasti ir prisijungti. Galite pasirinkti kelias erdves.", + "join_rule_restricted": "Erdvės nariai", + "join_rule_restricted_upgrade_warning": "Šis kambarys yra kai kuriose erdvėse, kuriose nesate administratorius. Šiose erdvėse senasis kambarys vis dar bus rodomas, bet žmonės bus raginami prisijungti prie naujojo.", + "join_rule_restricted_upgrade_description": "Šis atnaujinimas suteiks galimybę pasirinktų erdvių nariams patekti į šį kambarį be kvietimo.", + "join_rule_upgrade_upgrading_room": "Atnaujinamas kambarys", + "join_rule_upgrade_awaiting_room": "Įkeliamas naujas kambarys", + "join_rule_upgrade_sending_invites": { + "one": "Siunčiame pakvietimą...", + "other": "Siunčiame pakvietimus... (%(progress)s iš %(count)s)" + }, + "join_rule_upgrade_updating_spaces": { + "one": "Atnaujinama erdvė...", + "other": "Atnaujinamos erdvės... (%(progress)s iš %(count)s)" + } }, "general": { "publish_toggle": "Paskelbti šį kambarį viešai %(domain)s kambarių kataloge?", @@ -2297,7 +2194,11 @@ "default_url_previews_off": "URL nuorodų peržiūros šio kambario dalyviams yra išjungtos kaip numatytosios.", "url_preview_encryption_warning": "Šifruotuose kambariuose, tokiuose kaip šis, URL nuorodų peržiūros pagal numatymą yra išjungtos, kad būtų užtikrinta, jog jūsų serveris (kur yra generuojamos peržiūros) negali rinkti informacijos apie jūsų šiame kambaryje peržiūrėtas nuorodas.", "url_preview_explainer": "Kai kas nors į savo žinutę įtraukia URL, gali būti rodoma URL peržiūra, suteikianti daugiau informacijos apie tą nuorodą, tokios kaip pavadinimas, aprašymas ir vaizdas iš svetainės.", - "url_previews_section": "URL nuorodų peržiūros" + "url_previews_section": "URL nuorodų peržiūros", + "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ę" }, "advanced": { "unfederated": "Šis kambarys nėra pasiekiamas nuotoliniams Matrix serveriams", @@ -2308,6 +2209,24 @@ "room_id": "Vidinis kambario ID", "room_version_section": "Kambario versija", "room_version": "Kambario versija:" + }, + "delete_avatar_label": "Ištrinti avatarą", + "upload_avatar_label": "Įkelti pseudoportretą", + "visibility": { + "error_update_guest_access": "Nepavyko atnaujinti šios erdvės svečių prieigos", + "error_update_history_visibility": "Nepavyko atnaujinti šios erdvės istorijos matomumo", + "guest_access_explainer": "Svečiai gali prisijungti prie erdvės neturėdami paskyros.", + "guest_access_explainer_public_space": "Tai gali būti naudinga viešosiose erdvėse.", + "title": "Matomumas", + "error_failed_save": "Nepavyko atnaujinti šios erdvės matomumo", + "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ą" + }, + "access": { + "title": "Prieiga", + "description_space": "Nuspręskite kas gali peržiūrėti ir prisijungti prie %(spaceName)s." } }, "encryption": { @@ -2334,7 +2253,11 @@ "waiting_other_device_details": "Laukiama, kol patvirtinsite kitame įrenginyje, %(deviceName)s (%(deviceId)s)…", "waiting_other_device": "Laukiame, kol patvirtinsite kitame įrenginyje…", "waiting_other_user": "Laukiama kol %(displayName)s patvirtins…", - "cancelling": "Atšaukiama…" + "cancelling": "Atšaukiama…", + "unverified_sessions_toast_description": "Peržiūrėkite, ar jūsų paskyra yra saugi", + "unverified_sessions_toast_reject": "Vėliau", + "unverified_session_toast_title": "Naujas prisijungimas. Ar tai jūs?", + "request_toast_detail": "%(deviceId)s iš %(ip)s" }, "old_version_detected_title": "Aptikti seni kriptografijos duomenys", "cancel_entering_passphrase_title": "Atšaukti slaptafrazės įvedimą?", @@ -2342,7 +2265,18 @@ "bootstrap_title": "Raktų nustatymas", "export_unsupported": "Jūsų naršyklė nepalaiko reikalingų kriptografijos plėtinių", "import_invalid_keyfile": "Negaliojantis %(brand)s rakto failas", - "import_invalid_passphrase": "Autentifikavimo patikra nepavyko: neteisingas slaptažodis?" + "import_invalid_passphrase": "Autentifikavimo patikra nepavyko: neteisingas slaptažodis?", + "set_up_toast_title": "Nustatyti Saugią Atsarginę Kopiją", + "upgrade_toast_title": "Galimas šifravimo atnaujinimas", + "verify_toast_title": "Patvirtinti šį seansą", + "set_up_toast_description": "Apsisaugokite nuo prieigos prie šifruotų žinučių ir duomenų praradimo", + "verify_toast_description": "Kiti vartotojai gali nepasitikėti", + "cross_signing_unsupported": "Jūsų serveris nepalaiko kryžminio pasirašymo.", + "cross_signing_ready": "Kryžminis pasirašymas yra paruoštas naudoti.", + "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": "" }, "emoji": { "category_frequently_used": "Dažnai Naudojama", @@ -2361,7 +2295,8 @@ "enable_prompt": "Padėkite pagerinti %(analyticsOwner)s", "consent_migration": "Anksčiau sutikote su mumis dalytis anoniminiais naudojimo duomenimis. Atnaujiname, kaip tai veikia.", "learn_more": "Dalinkitės anoniminiais duomenimis, kurie padės mums nustatyti problemas. Nieko asmeniško. Jokių trečiųjų šalių. Sužinokite daugiau", - "accept_button": "Tai gerai" + "accept_button": "Tai gerai", + "shared_data_heading": "Gali būti dalijamasi bet kuriais toliau nurodytais duomenimis:" }, "chat_effects": { "confetti_description": "Siunčia pateiktą žinutę su konfeti", @@ -2455,7 +2390,8 @@ "no_hs_url_provided": "Nepateiktas serverio URL", "autodiscovery_unexpected_error_hs": "Netikėta klaida nusistatant serverio konfigūraciją", "autodiscovery_unexpected_error_is": "Netikėta klaida nusistatant tapatybės serverio konfigūraciją", - "incorrect_credentials_detail": "Atkreipkite dėmesį, kad jūs jungiatės prie %(hs)s serverio, o ne matrix.org." + "incorrect_credentials_detail": "Atkreipkite dėmesį, kad jūs jungiatės prie %(hs)s serverio, o ne matrix.org.", + "create_account_title": "Sukurti paskyrą" }, "room_list": { "sort_unread_first": "Pirmiausia rodyti kambarius su neperskaitytomis žinutėmis", @@ -2486,7 +2422,8 @@ "one": "1 neperskaityta žinutė.", "other": "%(count)s neperskaitytos žinutės." }, - "unread_messages": "Neperskaitytos žinutės." + "unread_messages": "Neperskaitytos žinutės.", + "jump_first_invite": "Peršokti iki pirmo pakvietimo." }, "setting": { "help_about": { @@ -2527,7 +2464,29 @@ }, "error_need_to_be_logged_in": "Jūs turite būti prisijungę.", "error_need_invite_permission": "Norėdami tai atlikti jūs turite turėti galimybę pakviesti vartotojus.", - "no_name": "Nežinoma Programa" + "no_name": "Nežinoma Programa", + "error_hangup_title": "Ryšys prarastas", + "error_hangup_description": "Jūsų skambutis buvo nutrauktas. (Klaida: %(message)s)", + "context_menu": { + "start_audio_stream": "Pradėti garso transliaciją", + "screenshot": "Padarykite nuotrauką", + "delete": "Ištrinti valdiklį", + "delete_warning": "Valdiklio ištrinimas pašalina jį visiems kambaryje esantiems vartotojams. Ar tikrai norite ištrinti šį valdiklį?", + "remove": "Pašalinti visiems", + "revoke": "Atšaukti leidimus" + }, + "shared_data_name": "Jūsų rodomas vardas", + "shared_data_mxid": "Jūsų vartotojo ID", + "shared_data_theme": "Jūsų tema", + "shared_data_room_id": "Kambario ID", + "shared_data_widget_id": "Valdiklio ID", + "shared_data_warning_im": "Naudojant šį valdiklį gali būti dalijamasi duomenimis su %(widgetDomain)s ir jūsų integracijų tvarkykle.", + "unencrypted_warning": "Valdikliai nenaudoja žinučių šifravimo.", + "added_by": "Valdiklį pridėjo", + "cookie_warning": "Šiame valdiklyje gali būti naudojami slapukai.", + "error_loading": "Klaida kraunant Valdiklį", + "error_mixed_content": "Klaida - Maišytas turinys", + "popout": "Iššokti valdiklį" }, "feedback": { "sent": "Atsiliepimas išsiųstas", @@ -2589,7 +2548,8 @@ "check_action": "Tikrinti, ar yra atnaujinimų" }, "theme": { - "light_high_contrast": "Šviesi didelio kontrasto" + "light_high_contrast": "Šviesi didelio kontrasto", + "match_system": "Atitikti sistemą" }, "labs_mjolnir": { "room_name": "Mano Draudimų Sąrašas", @@ -2624,13 +2584,16 @@ }, "create_space": { "name_required": "Prašome įvesti pavadinimą šiai erdvei", - "name_placeholder": "pvz., mano-erdvė", "explainer": "Erdvės - tai naujas kambarių ir žmonių grupavimo būdas. Kokią erdvę norite sukurti? Vėliau tai galėsite pakeisti.", "public_description": "Atvira erdvė visiems, geriausia bendruomenėms", "private_description": "Tik pakviestiems, geriausia sau arba komandoms", "public_heading": "Jūsų vieša erdvė", "private_heading": "Jūsų privati erdvė", - "add_details_prompt": "Pridėkite šiek tiek detalių, kad žmonės galėtų ją atpažinti." + "add_details_prompt": "Pridėkite šiek tiek detalių, kad žmonės galėtų ją atpažinti.", + "address_placeholder": "pvz., mano-erdvė", + "address_label": "Adresas", + "label": "Sukurti erdvę", + "add_details_prompt_2": "Jūs tai galite pakeisti bet kada." }, "room": { "drop_file_prompt": "Norėdami įkelti, vilkite failą čia", @@ -2659,7 +2622,20 @@ "leave_error_title": "Klaida išeinant iš kambario", "upgrade_error_title": "Klaida atnaujinant kambarį", "upgrade_error_description": "Dar kartą įsitikinkite, kad jūsų serveris palaiko pasirinktą kambario versiją ir bandykite iš naujo.", - "leave_server_notices_description": "Šis kambarys yra naudojamas svarbioms žinutėms iš serverio, tad jūs negalite iš jo išeiti." + "leave_server_notices_description": "Šis kambarys yra naudojamas svarbioms žinutėms iš serverio, tad jūs negalite iš jo išeiti.", + "error_join_connection": "Įvyko klaida prisijungiant.", + "error_join_incompatible_version_1": "Atsiprašome, bet jūsų namų serveris yra per senas, kad galėtumėte čia dalyvauti.", + "error_join_incompatible_version_2": "Susisiekite su savo serverio administratoriumi.", + "error_join_404_invite_same_hs": "Jus pakvietęs asmuo jau išėjo.", + "error_join_404_invite": "Jus pakvietęs asmuo jau išėjo arba jo serveris neveikia.", + "error_join_title": "Nepavyko prisijungti", + "context_menu": { + "unfavourite": "Mėgstamas", + "favourite": "Mėgstamas", + "copy_link": "Kopijuoti kambario nuorodą", + "low_priority": "Žemo prioriteto", + "forget": "Pamiršti Kambarį" + } }, "file_panel": { "peek_note": "Norėdami pamatyti jo failus, turite prisijungti prie kambario" @@ -2667,8 +2643,13 @@ "space": { "context_menu": { "explore": "Žvalgyti kambarius", - "manage_and_explore": "Valdyti & tyrinėti kambarius" - } + "manage_and_explore": "Valdyti & tyrinėti kambarius", + "options": "Erdvės parinktys" + }, + "search_children": "Ieškoti %(spaceName)s", + "invite_link": "Bendrinti pakvietimo nuorodą", + "invite": "Pakviesti žmonių", + "invite_description": "Pakviesti su el. paštu arba naudotojo vardu" }, "terms": { "integration_manager": "Naudoti botus, tiltus, valdiklius ir lipdukų pakuotes", @@ -2680,7 +2661,8 @@ "tac_title": "Taisyklės ir Sąlygos", "identity_server_no_terms_title": "Tapatybės serveris neturi paslaugų teikimo sąlygų", "identity_server_no_terms_description_1": "Šiam veiksmui reikalinga pasiekti numatytąjį tapatybės serverį , kad patvirtinti el. pašto adresą arba telefono numerį, bet serveris neturi jokių paslaugos teikimo sąlygų.", - "identity_server_no_terms_description_2": "Tęskite tik tuo atveju, jei pasitikite serverio savininku." + "identity_server_no_terms_description_2": "Tęskite tik tuo atveju, jei pasitikite serverio savininku.", + "inline_intro_text": "Sutikite su , kad tęstumėte:" }, "failed_load_async_component": "Nepavyko įkelti! Patikrinkite savo tinklo ryšį ir bandykite dar kartą.", "upload_failed_generic": "Failo '%(fileName)s' nepavyko įkelti.", @@ -2730,7 +2712,57 @@ "hs_blocked": "Šis namų serveris buvo užblokuotas jo administratoriaus.", "resource_limits": "Šis serveris viršijo vieno iš savo išteklių limitą.", "mixed_content": "Neįmanoma prisijungti prie serverio per HTTP, kai naršyklės juostoje yra HTTPS URL. Naudokite HTTPS arba įjunkite nesaugias rašmenas.", - "tls": "Nepavyksta prisijungti prie serverio - patikrinkite savo ryšį, įsitikinkite, kad jūsų serverio SSL sertifikatas yra patikimas ir, kad naršyklės plėtinys neužblokuoja užklausų." + "tls": "Nepavyksta prisijungti prie serverio - patikrinkite savo ryšį, įsitikinkite, kad jūsų serverio SSL sertifikatas yra patikimas ir, kad naršyklės plėtinys neužblokuoja užklausų.", + "admin_contact_short": "Susisiekite su savo serverio administratoriumi.", + "non_urgent_echo_failure_toast": "Jūsų serveris neatsako į kai kurias užklausas.", + "failed_copy": "Nepavyko nukopijuoti", + "something_went_wrong": "Kažkas nutiko!", + "update_power_level": "Nepavyko pakeisti galios lygio", + "unknown": "Nežinoma klaida" }, - "name_and_id": "%(name)s (%(userId)s)" + "name_and_id": "%(name)s (%(userId)s)", + "items_and_n_others": { + "other": " ir %(count)s kiti(-ų)", + "one": " ir dar vienas" + }, + "notifications": { + "enable_prompt_toast_title_from_message_send": "Nepraleiskite atsakymų", + "enable_prompt_toast_title": "Pranešimai", + "enable_prompt_toast_description": "Įjungti darbalaukio pranešimus", + "colour_none": "Nė vienas", + "colour_bold": "Pusjuodis", + "error_change_title": "Keisti pranešimų nustatymus", + "mark_all_read": "Pažymėti viską kaip perskaitytą", + "keyword": "Raktažodis", + "keyword_new": "Naujas raktažodis", + "class_global": "Globalus", + "class_other": "Kitas", + "mentions_keywords": "Paminėjimai & Raktažodžiai" + }, + "mobile_guide": { + "toast_title": "Naudokite programėlę geresnei patirčiai", + "toast_description": "%(brand)s yra eksperimentinis mobiliojoje žiniatinklio naršyklėje. Jei norite geresnės patirties ir naujausių funkcijų, naudokitės nemokama vietine programėle.", + "toast_accept": "Naudoti programėlę" + }, + "chat_card_back_action_label": "Grįžti į pokalbį", + "room_summary_card_back_action_label": "Kambario informacija", + "member_list_back_action_label": "Kambario nariai", + "thread_view_back_action_label": "Grįžti prie temos", + "quick_settings": { + "title": "Greiti nustatymai", + "all_settings": "Visi nustatymai", + "metaspace_section": "Prisegti prie šoninės juostos", + "sidebar_settings": "Daugiau parinkčių" + }, + "user_menu": { + "settings": "Visi nustatymai" + }, + "lightbox": { + "rotate_left": "Pasukti Kairėn" + }, + "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." + } } diff --git a/src/i18n/strings/lv.json b/src/i18n/strings/lv.json index f0b1862212..0c741fb9a5 100644 --- a/src/i18n/strings/lv.json +++ b/src/i18n/strings/lv.json @@ -19,7 +19,6 @@ "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?", - "Failed to change power level": "Neizdevās nomainīt statusa līmeni", "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", @@ -28,7 +27,6 @@ "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)", - "Favourite": "Izlase", "Filter room members": "Atfiltrēt istabas dalībniekus", "Forget room": "Aizmirst istabu", "Historical": "Bijušie", @@ -43,12 +41,8 @@ "Moderator": "Moderators", "New passwords must match each other.": "Jaunajām parolēm ir jāsakrīt vienai ar otru.", "not specified": "nav noteikts", - "Notifications": "Paziņojumi", - "": "", - "No display name": "Nav parādāmā vārda", "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\".", - "Profile": "Profils", "Reason": "Iemesls", "Reject invitation": "Noraidīt uzaicinājumu", "Return to login screen": "Atgriezties uz pierakstīšanās lapu", @@ -68,7 +62,6 @@ "one": "(~%(count)s rezultāts)", "other": "(~%(count)s rezultāti)" }, - "Reject all %(invitedRooms)s invites": "Noraidīt visus %(invitedRooms)s uzaicinājumus", "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", @@ -83,7 +76,6 @@ "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", - "Upload avatar": "Augšupielādēt avataru", "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ā", @@ -120,18 +112,15 @@ "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", - "Unknown error": "Nezināma kļūda", "Unable to restore session": "Neizdevās atjaunot sesiju", "If you have previously used a more recent version of %(brand)s, your session may be incompatible with this version. Close this window and return to the more recent version.": "Ja iepriekš izmantojāt jaunāku %(brand)s versiju, jūsu sesija var nebūt saderīga ar šo versiju. Aizveriet šo logu un atgriezieties jaunākajā versijā.", "Error decrypting image": "Kļūda atšifrējot attēlu", "Error decrypting video": "Kļūda atšifrējot video", "Add an Integration": "Pievienot integrāciju", - "Something went wrong!": "Kaut kas nogāja greizi!", "and %(count)s others...": { "other": "un vēl %(count)s citi...", "one": "un vēl viens cits..." }, - "Delete widget": "Dzēst vidžetu", "AM": "AM", "PM": "PM", "Send": "Sūtīt", @@ -147,10 +136,7 @@ "%(duration)sd": "%(duration)s dienas", "Replying": "Atbildot uz", "Banned by %(displayName)s": "%(displayName)s liedzis pieeju", - "Copied!": "Nokopēts!", - "Failed to copy": "Nokopēt neizdevās", "Delete Widget": "Dzēst vidžetu", - "Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "Vidžeta dzēšana to dzēš visiem šīs istabas lietotājiem. Vai tiešām vēlies dzēst šo vidžetu?", "collapse": "sakļaut", "expand": "izvērst", "In reply to ": "Atbildē uz ", @@ -158,19 +144,13 @@ "other": "Un par %(count)s vairāk..." }, "This room is not public. You will not be able to rejoin without an invite.": "Šī istaba nav publiska un jūs nevarēsiet atkārtoti pievienoties bez uzaicinājuma.", - " and %(count)s others": { - "one": " un viens cits", - "other": " un %(count)s citus" - }, "Sunday": "Svētdiena", - "Notification targets": "Paziņojumu adresāti", "Today": "Šodien", "Friday": "Piektdiena", "Changelog": "Izmaiņu vēsture", "Failed to send logs: ": "Neizdevās nosūtīt logfailus: ", "This Room": "Šajā istabā", "Unavailable": "Nesasniedzams", - "Source URL": "Avota URL adrese", "Filter results": "Filtrēt rezultātus", "Tuesday": "Otrdiena", "Search…": "Meklēt…", @@ -185,7 +165,6 @@ "Thursday": "Ceturtdiena", "Logs sent": "Logfaili nosūtīti", "Yesterday": "Vakardien", - "Low Priority": "Zema prioritāte", "Thank you!": "Tencinam!", "Permission Required": "Nepieciešama atļauja", "You sent a verification request": "Jūs nosūtījāt verifikācijas pieprasījumu", @@ -214,9 +193,6 @@ "Use the Desktop app to search encrypted messages": "Izmantojiet lietotni, lai veiktu šifrētu ziņu meklēšanu", "None": "Neviena", "Room options": "Istabas opcijas", - "All settings": "Visi iestatījumi", - "Change notification settings": "Mainīt paziņojumu iestatījumus", - "Favourited": "Izlasē", "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", @@ -249,7 +225,6 @@ "Afghanistan": "Afganistāna", "United States": "Amerikas Savienotās Valstis", "United Kingdom": "Lielbritānija", - "Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "Uzskatīt par uzticamām tikai individuāli verificētas lietotāja sesijas, nepaļaujoties uz ierīču cross-signing funkcionalitāti.", "There was an error updating the room's alternative addresses. It may not be allowed by the server or a temporary failure occurred.": "Notikusi kļūda, mēģinot atjaunināt istabas alternatīvās adreses. Iespējams, tas ir liegts servera iestatījumos vai arī notikusi kāda pagaidu kļūme.", "Use an identity server to invite by email. Manage in Settings.": "Izmantojiet identitātes serveri, lai uzaicinātu ar epastu. Pārvaldiet iestatījumos.", "Invite someone using their name, email address, username (like ) or share this room.": "Uzaiciniet kādu personu, izmantojot vārdu, epasta adresi, lietotājvārdu (piemēram, ) vai dalieties ar šo istabu.", @@ -260,11 +235,8 @@ "You verified %(name)s": "Jūs verificējāt %(name)s", "%(name)s accepted": "%(name)s akceptēja", "You accepted": "Jūs akceptējāt", - "Rotate Right": "Rotēt pa labi", - "Rotate Left": "Rotēt pa kreisi", "IRC display name width": "IRC parādāmā vārda platums", "%(displayName)s cancelled verification.": "%(displayName)s atcēla verificēšanu.", - "Your display name": "Jūsu parādāmais vārds", "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.", @@ -295,12 +267,9 @@ "Room %(name)s": "Istaba %(name)s", "Room Name": "Istabas nosaukums", "General failure": "Vispārīga kļūda", - "General": "Vispārīgi", "Recently Direct Messaged": "Nesenās tiešās sarakstes", "e.g. my-room": "piem., mana-istaba", "Room address": "Istabas adrese", - "Show advanced": "Rādīt papildu iestatījumus", - "Hide advanced": "Slēpt papildu iestatījumus", "Add a new server": "Pievienot jaunu serveri", "Your homeserver": "Jūsu bāzes serveris", "Your server": "Jūsu serveris", @@ -308,7 +277,6 @@ "Room Settings - %(roomName)s": "Istabas iestatījumi - %(roomName)s", "Room settings": "Istabas iestatījumi", "Share room": "Dalīties ar istabu", - "Message search": "Ziņu meklēšana", "Cancel search": "Atcelt meklējumu", "Flag": "Karogs", "The authenticity of this encrypted message can't be guaranteed on this device.": "Šīs šifrētās ziņas autentiskums nevar tikt garantēts šajā ierīcē.", @@ -335,25 +303,15 @@ "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", - "Create account": "Izveidot kontu", "Your password has been reset.": "Jūsu parole ir atiestatīta.", "Could not load user profile": "Nevarēja ielādēt lietotāja profilu", "Couldn't load page": "Neizdevās ielādēt lapu", "Sign in with SSO": "Pierakstieties, izmantojot SSO", "Session key": "Sesijas atslēga", - "Accept all %(invitedRooms)s invites": "Pieņemt visus %(invitedRooms)s uzaicinājumus", - "Bulk options": "Lielapjoma opcijas", "Account management": "Konta pārvaldība", - "Failed to save your profile": "Neizdevās salabāt jūsu profilu", - "New login. Was this you?": "Jauna pierakstīšanās. Vai tas bijāt jūs?", - "Set up Secure Backup": "Iestatīt drošu rezerves dublēšanu", "Ok": "Labi", - "Contact your server admin.": "Sazinieties ar servera administratoru.", "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.", - "Enable desktop notifications": "Iespējot darbvirsmas paziņojumus", - "Don't miss a reply": "Nepalaidiet garām atbildi", - "Later": "Vēlāk", "Malawi": "Malāvija", "Madagascar": "Madagaskara", "Macedonia": "Maķedonija", @@ -401,10 +359,7 @@ "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.", - "Algorithm:": "Algoritms:", - "Display Name": "Parādāmais vārds", "Create a space": "Izveidot vietu", - "Accept to continue:": "Akceptēt , lai turpinātu:", "Anchor": "Enkurs", "Aeroplane": "Aeroplāns", "%(name)s (%(userId)s) signed in to a new session without verifying it:": "%(name)s (%(userId)s) pierakstījās jaunā sesijā, neveicot tās verifikāciju:", @@ -412,13 +367,11 @@ "American Samoa": "Amerikāņu Samoa", "Algeria": "Alžīrija", "You don't have permission": "Jums nav atļaujas", - "Remove for everyone": "Dzēst visiem", "Share User": "Dalīties ar lietotāja kontaktdatiem", "Verifying this device will mark it as trusted, and users who have verified with you will trust this device.": "Verificējot šo ierīci, tā tiks atzīmēta kā uzticama, un ierīci verificējušie lietotāji tai uzticēsies.", "Verifying this user will mark their session as trusted, and also mark your session as trusted to them.": "Verificējot šo lietotāju, tā sesija tiks atzīmēta kā uzticama, kā arī jūsu sesija viņiem tiks atzīmēta kā uzticama.", "Removing…": "Dzēš…", "Use the Desktop app to see all encrypted files": "Lietojiet Desktop lietotni, lai apskatītu visus šifrētos failus", - "Room ID": "Istabas ID", "edited": "rediģēts", "Edited at %(date)s. Click to view edits.": "Rediģēts %(date)s. Noklikšķiniet, lai skatītu redakcijas.", "Edited at %(date)s": "Rediģēts %(date)s", @@ -439,10 +392,7 @@ "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?", - "Other users may not trust it": "Citi lietotāji var neuzskatīt to par uzticamu", - "Verify this session": "Verificēt šo sesiju", "You signed in to a new session without verifying it:": "Jūs pierakstījāties jaunā sesijā, neveicot tās verifikāciju:", - "%(deviceId)s from %(ip)s": "%(deviceId)s no %(ip)s", "%(count)s people you know have already joined": { "other": "%(count)s pazīstami cilvēki ir jau pievienojusies", "one": "%(count)s pazīstama persona ir jau pievienojusies" @@ -451,8 +401,6 @@ "one": "%(count)s dalībnieks", "other": "%(count)s dalībnieki" }, - "Save Changes": "Saglabāt izmaiņas", - "%(brand)s URL": "%(brand)s URL", "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)", @@ -694,8 +642,6 @@ "Can't load this message": "Nevar ielādēt šo ziņu", "Send voice message": "Sūtīt balss ziņu", "Address": "Adrese", - "Show preview": "Rādīt priekšskatījumu", - "View source": "Skatīt pirmkodu", "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", @@ -709,13 +655,9 @@ "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.", - "Share content": "Dalīties ar saturu", - "Your theme": "Jūsu tēma", - "Your user ID": "Jūsu lietotāja ID", "Show image": "Rādīt attēlu", "Call back": "Atzvanīt", "Call declined": "Zvans noraidīts", - "Forget Room": "Aizmirst istabu", "Join the discussion": "Pievienoties diskusijai", "Forget this room": "Aizmirst šo istabu", "Explore public rooms": "Pārlūkot publiskas istabas", @@ -723,15 +665,7 @@ "one": "Rādīt %(count)s citu priekšskatījumu", "other": "Rādīt %(count)s citus priekšskatījumus" }, - "Access": "Piekļuve", "Enter a new identity server": "Ievadiet jaunu identitāšu serveri", - "Mentions & keywords": "Pieminēšana un atslēgvārdi", - "New keyword": "Jauns atslēgvārds", - "Keyword": "Atslēgvārds", - "Decide who can view and join %(spaceName)s.": "Nosakiet, kas var skatīt un pievienoties %(spaceName)s.", - "Enable guest access": "Iespējot piekļuvi viesiem", - "Invite people": "Uzaicināt cilvēkus", - "Show all rooms": "Rādīt visas istabas", "Corn": "Kukurūza", "Final result based on %(count)s votes": { "one": "Gala rezultāts pamatojoties uz %(count)s balss", @@ -742,7 +676,6 @@ "other": "Pamatojoties uz %(count)s balsīm" }, "No votes cast": "Nav balsojumu", - "Space options": "Vietas parametri", "Reason (optional)": "Iemesls (izvēles)", "You may contact me if you have any follow up questions": "Ja jums ir kādi papildjautājumi, varat sazināties ar mani", "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.", @@ -757,7 +690,6 @@ "End Poll": "Pārtraukt aptauju", "Poll": "Aptauja", "Open in OpenStreetMap": "Atvērt ar OpenStreetMap", - "Please note: this is a labs feature using a temporary implementation. This means you will not be able to delete your location history, and advanced users will be able to see your location history even after you stop sharing your live location with this room.": "Pievērsiet uzmanību: šī ir laboratorijas funkcija, kas izmanto pagaidu risinājumu. Tas nozīmē, ka jūs nevarēsiet dzēst savu atrašanās vietas vēsturi, un pieredzējušie lietotāji varēs redzēt jūsu atrašanās vietas vēsturi arī pēc tam, kad pārtrauksiet kopīgot savu reāllaika atrašanās vietu šajā istabā.", "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", "An error occurred while stopping your live location, please try again": "Notika kļūda, pārtraucot reāllaika atrašanās vietas kopīgošanu, lūdzu, mēģiniet vēlreiz", @@ -768,9 +700,7 @@ "You don't have permission to share locations": "Jums nav atļaujas kopīgot atrašanās vietu", "You are sharing your live location": "Jūs kopīgojat savu reāllaika atrašanās vietu", "We couldn't send your location": "Mēs nevarējām nosūtīt jūsu atrašanās vietu", - "Enable live location sharing": "Iespējot reāllaika atrašanās vietas kopīgošanu", "Could not fetch location": "Neizdevās iegūt atrašanās vietas datus", - "Live location sharing": "Reāllaika atrašanās vietas kopīgošana", "No live locations": "Reāllaika atrašanās vietas kopīgošana nenotiek", "Live location enabled": "Reāllaika atrašanās vietas kopīgošana iespējota", "Live location error": "Reāllaika atrašanās vietas kopīgošanas kļūda", @@ -779,9 +709,7 @@ "%(displayName)s's live location": "%(displayName)s reāllaika atrašanās vieta", "My live location": "Mana reāllaika atrašanās vieta", "My current location": "Mana atrašanās vieta", - "Share location": "Kopīgot atrašanās vietu", "Location": "Atrašanās vieta", - "More options": "Papildus iespējas", "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", @@ -801,17 +729,14 @@ }, "Files": "Faili", "To join a space you'll need an invite.": "Lai pievienotos vietai, ir nepieciešams uzaicinājums.", - "You can change these anytime.": "Jebkurā laikā varat to mainīt.", "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", - "This room is in some spaces you're not an admin of. In those spaces, the old room will still be shown, but people will be prompted to join the new one.": "Šī istabā atrodas dažās vietās, kurās jūs neesat administrators. Šajās vietās vecā istaba joprojām būs redzama, bet cilvēki tiks aicināti pievienoties jaunajai istabai.", "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", - "Loading new room": "Ielādē jaunu istabu", "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", @@ -828,7 +753,6 @@ "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", - "Share invite link": "Dalīties ar uzaicinājuma saiti", "Some results may be hidden for privacy": "Daži rezultāti var būt slēpti dēļ privātuma", "Some results may be hidden": "Atsevišķi rezultāti var būt slēpti", "Add new server…": "Pievienot jaunu serveri…", @@ -848,7 +772,6 @@ "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", - "Back to chat": "Atgriezties uz čatu", "common": { "about": "Par", "analytics": "Analītika", @@ -902,7 +825,12 @@ "preview_message": "Sveiks! Tu esi labākais!", "on": "Ieslēgt", "off": "Izslēgt", - "all_rooms": "Visas istabas" + "all_rooms": "Visas istabas", + "copied": "Nokopēts!", + "advanced": "Papildu", + "general": "Vispārīgi", + "profile": "Profils", + "display_name": "Parādāmais vārds" }, "action": { "continue": "Turpināt", @@ -971,7 +899,9 @@ "submit": "Iesniegt", "send_report": "Nosūtīt ziņojumu", "clear": "Notīrīt", - "unban": "Atcelt pieejas liegumu" + "unban": "Atcelt pieejas liegumu", + "hide_advanced": "Slēpt papildu iestatījumus", + "show_advanced": "Rādīt papildu iestatījumus" }, "a11y": { "user_menu": "Lietotāja izvēlne", @@ -1058,7 +988,8 @@ "welcome_user": "Laipni lūdzam %(name)s", "intro_welcome": "Laipni lūdzam %(appName)s", "explore_rooms": "Pārlūkot publiskas istabas", - "create_room": "Izveidot grupas čatu" + "create_room": "Izveidot grupas čatu", + "create_account": "Izveidot kontu" }, "settings": { "show_breadcrumbs": "Rādīt saīsnes uz nesen skatītajām istabām istabu saraksta augšpusē", @@ -1103,7 +1034,8 @@ "noisy": "Ar skaņu", "error_permissions_denied": "%(brand)s nav atļauts nosūtīt jums paziņojumus. Lūdzu pārbaudi sava pārlūka iestatījumus", "error_permissions_missing": "%(brand)s nav piešķirta atļauja nosūtīt paziņojumus. Lūdzu mēģini vēlreiz", - "error_title": "Neizdevās iespējot paziņojumus" + "error_title": "Neizdevās iespējot paziņojumus", + "push_targets": "Paziņojumu adresāti" }, "appearance": { "heading": "Pielāgot izskatu", @@ -1135,7 +1067,13 @@ "cryptography_section": "Kriptogrāfija", "session_id": "Sesijas ID:", "session_key": "Sesijas atslēga:", - "encryption_section": "Šifrēšana" + "encryption_section": "Šifrēšana", + "bulk_options_section": "Lielapjoma opcijas", + "bulk_options_accept_all_invites": "Pieņemt visus %(invitedRooms)s uzaicinājumus", + "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:" }, "preferences": { "room_list_heading": "Istabu saraksts", @@ -1162,7 +1100,12 @@ "add_msisdn_confirm_sso_button": "Apstiprināt šī tālruņa numura pievienošanu, izmantojot vienoto pieteikšanos savas identitātes apliecināšanai.", "add_msisdn_confirm_button": "Apstiprināt tālruņa numura pievienošanu", "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" + "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" + }, + "sidebar": { + "metaspaces_home_all_rooms": "Rādīt visas istabas" } }, "devtools": { @@ -1450,7 +1393,12 @@ "changed_img": "%(senderDisplayName)s nomainīja istabas avataru uz " }, "creation_summary_dm": "%(creator)s uzsāka šo tiešo saraksti.", - "creation_summary_room": "%(creator)s izveidoja un nokonfigurēja istabu." + "creation_summary_room": "%(creator)s izveidoja un nokonfigurēja istabu.", + "context_menu": { + "view_source": "Skatīt pirmkodu", + "show_url_preview": "Rādīt priekšskatījumu", + "external_url": "Avota URL adrese" + } }, "slash_command": { "spoiler": "Nosūta norādīto ziņu kā spoileri", @@ -1584,10 +1532,10 @@ "no_permission_conference_description": "Šajā istabā nav atļaujas sākt konferences zvanu", "default_device": "Noklusējuma ierīce", "no_media_perms_title": "Nav datu nesēju, kuriem atļauta piekļuve", - "no_media_perms_description": "Jums varētu būt nepieciešams manuāli atļaut %(brand)s piekļuvi mikrofonam vai tīmekļa kamerai" + "no_media_perms_description": "Jums varētu būt nepieciešams manuāli atļaut %(brand)s piekļuvi mikrofonam vai tīmekļa kamerai", + "screenshare_title": "Dalīties ar saturu" }, "Other": "Citi", - "Advanced": "Papildu", "room_settings": { "permissions": { "m.room.avatar": "Mainīt istabas avataru", @@ -1632,7 +1580,9 @@ "history_visibility_shared": "Tikai dalībnieki (no šī parametra iestatīšanas brīža)", "history_visibility_invited": "Tikai dalībnieki (no to uzaicināšanas brīža)", "history_visibility_joined": "Tikai dalībnieki (kopš pievienošanās)", - "history_visibility_world_readable": "Ikviens" + "history_visibility_world_readable": "Ikviens", + "join_rule_restricted_upgrade_warning": "Šī istabā atrodas dažās vietās, kurās jūs neesat administrators. Šajās vietās vecā istaba joprojām būs redzama, bet cilvēki tiks aicināti pievienoties jaunajai istabai.", + "join_rule_upgrade_awaiting_room": "Ielādē jaunu istabu" }, "general": { "publish_toggle": "Publicēt šo istabu publiskajā %(domain)s katalogā?", @@ -1642,12 +1592,21 @@ "default_url_previews_off": "ULR priekšskatījumi šīs istabas dalībniekiem pēc noklusējuma ir atspējoti.", "url_preview_encryption_warning": "Šifrētās istabās, ieskaitot arī šo, URL priekšskatījumi pēc noklusējuma ir atspējoti, lai nodrošinātu, ka jūsu bāzes serveris, kurā notiek priekšskatījumu ģenerēšana, nevar apkopot informāciju par saitēm, kuras redzat šajā istabā.", "url_preview_explainer": "Kad kāds savā ziņā ievieto URL, priekšskatījums ar virsrakstu, aprakstu un vietnes attēlu var tikt parādīts, tādējādi sniedzot vairāk informācijas par šo vietni.", - "url_previews_section": "URL priekšskatījumi" + "url_previews_section": "URL priekšskatījumi", + "save": "Saglabāt izmaiņas" }, "advanced": { "unfederated": "Šī istaba nav pieejama no citiem Matrix serveriem", "room_version_section": "Istabas versija", "room_version": "Istabas versija:" + }, + "upload_avatar_label": "Augšupielādēt avataru", + "access": { + "title": "Piekļuve", + "description_space": "Nosakiet, kas var skatīt un pievienoties %(spaceName)s." + }, + "visibility": { + "guest_access_label": "Iespējot piekļuvi viesiem" } }, "encryption": { @@ -1662,7 +1621,10 @@ "complete_action": "Sapratu", "sas_emoji_caption_user": "Verificēt šo lietotāju, apstiprinot, ka sekojošās emocijzīmes pārādās lietotāja ekrānā.", "sas_caption_user": "Verificēt šo lietotāju, apstiprinot, ka šāds numurs pārādās lietotāja ekrānā.", - "waiting_other_user": "Gaida uz %(displayName)s, lai verificētu…" + "waiting_other_user": "Gaida uz %(displayName)s, lai verificētu…", + "unverified_sessions_toast_reject": "Vēlāk", + "unverified_session_toast_title": "Jauna pierakstīšanās. Vai tas bijāt jūs?", + "request_toast_detail": "%(deviceId)s no %(ip)s" }, "old_version_detected_title": "Tika uzieti novecojuši šifrēšanas dati", "old_version_detected_description": "Uzieti dati no vecākas %(brand)s versijas. Tas novedīs pie \"end-to-end\" šifrēšanas problēmām vecākajā versijā. Šajā versijā nevar tikt atšifrēti ziņojumi, kuri radīti izmantojot vecākajā versijā \"end-to-end\" šifrētas ziņas. Tas var arī novest pie ziņapmaiņas, kas veikta ar šo versiju, neizdošanās. Ja rodas ķibeles, izraksties un par jaunu pieraksties sistēmā. Lai saglabātu ziņu vēsturi, eksportē un tad importē savas šifrēšanas atslēgas.", @@ -1671,7 +1633,11 @@ "bootstrap_title": "Atslēgu iestatīšana", "export_unsupported": "Jūsu pārlūks neatbalsta vajadzīgos kriptogrāfijas paplašinājumus", "import_invalid_keyfile": "Nederīgs %(brand)s atslēgfails", - "import_invalid_passphrase": "Autentifikācijas pārbaude neizdevās. Nepareiza parole?" + "import_invalid_passphrase": "Autentifikācijas pārbaude neizdevās. Nepareiza parole?", + "set_up_toast_title": "Iestatīt drošu rezerves dublēšanu", + "verify_toast_title": "Verificēt šo sesiju", + "verify_toast_description": "Citi lietotāji var neuzskatīt to par uzticamu", + "not_supported": "" }, "emoji": { "category_frequently_used": "Bieži lietotas", @@ -1773,7 +1739,8 @@ "no_hs_url_provided": "Nav iestatīts bāzes servera URL", "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ī." + "incorrect_credentials_detail": "Lūdzu ņem vērā, ka Tu pieraksties %(hs)s serverī, nevis matrix.org serverī.", + "create_account_title": "Izveidot kontu" }, "room_list": { "sort_unread_first": "Rādīt istabas ar nelasītām ziņām augšpusē", @@ -1868,7 +1835,17 @@ "see_msgtype_sent_active_room": "Apskatīt %(msgtype)s ziņas, kas publicētas jūsu aktīvajā istabā" }, "error_need_to_be_logged_in": "Tev ir jāpierakstās.", - "error_need_invite_permission": "Lai to darītu, Tev ir jāspēj uzaicināt lietotājus." + "error_need_invite_permission": "Lai to darītu, Tev ir jāspēj uzaicināt lietotājus.", + "context_menu": { + "delete": "Dzēst vidžetu", + "delete_warning": "Vidžeta dzēšana to dzēš visiem šīs istabas lietotājiem. Vai tiešām vēlies dzēst šo vidžetu?", + "remove": "Dzēst visiem" + }, + "shared_data_name": "Jūsu parādāmais vārds", + "shared_data_mxid": "Jūsu lietotāja ID", + "shared_data_theme": "Jūsu tēma", + "shared_data_url": "%(brand)s URL", + "shared_data_room_id": "Istabas ID" }, "feedback": { "sent": "Atsauksme nosūtīta", @@ -1900,9 +1877,12 @@ "space": { "landing_welcome": "Laipni lūdzam uz ", "context_menu": { - "explore": "Pārlūkot istabas" + "explore": "Pārlūkot istabas", + "options": "Vietas parametri" }, - "share_public": "Dalīties ar jūsu publisko vietu" + "share_public": "Dalīties ar jūsu publisko vietu", + "invite_link": "Dalīties ar uzaicinājuma saiti", + "invite": "Uzaicināt cilvēkus" }, "location_sharing": { "MapStyleUrlNotConfigured": "Šis bāzes serveris nav konfigurēts karšu attēlošanai.", @@ -1916,7 +1896,11 @@ "failed_timeout": "Neizdevās iegūt jūsu atrašanās vietu dēļ noilguma. Lūdzu, mēģiniet vēlreiz vēlāk.", "failed_unknown": "Nezināma kļūda, iegūstot atrašanās vietu. Lūdzu, mēģiniet vēlreiz vēlāk.", "expand_map": "Izvērst karti", - "failed_load_map": "Nevar ielādēt karti" + "failed_load_map": "Nevar ielādēt karti", + "live_enable_heading": "Reāllaika atrašanās vietas kopīgošana", + "live_enable_description": "Pievērsiet uzmanību: šī ir laboratorijas funkcija, kas izmanto pagaidu risinājumu. Tas nozīmē, ka jūs nevarēsiet dzēst savu atrašanās vietas vēsturi, un pieredzējušie lietotāji varēs redzēt jūsu atrašanās vietas vēsturi arī pēc tam, kad pārtrauksiet kopīgot savu reāllaika atrašanās vietu šajā istabā.", + "live_toggle_label": "Iespējot reāllaika atrašanās vietas kopīgošanu", + "share_button": "Kopīgot atrašanās vietu" }, "create_space": { "explainer": "Vietas ir jauns veids, kā grupēt istabas un cilvēkus. Kādu vietu vēlaties izveidot? To var mainīt vēlāk.", @@ -1928,11 +1912,15 @@ "personal_space_description": "Privāta vieta, kur organizēt jūsu istabas", "private_space_description": "Privāta vieta jums un jūsu komandas dalībniekiem", "setup_rooms_community_description": "Izveidojam katram no tiem savu istabu!", - "setup_rooms_private_description": "Mēs izveidosim istabas katram no tiem." + "setup_rooms_private_description": "Mēs izveidosim istabas katram no tiem.", + "address_label": "Adrese", + "label": "Izveidot vietu", + "add_details_prompt_2": "Jebkurā laikā varat to mainīt." }, "user_menu": { "switch_theme_light": "Pārslēgt gaišo režīmu", - "switch_theme_dark": "Pārslēgt tumšo režīmu" + "switch_theme_dark": "Pārslēgt tumšo režīmu", + "settings": "Visi iestatījumi" }, "room": { "drop_file_prompt": "Ievelc šeit failu augšupielādei", @@ -1955,7 +1943,13 @@ }, "leave_unexpected_error": "Mēģinot pamest istabu radās negaidīta servera kļūme", "leave_server_notices_title": "Nevar pamest Server Notices istabu", - "leave_server_notices_description": "Šī istaba tiek izmantota svarīgiem ziņojumiem no bāzes servera, tāpēc jūs nevarat to pamest." + "leave_server_notices_description": "Šī istaba tiek izmantota svarīgiem ziņojumiem no bāzes servera, tāpēc jūs nevarat to pamest.", + "context_menu": { + "unfavourite": "Izlasē", + "favourite": "Izlase", + "low_priority": "Zema prioritāte", + "forget": "Aizmirst istabu" + } }, "file_panel": { "guest_note": "Lai izmantotu šo funkcionalitāti, Tev ir jāreģistrējas", @@ -1987,7 +1981,8 @@ "terms": { "identity_server_no_terms_title": "Identitātes serverim nav pakalpojumu sniegšanas noteikumu", "identity_server_no_terms_description_1": "Šai darbībai ir nepieciešama piekļuve noklusējuma identitātes serverim , lai validētu e-pasta adresi vai tālruņa numuru, taču serverim nav pakalpojumu sniegšanas noteikumu.", - "identity_server_no_terms_description_2": "Turpiniet tikai gadījumā, ja uzticaties servera īpašniekam." + "identity_server_no_terms_description_2": "Turpiniet tikai gadījumā, ja uzticaties servera īpašniekam.", + "inline_intro_text": "Akceptēt , lai turpinātu:" }, "empty_room": "Tukša istaba", "notifier": { @@ -2021,7 +2016,37 @@ "hs_blocked": "Šo bāzes serveri ir bloķējis tā administrators.", "resource_limits": "Šis bāzes serveris ir pārsniedzis vienu no tā resursu ierobežojumiem.", "mixed_content": "Neizdodas savienoties ar bāzes serveri izmantojot HTTP protokolu, kad pārlūka adreses laukā norādīts HTTPS protokols. Tā vietā izmanto HTTPS vai iespējo nedrošos skriptus.", - "tls": "Neizdodas savienoties ar bāzes serveri. Pārbaudi tīkla savienojumu un pārliecinies, ka bāzes servera SSL sertifikāts ir uzticams, kā arī pārlūkā instalētie paplašinājumi nebloķē pieprasījumus." + "tls": "Neizdodas savienoties ar bāzes serveri. Pārbaudi tīkla savienojumu un pārliecinies, ka bāzes servera SSL sertifikāts ir uzticams, kā arī pārlūkā instalētie paplašinājumi nebloķē pieprasījumus.", + "admin_contact_short": "Sazinieties ar servera administratoru.", + "failed_copy": "Nokopēt neizdevās", + "something_went_wrong": "Kaut kas nogāja greizi!", + "update_power_level": "Neizdevās nomainīt statusa līmeni", + "unknown": "Nezināma kļūda" }, - "name_and_id": "%(name)s (%(userId)s)" + "name_and_id": "%(name)s (%(userId)s)", + "items_and_n_others": { + "one": " un viens cits", + "other": " un %(count)s citus" + }, + "notifications": { + "enable_prompt_toast_title_from_message_send": "Nepalaidiet garām atbildi", + "enable_prompt_toast_title": "Paziņojumi", + "enable_prompt_toast_description": "Iespējot darbvirsmas paziņojumus", + "colour_none": "Neviena", + "error_change_title": "Mainīt paziņojumu iestatījumus", + "keyword": "Atslēgvārds", + "keyword_new": "Jauns atslēgvārds", + "class_other": "Citi", + "mentions_keywords": "Pieminēšana un atslēgvārdi" + }, + "chat_card_back_action_label": "Atgriezties uz čatu", + "room_summary_card_back_action_label": "Informācija par istabu", + "quick_settings": { + "all_settings": "Visi iestatījumi", + "sidebar_settings": "Papildus iespējas" + }, + "lightbox": { + "rotate_left": "Rotēt pa kreisi", + "rotate_right": "Rotēt pa labi" + } } diff --git a/src/i18n/strings/ml.json b/src/i18n/strings/ml.json index f3ed79d834..7c440f73cf 100644 --- a/src/i18n/strings/ml.json +++ b/src/i18n/strings/ml.json @@ -1,18 +1,14 @@ { "Create new room": "പുതിയ റൂം സൃഷ്ടിക്കുക", "Failed to forget room %(errCode)s": "%(errCode)s റൂം ഫോര്‍ഗെറ്റ് ചെയ്യുവാന്‍ സാധിച്ചില്ല", - "Favourite": "പ്രിയപ്പെട്ടവ", - "Notifications": "നോട്ടിഫിക്കേഷനുകള്‍", "unknown error code": "അപരിചിത എറര്‍ കോഡ്", "Failed to change password. Is your password correct?": "രഹസ്യവാക്ക് മാറ്റാന്‍ സാധിച്ചില്ല. രഹസ്യവാക്ക് ശരിയാണോ ?", "Sunday": "ഞായര്‍", - "Notification targets": "നോട്ടിഫിക്കേഷന്‍ ടാര്‍ഗെറ്റുകള്‍", "Today": "ഇന്ന്", "Friday": "വെള്ളി", "Changelog": "മാറ്റങ്ങളുടെ നാള്‍വഴി", "This Room": "ഈ മുറി", "Unavailable": "ലഭ്യമല്ല", - "Source URL": "സോഴ്സ് യു ആര്‍ എല്‍", "Tuesday": "ചൊവ്വ", "Unnamed room": "പേരില്ലാത്ത റൂം", "Saturday": "ശനി", @@ -26,7 +22,6 @@ "Thursday": "വ്യാഴം", "Search…": "തിരയുക…", "Yesterday": "ഇന്നലെ", - "Low Priority": "താഴ്ന്ന പരിഗണന", "Explore rooms": "മുറികൾ കണ്ടെത്തുക", "common": { "error": "എറര്‍", @@ -72,7 +67,8 @@ "rule_invite_for_me": "ഞാന്‍ ഒരു റൂമിലേക്ക് ക്ഷണിക്കപ്പെടുമ്പോള്‍", "rule_call": "വിളിയ്ക്കുന്നു", "rule_suppress_notices": "ബോട്ട് അയയ്ക്കുന്ന സന്ദേശങ്ങള്‍ക്ക്", - "noisy": "ഉച്ചത്തില്‍" + "noisy": "ഉച്ചത്തില്‍", + "push_targets": "നോട്ടിഫിക്കേഷന്‍ ടാര്‍ഗെറ്റുകള്‍" } }, "auth": { @@ -96,5 +92,19 @@ }, "invite": { "failed_generic": "ശ്രമം പരാജയപ്പെട്ടു" + }, + "notifications": { + "enable_prompt_toast_title": "നോട്ടിഫിക്കേഷനുകള്‍" + }, + "timeline": { + "context_menu": { + "external_url": "സോഴ്സ് യു ആര്‍ എല്‍" + } + }, + "room": { + "context_menu": { + "favourite": "പ്രിയപ്പെട്ടവ", + "low_priority": "താഴ്ന്ന പരിഗണന" + } } } diff --git a/src/i18n/strings/nb_NO.json b/src/i18n/strings/nb_NO.json index 34789b6d51..7f44744c28 100644 --- a/src/i18n/strings/nb_NO.json +++ b/src/i18n/strings/nb_NO.json @@ -1,11 +1,7 @@ { "Sunday": "Søndag", - "Notification targets": "Mål for varsel", "Today": "I dag", "Friday": "Fredag", - "Notifications": "Varsler", - "Source URL": "Kilde URL", - "Favourite": "Favoritt", "Tuesday": "Tirsdag", "Unnamed room": "Rom uten navn", "Monday": "Mandag", @@ -17,7 +13,6 @@ "Thursday": "Torsdag", "All messages": "Alle meldinger", "Yesterday": "I går", - "Low Priority": "Lav Prioritet", "Saturday": "Lørdag", "Permission Required": "Tillatelse kreves", "Send": "Send", @@ -81,11 +76,8 @@ "Anchor": "Anker", "Headphones": "Hodetelefoner", "Folder": "Mappe", - "Display Name": "Visningsnavn", - "Profile": "Profil", "Email addresses": "E-postadresser", "Phone numbers": "Telefonnumre", - "General": "Generelt", "None": "Ingen", "Browse": "Bla", "Unable to verify phone number.": "Klarte ikke å verifisere telefonnummeret.", @@ -102,9 +94,7 @@ "All Rooms": "Alle rom", "Search…": "Søk …", "Download %(text)s": "Last ned %(text)s", - "Copied!": "Kopiert!", "Cancel search": "Avbryt søket", - "More options": "Flere alternativer", "collapse": "skjul", "expand": "utvid", "Close dialog": "Lukk dialog", @@ -112,7 +102,6 @@ "Unavailable": "Ikke tilgjengelig", "Changelog": "Endringslogg", "Confirm Removal": "Bekreft fjerning", - "Unknown error": "Ukjent feil", "Session name": "Øktens navn", "Filter results": "Filtrerresultater", "An error has occurred.": "En feil har oppstått.", @@ -122,7 +111,6 @@ "Home": "Hjem", "Explore rooms": "Se alle rom", "Your password has been reset.": "Passordet ditt har blitt tilbakestilt.", - "Create account": "Opprett konto", "Success!": "Suksess!", "Set up": "Sett opp", "Lion": "Løve", @@ -147,9 +135,6 @@ "Trophy": "Trofé", "Ball": "Ball", "Guitar": "Gitar", - "Later": "Senere", - "Accept to continue:": "Aksepter for å fortsette:", - "Profile picture": "Profilbilde", "Checking server": "Sjekker tjeneren", "Change identity server": "Bytt ut identitetstjener", "You should:": "Du burde:", @@ -163,7 +148,6 @@ "Deactivate account": "Deaktiver kontoen", "Ignored users": "Ignorerte brukere", "Unignore": "Opphev ignorering", - "Message search": "Meldingssøk", "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", @@ -210,15 +194,7 @@ "You declined": "Du avslo", "You cancelled": "Du avbrøt", "edited": "redigert", - "Your user ID": "Din bruker-ID", - "Your theme": "Ditt tema", - "%(brand)s URL": "%(brand)s-URL", - "Room ID": "Rom-ID", - "Widget ID": "Modul-ID", "Delete Widget": "Slett modul", - "Delete widget": "Slett modul", - "Rotate Left": "Roter til venstre", - "Rotate Right": "Roter til høyre", "Power level": "Styrkenivå", "e.g. my-room": "f.eks. mitt-rom", "Enter a server name": "Skriv inn et tjenernavn", @@ -239,26 +215,18 @@ "No backup found!": "Ingen sikkerhetskopier ble funnet!", "Country Dropdown": "Nedfallsmeny over land", "Email (optional)": "E-post (valgfritt)", - "Upload avatar": "Last opp en avatar", "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", - "Verify this session": "Verifiser denne økten", "Not Trusted": "Ikke betrodd", - " and %(count)s others": { - "other": " og %(count)s andre", - "one": " og én annen" - }, "%(items)s and %(lastItem)s": "%(items)s og %(lastItem)s", "Show more": "Vis mer", "Warning!": "Advarsel!", "Authentication": "Autentisering", - "Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "Verifiser hver brukerøkt individuelt for å stemple den som at du stoler på den, ikke stol på kryss-signerte enheter.", "Encrypted messages are secured with end-to-end encryption. Only you and the recipient(s) have the keys to read these messages.": "Krypterte meldinger er sikret med punkt-til-punkt-kryptering. Bare du og mottakeren(e) har nøklene til å lese disse meldingene.", - "Your keys are not being backed up from this session.": "Dine nøkler har ikke blitt sikkerhetskopiert fra denne økten.", "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.", @@ -278,9 +246,6 @@ "Room Name": "Rommets navn", "Room Topic": "Rommets tema", "Encryption not enabled": "Kryptering er ikke skrudd på", - "Something went wrong!": "Noe gikk galt!", - "Your display name": "Ditt visningsnavn", - "Widget added by": "Modulen ble lagt til av", "Create new room": "Opprett et nytt rom", "Language Dropdown": "Språk-nedfallsmeny", "Custom level": "Tilpasset nivå", @@ -288,16 +253,12 @@ "other": "Og %(count)s til..." }, "Logs sent": "Loggbøkene ble sendt", - "Hide advanced": "Skjul avansert", - "Show advanced": "Vis avansert", "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", - "Delete Backup": "Slett sikkerhetskopien", - "Restore from Backup": "Gjenopprett fra sikkerhetskopi", "Remove %(email)s?": "Vil du fjerne %(email)s?", "Invalid Email Address": "Ugyldig E-postadresse", "Try to join anyway": "Forsøk å bli med likevel", @@ -319,17 +280,11 @@ "%(name)s declined": "%(name)s avslo", "%(name)s cancelled": "%(name)s avbrøt", "%(name)s wants to verify": "%(name)s ønsker å verifisere", - "Failed to copy": "Mislyktes i å kopiere", "Submit logs": "Send inn loggføringer", "Clear all data": "Tøm alle data", "Upload completed": "Opplasting fullført", "Unable to upload": "Mislyktes i å laste opp", - "Remove for everyone": "Fjern for alle", - "Secret storage public key:": "Offentlig nøkkel for hemmelig lagring:", - "New login. Was this you?": "En ny pålogging. Var det deg?", "Aeroplane": "Fly", - "No display name": "Ingen visningsnavn", - "unexpected type": "uventet type", "Disconnect anyway": "Koble fra likevel", "Uploaded sound": "Lastet opp lyd", "Incorrect verification code": "Ugyldig verifiseringskode", @@ -351,7 +306,6 @@ "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", - "Mark all as read": "Merk alle som lest", "Other published addresses:": "Andre publiserte adresser:", "Waiting for %(displayName)s to accept…": "Venter på at %(displayName)s skal akseptere …", "Your homeserver": "Hjemmetjeneren din", @@ -375,7 +329,6 @@ "That matches!": "Det samsvarer!", "That doesn't match.": "Det samsvarer ikke.", "Go back to set it again.": "Gå tilbake for å velge på nytt.", - "Other users may not trust it": "Andre brukere kan kanskje mistro den", "%(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.", @@ -383,7 +336,6 @@ "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", - "Encryption upgrade available": "Krypteringsoppdatering tilgjengelig", "Santa": "Julenisse", "wait and try again later": "vent og prøv igjen senere", "Remove %(phone)s?": "Vil du fjerne %(phone)s?", @@ -401,7 +353,6 @@ "Error decrypting video": "Feil under dekryptering av video", "Add an Integration": "Legg til en integrering", "Can't load this message": "Klarte ikke å laste inn denne meldingen", - "Popout widget": "Utsprettsmodul", "Room address": "Rommets adresse", "This address is available to use": "Denne adressen er allerede i bruk", "Failed to send logs: ": "Mislyktes i å sende loggbøker: ", @@ -421,10 +372,8 @@ "Keys restored": "Nøklene ble gjenopprettet", "Reject invitation": "Avslå invitasjonen", "Couldn't load page": "Klarte ikke å laste inn siden", - "Jump to first invite.": "Hopp til den første invitasjonen.", "You seem to be uploading files, are you sure you want to quit?": "Du ser til å laste opp filer, er du sikker på at du vil avslutte?", "Switch theme": "Bytt tema", - "All settings": "Alle innstillinger", "Confirm encryption setup": "Bekreft krypteringsoppsett", "Create key backup": "Opprett nøkkelsikkerhetskopi", "Set up Secure Messages": "Sett opp sikre meldinger", @@ -434,7 +383,6 @@ "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", - "This widget may use cookies.": "Denne modulen bruker kanskje infokapsler.", "Confirm account deactivation": "Bekreft deaktivering av kontoen", "The server is offline.": "Denne tjeneren er offline.", "Wrong file type": "Feil filtype", @@ -456,13 +404,11 @@ "Security Key mismatch": "Sikkerhetsnøkkel uoverensstemmelse", "Unable to load backup status": "Klarte ikke å laste sikkerhetskopi-status", "%(completed)s of %(total)s keys restored": "%(completed)s av %(total)s nøkler gjenopprettet", - "Revoke permissions": "Trekk tilbake rettigheter", "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", - "Invite people": "Inviter personer", "Belgium": "Belgia", "American Samoa": "Amerikansk Samoa", "United States": "USA", @@ -513,17 +459,11 @@ "No results found": "Ingen resultater ble funnet", "Public space": "Offentlig område", "Private space": "Privat område", - "%(deviceId)s from %(ip)s": "%(deviceId)s fra %(ip)s", - "Leave Space": "Forlat området", - "Save Changes": "Lagre endringer", "You don't have permission": "Du har ikke tillatelse", "%(count)s rooms": { "other": "%(count)s rom", "one": "%(count)s rom" }, - "unknown person": "ukjent person", - "Click to copy": "Klikk for å kopiere", - "Share invite link": "Del invitasjonslenke", "Leave space": "Forlat området", "%(count)s people you know have already joined": { "other": "%(count)s personer du kjenner har allerede blitt med" @@ -538,12 +478,9 @@ "Malta": "Malta", "Uruguay": "Uruguay", "Remember this": "Husk dette", - "Move right": "Gå til høyre", "Security Phrase": "Sikkerhetsfrase", "Open dial pad": "Åpne nummerpanelet", "This room is public": "Dette rommet er offentlig", - "Move left": "Gå til venstre", - "Take a picture": "Ta et bilde", "Hold": "Hold", "Enter Security Phrase": "Skriv inn sikkerhetsfrase", "Security Key": "Sikkerhetsnøkkel", @@ -552,8 +489,6 @@ "New Recovery Method": "Ny gjenopprettingsmetode", "Generate a Security Key": "Generer en sikkerhetsnøkkel", "Confirm your Security Phrase": "Bekreft sikkerhetsfrasen din", - "Use app": "Bruk app", - "Use app for a better experience": "Bruk appen for en bedre opplevelse", "This address is already in use": "Denne adressen er allerede i bruk", "In reply to ": "Som svar på ", "Information": "Informasjon", @@ -564,8 +499,6 @@ "Room settings": "Rominnstillinger", "Not encrypted": "Ikke kryptert", "Widgets": "Komponenter", - "Favourited": "Favorittmerket", - "Forget Room": "Glem rommet", "Continuing without email": "Fortsetter uten E-post", "Are you sure you want to sign out?": "Er du sikker på at du vil logge av?", "Transfer": "Overfør", @@ -574,21 +507,13 @@ "Explore public rooms": "Utforsk offentlige rom", "Verify the link in your inbox": "Verifiser lenken i innboksen din", "Bridges": "Broer", - "Reject all %(invitedRooms)s invites": "Avslå alle %(invitedRooms)s-invitasjoner", "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", - "Accept all %(invitedRooms)s invites": "Aksepter alle %(invitedRooms)s-invitasjoner", - "": "", - "not ready": "ikke klar", - "ready": "klar", - "Algorithm:": "Algoritme:", "Show Widgets": "Vis moduler", "Hide Widgets": "Skjul moduler", "Dial pad": "Nummerpanel", - "Enable desktop notifications": "Aktiver skrivebordsvarsler", - "Don't miss a reply": "Ikke gå glipp av noen svar", "Zimbabwe": "Zimbabwe", "Yemen": "Jemen", "Zambia": "Zambia", @@ -782,8 +707,6 @@ "Croatia": "Kroatia", "Costa Rica": "Costa Rica", "Cook Islands": "Cook-øyene", - "All keys backed up": "Alle nøkler er sikkerhetskopiert", - "Secret storage:": "Hemmelig lagring:", "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.", @@ -791,22 +714,15 @@ "Could not connect to identity server": "Kunne ikke koble til identitetsserveren", "Results": "Resultat", "Retry all": "Prøv alle igjen", - "Report": "Rapporter", "Sent": "Sendt", "Sending": "Sender", "MB": "MB", "Add reaction": "Legg til reaksjon", "Downloading": "Laster ned", "Connection failed": "Tilkobling mislyktes", - "Global": "Globalt", - "Keyword": "Nøkkelord", - "Visibility": "Synlighet", "Address": "Adresse", - "Delete avatar": "Slett profilbilde", "Corn": "Mais", "Cloud": "Sky", - "More": "Mer", - "Connecting": "Kobler til", "St. Pierre & Miquelon": "Saint-Pierre og Miquelon", "St. Martin": "Saint Martin", "St. Barthélemy": "Saint Barthélemy", @@ -883,7 +799,13 @@ "preview_message": "Hei der. Du er fantastisk!", "on": "På", "off": "Av", - "all_rooms": "Alle rom" + "all_rooms": "Alle rom", + "copied": "Kopiert!", + "advanced": "Avansert", + "general": "Generelt", + "profile": "Profil", + "display_name": "Visningsnavn", + "user_avatar": "Profilbilde" }, "action": { "continue": "Fortsett", @@ -970,7 +892,10 @@ "mention": "Nevn", "submit": "Send", "send_report": "Send inn rapport", - "unban": "Opphev utestengelse" + "unban": "Opphev utestengelse", + "click_to_copy": "Klikk for å kopiere", + "hide_advanced": "Skjul avansert", + "show_advanced": "Vis avansert" }, "a11y": { "user_menu": "Brukermeny", @@ -982,7 +907,8 @@ "one": "1 ulest melding.", "other": "%(count)s uleste meldinger." }, - "unread_messages": "Uleste meldinger." + "unread_messages": "Uleste meldinger.", + "jump_first_invite": "Hopp til den første invitasjonen." }, "labs": { "pinning": "Meldingsklistring", @@ -1034,7 +960,6 @@ "user_description": "Brukere" } }, - "Bold": "Fet", "Code": "Kode", "power_level": { "default": "Standard", @@ -1104,7 +1029,8 @@ "noisy": "Bråkete", "error_permissions_denied": "%(brand)s har ikke tillatelse til å sende deg varsler - vennligst sjekk nettleserinnstillingene", "error_permissions_missing": "%(brand)s fikk ikke tillatelse til å sende deg varsler - vennligst prøv igjen", - "error_title": "Klarte ikke slå på Varslinger" + "error_title": "Klarte ikke slå på Varslinger", + "push_targets": "Mål for varsel" }, "appearance": { "heading": "Tilpass utseendet du bruker", @@ -1146,7 +1072,21 @@ "cryptography_section": "Kryptografi", "session_id": "Økt-ID:", "session_key": "Øktnøkkel:", - "encryption_section": "Kryptering" + "encryption_section": "Kryptering", + "bulk_options_accept_all_invites": "Aksepter alle %(invitedRooms)s-invitasjoner", + "bulk_options_reject_all_invites": "Avslå alle %(invitedRooms)s-invitasjoner", + "message_search_section": "Meldingssøk", + "encryption_individual_verification_mode": "Verifiser hver brukerøkt individuelt for å stemple den som at du stoler på den, ikke stol på kryss-signerte enheter.", + "backup_key_unexpected_type": "uventet type", + "4s_public_key_status": "Offentlig nøkkel for hemmelig lagring:", + "secret_storage_status": "Hemmelig lagring:", + "secret_storage_ready": "klar", + "secret_storage_not_ready": "ikke klar", + "delete_backup": "Slett sikkerhetskopien", + "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." }, "preferences": { "room_list_heading": "Romliste", @@ -1172,7 +1112,8 @@ "add_msisdn_confirm_sso_button": "Bekreft dette telefonnummeret ved å bruke Single Sign On for å bevise din identitet.", "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" + "add_msisdn_dialog_title": "Legg til telefonnummer", + "name_placeholder": "Ingen visningsnavn" } }, "devtools": { @@ -1362,7 +1303,11 @@ "m.room.create": { "see_older_messages": "Klikk for å se eldre meldinger." }, - "creation_summary_room": "%(creator)s opprettet og satte opp rommet." + "creation_summary_room": "%(creator)s opprettet og satte opp rommet.", + "context_menu": { + "external_url": "Kilde URL", + "report": "Rapporter" + } }, "slash_command": { "shrug": "Føyer til ¯\\_(ツ)_/¯ på en råtekstmelding", @@ -1460,10 +1405,13 @@ "no_permission_conference": "Tillatelse kreves", "no_permission_conference_description": "Du har ikke tillatelse til å starte en konferansesamtale i dette rommet", "default_device": "Standardenhet", - "no_media_perms_title": "Ingen mediatillatelser" + "no_media_perms_title": "Ingen mediatillatelser", + "join_button_tooltip_connecting": "Kobler til", + "more_button": "Mer", + "unknown_person": "ukjent person", + "connecting": "Kobler til" }, "Other": "Andre", - "Advanced": "Avansert", "room_settings": { "permissions": { "m.room.avatar": "Endre rommets avatar", @@ -1511,11 +1459,18 @@ "default_url_previews_off": "URL-forhåndsvisninger er skrudd av som standard for deltakerene i dette rommet.", "url_preview_encryption_warning": "I krypterte rom som denne, er URL-forhåndsvisninger skrudd av som standard for å sikre at hjemmetjeneren din (der forhåndsvisningene blir generert) ikke kan samle inn informasjon om lenkene som du ser i dette rommet.", "url_preview_explainer": "Når noen legger til en URL i meldingene deres, kan en URL-forhåndsvisning bli vist for å gi mere informasjonen om den lenken, f.eks. tittelen, beskrivelsen, og et bilde fra nettstedet.", - "url_previews_section": "URL-forhåndsvisninger" + "url_previews_section": "URL-forhåndsvisninger", + "save": "Lagre endringer", + "leave_space": "Forlat området" }, "advanced": { "room_version_section": "Romversjon", "room_version": "Romversjon:" + }, + "delete_avatar_label": "Slett profilbilde", + "upload_avatar_label": "Last opp en avatar", + "visibility": { + "title": "Synlighet" } }, "encryption": { @@ -1526,11 +1481,18 @@ "complete_description": "Du har vellykket verifisert denne brukeren.", "qr_prompt": "Skann denne unike koden", "complete_action": "Skjønner", - "cancelling": "Avbryter …" + "cancelling": "Avbryter …", + "unverified_sessions_toast_reject": "Senere", + "unverified_session_toast_title": "En ny pålogging. Var det deg?", + "request_toast_detail": "%(deviceId)s fra %(ip)s" }, "verification_requested_toast_title": "Verifisering ble forespurt", "bootstrap_title": "Setter opp nøkler", - "import_invalid_keyfile": "Ikke en gyldig %(brand)s-nøkkelfil" + "import_invalid_keyfile": "Ikke en gyldig %(brand)s-nøkkelfil", + "upgrade_toast_title": "Krypteringsoppdatering tilgjengelig", + "verify_toast_title": "Verifiser denne økten", + "verify_toast_description": "Andre brukere kan kanskje mistro den", + "not_supported": "" }, "emoji": { "category_frequently_used": "Ofte brukte", @@ -1605,7 +1567,8 @@ "error_title": "Vi kunne ikke logge deg inn" }, "reset_password_email_not_found_title": "Denne e-postadressen ble ikke funnet", - "misconfigured_title": "Ditt %(brand)s-oppsett er feiloppsatt" + "misconfigured_title": "Ditt %(brand)s-oppsett er feiloppsatt", + "create_account_title": "Opprett konto" }, "room_list": { "show_previews": "Vis forhåndsvisninger av meldinger", @@ -1628,7 +1591,8 @@ "intro_welcome": "Velkommen til %(appName)s", "send_dm": "Send en direktemelding", "explore_rooms": "Utforsk offentlige rom", - "create_room": "Opprett en gruppechat" + "create_room": "Opprett en gruppechat", + "create_account": "Opprett konto" }, "setting": { "help_about": { @@ -1648,7 +1612,24 @@ }, "error_need_to_be_logged_in": "Du må være logget inn.", "error_need_invite_permission": "Du må kunne invitere andre brukere for å gjøre det.", - "no_name": "Ukjent app" + "no_name": "Ukjent app", + "context_menu": { + "screenshot": "Ta et bilde", + "delete": "Slett modul", + "remove": "Fjern for alle", + "revoke": "Trekk tilbake rettigheter", + "move_left": "Gå til venstre", + "move_right": "Gå til høyre" + }, + "shared_data_name": "Ditt visningsnavn", + "shared_data_mxid": "Din bruker-ID", + "shared_data_theme": "Ditt tema", + "shared_data_url": "%(brand)s-URL", + "shared_data_room_id": "Rom-ID", + "shared_data_widget_id": "Modul-ID", + "added_by": "Modulen ble lagt til av", + "cookie_warning": "Denne modulen bruker kanskje infokapsler.", + "popout": "Utsprettsmodul" }, "feedback": { "comment_label": "Kommentar" @@ -1706,17 +1687,21 @@ "skip_action": "Hopp over for nå", "share_heading": "Del %(name)s", "personal_space": "Bare meg selv", - "invite_teammates_by_username": "Inviter etter brukernavn" + "invite_teammates_by_username": "Inviter etter brukernavn", + "address_label": "Adresse" }, "user_menu": { "switch_theme_light": "Bytt til lys modus", - "switch_theme_dark": "Bytt til mørk modus" + "switch_theme_dark": "Bytt til mørk modus", + "settings": "Alle innstillinger" }, "space": { "suggested": "Anbefalte", "context_menu": { "explore": "Se alle rom" - } + }, + "invite_link": "Del invitasjonslenke", + "invite": "Inviter personer" }, "room": { "drop_file_prompt": "Slipp ned en fil her for å laste opp", @@ -1724,6 +1709,12 @@ "no_topic": "Legg til et tema for hjelpe folk å forstå hva dette handler om.", "you_created": "Du opprettet dette rommet.", "no_avatar_label": "Legg til et bilde så folk lettere kan finne rommet ditt." + }, + "context_menu": { + "unfavourite": "Favorittmerket", + "favourite": "Favoritt", + "low_priority": "Lav Prioritet", + "forget": "Glem rommet" } }, "file_panel": { @@ -1739,7 +1730,8 @@ "tac_button": "Gå gjennom betingelser og vilkår", "identity_server_no_terms_title": "Identitetstjeneren har ingen brukervilkår", "identity_server_no_terms_description_1": "Denne handlingen krever tilgang til standard identitetsserver for å kunne validere en epostaddresse eller telefonnummer, men serveren har ikke bruksvilkår.", - "identity_server_no_terms_description_2": "Fortsett kun om du stoler på eieren av serveren." + "identity_server_no_terms_description_2": "Fortsett kun om du stoler på eieren av serveren.", + "inline_intro_text": "Aksepter for å fortsette:" }, "failed_load_async_component": "Klarte ikke laste! Sjekk nettverstilkoblingen din og prøv igjen.", "upload_failed_generic": "Filen '%(fileName)s' kunne ikke lastes opp.", @@ -1768,5 +1760,38 @@ "error_room_not_visible": "Rom %(roomId)s er ikke synlig", "error_missing_user_id_request": "Manglende user_id i forespørselen" }, - "name_and_id": "%(name)s (%(userId)s)" + "name_and_id": "%(name)s (%(userId)s)", + "items_and_n_others": { + "other": " og %(count)s andre", + "one": " og én annen" + }, + "notifications": { + "enable_prompt_toast_title_from_message_send": "Ikke gå glipp av noen svar", + "enable_prompt_toast_title": "Varsler", + "enable_prompt_toast_description": "Aktiver skrivebordsvarsler", + "colour_none": "Ingen", + "colour_bold": "Fet", + "mark_all_read": "Merk alle som lest", + "keyword": "Nøkkelord", + "class_global": "Globalt", + "class_other": "Andre" + }, + "mobile_guide": { + "toast_title": "Bruk appen for en bedre opplevelse", + "toast_accept": "Bruk app" + }, + "room_summary_card_back_action_label": "Rominformasjon", + "quick_settings": { + "all_settings": "Alle innstillinger", + "sidebar_settings": "Flere alternativer" + }, + "error": { + "failed_copy": "Mislyktes i å kopiere", + "something_went_wrong": "Noe gikk galt!", + "unknown": "Ukjent feil" + }, + "lightbox": { + "rotate_left": "Roter til venstre", + "rotate_right": "Roter til høyre" + } } diff --git a/src/i18n/strings/nl.json b/src/i18n/strings/nl.json index 1e84a9a92a..57f7da5cf5 100644 --- a/src/i18n/strings/nl.json +++ b/src/i18n/strings/nl.json @@ -15,16 +15,11 @@ "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", - "Favourite": "Favoriet", - "Notifications": "Meldingen", "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 display name": "Geen weergavenaam", "No more results": "Geen resultaten meer", - "Profile": "Profiel", "Reason": "Reden", "Reject invitation": "Uitnodiging weigeren", "Sun": "Zo", @@ -58,7 +53,6 @@ "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 change power level": "Wijzigen van machtsniveau 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", @@ -97,7 +91,6 @@ "one": "%(filename)s en %(count)s ander worden geüpload", "other": "%(filename)s en %(count)s andere worden geüpload" }, - "Upload avatar": "Afbeelding uploaden", "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (macht %(powerLevelNumber)s)", "Verification Pending": "Verificatie in afwachting", "Warning!": "Let op!", @@ -120,23 +113,16 @@ "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.", - "Reject all %(invitedRooms)s invites": "Alle %(invitedRooms)s de uitnodigingen weigeren", "Confirm Removal": "Verwijdering bevestigen", - "Unknown error": "Onbekende fout", "Unable to restore session": "Herstellen van sessie mislukt", "If you have previously used a more recent version of %(brand)s, your session may be incompatible with this version. Close this window and return to the more recent version.": "Als je een recentere versie van %(brand)s hebt gebruikt is je sessie mogelijk niet geschikt voor deze versie. Sluit dit venster en ga terug naar die recentere versie.", "Error decrypting image": "Fout bij het ontsleutelen van de afbeelding", "Error decrypting video": "Fout bij het ontsleutelen van de video", "Add an Integration": "Voeg een integratie toe", "You are about to be taken to a third-party site so you can authenticate your account for use with %(integrationsUrl)s. Do you wish to continue?": "Je wordt zo dadelijk naar een derdepartijwebsite gebracht zodat je de account kunt legitimeren voor gebruik met %(integrationsUrl)s. Wil je doorgaan?", - "Something went wrong!": "Er is iets misgegaan!", "This will allow you to reset your password and receive notifications.": "Zo kan je een nieuw wachtwoord instellen en meldingen ontvangen.", - "Delete widget": "Widget verwijderen", "AM": "AM", "PM": "PM", - "Copied!": "Gekopieerd!", - "Failed to copy": "Kopiëren mislukt", - "Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "Widgets verwijderen geldt voor alle deelnemers aan deze kamer. Weet je zeker dat je deze widget wilt verwijderen?", "Delete Widget": "Widget verwijderen", "Restricted": "Beperkte toegang", "Send": "Versturen", @@ -151,10 +137,6 @@ "Replying": "Aan het beantwoorden", "Unnamed room": "Naamloze kamer", "Banned by %(displayName)s": "Verbannen door %(displayName)s", - " and %(count)s others": { - "other": " en %(count)s andere", - "one": " en één ander" - }, "collapse": "dichtvouwen", "expand": "uitvouwen", "And %(count)s more...": { @@ -164,13 +146,11 @@ "This room is not public. You will not be able to rejoin without an invite.": "Dit is geen publieke kamer. Slechts op uitnodiging zal je opnieuw kunnen toetreden.", "You don't currently have any stickerpacks enabled": "Je hebt momenteel geen stickerpakketten ingeschakeld", "Sunday": "Zondag", - "Notification targets": "Meldingsbestemmingen", "Today": "Vandaag", "Friday": "Vrijdag", "Changelog": "Wijzigingslogboek", "This Room": "Deze kamer", "Unavailable": "Niet beschikbaar", - "Source URL": "Bron-URL", "Filter results": "Resultaten filteren", "Tuesday": "Dinsdag", "Search…": "Zoeken…", @@ -182,13 +162,11 @@ "You cannot delete this message. (%(code)s)": "Je kan dit bericht niet verwijderen. (%(code)s)", "Thursday": "Donderdag", "Yesterday": "Gisteren", - "Low Priority": "Lage prioriteit", "Wednesday": "Woensdag", "Thank you!": "Bedankt!", "Logs sent": "Logs verstuurd", "Failed to send logs: ": "Versturen van logs mislukt: ", "Preparing to send logs": "Logs voorbereiden voor versturen", - "Popout widget": "Widget in nieuw venster openen", "Unable to load event that was replied to, it either does not exist or you do not have permission to view it.": "Kan de gebeurtenis waarop gereageerd was niet laden. Wellicht bestaat die niet, of je hebt geen toestemming die te bekijken.", "Clear Storage and Sign Out": "Opslag wissen en uitloggen", "Send Logs": "Logs versturen", @@ -209,8 +187,6 @@ "No Audio Outputs detected": "Geen geluidsuitgangen gedetecteerd", "Audio Output": "Geluidsuitgang", "Ignored users": "Genegeerde personen", - "Bulk options": "Bulkopties", - "Please contact your homeserver administrator.": "Gelieve contact op te nemen met de beheerder van jouw homeserver.", "Dog": "Hond", "Cat": "Kat", "Lion": "Leeuw", @@ -275,24 +251,15 @@ "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", - "Delete Backup": "Back-up verwijderen", - "Are you sure? You will lose your encrypted messages if your keys are not backed up properly.": "Weet je het zeker? Je zal je versleutelde berichten verliezen als je sleutels niet correct geback-upt zijn.", "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.", - "Unable to load key backup status": "Kan sleutelback-upstatus niet laden", - "Restore from Backup": "Uit back-up herstellen", "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.", - "All keys backed up": "Alle sleutels zijn geback-upt", "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", - "Profile picture": "Profielfoto", - "Display Name": "Weergavenaam", "Email addresses": "E-mailadressen", "Phone numbers": "Telefoonnummers", "Account management": "Accountbeheer", - "General": "Algemeen", - "Accept all %(invitedRooms)s invites": "Alle %(invitedRooms)s de uitnodigingen aannemen", "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", @@ -355,7 +322,6 @@ "Invalid homeserver discovery response": "Ongeldig homeserver-vindbaarheids-antwoord", "Invalid identity server discovery response": "Ongeldig identiteitsserver-vindbaarheidsantwoord", "General failure": "Algemene fout", - "Create account": "Registeren", "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.", @@ -410,8 +376,6 @@ "%(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", - "Rotate Left": "Links draaien", - "Rotate Right": "Rechts draaien", "Edit message": "Bericht bewerken", "Some characters not allowed": "Sommige tekens zijn niet toegestaan", "Add room": "Kamer toevoegen", @@ -459,7 +423,6 @@ "Enter a new identity server": "Voer een nieuwe identiteitsserver in", "Remove %(email)s?": "%(email)s verwijderen?", "Remove %(phone)s?": "%(phone)s verwijderen?", - "Accept to continue:": "Aanvaard om door te gaan:", "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", @@ -499,27 +462,16 @@ "Show image": "Afbeelding tonen", "e.g. my-room": "bv. mijn-kamer", "Close dialog": "Dialoog sluiten", - "Hide advanced": "Geavanceerde info verbergen", - "Show advanced": "Geavanceerde info tonen", "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’.", - "Verify this session": "Verifieer deze sessie", - "Encryption upgrade available": "Versleutelingsupgrade beschikbaar", "Lock": "Hangslot", - "Other users may not trust it": "Mogelijk wantrouwen anderen het", - "Later": "Later", "Show more": "Meer tonen", - "Securely cache encrypted messages locally for them to appear in search results.": "Sla versleutelde berichten veilig lokaal op om ze doorzoekbaar te maken.", - "Cannot connect to integration manager": "Kan geen verbinding maken met de integratiebeheerder", - "The integration manager is offline or it cannot reach your homeserver.": "De integratiebeheerder is offline of kan je homeserver niet bereiken.", - "not stored": "niet opgeslagen", "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", - "Message search": "Berichten zoeken", "This room is bridging messages to the following platforms. Learn more.": "Deze kamer wordt overbrugd naar de volgende platformen. Lees meer", "Bridges": "Bruggen", "This user has not verified all of their sessions.": "Deze persoon heeft niet al zijn sessies geverifieerd.", @@ -529,17 +481,8 @@ "This room is end-to-end encrypted": "Deze kamer is eind-tot-eind-versleuteld", "Everyone in this room is verified": "Iedereen in deze kamer is geverifieerd", "Direct Messages": "Direct gesprek", - "Your account has a cross-signing identity in secret storage, but it is not yet trusted by this session.": "Jouw account heeft een identiteit voor kruiselings ondertekenen in de sleutelopslag, maar die wordt nog niet vertrouwd door de huidige sessie.", - "Secret storage public key:": "Sleutelopslag publieke sleutel:", - "in account data": "in accountinformatie", - "Connect this session to key backup before signing out to avoid losing any keys that may only be on this session.": "Verbind deze sessie met de sleutelback-up voordat je jezelf afmeldt. Dit voorkomt dat je sleutels verliest die alleen op deze sessie voorkomen.", - "Connect this session to Key Backup": "Verbind deze sessie met de sleutelback-up", "This backup is trusted because it has been restored on this session": "Deze back-up is vertrouwd omdat hij hersteld is naar deze sessie", - "Your keys are not being backed up from this session.": "Jouw sleutels worden niet geback-upt van deze sessie.", "You should remove your personal data from identity server before disconnecting. Unfortunately, identity server is currently offline or cannot be reached.": "Je moet je persoonlijke informatie van de identiteitsserver verwijderen voordat je ontkoppelt. Helaas kan de identiteitsserver op dit moment niet worden bereikt. Mogelijk is hij offline.", - "Your homeserver does not support cross-signing.": "Jouw homeserver biedt geen ondersteuning voor kruiselings ondertekenen.", - "%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with search components added.": "In %(brand)s ontbreken enige modulen vereist voor het veilig lokaal bewaren van versleutelde berichten. Wil je deze functie uittesten, compileer dan een aangepaste versie van %(brand)s Desktop die de zoekmodulen bevat.", - "This session is not backing up your keys, but you do have an existing backup you can restore from and add to going forward.": "Deze sessie maakt geen back-ups van je sleutels, maar je beschikt over een reeds bestaande back-up waaruit je kan herstellen en waaraan je nieuwe sleutels vanaf nu kunt toevoegen.", "Encrypted by an unverified session": "Versleuteld door een niet-geverifieerde sessie", "Unencrypted": "Onversleuteld", "Encrypted by a deleted session": "Versleuteld door een verwijderde sessie", @@ -597,18 +540,6 @@ "%(name)s wants to verify": "%(name)s wil verifiëren", "You sent a verification request": "Je hebt een verificatieverzoek verstuurd", "Cancel search": "Zoeken annuleren", - "Any of the following data may be shared:": "De volgende gegevens worden mogelijk gedeeld:", - "Your display name": "Jouw weergavenaam", - "Your user ID": "Jouw persoon-ID", - "Your theme": "Jouw thema", - "%(brand)s URL": "%(brand)s-URL", - "Room ID": "Kamer-ID", - "Widget ID": "Widget-ID", - "Using this widget may share data with %(widgetDomain)s.": "Deze widget gebruiken deelt mogelijk gegevens met %(widgetDomain)s.", - "Widgets do not use message encryption.": "Widgets gebruiken geen berichtversleuteling.", - "Widget added by": "Widget toegevoegd door", - "This widget may use cookies.": "Deze widget kan cookies gebruiken.", - "More options": "Meer opties", "Language Dropdown": "Taalselectie", "Destroy cross-signing keys?": "Sleutels voor kruiselings ondertekenen verwijderen?", "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.": "Het verwijderen van sleutels voor kruiselings ondertekenen is niet terug te draaien. Iedereen waarmee u geverifieerd heeft zal beveiligingswaarschuwingen te zien krijgen. U wilt dit hoogstwaarschijnlijk niet doen, tenzij u alle apparaten heeft verloren waarmee u kruiselings kon ondertekenen.", @@ -634,10 +565,7 @@ "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.": "Dit heeft meestal enkel een invloed op de manier waarop de kamer door de server verwerkt wordt. Als je problemen met je %(brand)s ondervindt, dien dan een foutmelding in.", "You'll upgrade this room from to .": "Je upgrade deze kamer van naar .", "Verification Request": "Verificatieverzoek", - "Remove for everyone": "Verwijderen voor iedereen", "Country Dropdown": "Landselectie", - "Jump to first unread room.": "Ga naar het eerste ongelezen kamer.", - "Jump to first invite.": "Ga naar de eerste uitnodiging.", "Enter your account password to confirm the upgrade:": "Voer je wachtwoord in om het upgraden te bevestigen:", "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.", @@ -647,9 +575,7 @@ "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.", - "Mark all as read": "Alles markeren als gelezen", "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.", - "New login. Was this you?": "Nieuwe login gevonden. Was jij dat?", "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.", "Confirm your account deactivation by using Single Sign On to prove your identity.": "Bevestig de deactivering van je account door gebruik te maken van eenmalige aanmelding om je identiteit te bewijzen.", @@ -909,28 +835,18 @@ "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.", - "All settings": "Instellingen", "Error removing address": "Fout bij verwijderen van adres", "There was an error removing that address. It may no longer exist or a temporary error occurred.": "Er is een fout opgetreden bij het verwijderen van dit adres. Deze bestaat mogelijk niet meer, of er is een tijdelijke fout opgetreden.", "You don't have permission to delete the address.": "Je hebt geen toestemming om het adres te verwijderen.", "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.", - "Favourited": "Favoriet", - "Forget Room": "Kamer vergeten", "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.", - "not ready": "Niet gereed", - "ready": "Gereed", - "unexpected type": "Onverwacht type", - "Algorithm:": "Algoritme:", "Backup version:": "Versie reservekopie:", - "The operation could not be completed": "De handeling kon niet worden voltooid", - "Failed to save your profile": "Profiel opslaan mislukt", - "Change notification settings": "Meldingsinstellingen wijzigen", "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.": "Je hebt eerder een nieuwere versie van %(brand)s in deze sessie gebruikt. Om deze versie opnieuw met eind-tot-eind-versleuteling te gebruiken, zal je moeten uitloggen en opnieuw inloggen.", "Reason (optional)": "Reden (niet vereist)", "Server name": "Servernaam", @@ -984,13 +900,6 @@ "Invite by email": "Via e-mail uitnodigen", "Click the button below to confirm your identity.": "Druk op de knop hieronder om je identiteit te bevestigen.", "Confirm to continue": "Bevestig om door te gaan", - "Safeguard against losing access to encrypted messages & data": "Beveiliging tegen verlies van toegang tot versleutelde berichten en gegevens", - "Set up Secure Backup": "Beveiligde back-up instellen", - "Contact your server admin.": "Neem contact op met je serverbeheerder.", - "Use app": "Gebruik app", - "Use app for a better experience": "Gebruik de app voor een betere ervaring", - "Enable desktop notifications": "Bureaubladmeldingen inschakelen", - "Don't miss a reply": "Mis geen antwoord", "São Tomé & Príncipe": "Sao Tomé en Principe", "Swaziland": "Swaziland", "Sudan": "Soedan", @@ -1014,7 +923,6 @@ "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.", - "Secret storage:": "Sleutelopslag:", "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.", @@ -1025,10 +933,6 @@ "Enter a Security Phrase": "Veiligheidswachtwoord invoeren", "Switch theme": "Thema wisselen", "Sign in with SSO": "Inloggen met SSO", - "Move right": "Ga naar rechts", - "Move left": "Ga naar links", - "Revoke permissions": "Machtigingen intrekken", - "Take a picture": "Neem een foto", "Hold": "Vasthouden", "Resume": "Hervatten", "If you've forgotten your Security Key you can ": "Als u uw veiligheidssleutel bent vergeten, kunt u ", @@ -1095,19 +999,6 @@ "Published Addresses": "Gepubliceerde adressen", "Open dial pad": "Kiestoetsen openen", "Recently visited rooms": "Onlangs geopende kamers", - "Backup key cached:": "Back-up sleutel cached:", - "Backup key stored:": "Back-up sleutel bewaard:", - "Back up your encryption keys with your account data in case you lose access to your sessions. Your keys will be secured with a unique Security Key.": "Maak een back-up van je versleutelingssleutels met je accountgegevens voor het geval je de toegang tot je sessies verliest. Je sleutels worden beveiligd met een unieke veiligheidssleutel.", - "well formed": "goed gevormd", - "%(brand)s can't securely cache encrypted messages locally while running in a web browser. Use %(brand)s Desktop for encrypted messages to appear in search results.": "%(brand)s kan versleutelde berichten niet veilig lokaal opslaan in een webbrowser. Gebruik %(brand)s Desktop om versleutelde berichten in zoekresultaten te laten verschijnen.", - "Securely cache encrypted messages locally for them to appear in search results, using %(size)s to store messages from %(rooms)s rooms.": { - "one": "Veilig lokaal opslaan van versleutelde berichten zodat ze in de zoekresultaten verschijnen, gebruik %(size)s voor het opslaan van berichten uit %(rooms)s kamer.", - "other": "Veilig lokaal opslaan van versleutelde berichten zodat ze in de zoekresultaten verschijnen, gebruik %(size)s voor het opslaan van berichten uit %(rooms)s kamers." - }, - "Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "Verifieer elke sessie die door een persoon wordt gebruikt afzonderlijk. Dit markeert hen als vertrouwd zonder te vertrouwen op kruislings ondertekende apparaten.", - "Cross-signing is not set up.": "Kruiselings ondertekenen is niet ingesteld.", - "Cross-signing is ready for use.": "Kruiselings ondertekenen is klaar voor gebruik.", - "Your server isn't responding to some requests.": "Je server reageert niet op sommige verzoeken.", "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.", @@ -1118,28 +1009,18 @@ }, "Are you sure you want to leave the space '%(spaceName)s'?": "Weet je zeker dat je de Space '%(spaceName)s' wilt verlaten?", "This space is not public. You will not be able to rejoin without an invite.": "Deze Space is niet publiek. Zonder uitnodiging zal je niet opnieuw kunnen toetreden.", - "Start audio stream": "Audiostream starten", "Failed to start livestream": "Starten van livestream is mislukt", "Unable to start audio streaming.": "Kan audiostream niet starten.", - "Save Changes": "Wijzigingen opslaan", - "Leave Space": "Space verlaten", - "Failed to save space settings.": "Het opslaan van de space-instellingen is mislukt.", - "Edit settings relating to your space.": "Bewerk instellingen gerelateerd aan jouw space.", "Invite someone using their name, username (like ) or share this space.": "Nodig iemand uit per naam, inlognaam (zoals ) of deel deze Space.", "Invite someone using their name, email address, username (like ) or share this space.": "Nodig iemand uit per naam, e-mail, inlognaam (zoals ) of deel deze Space.", "Create a new room": "Nieuwe kamer aanmaken", - "Spaces": "Spaces", "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", - "Space options": "Space-opties", "Leave space": "Space verlaten", - "Invite people": "Personen uitnodigen", - "Share invite link": "Deel uitnodigingskoppeling", - "Click to copy": "Klik om te kopiëren", "Create a space": "Space maken", "Private space": "Privé Space", "Public space": "Publieke Space", @@ -1154,8 +1035,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", - "Invite with email or username": "Uitnodigen per e-mail of inlognaam", - "You can change these anytime.": "Je kan dit elk moment nog aanpassen.", "Verify your identity to access encrypted messages and prove your identity to others.": "Verifeer je identiteit om toegang te krijgen tot je versleutelde berichten en om je identiteit te bewijzen voor anderen.", "Avatar": "Afbeelding", "You most likely do not want to reset your event index store": "Je wilt waarschijnlijk niet jouw gebeurtenisopslag-index resetten", @@ -1169,9 +1048,6 @@ "one": "%(count)s persoon die je kent is al geregistreerd", "other": "%(count)s personen die je kent hebben zich al geregistreerd" }, - "unknown person": "onbekend persoon", - "%(deviceId)s from %(ip)s": "%(deviceId)s van %(ip)s", - "Review to ensure your account is safe": "Controleer ze zodat jouw account veilig is", "You are the only person here. If you leave, no one will be able to join in the future, including you.": "Je bent de enige persoon hier. Als je weggaat, zal niemand in de toekomst kunnen toetreden, jij ook niet.", "If you reset everything, you will restart with no trusted sessions, no trusted users, and might not be able to see past messages.": "Als u alles reset zult u opnieuw opstarten zonder vertrouwde sessies, zonder vertrouwde personen, en zult u misschien geen oude berichten meer kunnen zien.", "Only do this if you have no other device to complete verification with.": "Doe dit alleen als u geen ander apparaat hebt om de verificatie mee uit te voeren.", @@ -1204,8 +1080,6 @@ "No microphone found": "Geen microfoon gevonden", "We were unable to access your microphone. Please check your browser settings and try again.": "We hebben geen toegang tot je microfoon. Controleer je browserinstellingen en probeer het opnieuw.", "Unable to access your microphone": "Geen toegang tot je microfoon", - "Connecting": "Verbinden", - "Message search initialisation failed": "Zoeken in berichten opstarten is mislukt", "Search names and descriptions": "In namen en omschrijvingen zoeken", "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.", @@ -1220,15 +1094,9 @@ "Message preview": "Voorbeeld van bericht", "Sent": "Verstuurd", "You don't have permission to do this": "Je hebt geen rechten om dit te doen", - "Error - Mixed content": "Fout - Gemengde inhoud", - "Error loading Widget": "Fout bij laden Widget", "Pinned messages": "Vastgeprikte berichten", "If you have permissions, open the menu on any message and select Pin to stick them here.": "Als je de rechten hebt, open dan het menu op elk bericht en selecteer Vastprikken om ze hier te zetten.", "Nothing pinned, yet": "Nog niks vastgeprikt", - "Report": "Melden", - "Collapse reply thread": "Antwoorddraad invouwen", - "Show preview": "Preview weergeven", - "View source": "Bron bekijken", "Please provide an address": "Geef een adres op", "Message search initialisation failed, check your settings for more information": "Bericht zoeken initialisatie mislukt, controleer je instellingen voor meer informatie", "Set addresses for this space so users can find this space through your homeserver (%(localDomain)s)": "Stel adressen in voor deze Space zodat personen deze Space kunnen vinden via jouw homeserver (%(localDomain)s)", @@ -1237,17 +1105,6 @@ "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", - "Recommended for public spaces.": "Aanbevolen voor publieke spaces.", - "Allow people to preview your space before they join.": "Personen toestaan een voorvertoning van jouw space te zien voor deelname.", - "Preview Space": "Space voorvertoning", - "Decide who can view and join %(spaceName)s.": "Bepaal wie kan lezen en deelnemen aan %(spaceName)s.", - "Visibility": "Zichtbaarheid", - "This may be useful for public spaces.": "Dit kan nuttig zijn voor publieke spaces.", - "Guests can join a space without having an account.": "Gasten kunnen deelnemen aan een space zonder een account.", - "Enable guest access": "Gastentoegang inschakelen", - "Failed to update the history visibility of this space": "Het bijwerken van de geschiedenis leesbaarheid voor deze space is mislukt", - "Failed to update the guest access of this space": "Het bijwerken van de gastentoegang van deze space is niet gelukt", - "Failed to update the visibility of this space": "Het bijwerken van de zichtbaarheid van deze space is mislukt", "Address": "Adres", "Unnamed audio": "Naamloze audio", "Error processing audio message": "Fout bij verwerking audiobericht", @@ -1256,7 +1113,6 @@ "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.", - "Using this widget may share data with %(widgetDomain)s & your integration manager.": "Met het gebruik van deze widget deel je mogelijk gegevens met %(widgetDomain)s & je integratiebeheerder.", "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.", @@ -1265,11 +1121,6 @@ "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", - "There was an error loading your notification settings.": "Er was een fout bij het laden van je meldingsvoorkeuren.", - "Mentions & keywords": "Vermeldingen & trefwoorden", - "Global": "Overal", - "New keyword": "Nieuw trefwoord", - "Keyword": "Trefwoord", "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", "The call is in an unknown state!": "Deze oproep heeft een onbekende status!", @@ -1279,21 +1130,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", - "Spaces with access": "Spaces met toegang", - "Anyone in a space can find and join. Edit which spaces can access here.": "Iedereen in een space kan hem vinden en deelnemen. Wijzig hier welke spaces toegang hebben.", - "Currently, %(count)s spaces have access": { - "other": "Momenteel hebben %(count)s spaces toegang", - "one": "Momenteel heeft één space toegang" - }, - "& %(count)s more": { - "other": "& %(count)s meer", - "one": "& %(count)s meer" - }, - "Upgrade required": "Upgrade noodzakelijk", - "This upgrade will allow members of selected spaces access to this room without an invite.": "Deze upgrade maakt het mogelijk voor leden van geselecteerde spaces om toegang te krijgen tot deze kamer zonder een uitnodiging.", - "Access": "Toegang", - "Space members": "Space leden", - "Anyone in a space can find and join. You can select multiple spaces.": "Iedereen in een space kan hem vinden en deelnemen. Je kan meerdere spaces selecteren.", "Public room": "Publieke kamer", "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.", @@ -1305,15 +1141,11 @@ "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", - "Share content": "Deel inhoud", - "Application window": "Deel een app", - "Share entire screen": "Deel je gehele scherm", "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.", "You won't be able to rejoin unless you are re-invited.": "Je kan niet opnieuw deelnemen behalve als je opnieuw wordt uitgenodigd.", - "Search %(spaceName)s": "Zoek %(spaceName)s", "Want to add an existing space instead?": "Een bestaande Space toevoegen?", "Private space (invite only)": "Privé Space (alleen op uitnodiging)", "Space visibility": "Space zichtbaarheid", @@ -1328,24 +1160,17 @@ "Want to add a new space instead?": "Een nieuwe Space toevoegen?", "Add existing space": "Bestaande Space toevoegen", "Decrypting": "Ontsleutelen", - "Show all rooms": "Alle kamers tonen", "Missed call": "Oproep gemist", "Call declined": "Oproep geweigerd", "Stop recording": "Opname stoppen", "Send voice message": "Spraakbericht versturen", - "More": "Meer", - "Show sidebar": "Zijbalk weergeven", - "Hide sidebar": "Zijbalk verbergen", - "Delete avatar": "Afbeelding verwijderen", "Unknown failure: %(reason)s": "Onbekende fout: %(reason)s", "Rooms and spaces": "Kamers en Spaces", "Results": "Resultaten", - "Cross-signing is ready but keys are not backed up.": "Kruiselings ondertekenen is klaar, maar de sleutels zijn nog niet geback-upt.", "Some encryption parameters have been changed.": "Enkele versleutingsparameters zijn gewijzigd.", "Role in ": "Rol in ", "Unknown failure": "Onbekende fout", "Failed to update the join rules": "Het updaten van de deelname regels is mislukt", - "Anyone in can find and join. You can select other spaces too.": "Iedereen in kan hem vinden en deelnemen. Je kan ook andere spaces selecteren.", "Message didn't send. Click for info.": "Bericht is niet verstuur. Klik voor meer info.", "To join a space you'll need an invite.": "Om te kunnen deelnemen aan een space heb je een uitnodiging nodig.", "Would you like to leave the rooms in this space?": "Wil je de kamers verlaten in deze Space?", @@ -1372,16 +1197,6 @@ "one": "%(count)s reactie", "other": "%(count)s reacties" }, - "Updating spaces... (%(progress)s out of %(count)s)": { - "one": "Spaces bijwerken...", - "other": "Spaces bijwerken... (%(progress)s van %(count)s)" - }, - "Sending invites... (%(progress)s out of %(count)s)": { - "one": "Uitnodigingen versturen...", - "other": "Uitnodigingen versturen... (%(progress)s van %(count)s)" - }, - "Loading new room": "Nieuwe kamer laden", - "Upgrading room": "Kamer aan het bijwerken", "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", @@ -1395,7 +1210,6 @@ "Joining": "Toetreden", "Copy link to thread": "Kopieer link naar draad", "Thread options": "Draad opties", - "Mentions only": "Alleen vermeldingen", "Forget": "Vergeet", "If you can't see who you're looking for, send them your invite link below.": "Als je niet kan vinden wie je zoekt, stuur ze dan je uitnodigingslink hieronder.", "Based on %(count)s votes": { @@ -1421,12 +1235,6 @@ "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.", - "Rooms outside of a space": "Kamers buiten een space", - "Show all your rooms in Home, even if they're in a space.": "Toon al je kamers in Home, zelfs als ze al in een space zitten.", - "Home is useful for getting an overview of everything.": "Home is handig om een overzicht van alles te krijgen.", - "Spaces to show": "Spaces om te tonen", - "Sidebar": "Zijbalk", - "This room is in some spaces you're not an admin of. In those spaces, the old room will still be shown, but people will be prompted to join the new one.": "Deze kamer is in spaces waar je geen beheerder van bent. In deze spaces zal de oude kamer nog worden getoond, maar leden zullen een melding krijgen om deel te nemen aan de nieuwe kamer.", "%(spaceName)s and %(count)s others": { "one": "%(spaceName)s en %(count)s andere", "other": "%(spaceName)s en %(count)s andere" @@ -1437,8 +1245,6 @@ "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", - "Pin to sidebar": "Vastprikken aan zijbalk", - "Quick settings": "Snelle instellingen", "Developer": "Ontwikkelaar", "Experimental": "Experimenteel", "Themes": "Thema's", @@ -1458,8 +1264,6 @@ "other": "%(count)s stemmen uitgebracht. Stem om de resultaten te zien" }, "No votes cast": "Geen stemmen uitgebracht", - "Share anonymous data to help us identify issues. Nothing personal. No third parties.": "Deel anonieme gedragsdata om ons te helpen problemen te identificeren. Geen persoonsgegevens. Geen derde partijen.", - "Share location": "Locatie delen", "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.": "Weet je zeker dat je de poll wil sluiten? Dit zal zichtbaar zijn in de einduitslag van de poll en personen kunnen dan niet langer stemmen.", "End Poll": "Poll sluiten", "Sorry, the poll did not end. Please try again.": "Helaas, de poll is niet gesloten. Probeer het opnieuw.", @@ -1482,7 +1286,6 @@ "Sections to show": "Te tonen secties", "Link to room": "Link naar kamer", "Including you, %(commaSeparatedMembers)s": "Inclusief jij, %(commaSeparatedMembers)s", - "Copy room link": "Kamerlink kopiëren", "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", @@ -1497,9 +1300,6 @@ "You cancelled verification on your other device.": "Je hebt de verificatie geannuleerd op het andere apparaat.", "Almost there! Is your other device showing the same shield?": "Je bent er bijna! Toont het andere apparaat hetzelfde schild?", "To proceed, please accept the verification request on your other device.": "Om door te gaan, accepteer het verificatie verzoek op je andere apparaat.", - "Back to thread": "Terug naar draad", - "Room members": "Kamerleden", - "Back to chat": "Terug naar chat", "Could not fetch location": "Kan locatie niet ophalen", "Message pending moderation": "Bericht in afwachting van moderatie", "Message pending moderation: %(reason)s": "Bericht in afwachting van moderatie: %(reason)s", @@ -1515,10 +1315,6 @@ "Pick a date to jump to": "Kies een datum om naar toe te springen", "Jump to date": "Spring naar datum", "The beginning of the room": "Het begin van de kamer", - "Group all your rooms that aren't part of a space in one place.": "Groepeer al je kamers die geen deel uitmaken van een space op één plaats.", - "Group all your people in one place.": "Groepeer al je mensen op één plek.", - "Group all your favourite rooms and people in one place.": "Groepeer al je favoriete kamers en mensen op één plek.", - "Spaces are ways to group rooms and people. Alongside the spaces you're in, you can use some pre-built ones too.": "Spaces zijn manieren om kamers en mensen te groeperen. Naast de spaces waarin jij je bevindt, kunt je ook enkele kant-en-klare spaces gebruiken.", "Location": "Locatie", "Poll": "Poll", "Voice Message": "Spraakbericht", @@ -1544,9 +1340,6 @@ "%(displayName)s's live location": "De live locatie van %(displayName)s", "We couldn't send your location": "We kunnen jouw locatie niet versturen", "%(brand)s could not send your location. Please try again later.": "%(brand)s kan jouw locatie niet versturen. Probeer het later opnieuw.", - "Click to drop a pin": "Klik om een pin neer te zetten", - "Click to move the pin": "Klik om de pin te verplaatsen", - "Share for %(duration)s": "Delen voor %(duration)s", "Results will be visible when the poll is ended": "Resultaten zijn zichtbaar wanneer de poll is afgelopen", "Sorry, you can't edit a poll after votes have been cast.": "Sorry, je kan een poll niet bewerken nadat er gestemd is.", "Can't edit poll": "Kan poll niet bewerken", @@ -1581,13 +1374,6 @@ }, "New video room": "Nieuwe video kamer", "New room": "Nieuwe kamer", - "Match system": "Match systeem", - "Failed to join": "Kan niet deelnemen", - "The person who invited you has already left, or their server is offline.": "De persoon die je heeft uitgenodigd is al vertrokken, of zijn server is offline.", - "The person who invited you has already left.": "De persoon die je heeft uitgenodigd is al vertrokken.", - "Sorry, your homeserver is too old to participate here.": "Sorry, je server is te oud om hier aan deel te nemen.", - "There was an error joining.": "Er is een fout opgetreden bij het deelnemen.", - "%(brand)s is experimental on a mobile web browser. For a better experience and the latest features, use our free native app.": "%(brand)s is experimenteel in een mobiele webbrowser. Gebruik onze gratis native app voor een betere ervaring en de nieuwste functies.", "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", @@ -1625,9 +1411,6 @@ }, "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", - "Enable live location sharing": "Live locatie delen inschakelen", - "Please note: this is a labs feature using a temporary implementation. This means you will not be able to delete your location history, and advanced users will be able to see your location history even after you stop sharing your live location with this room.": "Let op: dit is een labfunctie met een tijdelijke implementatie. Dit betekent dat je jouw locatiegeschiedenis niet kunt verwijderen en dat geavanceerde gebruikers jouw locatiegeschiedenis kunnen zien, zelfs nadat je stopt met het delen van uw live locatie met deze ruimte.", - "Live location sharing": "Live locatie delen", "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", @@ -1644,16 +1427,8 @@ "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", - "View related event": "Bekijk gerelateerde gebeurtenis", "Joining…": "Deelnemen…", "Read receipts": "Leesbevestigingen", - "%(count)s people joined": { - "one": "%(count)s persoon toegetreden", - "other": "%(count)s mensen toegetreden" - }, - "You were disconnected from the call. (Error: %(message)s)": "De verbinding is verbroken van uw oproep. (Error: %(message)s)", - "Connection lost": "Verbinding verloren", - "Un-maximise": "Maximaliseren ongedaan maken", "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", @@ -1693,8 +1468,6 @@ "Choose a locale": "Kies een landinstelling", "Interactively verify by emoji": "Interactief verifiëren door emoji", "Manually verify by text": "Handmatig verifiëren via tekst", - "For best security, verify your sessions and sign out from any session that you don't recognize or use anymore.": "Voor de beste beveiliging verifieer je jouw sessies en meldt je jezelf af bij elke sessie die je niet meer herkent of gebruikt.", - "Sessions": "Sessies", "%(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", @@ -1722,10 +1495,6 @@ "Close call": "Sluit oproep", "Spotlight": "Schijnwerper", "Freedom": "Vrijheid", - "You do not have permission to start voice calls": "U heeft geen toestemming om spraakoproepen te starten", - "There's no one here to call": "Er is hier niemand om te bellen", - "You do not have permission to start video calls": "U heeft geen toestemming om videogesprekken te starten", - "Ongoing call": "Lopende oproep", "Video call (%(brand)s)": "Videogesprek (%(brand)s)", "Video call (Jitsi)": "Videogesprek (Jitsi)", "Show formatting": "Opmaak tonen", @@ -1734,12 +1503,6 @@ "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", - "Are you sure you want to sign out of %(count)s sessions?": { - "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?" - }, - "Sorry — this call is currently full": "Sorry — dit gesprek is momenteel vol", - "Unknown room": "Onbekende kamer", "common": { "about": "Over", "analytics": "Gebruiksgegevens", @@ -1835,7 +1598,14 @@ "off": "Uit", "all_rooms": "Alle kamers", "deselect_all": "Allemaal deselecteren", - "select_all": "Allemaal selecteren" + "select_all": "Allemaal selecteren", + "copied": "Gekopieerd!", + "advanced": "Geavanceerd", + "spaces": "Spaces", + "general": "Algemeen", + "profile": "Profiel", + "display_name": "Weergavenaam", + "user_avatar": "Profielfoto" }, "action": { "continue": "Doorgaan", @@ -1935,7 +1705,10 @@ "clear": "Wis", "exit_fullscreeen": "Volledig scherm verlaten", "enter_fullscreen": "Volledig scherm openen", - "unban": "Ontbannen" + "unban": "Ontbannen", + "click_to_copy": "Klik om te kopiëren", + "hide_advanced": "Geavanceerde info verbergen", + "show_advanced": "Geavanceerde info tonen" }, "a11y": { "user_menu": "Persoonsmenu", @@ -1947,7 +1720,8 @@ "other": "%(count)s ongelezen berichten.", "one": "1 ongelezen bericht." }, - "unread_messages": "Ongelezen berichten." + "unread_messages": "Ongelezen berichten.", + "jump_first_invite": "Ga naar de eerste uitnodiging." }, "labs": { "video_rooms": "Video kamers", @@ -2100,7 +1874,6 @@ "user_a11y": "Personen autoaanvullen" } }, - "Bold": "Vet", "Code": "Code", "power_level": { "default": "Standaard", @@ -2202,7 +1975,8 @@ "intro_byline": "Gesprekken die helemaal van jou zijn.", "send_dm": "Start een direct gesprek", "explore_rooms": "Publieke kamers ontdekken", - "create_room": "Maak een groepsgesprek" + "create_room": "Maak een groepsgesprek", + "create_account": "Registeren" }, "settings": { "show_breadcrumbs": "Snelkoppelingen naar de kamers die je recent hebt bekeken bovenaan de kamerlijst weergeven", @@ -2265,7 +2039,9 @@ "noisy": "Luid", "error_permissions_denied": "%(brand)s heeft geen toestemming jou meldingen te sturen - controleer je browserinstellingen", "error_permissions_missing": "%(brand)s kreeg geen toestemming jou meldingen te sturen - probeer het opnieuw", - "error_title": "Kan meldingen niet inschakelen" + "error_title": "Kan meldingen niet inschakelen", + "push_targets": "Meldingsbestemmingen", + "error_loading": "Er was een fout bij het laden van je meldingsvoorkeuren." }, "appearance": { "layout_irc": "IRC (Experimenteel)", @@ -2332,7 +2108,42 @@ "cryptography_section": "Cryptografie", "session_id": "Sessie-ID:", "session_key": "Sessiesleutel:", - "encryption_section": "Versleuteling" + "encryption_section": "Versleuteling", + "bulk_options_section": "Bulkopties", + "bulk_options_accept_all_invites": "Alle %(invitedRooms)s de uitnodigingen aannemen", + "bulk_options_reject_all_invites": "Alle %(invitedRooms)s de uitnodigingen weigeren", + "message_search_section": "Berichten zoeken", + "analytics_subsection_description": "Deel anonieme gedragsdata om ons te helpen problemen te identificeren. Geen persoonsgegevens. Geen derde partijen.", + "encryption_individual_verification_mode": "Verifieer elke sessie die door een persoon wordt gebruikt afzonderlijk. Dit markeert hen als vertrouwd zonder te vertrouwen op kruislings ondertekende apparaten.", + "message_search_enabled": { + "one": "Veilig lokaal opslaan van versleutelde berichten zodat ze in de zoekresultaten verschijnen, gebruik %(size)s voor het opslaan van berichten uit %(rooms)s kamer.", + "other": "Veilig lokaal opslaan van versleutelde berichten zodat ze in de zoekresultaten verschijnen, gebruik %(size)s voor het opslaan van berichten uit %(rooms)s kamers." + }, + "message_search_disabled": "Sla versleutelde berichten veilig lokaal op om ze doorzoekbaar te maken.", + "message_search_unsupported": "In %(brand)s ontbreken enige modulen vereist voor het veilig lokaal bewaren van versleutelde berichten. Wil je deze functie uittesten, compileer dan een aangepaste versie van %(brand)s Desktop die de zoekmodulen bevat.", + "message_search_unsupported_web": "%(brand)s kan versleutelde berichten niet veilig lokaal opslaan in een webbrowser. Gebruik %(brand)s Desktop om versleutelde berichten in zoekresultaten te laten verschijnen.", + "message_search_failed": "Zoeken in berichten opstarten is mislukt", + "backup_key_well_formed": "goed gevormd", + "backup_key_unexpected_type": "Onverwacht type", + "backup_keys_description": "Maak een back-up van je versleutelingssleutels met je accountgegevens voor het geval je de toegang tot je sessies verliest. Je sleutels worden beveiligd met een unieke veiligheidssleutel.", + "backup_key_stored_status": "Back-up sleutel bewaard:", + "cross_signing_not_stored": "niet opgeslagen", + "backup_key_cached_status": "Back-up sleutel cached:", + "4s_public_key_status": "Sleutelopslag publieke sleutel:", + "4s_public_key_in_account_data": "in accountinformatie", + "secret_storage_status": "Sleutelopslag:", + "secret_storage_ready": "Gereed", + "secret_storage_not_ready": "Niet gereed", + "delete_backup": "Back-up verwijderen", + "delete_backup_confirm_description": "Weet je het zeker? Je zal je versleutelde berichten verliezen als je sleutels niet correct geback-upt zijn.", + "error_loading_key_backup_status": "Kan sleutelback-upstatus niet laden", + "restore_key_backup": "Uit back-up herstellen", + "key_backup_inactive": "Deze sessie maakt geen back-ups van je sleutels, maar je beschikt over een reeds bestaande back-up waaruit je kan herstellen en waaraan je nieuwe sleutels vanaf nu kunt toevoegen.", + "key_backup_connect_prompt": "Verbind deze sessie met de sleutelback-up voordat je jezelf afmeldt. Dit voorkomt dat je sleutels verliest die alleen op deze sessie voorkomen.", + "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." }, "preferences": { "room_list_heading": "Kamerslijst", @@ -2425,7 +2236,13 @@ "one": "Apparaat uitloggen", "other": "Apparaten uitloggen" }, - "security_recommendations": "Beveiligingsaanbevelingen" + "security_recommendations": "Beveiligingsaanbevelingen", + "title": "Sessies", + "sign_out_confirm_description": { + "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." }, "general": { "account_section": "Account", @@ -2440,7 +2257,22 @@ "add_msisdn_confirm_sso_button": "Bevestig je identiteit met je eenmalige aanmelding om dit telefoonnummer toe te voegen.", "add_msisdn_confirm_button": "Bevestig toevoegen van het telefoonnummer", "add_msisdn_confirm_body": "Klik op de knop hieronder om het toevoegen van dit telefoonnummer te bevestigen.", - "add_msisdn_dialog_title": "Telefoonnummer toevoegen" + "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" + }, + "sidebar": { + "title": "Zijbalk", + "metaspaces_subsection": "Spaces om te tonen", + "metaspaces_description": "Spaces zijn manieren om kamers en mensen te groeperen. Naast de spaces waarin jij je bevindt, kunt je ook enkele kant-en-klare spaces gebruiken.", + "metaspaces_home_description": "Home is handig om een overzicht van alles te krijgen.", + "metaspaces_favourites_description": "Groepeer al je favoriete kamers en mensen op één plek.", + "metaspaces_people_description": "Groepeer al je mensen op één plek.", + "metaspaces_orphans": "Kamers buiten een space", + "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" } }, "devtools": { @@ -2890,7 +2722,15 @@ "see_older_messages": "Klik hier om oudere berichten te bekijken." }, "creation_summary_dm": "%(creator)s maakte deze directe chat.", - "creation_summary_room": "Kamer gestart en ingesteld door %(creator)s." + "creation_summary_room": "Kamer gestart en ingesteld door %(creator)s.", + "context_menu": { + "view_source": "Bron bekijken", + "show_url_preview": "Preview weergeven", + "external_url": "Bron-URL", + "collapse_reply_thread": "Antwoorddraad invouwen", + "view_related_event": "Bekijk gerelateerde gebeurtenis", + "report": "Melden" + } }, "slash_command": { "spoiler": "Verstuurt het bericht als een spoiler", @@ -3073,10 +2913,28 @@ "no_permission_conference_description": "Je hebt geen rechten in deze kamer om een vergadering te starten", "default_device": "Standaardapparaat", "no_media_perms_title": "Geen mediatoestemmingen", - "no_media_perms_description": "Je moet %(brand)s wellicht handmatig toestaan je microfoon/webcam te gebruiken" + "no_media_perms_description": "Je moet %(brand)s wellicht handmatig toestaan je microfoon/webcam te gebruiken", + "call_toast_unknown_room": "Onbekende kamer", + "join_button_tooltip_connecting": "Verbinden", + "join_button_tooltip_call_full": "Sorry — dit gesprek is momenteel vol", + "hide_sidebar_button": "Zijbalk verbergen", + "show_sidebar_button": "Zijbalk weergeven", + "more_button": "Meer", + "screenshare_monitor": "Deel je gehele scherm", + "screenshare_window": "Deel een app", + "screenshare_title": "Deel inhoud", + "disabled_no_perms_start_voice_call": "U heeft geen toestemming om spraakoproepen te starten", + "disabled_no_perms_start_video_call": "U heeft geen toestemming om videogesprekken te starten", + "disabled_ongoing_call": "Lopende oproep", + "disabled_no_one_here": "Er is hier niemand om te bellen", + "n_people_joined": { + "one": "%(count)s persoon toegetreden", + "other": "%(count)s mensen toegetreden" + }, + "unknown_person": "onbekend persoon", + "connecting": "Verbinden" }, "Other": "Overige", - "Advanced": "Geavanceerd", "room_settings": { "permissions": { "m.room.avatar_space": "Space-afbeelding wijzigen", @@ -3142,7 +3000,33 @@ "history_visibility_shared": "Alleen deelnemers (vanaf het moment dat deze optie wordt geselecteerd)", "history_visibility_invited": "Alleen deelnemers (vanaf het moment dat ze uitgenodigd zijn)", "history_visibility_joined": "Alleen deelnemers (vanaf het moment dat ze toegetreden zijn)", - "history_visibility_world_readable": "Iedereen" + "history_visibility_world_readable": "Iedereen", + "join_rule_upgrade_required": "Upgrade noodzakelijk", + "join_rule_restricted_n_more": { + "other": "& %(count)s meer", + "one": "& %(count)s meer" + }, + "join_rule_restricted_summary": { + "other": "Momenteel hebben %(count)s spaces toegang", + "one": "Momenteel heeft één space toegang" + }, + "join_rule_restricted_description": "Iedereen in een space kan hem vinden en deelnemen. Wijzig hier welke spaces toegang hebben.", + "join_rule_restricted_description_spaces": "Spaces met toegang", + "join_rule_restricted_description_active_space": "Iedereen in kan hem vinden en deelnemen. Je kan ook andere spaces selecteren.", + "join_rule_restricted_description_prompt": "Iedereen in een space kan hem vinden en deelnemen. Je kan meerdere spaces selecteren.", + "join_rule_restricted": "Space leden", + "join_rule_restricted_upgrade_warning": "Deze kamer is in spaces waar je geen beheerder van bent. In deze spaces zal de oude kamer nog worden getoond, maar leden zullen een melding krijgen om deel te nemen aan de nieuwe kamer.", + "join_rule_restricted_upgrade_description": "Deze upgrade maakt het mogelijk voor leden van geselecteerde spaces om toegang te krijgen tot deze kamer zonder een uitnodiging.", + "join_rule_upgrade_upgrading_room": "Kamer aan het bijwerken", + "join_rule_upgrade_awaiting_room": "Nieuwe kamer laden", + "join_rule_upgrade_sending_invites": { + "one": "Uitnodigingen versturen...", + "other": "Uitnodigingen versturen... (%(progress)s van %(count)s)" + }, + "join_rule_upgrade_updating_spaces": { + "one": "Spaces bijwerken...", + "other": "Spaces bijwerken... (%(progress)s van %(count)s)" + } }, "general": { "publish_toggle": "Deze kamer vermelden in de publieke kamersgids van %(domain)s?", @@ -3152,7 +3036,11 @@ "default_url_previews_off": "URL-voorvertoningen zijn voor deelnemers van deze kamer standaard uitgeschakeld.", "url_preview_encryption_warning": "In versleutelde kamers zoals deze zijn URL-voorvertoningen standaard uitgeschakeld, om te voorkomen dat jouw homeserver (waar de voorvertoningen worden gemaakt) informatie kan verzamelen over de koppelingen die je hier ziet.", "url_preview_explainer": "Als iemand een URL in een bericht invoegt, kan er een URL-voorvertoning weergegeven worden met meer informatie over de koppeling, zoals de titel, omschrijving en een afbeelding van de website.", - "url_previews_section": "URL-voorvertoningen" + "url_previews_section": "URL-voorvertoningen", + "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" }, "advanced": { "unfederated": "Deze kamer is niet toegankelijk vanaf externe Matrix-servers", @@ -3163,6 +3051,24 @@ "room_id": "Interne ruimte ID", "room_version_section": "Kamerversie", "room_version": "Kamerversie:" + }, + "delete_avatar_label": "Afbeelding verwijderen", + "upload_avatar_label": "Afbeelding uploaden", + "visibility": { + "error_update_guest_access": "Het bijwerken van de gastentoegang van deze space is niet gelukt", + "error_update_history_visibility": "Het bijwerken van de geschiedenis leesbaarheid voor deze space is mislukt", + "guest_access_explainer": "Gasten kunnen deelnemen aan een space zonder een account.", + "guest_access_explainer_public_space": "Dit kan nuttig zijn voor publieke spaces.", + "title": "Zichtbaarheid", + "error_failed_save": "Het bijwerken van de zichtbaarheid van deze space is mislukt", + "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" + }, + "access": { + "title": "Toegang", + "description_space": "Bepaal wie kan lezen en deelnemen aan %(spaceName)s." } }, "encryption": { @@ -3189,7 +3095,11 @@ "waiting_other_device_details": "Wachten op je verificatie op het andere apparaat, %(deviceName)s (%(deviceId)s)…", "waiting_other_device": "Wachten op je verificatie op het andere apparaat…", "waiting_other_user": "Wachten tot %(displayName)s geverifieerd heeft…", - "cancelling": "Bezig met annuleren…" + "cancelling": "Bezig met annuleren…", + "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" }, "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.", @@ -3199,7 +3109,18 @@ "bootstrap_title": "Sleutelconfiguratie", "export_unsupported": "Jouw browser ondersteunt de benodigde cryptografie-extensies niet", "import_invalid_keyfile": "Geen geldig %(brand)s-sleutelbestand", - "import_invalid_passphrase": "Aanmeldingscontrole mislukt: onjuist wachtwoord?" + "import_invalid_passphrase": "Aanmeldingscontrole mislukt: onjuist wachtwoord?", + "set_up_toast_title": "Beveiligde back-up instellen", + "upgrade_toast_title": "Versleutelingsupgrade beschikbaar", + "verify_toast_title": "Verifieer deze sessie", + "set_up_toast_description": "Beveiliging tegen verlies van toegang tot versleutelde berichten en gegevens", + "verify_toast_description": "Mogelijk wantrouwen anderen het", + "cross_signing_unsupported": "Jouw homeserver biedt geen ondersteuning voor kruiselings ondertekenen.", + "cross_signing_ready": "Kruiselings ondertekenen is klaar voor gebruik.", + "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": "" }, "emoji": { "category_frequently_used": "Vaak gebruikt", @@ -3223,7 +3144,8 @@ "bullet_1": "We verwerken of bewaren geen accountgegevens", "bullet_2": "We delen geen informatie met derde partijen", "disable_prompt": "Je kan dit elk moment uitzetten in instellingen", - "accept_button": "Dat is prima" + "accept_button": "Dat is prima", + "shared_data_heading": "De volgende gegevens worden mogelijk gedeeld:" }, "chat_effects": { "confetti_description": "Stuurt het bericht met confetti", @@ -3355,7 +3277,8 @@ "no_hs_url_provided": "Geen homeserver-URL opgegeven", "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." + "incorrect_credentials_detail": "Let op dat je inlogt bij de %(hs)s-server, niet matrix.org.", + "create_account_title": "Registeren" }, "room_list": { "sort_unread_first": "Kamers met ongelezen berichten als eerste tonen", @@ -3474,7 +3397,34 @@ "error_need_to_be_logged_in": "Hiervoor dien je ingelogd te zijn.", "error_need_invite_permission": "Dit vereist de bevoegdheid om personen uit te nodigen.", "error_need_kick_permission": "U moet in staat zijn om gebruikers te verwijderen om dit te doen.", - "no_name": "Onbekende app" + "no_name": "Onbekende app", + "error_hangup_title": "Verbinding verloren", + "error_hangup_description": "De verbinding is verbroken van uw oproep. (Error: %(message)s)", + "context_menu": { + "start_audio_stream": "Audiostream starten", + "screenshot": "Neem een foto", + "delete": "Widget verwijderen", + "delete_warning": "Widgets verwijderen geldt voor alle deelnemers aan deze kamer. Weet je zeker dat je deze widget wilt verwijderen?", + "remove": "Verwijderen voor iedereen", + "revoke": "Machtigingen intrekken", + "move_left": "Ga naar links", + "move_right": "Ga naar rechts" + }, + "shared_data_name": "Jouw weergavenaam", + "shared_data_mxid": "Jouw persoon-ID", + "shared_data_theme": "Jouw thema", + "shared_data_url": "%(brand)s-URL", + "shared_data_room_id": "Kamer-ID", + "shared_data_widget_id": "Widget-ID", + "shared_data_warning_im": "Met het gebruik van deze widget deel je mogelijk gegevens met %(widgetDomain)s & je integratiebeheerder.", + "shared_data_warning": "Deze widget gebruiken deelt mogelijk gegevens met %(widgetDomain)s.", + "unencrypted_warning": "Widgets gebruiken geen berichtversleuteling.", + "added_by": "Widget toegevoegd door", + "cookie_warning": "Deze widget kan cookies gebruiken.", + "error_loading": "Fout bij laden Widget", + "error_mixed_content": "Fout - Gemengde inhoud", + "unmaximise": "Maximaliseren ongedaan maken", + "popout": "Widget in nieuw venster openen" }, "feedback": { "sent": "Feedback verstuurd", @@ -3556,7 +3506,8 @@ "empty_heading": "Houd threads georganiseerd" }, "theme": { - "light_high_contrast": "Lichte hoog contrast" + "light_high_contrast": "Lichte hoog contrast", + "match_system": "Match systeem" }, "space": { "landing_welcome": "Welkom in ", @@ -3572,9 +3523,14 @@ "devtools_open_timeline": "Kamer tijdlijn bekijken (dev tools)", "home": "Space home", "explore": "Kamers ontdekken", - "manage_and_explore": "Beheer & ontdek kamers" + "manage_and_explore": "Beheer & ontdek kamers", + "options": "Space-opties" }, - "share_public": "Deel jouw publieke space" + "share_public": "Deel jouw publieke space", + "search_children": "Zoek %(spaceName)s", + "invite_link": "Deel uitnodigingskoppeling", + "invite": "Personen uitnodigen", + "invite_description": "Uitnodigen per e-mail of inlognaam" }, "location_sharing": { "MapStyleUrlNotConfigured": "Deze server is niet geconfigureerd om kaarten weer te geven.", @@ -3590,7 +3546,14 @@ "failed_timeout": "Er is een time-out opgetreden bij het ophalen van jouw locatie. Probeer het later opnieuw.", "failed_unknown": "Onbekende fout bij ophalen van locatie. Probeer het later opnieuw.", "expand_map": "Map uitvouwen", - "failed_load_map": "Kan kaart niet laden" + "failed_load_map": "Kan kaart niet laden", + "live_enable_heading": "Live locatie delen", + "live_enable_description": "Let op: dit is een labfunctie met een tijdelijke implementatie. Dit betekent dat je jouw locatiegeschiedenis niet kunt verwijderen en dat geavanceerde gebruikers jouw locatiegeschiedenis kunnen zien, zelfs nadat je stopt met het delen van uw live locatie met deze ruimte.", + "live_toggle_label": "Live locatie delen inschakelen", + "live_share_button": "Delen voor %(duration)s", + "click_move_pin": "Klik om de pin te verplaatsen", + "click_drop_pin": "Klik om een pin neer te zetten", + "share_button": "Locatie delen" }, "labs_mjolnir": { "room_name": "Mijn banlijst", @@ -3625,7 +3588,6 @@ }, "create_space": { "name_required": "Vul een naam in voor deze space", - "name_placeholder": "v.b. mijn-Space", "explainer": "Spaces zijn een nieuwe manier om kamers en mensen te groeperen. Wat voor ruimte wil je aanmaken? Je kan dit later wijzigen.", "public_description": "Publieke space voor iedereen, geschikt voor gemeenschappen", "private_description": "Alleen op uitnodiging, geschikt voor jezelf of teams", @@ -3654,11 +3616,16 @@ "setup_rooms_community_description": "Laten we voor elk een los kamer maken.", "setup_rooms_description": "Je kan er later nog meer toevoegen, inclusief al bestaande kamers.", "setup_rooms_private_heading": "Aan welke projecten werkt jouw team?", - "setup_rooms_private_description": "We zullen kamers voor elk van hen maken." + "setup_rooms_private_description": "We zullen kamers voor elk van hen maken.", + "address_placeholder": "v.b. mijn-Space", + "address_label": "Adres", + "label": "Space maken", + "add_details_prompt_2": "Je kan dit elk moment nog aanpassen." }, "user_menu": { "switch_theme_light": "Naar lichte modus wisselen", - "switch_theme_dark": "Naar donkere modus wisselen" + "switch_theme_dark": "Naar donkere modus wisselen", + "settings": "Instellingen" }, "notif_panel": { "empty_heading": "Je bent helemaal bij", @@ -3695,7 +3662,21 @@ "leave_error_title": "Fout bij verlaten kamer", "upgrade_error_title": "Upgraden van kamer mislukt", "upgrade_error_description": "Ga nogmaals na dat de server de gekozen kamerversie ondersteunt, en probeer het dan opnieuw.", - "leave_server_notices_description": "Deze kamer is bedoeld voor belangrijke berichten van de homeserver, dus je kan het niet verlaten." + "leave_server_notices_description": "Deze kamer is bedoeld voor belangrijke berichten van de homeserver, dus je kan het niet verlaten.", + "error_join_connection": "Er is een fout opgetreden bij het deelnemen.", + "error_join_incompatible_version_1": "Sorry, je server is te oud om hier aan deel te nemen.", + "error_join_incompatible_version_2": "Gelieve contact op te nemen met de beheerder van jouw homeserver.", + "error_join_404_invite_same_hs": "De persoon die je heeft uitgenodigd is al vertrokken.", + "error_join_404_invite": "De persoon die je heeft uitgenodigd is al vertrokken, of zijn server is offline.", + "error_join_title": "Kan niet deelnemen", + "context_menu": { + "unfavourite": "Favoriet", + "favourite": "Favoriet", + "mentions_only": "Alleen vermeldingen", + "copy_link": "Kamerlink kopiëren", + "low_priority": "Lage prioriteit", + "forget": "Kamer vergeten" + } }, "file_panel": { "guest_note": "Je dient je te registreren om deze functie te gebruiken", @@ -3715,7 +3696,8 @@ "tac_button": "Gebruiksvoorwaarden lezen", "identity_server_no_terms_title": "De identiteitsserver heeft geen dienstvoorwaarden", "identity_server_no_terms_description_1": "Dit vergt validatie van een e-mailadres of telefoonnummer middels de standaard identiteitsserver , maar die server heeft geen gebruiksvoorwaarden.", - "identity_server_no_terms_description_2": "Ga enkel verder indien je de eigenaar van de server vertrouwt." + "identity_server_no_terms_description_2": "Ga enkel verder indien je de eigenaar van de server vertrouwt.", + "inline_intro_text": "Aanvaard om door te gaan:" }, "space_settings": { "title": "Instellingen - %(spaceName)s" @@ -3799,7 +3781,13 @@ "admin_contact": "Gelieve contact op te nemen met je dienstbeheerder om deze dienst te blijven gebruiken.", "connection": "Er was een communicatieprobleem met de homeserver, probeer het later opnieuw.", "mixed_content": "Kan geen verbinding maken met de homeserver via HTTP wanneer er een HTTPS-URL in je browserbalk staat. Gebruik HTTPS of schakel onveilige scripts in.", - "tls": "Geen verbinding met de homeserver - controleer je verbinding, zorg ervoor dat het SSL-certificaat van de homeserver vertrouwd is en dat er geen browserextensies verzoeken blokkeren." + "tls": "Geen verbinding met de homeserver - controleer je verbinding, zorg ervoor dat het SSL-certificaat van de homeserver vertrouwd is en dat er geen browserextensies verzoeken blokkeren.", + "admin_contact_short": "Neem contact op met je serverbeheerder.", + "non_urgent_echo_failure_toast": "Je server reageert niet op sommige verzoeken.", + "failed_copy": "Kopiëren mislukt", + "something_went_wrong": "Er is iets misgegaan!", + "update_power_level": "Wijzigen van machtsniveau is mislukt", + "unknown": "Onbekende fout" }, "in_space1_and_space2": "In spaces %(space1Name)s en %(space2Name)s.", "in_space_and_n_other_spaces": { @@ -3807,5 +3795,48 @@ "other": "In %(spaceName)s en %(count)s andere spaces." }, "in_space": "In space %(spaceName)s.", - "name_and_id": "%(name)s (%(userId)s)" + "name_and_id": "%(name)s (%(userId)s)", + "items_and_n_others": { + "other": " en %(count)s andere", + "one": " en één ander" + }, + "notifications": { + "enable_prompt_toast_title_from_message_send": "Mis geen antwoord", + "enable_prompt_toast_title": "Meldingen", + "enable_prompt_toast_description": "Bureaubladmeldingen inschakelen", + "colour_none": "Geen", + "colour_bold": "Vet", + "colour_unsent": "niet verstuurd", + "error_change_title": "Meldingsinstellingen wijzigen", + "mark_all_read": "Alles markeren als gelezen", + "keyword": "Trefwoord", + "keyword_new": "Nieuw trefwoord", + "class_global": "Overal", + "class_other": "Overige", + "mentions_keywords": "Vermeldingen & trefwoorden" + }, + "mobile_guide": { + "toast_title": "Gebruik de app voor een betere ervaring", + "toast_description": "%(brand)s is experimenteel in een mobiele webbrowser. Gebruik onze gratis native app voor een betere ervaring en de nieuwste functies.", + "toast_accept": "Gebruik app" + }, + "chat_card_back_action_label": "Terug naar chat", + "room_summary_card_back_action_label": "Kamerinformatie", + "member_list_back_action_label": "Kamerleden", + "thread_view_back_action_label": "Terug naar draad", + "quick_settings": { + "title": "Snelle instellingen", + "all_settings": "Instellingen", + "metaspace_section": "Vastprikken aan zijbalk", + "sidebar_settings": "Meer opties" + }, + "lightbox": { + "rotate_left": "Links draaien", + "rotate_right": "Rechts draaien" + }, + "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." + } } diff --git a/src/i18n/strings/nn.json b/src/i18n/strings/nn.json index bdd00e0dcb..9ebdf584a2 100644 --- a/src/i18n/strings/nn.json +++ b/src/i18n/strings/nn.json @@ -31,18 +31,15 @@ "Reason": "Grunnlag", "Send": "Send", "Incorrect verification code": "Urett stadfestingskode", - "No display name": "Ingen visningsnamn", "Warning!": "Åtvaring!", "Authentication": "Authentisering", "Failed to set display name": "Fekk ikkje til å setja visningsnamn", - "Notification targets": "Varselmål", "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å?", "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 kan ikkje gjera om på denne endringa sidan du senkar tilgangsnivået ditt. Viss du er den siste privilegerte brukaren i rommet vil det bli umogleg å få tilbake tilgangsrettane.", "Demote": "Degrader", "Failed to mute user": "Fekk ikkje til å dempe brukaren", - "Failed to change power level": "Fekk ikkje til å endra tilgangsnivået", "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", @@ -66,7 +63,6 @@ "one": "(~%(count)s resultat)" }, "Join Room": "Bli med i rom", - "Upload avatar": "Last avatar opp", "Forget room": "Gløym rom", "Share room": "Del rom", "Rooms": "Rom", @@ -78,7 +74,6 @@ "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", - "Favourite": "Yndling", "Search…": "Søk…", "This Room": "Dette rommet", "All Rooms": "Alle rom", @@ -100,19 +95,10 @@ "Invalid file%(extra)s": "Ugangbar fil%(extra)s", "Error decrypting image": "Noko gjekk gale med biletedekrypteringa", "Error decrypting video": "Noko gjekk gale med videodekrypteringa", - "Copied!": "Kopiert!", - "Failed to copy": "Noko gjekk gale med kopieringa", "Email address": "Epostadresse", - "Something went wrong!": "Noko gjekk gale!", "Delete Widget": "Slett Widgeten", - "Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "Å sletta ein widget fjernar den for alle brukarane i rommet. Er du sikker på at du vil sletta denne widgeten?", - "Delete widget": "Slett widgeten", "Create new room": "Lag nytt rom", "Home": "Heim", - " and %(count)s others": { - "other": " og %(count)s til", - "one": " og ein til" - }, "%(items)s and %(lastItem)s": "%(items)s og %(lastItem)s", "collapse": "Slå saman", "expand": "Utvid", @@ -128,7 +114,6 @@ "Changelog": "Endringslogg", "not specified": "Ikkje spesifisert", "Confirm Removal": "Godkjenn Fjerning", - "Unknown error": "Noko ukjend gjekk galt", "Deactivate Account": "Avliv Brukaren", "An error has occurred.": "Noko gjekk gale.", "Clear Storage and Sign Out": "Tøm Lager og Logg Ut", @@ -153,14 +138,11 @@ "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)", - "Source URL": "Kjelde-URL", "All messages": "Alle meldingar", - "Low Priority": "Lågrett", "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", - "Notifications": "Varsel", "You can't send any messages until you review and agree to our terms and conditions.": "Du kan ikkje senda meldingar før du les over og godkjenner våre bruksvilkår.", "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.", @@ -178,8 +160,6 @@ }, "Uploading %(filename)s": "Lastar opp %(filename)s", "Unable to remove contact information": "Klarte ikkje å fjerna kontaktinfo", - "": "", - "Reject all %(invitedRooms)s invites": "Kanseller alle invitasjonar frå %(invitedRooms)s", "No Audio Outputs detected": "Ingen ljodavspelingseiningar funne", "No Microphones detected": "Ingen opptakseiningar funne", "No Webcams detected": "Ingen Nettkamera funne", @@ -196,12 +176,10 @@ "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", - "Popout widget": "Popp widget ut", "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 :(", - "Profile": "Brukar", "Export room keys": "Eksporter romnøklar", "Import room keys": "Importer romnøklar", "File to import": "Fil til import", @@ -223,7 +201,6 @@ "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", - "Create account": "Lag konto", "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!", @@ -239,13 +216,10 @@ "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.", - "Verify this session": "Stadfest denne økta", - "Encryption upgrade available": "Kryptering kan oppgraderast", "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", - "Accept all %(invitedRooms)s invites": "Aksepter alle invitasjonar frå %(invitedRooms)s", "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.", @@ -295,7 +269,6 @@ "Could not revoke the invite. The server may be experiencing a temporary problem or you do not have sufficient permissions to revoke the invite.": "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", "Invited by %(sender)s": "Invitert av %(sender)s", - "Mark all as read": "Merk alle som lesne", "Error updating main address": "Feil under oppdatering av hovedadresse", "There was an error updating the room's main address. It may not be allowed by the server or a temporary failure occurred.": "Det skjedde ein feil under oppdatering av hovudadressa for rommet. Det kan hende at dette er ein mellombels feil, eller at det ikkje er tillate på tenaren.", "There was an error updating the room's alternative addresses. It may not be allowed by the server or a temporary failure occurred.": "Feil under oppdatering av alternativ adresse. Det kan hende at dette er mellombels, eller at det ikkje er tillate på tenaren.", @@ -313,31 +286,21 @@ "Power level": "Tilgangsnivå", "Voice & Video": "Tale og video", "Show more": "Vis meir", - "Display Name": "Visningsnamn", "Invalid theme schema.": "", - "General": "Generelt", "Room information": "Rominformasjon", "Room Addresses": "Romadresser", "Sounds": "Lydar", "Browse": "Bla gjennom", - "Your display name": "Ditt visningsnamn", "Can't find this server or its room list": "Klarde ikkje å finna tenaren eller romkatalogen til den", "Upload completed": "Opplasting fullført", "Cancelled signature upload": "Kansellerte opplasting av signatur", "Room Settings - %(roomName)s": "Rominnstillingar - %(roomName)s", - "Your theme": "Ditt tema", "Failed to upgrade room": "Fekk ikkje til å oppgradere rom", - "Your account has a cross-signing identity in secret storage, but it is not yet trusted by this session.": "Kontoen din har ein kryss-signert identitet det hemmelege lageret, økta di stolar ikkje på denne enno.", - "Secret storage public key:": "Public-nøkkel for hemmeleg lager:", "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.", - "Jump to first unread room.": "Hopp til fyrste uleste rom.", - "Jump to first invite.": "Hopp til fyrste invitasjon.", "Unable to set up secret storage": "Oppsett av hemmeleg lager feila", - "Later": "Seinare", - "Are you sure? You will lose your encrypted messages if your keys are not backed up properly.": "Er du sikker? Alle dine krypterte meldingar vil gå tapt viss nøklane dine ikkje er sikkerheitskopierte.", "Encrypted messages are secured with end-to-end encryption. Only you and the recipient(s) have the keys to read these messages.": "Krypterte meldingar er sikra med ende-til-ende kryptering. Berre du og mottakar(ane) har nøklane for å lese desse meldingane.", "wait and try again later": "vent og prøv om att seinare", "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.", @@ -352,16 +315,9 @@ "This client does not support end-to-end encryption.": "Denne klienten støttar ikkje ende-til-ende kryptering.", "Add a new server": "Legg til ein ny tenar", "Clearing all data from this session is permanent. Encrypted messages will be lost unless their keys have been backed up.": "Tømming av data frå denne sesjonen er permanent. Krypterte meldingar vil gå tapt med mindre krypteringsnøklane har blitt sikkerheitskopierte.", - "Hide advanced": "Gøym avanserte alternativ", - "Show advanced": "Vis avanserte alternativ", "I don't want my encrypted messages": "Eg treng ikkje mine krypterte meldingar", "You'll lose access to your encrypted messages": "Du vil miste tilgangen til dine krypterte meldingar", "Join millions for free on the largest public server": "Kom ihop med millionar av andre på den største offentlege tenaren", - "All settings": "Alle innstillingar", - "Delete Backup": "Slett sikkerheitskopi", - "Restore from Backup": "Gjenopprett frå sikkerheitskopi", - "Change notification settings": "Endra varslingsinnstillingar", - "Enable desktop notifications": "Aktiver skrivebordsvarsel", "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", @@ -399,26 +355,15 @@ "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.", - "New keyword": "Nytt nøkkelord", - "Keyword": "Nøkkelord", - "Mentions & keywords": "Nemningar & nøkkelord", "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", - "Review to ensure your account is safe": "Undersøk dette for å gjere kontoen trygg", "Results will be visible when the poll is ended": "Resultata vil bli synlege når røystinga er ferdig", - "Hide sidebar": "Gøym sidestolpen", - "Show sidebar": "Vis sidestolpen", "Close sidebar": "Lat att sidestolpen", - "Sidebar": "Sidestolpe", "Expand quotes": "Utvid sitat", "Deactivate account": "Avliv brukarkontoen", "Enter a new identity server": "Skriv inn ein ny identitetstenar", - "Quick settings": "Hurtigval", - "More options": "Fleire val", - "Pin to sidebar": "Fest til sidestolpen", - "Match system": "Følg systemet", "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": { @@ -470,7 +415,12 @@ "identity_server": "Identitetstenar", "feedback": "Tilbakemeldingar", "on": "På", - "off": "Av" + "off": "Av", + "copied": "Kopiert!", + "advanced": "Avansert", + "general": "Generelt", + "profile": "Brukar", + "display_name": "Visningsnamn" }, "action": { "continue": "Fortset", @@ -525,7 +475,9 @@ "refresh": "Hent fram på nytt", "mention": "Nemn", "submit": "Send inn", - "unban": "Slepp inn att" + "unban": "Slepp inn att", + "hide_advanced": "Gøym avanserte alternativ", + "show_advanced": "Vis avanserte alternativ" }, "labs": { "pinning": "Meldingsfesting", @@ -559,7 +511,6 @@ "user_description": "Brukarar" } }, - "Bold": "Feit", "Code": "Kode", "power_level": { "default": "Opphavleg innstilling", @@ -634,7 +585,8 @@ "noisy": "Bråkete", "error_permissions_denied": "%(brand)s har ikkje lov til å senda deg varsel - sjekk nettlesarinnstillingane dine", "error_permissions_missing": "%(brand)s fekk ikkje tillating til å senda varsel - ver venleg og prøv igjen", - "error_title": "Klarte ikkje å skru på Varsel" + "error_title": "Klarte ikkje å skru på Varsel", + "push_targets": "Varselmål" }, "appearance": { "layout_irc": "IRC (eksperimentell)", @@ -673,7 +625,13 @@ "export_megolm_keys": "Hent E2E-romnøklar ut", "import_megolm_keys": "Hent E2E-romnøklar inn", "cryptography_section": "Kryptografi", - "encryption_section": "Kryptografi" + "encryption_section": "Kryptografi", + "bulk_options_accept_all_invites": "Aksepter alle invitasjonar frå %(invitedRooms)s", + "bulk_options_reject_all_invites": "Kanseller alle invitasjonar frå %(invitedRooms)s", + "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" }, "preferences": { "room_list_heading": "Romkatalog", @@ -710,7 +668,11 @@ "add_msisdn_confirm_sso_button": "Stadfest dette telefonnummeret for å bruka Single-sign-on for å bevisa identiteten din.", "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" + "add_msisdn_dialog_title": "Legg til telefonnummer", + "name_placeholder": "Ingen visningsnamn" + }, + "sidebar": { + "title": "Sidestolpe" } }, "devtools": { @@ -896,7 +858,10 @@ "removed": "%(senderDisplayName)s fjerna romavataren.", "changed_img": "%(senderDisplayName)s endra romavataren til " }, - "creation_summary_room": "%(creator)s oppretta og konfiguerte dette rommet." + "creation_summary_room": "%(creator)s oppretta og konfiguerte dette rommet.", + "context_menu": { + "external_url": "Kjelde-URL" + } }, "slash_command": { "shrug": "Sett inn ¯\\_(ツ)_/¯ i ein rein-tekst melding", @@ -1006,10 +971,11 @@ "no_permission_conference_description": "Du har ikkje tillating til å starta ei gruppesamtale i dette rommet", "default_device": "Eininga som brukast i utgangspunktet", "no_media_perms_title": "Ingen mediatilgang", - "no_media_perms_description": "Det kan henda at du må gje %(brand)s tilgang til mikrofonen/nettkameraet for hand" + "no_media_perms_description": "Det kan henda at du må gje %(brand)s tilgang til mikrofonen/nettkameraet for hand", + "hide_sidebar_button": "Gøym sidestolpen", + "show_sidebar_button": "Vis sidestolpen" }, "Other": "Anna", - "Advanced": "Avansert", "room_settings": { "permissions": { "m.room.avatar": "Endre rom-avatar", @@ -1061,7 +1027,8 @@ "advanced": { "unfederated": "Rommet er ikkje tilgjengeleg for andre Matrix-heimtenarar", "room_upgrade_button": "Oppgrader dette rommet til anbefalt romversjon" - } + }, + "upload_avatar_label": "Last avatar opp" }, "auth": { "sign_in_with_sso": "Logg på med Single-Sign-On", @@ -1115,7 +1082,8 @@ }, "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." + "incorrect_credentials_detail": "Merk deg at du loggar inn på %(hs)s-tenaren, ikkje matrix.org.", + "create_account_title": "Lag konto" }, "export_chat": { "messages": "Meldingar" @@ -1135,10 +1103,12 @@ "other": "%(count)s uleste meldingar.", "one": "1 ulesen melding." }, - "unread_messages": "Uleste meldingar." + "unread_messages": "Uleste meldingar.", + "jump_first_invite": "Hopp til fyrste invitasjon." }, "onboarding": { - "explore_rooms": "Utforsk offentlege rom" + "explore_rooms": "Utforsk offentlege rom", + "create_account": "Lag konto" }, "setting": { "help_about": { @@ -1182,7 +1152,11 @@ "leave_server_notices_title": "Kan ikkje forlate Systemvarsel-rommet", "upgrade_error_title": "Feil ved oppgradering av rom", "upgrade_error_description": "Sjekk at tenar støttar denne romversjonen, og prøv på nytt.", - "leave_server_notices_description": "Dette rommet er for viktige meldingar frå Heimtenaren, så du kan ikkje forlate det." + "leave_server_notices_description": "Dette rommet er for viktige meldingar frå Heimtenaren, så du kan ikkje forlate det.", + "context_menu": { + "favourite": "Yndling", + "low_priority": "Lågrett" + } }, "file_panel": { "guest_note": "Du må melda deg inn for å bruka denne funksjonen", @@ -1206,13 +1180,19 @@ "old_version_detected_description": "Data frå ein eldre versjon av %(brand)s er oppdaga. Dette kan ha gjort at ende-til-ende kryptering feilar i den eldre versjonen. Krypterte meldingar som er utveksla med den gamle versjonen er kanskje ikkje dekrypterbare i denne versjonen. Dette kan forårsake at meldingar utveksla mot denne versjonen vil feile. Opplever du problem med dette, kan du logge inn og ut igjen. For å behalde meldingshistorikk, eksporter og importer nøklane dine på nytt.", "verification": { "explainer": "Sikre meldingar med denne brukaren er ende-til-ende krypterte og kan ikkje lesast av tredjepart.", - "sas_caption_self": "Verifiser denne eininga ved å stadfeste det følgjande talet når det kjem til syne på skjermen." + "sas_caption_self": "Verifiser denne eininga ved å stadfeste det følgjande talet når det kjem til syne på skjermen.", + "unverified_sessions_toast_description": "Undersøk dette for å gjere kontoen trygg", + "unverified_sessions_toast_reject": "Seinare" }, "cancel_entering_passphrase_title": "Avbryte inntasting av passfrase ?", "bootstrap_title": "Setter opp nøklar", "export_unsupported": "Nettlesaren din støttar ikkje dei naudsynte kryptografiske utvidingane", "import_invalid_keyfile": "Ikkje ei gyldig %(brand)s-nykelfil", - "import_invalid_passphrase": "Authentiseringsforsøk mislukkast: feil passord?" + "import_invalid_passphrase": "Authentiseringsforsøk mislukkast: feil passord?", + "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": "" }, "poll": { "create_poll_title": "Opprett røysting", @@ -1238,7 +1218,14 @@ }, "widget": { "error_need_to_be_logged_in": "Du må vera logga inn.", - "error_need_invite_permission": "Du må ha lov til å invitera brukarar for å gjera det." + "error_need_invite_permission": "Du må ha lov til å invitera brukarar for å gjera det.", + "context_menu": { + "delete": "Slett widgeten", + "delete_warning": "Å sletta ein widget fjernar den for alle brukarane i rommet. Er du sikker på at du vil sletta denne widgeten?" + }, + "shared_data_name": "Ditt visningsnamn", + "shared_data_theme": "Ditt tema", + "popout": "Popp widget ut" }, "scalar": { "error_create": "Klarte ikkje å laga widget.", @@ -1257,6 +1244,39 @@ "resource_limits": "Heimtenaren har gått over ei av ressursgrensene sine.", "admin_contact": "Kontakt din systemadministrator for å vidare bruka tenesta.", "mixed_content": "Kan ikkje kobla til heimetenaren via HTTP fordi URL-adressa i nettlesaren er HTTPS. Bruk HTTPS, eller aktiver usikre skript.", - "tls": "Kan ikkje kopla til heimtenaren - ver venleg og sjekk tilkoplinga di, og sjå til at heimtenaren din sitt CCL-sertifikat er stolt på og at ein nettlesartillegg ikkje hindrar førespurnader." - } + "tls": "Kan ikkje kopla til heimtenaren - ver venleg og sjekk tilkoplinga di, og sjå til at heimtenaren din sitt CCL-sertifikat er stolt på og at ein nettlesartillegg ikkje hindrar førespurnader.", + "failed_copy": "Noko gjekk gale med kopieringa", + "something_went_wrong": "Noko gjekk gale!", + "update_power_level": "Fekk ikkje til å endra tilgangsnivået", + "unknown": "Noko ukjend gjekk galt" + }, + "items_and_n_others": { + "other": " og %(count)s til", + "one": " og ein til" + }, + "notifications": { + "enable_prompt_toast_title": "Varsel", + "enable_prompt_toast_description": "Aktiver skrivebordsvarsel", + "colour_bold": "Feit", + "error_change_title": "Endra varslingsinnstillingar", + "mark_all_read": "Merk alle som lesne", + "keyword": "Nøkkelord", + "keyword_new": "Nytt nøkkelord", + "class_other": "Anna", + "mentions_keywords": "Nemningar & nøkkelord" + }, + "room_summary_card_back_action_label": "Rominformasjon", + "quick_settings": { + "title": "Hurtigval", + "all_settings": "Alle innstillingar", + "metaspace_section": "Fest til sidestolpen", + "sidebar_settings": "Fleire val" + }, + "user_menu": { + "settings": "Alle innstillingar" + }, + "theme": { + "match_system": "Følg systemet" + }, + "a11y_jump_first_unread_room": "Hopp til fyrste uleste rom." } diff --git a/src/i18n/strings/oc.json b/src/i18n/strings/oc.json index 4351cf5b70..0d71a70e8a 100644 --- a/src/i18n/strings/oc.json +++ b/src/i18n/strings/oc.json @@ -43,7 +43,6 @@ "Moderator": "Moderator", "Thank you!": "Mercés !", "Reason": "Rason", - "Notifications": "Notificacions", "Ok": "Validar", "Set up": "Parametrar", "Fish": "Pes", @@ -65,10 +64,6 @@ "Folder": "Dorsièr", "Show more": "Ne veire mai", "Authentication": "Autentificacion", - "Restore from Backup": "Restablir a partir de l'archiu", - "Display Name": "Nom d'afichatge", - "Profile": "Perfil", - "General": "General", "Unignore": "Ignorar pas", "Audio Output": "Sortida àudio", "Bridges": "Bridges", @@ -79,9 +74,6 @@ "Italics": "Italicas", "Historical": "Istoric", "Sign Up": "S’inscriure", - "Favourite": "Favorit", - "Low Priority": "Prioritat bassa", - "Mark all as read": "Tot marcar coma legit", "Demote": "Retrogradar", "Are you sure?": "O volètz vertadièrament ?", "Sunday": "Dimenge", @@ -94,11 +86,7 @@ "Today": "Uèi", "Yesterday": "Ièr", "Show image": "Afichar l'imatge", - "Failed to copy": "Impossible de copiar", "Cancel search": "Anullar la recèrca", - "More options": "Autras opcions", - "Rotate Left": "Pivotar cap a èrra", - "Rotate Right": "Pivotar cap a drecha", "Server name": "Títol del servidor", "Notes": "Nòtas", "Unavailable": "Pas disponible", @@ -110,7 +98,6 @@ "Email address": "Adreça de corrièl", "Upload files": "Mandar de fichièrs", "Home": "Dorsièr personal", - "Unknown error": "Error desconeguda", "Search failed": "La recèrca a fracassat", "Success!": "Capitada !", "Explore rooms": "Percórrer las salas", @@ -151,7 +138,11 @@ "not_trusted": "Pas securizat", "system_alerts": "Alèrtas sistèma", "feedback": "Comentaris", - "off": "Atudat" + "off": "Atudat", + "advanced": "Avançat", + "general": "General", + "profile": "Perfil", + "display_name": "Nom d'afichatge" }, "action": { "continue": "Contunhar", @@ -244,7 +235,6 @@ "user_description": "Utilizaires" } }, - "Bold": "Gras", "power_level": { "default": "Predefinit", "moderator": "Moderator", @@ -284,7 +274,6 @@ "video_call": "Sonada vidèo" }, "Other": "Autre", - "Advanced": "Avançat", "emoji": { "category_smileys_people": "Emoticònas e personatges", "category_animals_nature": "Animals e natura", @@ -313,7 +302,8 @@ "security": { "cross_signing_not_found": "pas trobat", "cross_signing_homeserver_support_exists": "existís", - "encryption_section": "Chiframent" + "encryption_section": "Chiframent", + "restore_key_backup": "Restablir a partir de l'archiu" }, "general": { "account_section": "Compte", @@ -384,5 +374,28 @@ }, "invite": { "failed_generic": "L'operacion a fracassat" + }, + "notifications": { + "enable_prompt_toast_title": "Notificacions", + "colour_bold": "Gras", + "mark_all_read": "Tot marcar coma legit", + "class_other": "Autre" + }, + "quick_settings": { + "sidebar_settings": "Autras opcions" + }, + "error": { + "failed_copy": "Impossible de copiar", + "unknown": "Error desconeguda" + }, + "room": { + "context_menu": { + "favourite": "Favorit", + "low_priority": "Prioritat bassa" + } + }, + "lightbox": { + "rotate_left": "Pivotar cap a èrra", + "rotate_right": "Pivotar cap a drecha" } } diff --git a/src/i18n/strings/pl.json b/src/i18n/strings/pl.json index 85308cae8d..8c1fb2ff78 100644 --- a/src/i18n/strings/pl.json +++ b/src/i18n/strings/pl.json @@ -1,7 +1,5 @@ { "This will allow you to reset your password and receive notifications.": "To pozwoli Ci zresetować Twoje hasło i otrzymać powiadomienia.", - "Something went wrong!": "Coś poszło nie tak!", - "Unknown error": "Nieznany błąd", "Create new room": "Utwórz nowy pokój", "Jan": "Sty", "Feb": "Lut", @@ -24,10 +22,8 @@ "Sun": "Nd", "Warning!": "Uwaga!", "Are you sure?": "Czy jesteś pewien?", - "Notifications": "Powiadomienia", "unknown error code": "nieznany kod błędu", "Failed to forget room %(errCode)s": "Nie mogłem zapomnieć o pokoju %(errCode)s", - "Favourite": "Ulubiony", "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", @@ -45,14 +41,12 @@ "Custom level": "Własny poziom", "Deactivate Account": "Dezaktywuj konto", "Decrypt %(text)s": "Odszyfruj %(text)s", - "Delete widget": "Usuń widżet", "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 change power level": "Nie udało się zmienić poziomu mocy", "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", @@ -72,13 +66,10 @@ "Moderator": "Moderator", "New passwords must match each other.": "Nowe hasła muszą się zgadzać.", "not specified": "nieokreślony", - "": "", "AM": "AM", "PM": "PM", - "No display name": "Brak nazwy ekranowej", "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\".", - "Profile": "Profil", "Reason": "Powód", "Reject invitation": "Odrzuć zaproszenie", "Return to login screen": "Wróć do ekranu logowania", @@ -99,7 +90,6 @@ "one": "Przesyłanie %(filename)s oraz %(count)s innych", "other": "Przesyłanie %(filename)s oraz %(count)s innych" }, - "Upload avatar": "Prześlij awatar", "%(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", @@ -125,7 +115,6 @@ "This process allows you to export the keys for messages you have received in encrypted rooms to a local file. You will then be able to import the file into another Matrix client in the future, so that client will also be able to decrypt these messages.": "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.", - "Reject all %(invitedRooms)s invites": "Odrzuć wszystkie zaproszenia do %(invitedRooms)s", "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.", @@ -140,14 +129,12 @@ "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.": "Nie będziesz mógł cofnąć tej zmiany, ponieważ degradujesz swoje uprawnienia. Jeśli jesteś ostatnim użytkownikiem uprzywilejowanym w tym pokoju, nie będziesz mógł ich odzyskać.", "Unnamed room": "Pokój bez nazwy", "Sunday": "Niedziela", - "Notification targets": "Cele powiadomień", "Today": "Dzisiaj", "Friday": "Piątek", "Changelog": "Dziennik zmian", "Failed to send logs: ": "Nie udało się wysłać dzienników: ", "This Room": "Ten pokój", "Unavailable": "Niedostępny", - "Source URL": "Źródłowy URL", "Filter results": "Filtruj wyniki", "Tuesday": "Wtorek", "Preparing to send logs": "Przygotowuję do wysłania dzienników", @@ -162,16 +149,12 @@ "Search…": "Szukaj…", "Logs sent": "Wysłano dzienniki", "Yesterday": "Wczoraj", - "Low Priority": "Niski priorytet", "Thank you!": "Dziękujemy!", "%(duration)ss": "%(duration)ss", "%(duration)sm": "%(duration)sm", "%(duration)sh": "%(duration)sg", "%(duration)sd": "%(duration)sd", - "Copied!": "Skopiowano!", - "Failed to copy": "Kopiowanie nieudane", "Delete Widget": "Usuń widżet", - "Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "Usunięcie widżetu usuwa go dla wszystkich użytkowników w tym pokoju. Czy na pewno chcesz usunąć ten widżet?", "collapse": "Zwiń", "expand": "Rozwiń", "In reply to ": "W odpowiedzi do ", @@ -196,7 +179,6 @@ "Demote yourself?": "Zdegradować siebie?", "Demote": "Degraduj", "Permission Required": "Wymagane Uprawnienia", - "Please contact your homeserver administrator.": "Proszę o kontakt z administratorem serwera.", "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.", @@ -209,11 +191,6 @@ "And %(count)s more...": { "other": "I %(count)s więcej…" }, - "Delete Backup": "Usuń kopię zapasową", - " and %(count)s others": { - "other": " i %(count)s innych", - "one": " i jedna inna osoba" - }, "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", @@ -278,7 +255,6 @@ "Headphones": "Słuchawki", "Folder": "Folder", "Phone Number": "Numer telefonu", - "Display Name": "Wyświetlana nazwa", "Email addresses": "Adresy e-mail", "Phone numbers": "Numery telefonów", "Account management": "Zarządzanie kontem", @@ -299,26 +275,19 @@ "Santa": "Mikołaj", "Gift": "Prezent", "Hammer": "Młotek", - "Restore from Backup": "Przywróć z kopii zapasowej", "Unable to restore backup": "Przywrócenie kopii zapasowej jest niemożliwe", "Email Address": "Adres e-mail", "edited": "edytowane", "Edit message": "Edytuj wiadomość", - "General": "Ogólne", "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", - "Accept to continue:": "Zaakceptuj aby kontynuować:", - "Are you sure? You will lose your encrypted messages if your keys are not backed up properly.": "Czy jesteś pewien? Stracisz dostęp do wszystkich swoich zaszyfrowanych wiadomości, jeżeli nie utworzyłeś poprawnej kopii zapasowej kluczy.", "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.", - "Unable to load key backup status": "Nie można załadować stanu kopii zapasowej klucza", - "All keys backed up": "Utworzono kopię zapasową wszystkich kluczy", "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", - "Profile picture": "Obraz profilowy", "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.", @@ -366,10 +335,7 @@ "e.g. my-room": "np. mój-pokój", "Some characters not allowed": "Niektóre znaki niedozwolone", "Remove recent messages": "Usuń ostatnie wiadomości", - "Rotate Left": "Obróć w lewo", - "Rotate Right": "Obróć w prawo", "Direct Messages": "Wiadomości prywatne", - "Later": "Później", "Show more": "Pokaż więcej", "Ignored users": "Zignorowani użytkownicy", "Local address": "Lokalny adres", @@ -377,21 +343,17 @@ "Local Addresses": "Lokalne adresy", "Set addresses for this room so users can find this room through your homeserver (%(localDomain)s)": "Ustaw adresy tego pokoju, aby użytkownicy mogli go znaleźć za pośrednictwem Twojego serwera domowego (%(localDomain)s)", "Couldn't load page": "Nie można załadować strony", - "Create account": "Utwórz konto", "Edited at %(date)s. Click to view edits.": "Edytowano w %(date)s. Kliknij, aby zobaczyć zmiany.", "Looks good": "Wygląda dobrze", "Your server": "Twój serwer", "Add a new server": "Dodaj nowy serwer", "Enter the name of a new server you want to explore.": "Wpisz nazwę nowego serwera, którego chcesz przeglądać.", "Server name": "Nazwa serwera", - "Hide advanced": "Ukryj zaawansowane", - "Show advanced": "Pokaż zaawansowane", "Recent Conversations": "Najnowsze rozmowy", "Upload files (%(current)s of %(total)s)": "Prześlij pliki (%(current)s z %(total)s)", "Upload files": "Prześlij pliki", "Upload all": "Prześlij wszystko", "Cancel All": "Anuluj wszystko", - "Remove for everyone": "Usuń dla wszystkich", "Explore rooms": "Przeglądaj pokoje", "Success!": "Sukces!", "Manage integrations": "Zarządzaj integracjami", @@ -406,18 +368,13 @@ }, "Hide sessions": "Ukryj sesje", "Integrations are disabled": "Integracje są wyłączone", - "Encryption upgrade available": "Dostępne ulepszenie szyfrowania", - "Accept all %(invitedRooms)s invites": "Zaakceptuj wszystkie zaproszenia do %(invitedRooms)s", "Close preview": "Zamknij podgląd", "Cancel search": "Anuluj wyszukiwanie", - "Your theme": "Twój motyw", - "More options": "Więcej opcji", "Invite anyway": "Zaproś mimo to", "Notes": "Notatki", "Session name": "Nazwa sesji", "Session key": "Klucz sesji", "Email (optional)": "Adres e-mail (opcjonalnie)", - "Verify this session": "Zweryfikuj tę sesję", "Italics": "Kursywa", "Reason: %(reason)s": "Powód: %(reason)s", "Reject & Ignore user": "Odrzuć i zignoruj użytkownika", @@ -429,14 +386,12 @@ "one": "Prześlij %(count)s inny plik" }, "Enter your account password to confirm the upgrade:": "Wprowadź hasło do konta, aby potwierdzić aktualizację:", - "Favourited": "Ulubiony", "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", - "All settings": "Wszystkie ustawienia", "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", @@ -464,11 +419,7 @@ "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", - "Message search": "Wyszukiwanie wiadomości", - "Set up Secure Backup": "Skonfiguruj bezpieczną kopię zapasową", "Ok": "OK", - "Enable desktop notifications": "Włącz powiadomienia na pulpicie", - "Don't miss a reply": "Nie przegap odpowiedzi", "Israel": "Izrael", "Isle of Man": "Man", "Ireland": "Irlandia", @@ -613,8 +564,6 @@ "Revoke invite": "Odwołaj zaproszenie", "General failure": "Ogólny błąd", "Removing…": "Usuwanie…", - "Algorithm:": "Algorytm:", - "Bulk options": "Masowe działania", "Incompatible Database": "Niekompatybilna baza danych", "Information": "Informacje", "Accepting…": "Akceptowanie…", @@ -752,15 +701,6 @@ "Bridges": "Mostki", "Verify User": "Weryfikuj użytkownika", "Verification Request": "Żądanie weryfikacji", - "Widgets do not use message encryption.": "Widżety nie używają szyfrowania wiadomości.", - "This widget may use cookies.": "Ten widżet może używać plików cookies.", - "Widget added by": "Widżet dodany przez", - "Widget ID": "ID widżetu", - "Room ID": "ID pokoju", - "Your user ID": "Twoje ID użytkownika", - "Your display name": "Twoja nazwa wyświetlana", - "Jump to first unread room.": "Przejdź do pierwszego nieprzeczytanego pokoju.", - "Jump to first invite.": "Przejdź do pierwszego zaproszenia.", "You verified %(name)s": "Zweryfikowałeś %(name)s", "Message Actions": "Działania na wiadomościach", "This client does not support end-to-end encryption.": "Ten klient nie obsługuje szyfrowania end-to-end.", @@ -799,21 +739,13 @@ "The room upgrade could not be completed": "Uaktualnienie pokoju nie mogło zostać ukończone", "Failed to upgrade room": "Nie udało się uaktualnić pokoju", "Backup version:": "Wersja kopii zapasowej:", - "The operation could not be completed": "To działanie nie mogło być ukończone", - "Failed to save your profile": "Nie udało się zapisać profilu", "Set up": "Konfiguruj", - "Your server isn't responding to some requests.": "Twój serwer nie odpowiada na niektóre zapytania.", "IRC display name width": "Szerokość nazwy wyświetlanej IRC", - "Change notification settings": "Zmień ustawienia powiadomień", - "New login. Was this you?": "Nowe logowanie. Czy to byłeś Ty?", - "Contact your server admin.": "Skontaktuj się ze swoim administratorem serwera.", "Your homeserver has exceeded one of its resource limits.": "Twój homeserver przekroczył jeden z limitów zasobów.", "Your homeserver has exceeded its user limit.": "Twój homeserver przekroczył limit użytkowników.", "Everyone in this room is verified": "Wszyscy w tym pokoju są zweryfikowani", "This room is end-to-end encrypted": "Ten pokój jest szyfrowany end-to-end", "Scroll to most recent messages": "Przewiń do najnowszych wiadomości", - "The integration manager is offline or it cannot reach your homeserver.": "Menedżer integracji jest offline, lub nie może połączyć się z Twoim homeserverem.", - "Cannot connect to integration manager": "Nie udało się połączyć z menedżerem integracji", "To report a Matrix-related security issue, please read the Matrix.org Security Disclosure Policy.": "Aby zgłosić błąd związany z bezpieczeństwem Matriksa, przeczytaj Politykę odpowiedzialnego ujawniania informacji Matrix.org.", "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.", @@ -832,14 +764,10 @@ "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", - "Connecting": "Łączenie", "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.", - "Safeguard against losing access to encrypted messages & data": "Zabezpiecz się przed utratą dostępu do szyfrowanych wiadomości i danych", "Avatar": "Awatar", - "Move right": "Przenieś w prawo", - "Move left": "Przenieś w lewo", "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", "Sending": "Wysyłanie", @@ -855,12 +783,9 @@ "other": "%(count)s członkowie" }, "You don't have permission": "Nie masz uprawnień", - "Spaces": "Przestrzenie", "Nothing pinned, yet": "Nie przypięto tu jeszcze niczego", "If you have permissions, open the menu on any message and select Pin to stick them here.": "Jeżeli masz uprawnienia, przejdź do menu dowolnej wiadomości i wybierz Przypnij, aby przyczepić ją tutaj.", "Pinned messages": "Przypięte wiadomości", - "Error loading Widget": "Błąd ładowania widżetu", - "Error - Mixed content": "Błąd — zawartość mieszana", "You don't have permission to do this": "Nie masz uprawnień aby to zrobić", "Sent": "Wysłano", "Message preview": "Podgląd wiadomości", @@ -883,17 +808,8 @@ "Themes": "Motywy", "Moderation": "Moderacja", "Messaging": "Wiadomości", - "Back to thread": "Wróć do wątku", - "Room members": "Członkowie pokoju", - "Back to chat": "Wróć do chatu", - "%(deviceId)s from %(ip)s": "%(deviceId)s z %(ip)s", - "Other users may not trust it": "Inni użytkownicy mogą temu nie ufać", - "Use app": "Użyj aplikacji", - "Use app for a better experience": "Użyj aplikacji by mieć lepsze doświadczenie", - "Review to ensure your account is safe": "Sprawdź, by upewnić się że Twoje konto jest bezpieczne", "Lock": "Zamek", "Hold": "Wstrzymaj", - "ready": "gotowy", "Create a new room": "Utwórz nowy pokój", "Adding rooms... (%(progress)s out of %(count)s)": { "other": "Dodawanie pokojów... (%(progress)s z %(count)s)", @@ -903,94 +819,13 @@ "Stop recording": "Skończ nagrywanie", "We didn't find a microphone on your device. Please check your settings and try again.": "Nie udało się znaleźć żadnego mikrofonu w twoim urządzeniu. Sprawdź ustawienia i spróbuj ponownie.", "No microphone found": "Nie znaleziono mikrofonu", - "Rooms outside of a space": "Pokoje poza przestrzenią", - "Connect this session to Key Backup": "Połącz tę sesję z kopią zapasową kluczy", - "Connect this session to key backup before signing out to avoid losing any keys that may only be on this session.": "Połącz tę sesję z kopią zapasową kluczy przed wylogowaniem, aby uniknąć utraty kluczy które mogą istnieć tylko w tej sesji.", - "This session is not backing up your keys, but you do have an existing backup you can restore from and add to going forward.": "Ta sesja nie wykonuje kopii zapasowej twoich kluczy, ale masz istniejącą kopię którą możesz przywrócić i uzupełniać w przyszłości.", - "There was an error loading your notification settings.": "Wystąpił błąd podczas wczytywania twoich ustawień powiadomień.", - "Mentions & keywords": "Wzmianki i słowa kluczowe", - "Global": "Globalne", - "New keyword": "Nowe słowo kluczowe", - "Keyword": "Słowo kluczowe", - "Updating spaces... (%(progress)s out of %(count)s)": { - "one": "Aktualizowanie przestrzeni...", - "other": "Aktualizowanie przestrzeni... (%(progress)s z %(count)s)" - }, - "Sending invites... (%(progress)s out of %(count)s)": { - "one": "Wysyłanie zaproszenia...", - "other": "Wysyłanie zaproszeń... (%(progress)s z %(count)s)" - }, - "Loading new room": "Wczytywanie nowego pokoju", - "Upgrading room": "Aktualizowanie pokoju", - "This upgrade will allow members of selected spaces access to this room without an invite.": "To ulepszenie pozwoli członkom wybranych przestrzeni uzyskać dostęp do tego pokoju bez zaproszenia.", - "This room is in some spaces you're not an admin of. In those spaces, the old room will still be shown, but people will be prompted to join the new one.": "Ten pokój znajduje się w przestrzeniach, w których nie masz uprawnień administratora. W tych przestrzeniach stary pokój wciąż będzie wyświetlany, lecz ludzie otrzymają propozycję dołączenia do nowego.", - "Space members": "Członkowie przestrzeni", - "Anyone in a space can find and join. You can select multiple spaces.": "Każdy w przestrzeni może znaleźć i dołączyć. Możesz wybrać wiele przestrzeni.", - "Anyone in can find and join. You can select other spaces too.": "Każdy w może znaleźć i dołączyć. Możesz też wybrać inne przestrzenie.", - "Spaces with access": "Przestrzenie z dostępem", - "Anyone in a space can find and join. Edit which spaces can access here.": "Każdy w przestrzeni może znaleźć i dołączyć. Kliknij tu, aby ustawić które przestrzenie mają dostęp.", - "Currently, %(count)s spaces have access": { - "one": "Obecnie jedna przestrzeń ma dostęp", - "other": "Obecnie %(count)s przestrzeni ma dostęp" - }, - "& %(count)s more": { - "one": "i %(count)s więcej", - "other": "i %(count)s więcej" - }, - "Upgrade required": "Aktualizacja wymagana", - "Message search initialisation failed": "Inicjalizacja wyszukiwania wiadomości nie powiodła się", - "You were disconnected from the call. (Error: %(message)s)": "Zostałeś rozłączony z rozmowy. (Błąd: %(message)s)", - "Connection lost": "Utracono połączenie", - "Failed to join": "Nie udało się dołączyć", - "The person who invited you has already left, or their server is offline.": "Osoba, która zaprosiła cię, już wyszła lub jej serwer jest offline.", - "The person who invited you has already left.": "Osoba, która zaprosiła cię, już wyszła.", - "Sorry, your homeserver is too old to participate here.": "Przykro nam, twój serwer domowy jest zbyt stary, by uczestniczyć tu.", - "There was an error joining.": "Wystąpił błąd podczas dołączania.", - "%(brand)s is experimental on a mobile web browser. For a better experience and the latest features, use our free native app.": "%(brand)s jest eksperymentalne na przeglądarce mobilnej. Dla lepszego doświadczenia i najnowszych funkcji użyj naszej darmowej natywnej aplikacji.", "We're creating a room with %(names)s": "Tworzymy pokój z %(names)s", - "Sessions": "Sesje", "%(securityKey)s or %(recoveryFile)s": "%(securityKey)s lub %(recoveryFile)s", "%(downloadButton)s or %(copyButton)s": "%(downloadButton)s lub %(copyButton)s", - "Space options": "Opcje przestrzeni", - "Recommended for public spaces.": "Zalecane dla publicznych przestrzeni.", - "Allow people to preview your space before they join.": "Pozwól ludziom na podgląd twojej przestrzeni zanim dołączą.", - "Preview Space": "Podgląd przestrzeni", - "Failed to update the visibility of this space": "Nie udało się zaktualizować widoczności tej przestrzeni", - "Decide who can view and join %(spaceName)s.": "Zdecyduj kto może wyświetlić i dołączyć do %(spaceName)s.", - "Access": "Dostęp", - "Visibility": "Widoczność", - "This may be useful for public spaces.": "Może to być przydatne dla publicznych przestrzeni.", - "Guests can join a space without having an account.": "Goście mogą dołączyć do przestrzeni bez posiadania konta.", - "Failed to update the guest access of this space": "Nie udało się zaktualizować dostępu dla gości do tej przestrzeni", - "Enable guest access": "Włącz dostęp dla gości", - "Failed to update the history visibility of this space": "Nie udało się zaktualizować widoczności historii dla tej przestrzeni", - "Leave Space": "Opuść przestrzeń", - "Save Changes": "Zapisz zmiany", - "Edit settings relating to your space.": "Edytuj ustawienia powiązane z twoją przestrzenią.", - "Failed to save space settings.": "Nie udało się zapisać ustawień przestrzeni.", - "Invite with email or username": "Zaproś przy użyciu adresu email lub nazwy użytkownika", - "Invite people": "Zaproś ludzi", - "Share invite link": "Udostępnij link zaproszenia", - "Click to copy": "Kliknij aby skopiować", - "Show all rooms": "Pokaż wszystkie pokoje", - "You can change these anytime.": "Możesz to zmienić w każdej chwili.", "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", - "Search %(spaceName)s": "Przeszukaj %(spaceName)s", - "Delete avatar": "Usuń awatar", "Space selection": "Wybór przestrzeni", - "Match system": "Dopasuj do systemu", - "Pin to sidebar": "Przypnij do paska bocznego", - "Quick settings": "Szybkie ustawienia", - "More": "Więcej", - "Show sidebar": "Pokaż pasek boczny", - "Hide sidebar": "Ukryj pasek boczny", - "unknown person": "nieznana osoba", - "%(count)s people joined": { - "one": "%(count)s osoba dołączyła", - "other": "%(count)s osób dołączyło" - }, "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", @@ -1008,21 +843,8 @@ "other": "Odczytane przez %(count)s osób" }, "New room": "Nowy pokój", - "Group all your rooms that aren't part of a space in one place.": "Pogrupuj wszystkie pokoje, które nie są częścią przestrzeni, w jednym miejscu.", - "Show all your rooms in Home, even if they're in a space.": "Pokaż wszystkie swoje pokoje na głównej, nawet jeśli znajdują się w przestrzeni.", - "Copy room link": "Kopiuj link do pokoju", - "Spaces are ways to group rooms and people. Alongside the spaces you're in, you can use some pre-built ones too.": "Przestrzenie to sposób grupowania pokoi i osób. Oprócz przestrzeni, w których się znajdujesz, możesz też skorzystać z gotowych grupowań.", - "Spaces to show": "Wyświetlanie przestrzeni", - "Group all your favourite rooms and people in one place.": "Pogrupuj wszystkie swoje ulubione pokoje i osoby w jednym miejscu.", - "Sidebar": "Pasek boczny", "Export chat": "Eksportuj czat", "Files": "Pliki", - "Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "Indywidualnie weryfikuj każdą sesję używaną przez użytkownika, aby oznaczyć ją jako zaufaną, nie ufając urządzeniom weryfikowanym krzyżowo.", - "Cross-signing is not set up.": "Weryfikacja krzyżowa nie jest ustawiona.", - "Your account has a cross-signing identity in secret storage, but it is not yet trusted by this session.": "Twoje konto ma tożsamość weryfikacji krzyżowej w sekretnej pamięci, ale nie jest jeszcze zaufane przez tę sesję.", - "Cross-signing is ready but keys are not backed up.": "Weryfikacja krzyżowa jest gotowa, ale klucze nie mają kopii zapasowej.", - "Cross-signing is ready for use.": "Weryfikacja krzyżowa jest gotowa do użycia.", - "Your homeserver does not support cross-signing.": "Twój serwer domowy nie obsługuje weryfikacji krzyżowej.", "Clear cross-signing keys": "Wyczyść klucze weryfikacji krzyżowej", "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.": "Usunięcie kluczy weryfikacji krzyżowej jest trwałe. Każdy, z kim dokonano weryfikacji, zobaczy alerty bezpieczeństwa. Prawie na pewno nie chcesz tego robić, chyba że straciłeś każde urządzenie, z którego możesz weryfikować.", "Destroy cross-signing keys?": "Zniszczyć klucze weryfikacji krzyżowej?", @@ -1050,7 +872,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", - "Back up your encryption keys with your account data in case you lose access to your sessions. Your keys will be secured with a unique Security Key.": "Utwórz kopię zapasową kluczy szyfrujących wraz z danymi konta na wypadek utraty dostępu do sesji. Twoje klucze będą zabezpieczone unikalnym kluczem 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", @@ -1060,65 +881,22 @@ "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", "Some session data, including encrypted message keys, is missing. Sign out and sign in to fix this, restoring keys from backup.": "Brakuje niektórych danych sesji, w tym zaszyfrowanych kluczy wiadomości. Wyloguj się i zaloguj, aby to naprawić, przywracając klucze z kopii zapasowej.", - "Backup key stored:": "Klucz zapasowy zapisany:", - "Backup key cached:": "Klucz zapasowy zapisany w pamięci podręcznej:", - "Sorry — this call is currently full": "Przepraszamy — to połączenie jest już zapełnione", "Requires your server to support the stable version of MSC3827": "Wymaga od Twojego serwera wsparcia wersji stabilnej MSC3827", "unknown": "nieznane", "Unsent": "Niewysłane", - "Red": "Czerwony", - "Grey": "Szary", - "If you know a room address, try joining through that instead.": "Jeśli znasz adres pokoju, spróbuj dołączyć za pomocą niego.", - "You attempted to join using a room ID without providing a list of servers to join through. Room IDs are internal identifiers and cannot be used to join a room without additional information.": "Spróbowałeś dołączyć za pomocą ID pokoju bez podania listy serwerów, z których można dołączyć. ID pokojów to wewnętrzne identyfikatory, których nie da się użyć bez dodatkowych informacji.", - "Yes, it was me": "Tak, to byłem ja", - "Unknown room": "Nieznany pokój", - "You have unverified sessions": "Masz niezweryfikowane sesje", "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", - "Search users in this room…": "Szukaj użytkowników w tym pokoju…", - "Saving…": "Zapisywanie…", - "Creating…": "Tworzenie…", - "Verify Session": "Zweryfikuj sesję", "Failed to re-authenticate due to a homeserver problem": "Nie udało się uwierzytelnić ponownie z powodu błędu serwera domowego", "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ć.", - "not ready": "nie gotowe", - "Secret storage:": "Sekretny magazyn:", - "in account data": "w danych konta", - "Secret storage public key:": "Publiczny klucz sekretnego magazynu:", - "not stored": "nieprzechowywany", - "unexpected type": "niespodziewany typ", - "well formed": "dobrze ukształtowany", - "Your keys are not being backed up from this session.": "Twoje klucze nie są zapisywanie na tej sesji.", "This backup is trusted because it has been restored on this session": "Ta kopia jest zaufana, ponieważ została przywrócona w tej sesji", - "Backing up %(sessionsRemaining)s keys…": "Tworzenie kopii zapasowej %(sessionsRemaining)s kluczy…", - "This session is backing up your keys.": "Ta sesja tworzy kopię zapasową kluczy.", - "An error occurred when updating your notification preferences. Please try to toggle your option again.": "Wystąpił błąd podczas aktualizowania Twoich preferencji powiadomień. Przełącz opcję ponownie.", - "Mark all as read": "Oznacz wszystko jako przeczytane", - "Connecting to integration manager…": "Łączenie z menedżerem integracji…", - "%(brand)s can't securely cache encrypted messages locally while running in a web browser. Use %(brand)s Desktop for encrypted messages to appear in search results.": "%(brand)s nie jest w stanie bezpiecznie przechowywać wiadomości szyfrowanych lokalnie, gdy działa w przeglądarce. Użyj Desktop, aby wiadomości pojawiły się w wynikach wyszukiwania.", - "%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with search components added.": "%(brand)s brakuje niektórych komponentów wymaganych do bezpiecznego przechowywania wiadomości szyfrowanych lokalnie. Jeśli chcesz eksperymentować z tą funkcją, zbuduj własny %(brand)s Desktop z dodanymi komponentami wyszukiwania.", - "Securely cache encrypted messages locally for them to appear in search results.": "Bezpiecznie przechowuj lokalnie wiadomości szyfrowane, aby mogły się wyświetlać w wynikach wyszukiwania.", - "Securely cache encrypted messages locally for them to appear in search results, using %(size)s to store messages from %(rooms)s rooms.": { - "one": "Bezpiecznie przechowuj lokalnie wiadomości szyfrowane, aby mogły się wyświetlać w wynikach wyszukiwania. Zostanie użyte %(size)s do przechowywania wiadomości z %(rooms)s pokoju.", - "other": "Bezpiecznie przechowuj lokalnie wiadomości szyfrowane, aby mogły się wyświetlać w wynikach wyszukiwania. Zostanie użyte %(size)s do przechowywania wiadomości z %(rooms)s pokoi." - }, - "Give one or multiple users in this room more privileges": "Dodaj jednemu lub więcej użytkownikom więcej uprawnień", - "Add privileged users": "Dodaj użytkowników uprzywilejowanych", - "Ignore (%(counter)s)": "Ignoruj (%(counter)s)", "Home options": "Opcje głównej", - "Home is useful for getting an overview of everything.": "Strona główna to przydatne miejsce dla podsumowania wszystkiego.", - "For best security, verify your sessions and sign out from any session that you don't recognize or use anymore.": "Dla najlepszego bezpieczeństwa, zweryfikuj swoje sesje i wyloguj się ze wszystkich sesji, których nie rozpoznajesz lub nie używasz.", - "Are you sure you want to sign out of %(count)s sessions?": { - "one": "Czy na pewno chcesz się wylogować z %(count)s sesji?", - "other": "Czy na pewno chcesz się wylogować z %(count)s sesji?" - }, "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", @@ -1147,8 +925,6 @@ "Voice processing": "Procesowanie głosu", "Automatically adjust the microphone volume": "Automatycznie dostosuj głośność mikrofonu", "Voice settings": "Ustawienia głosu", - "Group all your people in one place.": "Pogrupuj wszystkie osoby w jednym miejscu.", - "Share anonymous data to help us identify issues. Nothing personal. No third parties.": "Udostępnij anonimowe dane, aby wesprzeć nas w identyfikowaniu problemów. Nic osobistego. Żadnych podmiotów zewnętrznych.", "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.", @@ -1182,7 +958,6 @@ "You have verified this user. This user has verified all of their sessions.": "Zweryfikowałeś tego użytkownika. Użytkownik zweryfikował wszystkie swoje sesje.", "You have not verified this user.": "Nie zweryfikowałeś tego użytkownika.", "This user has not verified all of their sessions.": "Ten użytkownik nie zweryfikował wszystkich swoich sesji.", - "Failed to download source media, no source url was found": "Nie udało się pobrać media źródłowego, nie znaleziono źródłowego adresu URL", "This room has already been upgraded.": "Ten pokój został już ulepszony.", "Joined": "Dołączono", "Show Labs settings": "Pokaż ustawienia laboratoriów", @@ -1222,7 +997,6 @@ "one": "Aktualnie dołączanie do %(count)s pokoju", "other": "Aktualnie dołączanie do %(count)s pokoi" }, - "Ongoing call": "Rozmowa w toku", "Add space": "Dodaj przestrzeń", "Suggested Rooms": "Sugerowane pokoje", "Saved Items": "Przedmioty zapisane", @@ -1239,9 +1013,6 @@ "Close call": "Zamknij połączenie", "Change layout": "Zmień układ", "Freedom": "Wolność", - "You do not have permission to start voice calls": "Nie posiadasz uprawnień do rozpoczęcia rozmowy głosowej", - "There's no one here to call": "Nie ma tu nikogo, do kogo można zadzwonić", - "You do not have permission to start video calls": "Nie posiadasz wymaganych uprawnień do rozpoczęcia rozmowy wideo", "Video call (%(brand)s)": "Rozmowa wideo (%(brand)s)", "Video call (Jitsi)": "Rozmowa wideo (Jitsi)", "Recently visited rooms": "Ostatnio odwiedzane pokoje", @@ -1251,7 +1022,6 @@ "%(members)s and more": "%(members)s i więcej", "View message": "Wyświetl wiadomość", "Could not revoke the invite. The server may be experiencing a temporary problem or you do not have sufficient permissions to revoke the invite.": "Nie udało się odwołać zaproszenia. Serwer może posiadać tymczasowy problem lub nie masz wystarczających uprawnień, aby odwołać zaproszenie.", - "Revoke permissions": "Odwołaj uprawnienia", "Failed to revoke invite": "Nie udało się odwołać zaproszenia", "Failed to connect to integration manager": "Nie udało się połączyć z menedżerem integracji", "Search all rooms": "Wyszukaj wszystkie pokoje", @@ -1441,14 +1211,7 @@ "We couldn't send your location": "Nie mogliśmy wysłać Twojej lokalizacji", "You need to have the right permissions in order to share locations in this room.": "Musisz mieć odpowiednie uprawnienia, aby udostępniać lokalizację w tym pokoju.", "You don't have permission to share locations": "Nie masz uprawnień do udostępniania lokalizacji", - "Share location": "Udostępnij lokalizację", - "Click to drop a pin": "Kliknij, aby upuścić przypinkę", - "Click to move the pin": "Kliknij, aby przenieść przypinkę", "Could not fetch location": "Nie udało się pobrać lokalizacji", - "Share for %(duration)s": "Udostępniaj przez %(duration)s", - "Enable live location sharing": "Włącz udostępnianie lokalizacji na żywo", - "Please note: this is a labs feature using a temporary implementation. This means you will not be able to delete your location history, and advanced users will be able to see your location history even after you stop sharing your live location with this room.": "Uwaga: to jest eksperymentalna funkcja wykorzystująca tymczasową implementację. Oznacza to, że nie będzie możliwości usunięcia historii lokalizacji, a zaawansowani użytkownicy będą mogli ją zobaczyć nawet, gdy przestaniesz dzielić się lokalizacją na żywo z tym pokojem.", - "Live location sharing": "Udostępnianie lokalizacji na żywo", "toggle event": "przełącz wydarzenie", "Can't load this message": "Nie można wczytać tej wiadomości", "Submit logs": "Wyślij dzienniki", @@ -1476,7 +1239,6 @@ "%(name)s wants to verify": "%(name)s chce weryfikacji", "Declining…": "Odrzucanie…", "%(name)s cancelled": "%(name)s anulował", - "Report": "Zgłoś", "Modal Widget": "Widżet modalny", "Your homeserver doesn't seem to support this feature.": "Wygląda na to, że Twój serwer domowy nie wspiera tej funkcji.", "If they don't match, the security of your communication may be compromised.": "Jeśli nie pasują, bezpieczeństwo twojego konta mogło zostać zdradzone.", @@ -1629,21 +1391,11 @@ "Message from %(user)s": "Wiadomość od %(user)s", "Language Dropdown": "Rozwiń języki", "Message in %(room)s": "Wiadomość w %(room)s", - "Image view": "Widok obrazu", - "Popout widget": "Wyskakujący widżet", - "Using this widget may share data with %(widgetDomain)s & your integration manager.": "Korzystanie z tego widżetu może współdzielić dane z %(widgetDomain)s i Twoim menedżerem integracji.", "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", - "Any of the following data may be shared:": "Wszystkie wymienione dane mogą być udostępnione:", - "%(brand)s URL": "%(brand)s URL", - "Using this widget may share data with %(widgetDomain)s.": "Korzystanie z tego widżetu może współdzielić dane z %(widgetDomain)s.", - "Un-maximise": "Normalizuj", - "Share entire screen": "Udostępnij cały ekran", - "Application window": "Okno aplikacji", - "Share content": "Udostępnij zawartość", "What location type do you want to share?": "Jaki typ lokalizacji chcesz udostępnić?", "Drop a Pin": "Upuść przypinkę", "You'll upgrade this room from to .": "Zaktualizujesz ten pokój z wersji do .", @@ -1769,21 +1521,10 @@ "Loading live location…": "Wczytywanie lokalizacji na żywo…", "Live until %(expiryTime)s": "Na żywo do %(expiryTime)s", "Updated %(humanizedUpdateTime)s": "Zaktualizowano %(humanizedUpdateTime)s", - "Take a picture": "Zrób zdjęcie", - "Start audio stream": "Rozpocznij transmisję audio", "Failed to start livestream": "Nie udało się rozpocząć transmisji na żywo", "Unable to start audio streaming.": "Nie można rozpocząć przesyłania strumienia audio.", "Thread options": "Opcje wątków", - "Mute room": "Wycisz pokój", - "Match default setting": "Dopasuj z ustawieniami domyślnymi", - "Mark as read": "Oznacz jako przeczytane", - "Forget Room": "Zapomnij pokój", - "Mentions only": "Tylko wzmianki", "Forget": "Zapomnij", - "View related event": "Wyświetl powiązane wydarzenie", - "Collapse reply thread": "Zwiń wątek odpowiedzi", - "Show preview": "Pokaż podgląd", - "View source": "Wyświetl źródło", "Open in OpenStreetMap": "Otwórz w OpenStreetMap", "Resend %(unsentCount)s reaction(s)": "Wyślij ponownie %(unsentCount)s reakcje", "Resume": "Wznów", @@ -1865,12 +1606,8 @@ "Error downloading audio": "Wystąpił błąd w trakcie pobierania audio", "Unnamed audio": "Audio bez nazwy", "%(completed)s of %(total)s keys restored": "%(completed)s z %(total)s kluczy przywrócono", - "Your language": "Twój język", - "Your device ID": "Twoje ID urządzenia", "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ę.", - "Ask to join": "Poproś o dołączenie", - "People cannot join unless access is granted.": "Osoby nie mogą dołączyć, dopóki nie otrzymają zezwolenia.", "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", @@ -1889,7 +1626,6 @@ "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", - "Your profile picture URL": "URL Twojego zdjęcia profilowego", "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", @@ -2000,7 +1736,15 @@ "off": "Wyłącz", "all_rooms": "Wszystkie pokoje", "deselect_all": "Odznacz wszystkie", - "select_all": "Zaznacz wszystkie" + "select_all": "Zaznacz wszystkie", + "copied": "Skopiowano!", + "advanced": "Zaawansowane", + "spaces": "Przestrzenie", + "general": "Ogólne", + "saving": "Zapisywanie…", + "profile": "Profil", + "display_name": "Wyświetlana nazwa", + "user_avatar": "Obraz profilowy" }, "action": { "continue": "Kontynuuj", @@ -2103,7 +1847,10 @@ "clear": "Wyczyść", "exit_fullscreeen": "Wyjdź z trybu pełnoekranowego", "enter_fullscreen": "Otwórz w trybie pełnoekranowym", - "unban": "Odbanuj" + "unban": "Odbanuj", + "click_to_copy": "Kliknij aby skopiować", + "hide_advanced": "Ukryj zaawansowane", + "show_advanced": "Pokaż zaawansowane" }, "a11y": { "user_menu": "Menu użytkownika", @@ -2115,7 +1862,8 @@ "other": "%(count)s nieprzeczytanych wiadomości.", "one": "1 nieprzeczytana wiadomość." }, - "unread_messages": "Nieprzeczytane wiadomości." + "unread_messages": "Nieprzeczytane wiadomości.", + "jump_first_invite": "Przejdź do pierwszego zaproszenia." }, "labs": { "video_rooms": "Pokoje wideo", @@ -2309,7 +2057,6 @@ "user_a11y": "Autouzupełnianie użytkowników" } }, - "Bold": "Pogrubienie", "Link": "Link", "Code": "Kod", "power_level": { @@ -2417,7 +2164,8 @@ "intro_byline": "Bądź właścicielem swoich konwersacji.", "send_dm": "Wyślij wiadomość prywatną", "explore_rooms": "Przeglądaj pokoje publiczne", - "create_room": "Utwórz czat grupowy" + "create_room": "Utwórz czat grupowy", + "create_account": "Utwórz konto" }, "settings": { "show_breadcrumbs": "Pokazuj skróty do ostatnio wyświetlonych pokojów nad listą pokojów", @@ -2484,7 +2232,10 @@ "noisy": "Głośny", "error_permissions_denied": "%(brand)s nie ma uprawnień, by wysyłać Ci powiadomienia - sprawdź ustawienia swojej przeglądarki", "error_permissions_missing": "%(brand)s nie otrzymał uprawnień do wysyłania powiadomień - spróbuj ponownie", - "error_title": "Nie można włączyć powiadomień" + "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ń." }, "appearance": { "layout_irc": "IRC (eksperymentalny)", @@ -2558,7 +2309,44 @@ "cryptography_section": "Kryptografia", "session_id": "Identyfikator sesji:", "session_key": "Klucz sesji:", - "encryption_section": "Szyfrowanie" + "encryption_section": "Szyfrowanie", + "bulk_options_section": "Masowe działania", + "bulk_options_accept_all_invites": "Zaakceptuj wszystkie zaproszenia do %(invitedRooms)s", + "bulk_options_reject_all_invites": "Odrzuć wszystkie zaproszenia do %(invitedRooms)s", + "message_search_section": "Wyszukiwanie wiadomości", + "analytics_subsection_description": "Udostępnij anonimowe dane, aby wesprzeć nas w identyfikowaniu problemów. Nic osobistego. Żadnych podmiotów zewnętrznych.", + "encryption_individual_verification_mode": "Indywidualnie weryfikuj każdą sesję używaną przez użytkownika, aby oznaczyć ją jako zaufaną, nie ufając urządzeniom weryfikowanym krzyżowo.", + "message_search_enabled": { + "one": "Bezpiecznie przechowuj lokalnie wiadomości szyfrowane, aby mogły się wyświetlać w wynikach wyszukiwania. Zostanie użyte %(size)s do przechowywania wiadomości z %(rooms)s pokoju.", + "other": "Bezpiecznie przechowuj lokalnie wiadomości szyfrowane, aby mogły się wyświetlać w wynikach wyszukiwania. Zostanie użyte %(size)s do przechowywania wiadomości z %(rooms)s pokoi." + }, + "message_search_disabled": "Bezpiecznie przechowuj lokalnie wiadomości szyfrowane, aby mogły się wyświetlać w wynikach wyszukiwania.", + "message_search_unsupported": "%(brand)s brakuje niektórych komponentów wymaganych do bezpiecznego przechowywania wiadomości szyfrowanych lokalnie. Jeśli chcesz eksperymentować z tą funkcją, zbuduj własny %(brand)s Desktop z dodanymi komponentami wyszukiwania.", + "message_search_unsupported_web": "%(brand)s nie jest w stanie bezpiecznie przechowywać wiadomości szyfrowanych lokalnie, gdy działa w przeglądarce. Użyj Desktop, aby wiadomości pojawiły się w wynikach wyszukiwania.", + "message_search_failed": "Inicjalizacja wyszukiwania wiadomości nie powiodła się", + "backup_key_well_formed": "dobrze ukształtowany", + "backup_key_unexpected_type": "niespodziewany typ", + "backup_keys_description": "Utwórz kopię zapasową kluczy szyfrujących wraz z danymi konta na wypadek utraty dostępu do sesji. Twoje klucze będą zabezpieczone unikalnym kluczem bezpieczeństwa.", + "backup_key_stored_status": "Klucz zapasowy zapisany:", + "cross_signing_not_stored": "nieprzechowywany", + "backup_key_cached_status": "Klucz zapasowy zapisany w pamięci podręcznej:", + "4s_public_key_status": "Publiczny klucz sekretnego magazynu:", + "4s_public_key_in_account_data": "w danych konta", + "secret_storage_status": "Sekretny magazyn:", + "secret_storage_ready": "gotowy", + "secret_storage_not_ready": "nie gotowe", + "delete_backup": "Usuń kopię zapasową", + "delete_backup_confirm_description": "Czy jesteś pewien? Stracisz dostęp do wszystkich swoich zaszyfrowanych wiadomości, jeżeli nie utworzyłeś poprawnej kopii zapasowej kluczy.", + "error_loading_key_backup_status": "Nie można załadować stanu kopii zapasowej klucza", + "restore_key_backup": "Przywróć z kopii zapasowej", + "key_backup_active": "Ta sesja tworzy kopię zapasową kluczy.", + "key_backup_inactive": "Ta sesja nie wykonuje kopii zapasowej twoich kluczy, ale masz istniejącą kopię którą możesz przywrócić i uzupełniać w przyszłości.", + "key_backup_connect_prompt": "Połącz tę sesję z kopią zapasową kluczy przed wylogowaniem, aby uniknąć utraty kluczy które mogą istnieć tylko w tej sesji.", + "key_backup_connect": "Połącz tę sesję z kopią zapasową kluczy", + "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." }, "preferences": { "room_list_heading": "Lista pokojów", @@ -2672,7 +2460,13 @@ "other": "Wyloguj urządzenia" }, "security_recommendations": "Rekomendacje bezpieczeństwa", - "security_recommendations_description": "Zwiększ bezpieczeństwo swojego konta kierując się tymi rekomendacjami." + "security_recommendations_description": "Zwiększ bezpieczeństwo swojego konta kierując się tymi rekomendacjami.", + "title": "Sesje", + "sign_out_confirm_description": { + "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." }, "general": { "oidc_manage_button": "Zarządzaj kontem", @@ -2691,7 +2485,22 @@ "add_msisdn_confirm_sso_button": "Potwierdź dodanie tego numeru telefonu przy użyciu pojedynczego logowania, aby potwierdzić swoją tożsamość.", "add_msisdn_confirm_button": "Potwierdź dodanie numeru telefonu", "add_msisdn_confirm_body": "Naciśnij przycisk poniżej aby potwierdzić dodanie tego numeru telefonu.", - "add_msisdn_dialog_title": "Dodaj numer telefonu" + "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" + }, + "sidebar": { + "title": "Pasek boczny", + "metaspaces_subsection": "Wyświetlanie przestrzeni", + "metaspaces_description": "Przestrzenie to sposób grupowania pokoi i osób. Oprócz przestrzeni, w których się znajdujesz, możesz też skorzystać z gotowych grupowań.", + "metaspaces_home_description": "Strona główna to przydatne miejsce dla podsumowania wszystkiego.", + "metaspaces_favourites_description": "Pogrupuj wszystkie swoje ulubione pokoje i osoby w jednym miejscu.", + "metaspaces_people_description": "Pogrupuj wszystkie osoby w jednym miejscu.", + "metaspaces_orphans": "Pokoje poza przestrzenią", + "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" } }, "devtools": { @@ -3193,7 +3002,15 @@ "user": "%(senderName)s zakończył transmisję głosową" }, "creation_summary_dm": "%(creator)s utworzył tę wiadomość prywatną.", - "creation_summary_room": "%(creator)s stworzył i skonfigurował pokój." + "creation_summary_room": "%(creator)s stworzył i skonfigurował pokój.", + "context_menu": { + "view_source": "Wyświetl źródło", + "show_url_preview": "Pokaż podgląd", + "external_url": "Źródłowy URL", + "collapse_reply_thread": "Zwiń wątek odpowiedzi", + "view_related_event": "Wyświetl powiązane wydarzenie", + "report": "Zgłoś" + } }, "slash_command": { "spoiler": "Wysyła podaną wiadomość jako spoiler", @@ -3396,10 +3213,28 @@ "failed_call_live_broadcast_title": "Nie można rozpocząć połączenia", "failed_call_live_broadcast_description": "Nie możesz rozpocząć połączenia, ponieważ już nagrywasz transmisję na żywo. Zakończ transmisję na żywo, aby rozpocząć połączenie.", "no_media_perms_title": "Brak uprawnień do mediów", - "no_media_perms_description": "Możliwe, że będziesz musiał ręcznie pozwolić %(brand)sowi na dostęp do twojego mikrofonu/kamerki internetowej" + "no_media_perms_description": "Możliwe, że będziesz musiał ręcznie pozwolić %(brand)sowi na dostęp do twojego mikrofonu/kamerki internetowej", + "call_toast_unknown_room": "Nieznany pokój", + "join_button_tooltip_connecting": "Łączenie", + "join_button_tooltip_call_full": "Przepraszamy — to połączenie jest już zapełnione", + "hide_sidebar_button": "Ukryj pasek boczny", + "show_sidebar_button": "Pokaż pasek boczny", + "more_button": "Więcej", + "screenshare_monitor": "Udostępnij cały ekran", + "screenshare_window": "Okno aplikacji", + "screenshare_title": "Udostępnij zawartość", + "disabled_no_perms_start_voice_call": "Nie posiadasz uprawnień do rozpoczęcia rozmowy głosowej", + "disabled_no_perms_start_video_call": "Nie posiadasz wymaganych uprawnień do rozpoczęcia rozmowy wideo", + "disabled_ongoing_call": "Rozmowa w toku", + "disabled_no_one_here": "Nie ma tu nikogo, do kogo można zadzwonić", + "n_people_joined": { + "one": "%(count)s osoba dołączyła", + "other": "%(count)s osób dołączyło" + }, + "unknown_person": "nieznana osoba", + "connecting": "Łączenie" }, "Other": "Inne", - "Advanced": "Zaawansowane", "room_settings": { "permissions": { "m.room.avatar_space": "Zmień awatar przestrzeni", @@ -3439,7 +3274,10 @@ "title": "Role i uprawnienia", "permissions_section": "Uprawnienia", "permissions_section_description_space": "Wybierz wymagane role wymagane do zmiany różnych części przestrzeni", - "permissions_section_description_room": "Wybierz role wymagane do zmieniania różnych części pokoju" + "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…" }, "security": { "strict_encryption": "Nigdy nie wysyłaj zaszyfrowanych wiadomości do niezweryfikowanych sesji z tej sesji w tym pokoju", @@ -3466,7 +3304,35 @@ "history_visibility_shared": "Tylko członkowie (od momentu włączenia tej opcji)", "history_visibility_invited": "Tylko członkowie (od kiedy zostali zaproszeni)", "history_visibility_joined": "Tylko członkowie (od kiedy dołączyli)", - "history_visibility_world_readable": "Każdy" + "history_visibility_world_readable": "Każdy", + "join_rule_upgrade_required": "Aktualizacja wymagana", + "join_rule_restricted_n_more": { + "one": "i %(count)s więcej", + "other": "i %(count)s więcej" + }, + "join_rule_restricted_summary": { + "one": "Obecnie jedna przestrzeń ma dostęp", + "other": "Obecnie %(count)s przestrzeni ma dostęp" + }, + "join_rule_restricted_description": "Każdy w przestrzeni może znaleźć i dołączyć. Kliknij tu, aby ustawić które przestrzenie mają dostęp.", + "join_rule_restricted_description_spaces": "Przestrzenie z dostępem", + "join_rule_restricted_description_active_space": "Każdy w może znaleźć i dołączyć. Możesz też wybrać inne przestrzenie.", + "join_rule_restricted_description_prompt": "Każdy w przestrzeni może znaleźć i dołączyć. Możesz wybrać wiele przestrzeni.", + "join_rule_restricted": "Członkowie przestrzeni", + "join_rule_knock": "Poproś o dołączenie", + "join_rule_knock_description": "Osoby nie mogą dołączyć, dopóki nie otrzymają zezwolenia.", + "join_rule_restricted_upgrade_warning": "Ten pokój znajduje się w przestrzeniach, w których nie masz uprawnień administratora. W tych przestrzeniach stary pokój wciąż będzie wyświetlany, lecz ludzie otrzymają propozycję dołączenia do nowego.", + "join_rule_restricted_upgrade_description": "To ulepszenie pozwoli członkom wybranych przestrzeni uzyskać dostęp do tego pokoju bez zaproszenia.", + "join_rule_upgrade_upgrading_room": "Aktualizowanie pokoju", + "join_rule_upgrade_awaiting_room": "Wczytywanie nowego pokoju", + "join_rule_upgrade_sending_invites": { + "one": "Wysyłanie zaproszenia...", + "other": "Wysyłanie zaproszeń... (%(progress)s z %(count)s)" + }, + "join_rule_upgrade_updating_spaces": { + "one": "Aktualizowanie przestrzeni...", + "other": "Aktualizowanie przestrzeni... (%(progress)s z %(count)s)" + } }, "general": { "publish_toggle": "Czy opublikować ten pokój dla ogółu w spisie pokojów domeny %(domain)s?", @@ -3476,7 +3342,11 @@ "default_url_previews_off": "Podglądy linków są domyślnie wyłączone dla uczestników tego pokoju.", "url_preview_encryption_warning": "W zaszyfrowanych pokojach, takich jak ten, podgląd adresów URL jest domyślnie wyłączony, aby upewnić się, że serwer (w którym generowane są podglądy) nie może zbierać informacji o linkach widocznych w tym pokoju.", "url_preview_explainer": "Gdy ktoś umieści URL w wiadomości, można wyświetlić podgląd adresu URL, aby podać więcej informacji o tym łączu, takich jak tytuł, opis i obraz ze strony internetowej.", - "url_previews_section": "Podglądy linków" + "url_previews_section": "Podglądy linków", + "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ń" }, "advanced": { "unfederated": "Ten pokój nie jest dostępny na zdalnych serwerach Matrix", @@ -3488,6 +3358,24 @@ "room_id": "Wewnętrzne ID pokoju", "room_version_section": "Wersja pokoju", "room_version": "Wersja pokoju:" + }, + "delete_avatar_label": "Usuń awatar", + "upload_avatar_label": "Prześlij awatar", + "visibility": { + "error_update_guest_access": "Nie udało się zaktualizować dostępu dla gości do tej przestrzeni", + "error_update_history_visibility": "Nie udało się zaktualizować widoczności historii dla tej przestrzeni", + "guest_access_explainer": "Goście mogą dołączyć do przestrzeni bez posiadania konta.", + "guest_access_explainer_public_space": "Może to być przydatne dla publicznych przestrzeni.", + "title": "Widoczność", + "error_failed_save": "Nie udało się zaktualizować widoczności tej przestrzeni", + "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" + }, + "access": { + "title": "Dostęp", + "description_space": "Zdecyduj kto może wyświetlić i dołączyć do %(spaceName)s." } }, "encryption": { @@ -3514,7 +3402,15 @@ "waiting_other_device_details": "Oczekiwanie na zweryfikowanie przez ciebie twojego innego urządzenia, %(deviceName)s (%(deviceId)s)…", "waiting_other_device": "Oczekiwanie na zweryfikowanie przez ciebie twojego innego urządzenia…", "waiting_other_user": "Oczekiwanie na weryfikację przez %(displayName)s…", - "cancelling": "Anulowanie…" + "cancelling": "Anulowanie…", + "unverified_sessions_toast_title": "Masz niezweryfikowane sesje", + "unverified_sessions_toast_description": "Sprawdź, by upewnić się że Twoje konto jest bezpieczne", + "unverified_sessions_toast_reject": "Później", + "unverified_session_toast_title": "Nowe logowanie. Czy to byłeś Ty?", + "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ę" }, "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.", @@ -3524,7 +3420,18 @@ "bootstrap_title": "Konfigurowanie kluczy", "export_unsupported": "Twoja przeglądarka nie wspiera wymaganych rozszerzeń kryptograficznych", "import_invalid_keyfile": "Niepoprawny plik klucza %(brand)s", - "import_invalid_passphrase": "Próba autentykacji nieudana: nieprawidłowe hasło?" + "import_invalid_passphrase": "Próba autentykacji nieudana: nieprawidłowe hasło?", + "set_up_toast_title": "Skonfiguruj bezpieczną kopię zapasową", + "upgrade_toast_title": "Dostępne ulepszenie szyfrowania", + "verify_toast_title": "Zweryfikuj tę sesję", + "set_up_toast_description": "Zabezpiecz się przed utratą dostępu do szyfrowanych wiadomości i danych", + "verify_toast_description": "Inni użytkownicy mogą temu nie ufać", + "cross_signing_unsupported": "Twój serwer domowy nie obsługuje weryfikacji krzyżowej.", + "cross_signing_ready": "Weryfikacja krzyżowa jest gotowa do użycia.", + "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": "" }, "emoji": { "category_frequently_used": "Często używane", @@ -3548,7 +3455,8 @@ "bullet_1": "Nie zapisujemy żadnych danych, ani nie profilujemy twojego konta", "bullet_2": "Nie udostępniamy żadnych informacji podmiotom zewnętrznym", "disable_prompt": "Możesz to wyłączyć kiedy zechcesz w ustawieniach", - "accept_button": "To jest w porządku" + "accept_button": "To jest w porządku", + "shared_data_heading": "Wszystkie wymienione dane mogą być udostępnione:" }, "chat_effects": { "confetti_description": "Wysyła podaną wiadomość z konfetti", @@ -3703,7 +3611,8 @@ "no_hs_url_provided": "Nie podano URL serwera głównego", "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." + "incorrect_credentials_detail": "Zauważ proszę, że logujesz się na serwer %(hs)s, nie matrix.org.", + "create_account_title": "Utwórz konto" }, "room_list": { "sort_unread_first": "Pokazuj najpierw pokoje z nieprzeczytanymi wiadomościami", @@ -3827,7 +3736,37 @@ "error_need_to_be_logged_in": "Musisz być zalogowany.", "error_need_invite_permission": "Aby to zrobić, musisz mieć możliwość zapraszania użytkowników.", "error_need_kick_permission": "Aby to zrobić, musisz móc wyrzucać użytkowników.", - "no_name": "Nieznana aplikacja" + "no_name": "Nieznana aplikacja", + "error_hangup_title": "Utracono połączenie", + "error_hangup_description": "Zostałeś rozłączony z rozmowy. (Błąd: %(message)s)", + "context_menu": { + "start_audio_stream": "Rozpocznij transmisję audio", + "screenshot": "Zrób zdjęcie", + "delete": "Usuń widżet", + "delete_warning": "Usunięcie widżetu usuwa go dla wszystkich użytkowników w tym pokoju. Czy na pewno chcesz usunąć ten widżet?", + "remove": "Usuń dla wszystkich", + "revoke": "Odwołaj uprawnienia", + "move_left": "Przenieś w lewo", + "move_right": "Przenieś w prawo" + }, + "shared_data_name": "Twoja nazwa wyświetlana", + "shared_data_avatar": "URL Twojego zdjęcia profilowego", + "shared_data_mxid": "Twoje ID użytkownika", + "shared_data_device_id": "Twoje ID urządzenia", + "shared_data_theme": "Twój motyw", + "shared_data_lang": "Twój język", + "shared_data_url": "%(brand)s URL", + "shared_data_room_id": "ID pokoju", + "shared_data_widget_id": "ID widżetu", + "shared_data_warning_im": "Korzystanie z tego widżetu może współdzielić dane z %(widgetDomain)s i Twoim menedżerem integracji.", + "shared_data_warning": "Korzystanie z tego widżetu może współdzielić dane z %(widgetDomain)s.", + "unencrypted_warning": "Widżety nie używają szyfrowania wiadomości.", + "added_by": "Widżet dodany przez", + "cookie_warning": "Ten widżet może używać plików cookies.", + "error_loading": "Błąd ładowania widżetu", + "error_mixed_content": "Błąd — zawartość mieszana", + "unmaximise": "Normalizuj", + "popout": "Wyskakujący widżet" }, "feedback": { "sent": "Wysłano opinię użytkownka", @@ -3924,7 +3863,8 @@ "empty_heading": "Organizuj dyskusje za pomocą wątków" }, "theme": { - "light_high_contrast": "Jasny z wysokim kontrastem" + "light_high_contrast": "Jasny z wysokim kontrastem", + "match_system": "Dopasuj do systemu" }, "space": { "landing_welcome": "Witamy w ", @@ -3940,9 +3880,14 @@ "devtools_open_timeline": "Pokaż oś czasu pokoju (devtools)", "home": "Przestrzeń główna", "explore": "Przeglądaj pokoje", - "manage_and_explore": "Zarządzaj i odkrywaj pokoje" + "manage_and_explore": "Zarządzaj i odkrywaj pokoje", + "options": "Opcje przestrzeni" }, - "share_public": "Zaproś do swojej publicznej przestrzeni" + "share_public": "Zaproś do swojej publicznej przestrzeni", + "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" }, "location_sharing": { "MapStyleUrlNotConfigured": "Ten serwer domowy nie jest skonfigurowany by wyświetlać mapy.", @@ -3959,7 +3904,14 @@ "failed_timeout": "Upłynął czas oczekiwania podczas pobierania lokalizacji. Spróbuj ponownie później.", "failed_unknown": "Wystąpił nieznany błąd podczas pobierania lokalizacji. Spróbuj ponownie później.", "expand_map": "Rozwiń mapę", - "failed_load_map": "Nie udało się wczytać mapy" + "failed_load_map": "Nie udało się wczytać mapy", + "live_enable_heading": "Udostępnianie lokalizacji na żywo", + "live_enable_description": "Uwaga: to jest eksperymentalna funkcja wykorzystująca tymczasową implementację. Oznacza to, że nie będzie możliwości usunięcia historii lokalizacji, a zaawansowani użytkownicy będą mogli ją zobaczyć nawet, gdy przestaniesz dzielić się lokalizacją na żywo z tym pokojem.", + "live_toggle_label": "Włącz udostępnianie lokalizacji na żywo", + "live_share_button": "Udostępniaj przez %(duration)s", + "click_move_pin": "Kliknij, aby przenieść przypinkę", + "click_drop_pin": "Kliknij, aby upuścić przypinkę", + "share_button": "Udostępnij lokalizację" }, "labs_mjolnir": { "room_name": "Moja lista zablokowanych", @@ -3995,7 +3947,6 @@ }, "create_space": { "name_required": "Podaj nazwę dla przestrzeni", - "name_placeholder": "np. moja-przestrzen", "explainer": "Przestrzenie to nowy sposób na grupowanie pokojów i osób. Jaki rodzaj przestrzeni chcesz utworzyć? Możesz zmienić to później.", "public_description": "Przestrzeń otwarta dla każdego, najlepsza dla społeczności", "private_description": "Tylko na zaproszenie, najlepsza dla siebie lub zespołów", @@ -4026,11 +3977,17 @@ "setup_rooms_community_description": "Utwórzmy pokój dla każdego z nich.", "setup_rooms_description": "W przyszłości będziesz mógł dodać więcej, włączając już istniejące.", "setup_rooms_private_heading": "Nad jakimi projektami pracuje Twój zespół?", - "setup_rooms_private_description": "Utworzymy pokój dla każdego z nich." + "setup_rooms_private_description": "Utworzymy pokój dla każdego z nich.", + "address_placeholder": "np. moja-przestrzen", + "address_label": "Adres", + "label": "Utwórz przestrzeń", + "add_details_prompt_2": "Możesz to zmienić w każdej chwili.", + "creating": "Tworzenie…" }, "user_menu": { "switch_theme_light": "Przełącz na tryb jasny", - "switch_theme_dark": "Przełącz na tryb ciemny" + "switch_theme_dark": "Przełącz na tryb ciemny", + "settings": "Wszystkie ustawienia" }, "notif_panel": { "empty_heading": "Jesteś na bieżąco", @@ -4068,7 +4025,26 @@ "leave_error_title": "Błąd opuszczania pokoju", "upgrade_error_title": "Błąd podczas aktualizacji pokoju", "upgrade_error_description": "Sprawdź ponownie czy Twój serwer wspiera wybraną wersję pokoju i spróbuj ponownie.", - "leave_server_notices_description": "Ten pokój jest używany do ważnych wiadomości z serwera domowego, więc nie możesz go opuścić." + "leave_server_notices_description": "Ten pokój jest używany do ważnych wiadomości z serwera domowego, więc nie możesz go opuścić.", + "error_join_connection": "Wystąpił błąd podczas dołączania.", + "error_join_incompatible_version_1": "Przykro nam, twój serwer domowy jest zbyt stary, by uczestniczyć tu.", + "error_join_incompatible_version_2": "Proszę o kontakt z administratorem serwera.", + "error_join_404_invite_same_hs": "Osoba, która zaprosiła cię, już wyszła.", + "error_join_404_invite": "Osoba, która zaprosiła cię, już wyszła lub jej serwer jest offline.", + "error_join_404_1": "Spróbowałeś dołączyć za pomocą ID pokoju bez podania listy serwerów, z których można dołączyć. ID pokojów to wewnętrzne identyfikatory, których nie da się użyć bez dodatkowych informacji.", + "error_join_404_2": "Jeśli znasz adres pokoju, spróbuj dołączyć za pomocą niego.", + "error_join_title": "Nie udało się dołączyć", + "context_menu": { + "unfavourite": "Ulubiony", + "favourite": "Ulubiony", + "mentions_only": "Tylko wzmianki", + "copy_link": "Kopiuj link do pokoju", + "low_priority": "Niski priorytet", + "forget": "Zapomnij pokój", + "mark_read": "Oznacz jako przeczytane", + "notifications_default": "Dopasuj z ustawieniami domyślnymi", + "notifications_mute": "Wycisz pokój" + } }, "file_panel": { "guest_note": "Musisz się zarejestrować aby móc używać tej funkcji", @@ -4088,7 +4064,8 @@ "tac_button": "Przejrzyj warunki użytkowania", "identity_server_no_terms_title": "Serwer tożsamości nie posiada warunków użytkowania", "identity_server_no_terms_description_1": "Ta czynność wymaga dostępu do domyślnego serwera tożsamości do walidacji adresu e-mail, czy numeru telefonu, ale serwer nie określa warunków korzystania z usługi.", - "identity_server_no_terms_description_2": "Kontynuj tylko wtedy, gdy ufasz właścicielowi serwera." + "identity_server_no_terms_description_2": "Kontynuj tylko wtedy, gdy ufasz właścicielowi serwera.", + "inline_intro_text": "Zaakceptuj aby kontynuować:" }, "space_settings": { "title": "Ustawienia - %(spaceName)s" @@ -4182,7 +4159,14 @@ "sync": "Nie można połączyć się z serwerem domowym. Ponawianie…", "connection": "Wystąpił problem podczas łączenia się z serwerem domowym, spróbuj ponownie później.", "mixed_content": "Nie można nawiązać połączenia z serwerem przy użyciu HTTP podczas korzystania z HTTPS dla bieżącej strony. Użyj HTTPS lub włącz niebezpieczne skrypty.", - "tls": "Nie można nawiązać połączenia z serwerem - proszę sprawdź twoje połączenie, upewnij się, że certyfikat SSL serwera jest zaufany, i że dodatki przeglądarki nie blokują żądania." + "tls": "Nie można nawiązać połączenia z serwerem - proszę sprawdź twoje połączenie, upewnij się, że certyfikat SSL serwera jest zaufany, i że dodatki przeglądarki nie blokują żądania.", + "admin_contact_short": "Skontaktuj się ze swoim administratorem serwera.", + "non_urgent_echo_failure_toast": "Twój serwer nie odpowiada na niektóre zapytania.", + "failed_copy": "Kopiowanie nieudane", + "something_went_wrong": "Coś poszło nie tak!", + "download_media": "Nie udało się pobrać media źródłowego, nie znaleziono źródłowego adresu URL", + "update_power_level": "Nie udało się zmienić poziomu mocy", + "unknown": "Nieznany błąd" }, "in_space1_and_space2": "W przestrzeniach %(space1Name)s i %(space2Name)s.", "in_space_and_n_other_spaces": { @@ -4190,5 +4174,52 @@ "other": "W %(spaceName)s i %(count)s innych przestrzeniach." }, "in_space": "W przestrzeni %(spaceName)s.", - "name_and_id": "%(name)s (%(userId)s)" + "name_and_id": "%(name)s (%(userId)s)", + "items_and_n_others": { + "other": " i %(count)s innych", + "one": " i jedna inna osoba" + }, + "notifications": { + "enable_prompt_toast_title_from_message_send": "Nie przegap odpowiedzi", + "enable_prompt_toast_title": "Powiadomienia", + "enable_prompt_toast_description": "Włącz powiadomienia na pulpicie", + "colour_none": "Brak", + "colour_bold": "Pogrubienie", + "colour_grey": "Szary", + "colour_red": "Czerwony", + "colour_unsent": "Niewysłane", + "error_change_title": "Zmień ustawienia powiadomień", + "mark_all_read": "Oznacz wszystko jako przeczytane", + "keyword": "Słowo kluczowe", + "keyword_new": "Nowe słowo kluczowe", + "class_global": "Globalne", + "class_other": "Inne", + "mentions_keywords": "Wzmianki i słowa kluczowe" + }, + "mobile_guide": { + "toast_title": "Użyj aplikacji by mieć lepsze doświadczenie", + "toast_description": "%(brand)s jest eksperymentalne na przeglądarce mobilnej. Dla lepszego doświadczenia i najnowszych funkcji użyj naszej darmowej natywnej aplikacji.", + "toast_accept": "Użyj aplikacji" + }, + "chat_card_back_action_label": "Wróć do chatu", + "room_summary_card_back_action_label": "Informacje pokoju", + "member_list_back_action_label": "Członkowie pokoju", + "thread_view_back_action_label": "Wróć do wątku", + "quick_settings": { + "title": "Szybkie ustawienia", + "all_settings": "Wszystkie ustawienia", + "metaspace_section": "Przypnij do paska bocznego", + "sidebar_settings": "Więcej opcji" + }, + "lightbox": { + "title": "Widok obrazu", + "rotate_left": "Obróć w lewo", + "rotate_right": "Obróć w prawo" + }, + "a11y_jump_first_unread_room": "Przejdź do pierwszego nieprzeczytanego pokoju.", + "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." + } } diff --git a/src/i18n/strings/pt.json b/src/i18n/strings/pt.json index 260a5482e6..59f7cc13bc 100644 --- a/src/i18n/strings/pt.json +++ b/src/i18n/strings/pt.json @@ -6,7 +6,6 @@ "Failed to change password. Is your password correct?": "Falha ao alterar a palavra-passe. A sua palavra-passe está correta?", "Failed to reject invitation": "Falha ao tentar rejeitar convite", "Failed to unban": "Não foi possível desfazer o banimento", - "Favourite": "Favorito", "Filter room members": "Filtrar integrantes da sala", "Forget room": "Esquecer sala", "Historical": "Histórico", @@ -14,10 +13,7 @@ "Low priority": "Baixa prioridade", "Moderator": "Moderador/a", "New passwords must match each other.": "Novas palavras-passe devem coincidir.", - "Notifications": "Notificações", - "": "", "Please check your email and click on the link it contains. Once this is done, click continue.": "Por favor verifique seu email e clique no link enviado. Quando finalizar este processo, clique para continuar.", - "Profile": "Perfil", "Reject invitation": "Rejeitar convite", "Return to login screen": "Retornar à tela de login", "Rooms": "Salas", @@ -27,7 +23,6 @@ "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", - "Upload avatar": "Enviar icone de perfil de usuário", "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", @@ -65,7 +60,6 @@ "Decrypt %(text)s": "Descriptografar %(text)s", "Download %(text)s": "Baixar %(text)s", "Failed to ban user": "Não foi possível banir o/a usuário/a", - "Failed to change power level": "Não foi possível mudar o nível de permissões", "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", @@ -98,9 +92,7 @@ "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.", - "Reject all %(invitedRooms)s invites": "Rejeitar todos os %(invitedRooms)s convites", "Confirm Removal": "Confirmar Remoção", - "Unknown error": "Erro desconhecido", "Unable to restore session": "Não foi possível restaurar a sessão", "If you have previously used a more recent version of %(brand)s, your session may be incompatible with this version. Close this window and return to the more recent version.": "Se você já usou antes uma versão mais recente do %(brand)s, a sua sessão pode ser incompatível com esta versão. Feche esta janela e tente abrir com a versão mais recente.", "Error decrypting image": "Erro ao descriptografar a imagem", @@ -114,7 +106,6 @@ "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", - "No display name": "Sem nome público de usuária(o)", "Uploading %(filename)s and %(count)s others": { "one": "Enviando o arquivo %(filename)s e %(count)s outros arquivos", "other": "Enviando o arquivo %(filename)s e %(count)s outros arquivos" @@ -127,25 +118,19 @@ "one": "(~%(count)s resultado)" }, "Home": "Início", - "Something went wrong!": "Algo deu errado!", "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (nível de permissão %(powerLevelNumber)s)", "%(roomName)s is not accessible at this time.": "%(roomName)s não está acessível neste momento.", - "Delete widget": "Apagar widget", "AM": "AM", "PM": "PM", - "Copied!": "Copiado!", - "Failed to copy": "Falha ao copiar", "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", - "Notification targets": "Alvos de notificação", "Today": "Hoje", "Friday": "Sexta-feira", "Changelog": "Histórico de alterações", "This Room": "Esta sala", "Unavailable": "Indisponível", - "Source URL": "URL fonte", "Filter results": "Filtrar resultados", "Tuesday": "Terça-feira", "Search…": "Pesquisar…", @@ -159,7 +144,6 @@ "You cannot delete this message. (%(code)s)": "Não pode apagar esta mensagem. (%(code)s)", "Thursday": "Quinta-feira", "Yesterday": "Ontem", - "Low Priority": "Baixa prioridade", "Wednesday": "Quarta-feira", "Thank you!": "Obrigado!", "Explore rooms": "Explorar rooms", @@ -298,8 +282,6 @@ "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.", - "Create account": "Criar conta", - "Invite with email or username": "Convidar com email ou nome de utilizador", "Invite someone using their name, email address, username (like ) or share this space.": "Convide alguém a partir do nome, endereço de email, nome de utilizador (como ) ou partilhe este espaço.", "Invite someone using their name, email address, username (like ) or share this room.": "Convide alguém a partir do nome, email ou nome de utilizador (como ) ou partilhe esta sala.", " invited you": " convidou-o", @@ -455,7 +437,10 @@ "someone": "Alguém", "unnamed_room": "Sala sem nome", "on": "Ativado", - "off": "Desativado" + "off": "Desativado", + "copied": "Copiado!", + "advanced": "Avançado", + "profile": "Perfil" }, "action": { "continue": "Continuar", @@ -544,7 +529,8 @@ "noisy": "Barulhento", "error_permissions_denied": "%(brand)s não tem permissões para enviar notificações a você - por favor, verifique as configurações do seu navegador", "error_permissions_missing": "%(brand)s não tem permissões para enviar notificações a você - por favor, tente novamente", - "error_title": "Não foi possível ativar as notificações" + "error_title": "Não foi possível ativar as notificações", + "push_targets": "Alvos de notificação" }, "appearance": { "timeline_image_size_default": "Padrão", @@ -556,7 +542,8 @@ "security": { "export_megolm_keys": "Exportar chaves ponta-a-ponta da sala", "import_megolm_keys": "Importar chave de criptografia ponta-a-ponta (E2E) da sala", - "cryptography_section": "Criptografia" + "cryptography_section": "Criptografia", + "bulk_options_reject_all_invites": "Rejeitar todos os %(invitedRooms)s convites" }, "general": { "account_section": "Conta", @@ -572,7 +559,8 @@ "add_msisdn_confirm_sso_button": "Confirme que quer adicionar este número de telefone usando Single Sign On para provar a sua identidade.", "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" + "add_msisdn_dialog_title": "Adicione número de telefone", + "name_placeholder": "Sem nome público de usuária(o)" } }, "devtools": { @@ -614,6 +602,9 @@ "lightbox_title": "%(senderDisplayName)s alterou a imagem da sala %(roomName)s", "removed": "%(senderDisplayName)s removeu a imagem da sala.", "changed_img": "%(senderDisplayName)s alterou a imagem da sala para " + }, + "context_menu": { + "external_url": "URL fonte" } }, "slash_command": { @@ -697,7 +688,6 @@ "no_media_perms_description": "Você talvez precise autorizar manualmente que o %(brand)s acesse seu microfone e webcam" }, "Other": "Outros", - "Advanced": "Avançado", "labs": { "group_profile": "Perfil", "group_rooms": "Salas" @@ -753,7 +743,8 @@ "error_title": "Não foi possível fazer login" }, "reset_password_email_not_found_title": "Este endereço de email não foi encontrado", - "reset_password_email_not_associated": "O seu endereço de email não parece estar associado a um Matrix ID neste homeserver." + "reset_password_email_not_associated": "O seu endereço de email não parece estar associado a um Matrix ID neste homeserver.", + "create_account_title": "Criar conta" }, "export_chat": { "messages": "Mensagens" @@ -788,7 +779,11 @@ } }, "room": { - "drop_file_prompt": "Arraste um arquivo aqui para enviar" + "drop_file_prompt": "Arraste um arquivo aqui para enviar", + "context_menu": { + "favourite": "Favorito", + "low_priority": "Baixa prioridade" + } }, "file_panel": { "guest_note": "Você deve se registrar para poder usar esta funcionalidade", @@ -797,7 +792,8 @@ "space": { "context_menu": { "explore": "Explorar rooms" - } + }, + "invite_description": "Convidar com email ou nome de utilizador" }, "room_settings": { "permissions": { @@ -818,7 +814,8 @@ }, "advanced": { "unfederated": "Esta sala não é acessível para servidores Matrix remotos" - } + }, + "upload_avatar_label": "Enviar icone de perfil de usuário" }, "failed_load_async_component": "Impossível carregar! Verifique a sua ligação de rede e tente novamente.", "upload_failed_generic": "O carregamento do ficheiro '%(fileName)s' falhou.", @@ -864,7 +861,10 @@ "widget": { "error_need_to_be_logged_in": "Você tem que estar logado.", "error_need_invite_permission": "Para fazer isso, você tem que ter permissão para convidar outras pessoas.", - "error_need_kick_permission": "Precisa ter permissão de expulsar utilizadores para fazer isso." + "error_need_kick_permission": "Precisa ter permissão de expulsar utilizadores para fazer isso.", + "context_menu": { + "delete": "Apagar widget" + } }, "scalar": { "error_create": "Não foi possível criar o widget.", @@ -886,10 +886,22 @@ "bootstrap_title": "A configurar chaves", "export_unsupported": "O seu navegador não suporta as extensões de criptografia necessárias", "import_invalid_keyfile": "Não é um ficheiro de chaves %(brand)s válido", - "import_invalid_passphrase": "Erro de autenticação: palavra-passe incorreta?" + "import_invalid_passphrase": "Erro de autenticação: palavra-passe incorreta?", + "not_supported": "" }, "error": { "mixed_content": "Não consigo conectar ao servidor padrão através de HTTP quando uma URL HTTPS está na barra de endereços do seu navegador. Use HTTPS ou então habilite scripts não seguros no seu navegador.", - "tls": "Não foi possível conectar ao Servidor de Base. Por favor, confira sua conectividade à internet, garanta que o certificado SSL do Servidor de Base é confiável, e que uma extensão do navegador não esteja bloqueando as requisições de rede." + "tls": "Não foi possível conectar ao Servidor de Base. Por favor, confira sua conectividade à internet, garanta que o certificado SSL do Servidor de Base é confiável, e que uma extensão do navegador não esteja bloqueando as requisições de rede.", + "failed_copy": "Falha ao copiar", + "something_went_wrong": "Algo deu errado!", + "update_power_level": "Não foi possível mudar o nível de permissões", + "unknown": "Erro desconhecido" + }, + "notifications": { + "enable_prompt_toast_title": "Notificações", + "class_other": "Outros" + }, + "onboarding": { + "create_account": "Criar conta" } } diff --git a/src/i18n/strings/pt_BR.json b/src/i18n/strings/pt_BR.json index d7a4d20c09..88754e2ca0 100644 --- a/src/i18n/strings/pt_BR.json +++ b/src/i18n/strings/pt_BR.json @@ -6,7 +6,6 @@ "Failed to change password. Is your password correct?": "Não foi possível alterar a senha. A sua senha está correta?", "Failed to reject invitation": "Falha ao tentar recusar o convite", "Failed to unban": "Não foi possível remover o banimento", - "Favourite": "Favoritar", "Filter room members": "Pesquisar participantes da sala", "Forget room": "Esquecer sala", "Historical": "Histórico", @@ -14,10 +13,7 @@ "Low priority": "Baixa prioridade", "Moderator": "Moderador/a", "New passwords must match each other.": "As novas senhas informadas precisam ser idênticas.", - "Notifications": "Notificações", - "": "", "Please check your email and click on the link it contains. Once this is done, click continue.": "Por favor, confirme o seu e-mail e clique no link enviado. Feito isso, clique em continuar.", - "Profile": "Perfil", "Reject invitation": "Recusar o convite", "Return to login screen": "Retornar à tela de login", "Rooms": "Salas", @@ -27,7 +23,6 @@ "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", - "Upload avatar": "Enviar uma foto de perfil", "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", @@ -65,7 +60,6 @@ "Decrypt %(text)s": "Descriptografar %(text)s", "Download %(text)s": "Baixar %(text)s", "Failed to ban user": "Não foi possível banir o usuário", - "Failed to change power level": "Não foi possível alterar o nível de permissão", "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", @@ -98,9 +92,7 @@ "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.", - "Reject all %(invitedRooms)s invites": "Recusar todos os %(invitedRooms)s convites", "Confirm Removal": "Confirmar a remoção", - "Unknown error": "Erro desconhecido", "Unable to restore session": "Não foi possível restaurar a sessão", "If you have previously used a more recent version of %(brand)s, your session may be incompatible with this version. Close this window and return to the more recent version.": "Se você já usou antes uma versão mais recente do %(brand)s, a sua sessão pode ser incompatível com esta versão. Feche esta janela e tente abrir com a versão mais recente.", "Error decrypting image": "Erro ao descriptografar a imagem", @@ -120,9 +112,7 @@ "other": "Enviando o arquivo %(filename)s e %(count)s outros arquivos" }, "Create new room": "Criar nova sala", - "Something went wrong!": "Não foi possível carregar!", "Admin Tools": "Ferramentas de administração", - "No display name": "Nenhum nome e sobrenome", "%(roomName)s does not exist.": "%(roomName)s não existe.", "%(roomName)s is not accessible at this time.": "%(roomName)s não está acessível neste momento.", "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (nível de permissão %(powerLevelNumber)s)", @@ -146,15 +136,7 @@ "Replying": "Em resposta a", "Unnamed room": "Sala sem nome", "Banned by %(displayName)s": "Banido por %(displayName)s", - "Copied!": "Copiado!", - "Failed to copy": "Não foi possível copiar", "Delete Widget": "Apagar widget", - "Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "Remover um widget o remove para todas as pessoas desta sala. Tem certeza que quer remover este widget?", - "Delete widget": "Remover widget", - " and %(count)s others": { - "other": " e %(count)s outras", - "one": " e uma outra" - }, "collapse": "recolher", "expand": "expandir", "In reply to ": "Em resposta a ", @@ -163,13 +145,11 @@ }, "This room is not public. You will not be able to rejoin without an invite.": "Esta sala não é pública. Você não poderá voltar sem ser convidada/o.", "Sunday": "Domingo", - "Notification targets": "Aparelhos notificados", "Today": "Hoje", "Friday": "Sexta-feira", "Changelog": "Registro de alterações", "This Room": "Esta sala", "Unavailable": "Indisponível", - "Source URL": "Link do código-fonte", "Filter results": "Filtrar resultados", "Tuesday": "Terça-feira", "Search…": "Buscar…", @@ -181,13 +161,9 @@ "You cannot delete this message. (%(code)s)": "Você não pode apagar esta mensagem. (%(code)s)", "Thursday": "Quinta-feira", "Yesterday": "Ontem", - "Low Priority": "Baixa prioridade", "Wednesday": "Quarta-feira", "Thank you!": "Obrigado!", "Permission Required": "Permissão necessária", - "Please contact your homeserver administrator.": "Por favor, entre em contato com o administrador do seu homeserver.", - "Delete Backup": "Remover backup", - "Unable to load key backup status": "Não foi possível carregar o status do backup da chave", "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.", @@ -233,7 +209,6 @@ "Unable to load backup status": "Não foi possível carregar o status do backup", "Unable to restore backup": "Não foi possível restaurar o backup", "No backup found!": "Nenhum backup encontrado!", - "Popout widget": "Widget Popout", "Send Logs": "Enviar relatórios", "Failed to decrypt %(failedCount)s sessions!": "Falha ao descriptografar as sessões de %(failedCount)s!", "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.", @@ -320,23 +295,16 @@ "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", - "Are you sure? You will lose your encrypted messages if your keys are not backed up properly.": "Tem certeza? Você perderá suas mensagens criptografadas se não tiver feito o backup de suas chaves.", "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.", - "Restore from Backup": "Restaurar do backup", "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.", - "All keys backed up": "O backup de todas as chaves foi realizado", "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", - "Profile picture": "Foto de perfil", "Email addresses": "Endereços de e-mail", "Phone numbers": "Números de Telefone", "Account management": "Gerenciamento da Conta", - "General": "Geral", "Ignored users": "Usuários bloqueados", - "Bulk options": "Opções em massa", - "Accept all %(invitedRooms)s invites": "Aceite todos os convites de %(invitedRooms)s", "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", @@ -347,37 +315,13 @@ "%(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:", "Ask this user to verify their session, or manually verify it below.": "Peça a este usuário para confirmar a sessão dele, ou confirme-a manualmente abaixo.", "Not Trusted": "Não confiável", - "Later": "Mais tarde", "Your homeserver has exceeded its user limit.": "Seu servidor ultrapassou seu limite de usuárias(os).", "Your homeserver has exceeded one of its resource limits.": "Seu servidor local excedeu um de seus limites de recursos.", - "Contact your server admin.": "Entre em contato com sua(seu) administrador(a) do servidor.", "Ok": "Ok", - "Encryption upgrade available": "Atualização de criptografia disponível", - "Verify this session": "Confirmar esta sessão", - "Other users may not trust it": "Outras(os) usuárias(os) podem não confiar nela", - "New login. Was this you?": "Novo login. Foi você?", "IRC display name width": "Largura do nome e sobrenome nas mensagens", "Lock": "Cadeado", - "Accept to continue:": "Aceitar para continuar:", "Show more": "Mostrar mais", - "Your homeserver does not support cross-signing.": "Seu servidor não suporta a autoverificação.", - "Your account has a cross-signing identity in secret storage, but it is not yet trusted by this session.": "Sua conta tem uma identidade autoverificada em armazenamento secreto, mas ainda não é considerada confiável por esta sessão.", - "well formed": "bem formado", - "unexpected type": "tipo inesperado", - "Secret storage public key:": "Chave pública do armazenamento secreto:", - "in account data": "nos dados de conta", - "Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "Verifique individualmente cada sessão usada por um usuário para marcá-la como confiável, em vez de confirmar em aparelhos autoverificados.", - "Securely cache encrypted messages locally for them to appear in search results.": "Armazene mensagens criptografadas de forma segura localmente para que possam aparecer nos resultados das buscas.", - "%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with search components added.": "%(brand)s precisa de componentes adicionais para pesquisar as mensagens criptografadas armazenadas localmente. Se quiser testar esse recurso, construa uma versão do %(brand)s para Computador com componentes de busca ativados.", - "%(brand)s can't securely cache encrypted messages locally while running in a web browser. Use %(brand)s Desktop for encrypted messages to appear in search results.": "%(brand)s não consegue pesquisar as mensagens criptografadas armazenadas localmente em um navegador de internet. Use o %(brand)s para Computador para que as mensagens criptografadas sejam exibidas nos resultados de buscas.", - "Cannot connect to integration manager": "Não foi possível conectar ao gerenciador de integrações", - "The integration manager is offline or it cannot reach your homeserver.": "Ou o gerenciador de integrações está indisponível, ou ele não conseguiu acessar o seu servidor.", - "This session is not backing up your keys, but you do have an existing backup you can restore from and add to going forward.": "Esta sessão não está fazendo backup de suas chaves, mas você tem um backup existente que pode restaurar para continuar.", - "Connect this session to key backup before signing out to avoid losing any keys that may only be on this session.": "Autorize esta sessão a fazer o backup de chaves antes de se desconectar, para evitar perder chaves que possam estar apenas nesta sessão.", - "Connect this session to Key Backup": "Autorize esta sessão a fazer o backup de chaves", - "not stored": "não armazenado", "This backup is trusted because it has been restored on this session": "Este backup é confiável, pois foi restaurado nesta sessão", - "Your keys are not being backed up from this session.": "Suas chaves não estão sendo copiadas desta sessão.", "wait and try again later": "aguarde e tente novamente mais tarde", "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.", @@ -406,7 +350,6 @@ "Encryption not enabled": "Criptografia desativada", "The encryption used by this room isn't supported.": "A criptografia usada nesta sala não é suportada.", "%(name)s wants to verify": "%(name)s solicita confirmação", - "Widgets do not use message encryption.": "Widgets não usam criptografia de mensagens.", "Enter the name of a new server you want to explore.": "Digite o nome do novo servidor que você deseja explorar.", "Please tell us what went wrong or, better, create a GitHub issue that describes the problem.": "Por favor, diga-nos o que aconteceu de errado ou, ainda melhor, crie um bilhete de erro no GitHub que descreva o problema.", "Clearing all data from this session is permanent. Encrypted messages will be lost unless their keys have been backed up.": "Apagar todos os dados desta sessão é uma ação permanente. Mensagens criptografadas serão perdidas, a não ser que as chaves delas tenham sido copiadas para o backup.", @@ -425,7 +368,6 @@ "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", - "Create account": "Criar conta", "Confirm encryption setup": "Confirmar a configuração de criptografia", "Click the button below to confirm setting up encryption.": "Clique no botão abaixo para confirmar a configuração da criptografia.", "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.", @@ -439,8 +381,6 @@ "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.", - "Forget Room": "Esquecer Sala", - "Favourited": "Favoritado", "You cancelled verifying %(name)s": "Você cancelou a confirmação de %(name)s", "You accepted": "Você aceitou", "%(name)s accepted": "%(name)s aceitou", @@ -456,15 +396,6 @@ "Can't load this message": "Não foi possível carregar esta mensagem", "Submit logs": "Enviar relatórios", "Cancel search": "Cancelar busca", - "Any of the following data may be shared:": "Qualquer um dos seguintes dados pode ser compartilhado:", - "Your theme": "Seu tema", - "Room ID": "ID da sala", - "Widget ID": "ID do widget", - "Widget added by": "Widget adicionado por", - "This widget may use cookies.": "Este widget pode usar cookies.", - "More options": "Mais opções", - "Rotate Left": "Girar para a esquerda", - "Rotate Right": "Girar para a direita", "Language Dropdown": "Menu suspenso de idiomas", "Room address": "Endereço da sala", "e.g. my-room": "por exemplo: minha-sala", @@ -481,15 +412,11 @@ "Removing…": "Removendo…", "Clear all data in this session?": "Limpar todos os dados nesta sessão?", "Clear all data": "Limpar todos os dados", - "Hide advanced": "Esconder configurações avançadas", - "Show advanced": "Mostrar configurações avançadas", "Are you sure you want to deactivate your account? This is irreversible.": "Tem certeza de que deseja desativar sua conta? Isso é irreversível.", "Confirm account deactivation": "Confirmar desativação da conta", "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", - "Jump to first unread room.": "Ir para a primeira sala não lida.", - "Jump to first invite.": "Ir para o primeiro convite.", "Add room": "Adicionar sala", "Room options": "Opções da Sala", "This room is public": "Esta sala é pública", @@ -501,10 +428,6 @@ "New published address (e.g. #alias:server)": "Novo endereço publicado (por exemplo, #nome:server)", "Local Addresses": "Endereços locais", "%(name)s cancelled verifying": "%(name)s cancelou a confirmação", - "Your display name": "Seu nome e sobrenome", - "Your user ID": "Sua ID de usuário", - "%(brand)s URL": "Link do %(brand)s", - "Using this widget may share data with %(widgetDomain)s.": "Se você usar esse widget, os dados poderão ser compartilhados com %(widgetDomain)s.", "Power level": "Nível de permissão", "Looks good": "Muito bem", "Close dialog": "Fechar caixa de diálogo", @@ -513,7 +436,6 @@ "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)", - "Display Name": "Nome e sobrenome", "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?", @@ -566,11 +488,9 @@ "%(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", - "All settings": "Todas as configurações", "Clear personal data": "Limpar dados pessoais", "If you didn't remove the recovery method, an attacker may be trying to access your account. Change your account password and set a new recovery method immediately in Settings.": "Se você não excluiu a opção de recuperação, um invasor pode estar tentando acessar sua conta. Altere a senha da sua conta e defina imediatamente uma nova opção de recuperação nas Configurações.", "None": "Nenhuma", - "Message search": "Pesquisa de mensagens", "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", @@ -594,7 +514,6 @@ "Could not revoke the invite. The server may be experiencing a temporary problem or you do not have sufficient permissions to revoke the invite.": "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.", "Revoke invite": "Revogar o convite", "Invited by %(sender)s": "Convidado por %(sender)s", - "Mark all as read": "Marcar tudo como lido", "Error updating main address": "Erro ao atualizar o endereço principal", "There was an error updating the room's main address. It may not be allowed by the server or a temporary failure occurred.": "Ocorreu um erro ao atualizar o endereço principal da sala. Isso pode não ser permitido pelo servidor ou houve um problema temporário.", "There was an error updating the room's alternative addresses. It may not be allowed by the server or a temporary failure occurred.": "Ocorreu um erro ao atualizar o endereço alternativo da sala. Isso pode não ser permitido pelo servidor ou houve um problema temporário.", @@ -673,7 +592,6 @@ "Verification Request": "Solicitação de confirmação", "Remember my selection for this widget": "Lembrar minha escolha para este widget", "Wrong file type": "Tipo errado de arquivo", - "Remove for everyone": "Remover para todos", "This homeserver would like to make sure you are not a robot.": "Este servidor local quer se certificar de que você não é um robô.", "Sign in with SSO": "Faça login com SSO (Login Único)", "Couldn't load page": "Não foi possível carregar a página", @@ -682,8 +600,6 @@ "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!", - "Change notification settings": "Alterar configuração de notificações", - "Your server isn't responding to some requests.": "Seu servidor não está respondendo a algumas solicitações.", "Uploaded sound": "Som enviado", "Sounds": "Sons", "Notification sound": "Som de notificação", @@ -752,27 +668,14 @@ "Edit widgets, bridges & bots": "Editar widgets, integrações e bots", "Add widgets, bridges & bots": "Adicionar widgets, integrações e bots", "Room settings": "Configurações da sala", - "Take a picture": "Tirar uma foto", "Use the Desktop app to see all encrypted files": "Use o app para Computador para ver todos os arquivos criptografados", "Use the Desktop app to search encrypted messages": "Use o app para Computador para buscar mensagens criptografadas", "This version of %(brand)s does not support viewing some encrypted files": "Esta versão do %(brand)s não permite visualizar alguns arquivos criptografados", "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", - "Set up Secure Backup": "Configurar o backup online", - "Safeguard against losing access to encrypted messages & data": "Proteja-se contra a perda de acesso a mensagens e dados criptografados", "Backup version:": "Versão do backup:", - "Backup key stored:": "Backup da chave armazenada:", - "Backup key cached:": "Backup da chave em cache:", "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.", - "Cross-signing is ready for use.": "A autoverificação está pronta para uso.", - "Cross-signing is not set up.": "A autoverificação não está configurada.", - "Failed to save your profile": "Houve uma falha ao salvar o seu perfil", - "The operation could not be completed": "A operação não foi concluída", - "Algorithm:": "Algoritmo:", - "Secret storage:": "Armazenamento secreto:", - "ready": "pronto", - "not ready": "não está pronto", "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", @@ -807,15 +710,10 @@ "You can only pin up to %(count)s widgets": { "other": "Você pode fixar até %(count)s widgets" }, - "Move right": "Mover para a direita", - "Move left": "Mover para a esquerda", - "Revoke permissions": "Revogar permissões", "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", - "Don't miss a reply": "Não perca uma resposta", - "Enable desktop notifications": "Ativar notificações na área de trabalho", "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.", "Start a conversation with someone using their name, email address or username (like ).": "Comece uma conversa, a partir do nome, e-mail ou nome de usuário de alguém (por exemplo: ).", "Invite by email": "Convidar por e-mail", @@ -1068,10 +966,6 @@ "Vatican City": "Cidade do Vaticano", "Vanuatu": "Vanuatu", "Uzbekistan": "Uzbequistão", - "Securely cache encrypted messages locally for them to appear in search results, using %(size)s to store messages from %(rooms)s rooms.": { - "one": "Armazene mensagens criptografadas de forma segura localmente para que apareçam nos resultados das buscas. %(size)s é necessário para armazenar mensagens de %(rooms)s sala.", - "other": "Armazene mensagens criptografadas de forma segura localmente para que apareçam nos resultados das buscas. %(size)s é necessário para armazenar mensagens de %(rooms)s salas." - }, "Decline All": "Recusar tudo", "This widget would like to:": "Este widget gostaria de:", "Approve widget permissions": "Autorizar as permissões do widget", @@ -1104,14 +998,11 @@ "A call can only be transferred to a single user.": "Uma chamada só pode ser transferida para um único usuário.", "Set my room layout for everyone": "Definir a minha aparência da sala para todos", "Open dial pad": "Abrir o teclado de discagem", - "Back up your encryption keys with your account data in case you lose access to your sessions. Your keys will be secured with a unique Security Key.": "Faça backup de suas chaves de criptografia com os dados da sua conta, para se prevenir a perder o acesso às suas sessões. Suas chaves serão protegidas por uma Chave de Segurança exclusiva.", "Dial pad": "Teclado de discagem", "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", - "Use app": "Usar o aplicativo", - "Use app for a better experience": "Use o aplicativo para ter uma experiência melhor", "Suggested Rooms": "Salas sugeridas", "Add existing room": "Adicionar sala existente", "%(count)s members": { @@ -1120,24 +1011,14 @@ }, "Are you sure you want to leave the space '%(spaceName)s'?": "Tem certeza de que deseja sair desse espaço '%(spaceName)s'?", "This space is not public. You will not be able to rejoin without an invite.": "Este espaço não é público. Você não poderá entrar novamente sem um convite.", - "Save Changes": "Salvar alterações", "Leave space": "Sair do espaço", - "Leave Space": "Sair desse espaço", - "Edit settings relating to your space.": "Editar configurações relacionadas ao seu espaço.", - "Failed to save space settings.": "Falha ao salvar as configurações desse espaço.", "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", - "Spaces": "Espaços", "Invite to this space": "Convidar para este espaço", "Your message was sent": "A sua mensagem foi enviada", - "Space options": "Opções do espaço", - "Invite people": "Convidar pessoas", - "Share invite link": "Compartilhar link de convite", - "Click to copy": "Clique para copiar", "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.", - "Using this widget may share data with %(widgetDomain)s & your integration manager.": "Se você usar esse widget, os dados poderão ser compartilhados com %(widgetDomain)s & seu gerenciador de integrações.", "Integration managers receive configuration data, and can modify widgets, send room invites, and set power levels on your behalf.": "O gerenciador de integrações recebe dados de configuração e pode modificar widgets, enviar convites para salas e definir níveis de permissão em seu nome.", "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.", @@ -1150,47 +1031,10 @@ "Unable to access your microphone": "Não foi possível acessar seu microfone", "View message": "Ver mensagem", "Failed to send": "Falhou a enviar", - "Access": "Acesso", - "Space members": "Membros do espaço", - "Spaces with access": "Espaço com acesso", - "& %(count)s more": { - "other": "e %(count)s mais", - "one": "& %(count)s mais" - }, - "Upgrade required": "Atualização necessária", "You have no ignored users.": "Você não tem usuários ignorados.", "Space information": "Informações do espaço", - "Mentions & keywords": "Menções e palavras-chave", - "Global": "Global", - "New keyword": "Nova palavra-chave", - "Keyword": "Palavra-chave", - "Recommended for public spaces.": "Recomendado para espaços públicos.", - "Preview Space": "Previsualizar o Espaço", - "Visibility": "Visibilidade", - "This may be useful for public spaces.": "Isso pode ser útil para espaços públicos.", - "Enable guest access": "Habilitar acesso a convidados", - "Invite with email or username": "Convidar com email ou nome de usuário", - "Show all rooms": "Mostrar todas as salas", - "You can change these anytime.": "Você pode mudá-los a qualquer instante.", "Address": "Endereço", - "Connecting": "Conectando", - "unknown person": "pessoa desconhecida", - "%(deviceId)s from %(ip)s": "%(deviceId)s de %(ip)s", - "Review to ensure your account is safe": "Revise para assegurar que sua conta está segura", - "There was an error loading your notification settings.": "Um erro ocorreu ao carregar suas configurações de notificação.", - "Anyone in a space can find and join. You can select multiple spaces.": "Qualquer um em um espaço pode encontrar e se juntar. Você pode selecionar múltiplos espaços.", - "Message search initialisation failed": "Falha na inicialização da pesquisa de mensagens", - "Allow people to preview your space before they join.": "Permite que pessoas vejam seu espaço antes de entrarem.", - "Failed to update the visibility of this space": "Falha ao atualizar a visibilidade deste espaço", - "Decide who can view and join %(spaceName)s.": "Decide quem pode ver e se juntar a %(spaceName)s.", - "Guests can join a space without having an account.": "Convidados podem se juntar a um espaço sem ter uma conta.", - "Failed to update the history visibility of this space": "Falha ao atualizar a visibilidade do histórico deste espaço", - "Failed to update the guest access of this space": "Falha ao atualizar o acesso de convidados a este espaço", "To join a space you'll need an invite.": "Para se juntar a um espaço você precisará de um convite.", - "Delete avatar": "Remover foto de perfil", - "More": "Mais", - "Show sidebar": "Exibir a barra lateral", - "Hide sidebar": "Esconder a barra lateral", "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", "Sent": "Enviado", @@ -1224,9 +1068,6 @@ "one": "Ver 1 membro", "other": "Ver todos os %(count)s membros" }, - "Share content": "Compatilhe conteúdo", - "Application window": "Janela da aplicação", - "Share entire screen": "Compartilhe a tela inteira", "Message search initialisation failed, check your settings for more information": "Falha na inicialização da pesquisa por mensagem, confire suas configurações para mais informações", "Add reaction": "Adicionar reação", "Error processing voice message": "Erro ao processar a mensagem de voz", @@ -1272,24 +1113,11 @@ "Moderation": "Moderação", "Developer": "Desenvolvedor", "Messaging": "Mensagens", - "Cross-signing is ready but keys are not backed up.": "A verificação está pronta mas as chaves não tem um backup configurado.", - "Search %(spaceName)s": "Pesquisar %(spaceName)s", - "Pin to sidebar": "Fixar na barra lateral", - "Quick settings": "Configurações rápidas", - "Error - Mixed content": "Erro - Conteúdo misto", - "Error loading Widget": "Erro ao carregar o Widget", "Show %(count)s other previews": { "one": "Exibir a %(count)s outra prévia", "other": "Exibir as %(count)s outras prévias" }, "Failed to update the join rules": "Falha ao atualizar as regras de entrada", - "This upgrade will allow members of selected spaces access to this room without an invite.": "Esta melhoria permite que membros de espaços selecionados acessem esta sala sem um convite.", - "Anyone in can find and join. You can select other spaces too.": "Qualquer um em pode encontrar e se juntar. Você pode selecionar outros espaços também.", - "Anyone in a space can find and join. Edit which spaces can access here.": "Qualquer um em um espaço pode encontrar e se juntar. Edite quais espaços podem ser acessados aqui.", - "Currently, %(count)s spaces have access": { - "one": "Atualmente, um espaço tem acesso", - "other": "Atualmente, %(count)s espaços tem acesso" - }, "Including you, %(commaSeparatedMembers)s": "Incluindo você, %(commaSeparatedMembers)s", "%(count)s votes": { "one": "%(count)s voto", @@ -1341,7 +1169,6 @@ "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.", - "Share location": "Compartilhar localização", "Reply in thread": "Responder no tópico", "%(count)s reply": { "one": "%(count)s resposta", @@ -1353,23 +1180,6 @@ "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. ", - "Rooms outside of a space": "Salas fora de um espaço", - "Show all your rooms in Home, even if they're in a space.": "Mostre todas as suas salas no Início, mesmo que elas estejam em um espaço.", - "Home is useful for getting an overview of everything.": "A página inicial é útil para obter uma visão geral de tudo.", - "Spaces to show": "Espaços para mostrar", - "Sidebar": "Barra lateral", - "Share anonymous data to help us identify issues. Nothing personal. No third parties.": "Compartilhe dados anônimos para nos ajudar a identificar problemas. Nada pessoal. Sem terceiros.", - "Updating spaces... (%(progress)s out of %(count)s)": { - "one": "Atualizando espaço...", - "other": "Atualizando espaços... (%(progress)s de %(count)s)" - }, - "Sending invites... (%(progress)s out of %(count)s)": { - "one": "Enviando convite...", - "other": "Enviando convites... (%(progress)s de %(count)s)" - }, - "Loading new room": "Carregando nova sala", - "Upgrading room": "Atualizando sala", - "This room is in some spaces you're not an admin of. In those spaces, the old room will still be shown, but people will be prompted to join the new one.": "Esta sala está em alguns espaços dos quais você não é administrador. Nesses espaços, a sala antiga ainda será exibida, mas as pessoas serão solicitadas a ingressar na nova.", "%(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", @@ -1377,7 +1187,6 @@ "Jump to date": "Ir para Data", "Unable to copy a link to the room to the clipboard.": "Não foi possível copiar um link da sala para a área de transferência.", "Unable to copy room link": "Não foi possível copiar o link da sala", - "Copy room link": "Copiar link da sala", "Public rooms": "Salas públicas", "Add new server…": "Adicionar um novo servidor…", "%(count)s participants": { @@ -1395,21 +1204,7 @@ "one": "Visto por %(count)s pessoa", "other": "Visto por %(count)s pessoas" }, - "Sessions": "Sessões", - "You were disconnected from the call. (Error: %(message)s)": "Você foi desconectado da chamada. (Erro: %(message)s)", "Remove messages sent by me": "", - "%(count)s people joined": { - "one": "%(count)s pessoa entrou", - "other": "%(count)s pessoas entraram" - }, - "Room members": "Membros da sala", - "Back to chat": "Voltar ao chat", - "Connection lost": "Conexão perdida", - "Failed to join": "Falha ao entrar", - "The person who invited you has already left, or their server is offline.": "A pessoa que o convidou já saiu ou o servidor dela está offline.", - "The person who invited you has already left.": "A pessoa que o convidou já saiu.", - "There was an error joining.": "Ocorreu um erro ao entrar.", - "Unknown room": "Sala desconhecida", "Text": "Texto", "Edit link": "Editar ligação", "Copy link to thread": "Copiar ligação para o tópico", @@ -1503,7 +1298,14 @@ "off": "Desativado", "all_rooms": "Todas as salas", "deselect_all": "Desmarcar todos", - "select_all": "Selecionar tudo" + "select_all": "Selecionar tudo", + "copied": "Copiado!", + "advanced": "Avançado", + "spaces": "Espaços", + "general": "Geral", + "profile": "Perfil", + "display_name": "Nome e sobrenome", + "user_avatar": "Foto de perfil" }, "action": { "continue": "Continuar", @@ -1593,7 +1395,10 @@ "send_report": "Enviar relatório", "exit_fullscreeen": "Sair da tela cheia", "enter_fullscreen": "Entrar em tela cheia", - "unban": "Remover banimento" + "unban": "Remover banimento", + "click_to_copy": "Clique para copiar", + "hide_advanced": "Esconder configurações avançadas", + "show_advanced": "Mostrar configurações avançadas" }, "a11y": { "user_menu": "Menu do usuário", @@ -1605,7 +1410,8 @@ "other": "%(count)s mensagens não lidas.", "one": "1 mensagem não lida." }, - "unread_messages": "Mensagens não lidas." + "unread_messages": "Mensagens não lidas.", + "jump_first_invite": "Ir para o primeiro convite." }, "labs": { "video_rooms": "Salas de vídeo", @@ -1706,7 +1512,6 @@ "user_a11y": "Preenchimento automático de usuário" } }, - "Bold": "Negrito", "Link": "Ligação", "Code": "Código", "power_level": { @@ -1776,7 +1581,8 @@ "intro_welcome": "Boas-vindas ao %(appName)s", "send_dm": "Enviar uma mensagem", "explore_rooms": "Explorar salas públicas", - "create_room": "Criar um chat de grupo" + "create_room": "Criar um chat de grupo", + "create_account": "Criar conta" }, "settings": { "show_breadcrumbs": "Mostrar atalhos para salas recentemente visualizadas acima da lista de salas", @@ -1832,7 +1638,9 @@ "noisy": "Ativado com som", "error_permissions_denied": "%(brand)s não tem permissão para lhe enviar notificações - confirme as configurações do seu navegador", "error_permissions_missing": "%(brand)s não tem permissão para lhe enviar notificações - tente novamente", - "error_title": "Não foi possível ativar as notificações" + "error_title": "Não foi possível ativar as notificações", + "push_targets": "Aparelhos notificados", + "error_loading": "Um erro ocorreu ao carregar suas configurações de notificação." }, "appearance": { "layout_irc": "IRC (experimental)", @@ -1897,7 +1705,42 @@ "cryptography_section": "Criptografia", "session_id": "ID da sessão:", "session_key": "Chave da sessão:", - "encryption_section": "Criptografia" + "encryption_section": "Criptografia", + "bulk_options_section": "Opções em massa", + "bulk_options_accept_all_invites": "Aceite todos os convites de %(invitedRooms)s", + "bulk_options_reject_all_invites": "Recusar todos os %(invitedRooms)s convites", + "message_search_section": "Pesquisa de mensagens", + "analytics_subsection_description": "Compartilhe dados anônimos para nos ajudar a identificar problemas. Nada pessoal. Sem terceiros.", + "encryption_individual_verification_mode": "Verifique individualmente cada sessão usada por um usuário para marcá-la como confiável, em vez de confirmar em aparelhos autoverificados.", + "message_search_enabled": { + "one": "Armazene mensagens criptografadas de forma segura localmente para que apareçam nos resultados das buscas. %(size)s é necessário para armazenar mensagens de %(rooms)s sala.", + "other": "Armazene mensagens criptografadas de forma segura localmente para que apareçam nos resultados das buscas. %(size)s é necessário para armazenar mensagens de %(rooms)s salas." + }, + "message_search_disabled": "Armazene mensagens criptografadas de forma segura localmente para que possam aparecer nos resultados das buscas.", + "message_search_unsupported": "%(brand)s precisa de componentes adicionais para pesquisar as mensagens criptografadas armazenadas localmente. Se quiser testar esse recurso, construa uma versão do %(brand)s para Computador com componentes de busca ativados.", + "message_search_unsupported_web": "%(brand)s não consegue pesquisar as mensagens criptografadas armazenadas localmente em um navegador de internet. Use o %(brand)s para Computador para que as mensagens criptografadas sejam exibidas nos resultados de buscas.", + "message_search_failed": "Falha na inicialização da pesquisa de mensagens", + "backup_key_well_formed": "bem formado", + "backup_key_unexpected_type": "tipo inesperado", + "backup_keys_description": "Faça backup de suas chaves de criptografia com os dados da sua conta, para se prevenir a perder o acesso às suas sessões. Suas chaves serão protegidas por uma Chave de Segurança exclusiva.", + "backup_key_stored_status": "Backup da chave armazenada:", + "cross_signing_not_stored": "não armazenado", + "backup_key_cached_status": "Backup da chave em cache:", + "4s_public_key_status": "Chave pública do armazenamento secreto:", + "4s_public_key_in_account_data": "nos dados de conta", + "secret_storage_status": "Armazenamento secreto:", + "secret_storage_ready": "pronto", + "secret_storage_not_ready": "não está pronto", + "delete_backup": "Remover backup", + "delete_backup_confirm_description": "Tem certeza? Você perderá suas mensagens criptografadas se não tiver feito o backup de suas chaves.", + "error_loading_key_backup_status": "Não foi possível carregar o status do backup da chave", + "restore_key_backup": "Restaurar do backup", + "key_backup_inactive": "Esta sessão não está fazendo backup de suas chaves, mas você tem um backup existente que pode restaurar para continuar.", + "key_backup_connect_prompt": "Autorize esta sessão a fazer o backup de chaves antes de se desconectar, para evitar perder chaves que possam estar apenas nesta sessão.", + "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." }, "preferences": { "room_list_heading": "Lista de salas", @@ -1957,7 +1800,8 @@ "one": "Desconectar dispositivo", "other": "Desconectar dispositivos" }, - "security_recommendations": "Recomendações de segurança" + "security_recommendations": "Recomendações de segurança", + "title": "Sessões" }, "general": { "account_section": "Conta", @@ -1971,7 +1815,18 @@ "add_msisdn_confirm_sso_button": "Confirme a adição deste número de telefone usando o Login Único para provar sua identidade.", "add_msisdn_confirm_button": "Confirmar adição de número de telefone", "add_msisdn_confirm_body": "Clique no botão abaixo para confirmar a adição deste número de telefone.", - "add_msisdn_dialog_title": "Adicionar número de telefone" + "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" + }, + "sidebar": { + "title": "Barra lateral", + "metaspaces_subsection": "Espaços para mostrar", + "metaspaces_home_description": "A página inicial é útil para obter uma visão geral de tudo.", + "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" } }, "devtools": { @@ -2329,7 +2184,10 @@ "user": "%(senderName)s encerrou uma transmissão de voz" }, "creation_summary_dm": "%(creator)s criou esta conversa.", - "creation_summary_room": "%(creator)s criou e configurou esta sala." + "creation_summary_room": "%(creator)s criou e configurou esta sala.", + "context_menu": { + "external_url": "Link do código-fonte" + } }, "slash_command": { "spoiler": "Envia esta mensagem como spoiler", @@ -2514,10 +2372,23 @@ "failed_call_live_broadcast_title": "Não é possível iniciar uma chamada", "failed_call_live_broadcast_description": "Você não pode iniciar uma chamada porque está gravando uma transmissão ao vivo. Termine sua transmissão ao vivo para iniciar uma chamada.", "no_media_perms_title": "Não tem permissões para acessar a mídia", - "no_media_perms_description": "Pode ser necessário permitir manualmente ao %(brand)s acessar seu microfone ou sua câmera" + "no_media_perms_description": "Pode ser necessário permitir manualmente ao %(brand)s acessar seu microfone ou sua câmera", + "call_toast_unknown_room": "Sala desconhecida", + "join_button_tooltip_connecting": "Conectando", + "hide_sidebar_button": "Esconder a barra lateral", + "show_sidebar_button": "Exibir a barra lateral", + "more_button": "Mais", + "screenshare_monitor": "Compartilhe a tela inteira", + "screenshare_window": "Janela da aplicação", + "screenshare_title": "Compatilhe conteúdo", + "n_people_joined": { + "one": "%(count)s pessoa entrou", + "other": "%(count)s pessoas entraram" + }, + "unknown_person": "pessoa desconhecida", + "connecting": "Conectando" }, "Other": "Outros", - "Advanced": "Avançado", "room_settings": { "permissions": { "m.room.avatar_space": "Alterar avatar do espaço", @@ -2577,7 +2448,33 @@ "history_visibility_shared": "Apenas participantes (a partir do momento em que esta opção for selecionada)", "history_visibility_invited": "Apenas participantes (desde que foram convidadas/os)", "history_visibility_joined": "Apenas participantes (desde que entraram na sala)", - "history_visibility_world_readable": "Qualquer pessoa" + "history_visibility_world_readable": "Qualquer pessoa", + "join_rule_upgrade_required": "Atualização necessária", + "join_rule_restricted_n_more": { + "other": "e %(count)s mais", + "one": "& %(count)s mais" + }, + "join_rule_restricted_summary": { + "one": "Atualmente, um espaço tem acesso", + "other": "Atualmente, %(count)s espaços tem acesso" + }, + "join_rule_restricted_description": "Qualquer um em um espaço pode encontrar e se juntar. Edite quais espaços podem ser acessados aqui.", + "join_rule_restricted_description_spaces": "Espaço com acesso", + "join_rule_restricted_description_active_space": "Qualquer um em pode encontrar e se juntar. Você pode selecionar outros espaços também.", + "join_rule_restricted_description_prompt": "Qualquer um em um espaço pode encontrar e se juntar. Você pode selecionar múltiplos espaços.", + "join_rule_restricted": "Membros do espaço", + "join_rule_restricted_upgrade_warning": "Esta sala está em alguns espaços dos quais você não é administrador. Nesses espaços, a sala antiga ainda será exibida, mas as pessoas serão solicitadas a ingressar na nova.", + "join_rule_restricted_upgrade_description": "Esta melhoria permite que membros de espaços selecionados acessem esta sala sem um convite.", + "join_rule_upgrade_upgrading_room": "Atualizando sala", + "join_rule_upgrade_awaiting_room": "Carregando nova sala", + "join_rule_upgrade_sending_invites": { + "one": "Enviando convite...", + "other": "Enviando convites... (%(progress)s de %(count)s)" + }, + "join_rule_upgrade_updating_spaces": { + "one": "Atualizando espaço...", + "other": "Atualizando espaços... (%(progress)s de %(count)s)" + } }, "general": { "publish_toggle": "Quer publicar esta sala na lista pública de salas da %(domain)s?", @@ -2587,7 +2484,11 @@ "default_url_previews_off": "Pré-visualizações de links estão desativadas por padrão para participantes desta sala.", "url_preview_encryption_warning": "Em salas criptografadas, como esta, as pré-visualizações de links estão desativadas por padrão para garantir que o seu servidor local (onde as visualizações são geradas) não possa coletar informações sobre os links que você vê nesta sala.", "url_preview_explainer": "Quando alguém inclui um link em uma mensagem, a pré-visualização do link pode ser exibida para fornecer mais informações sobre esse link, como o título, a descrição e uma imagem do site.", - "url_previews_section": "Pré-visualização de links" + "url_previews_section": "Pré-visualização de links", + "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" }, "advanced": { "unfederated": "Esta sala não é acessível para servidores Matrix remotos", @@ -2595,6 +2496,24 @@ "room_predecessor": "Ler mensagens antigas em %(roomName)s.", "room_version_section": "Versão da sala", "room_version": "Versão da sala:" + }, + "delete_avatar_label": "Remover foto de perfil", + "upload_avatar_label": "Enviar uma foto de perfil", + "visibility": { + "error_update_guest_access": "Falha ao atualizar o acesso de convidados a este espaço", + "error_update_history_visibility": "Falha ao atualizar a visibilidade do histórico deste espaço", + "guest_access_explainer": "Convidados podem se juntar a um espaço sem ter uma conta.", + "guest_access_explainer_public_space": "Isso pode ser útil para espaços públicos.", + "title": "Visibilidade", + "error_failed_save": "Falha ao atualizar a visibilidade deste espaço", + "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" + }, + "access": { + "title": "Acesso", + "description_space": "Decide quem pode ver e se juntar a %(spaceName)s." } }, "encryption": { @@ -2615,7 +2534,11 @@ "sas_caption_user": "Confirme este usuário, comparando os números a seguir que serão exibidos na sua e na tela dele.", "unsupported_method": "Nenhuma opção de confirmação é suportada.", "waiting_other_user": "Aguardando %(displayName)s confirmar…", - "cancelling": "Cancelando…" + "cancelling": "Cancelando…", + "unverified_sessions_toast_description": "Revise para assegurar que sua conta está segura", + "unverified_sessions_toast_reject": "Mais tarde", + "unverified_session_toast_title": "Novo login. Foi você?", + "request_toast_detail": "%(deviceId)s de %(ip)s" }, "old_version_detected_title": "Dados de criptografia antigos foram detectados", "old_version_detected_description": "Detectamos uma versão mais antiga do %(brand)s. Isso fará com que a criptografia de ponta a ponta não funcione corretamente. As mensagens criptografadas de ponta a ponta trocadas recentemente, enquanto você usava a versão mais antiga, talvez não sejam descriptografáveis na nova versão. Isso também poderá fazer com que as mensagens trocadas nesta sessão falhem na mais atual. Se você tiver problemas, desconecte-se e entre novamente. Para manter o histórico de mensagens, exporte e reimporte suas chaves.", @@ -2624,7 +2547,18 @@ "bootstrap_title": "Configurar chaves", "export_unsupported": "O seu navegador não suporta as extensões de criptografia necessárias", "import_invalid_keyfile": "Não é um arquivo de chave válido do %(brand)s", - "import_invalid_passphrase": "Falha ao checar a autenticação: senha incorreta?" + "import_invalid_passphrase": "Falha ao checar a autenticação: senha incorreta?", + "set_up_toast_title": "Configurar o backup online", + "upgrade_toast_title": "Atualização de criptografia disponível", + "verify_toast_title": "Confirmar esta sessão", + "set_up_toast_description": "Proteja-se contra a perda de acesso a mensagens e dados criptografados", + "verify_toast_description": "Outras(os) usuárias(os) podem não confiar nela", + "cross_signing_unsupported": "Seu servidor não suporta a autoverificação.", + "cross_signing_ready": "A autoverificação está pronta para uso.", + "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": "" }, "emoji": { "category_frequently_used": "Mais usados", @@ -2643,7 +2577,8 @@ "enable_prompt": "Ajude a melhorar %(analyticsOwner)s", "consent_migration": "Você consentiu anteriormente em compartilhar dados de uso anônimos conosco. Estamos atualizando como isso funciona.", "learn_more": "Compartilhe dados anônimos para nos ajudar a identificar problemas. Nada pessoal. Sem terceiros. Saiba mais", - "accept_button": "Isso é bom" + "accept_button": "Isso é bom", + "shared_data_heading": "Qualquer um dos seguintes dados pode ser compartilhado:" }, "chat_effects": { "confetti_description": "Envia a mensagem com confetes", @@ -2762,7 +2697,8 @@ "no_hs_url_provided": "Nenhum endereço fornecido do servidor local", "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." + "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" }, "room_list": { "sort_unread_first": "Mostrar salas não lidas em primeiro", @@ -2867,7 +2803,32 @@ "error_need_to_be_logged_in": "Você precisa estar logado.", "error_need_invite_permission": "Para fazer isso, precisa ter permissão para convidar outras pessoas.", "error_need_kick_permission": "Você precisa ter permissão de expulsar usuários para fazer isso.", - "no_name": "App desconhecido" + "no_name": "App desconhecido", + "error_hangup_title": "Conexão perdida", + "error_hangup_description": "Você foi desconectado da chamada. (Erro: %(message)s)", + "context_menu": { + "screenshot": "Tirar uma foto", + "delete": "Remover widget", + "delete_warning": "Remover um widget o remove para todas as pessoas desta sala. Tem certeza que quer remover este widget?", + "remove": "Remover para todos", + "revoke": "Revogar permissões", + "move_left": "Mover para a esquerda", + "move_right": "Mover para a direita" + }, + "shared_data_name": "Seu nome e sobrenome", + "shared_data_mxid": "Sua ID de usuário", + "shared_data_theme": "Seu tema", + "shared_data_url": "Link do %(brand)s", + "shared_data_room_id": "ID da sala", + "shared_data_widget_id": "ID do widget", + "shared_data_warning_im": "Se você usar esse widget, os dados poderão ser compartilhados com %(widgetDomain)s & seu gerenciador de integrações.", + "shared_data_warning": "Se você usar esse widget, os dados poderão ser compartilhados com %(widgetDomain)s.", + "unencrypted_warning": "Widgets não usam criptografia de mensagens.", + "added_by": "Widget adicionado por", + "cookie_warning": "Este widget pode usar cookies.", + "error_loading": "Erro ao carregar o Widget", + "error_mixed_content": "Erro - Conteúdo misto", + "popout": "Widget Popout" }, "feedback": { "sent": "Comentário enviado", @@ -2943,13 +2904,19 @@ "space": { "landing_welcome": "Boas-vindas ao ", "context_menu": { - "explore": "Explorar salas" + "explore": "Explorar salas", + "options": "Opções do espaço" }, - "share_public": "Compartilhar o seu espaço público" + "share_public": "Compartilhar o seu espaço público", + "search_children": "Pesquisar %(spaceName)s", + "invite_link": "Compartilhar link de convite", + "invite": "Convidar pessoas", + "invite_description": "Convidar com email ou nome de usuário" }, "location_sharing": { "find_my_location": "Encontrar minha localização", - "location_not_available": "Local não disponível" + "location_not_available": "Local não disponível", + "share_button": "Compartilhar localização" }, "labs_mjolnir": { "room_name": "Minha lista de banidos", @@ -2984,7 +2951,6 @@ }, "create_space": { "name_required": "Por favor entre o nome do espaço", - "name_placeholder": "e.g. meu-espaco", "public_description": "Abra espaços para todos, especialmente para comunidades", "private_description": "Somente convite, melhor para si mesmo(a) ou para equipes", "public_heading": "O seu espaço público", @@ -2992,11 +2958,16 @@ "add_details_prompt": "Adicione alguns detalhes para ajudar as pessoas a reconhecê-lo.", "failed_create_initial_rooms": "Falha ao criar salas de espaço iniciais", "skip_action": "Ignorar por enquanto", - "invite_teammates_by_username": "Convidar por nome de usuário" + "invite_teammates_by_username": "Convidar por nome de usuário", + "address_placeholder": "e.g. meu-espaco", + "address_label": "Endereço", + "label": "Criar um espaço", + "add_details_prompt_2": "Você pode mudá-los a qualquer instante." }, "user_menu": { "switch_theme_light": "Alternar para o modo claro", - "switch_theme_dark": "Alternar para o modo escuro" + "switch_theme_dark": "Alternar para o modo escuro", + "settings": "Todas as configurações" }, "notif_panel": { "empty_description": "Não há notificações." @@ -3027,7 +2998,19 @@ "leave_error_title": "Erro ao sair da sala", "upgrade_error_title": "Erro atualizando a sala", "upgrade_error_description": "Verifique se seu servidor suporta a versão de sala escolhida e tente novamente.", - "leave_server_notices_description": "Esta sala é usada para mensagens importantes do Homeserver, então você não pode sair dela." + "leave_server_notices_description": "Esta sala é usada para mensagens importantes do Homeserver, então você não pode sair dela.", + "error_join_connection": "Ocorreu um erro ao entrar.", + "error_join_incompatible_version_2": "Por favor, entre em contato com o administrador do seu homeserver.", + "error_join_404_invite_same_hs": "A pessoa que o convidou já saiu.", + "error_join_404_invite": "A pessoa que o convidou já saiu ou o servidor dela está offline.", + "error_join_title": "Falha ao entrar", + "context_menu": { + "unfavourite": "Favoritado", + "favourite": "Favoritar", + "copy_link": "Copiar link da sala", + "low_priority": "Baixa prioridade", + "forget": "Esquecer Sala" + } }, "file_panel": { "guest_note": "Você deve se registrar para usar este recurso", @@ -3047,7 +3030,8 @@ "tac_button": "Revise os termos e condições", "identity_server_no_terms_title": "O servidor de identidade não tem termos de serviço", "identity_server_no_terms_description_1": "Esta ação requer acesso ao servidor de identidade padrão para poder validar um endereço de e-mail ou número de telefone, mas este servidor não tem nenhum termo de uso.", - "identity_server_no_terms_description_2": "Continue apenas se você confia em quem possui este servidor." + "identity_server_no_terms_description_2": "Continue apenas se você confia em quem possui este servidor.", + "inline_intro_text": "Aceitar para continuar:" }, "poll": { "create_poll_title": "Criar enquete" @@ -3115,7 +3099,13 @@ "admin_contact": "Por favor, entre em contato com o seu administrador de serviços para continuar usando este serviço.", "connection": "Ocorreu um problema de comunicação com o servidor local. Tente novamente mais tarde.", "mixed_content": "Uma conexão com o servidor local via HTTP não pode ser estabelecida se a barra de endereços do navegador contiver um endereço HTTPS. Use HTTPS ou, em vez disso, permita ao navegador executar scripts não seguros.", - "tls": "Não foi possível conectar ao Servidor de Base. Por favor, confira sua conectividade à internet, garanta que o certificado SSL do Servidor de Base é confiável, e que uma extensão do navegador não esteja bloqueando as requisições de rede." + "tls": "Não foi possível conectar ao Servidor de Base. Por favor, confira sua conectividade à internet, garanta que o certificado SSL do Servidor de Base é confiável, e que uma extensão do navegador não esteja bloqueando as requisições de rede.", + "admin_contact_short": "Entre em contato com sua(seu) administrador(a) do servidor.", + "non_urgent_echo_failure_toast": "Seu servidor não está respondendo a algumas solicitações.", + "failed_copy": "Não foi possível copiar", + "something_went_wrong": "Não foi possível carregar!", + "update_power_level": "Não foi possível alterar o nível de permissão", + "unknown": "Erro desconhecido" }, "in_space1_and_space2": "Nos espaços %(space1Name)s e %(space2Name)s.", "in_space_and_n_other_spaces": { @@ -3123,5 +3113,45 @@ "other": "Em %(spaceName)s e %(count)s outros espaços." }, "in_space": "No espaço %(spaceName)s.", - "name_and_id": "%(name)s (%(userId)s)" + "name_and_id": "%(name)s (%(userId)s)", + "items_and_n_others": { + "other": " e %(count)s outras", + "one": " e uma outra" + }, + "notifications": { + "enable_prompt_toast_title_from_message_send": "Não perca uma resposta", + "enable_prompt_toast_title": "Notificações", + "enable_prompt_toast_description": "Ativar notificações na área de trabalho", + "colour_none": "Nenhuma", + "colour_bold": "Negrito", + "error_change_title": "Alterar configuração de notificações", + "mark_all_read": "Marcar tudo como lido", + "keyword": "Palavra-chave", + "keyword_new": "Nova palavra-chave", + "class_global": "Global", + "class_other": "Outros", + "mentions_keywords": "Menções e palavras-chave" + }, + "mobile_guide": { + "toast_title": "Use o aplicativo para ter uma experiência melhor", + "toast_accept": "Usar o aplicativo" + }, + "chat_card_back_action_label": "Voltar ao chat", + "room_summary_card_back_action_label": "Informação da sala", + "member_list_back_action_label": "Membros da sala", + "quick_settings": { + "title": "Configurações rápidas", + "all_settings": "Todas as configurações", + "metaspace_section": "Fixar na barra lateral", + "sidebar_settings": "Mais opções" + }, + "lightbox": { + "rotate_left": "Girar para a esquerda", + "rotate_right": "Girar para a direita" + }, + "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." + } } diff --git a/src/i18n/strings/ru.json b/src/i18n/strings/ru.json index 60a0b71371..51ad3a97f8 100644 --- a/src/i18n/strings/ru.json +++ b/src/i18n/strings/ru.json @@ -6,7 +6,6 @@ "Failed to change password. Is your password correct?": "Не удалось сменить пароль. Вы правильно ввели текущий пароль?", "Failed to reject invitation": "Не удалось отклонить приглашение", "Failed to unban": "Не удалось разблокировать", - "Favourite": "Избранное", "Filter room members": "Поиск по участникам", "Forget room": "Забыть комнату", "Historical": "Архив", @@ -14,14 +13,11 @@ "Low priority": "Маловажные", "Moderator": "Модератор", "New passwords must match each other.": "Новые пароли должны совпадать.", - "Notifications": "Уведомления", - "": "<не поддерживается>", "Return to login screen": "Вернуться к экрану входа", "Unable to add email address": "Не удается добавить email", "Unable to remove contact information": "Не удалось удалить контактную информацию", "Unable to verify email address.": "Не удалось проверить email.", "unknown error code": "неизвестный код ошибки", - "Upload avatar": "Загрузить аватар", "Verification Pending": "В ожидании подтверждения", "Warning!": "Внимание!", "You do not have permission to post to this room": "Вы не можете писать в эту комнату", @@ -56,7 +52,6 @@ "Decrypt %(text)s": "Расшифровать %(text)s", "Download %(text)s": "Скачать %(text)s", "Failed to ban user": "Не удалось заблокировать пользователя", - "Failed to change power level": "Не удалось изменить уровень прав", "Failed to forget room %(errCode)s": "Не удалось забыть комнату: %(errCode)s", "Authentication": "Аутентификация", "%(items)s and %(lastItem)s": "%(items)s и %(lastItem)s", @@ -70,7 +65,6 @@ "not specified": "не задан", "No more results": "Больше никаких результатов", "Please check your email and click on the link it contains. Once this is done, click continue.": "Проверьте свою электронную почту и нажмите на ссылку в письме. После этого нажмите кнопку Продолжить.", - "Profile": "Профиль", "Reason": "Причина", "Reject invitation": "Отклонить приглашение", "Rooms": "Комнаты", @@ -104,9 +98,7 @@ "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.": "Файл экспорта будет защищен кодовой фразой. Для расшифровки файла необходимо будет её ввести.", - "Reject all %(invitedRooms)s invites": "Отклонить все %(invitedRooms)s приглашения", "Confirm Removal": "Подтвердите удаление", - "Unknown error": "Неизвестная ошибка", "Unable to restore session": "Восстановление сеанса не удалось", "If you have previously used a more recent version of %(brand)s, your session may be incompatible with this version. Close this window and return to the more recent version.": "Если вы использовали более новую версию %(brand)s, то ваш сеанс может быть несовместим с ней. Закройте это окно и вернитесь к более новой версии.", "Error decrypting image": "Ошибка расшифровки изображения", @@ -119,10 +111,8 @@ "one": "Отправка %(filename)s и %(count)s другой", "other": "Отправка %(filename)s и %(count)s других" }, - "Something went wrong!": "Что-то пошло не так!", "Home": "Главная", "Admin Tools": "Инструменты администратора", - "No display name": "Нет отображаемого имени", "(~%(count)s results)": { "other": "(~%(count)s результатов)", "one": "(~%(count)s результат)" @@ -131,11 +121,8 @@ "%(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.": "Это позволит при необходимости сбросить пароль и получать уведомления.", - "Delete widget": "Удалить виджет", "AM": "ДП", "PM": "ПП", - "Copied!": "Скопировано!", - "Failed to copy": "Не удалось скопировать", "Unignore": "Перестать игнорировать", "Banned by %(displayName)s": "Заблокирован(а) %(displayName)s", "Jump to read receipt": "Перейти к последнему прочтённому", @@ -144,11 +131,6 @@ "other": "Еще %(count)s…" }, "Delete Widget": "Удалить виджет", - "Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "Удаление виджета действует для всех участников этой комнаты. Вы действительно хотите удалить этот виджет?", - " and %(count)s others": { - "other": " и ещё %(count)s участника(-ов)", - "one": " и ещё кто-то" - }, "Restricted": "Ограниченный пользователь", "%(duration)ss": "%(duration)s сек", "%(duration)sm": "%(duration)s мин", @@ -163,14 +145,12 @@ "This room is not public. You will not be able to rejoin without an invite.": "Эта комната не является публичной. Вы не сможете войти без приглашения.", "In reply to ": "В ответ на ", "Sunday": "Воскресенье", - "Notification targets": "Устройства для уведомлений", "Today": "Сегодня", "Friday": "Пятница", "Changelog": "История изменений", "Failed to send logs: ": "Не удалось отправить журналы: ", "This Room": "В этой комнате", "Unavailable": "Недоступен", - "Source URL": "Исходная ссылка", "Filter results": "Фильтрация результатов", "Tuesday": "Вторник", "Search…": "Поиск…", @@ -184,11 +164,9 @@ "Thursday": "Четверг", "Logs sent": "Журналы отправлены", "Yesterday": "Вчера", - "Low Priority": "Маловажные", "Wednesday": "Среда", "Thank you!": "Спасибо!", "You don't currently have any stickerpacks enabled": "У вас ещё нет наклеек", - "Popout widget": "Всплывающий виджет", "Send Logs": "Отправить логи", "Clear Storage and Sign Out": "Очистить хранилище и выйти", "We encountered an error trying to restore your previous session.": "Произошла ошибка при попытке восстановить предыдущий сеанс.", @@ -214,13 +192,10 @@ "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": "Разместим ссылку на старую комнату, чтобы люди могли видеть старые сообщения", - "Please contact your homeserver administrator.": "Пожалуйста, свяжитесь с администратором вашего сервера.", "Email Address": "Адрес электронной почты", - "Delete Backup": "Удалить резервную копию", "Unable to verify phone number.": "Невозможно проверить номер телефона.", "Verification code": "Код подтверждения", "Phone Number": "Номер телефона", - "Display Name": "Отображаемое имя", "Room information": "Информация о комнате", "Room Addresses": "Адреса комнаты", "Email addresses": "Адреса электронной почты", @@ -235,8 +210,6 @@ "Room Topic": "Тема комнаты", "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.": "Ваше сообщение не было отправлено, потому что этот домашний сервер превысил лимит ресурсов. обратитесь к администратору службы, чтобы продолжить использование службы.", - "All keys backed up": "Все ключи сохранены", - "General": "Общие", "Room avatar": "Аватар комнаты", "The following users may not exist": "Следующих пользователей может не существовать", "Invite anyway and never warn me again": "Пригласить и больше не предупреждать", @@ -321,14 +294,9 @@ "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.": "Мы отправили вам сообщение для подтверждения адреса электронной почты. Пожалуйста, следуйте указаниям в сообщении, после чего нажмите кнопку ниже.", - "Are you sure? You will lose your encrypted messages if your keys are not backed up properly.": "Вы уверены? Зашифрованные сообщения будут безвозвратно утеряны при отсутствии соответствующего резервного копирования ваших ключей.", "Encrypted messages are secured with end-to-end encryption. Only you and the recipient(s) have the keys to read these messages.": "Эти сообщения защищены сквозным шифрованием. Только вы и ваш собеседник имеете ключи для их расшифровки и чтения.", - "Unable to load key backup status": "Не удалось получить статус резервного копирования для ключей шифрования", - "Restore from Backup": "Восстановить из резервной копии", "Back up your keys before signing out to avoid losing them.": "Перед выходом сохраните резервную копию ключей шифрования, чтобы не потерять их.", "Start using Key Backup": "Использовать резервную копию ключей шифрования", - "Profile picture": "Аватар", - "Accept all %(invitedRooms)s invites": "Принять все приглашения (%(invitedRooms)s)", "Missing media permissions, click the button below to request.": "Отсутствуют разрешения для доступа к камере/микрофону. Нажмите кнопку ниже, чтобы запросить их.", "Request media permissions": "Запросить доступ к медиа устройству", "Error updating main address": "Ошибка обновления основного адреса", @@ -336,7 +304,6 @@ "You'll lose access to your encrypted messages": "Вы потеряете доступ к вашим шифрованным сообщениям", "Are you sure you want to sign out?": "Уверены, что хотите выйти?", "Room Settings - %(roomName)s": "Настройки комнаты — %(roomName)s", - "Bulk options": "Основные опции", "This room has been replaced and is no longer active.": "Эта комната заменена и более неактивна.", "Join the conversation with an account": "Присоединиться к разговору с учётной записью", "Sign Up": "Зарегистрироваться", @@ -363,8 +330,6 @@ "Invited by %(sender)s": "Приглашен %(sender)s", "There was an error updating the room's main address. It may not be allowed by the server or a temporary failure occurred.": "При обновлении основного адреса комнаты произошла ошибка. Возможно, это не разрешено сервером или произошел временный сбой.", "edited": "изменено", - "Rotate Left": "Повернуть влево", - "Rotate Right": "Повернуть вправо", "Edit message": "Редактировать сообщение", "Power level": "Уровень прав", "Unable to find profiles for the Matrix IDs listed below - would you like to invite them anyway?": "Не возможно найти профили для MatrixID, приведенных ниже — все равно желаете их пригласить?", @@ -412,7 +377,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": "Общая ошибка", - "Create account": "Создать учётную запись", "That matches!": "Они совпадают!", "That doesn't match.": "Они не совпадают.", "Uploaded sound": "Загруженный звук", @@ -438,7 +402,6 @@ "Resend %(unsentCount)s reaction(s)": "Отправить повторно %(unsentCount)s реакций", "Failed to re-authenticate due to a homeserver problem": "Ошибка повторной аутентификации из-за проблем на сервере", "Clear personal data": "Очистить персональные данные", - "Accept to continue:": "Примите для продолжения:", "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.": "Сервер идентификации, который вы выбрали, не имеет никаких условий обслуживания.", @@ -496,8 +459,6 @@ "Show image": "Показать изображение", "e.g. my-room": "например, моя-комната", "Close dialog": "Закрыть диалог", - "Hide advanced": "Скрыть дополнительные настройки", - "Show advanced": "Показать дополнительные настройки", "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, но этот адрес не связан с вашей учётной записью", @@ -513,8 +474,6 @@ "Explore rooms": "Обзор комнат", "Cancel search": "Отменить поиск", "Room %(name)s": "Комната %(name)s", - "Jump to first unread room.": "Перейти в первую непрочитанную комнату.", - "Jump to first invite.": "Перейти к первому приглашению.", "Message Actions": "Сообщение действий", "Manage integrations": "Управление интеграциями", "Direct Messages": "Личные сообщения", @@ -523,24 +482,11 @@ "one": "%(count)s сеанс" }, "Hide sessions": "Свернуть сеансы", - "Verify this session": "Заверьте этот сеанс", - "Your keys are not being backed up from this session.": "Ваши ключи не резервируются с этом сеансе.", - "Encryption upgrade available": "Доступно обновление шифрования", "Lock": "Заблокировать", - "Other users may not trust it": "Другие пользователи могут не доверять этому сеансу", - "Later": "Позже", "Show more": "Показать больше", "Not Trusted": "Недоверенное", "%(name)s (%(userId)s) signed in to a new session without verifying it:": "%(name)s (%(userId)s) произвел(а) вход через новый сеанс без подтверждения:", "Ask this user to verify their session, or manually verify it below.": "Попросите этого пользователя подтвердить сеанс или подтвердите его вручную ниже.", - "Your homeserver does not support cross-signing.": "Ваш домашний сервер не поддерживает кросс-подписи.", - "Secret storage public key:": "Публичный ключ секретного хранилища:", - "in account data": "в данных учётной записи", - "Cannot connect to integration manager": "Не удалось подключиться к менеджеру интеграций", - "The integration manager is offline or it cannot reach your homeserver.": "Менеджер интеграций не работает или не может подключиться к вашему домашнему серверу.", - "This session is not backing up your keys, but you do have an existing backup you can restore from and add to going forward.": "Это сеанс не сохраняет ваши ключи, но у вас есть резервная копия, из которой вы можете их восстановить.", - "Connect this session to key backup before signing out to avoid losing any keys that may only be on this session.": "Подключите этот сеанс к резервированию ключей до выхода, чтобы избежать утраты доступных только в этом сеансе ключей.", - "Connect this session to Key Backup": "Подключить этот сеанс к резервированию ключей", "This backup is trusted because it has been restored on this session": "Эта резервная копия является доверенной, потому что она была восстановлена в этом сеансе", "None": "Нет", "Verify by scanning": "Подтверждение сканированием", @@ -550,10 +496,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!", - "Your account has a cross-signing identity in secret storage, but it is not yet trusted by this session.": "У вашей учётной записи есть кросс-подпись в секретное хранилище, но она пока не является доверенной в этом сеансе.", - "well formed": "корректный", - "unexpected type": "непредвиденный тип", - "Message search": "Поиск по сообщениям", "Bridges": "Мосты", "This user has not verified all of their sessions.": "Этот пользователь не подтвердил все свои сеансы.", "You have not verified this user.": "Вы не подтвердили этого пользователя.", @@ -570,7 +512,6 @@ "Start chatting": "Начать беседу", "Reject & Ignore user": "Отклонить и заигнорировать пользователя", "Failed to connect to integration manager": "Не удалось подключиться к менеджеру интеграций", - "Mark all as read": "Отметить всё как прочитанное", "Local address": "Локальный адрес", "Published Addresses": "Публичные адреса", "Other published addresses:": "Прочие публичные адреса:", @@ -609,18 +550,8 @@ "%(name)s cancelled": "%(name)s отменил(а)", "%(name)s wants to verify": "%(name)s желает подтвердить", "You sent a verification request": "Вы отправили запрос подтверждения", - "Your display name": "Отображаемое имя", "One of the following may be compromised:": "Что-то из этого может быть скомпрометировано:", "%(name)s cancelled verifying": "%(name)s отменил(а) подтверждение", - "Any of the following data may be shared:": "Следующие сведения могут быть переданы:", - "Your user ID": "ID пользователя", - "Your theme": "Ваша тема", - "%(brand)s URL": "Ссылка на %(brand)s", - "Room ID": "ID комнаты", - "Widget ID": "ID виджета", - "Widget added by": "Виджет добавлен", - "This widget may use cookies.": "Этот виджет может использовать куки.", - "More options": "Дополнительные параметры", "Language Dropdown": "Список языков", "Enter a server name": "Введите имя сервера", "Looks good": "В порядке", @@ -634,10 +565,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)", - "Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "Отдельно подтверждать каждый сеанс пользователя как доверенный, не доверяя кросс-подписанным устройствам.", - "Securely cache encrypted messages locally for them to appear in search results.": "Безопасно кэшировать шифрованные сообщения локально, чтобы они появлялись в результатах поиска.", - "%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with search components added.": "Отсутствуют некоторые необходимые компоненты для %(brand)s, чтобы безопасно кэшировать шифрованные сообщения локально. Если вы хотите попробовать эту возможность, соберите самостоятельно %(brand)s Desktop с добавлением поисковых компонентов.", - "not stored": "не сохранено", "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.": "Начните подтверждение заново в профиле пользователя.", @@ -652,17 +579,10 @@ "Verify your other session using one of the options below.": "Подтвердите ваш другой сеанс, используя один из вариантов ниже.", "Your homeserver has exceeded its user limit.": "Ваш домашний сервер превысил свой лимит пользователей.", "Your homeserver has exceeded one of its resource limits.": "Ваш домашний сервер превысил один из своих лимитов ресурсов.", - "Contact your server admin.": "Обратитесь к администратору сервера.", "Ok": "Хорошо", - "New login. Was this you?": "Новый вход в вашу учётную запись. Это были Вы?", - "%(brand)s can't securely cache encrypted messages locally while running in a web browser. Use %(brand)s Desktop for encrypted messages to appear in search results.": "%(brand)s не может безопасно кэшировать зашифрованные сообщения локально во время работы в веб-браузере. Используйте %(brand)s Desktop, чтобы зашифрованные сообщения появились в результатах поиска.", - "Remove for everyone": "Убрать для всех", "Country Dropdown": "Выпадающий список стран", "Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "Администратор вашего сервера отключил сквозное шифрование по умолчанию в приватных комнатах и диалогах.", - "Favourited": "В избранном", "Room options": "Настройки комнаты", - "All settings": "Все настройки", - "Forget Room": "Забыть комнату", "This room is public": "Это публичная комната", "Error creating address": "Ошибка при создании адреса", "You don't have permission to delete the address.": "У вас нет прав для удаления этого адреса.", @@ -676,21 +596,17 @@ "Click to view edits": "Нажмите для просмотра правок", "Can't load this message": "Не удалось загрузить это сообщение", "Submit logs": "Отправить логи", - "Widgets do not use message encryption.": "Виджеты не используют шифрование сообщений.", "Room address": "Адрес комнаты", "This address is available to use": "Этот адрес доступен", "This address is already in use": "Этот адрес уже используется", "Enter the name of a new server you want to explore.": "Введите имя нового сервера для просмотра.", "Reminder: Your browser is unsupported, so your experience may be unpredictable.": "Напоминание: ваш браузер не поддерживается, возможны непредвиденные проблемы.", - "Change notification settings": "Изменить настройки уведомлений", "IRC display name width": "Ширина отображаемого имени IRC", - "Your server isn't responding to some requests.": "Ваш сервер не отвечает на некоторые запросы.", "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.": "Произошла ошибка при удалении этого адреса. Возможно, он больше не существует или произошла временная ошибка.", - "Using this widget may share data with %(widgetDomain)s.": "Используя этот виджет, вы можете делиться данными с %(widgetDomain)s.", "Can't find this server or its room list": "Не можем найти этот сервер или его список комнат", "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.": "Удаление ключей кросс-подписи является мгновенным и необратимым действием. Любой, с кем вы прошли проверку, увидит предупреждения безопасности. Вы почти наверняка не захотите этого делать, если только не потеряете все устройства, с которых можно совершать кросс-подпись.", "Clearing all data from this session is permanent. Encrypted messages will be lost unless their keys have been backed up.": "Очистка всех данных в этом сеансе является необратимой. Зашифрованные сообщения будут потеряны, если их ключи не были зарезервированы.", @@ -771,21 +687,10 @@ "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": "Подготовка к загрузке журналов", - "Set up Secure Backup": "Настроить безопасное резервное копирование", "Information": "Информация", "Not encrypted": "Не зашифровано", "Room settings": "Настройки комнаты", - "Take a picture": "Сделать снимок", - "Cross-signing is ready for use.": "Кросс-подпись готова к использованию.", - "Cross-signing is not set up.": "Кросс-подпись не настроена.", "Backup version:": "Версия резервной копии:", - "Algorithm:": "Алгоритм:", - "Backup key stored:": "Резервный ключ сохранён:", - "Backup key cached:": "Резервный ключ кэширован:", - "Secret storage:": "Секретное хранилище:", - "ready": "готов", - "not ready": "не готов", - "Safeguard against losing access to encrypted messages & data": "Защита от потери доступа к зашифрованным сообщениям и данным", "Widgets": "Виджеты", "Edit widgets, bridges & bots": "Редактировать виджеты, мосты и ботов", "Add widgets, bridges & bots": "Добавить виджеты, мосты и ботов", @@ -801,11 +706,6 @@ "Video conference ended by %(senderName)s": "%(senderName)s завершил(а) видеоконференцию", "Video conference updated by %(senderName)s": "%(senderName)s обновил(а) видеоконференцию", "Video conference started by %(senderName)s": "%(senderName)s начал(а) видеоконференцию", - "Failed to save your profile": "Не удалось сохранить ваш профиль", - "The operation could not be completed": "Операция не может быть выполнена", - "Move right": "Сдвинуть вправо", - "Move left": "Сдвинуть влево", - "Revoke permissions": "Отозвать разрешения", "Data on this screen is shared with %(widgetDomain)s": "Данные на этом экране используются %(widgetDomain)s", "Modal Widget": "Модальный виджет", "Ignored attempt to disable encryption": "Игнорируемая попытка отключить шифрование", @@ -817,12 +717,6 @@ "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": "Пригласить по электронной почте", - "Enable desktop notifications": "Включить уведомления на рабочем столе", - "Don't miss a reply": "Не пропустите ответ", - "Securely cache encrypted messages locally for them to appear in search results, using %(size)s to store messages from %(rooms)s rooms.": { - "one": "Надежно кэшируйте зашифрованные сообщения локально, чтобы они отображались в результатах поиска, используя %(size)s для хранения сообщений из %(rooms)s комнаты.", - "other": "Надежно кэшируйте зашифрованные сообщения локально, чтобы они отображались в результатах поиска, используя %(size)s для хранения сообщений из комнат (%(rooms)s)." - }, "Continuing without email": "Продолжить без электронной почты", "Reason (optional)": "Причина (необязательно)", "Server Options": "Параметры сервера", @@ -1109,9 +1003,6 @@ "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": "Недавно посещённые комнаты", - "Back up your encryption keys with your account data in case you lose access to your sessions. Your keys will be secured with a unique Security Key.": "Сделайте резервную копию ключей шифрования с данными вашей учетной записи на случай, если вы потеряете доступ к своим сеансам. Ваши ключи будут защищены уникальным ключом безопасности.", - "Use app": "Использовать приложение", - "Use app for a better experience": "Используйте приложение для лучшего опыта", "%(count)s rooms": { "one": "%(count)s комната", "other": "%(count)s комнат" @@ -1124,18 +1015,12 @@ "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.": "Это пространство не публично. Вы не сможете вновь войти без приглашения.", "Unable to start audio streaming.": "Невозможно запустить аудио трансляцию.", - "Start audio stream": "Запустить аудио трансляцию", "Failed to start livestream": "Не удалось запустить прямую трансляцию", - "Save Changes": "Сохранить изменения", - "Leave Space": "Покинуть пространство", - "Edit settings relating to your space.": "Редактировать настройки, относящиеся к вашему пространству.", - "Failed to save space settings.": "Не удалось сохранить настройки пространства.", "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 someone using their name, email address, username (like ) or share this space.": "Пригласите кого-нибудь, используя их имя, адрес электронной почты, имя пользователя (например, ) или поделитесь этим пространством.", "Invite someone using their name, username (like ) or share this space.": "Пригласите кого-нибудь, используя их имя, учётную запись (как ) или поделитесь этим пространством.", "Invite to %(roomName)s": "Пригласить в %(roomName)s", "Create a new room": "Создать новую комнату", - "Spaces": "Пространства", "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.": "Вы не сможете отменить это изменение, поскольку вы понижаете свои права, если вы являетесь последним привилегированным пользователем в пространстве, будет невозможно восстановить привилегии вбудущем.", @@ -1143,23 +1028,14 @@ "Add existing room": "Добавить существующую комнату", "Invite to this space": "Пригласить в это пространство", "Your message was sent": "Ваше сообщение было отправлено", - "Space options": "Настройки пространства", "Leave space": "Покинуть пространство", - "Invite with email or username": "Пригласить по электронной почте или имени пользователя", - "Invite people": "Пригласить людей", - "Share invite link": "Поделиться ссылкой на приглашение", - "Click to copy": "Нажмите, чтобы скопировать", - "You can change these anytime.": "Вы можете изменить их в любое время.", "Create a space": "Создать пространство", "Private space": "Приватное пространство", "Public space": "Публичное пространство", " invites you": " пригласил(а) тебя", "You may want to try a different search or check for typos.": "Вы можете попробовать другой поиск или проверить опечатки.", "No results found": "Результаты не найдены", - "Connecting": "Подключение", - "%(deviceId)s from %(ip)s": "%(deviceId)s с %(ip)s", "Your %(brand)s doesn't allow you to use an integration manager to do this. Please contact an admin.": "Ваш %(brand)s не позволяет вам использовать для этого Менеджер Интеграции. Пожалуйста, свяжитесь с администратором.", - "Using this widget may share data with %(widgetDomain)s & your integration manager.": "Используя этот виджет, вы можете делиться данными с %(widgetDomain)s и вашим Менеджером Интеграции.", "Integration managers receive configuration data, and can modify widgets, send room invites, and set power levels on your behalf.": "Менеджеры по интеграции получают данные конфигурации и могут изменять виджеты, отправлять приглашения в комнаты и устанавливать уровни доступа от вашего имени.", "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 для управления ботами, виджетами и наклейками.", @@ -1185,10 +1061,6 @@ "Unnamed audio": "Безымянное аудио", "Avatar": "Аватар", "Add space": "Добавить пространство", - "Report": "Сообщить", - "Collapse reply thread": "Свернуть ответы обсуждения", - "Show preview": "Предпросмотр", - "View source": "Исходный код", "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": "Сбросить всё", @@ -1210,7 +1082,6 @@ "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.": "Вы единственный администратор этого пространства. Если вы его оставите, это будет означать, что никто не имеет над ним контроля.", "You won't be able to rejoin unless you are re-invited.": "Вы сможете присоединиться только после повторного приглашения.", - "Search %(spaceName)s": "Поиск %(spaceName)s", "User Directory": "Каталог пользователей", "Consult first": "Сначала проконсультируйтесь", "Invited people will be able to read old messages.": "Приглашенные люди смогут читать старые сообщения.", @@ -1231,7 +1102,6 @@ "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": "Публичная комната", - "This upgrade will allow members of selected spaces access to this room without an invite.": "Это обновление позволит участникам выбранных пространств получить доступ в эту комнату без приглашения.", "To leave the beta, visit your settings.": "Чтобы выйти из бета-версии, зайдите в настройки.", "Adding spaces has moved.": "Добавление пространств перемещено.", "Search for rooms": "Поиск комнат", @@ -1257,12 +1127,7 @@ "one": "Посмотреть 1 участника", "other": "Просмотреть всех %(count)s участников" }, - "Share content": "Поделиться содержимым", - "Application window": "Окно приложения", - "Share entire screen": "Поделиться всем экраном", "Message search initialisation failed, check your settings for more information": "Инициализация поиска сообщений не удалась, проверьте ваши настройки для получения дополнительной информации", - "Error - Mixed content": "Ошибка — Смешанное содержание", - "Error loading Widget": "Ошибка загрузки виджета", "Add reaction": "Отреагировать", "Error processing voice message": "Ошибка при обработке голосового сообщения", "Error processing audio message": "Ошибка обработки звукового сообщения", @@ -1295,47 +1160,9 @@ "other": "Показать %(count)s других предварительных просмотров" }, "Failed to send": "Не удалось отправить", - "Access": "Доступ", - "Space members": "Участники пространства", - "Anyone in a space can find and join. You can select multiple spaces.": "Любой человек в пространстве может найти и присоединиться. Вы можете выбрать несколько пространств.", - "Spaces with access": "Пространства с доступом", - "Anyone in a space can find and join. Edit which spaces can access here.": "Любой человек в пространстве может найти и присоединиться. Укажите здесь, какие пространства могут получить доступ.", - "Currently, %(count)s spaces have access": { - "other": "В настоящее время %(count)s пространств имеют доступ", - "one": "В настоящее время пространство имеет доступ" - }, - "& %(count)s more": { - "other": "и %(count)s ещё", - "one": "и %(count)s еще" - }, - "Upgrade required": "Требуется обновление", "Space information": "Информация о пространстве", "You have no ignored users.": "У вас нет игнорируемых пользователей.", - "There was an error loading your notification settings.": "Произошла ошибка при загрузке настроек уведомлений.", - "Mentions & keywords": "Упоминания и ключевые слова", - "Global": "Глобально", - "New keyword": "Новое ключевое слово", - "Keyword": "Ключевое слово", - "Message search initialisation failed": "Инициализация поиска сообщений не удалась", - "Recommended for public spaces.": "Рекомендуется для публичных пространств.", - "Allow people to preview your space before they join.": "Дайте людям возможность предварительно ознакомиться с вашим пространством, прежде чем они присоединятся к нему.", - "Preview Space": "Предварительный просмотр пространства", - "Decide who can view and join %(spaceName)s.": "Определите, кто может просматривать и присоединяться к %(spaceName)s.", - "Visibility": "Видимость", - "This may be useful for public spaces.": "Это может быть полезно для публичных пространств.", - "Guests can join a space without having an account.": "Гости могут присоединиться к пространству, не имея учётной записи.", - "Enable guest access": "Включить гостевой доступ", - "Failed to update the history visibility of this space": "Не удалось обновить видимость истории этого пространства", - "Failed to update the guest access of this space": "Не удалось обновить гостевой доступ к этому пространству", - "Failed to update the visibility of this space": "Не удалось обновить видимость этого пространства", - "Show all rooms": "Показать все комнаты", "Address": "Адрес", - "unknown person": "Неизвестное лицо", - "More": "Больше", - "Show sidebar": "Показать боковую панель", - "Hide sidebar": "Скрыть боковую панель", - "Review to ensure your account is safe": "Проверьте, чтобы убедиться, что ваша учётная запись в безопасности", - "Delete avatar": "Удалить аватар", "Rooms and spaces": "Комнаты и пространства", "Results": "Результаты", "Some encryption parameters have been changed.": "Некоторые параметры шифрования были изменены.", @@ -1344,8 +1171,6 @@ "Role in ": "Роль в ", "Unknown failure": "Неизвестная ошибка", "Failed to update the join rules": "Не удалось обновить правила присоединения", - "Anyone in can find and join. You can select other spaces too.": "Любой человек в может найти и присоединиться. Вы можете выбрать и другие пространства.", - "Cross-signing is ready but keys are not backed up.": "Кросс-подпись готова, но ключи не резервируются.", "Leave some rooms": "Покинуть несколько комнат", "Leave all rooms": "Покинуть все комнаты", "Don't leave any rooms": "Не покидать ни одну комнату", @@ -1364,16 +1189,6 @@ "Proceed with reset": "Выполнить сброс", "It looks like you don't have a Security Key or any other devices you can verify against. This device will not be able to access old encrypted messages. In order to verify your identity on this device, you'll need to reset your verification keys.": "Похоже, у вас нет бумажного ключа, или других сеансов, с которыми вы могли бы свериться. В этом сеансе вы не сможете получить доступ к старым зашифрованным сообщениям. Чтобы подтвердить свою личность в этом сеансе, вам нужно будет сбросить свои ключи шифрования.", "Really reset verification keys?": "Действительно сбросить ключи подтверждения?", - "Updating spaces... (%(progress)s out of %(count)s)": { - "one": "Обновление пространства…", - "other": "Обновление пространств... (%(progress)s из %(count)s)" - }, - "Sending invites... (%(progress)s out of %(count)s)": { - "one": "Отправка приглашения…", - "other": "Отправка приглашений... (%(progress)s из %(count)s)" - }, - "Loading new room": "Загрузка новой комнаты", - "Upgrading room": "Обновление комнаты", "Ban from %(roomName)s": "Заблокировать в %(roomName)s", "Unban from %(roomName)s": "Разблокировать в %(roomName)s", "They won't be able to access whatever you're not an admin of.": "Они не смогут получить доступ к тем местам, где вы не являетесь администратором.", @@ -1392,7 +1207,6 @@ "Enter your Security Phrase or to continue.": "Введите свою секретную фразу или для продолжения.", "Joined": "Присоединился", "Insert link": "Вставить ссылку", - "Back to thread": "Вернуться к обсуждению", "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.": "Восстановите доступ к своей учетной записи и восстановите ключи шифрования, сохранённые в этом сеансе. Без них в любом сеансе вы не сможете прочитать все свои защищённые сообщения.", @@ -1406,7 +1220,6 @@ "Joining": "Присоединение", "Wait!": "Подождите!", "Thread options": "Параметры обсуждения", - "Mentions only": "Только упоминания", "Forget": "Забыть", "Open in OpenStreetMap": "Открыть в OpenStreetMap", "Verify other device": "Проверить другое устройство", @@ -1433,7 +1246,6 @@ "Missing room name or separator e.g. (my-room:domain.org)": "Отсутствует имя комнаты или разделитель (my-room:domain.org)", "Missing domain separator e.g. (:domain.org)": "Отсутствует разделитель домена (:domain.org)", "Including you, %(commaSeparatedMembers)s": "Включая вас, %(commaSeparatedMembers)s", - "Share location": "Поделиться местоположением", "Could not fetch location": "Не удалось получить местоположение", "Location": "Местоположение", "toggle event": "переключить событие", @@ -1478,7 +1290,6 @@ "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.": "Чтобы продолжить, пожалуйста, примите запрос на сверку в другом сеансе.", - "Copy room link": "Скопировать ссылку на комнату", "You were removed from %(roomName)s by %(memberName)s": "%(memberName)s удалил(а) вас из %(roomName)s", "Home options": "Параметры раздела \"Главная\"", "%(spaceName)s menu": "Меню %(spaceName)s", @@ -1499,26 +1310,11 @@ "Get notified for every message": "Получать уведомление о каждом сообщении", "Get notifications as set up in your settings": "Получать уведомления в соответствии с настройками", "This room isn't bridging messages to any platforms. Learn more.": "Эта комната не передаёт сообщения на какие-либо платформы Узнать больше.", - "Group all your rooms that aren't part of a space in one place.": "Сгруппируйте все комнаты, которые не являются частью пространства, в одном месте.", - "Rooms outside of a space": "Комнаты без пространства", - "Group all your people in one place.": "Сгруппируйте всех своих людей в одном месте.", - "Group all your favourite rooms and people in one place.": "Сгруппируйте все свои любимые комнаты и людей в одном месте.", - "Show all your rooms in Home, even if they're in a space.": "Показать все комнаты на Главной, даже если они находятся в пространстве.", - "Home is useful for getting an overview of everything.": "Раздел \"Главная\" полезен для получения общего вида.", - "Spaces are ways to group rooms and people. Alongside the spaces you're in, you can use some pre-built ones too.": "Пространства — это способ группировки комнат и людей. Наряду с пространствами, в которых вы находитесь, вы также можете использовать некоторые предварительно созданные пространства.", - "Spaces to show": "Пространства для показа", - "Sidebar": "Боковая панель", - "Share anonymous data to help us identify issues. Nothing personal. No third parties.": "Поделитесь анонимными данными, чтобы помочь нам выявить проблемы. Никаких личных данных. Никаких третьих лиц.", - "This room is in some spaces you're not an admin of. In those spaces, the old room will still be shown, but people will be prompted to join the new one.": "Эта комната находится в некоторых пространствах, администратором которых вы не являетесь. В этих пространствах старая комната будет по-прежнему отображаться, но людям будет предложено присоединиться к новой.", - "Pin to sidebar": "Закрепить на боковой панели", - "Quick settings": "Быстрые настройки", "Developer": "Разработка", "Experimental": "Экспериментально", "Themes": "Темы", "Moderation": "Модерация", "Messaging": "Общение", - "Room members": "Участники комнаты", - "Back to chat": "Назад в чат", "%(spaceName)s and %(count)s others": { "one": "%(spaceName)s и %(count)s другой", "other": "%(spaceName)s и %(count)s других" @@ -1533,8 +1329,6 @@ "My current location": "Моё текущее местоположение", "%(brand)s could not send your location. Please try again later.": "%(brand)s не удаётся отправить ваше местоположение. Пожалуйста, повторите попытку позже.", "We couldn't send your location": "Мы не смогли отправить ваше местоположение", - "Click to drop a pin": "Нажмите, чтобы закрепить маркер", - "Click to move the pin": "Нажмите, чтобы переместить маркер", "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": "Невозможно редактировать опрос", @@ -1544,16 +1338,8 @@ "Can't create a thread from an event with an existing relation": "Невозможно создать обсуждение из события с существующей связью", "Pinned": "Закреплено", "Open thread": "Открыть ветку", - "Match system": "Как в системе", "%(space1Name)s and %(space2Name)s": "%(space1Name)s и %(space2Name)s", - "Failed to join": "Не удалось войти", - "Sorry, your homeserver is too old to participate here.": "К сожалению, ваш домашний сервер слишком старый для участия.", - "%(brand)s is experimental on a mobile web browser. For a better experience and the latest features, use our free native app.": "%(brand)s работает в экспериментальном режиме в мобильном браузере. Для лучших впечатлений и новейших функций используйте наше родное бесплатное приложение.", - "The person who invited you has already left.": "Человек, который вас пригласил, уже ушёл.", - "There was an error joining.": "Ошибка при вступлении.", "Explore public spaces in the new search dialog": "Исследуйте публичные пространства в новом диалоговом окне поиска", - "Connection lost": "Соединение потеряно", - "The person who invited you has already left, or their server is offline.": "Пригласивший вас человек уже ушёл, или его сервер не подключён к сети.", "You were banned by %(memberName)s": "%(memberName)s заблокировал(а) вас", "Something went wrong with your invite.": "С приглашением произошла какая-то ошибка.", "You were removed by %(memberName)s": "%(memberName)s исключил(а) вас", @@ -1563,7 +1349,6 @@ "one": "Удаляются сообщения в %(count)s комнате", "other": "Удаляются сообщения в %(count)s комнатах" }, - "You were disconnected from the call. (Error: %(message)s)": "Вас отключили от звонка. (Ошибка: %(message)s)", "New video room": "Новая видеокомната", "New room": "Новая комната", "Private room": "Приватная комната", @@ -1573,10 +1358,6 @@ "%(members)s and more": "%(members)s и многие другие", "Deactivating your account is a permanent action — be careful!": "Деактивация вашей учётной записи является необратимым действием — будьте осторожны!", "Your password was successfully changed.": "Ваш пароль успешно изменён.", - "%(count)s people joined": { - "one": "%(count)s человек присоединился", - "other": "%(count)s человек(а) присоединились" - }, "Remove from space": "Исключить из пространства", "This room or space is not accessible at this time.": "Эта комната или пространство в данный момент недоступны.", "This room or space does not exist.": "Такой комнаты или пространства не существует.", @@ -1597,7 +1378,6 @@ "Live location error": "Ошибка показа местоположения в реальном времени", "Live until %(expiryTime)s": "В реальном времени до %(expiryTime)s", "Updated %(humanizedUpdateTime)s": "Обновлено %(humanizedUpdateTime)s", - "View related event": "Посмотреть связанное событие", "Cameras": "Камеры", "Output devices": "Устройства вывода", "Input devices": "Устройства ввода", @@ -1640,10 +1420,7 @@ "Add new server…": "Добавить новый сервер…", "Remove server “%(roomServer)s”": "Удалить сервер «%(roomServer)s»", "You can use the custom server options to sign into other Matrix servers by specifying a different homeserver URL. This allows you to use %(brand)s with an existing Matrix account on a different homeserver.": "Вы можете использовать пользовательские опции сервера для входа на другие серверы Matrix, указав URL-адрес другого домашнего сервера. Это позволяет использовать %(brand)s с существующей учётной записью Matrix на другом домашнем сервере.", - "Un-maximise": "Развернуть", "%(displayName)s's live location": "Местонахождение %(displayName)s в реальном времени", - "Share for %(duration)s": "Поделиться на %(duration)s", - "Live location sharing": "Отправка местонахождения в реальном времени", "Ban from room": "Заблокировать в комнате", "Unban from room": "Разблокировать в комнате", "Ban from space": "Заблокировать в пространстве", @@ -1671,9 +1448,7 @@ "one": "Просмотрел %(count)s человек", "other": "Просмотрели %(count)s людей" }, - "Enable live location sharing": "Включить функцию \"Поделиться трансляцией местоположения\"", "Live location ended": "Трансляция местоположения завершена", - "Please note: this is a labs feature using a temporary implementation. This means you will not be able to delete your location history, and advanced users will be able to see your location history even after you stop sharing your live location with this room.": "Обратите внимание: это временная реализация функции. Это означает, что вы не сможете удалить свою историю местоположений, а опытные пользователи смогут просмотреть вашу историю местоположений даже после того, как вы перестанете делиться своим местоположением в этой комнате.", "View live location": "Посмотреть трансляцию местоположения", "Live location enabled": "Трансляция местоположения включена", "If you can't find the room you're looking for, ask for an invite or create a new room.": "Если не можете найти нужную комнату, просто попросите пригласить вас или создайте новую комнату.", @@ -1683,7 +1458,6 @@ "Stop and close": "Остановить и закрыть", "Who will you chat to the most?": "С кем вы будете общаться чаще всего?", "Saved Items": "Сохранённые объекты", - "Sessions": "Сеансы", "We'll help you get connected.": "Мы поможем вам подключиться.", "Join the room to participate": "Присоединяйтесь к комнате для участия", "We're creating a room with %(names)s": "Мы создаем комнату с %(names)s", @@ -1692,7 +1466,6 @@ "Choose a locale": "Выберите регион", "You need to have the right permissions in order to share locations in this room.": "У вас должны быть определённые разрешения, чтобы делиться местоположениями в этой комнате.", "You don't have permission to share locations": "У вас недостаточно прав для публикации местоположений", - "For best security, verify your sessions and sign out from any session that you don't recognize or use anymore.": "Для лучшей безопасности заверьте свои сеансы и выйдите из тех, которые более не признаёте или не используете.", "Manually verify by text": "Ручная сверка по тексту", "Interactively verify by emoji": "Интерактивная сверка по смайлам", "%(securityKey)s or %(recoveryFile)s": "%(securityKey)s или %(recoveryFile)s", @@ -1700,18 +1473,9 @@ "Failed to set pusher state": "Не удалось установить состояние push-службы", "Room info": "О комнате", "Video call (Jitsi)": "Видеозвонок (Jitsi)", - "Unknown room": "Неизвестная комната", "View chat timeline": "Посмотреть ленту сообщений", "Video call (%(brand)s)": "Видеозвонок (%(brand)s)", - "Sorry — this call is currently full": "Извините — этот вызов в настоящее время заполнен", - "Are you sure you want to sign out of %(count)s sessions?": { - "one": "Вы уверены, что хотите выйти из %(count)s сеанса?", - "other": "Вы уверены, что хотите выйти из %(count)s сеансов?" - }, - "You have unverified sessions": "У вас есть незаверенные сеансы", - "Search users in this room…": "Поиск пользователей в этой комнате…", "Send email": "Отправить электронное письмо", - "Mark as read": "Отметить как прочитанное", "The homeserver doesn't support signing in another device.": "Домашний сервер не поддерживает вход с другого устройства.", "Connection": "Соединение", "Voice processing": "Обработка голоса", @@ -1733,25 +1497,17 @@ "Change layout": "Изменить расположение", "Spotlight": "Освещение", "Freedom": "Свободное", - "You do not have permission to start voice calls": "У вас нет разрешения для запуска звонка", - "There's no one here to call": "Здесь некому звонить", - "You do not have permission to start video calls": "У вас нет разрешения для запуска видеозвонка", - "Ongoing call": "Текущий звонок", "Show formatting": "Показать форматирование", "Hide formatting": "Скрыть форматирование", "This message could not be decrypted": "Это сообщение не удалось расшифровать", " in %(room)s": " в %(room)s", "Call type": "Тип звонка", - "Yes, it was me": "Да, это я", "Poll history": "Опросы", "Active polls": "Активные опросы", "Formatting": "Форматирование", "Edit link": "Изменить ссылку", - "Grey": "Серый", - "Red": "Красный", "There are no active polls in this room": "В этой комнате нет активных опросов", "View poll in timeline": "Посмотреть опрос в ленте сообщений", - "Your language": "Ваш язык", "Message in %(room)s": "Сообщение в %(room)s", "Message from %(user)s": "Сообщение от %(user)s", "Sign out of all devices": "Выйти из всех сеансов", @@ -1852,7 +1608,14 @@ "off": "Выключить", "all_rooms": "Все комнаты", "deselect_all": "Отменить выбор", - "select_all": "Выбрать все" + "select_all": "Выбрать все", + "copied": "Скопировано!", + "advanced": "Подробности", + "spaces": "Пространства", + "general": "Общие", + "profile": "Профиль", + "display_name": "Отображаемое имя", + "user_avatar": "Аватар" }, "action": { "continue": "Продолжить", @@ -1953,7 +1716,10 @@ "clear": "Очистить", "exit_fullscreeen": "Выйти из полноэкранного режима", "enter_fullscreen": "Перейти в полноэкранный режим", - "unban": "Разблокировать" + "unban": "Разблокировать", + "click_to_copy": "Нажмите, чтобы скопировать", + "hide_advanced": "Скрыть дополнительные настройки", + "show_advanced": "Показать дополнительные настройки" }, "a11y": { "user_menu": "Меню пользователя", @@ -1965,7 +1731,8 @@ "other": "%(count)s непрочитанных сообщения(-й).", "one": "1 непрочитанное сообщение." }, - "unread_messages": "Непрочитанные сообщения." + "unread_messages": "Непрочитанные сообщения.", + "jump_first_invite": "Перейти к первому приглашению." }, "labs": { "video_rooms": "Видеокомнаты", @@ -2129,7 +1896,6 @@ "user_a11y": "Автозаполнение пользователя" } }, - "Bold": "Жирный", "Link": "Ссылка", "Code": "Код", "power_level": { @@ -2236,7 +2002,8 @@ "intro_byline": "Владейте своими разговорами.", "send_dm": "Отправить личное сообщение", "explore_rooms": "Просмотреть публичные комнаты", - "create_room": "Создать комнату" + "create_room": "Создать комнату", + "create_account": "Создать учётную запись" }, "settings": { "show_breadcrumbs": "Показывать ссылки на недавние комнаты над списком комнат", @@ -2299,7 +2066,9 @@ "noisy": "Вкл. (со звуком)", "error_permissions_denied": "У %(brand)s нет разрешения на отправку уведомлений — проверьте настройки браузера", "error_permissions_missing": "%(brand)s не получил разрешение на отправку уведомлений: пожалуйста, попробуйте снова", - "error_title": "Не удалось включить уведомления" + "error_title": "Не удалось включить уведомления", + "push_targets": "Устройства для уведомлений", + "error_loading": "Произошла ошибка при загрузке настроек уведомлений." }, "appearance": { "layout_irc": "IRC (Экспериментально)", @@ -2371,7 +2140,42 @@ "cryptography_section": "Криптография", "session_id": "ID сеанса:", "session_key": "Ключ сеанса:", - "encryption_section": "Шифрование" + "encryption_section": "Шифрование", + "bulk_options_section": "Основные опции", + "bulk_options_accept_all_invites": "Принять все приглашения (%(invitedRooms)s)", + "bulk_options_reject_all_invites": "Отклонить все %(invitedRooms)s приглашения", + "message_search_section": "Поиск по сообщениям", + "analytics_subsection_description": "Поделитесь анонимными данными, чтобы помочь нам выявить проблемы. Никаких личных данных. Никаких третьих лиц.", + "encryption_individual_verification_mode": "Отдельно подтверждать каждый сеанс пользователя как доверенный, не доверяя кросс-подписанным устройствам.", + "message_search_enabled": { + "one": "Надежно кэшируйте зашифрованные сообщения локально, чтобы они отображались в результатах поиска, используя %(size)s для хранения сообщений из %(rooms)s комнаты.", + "other": "Надежно кэшируйте зашифрованные сообщения локально, чтобы они отображались в результатах поиска, используя %(size)s для хранения сообщений из комнат (%(rooms)s)." + }, + "message_search_disabled": "Безопасно кэшировать шифрованные сообщения локально, чтобы они появлялись в результатах поиска.", + "message_search_unsupported": "Отсутствуют некоторые необходимые компоненты для %(brand)s, чтобы безопасно кэшировать шифрованные сообщения локально. Если вы хотите попробовать эту возможность, соберите самостоятельно %(brand)s Desktop с добавлением поисковых компонентов.", + "message_search_unsupported_web": "%(brand)s не может безопасно кэшировать зашифрованные сообщения локально во время работы в веб-браузере. Используйте %(brand)s Desktop, чтобы зашифрованные сообщения появились в результатах поиска.", + "message_search_failed": "Инициализация поиска сообщений не удалась", + "backup_key_well_formed": "корректный", + "backup_key_unexpected_type": "непредвиденный тип", + "backup_keys_description": "Сделайте резервную копию ключей шифрования с данными вашей учетной записи на случай, если вы потеряете доступ к своим сеансам. Ваши ключи будут защищены уникальным ключом безопасности.", + "backup_key_stored_status": "Резервный ключ сохранён:", + "cross_signing_not_stored": "не сохранено", + "backup_key_cached_status": "Резервный ключ кэширован:", + "4s_public_key_status": "Публичный ключ секретного хранилища:", + "4s_public_key_in_account_data": "в данных учётной записи", + "secret_storage_status": "Секретное хранилище:", + "secret_storage_ready": "готов", + "secret_storage_not_ready": "не готов", + "delete_backup": "Удалить резервную копию", + "delete_backup_confirm_description": "Вы уверены? Зашифрованные сообщения будут безвозвратно утеряны при отсутствии соответствующего резервного копирования ваших ключей.", + "error_loading_key_backup_status": "Не удалось получить статус резервного копирования для ключей шифрования", + "restore_key_backup": "Восстановить из резервной копии", + "key_backup_inactive": "Это сеанс не сохраняет ваши ключи, но у вас есть резервная копия, из которой вы можете их восстановить.", + "key_backup_connect_prompt": "Подключите этот сеанс к резервированию ключей до выхода, чтобы избежать утраты доступных только в этом сеансе ключей.", + "key_backup_connect": "Подключить этот сеанс к резервированию ключей", + "key_backup_complete": "Все ключи сохранены", + "key_backup_algorithm": "Алгоритм:", + "key_backup_inactive_warning": "Ваши ключи не резервируются с этом сеансе." }, "preferences": { "room_list_heading": "Список комнат", @@ -2482,7 +2286,13 @@ "other": "Выйти из устройств" }, "security_recommendations": "Рекомендации по безопасности", - "security_recommendations_description": "Усильте защиту учётной записи, следуя этим рекомендациям." + "security_recommendations_description": "Усильте защиту учётной записи, следуя этим рекомендациям.", + "title": "Сеансы", + "sign_out_confirm_description": { + "one": "Вы уверены, что хотите выйти из %(count)s сеанса?", + "other": "Вы уверены, что хотите выйти из %(count)s сеансов?" + }, + "other_sessions_subsection_description": "Для лучшей безопасности заверьте свои сеансы и выйдите из тех, которые более не признаёте или не используете." }, "general": { "account_section": "Учётная запись", @@ -2497,7 +2307,22 @@ "add_msisdn_confirm_sso_button": "Подтвердите добавление этого номера телефона с помощью единой точки входа.", "add_msisdn_confirm_button": "Подтвердите добавление номера телефона", "add_msisdn_confirm_body": "Нажмите кнопку ниже для добавления этого номера телефона.", - "add_msisdn_dialog_title": "Добавить номер телефона" + "add_msisdn_dialog_title": "Добавить номер телефона", + "name_placeholder": "Нет отображаемого имени", + "error_saving_profile_title": "Не удалось сохранить ваш профиль", + "error_saving_profile": "Операция не может быть выполнена" + }, + "sidebar": { + "title": "Боковая панель", + "metaspaces_subsection": "Пространства для показа", + "metaspaces_description": "Пространства — это способ группировки комнат и людей. Наряду с пространствами, в которых вы находитесь, вы также можете использовать некоторые предварительно созданные пространства.", + "metaspaces_home_description": "Раздел \"Главная\" полезен для получения общего вида.", + "metaspaces_favourites_description": "Сгруппируйте все свои любимые комнаты и людей в одном месте.", + "metaspaces_people_description": "Сгруппируйте всех своих людей в одном месте.", + "metaspaces_orphans": "Комнаты без пространства", + "metaspaces_orphans_description": "Сгруппируйте все комнаты, которые не являются частью пространства, в одном месте.", + "metaspaces_home_all_rooms_description": "Показать все комнаты на Главной, даже если они находятся в пространстве.", + "metaspaces_home_all_rooms": "Показать все комнаты" } }, "devtools": { @@ -2956,7 +2781,15 @@ "user": "%(senderName)s завершил(а) голосовую трансляцию" }, "creation_summary_dm": "%(creator)s начал(а) этот чат.", - "creation_summary_room": "%(creator)s создал(а) и настроил(а) комнату." + "creation_summary_room": "%(creator)s создал(а) и настроил(а) комнату.", + "context_menu": { + "view_source": "Исходный код", + "show_url_preview": "Предпросмотр", + "external_url": "Исходная ссылка", + "collapse_reply_thread": "Свернуть ответы обсуждения", + "view_related_event": "Посмотреть связанное событие", + "report": "Сообщить" + } }, "slash_command": { "spoiler": "Отправить данное сообщение под спойлером", @@ -3149,10 +2982,28 @@ "failed_call_live_broadcast_title": "Невозможно начать звонок", "failed_call_live_broadcast_description": "Вы не можете начать звонок, так как вы производите живое вещание. Пожалуйста, остановите вещание, чтобы начать звонок.", "no_media_perms_title": "Нет разрешённых носителей", - "no_media_perms_description": "Вам необходимо предоставить %(brand)s доступ к микрофону или веб-камере вручную" + "no_media_perms_description": "Вам необходимо предоставить %(brand)s доступ к микрофону или веб-камере вручную", + "call_toast_unknown_room": "Неизвестная комната", + "join_button_tooltip_connecting": "Подключение", + "join_button_tooltip_call_full": "Извините — этот вызов в настоящее время заполнен", + "hide_sidebar_button": "Скрыть боковую панель", + "show_sidebar_button": "Показать боковую панель", + "more_button": "Больше", + "screenshare_monitor": "Поделиться всем экраном", + "screenshare_window": "Окно приложения", + "screenshare_title": "Поделиться содержимым", + "disabled_no_perms_start_voice_call": "У вас нет разрешения для запуска звонка", + "disabled_no_perms_start_video_call": "У вас нет разрешения для запуска видеозвонка", + "disabled_ongoing_call": "Текущий звонок", + "disabled_no_one_here": "Здесь некому звонить", + "n_people_joined": { + "one": "%(count)s человек присоединился", + "other": "%(count)s человек(а) присоединились" + }, + "unknown_person": "Неизвестное лицо", + "connecting": "Подключение" }, "Other": "Другие", - "Advanced": "Подробности", "room_settings": { "permissions": { "m.room.avatar_space": "Изменить аватар пространства", @@ -3190,7 +3041,8 @@ "title": "Роли и права", "permissions_section": "Права доступа", "permissions_section_description_space": "Выберите роли, необходимые для изменения различных частей пространства", - "permissions_section_description_room": "Выберите роль, которая может изменять различные части комнаты" + "permissions_section_description_room": "Выберите роль, которая может изменять различные части комнаты", + "add_privileged_user_filter_placeholder": "Поиск пользователей в этой комнате…" }, "security": { "strict_encryption": "Никогда не отправлять зашифрованные сообщения непроверенным сеансам в этой комнате и через этот сеанс", @@ -3216,7 +3068,33 @@ "history_visibility_shared": "Только участники (с момента выбора этого параметра)", "history_visibility_invited": "Только участники (с момента их приглашения)", "history_visibility_joined": "Только участники (с момента их входа)", - "history_visibility_world_readable": "Все" + "history_visibility_world_readable": "Все", + "join_rule_upgrade_required": "Требуется обновление", + "join_rule_restricted_n_more": { + "other": "и %(count)s ещё", + "one": "и %(count)s еще" + }, + "join_rule_restricted_summary": { + "other": "В настоящее время %(count)s пространств имеют доступ", + "one": "В настоящее время пространство имеет доступ" + }, + "join_rule_restricted_description": "Любой человек в пространстве может найти и присоединиться. Укажите здесь, какие пространства могут получить доступ.", + "join_rule_restricted_description_spaces": "Пространства с доступом", + "join_rule_restricted_description_active_space": "Любой человек в может найти и присоединиться. Вы можете выбрать и другие пространства.", + "join_rule_restricted_description_prompt": "Любой человек в пространстве может найти и присоединиться. Вы можете выбрать несколько пространств.", + "join_rule_restricted": "Участники пространства", + "join_rule_restricted_upgrade_warning": "Эта комната находится в некоторых пространствах, администратором которых вы не являетесь. В этих пространствах старая комната будет по-прежнему отображаться, но людям будет предложено присоединиться к новой.", + "join_rule_restricted_upgrade_description": "Это обновление позволит участникам выбранных пространств получить доступ в эту комнату без приглашения.", + "join_rule_upgrade_upgrading_room": "Обновление комнаты", + "join_rule_upgrade_awaiting_room": "Загрузка новой комнаты", + "join_rule_upgrade_sending_invites": { + "one": "Отправка приглашения…", + "other": "Отправка приглашений... (%(progress)s из %(count)s)" + }, + "join_rule_upgrade_updating_spaces": { + "one": "Обновление пространства…", + "other": "Обновление пространств... (%(progress)s из %(count)s)" + } }, "general": { "publish_toggle": "Опубликовать эту комнату в каталоге комнат %(domain)s?", @@ -3226,7 +3104,11 @@ "default_url_previews_off": "Предпросмотр ссылок по умолчанию выключен для участников этой комнаты.", "url_preview_encryption_warning": "В зашифрованных комнатах, подобных этой, предварительный просмотр URL-адресов отключен по умолчанию, чтобы гарантировать, что ваш сервер (где создаются предварительные просмотры) не может собирать информацию о ссылках, которые вы видите в этой комнате.", "url_preview_explainer": "Когда кто-то вставляет URL-адрес в свое сообщение, то можно просмотреть его, чтобы получить дополнительную информацию об этой ссылке, такую как название, описание и изображение с веб-сайта.", - "url_previews_section": "Предпросмотр содержимого ссылок" + "url_previews_section": "Предпросмотр содержимого ссылок", + "error_save_space_settings": "Не удалось сохранить настройки пространства.", + "description_space": "Редактировать настройки, относящиеся к вашему пространству.", + "save": "Сохранить изменения", + "leave_space": "Покинуть пространство" }, "advanced": { "unfederated": "Это комната недоступна из других серверов Matrix", @@ -3237,6 +3119,24 @@ "room_id": "Внутренний ID комнаты", "room_version_section": "Версия комнаты", "room_version": "Версия комнаты:" + }, + "delete_avatar_label": "Удалить аватар", + "upload_avatar_label": "Загрузить аватар", + "visibility": { + "error_update_guest_access": "Не удалось обновить гостевой доступ к этому пространству", + "error_update_history_visibility": "Не удалось обновить видимость истории этого пространства", + "guest_access_explainer": "Гости могут присоединиться к пространству, не имея учётной записи.", + "guest_access_explainer_public_space": "Это может быть полезно для публичных пространств.", + "title": "Видимость", + "error_failed_save": "Не удалось обновить видимость этого пространства", + "history_visibility_anyone_space": "Предварительный просмотр пространства", + "history_visibility_anyone_space_description": "Дайте людям возможность предварительно ознакомиться с вашим пространством, прежде чем они присоединятся к нему.", + "history_visibility_anyone_space_recommendation": "Рекомендуется для публичных пространств.", + "guest_access_label": "Включить гостевой доступ" + }, + "access": { + "title": "Доступ", + "description_space": "Определите, кто может просматривать и присоединяться к %(spaceName)s." } }, "encryption": { @@ -3263,7 +3163,13 @@ "waiting_other_device_details": "Ожидает проверки на другом устройстве, %(deviceName)s (%(deviceId)s)…", "waiting_other_device": "Ожидает проверки на другом устройстве…", "waiting_other_user": "Ожидание %(displayName)s для проверки…", - "cancelling": "Отмена…" + "cancelling": "Отмена…", + "unverified_sessions_toast_title": "У вас есть незаверенные сеансы", + "unverified_sessions_toast_description": "Проверьте, чтобы убедиться, что ваша учётная запись в безопасности", + "unverified_sessions_toast_reject": "Позже", + "unverified_session_toast_title": "Новый вход в вашу учётную запись. Это были Вы?", + "unverified_session_toast_accept": "Да, это я", + "request_toast_detail": "%(deviceId)s с %(ip)s" }, "old_version_detected_title": "Обнаружены старые криптографические данные", "old_version_detected_description": "Обнаружены данные из более старой версии %(brand)s. Это приведет к сбою криптографии в более ранней версии. В этой версии не могут быть расшифрованы сообщения, которые использовались недавно при использовании старой версии. Это также может привести к сбою обмена сообщениями с этой версией. Если возникают неполадки, выйдите и снова войдите в систему. Чтобы сохранить журнал сообщений, экспортируйте и повторно импортируйте ключи.", @@ -3273,7 +3179,18 @@ "bootstrap_title": "Настройка ключей", "export_unsupported": "Ваш браузер не поддерживает необходимые криптографические расширения", "import_invalid_keyfile": "Недействительный файл ключей %(brand)s", - "import_invalid_passphrase": "Ошибка аутентификации: возможно, неправильный пароль?" + "import_invalid_passphrase": "Ошибка аутентификации: возможно, неправильный пароль?", + "set_up_toast_title": "Настроить безопасное резервное копирование", + "upgrade_toast_title": "Доступно обновление шифрования", + "verify_toast_title": "Заверьте этот сеанс", + "set_up_toast_description": "Защита от потери доступа к зашифрованным сообщениям и данным", + "verify_toast_description": "Другие пользователи могут не доверять этому сеансу", + "cross_signing_unsupported": "Ваш домашний сервер не поддерживает кросс-подписи.", + "cross_signing_ready": "Кросс-подпись готова к использованию.", + "cross_signing_ready_no_backup": "Кросс-подпись готова, но ключи не резервируются.", + "cross_signing_untrusted": "У вашей учётной записи есть кросс-подпись в секретное хранилище, но она пока не является доверенной в этом сеансе.", + "cross_signing_not_ready": "Кросс-подпись не настроена.", + "not_supported": "<не поддерживается>" }, "emoji": { "category_frequently_used": "Часто используемые", @@ -3297,7 +3214,8 @@ "bullet_1": "Мы <не записываем и не профилируем любые данные учетной записи", "bullet_2": "Мы не передаем информацию третьим лицам", "disable_prompt": "Вы можете отключить это в любое время в настройках", - "accept_button": "Всё в порядке" + "accept_button": "Всё в порядке", + "shared_data_heading": "Следующие сведения могут быть переданы:" }, "chat_effects": { "confetti_description": "Отправляет данное сообщение с конфетти", @@ -3433,7 +3351,8 @@ "no_hs_url_provided": "URL-адрес домашнего сервера не указан", "autodiscovery_unexpected_error_hs": "Неожиданная ошибка в настройках домашнего сервера", "autodiscovery_unexpected_error_is": "Неопределённая ошибка при разборе параметра сервера идентификации", - "incorrect_credentials_detail": "Обратите внимание, что вы заходите на сервер %(hs)s, а не на matrix.org." + "incorrect_credentials_detail": "Обратите внимание, что вы заходите на сервер %(hs)s, а не на matrix.org.", + "create_account_title": "Создать учётную запись" }, "room_list": { "sort_unread_first": "Комнаты с непрочитанными сообщениями в начале", @@ -3552,7 +3471,35 @@ "error_need_to_be_logged_in": "Вы должны войти в систему.", "error_need_invite_permission": "Для этого вы должны иметь возможность приглашать пользователей.", "error_need_kick_permission": "Вы должны иметь возможность пинать пользователей, чтобы сделать это.", - "no_name": "Неизвестное приложение" + "no_name": "Неизвестное приложение", + "error_hangup_title": "Соединение потеряно", + "error_hangup_description": "Вас отключили от звонка. (Ошибка: %(message)s)", + "context_menu": { + "start_audio_stream": "Запустить аудио трансляцию", + "screenshot": "Сделать снимок", + "delete": "Удалить виджет", + "delete_warning": "Удаление виджета действует для всех участников этой комнаты. Вы действительно хотите удалить этот виджет?", + "remove": "Убрать для всех", + "revoke": "Отозвать разрешения", + "move_left": "Сдвинуть влево", + "move_right": "Сдвинуть вправо" + }, + "shared_data_name": "Отображаемое имя", + "shared_data_mxid": "ID пользователя", + "shared_data_theme": "Ваша тема", + "shared_data_lang": "Ваш язык", + "shared_data_url": "Ссылка на %(brand)s", + "shared_data_room_id": "ID комнаты", + "shared_data_widget_id": "ID виджета", + "shared_data_warning_im": "Используя этот виджет, вы можете делиться данными с %(widgetDomain)s и вашим Менеджером Интеграции.", + "shared_data_warning": "Используя этот виджет, вы можете делиться данными с %(widgetDomain)s.", + "unencrypted_warning": "Виджеты не используют шифрование сообщений.", + "added_by": "Виджет добавлен", + "cookie_warning": "Этот виджет может использовать куки.", + "error_loading": "Ошибка загрузки виджета", + "error_mixed_content": "Ошибка — Смешанное содержание", + "unmaximise": "Развернуть", + "popout": "Всплывающий виджет" }, "feedback": { "sent": "Отзыв отправлен", @@ -3640,7 +3587,8 @@ "empty_heading": "Организуйте обсуждения с помощью обсуждений" }, "theme": { - "light_high_contrast": "Контрастная светлая" + "light_high_contrast": "Контрастная светлая", + "match_system": "Как в системе" }, "space": { "landing_welcome": "Добро пожаловать в ", @@ -3656,9 +3604,14 @@ "devtools_open_timeline": "Просмотреть шкалу времени комнаты (инструменты разработчика)", "home": "Пространство — Главная", "explore": "Обзор комнат", - "manage_and_explore": "Управление и список комнат" + "manage_and_explore": "Управление и список комнат", + "options": "Настройки пространства" }, - "share_public": "Поделитесь своим публичным пространством" + "share_public": "Поделитесь своим публичным пространством", + "search_children": "Поиск %(spaceName)s", + "invite_link": "Поделиться ссылкой на приглашение", + "invite": "Пригласить людей", + "invite_description": "Пригласить по электронной почте или имени пользователя" }, "location_sharing": { "MapStyleUrlNotConfigured": "Этот домашний сервер не настроен на отображение карт.", @@ -3674,7 +3627,14 @@ "failed_timeout": "Попытка определить ваше местоположение завершилась. Пожалуйста, повторите попытку позже.", "failed_unknown": "Неизвестная ошибка при получении местоположения. Пожалуйста, повторите попытку позже.", "expand_map": "Развернуть карту", - "failed_load_map": "Не удается загрузить карту" + "failed_load_map": "Не удается загрузить карту", + "live_enable_heading": "Отправка местонахождения в реальном времени", + "live_enable_description": "Обратите внимание: это временная реализация функции. Это означает, что вы не сможете удалить свою историю местоположений, а опытные пользователи смогут просмотреть вашу историю местоположений даже после того, как вы перестанете делиться своим местоположением в этой комнате.", + "live_toggle_label": "Включить функцию \"Поделиться трансляцией местоположения\"", + "live_share_button": "Поделиться на %(duration)s", + "click_move_pin": "Нажмите, чтобы переместить маркер", + "click_drop_pin": "Нажмите, чтобы закрепить маркер", + "share_button": "Поделиться местоположением" }, "labs_mjolnir": { "room_name": "Мой список блокировки", @@ -3709,7 +3669,6 @@ }, "create_space": { "name_required": "Пожалуйста, введите название пространства", - "name_placeholder": "например, my-space", "explainer": "Пространства — это новый способ организации комнат и людей. Какой вид пространства вы хотите создать? Вы можете изменить это позже.", "public_description": "Открытое пространство для всех, лучший вариант для сообществ", "private_description": "Только по приглашениям, лучший вариант для себя или команды", @@ -3739,11 +3698,16 @@ "setup_rooms_community_description": "Давайте создадим для каждого из них отдельную комнату.", "setup_rooms_description": "Позже можно добавить и другие, в том числе уже существующие.", "setup_rooms_private_heading": "Над какими проектами ваша команда работает?", - "setup_rooms_private_description": "Мы создадим комнаты для каждого из них." + "setup_rooms_private_description": "Мы создадим комнаты для каждого из них.", + "address_placeholder": "например, my-space", + "address_label": "Адрес", + "label": "Создать пространство", + "add_details_prompt_2": "Вы можете изменить их в любое время." }, "user_menu": { "switch_theme_light": "Переключить в светлый режим", - "switch_theme_dark": "Переключить в тёмный режим" + "switch_theme_dark": "Переключить в тёмный режим", + "settings": "Все настройки" }, "notif_panel": { "empty_heading": "Вы в курсе всего", @@ -3780,7 +3744,22 @@ "leave_error_title": "Ошибка при выходе из комнаты", "upgrade_error_title": "Ошибка обновления комнаты", "upgrade_error_description": "Убедитесь, что ваш сервер поддерживает выбранную версию комнаты и попробуйте снова.", - "leave_server_notices_description": "Эта комната используется для важных сообщений от сервера, поэтому вы не можете ее покинуть." + "leave_server_notices_description": "Эта комната используется для важных сообщений от сервера, поэтому вы не можете ее покинуть.", + "error_join_connection": "Ошибка при вступлении.", + "error_join_incompatible_version_1": "К сожалению, ваш домашний сервер слишком старый для участия.", + "error_join_incompatible_version_2": "Пожалуйста, свяжитесь с администратором вашего сервера.", + "error_join_404_invite_same_hs": "Человек, который вас пригласил, уже ушёл.", + "error_join_404_invite": "Пригласивший вас человек уже ушёл, или его сервер не подключён к сети.", + "error_join_title": "Не удалось войти", + "context_menu": { + "unfavourite": "В избранном", + "favourite": "Избранное", + "mentions_only": "Только упоминания", + "copy_link": "Скопировать ссылку на комнату", + "low_priority": "Маловажные", + "forget": "Забыть комнату", + "mark_read": "Отметить как прочитанное" + } }, "file_panel": { "guest_note": "Вы должны зарегистрироваться, чтобы использовать эту функцию", @@ -3800,7 +3779,8 @@ "tac_button": "Просмотр условий и положений", "identity_server_no_terms_title": "Сервер идентификации не имеет условий предоставления услуг", "identity_server_no_terms_description_1": "Это действие требует по умолчанию доступа к серверу идентификации для подтверждения адреса электронной почты или номера телефона, но у сервера нет никакого пользовательского соглашения.", - "identity_server_no_terms_description_2": "Продолжайте, только если доверяете владельцу сервера." + "identity_server_no_terms_description_2": "Продолжайте, только если доверяете владельцу сервера.", + "inline_intro_text": "Примите для продолжения:" }, "space_settings": { "title": "Настройки — %(spaceName)s" @@ -3887,7 +3867,13 @@ "admin_contact": "Пожалуйста, обратитесь к вашему администратору, чтобы продолжить использовать этот сервис.", "connection": "Возникла проблема при обмене данными с домашним сервером. Повторите попытку позже.", "mixed_content": "Не удается подключиться к домашнему серверу через HTTP, так как в адресной строке браузера указан адрес HTTPS. Используйте HTTPS или включите небезопасные скрипты.", - "tls": "Не удается подключиться к домашнему серверу — проверьте подключение, убедитесь, что ваш SSL-сертификат домашнего сервера является доверенным и что расширение браузера не блокирует запросы." + "tls": "Не удается подключиться к домашнему серверу — проверьте подключение, убедитесь, что ваш SSL-сертификат домашнего сервера является доверенным и что расширение браузера не блокирует запросы.", + "admin_contact_short": "Обратитесь к администратору сервера.", + "non_urgent_echo_failure_toast": "Ваш сервер не отвечает на некоторые запросы.", + "failed_copy": "Не удалось скопировать", + "something_went_wrong": "Что-то пошло не так!", + "update_power_level": "Не удалось изменить уровень прав", + "unknown": "Неизвестная ошибка" }, "in_space1_and_space2": "В пространствах %(space1Name)s и %(space2Name)s.", "in_space_and_n_other_spaces": { @@ -3895,5 +3881,50 @@ "other": "В %(spaceName)s и %(count)s других пространствах." }, "in_space": "В пространстве %(spaceName)s.", - "name_and_id": "%(name)s (%(userId)s)" + "name_and_id": "%(name)s (%(userId)s)", + "items_and_n_others": { + "other": " и ещё %(count)s участника(-ов)", + "one": " и ещё кто-то" + }, + "notifications": { + "enable_prompt_toast_title_from_message_send": "Не пропустите ответ", + "enable_prompt_toast_title": "Уведомления", + "enable_prompt_toast_description": "Включить уведомления на рабочем столе", + "colour_none": "Нет", + "colour_bold": "Жирный", + "colour_grey": "Серый", + "colour_red": "Красный", + "colour_unsent": "Не отправлено", + "error_change_title": "Изменить настройки уведомлений", + "mark_all_read": "Отметить всё как прочитанное", + "keyword": "Ключевое слово", + "keyword_new": "Новое ключевое слово", + "class_global": "Глобально", + "class_other": "Другие", + "mentions_keywords": "Упоминания и ключевые слова" + }, + "mobile_guide": { + "toast_title": "Используйте приложение для лучшего опыта", + "toast_description": "%(brand)s работает в экспериментальном режиме в мобильном браузере. Для лучших впечатлений и новейших функций используйте наше родное бесплатное приложение.", + "toast_accept": "Использовать приложение" + }, + "chat_card_back_action_label": "Назад в чат", + "room_summary_card_back_action_label": "Информация о комнате", + "member_list_back_action_label": "Участники комнаты", + "thread_view_back_action_label": "Вернуться к обсуждению", + "quick_settings": { + "title": "Быстрые настройки", + "all_settings": "Все настройки", + "metaspace_section": "Закрепить на боковой панели", + "sidebar_settings": "Дополнительные параметры" + }, + "lightbox": { + "rotate_left": "Повернуть влево", + "rotate_right": "Повернуть вправо" + }, + "a11y_jump_first_unread_room": "Перейти в первую непрочитанную комнату.", + "integration_manager": { + "error_connecting_heading": "Не удалось подключиться к менеджеру интеграций", + "error_connecting": "Менеджер интеграций не работает или не может подключиться к вашему домашнему серверу." + } } diff --git a/src/i18n/strings/sk.json b/src/i18n/strings/sk.json index d9115bb2d7..2c395e7f72 100644 --- a/src/i18n/strings/sk.json +++ b/src/i18n/strings/sk.json @@ -28,12 +28,10 @@ "Moderator": "Moderátor", "Reason": "Dôvod", "Incorrect verification code": "Nesprávny overovací kód", - "No display name": "Žiadne zobrazované meno", "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", - "Failed to change power level": "Nepodarilo sa zmeniť úroveň oprávnenia", "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ť", @@ -53,7 +51,6 @@ "one": "(~%(count)s výsledok)" }, "Join Room": "Vstúpiť do miestnosti", - "Upload avatar": "Nahrať obrázok", "Forget room": "Zabudnúť miestnosť", "Rooms": "Miestnosti", "Low priority": "Nízka priorita", @@ -64,7 +61,6 @@ "Banned by %(displayName)s": "Vstup zakázal %(displayName)s", "unknown error code": "neznámy kód chyby", "Failed to forget room %(errCode)s": "Nepodarilo sa zabudnúť miestnosť %(errCode)s", - "Favourite": "Obľúbiť", "Jump to first unread message.": "Preskočiť na prvú neprečítanú správu.", "not specified": "nezadané", "This room has no local addresses": "Pre túto miestnosť nie sú žiadne lokálne adresy", @@ -74,28 +70,18 @@ "Invalid file%(extra)s": "Neplatný súbor%(extra)s", "Error decrypting image": "Chyba pri dešifrovaní obrázka", "Error decrypting video": "Chyba pri dešifrovaní videa", - "Copied!": "Skopírované!", - "Failed to copy": "Nepodarilo sa skopírovať", "Add an Integration": "Pridať integráciu", "You are about to be taken to a third-party site so you can authenticate your account for use with %(integrationsUrl)s. Do you wish to continue?": "Budete presmerovaní na stránku tretej strany, aby ste mohli overiť svoj účet na použitie s %(integrationsUrl)s. Chcete pokračovať?", "Email address": "Emailová adresa", - "Something went wrong!": "Niečo sa pokazilo!", "Delete Widget": "Vymazať widget", - "Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "Týmto vymažete widget pre všetkých používateľov v tejto miestnosti. Ste si istí, že chcete vymazať tento widget?", - "Delete widget": "Vymazať widget", "Create new room": "Vytvoriť novú miestnosť", "Home": "Domov", - " and %(count)s others": { - "other": " a %(count)s ďalší", - "one": " a jeden ďalší" - }, "%(items)s and %(lastItem)s": "%(items)s a tiež %(lastItem)s", "Custom level": "Vlastná úroveň", "And %(count)s more...": { "other": "A %(count)s ďalších…" }, "Confirm Removal": "Potvrdiť odstránenie", - "Unknown error": "Neznáma chyba", "Deactivate Account": "Deaktivovať účet", "An error has occurred.": "Vyskytla sa chyba.", "Unable to restore session": "Nie je možné obnoviť reláciu", @@ -128,12 +114,8 @@ "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", - "": "", - "Reject all %(invitedRooms)s invites": "Odmietnuť všetky %(invitedRooms)s pozvania", "No Microphones detected": "Neboli rozpoznané žiadne mikrofóny", "No Webcams detected": "Neboli rozpoznané žiadne kamery", - "Notifications": "Oznámenia", - "Profile": "Profil", "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", @@ -163,14 +145,12 @@ "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", "Sunday": "Nedeľa", - "Notification targets": "Ciele oznámení", "Today": "Dnes", "Friday": "Piatok", "Changelog": "Zoznam zmien", "Failed to send logs: ": "Nepodarilo sa odoslať záznamy: ", "This Room": "V tejto miestnosti", "Unavailable": "Nedostupné", - "Source URL": "Pôvodná URL", "Filter results": "Filtrovať výsledky", "Search…": "Hľadať…", "Tuesday": "Utorok", @@ -185,9 +165,7 @@ "Thursday": "Štvrtok", "Logs sent": "Záznamy boli odoslané", "Yesterday": "Včera", - "Low Priority": "Nízka priorita", "Thank you!": "Ďakujeme!", - "Popout widget": "Otvoriť widget v novom okne", "Unable to load event that was replied to, it either does not exist or you do not have permission to view it.": "Nie je možné načítať udalosť odkazovanú v odpovedi. Takáto udalosť buď neexistuje alebo nemáte povolenie na jej zobrazenie.", "Send Logs": "Odoslať záznamy", "Clear Storage and Sign Out": "Vymazať úložisko a odhlásiť sa", @@ -207,7 +185,6 @@ "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.", - "Please contact your homeserver administrator.": "Prosím, kontaktujte správcu domovského servera.", "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.", @@ -224,8 +201,6 @@ "Before submitting logs, you must create a GitHub issue to describe your problem.": "Pred tým, než odošlete záznamy, musíte nahlásiť váš problém na GitHub. Uvedte prosím podrobný popis.", "%(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 teraz vyžaduje 3-5× menej pamäte, pretože informácie o ostatných používateľoch načítava len podľa potreby. Prosím počkajte na dokončenie synchronizácie so serverom!", "Updating %(brand)s": "Prebieha aktualizácia %(brand)s", - "Delete Backup": "Vymazať zálohu", - "Unable to load key backup status": "Nie je možné načítať stav zálohy kľúčov", "Set up": "Nastaviť", "Add some now": "Pridajte si nejaké teraz", "The following users may not exist": "Nasledujúci používatelia pravdepodobne neexistujú", @@ -319,24 +294,16 @@ "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", - "Are you sure? You will lose your encrypted messages if your keys are not backed up properly.": "Ste si istí? Ak nemáte správne zálohované šifrovacie kľúče, prídete o históriu šifrovaných konverzácií.", "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).", - "Restore from Backup": "Obnoviť zo zálohy", "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.", - "All keys backed up": "Všetky kľúče sú zálohované", "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", - "Profile picture": "Obrázok v profile", - "Display Name": "Zobrazované meno", "Email addresses": "Emailové adresy", "Phone numbers": "Telefónne čísla", "Account management": "Správa účtu", - "General": "Všeobecné", "Ignored users": "Ignorovaní používatelia", - "Bulk options": "Hromadné možnosti", - "Accept all %(invitedRooms)s invites": "Prijať všetkých %(invitedRooms)s pozvaní", "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", @@ -363,20 +330,13 @@ "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é.", - "Create account": "Vytvoriť účet", "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.", - "Accept to continue:": "Ak chcete pokračovať, musíte prijať :", "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.", - "Secret storage public key:": "Verejný kľúč bezpečného úložiska:", - "in account data": "v údajoch účtu", - "Cannot connect to integration manager": "Nie je možné sa pripojiť k integračnému serveru", - "The integration manager is offline or it cannot reach your homeserver.": "Integračný server je offline, alebo nemôže pristupovať k domovskému serveru.", - "not stored": "neuložené", "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í", @@ -400,17 +360,11 @@ "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", - "Verify this session": "Overiť túto reláciu", - "Encryption upgrade available": "Je dostupná aktualizácia šifrovania", - "New login. Was this you?": "Nové prihlásenie. Boli ste to vy?", "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í.", "%(name)s (%(userId)s) signed in to a new session without verifying it:": "%(name)s (%(userId)s) sa prihlásil do novej relácie bez jej overenia:", "Ask this user to verify their session, or manually verify it below.": "Poproste tohto používateľa, aby si overil svoju reláciu alebo ju nižšie manuálne overte.", "Not Trusted": "Nedôveryhodné", - "Your homeserver does not support cross-signing.": "Váš domovský server nepodporuje krížové podpisovanie.", - "Your account has a cross-signing identity in secret storage, but it is not yet trusted by this session.": "Váš účet má v tajnom úložisku krížovú podpisovú totožnosť, ale táto relácia jej ešte nedôveruje.", - "Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "Individuálne overte každú používateľskú reláciu a označte ju za dôveryhodnú, bez dôvery krížovo podpísaných zariadení.", "Destroy cross-signing keys?": "Zničiť kľúče na krížové podpisovanie?", "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.": "Zmazanie kľúčov pre krížové podpisovanie je nenávratné. Každý, s kým ste sa overili, bude vidieť bezpečnostné upozornenia. Toto určite nechcete robiť, dokiaľ ste nestratili všetky zariadenia, s ktorými by ste mohli krížovo podpisovať.", "Clear cross-signing keys": "Vyčistiť kľúče na krížové podpisovanie", @@ -424,26 +378,13 @@ "If you can't scan the code above, verify by comparing unique emoji.": "Ak sa vám nepodarí naskenovať uvedený kód, overte pomocou porovnania jedinečných emotikonov.", "Verify by comparing unique emoji.": "Overenie porovnaním jedinečnej kombinácie emotikonov.", "Verify by emoji": "Overiť pomocou emotikonov", - "Later": "Neskôr", - "Other users may not trust it": "Ostatní používatelia jej nemusia dôverovať", "Show more": "Zobraziť viac", - "well formed": "správne vytvorené", - "unexpected type": "neočakávaný typ", - "Securely cache encrypted messages locally for them to appear in search results.": "Bezpečne lokálne ukladať zašifrované správy do vyrovnávacej pamäte, aby sa zobrazovali vo výsledkoch vyhľadávania.", - "%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with search components added.": "%(brand)su chýbajú niektoré komponenty potrebné na bezpečné cachovanie šifrovaných správ lokálne. Pokiaľ chcete experimentovať s touto funkciou, spravte si svoj vlastný %(brand)s Desktop s pridanými vyhľadávacími komponentami.", - "This session is not backing up your keys, but you do have an existing backup you can restore from and add to going forward.": "Táto relácia nezálohuje vaše kľúče, ale máte jednu existujúcu zálohu, ktorú môžete obnoviť a pridať do budúcnosti.", - "Connect this session to key backup before signing out to avoid losing any keys that may only be on this session.": "Pred odhlásením pripojte túto reláciu k zálohe kľúčov, aby ste predišli strate kľúčov, ktoré môžu byť len v tejto relácii.", - "Connect this session to Key Backup": "Pripojiť túto reláciu k Zálohe kľúčov", "This backup is trusted because it has been restored on this session": "Táto záloha je dôveryhodná, lebo už bola načítaná v tejto relácii", - "Your keys are not being backed up from this session.": "Vaše kľúče nie sú zálohované z tejto relácie.", "Your homeserver has exceeded its user limit.": "Na vašom domovskom serveri bol prekročený limit počtu používateľov.", "Your homeserver has exceeded one of its resource limits.": "Na vašom domovskom serveri bol prekročený jeden z limitov systémových zdrojov.", - "Contact your server admin.": "Kontaktujte svojho administrátora serveru.", "Ok": "Ok", - "%(brand)s can't securely cache encrypted messages locally while running in a web browser. Use %(brand)s Desktop for encrypted messages to appear in search results.": "%(brand)s nedokáže bezpečne lokálne ukladať do vyrovnávacej pamäte zašifrované správy, keď je spustený vo webovom prehliadači. Na zobrazenie šifrovaných správ vo výsledkoch vyhľadávania použite %(brand)s Desktop.", "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", - "Message search": "Vyhľadávanie v správach", "Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "Správca vášho servera predvolene vypol end-to-end šifrovanie v súkromných miestnostiach a v priamych správach.", "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", @@ -474,14 +415,10 @@ "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", - "Change notification settings": "Upraviť nastavenia upozornení", "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", - "Hide advanced": "Skryť pokročilé možnosti", - "Show advanced": "Ukázať pokročilé možnosti", "Explore rooms": "Preskúmať miestnosti", - "All settings": "Všetky nastavenia", "Italics": "Kurzíva", "Zimbabwe": "Zimbabwe", "Zambia": "Zambia", @@ -745,26 +682,12 @@ "You cancelled verifying %(name)s": "Zrušili ste overenie používateľa %(name)s", "You cancelled verification.": "Zrušili ste overenie.", "%(name)s wants to verify": "%(name)s chce overiť", - "View source": "Zobraziť zdroj", "Encryption not enabled": "Šifrovanie nie je zapnuté", "Unencrypted": "Nešifrované", "Search spaces": "Hľadať priestory", - "New keyword": "Nové kľúčové slovo", - "Keyword": "Kľúčové slovo", "@mentions & keywords": "@zmienky a kľúčové slová", - "Mentions & keywords": "Zmienky a kľúčové slová", - "Global": "Celosystémové", - "Access": "Prístup", - "Invite people": "Pozvať ľudí", "Room options": "Možnosti miestnosti", "Search for spaces": "Hľadať priestory", - "Updating spaces... (%(progress)s out of %(count)s)": { - "one": "Aktualizácia priestoru...", - "other": "Aktualizácia priestorov... (%(progress)s z %(count)s)" - }, - "Spaces with access": "Priestory s prístupom", - "Spaces": "Priestory", - "Enable desktop notifications": "Povoliť oznámenia na ploche", "You sent a verification request": "Odoslali ste žiadosť o overenie", "Remove %(count)s messages": { "other": "Odstrániť %(count)s správ", @@ -780,7 +703,6 @@ }, "Messages in this room are not end-to-end encrypted.": "Správy v tejto miestnosti nie sú šifrované od vás až k príjemcovi.", "Messages in this room are end-to-end encrypted.": "Správy v tejto miestnosti sú šifrované od vás až k príjemcovi.", - "Show all your rooms in Home, even if they're in a space.": "Zobrazte všetky miestnosti v časti Domov, aj keď sú v priestore.", "Sign out and remove encryption keys?": "Odhlásiť sa a odstrániť šifrovacie kľúče?", "Unable to copy a link to the room to the clipboard.": "Nie je možné skopírovať odkaz na miestnosť do schránky.", "Unable to copy room link": "Nie je možné skopírovať odkaz na miestnosť", @@ -788,23 +710,17 @@ "Remove recent messages by %(user)s": "Odstrániť posledné správy používateľa %(user)s", "Looks good!": "Vyzerá to super!", "Looks good": "Vyzerá to super", - "Algorithm:": "Algoritmus:", "If you can't see who you're looking for, send them your invite link below.": "Ak nevidíte, koho hľadáte, pošlite mu odkaz na pozvánku nižšie.", "Or send invite link": "Alebo pošlite pozvánku", "Recent Conversations": "Nedávne konverzácie", "Start a conversation with someone using their name or username (like ).": "Začnite s niekým konverzáciu pomocou jeho mena alebo používateľského mena (ako napr. ).", "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", - "You can change these anytime.": "Tieto môžete kedykoľvek zmeniť.", "Private space (invite only)": "Súkromný priestor (len pre pozvaných)", "Public space": "Verejný priestor", - "Recommended for public spaces.": "Odporúča sa pre verejné priestory.", - "This may be useful for public spaces.": "To môže byť užitočné pre verejné priestory.", "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.", - "Cross-signing is ready for use.": "Krížové podpisovanie je pripravené na použitie.", - "Back up your encryption keys with your account data in case you lose access to your sessions. Your keys will be secured with a unique Security Key.": "Zálohujte si šifrovacie kľúče s údajmi o účte pre prípad, že stratíte prístup k reláciám. Vaše kľúče budú zabezpečené jedinečným bezpečnostným kľúčom.", "The authenticity of this encrypted message can't be guaranteed on this device.": "Vierohodnosť tejto zašifrovanej správy nie je možné na tomto zariadení zaručiť.", "You're all caught up.": "Všetko ste už stihli.", "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.", @@ -836,16 +752,12 @@ "Verify User": "Overiť používateľa", "Start chatting": "Začať konverzáciu", "Verification Request": "Žiadosť o overenie", - "Widget ID": "ID widgetu", - "Room ID": "ID miestnosti", "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ť", - "Rotate Right": "Otočiť doprava", - "Rotate Left": "Otočiť doľava", "Reason: %(reason)s": "Dôvod: %(reason)s", "Sign Up": "Zaregistrovať sa", "Cancel All": "Zrušiť všetky", @@ -853,15 +765,11 @@ "Chat": "Konverzácia", "Developer": "Vývojárske", "Experimental": "Experimentálne", - "Sidebar": "Bočný panel", "Downloading": "Preberanie", "MB": "MB", "Results": "Výsledky", - "More": "Viac", "Decrypting": "Dešifrovanie", - "Visibility": "Viditeľnosť", "Sent": "Odoslané", - "Connecting": "Pripájanie", "Sending": "Odosielanie", "Avatar": "Obrázok", "Accepting…": "Akceptovanie…", @@ -893,7 +801,6 @@ "Leave all rooms": "Opustiť všetky miestnosti", "Don't leave any rooms": "Neopustiť žiadne miestnosti", "Would you like to leave the rooms in this space?": "Chcete opustiť miestnosti v tomto priestore?", - "Favourited": "Obľúbené", "Error processing voice message": "Chyba pri spracovaní hlasovej správy", "Send voice message": "Odoslať hlasovú správu", "Invited people will be able to read old messages.": "Pozvaní ľudia si budú môcť prečítať staré správy.", @@ -917,15 +824,10 @@ "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", - "Space members": "Členovia priestoru", "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", - "Anyone in can find and join. You can select other spaces too.": "Ktokoľvek v môže nájsť a pripojiť sa. Môžete vybrať aj iné priestory.", - "Anyone in a space can find and join. Edit which spaces can access here.": "Každý v priestore môže nájsť a pripojiť sa. Upravte, ktoré priestory sem môžu mať prístup.", - "Anyone in a space can find and join. You can select multiple spaces.": "Každý, kto sa nachádza v priestore, môže nájsť a pripojiť sa. Môžete vybrať viacero priestorov.", - "Decide who can view and join %(spaceName)s.": "Určite, kto môže zobrazovať a pripájať sa k %(spaceName)s.", "Local Addresses": "Lokálne adresy", "This space has no local addresses": "Tento priestor nemá žiadne lokálne adresy", "No other published addresses yet, add one below": "Zatiaľ neboli zverejnené žiadne ďalšie adresy, pridajte ich nižšie", @@ -935,8 +837,6 @@ "Published Addresses": "Zverejnené adresy", "Export chat": "Exportovať konverzáciu", "Copy link to thread": "Kopírovať odkaz na vlákno", - "Copy room link": "Kopírovať odkaz na miestnosť", - "Widgets do not use message encryption.": "Widgety nepoužívajú šifrovanie správ.", "Add widgets, bridges & bots": "Pridať widgety, premostenia a boty", "Edit widgets, bridges & bots": "Upraviť widgety, premostenia a boty", "Show Widgets": "Zobraziť widgety", @@ -952,21 +852,11 @@ "Upload files": "Nahrať súbory", "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", - "Report": "Nahlásiť", - "not ready": "nie je pripravené", - "ready": "pripravené", "Invite to %(roomName)s": "Pozvať do miestnosti %(roomName)s", - "Securely cache encrypted messages locally for them to appear in search results, using %(size)s to store messages from %(rooms)s rooms.": { - "one": "Bezpečné lokálne ukladanie zašifrovaných správ do vyrovnávacej pamäte, aby sa zobrazovali vo výsledkoch vyhľadávania, použijúc %(size)s na ukladanie správ z %(rooms)s miestnosti.", - "other": "Bezpečné lokálne ukladanie zašifrovaných správ do vyrovnávacej pamäte, aby sa zobrazovali vo výsledkoch vyhľadávania, použijúc %(size)s na ukladanie správ z %(rooms)s miestností." - }, "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.", - "Secret storage:": "Tajné úložisko:", - "Backup key stored:": "Záložný kľúč uložený:", "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.", - "Set up Secure Backup": "Nastaviť bezpečné zálohovanie", "View all %(count)s members": { "one": "Zobraziť 1 člena", "other": "Zobraziť všetkých %(count)s členov" @@ -985,10 +875,6 @@ "Create key backup": "Vytvoriť zálohu kľúča", "Integrations not allowed": "Integrácie nie sú povolené", "Integrations are disabled": "Integrácie sú zakázané", - "Remove for everyone": "Odstrániť pre všetkých", - "Widget added by": "Widget pridaný používateľom", - "Your user ID": "Vaše ID používateľa", - "Your display name": "Vaše zobrazované meno", "You verified %(name)s": "Overili ste používateľa %(name)s", "Clear all data": "Vymazať všetky údaje", " invited you": " vás pozval/a", @@ -1010,15 +896,10 @@ "Search for rooms": "Hľadať miestnosti", "Message search initialisation failed, check your settings for more information": "Inicializácia vyhľadávania správ zlyhala, pre viac informácií skontrolujte svoje nastavenia", "Cancel search": "Zrušiť vyhľadávanie", - "Message search initialisation failed": "Inicializácia vyhľadávania správ zlyhala", - "Search %(spaceName)s": "Hľadať %(spaceName)s", - "Using this widget may share data with %(widgetDomain)s.": "Používanie tohto widgetu môže zdieľať údaje s %(widgetDomain)s.", - "Using this widget may share data with %(widgetDomain)s & your integration manager.": "Používanie tohto widgetu môže zdieľať údaje s %(widgetDomain)s a správcom integrácie.", "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.": "Overte toto zariadenie a označte ho ako dôveryhodné. Dôveryhodnosť tohto zariadenia poskytuje vám a ostatným používateľom väčší pokoj pri používaní end-to-end šifrovaných správ.", "Use the Desktop app to search encrypted messages": "Použite Desktop aplikáciu na vyhľadávanie zašifrovaných správ", "Not encrypted": "Nie je zašifrované", "In encrypted rooms, your messages are secured and only you and the recipient have the unique keys to unlock them.": "V šifrovaných miestnostiach sú vaše správy zabezpečené a jedinečné kľúče na ich odomknutie máte len vy a príjemca.", - "This widget may use cookies.": "Tento widget môže používať súbory cookie.", "Close dialog": "Zavrieť dialógové okno", "Close this widget to view it in this panel": "Zatvorte tento widget a zobrazíte ho na tomto paneli", "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.", @@ -1027,17 +908,14 @@ "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", - "Revoke permissions": "Odvolať oprávnenia", "Could not revoke the invite. The server may be experiencing a temporary problem or you do not have sufficient permissions to revoke the invite.": "Pozvánku nebolo možné odvolať. Na serveri môže byť dočasný problém alebo nemáte dostatočné oprávnenia na odvolanie pozvánky.", "Failed to revoke invite": "Nepodarilo sa odvolať pozvánku", "Set my room layout for everyone": "Nastavenie rozmiestnenie v mojej miestnosti pre všetkých", "Try scrolling up in the timeline to see if there are any earlier ones.": "Skúste sa posunúť nahor na časovej osi a pozrite sa, či tam nie sú nejaké skoršie.", - "Upgrade required": "Vyžaduje sa aktualizácia", "Automatically invite members from this room to the new one": "Automaticky pozvať členov z tejto miestnosti do novej", "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.": "Zvyčajne to ovplyvňuje len spôsob spracovania miestnosti na serveri. Ak máte problémy s vaším %(brand)s, nahláste prosím chybu.", "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.": "Zvyčajne to ovplyvňuje len spôsob spracovania miestnosti na serveri. Ak máte problémy s %(brand)s, nahláste prosím chybu.", "Please note upgrading will make a new version of the room. All current messages will stay in this archived room.": "Vezmite prosím na vedomie, že aktualizácia vytvorí novú verziu miestnosti. Všetky aktuálne správy zostanú v tejto archivovanej miestnosti.", - "This upgrade will allow members of selected spaces access to this room without an invite.": "Táto aktualizácia umožní členom vybraných priestorov prístup do tejto miestnosti bez pozvánky.", "%(name)s cancelled": "%(name)s zrušil/a", "The poll has ended. No votes were cast.": "Anketa sa skončila. Nebol odovzdaný žiadny hlas.", "There was a problem communicating with the server. Please try again.": "Nastal problém pri komunikácii so serverom. Skúste to prosím znova.", @@ -1051,11 +929,8 @@ "Leave space": "Opustiť priestor", "You are about to leave .": "Chystáte sa opustiť .", "Leave %(spaceName)s": "Opustiť %(spaceName)s", - "Leave Space": "Opustiť priestor", "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í", - "Share anonymous data to help us identify issues. Nothing personal. No third parties.": "Zdieľajte anonymné údaje, ktoré nám pomôžu identifikovať problémy. Nič osobné. Žiadne tretie strany.", - "Backup key cached:": "Záložný kľúč v medzipamäti:", "Home options": "Možnosti domovskej obrazovky", "Failed to connect to integration manager": "Nepodarilo sa pripojiť k správcovi integrácie", "You accepted": "Prijali ste", @@ -1075,9 +950,7 @@ "Ask %(displayName)s to scan your code:": "Požiadajte %(displayName)s, aby naskenoval váš kód:", "Are you sure you want to leave the space '%(spaceName)s'?": "Ste si istí, že chcete opustiť priestor '%(spaceName)s'?", "Approve widget permissions": "Schváliť oprávnenia widgetu", - "Application window": "Okno aplikácie", "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 .", - "Any of the following data may be shared:": "Zdieľané môžu byť niektoré z nasledujúcich údajov:", "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?", @@ -1112,16 +985,11 @@ "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:", - "%(brand)s URL": "%(brand)s URL", - "Your theme": "Váš vzhľad", "Currently joining %(count)s rooms": { "other": "Momentálne ste pripojení k %(count)s miestnostiam", "one": "Momentálne ste pripojení k %(count)s miestnosti" }, - "Show all rooms": "Zobraziť všetky miestnosti", - "Forget Room": "Zabudnúť miestnosť", "Forget this room": "Zabudnúť túto miestnosť", - "Show preview": "Zobraziť náhľad", "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ť?", @@ -1129,20 +997,11 @@ "one": "Zobraziť %(count)s ďalší náhľad", "other": "Zobraziť %(count)s ďalších náhľadov" }, - "Allow people to preview your space before they join.": "Umožnite ľuďom prezrieť si váš priestor predtým, ako sa k vám pripoja.", - "Preview Space": "Prehľad priestoru", "Start new chat": "Spustiť novú konverzáciu", "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", - "Loading new room": "Načítanie novej miestnosti", - "& %(count)s more": { - "one": "a %(count)s viac", - "other": "& %(count)s viac" - }, "Unknown failure: %(reason)s": "Neznáma chyba: %(reason)s", - "Collapse reply thread": "Zbaliť vlákno odpovedí", "Nothing pinned, yet": "Zatiaľ nie je nič pripnuté", - "Start audio stream": "Spustiť zvukový prenos", "Recently visited rooms": "Nedávno navštívené miestnosti", "Enter Security Key": "Zadajte bezpečnostný kľúč", "Enter Security Phrase": "Zadať bezpečnostnú frázu", @@ -1152,34 +1011,20 @@ "Wrong Security Key": "Nesprávny bezpečnostný kľúč", "Open dial pad": "Otvoriť číselník", "Continuing without email": "Pokračovanie bez e-mailu", - "Take a picture": "Urobiť fotografiu", "Wrong file type": "Nesprávny typ súboru", "Device verified": "Zariadenie overené", - "Room members": "Členovia miestnosti", "End Poll": "Ukončiť anketu", - "Share location": "Zdieľať polohu", - "Mentions only": "Iba zmienky", "%(count)s reply": { "one": "%(count)s odpoveď", "other": "%(count)s odpovedí" }, - "Sending invites... (%(progress)s out of %(count)s)": { - "one": "Odosielanie pozvánky...", - "other": "Odosielanie pozvánok... (%(progress)s z %(count)s)" - }, - "Upgrading room": "Aktualizácia miestnosti", "Unknown failure": "Neznáme zlyhanie", - "Delete avatar": "Vymazať obrázok", - "Show sidebar": "Zobraziť bočný panel", - "Hide sidebar": "Skryť bočný panel", "Stop recording": "Zastaviť nahrávanie", "Missed call": "Zmeškaný hovor", "Call declined": "Hovor odmietnutý", - "Share content": "Zdieľať obsah", "Call back": "Zavolať späť", "Connection failed": "Pripojenie zlyhalo", "Pinned messages": "Pripnuté správy", - "Use app": "Použiť aplikáciu", "Remember this": "Zapamätať si toto", "Dial pad": "Číselník", "Decline All": "Zamietnuť všetky", @@ -1206,8 +1051,6 @@ "Reset everything": "Obnoviť všetko", "View message": "Zobraziť správu", "We couldn't create your DM.": "Nemohli sme vytvoriť vašu priamu správu.", - "unknown person": "neznáma osoba", - "%(deviceId)s from %(ip)s": "%(deviceId)s z %(ip)s", " invites you": " vás pozýva", "No results found": "Nenašli sa žiadne výsledky", "%(count)s rooms": { @@ -1221,15 +1064,10 @@ }, "Failed to start livestream": "Nepodarilo sa spustiť livestream", "Unable to start audio streaming.": "Nie je možné spustiť streamovanie zvuku.", - "Save Changes": "Uložiť zmeny", - "Edit settings relating to your space.": "Upravte nastavenia týkajúce sa vášho priestoru.", - "Failed to save space settings.": "Nepodarilo sa uložiť nastavenia priestoru.", "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", - "Share invite link": "Zdieľať odkaz na pozvánku", - "Click to copy": "Kliknutím skopírujete", "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.", @@ -1245,7 +1083,6 @@ "Enter a server name": "Zadajte názov servera", "Scroll to most recent messages": "Prejsť na najnovšie správy", "There was an error updating the room's alternative addresses. It may not be allowed by the server or a temporary failure occurred.": "Pri aktualizácii alternatívnych adries miestnosti došlo k chybe. Nemusí to byť povolené serverom alebo došlo k dočasnému zlyhaniu.", - "Mark all as read": "Označiť všetko ako prečítané", "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", @@ -1279,18 +1116,11 @@ "No votes cast": "Žiadne odovzdané hlasy", "Thread options": "Možnosti vlákna", "Server Options": "Možnosti servera", - "Space options": "Možnosti priestoru", - "More options": "Ďalšie možnosti", - "Pin to sidebar": "Pripnúť na bočný panel", - "Quick settings": "Rýchle nastavenia", "Themes": "Vzhľad", "Moderation": "Moderovanie", "Access your secure message history and set up secure messaging by entering your Security Key.": "Získajte prístup k histórii zabezpečených správ a nastavte bezpečné zasielanie správ zadaním bezpečnostného kľúča.", "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", - "Rooms outside of a space": "Miestnosti mimo priestoru", - "Home is useful for getting an overview of everything.": "Domov je užitočný na získanie prehľadu o všetkom.", - "Spaces to show": "Priestory na zobrazenie", "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.", @@ -1323,8 +1153,6 @@ "The following users might not exist or are invalid, and cannot be invited: %(csvNames)s": "Nasledujúci používatelia nemusia existovať alebo sú neplatní a nemožno ich pozvať: %(csvNames)s", "Failed to find the following users": "Nepodarilo sa nájsť týchto používateľov", "You have ignored this user, so their message is hidden. Show anyways.": "Tohto používateľa ste ignorovali, takže jeho správa je skrytá. Ukázať aj tak.", - "Jump to first invite.": "Prejsť na prvú pozvánku.", - "Jump to first unread room.": "Preskočiť na prvú neprečítanú miestnosť.", "This client does not support end-to-end encryption.": "Tento klient nepodporuje end-to-end šifrovanie.", "Failed to deactivate user": "Nepodarilo sa deaktivovať používateľa", "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.", @@ -1339,7 +1167,6 @@ "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", - "The operation could not be completed": "Operáciu nebolo možné dokončiť", "Recently viewed": "Nedávno zobrazené", "Link to room": "Odkaz na miestnosť", "Spaces you're in": "Priestory, v ktorých sa nachádzate", @@ -1348,8 +1175,6 @@ "Missing domain separator e.g. (:domain.org)": "Chýbajúci oddeľovač domény, napr. (:domena.sk)", "Missing room name or separator e.g. (my-room:domain.org)": "Chýbajúci názov miestnosti alebo oddeľovač, napr. (moja-miestnost:domena.sk)", "This address had invalid server or is already in use": "Táto adresa mala neplatný server alebo sa už používa", - "Back to chat": "Späť na konverzáciu", - "Back to thread": "Späť na vlákno", "Almost there! Is your other device showing the same shield?": "Už je to takmer hotové! Zobrazuje vaše druhé zariadenie rovnaký štít?", "You cancelled verification on your other device.": "Zrušili ste overovanie na vašom druhom zariadení.", "Unable to verify this device": "Nie je možné overiť toto zariadenie", @@ -1358,10 +1183,6 @@ "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", - "Spaces are ways to group rooms and people. Alongside the spaces you're in, you can use some pre-built ones too.": "Priestory sú spôsoby zoskupovania miestností a ľudí. Popri priestoroch, v ktorých sa nachádzate, môžete použiť aj niektoré predpripravené priestory.", - "Group all your favourite rooms and people in one place.": "Zoskupte všetky vaše obľúbené miestnosti a ľudí na jednom mieste.", - "Group all your people in one place.": "Zoskupte všetkých ľudí na jednom mieste.", - "Group all your rooms that aren't part of a space in one place.": "Zoskupte všetky miestnosti, ktoré nie sú súčasťou priestoru, na jednom mieste.", "The beginning of the room": "Začiatok miestnosti", "Jump to date": "Prejsť na dátum", "Pick a date to jump to": "Vyberte dátum, na ktorý chcete prejsť", @@ -1397,8 +1218,6 @@ "Reset event store": "Obnoviť úložisko udalostí", "You most likely do not want to reset your event index store": "S najväčšou pravdepodobnosťou nechcete obnoviť indexové úložisko udalostí", "Reset event store?": "Obnoviť úložisko udalostí?", - "Your server isn't responding to some requests.": "Váš server neodpovedá na niektoré požiadavky.", - "Error loading Widget": "Chyba pri načítaní widgetu", "Can't load this message": "Nemožno načítať túto správu", "Error processing audio message": "Chyba pri spracovaní hlasovej správy", "Some encryption parameters have been changed.": "Niektoré parametre šifrovania boli zmenené.", @@ -1413,33 +1232,15 @@ "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.", - "There was an error loading your notification settings.": "Pri načítaní nastavení oznámení došlo k chybe.", - "This room is in some spaces you're not an admin of. In those spaces, the old room will still be shown, but people will be prompted to join the new one.": "Táto miestnosť sa nachádza v niektorých priestoroch, ktorých nie ste správcom. V týchto priestoroch bude stará miestnosť stále zobrazená, ale ľudia budú vyzvaní, aby sa pripojili k novej miestnosti.", - "Currently, %(count)s spaces have access": { - "one": "V súčasnosti má priestor prístup", - "other": "V súčasnosti má prístup %(count)s priestorov" - }, - "Failed to update the visibility of this space": "Nepodarilo sa aktualizovať viditeľnosť tohto priestoru", - "Guests can join a space without having an account.": "Hostia sa môžu pripojiť k priestoru bez toho, aby mali konto.", - "Enable guest access": "Zapnúť prístup pre hostí", - "Failed to update the history visibility of this space": "Nepodarilo sa aktualizovať viditeľnosť histórie tohto priestoru", - "Failed to update the guest access of this space": "Nepodarilo sa aktualizovať hosťovský prístup do tohto priestoru", - "Invite with email or username": "Pozvať pomocou e-mailu alebo používateľského mena", - "Safeguard against losing access to encrypted messages & data": "Zabezpečte sa proti strate šifrovaných správ a údajov", - "Use app for a better experience": "Použite aplikáciu pre lepší zážitok", - "Review to ensure your account is safe": "Skontrolujte, či je vaše konto bezpečné", - "Cross-signing is not set up.": "Krížové podpisovanie nie je nastavené.", "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", "Video conference updated by %(senderName)s": "Videokonferencia aktualizovaná používateľom %(senderName)s", "Video conference started by %(senderName)s": "Videokonferencia spustená používateľom %(senderName)s", - "Failed to save your profile": "Nepodarilo sa uložiť váš profil", "You can only pin up to %(count)s widgets": { "other": "Môžete pripnúť iba %(count)s widgetov" }, "No answer": "Žiadna odpoveď", - "Cross-signing is ready but keys are not backed up.": "Krížové podpisovanie je pripravené, ale kľúče nie sú zálohované.", "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", @@ -1456,8 +1257,6 @@ "Not all selected were added": "Neboli pridané všetky vybrané", "Want to add a new space instead?": "Chcete namiesto toho pridať nový priestor?", "You are not allowed to view this server's rooms list": "Nemáte povolené zobraziť zoznam miestností tohto servera", - "Share entire screen": "Zdieľať celú obrazovku", - "Error - Mixed content": "Chyba - Zmiešaný obsah", "Failed to get autodiscovery configuration from server": "Nepodarilo sa získať nastavenie automatického zisťovania zo servera", "Sections to show": "Sekcie na zobrazenie", "This address does not point at this room": "Táto adresa nesmeruje do tejto miestnosti", @@ -1493,8 +1292,6 @@ "From a thread": "Z vlákna", "Transfer": "Presmerovať", "A call can only be transferred to a single user.": "Hovor je možné presmerovať len na jedného používateľa.", - "Move right": "Presun doprava", - "Move left": "Presun doľava", "Unban from %(roomName)s": "Zrušiť zákaz vstup do %(roomName)s", "Ban from %(roomName)s": "Zakázať vstup do %(roomName)s", "Proceed with reset": "Pokračovať v obnovení", @@ -1533,19 +1330,15 @@ "Collapse quotes": "Zbaliť citácie", "Expand quotes": "Rozbaliť citácie", "Click": "Kliknúť", - "Click to drop a pin": "Kliknutím umiestníte špendlík", - "Click to move the pin": "Kliknutím presuniete špendlík", "Unban them from everything I'm able to": "Zrušiť im zákaz zo všetkého, na čo mám oprávnenie", "Ban them from everything I'm able to": "Zakázať im všetko, na čo mám oprávnenie", "Unban them from specific things I'm able to": "Zrušiť im zákaz z konkrétnych právomocí, na ktoré mám oprávnenie", "Ban them from specific things I'm able to": "Zakázať im konkrétne právomoci, na ktoré mám oprávnenie", "Can't create a thread from an event with an existing relation": "Nie je možné vytvoriť vlákno z udalosti s existujúcim vzťahom", - "Match system": "Zhoda so systémom", "Joined": "Ste pripojený", "Resend %(unsentCount)s reaction(s)": "Opätovné odoslanie %(unsentCount)s reakcií", "Consult first": "Najprv konzultovať", "Disinvite from %(roomName)s": "Zrušenie pozvania z %(roomName)s", - "Don't miss a reply": "Nezmeškajte odpoveď", "You are sharing your live location": "Zdieľate svoju polohu v reálnom čase", "%(displayName)s's live location": "Poloha používateľa %(displayName)s v reálnom čase", "Uncheck if you also want to remove system messages on this user (e.g. membership change, profile change…)": "Zrušte označenie, ak chcete odstrániť aj systémové správy o tomto používateľovi (napr. zmena členstva, zmena profilu...)", @@ -1558,10 +1351,8 @@ "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" }, - "Share for %(duration)s": "Zdieľať na %(duration)s", "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.", - "%(brand)s is experimental on a mobile web browser. For a better experience and the latest features, use our free native app.": "%(brand)s je v mobilnej verzii experimentálny. Ak chcete získať lepší zážitok a najnovšie funkcie, použite našu bezplatnú natívnu aplikáciu.", "%(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á.", @@ -1577,11 +1368,6 @@ "Forget this space": "Zabudnúť tento priestor", "You were removed by %(memberName)s": "Odstránil vás %(memberName)s", "Loading preview": "Načítavanie náhľadu", - "Failed to join": "Nepodarilo sa pripojiť", - "The person who invited you has already left, or their server is offline.": "Osoba, ktorá vás pozvala, už odišla alebo je jej server vypnutý.", - "The person who invited you has already left.": "Osoba, ktorá vás pozvala, už odišla.", - "Sorry, your homeserver is too old to participate here.": "Prepáčte, ale váš domovský server je príliš zastaralý na to, aby sa tu mohol zúčastniť.", - "There was an error joining.": "Pri pripájaní došlo k chybe.", "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", @@ -1625,9 +1411,6 @@ "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", - "Enable live location sharing": "Povoliť zdieľanie polohy v reálnom čase", - "Please note: this is a labs feature using a temporary implementation. This means you will not be able to delete your location history, and advanced users will be able to see your location history even after you stop sharing your live location with this room.": "Upozornenie: ide o funkciu laboratórií, ktorá sa používa dočasne. To znamená, že nebudete môcť vymazať históriu svojej polohy a pokročilí používatelia budú môcť vidieť históriu vašej polohy aj po tom, ako prestanete zdieľať svoju živú polohu s touto miestnosťou.", - "Live location sharing": "Zdieľanie polohy v reálnom čase", "%(members)s and %(last)s": "%(members)s a %(last)s", "%(members)s and more": "%(members)s a ďalší", "Open room": "Otvoriť miestnosť", @@ -1645,16 +1428,8 @@ "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…", - "%(count)s people joined": { - "one": "%(count)s človek sa pripojil", - "other": "%(count)s ľudí sa pripojilo" - }, - "View related event": "Zobraziť súvisiacu udalosť", "Read receipts": "Potvrdenia o prečítaní", - "You were disconnected from the call. (Error: %(message)s)": "Boli ste odpojení od hovoru. (Chyba: %(message)s)", - "Connection lost": "Strata spojenia", "Deactivating your account is a permanent action — be careful!": "Deaktivácia účtu je trvalý úkon — buďte opatrní!", - "Un-maximise": "Zrušiť maximalizáciu", "When you sign out, these keys will be deleted from this device, which means you won't be able to read encrypted messages unless you have the keys for them on your other devices, or backed them up to the server.": "Po odhlásení sa tieto kľúče z tohto zariadenia vymažú, čo znamená, že nebudete môcť čítať zašifrované správy, pokiaľ k nim nemáte kľúče v iných zariadeniach alebo ich nemáte zálohované na serveri.", "%(count)s Members": { "other": "%(count)s členov", @@ -1691,21 +1466,14 @@ "Saved Items": "Uložené položky", "Choose a locale": "Vyberte si jazyk", "We're creating a room with %(names)s": "Vytvárame miestnosť s %(names)s", - "Sessions": "Relácie", - "For best security, verify your sessions and sign out from any session that you don't recognize or use anymore.": "V záujme čo najlepšieho zabezpečenia, overte svoje relácie a odhláste sa z každej relácie, ktorú už nepoznáte alebo nepoužívate.", "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", - "You do not have permission to start voice calls": "Nemáte povolenie na spustenie hlasových hovorov", - "There's no one here to call": "Nie je tu nikto, komu by ste mohli zavolať", - "You do not have permission to start video calls": "Nemáte povolenie na spustenie videohovorov", - "Ongoing call": "Prebiehajúci hovor", "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", - "Unknown room": "Neznáma miestnosť", "Close call": "Zavrieť hovor", "Room info": "Informácie o miestnosti", "View chat timeline": "Zobraziť časovú os konverzácie", @@ -1716,7 +1484,6 @@ "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", - "Sorry — this call is currently full": "Prepáčte — tento hovor je momentálne obsadený", "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", @@ -1735,10 +1502,6 @@ "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", - "Are you sure you want to sign out of %(count)s sessions?": { - "one": "Ste si istí, že sa chcete odhlásiť z %(count)s relácie?", - "other": "Ste si istí, že sa chcete odhlásiť z %(count)s relácií?" - }, "Show formatting": "Zobraziť formátovanie", "Hide formatting": "Skryť formátovanie", "Error downloading image": "Chyba pri sťahovaní obrázku", @@ -1757,15 +1520,10 @@ "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: ", - "You have unverified sessions": "Máte neoverené relácie", "Change layout": "Zmeniť rozloženie", - "Search users in this room…": "Vyhľadať používateľov v tejto miestnosti…", - "Give one or multiple users in this room more privileges": "Prideliť jednému alebo viacerým používateľom v tejto miestnosti viac oprávnení", - "Add privileged users": "Pridať oprávnených používateľov", "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", - "Mark as read": "Označiť ako prečítané", "Text": "Text", "Create a link": "Vytvoriť odkaz", "You can't start a voice message as you are currently recording a live broadcast. Please end your live broadcast in order to start recording a voice message.": "Nemôžete spustiť hlasovú správu, pretože práve nahrávate živé vysielanie. Ukončite prosím živé vysielanie, aby ste mohli začať nahrávať hlasovú správu.", @@ -1776,9 +1534,6 @@ "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", - "Red": "Červená", - "Grey": "Sivá", - "This session is backing up your keys.": "Táto relácia zálohuje vaše kľúče.", "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…", @@ -1801,10 +1556,6 @@ "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…", - "Backing up %(sessionsRemaining)s keys…": "Zálohovanie %(sessionsRemaining)s kľúčov…", - "Connecting to integration manager…": "Pripájanie k správcovi integrácie…", - "Saving…": "Ukladanie…", - "Creating…": "Vytváranie…", "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.", @@ -1812,10 +1563,7 @@ "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ť", "The sender has blocked you from receiving this message": "Odosielateľ vám zablokoval príjem tejto správy", - "Yes, it was me": "Áno, bol som to ja", "Answered elsewhere": "Hovor prijatý inde", - "If you know a room address, try joining through that instead.": "Ak poznáte adresu miestnosti, skúste sa pripojiť prostredníctvom nej.", - "You attempted to join using a room ID without providing a list of servers to join through. Room IDs are internal identifiers and cannot be used to join a room without additional information.": "Pokúsili ste sa pripojiť pomocou ID miestnosti bez uvedenia zoznamu serverov, cez ktoré sa môžete pripojiť. ID miestností sú interné identifikátory a bez ďalších informácií ich nemožno použiť na pripojenie k miestnosti.", "View poll": "Zobraziť anketu", "There are no past polls for the past %(count)s days. Load more polls to view polls for previous months": { "one": "Za posledný deň nie sú k dispozícii žiadne minulé ankety. Načítaním ďalších ankiet zobrazíte ankety za predchádzajúce mesiace", @@ -1831,10 +1579,7 @@ "Past polls": "Predchádzajúce ankety", "Active polls": "Aktívne ankety", "View poll in timeline": "Zobraziť anketu na časovej osi", - "Verify Session": "Overiť reláciu", - "Ignore (%(counter)s)": "Ignorovať (%(counter)s)", "Invites by email can only be sent one at a time": "Pozvánky e-mailom sa môžu posielať len po jednej", - "An error occurred when updating your notification preferences. Please try to toggle your option again.": "Pri aktualizácii vašich predvolieb oznámení došlo k chybe. Skúste prosím prepnúť možnosť znova.", "Desktop app logo": "Logo aplikácie pre stolové počítače", "Requires your server to support the stable version of MSC3827": "Vyžaduje, aby váš server podporoval stabilnú verziu MSC3827", "Message from %(user)s": "Správa od %(user)s", @@ -1848,25 +1593,19 @@ "We were unable to find an event looking forwards from %(dateString)s. Try choosing an earlier date.": "Nepodarilo sa nám nájsť udalosť od dátumu %(dateString)s. Skúste vybrať skorší dátum.", "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.": "Pri pokuse nájsť a prejsť na daný dátum došlo k sieťovej chybe. Váš domovský server môže byť vypnutý alebo sa vyskytol len dočasný problém s internetovým pripojením. Skúste to prosím znova. Ak to bude pokračovať, obráťte sa na správcu domovského servera.", "Poll history": "História ankety", - "Mute room": "Stlmiť miestnosť", - "Match default setting": "Rovnaké ako predvolené nastavenie", "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", - "Image view": "Prehľad obrázkov", "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)", - "Failed to download source media, no source url was found": "Nepodarilo sa stiahnuť zdrojové médium, nebola nájdená žiadna zdrojová url adresa", "Once invited users have joined %(brand)s, you will be able to chat and the room will be end-to-end encrypted": "Keď sa pozvaní používatelia pripoja k aplikácii %(brand)s, budete môcť konverzovať a miestnosť bude end-to-end šifrovaná", "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", - "Your language": "Váš jazyk", - "Your device ID": "ID vášho zariadenia", "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", @@ -1876,8 +1615,6 @@ "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.", - "Ask to join": "Požiadať o pripojenie", - "People cannot join unless access is granted.": "Ľudia sa nemôžu pripojiť, pokiaľ im nebude udelený prístup.", "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á", @@ -1893,7 +1630,6 @@ "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.", - "Your profile picture URL": "Vaša URL adresa profilového obrázka", "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", @@ -1907,8 +1643,6 @@ "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á", - "You need an invite to access this room.": "Na prístup do tejto miestnosti potrebujete pozvánku.", - "Failed to cancel": "Nepodarilo sa zrušiť", "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.", @@ -2013,7 +1747,15 @@ "off": "Zakázané", "all_rooms": "Všetky miestnosti", "deselect_all": "Zrušiť výber všetkých", - "select_all": "Vybrať všetky" + "select_all": "Vybrať všetky", + "copied": "Skopírované!", + "advanced": "Pokročilé", + "spaces": "Priestory", + "general": "Všeobecné", + "saving": "Ukladanie…", + "profile": "Profil", + "display_name": "Zobrazované meno", + "user_avatar": "Obrázok v profile" }, "action": { "continue": "Pokračovať", @@ -2116,7 +1858,10 @@ "clear": "Vyčistiť", "exit_fullscreeen": "Ukončiť režim celej obrazovky", "enter_fullscreen": "Prejsť na celú obrazovku", - "unban": "Povoliť vstup" + "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" }, "a11y": { "user_menu": "Používateľské menu", @@ -2128,7 +1873,8 @@ "other": "%(count)s neprečítaných správ.", "one": "1 neprečítaná správa." }, - "unread_messages": "Neprečítané správy." + "unread_messages": "Neprečítané správy.", + "jump_first_invite": "Prejsť na prvú pozvánku." }, "labs": { "video_rooms": "Video miestnosti", @@ -2322,7 +2068,6 @@ "user_a11y": "Automatické dopĺňanie používateľov" } }, - "Bold": "Tučné", "Link": "Odkaz", "Code": "Kód", "power_level": { @@ -2430,7 +2175,8 @@ "intro_byline": "Vlastnite svoje konverzácie.", "send_dm": "Poslať priamu správu", "explore_rooms": "Preskúmať verejné miestnosti", - "create_room": "Vytvoriť skupinovú konverzáciu" + "create_room": "Vytvoriť skupinovú konverzáciu", + "create_account": "Vytvoriť účet" }, "settings": { "show_breadcrumbs": "Zobraziť skratky nedávno zobrazených miestnosti nad zoznamom miestností", @@ -2497,7 +2243,10 @@ "noisy": "Hlasné", "error_permissions_denied": "%(brand)s nemá udelené povolenie, aby vám mohol posielať oznámenia - Prosím, skontrolujte nastavenia vašeho prehliadača", "error_permissions_missing": "Aplikácii %(brand)s nebolo udelené povolenie potrebné pre posielanie oznámení - prosím, skúste to znovu", - "error_title": "Nie je možné povoliť oznámenia" + "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." }, "appearance": { "layout_irc": "IRC (experimentálne)", @@ -2571,7 +2320,44 @@ "cryptography_section": "Kryptografia", "session_id": "ID relácie:", "session_key": "Kľúč relácie:", - "encryption_section": "Šifrovanie" + "encryption_section": "Šifrovanie", + "bulk_options_section": "Hromadné možnosti", + "bulk_options_accept_all_invites": "Prijať všetkých %(invitedRooms)s pozvaní", + "bulk_options_reject_all_invites": "Odmietnuť všetky %(invitedRooms)s pozvania", + "message_search_section": "Vyhľadávanie v správach", + "analytics_subsection_description": "Zdieľajte anonymné údaje, ktoré nám pomôžu identifikovať problémy. Nič osobné. Žiadne tretie strany.", + "encryption_individual_verification_mode": "Individuálne overte každú používateľskú reláciu a označte ju za dôveryhodnú, bez dôvery krížovo podpísaných zariadení.", + "message_search_enabled": { + "one": "Bezpečné lokálne ukladanie zašifrovaných správ do vyrovnávacej pamäte, aby sa zobrazovali vo výsledkoch vyhľadávania, použijúc %(size)s na ukladanie správ z %(rooms)s miestnosti.", + "other": "Bezpečné lokálne ukladanie zašifrovaných správ do vyrovnávacej pamäte, aby sa zobrazovali vo výsledkoch vyhľadávania, použijúc %(size)s na ukladanie správ z %(rooms)s miestností." + }, + "message_search_disabled": "Bezpečne lokálne ukladať zašifrované správy do vyrovnávacej pamäte, aby sa zobrazovali vo výsledkoch vyhľadávania.", + "message_search_unsupported": "%(brand)su chýbajú niektoré komponenty potrebné na bezpečné cachovanie šifrovaných správ lokálne. Pokiaľ chcete experimentovať s touto funkciou, spravte si svoj vlastný %(brand)s Desktop s pridanými vyhľadávacími komponentami.", + "message_search_unsupported_web": "%(brand)s nedokáže bezpečne lokálne ukladať do vyrovnávacej pamäte zašifrované správy, keď je spustený vo webovom prehliadači. Na zobrazenie šifrovaných správ vo výsledkoch vyhľadávania použite %(brand)s Desktop.", + "message_search_failed": "Inicializácia vyhľadávania správ zlyhala", + "backup_key_well_formed": "správne vytvorené", + "backup_key_unexpected_type": "neočakávaný typ", + "backup_keys_description": "Zálohujte si šifrovacie kľúče s údajmi o účte pre prípad, že stratíte prístup k reláciám. Vaše kľúče budú zabezpečené jedinečným bezpečnostným kľúčom.", + "backup_key_stored_status": "Záložný kľúč uložený:", + "cross_signing_not_stored": "neuložené", + "backup_key_cached_status": "Záložný kľúč v medzipamäti:", + "4s_public_key_status": "Verejný kľúč bezpečného úložiska:", + "4s_public_key_in_account_data": "v údajoch účtu", + "secret_storage_status": "Tajné úložisko:", + "secret_storage_ready": "pripravené", + "secret_storage_not_ready": "nie je pripravené", + "delete_backup": "Vymazať zálohu", + "delete_backup_confirm_description": "Ste si istí? Ak nemáte správne zálohované šifrovacie kľúče, prídete o históriu šifrovaných konverzácií.", + "error_loading_key_backup_status": "Nie je možné načítať stav zálohy kľúčov", + "restore_key_backup": "Obnoviť zo zálohy", + "key_backup_active": "Táto relácia zálohuje vaše kľúče.", + "key_backup_inactive": "Táto relácia nezálohuje vaše kľúče, ale máte jednu existujúcu zálohu, ktorú môžete obnoviť a pridať do budúcnosti.", + "key_backup_connect_prompt": "Pred odhlásením pripojte túto reláciu k zálohe kľúčov, aby ste predišli strate kľúčov, ktoré môžu byť len v tejto relácii.", + "key_backup_connect": "Pripojiť túto reláciu k Zálohe kľúčov", + "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." }, "preferences": { "room_list_heading": "Zoznam miestností", @@ -2685,7 +2471,13 @@ "other": "Odhlásené zariadenia" }, "security_recommendations": "Bezpečnostné odporúčania", - "security_recommendations_description": "Zlepšite zabezpečenie svojho účtu dodržiavaním týchto odporúčaní." + "security_recommendations_description": "Zlepšite zabezpečenie svojho účtu dodržiavaním týchto odporúčaní.", + "title": "Relácie", + "sign_out_confirm_description": { + "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." }, "general": { "oidc_manage_button": "Spravovať účet", @@ -2704,7 +2496,22 @@ "add_msisdn_confirm_sso_button": "Potvrďte pridanie telefónneho čísla pomocou Single Sign On.", "add_msisdn_confirm_button": "Potvrdiť pridanie telefónneho čísla", "add_msisdn_confirm_body": "Kliknutím na tlačidlo nižšie potvrdíte pridanie telefónneho čísla.", - "add_msisdn_dialog_title": "Pridať telefónne číslo" + "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ť" + }, + "sidebar": { + "title": "Bočný panel", + "metaspaces_subsection": "Priestory na zobrazenie", + "metaspaces_description": "Priestory sú spôsoby zoskupovania miestností a ľudí. Popri priestoroch, v ktorých sa nachádzate, môžete použiť aj niektoré predpripravené priestory.", + "metaspaces_home_description": "Domov je užitočný na získanie prehľadu o všetkom.", + "metaspaces_favourites_description": "Zoskupte všetky vaše obľúbené miestnosti a ľudí na jednom mieste.", + "metaspaces_people_description": "Zoskupte všetkých ľudí na jednom mieste.", + "metaspaces_orphans": "Miestnosti mimo priestoru", + "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" } }, "devtools": { @@ -3208,7 +3015,15 @@ "user": "%(senderName)s ukončil/a hlasové vysielanie" }, "creation_summary_dm": "%(creator)s vytvoril/a túto priamu správu.", - "creation_summary_room": "%(creator)s vytvoril a nastavil miestnosť." + "creation_summary_room": "%(creator)s vytvoril a nastavil miestnosť.", + "context_menu": { + "view_source": "Zobraziť zdroj", + "show_url_preview": "Zobraziť náhľad", + "external_url": "Pôvodná URL", + "collapse_reply_thread": "Zbaliť vlákno odpovedí", + "view_related_event": "Zobraziť súvisiacu udalosť", + "report": "Nahlásiť" + } }, "slash_command": { "spoiler": "Odošle danú správu ako spojler", @@ -3411,10 +3226,28 @@ "failed_call_live_broadcast_title": "Nie je možné začať hovor", "failed_call_live_broadcast_description": "Nemôžete spustiť hovor, pretože práve nahrávate živé vysielanie. Ukončite živé vysielanie, aby ste mohli začať hovor.", "no_media_perms_title": "Nepovolený prístup k médiám", - "no_media_perms_description": "Mali by ste aplikácii %(brand)s ručne udeliť právo pristupovať k mikrofónu a kamere" + "no_media_perms_description": "Mali by ste aplikácii %(brand)s ručne udeliť právo pristupovať k mikrofónu a kamere", + "call_toast_unknown_room": "Neznáma miestnosť", + "join_button_tooltip_connecting": "Pripájanie", + "join_button_tooltip_call_full": "Prepáčte — tento hovor je momentálne obsadený", + "hide_sidebar_button": "Skryť bočný panel", + "show_sidebar_button": "Zobraziť bočný panel", + "more_button": "Viac", + "screenshare_monitor": "Zdieľať celú obrazovku", + "screenshare_window": "Okno aplikácie", + "screenshare_title": "Zdieľať obsah", + "disabled_no_perms_start_voice_call": "Nemáte povolenie na spustenie hlasových hovorov", + "disabled_no_perms_start_video_call": "Nemáte povolenie na spustenie videohovorov", + "disabled_ongoing_call": "Prebiehajúci hovor", + "disabled_no_one_here": "Nie je tu nikto, komu by ste mohli zavolať", + "n_people_joined": { + "one": "%(count)s človek sa pripojil", + "other": "%(count)s ľudí sa pripojilo" + }, + "unknown_person": "neznáma osoba", + "connecting": "Pripájanie" }, "Other": "Ďalšie", - "Advanced": "Pokročilé", "room_settings": { "permissions": { "m.room.avatar_space": "Zmeniť obrázok priestoru", @@ -3454,7 +3287,10 @@ "title": "Role a povolenia", "permissions_section": "Povolenia", "permissions_section_description_space": "Vyberte role potrebné na zmenu rôznych častí tohto priestoru", - "permissions_section_description_room": "Vyberte role potrebné na zmenu rôznych častí miestnosti" + "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…" }, "security": { "strict_encryption": "Nikdy neposielať šifrované správy neovereným reláciám v tejto miestnosti z tejto relácie", @@ -3481,7 +3317,35 @@ "history_visibility_shared": "Len členovia (odkedy je aktívna táto voľba)", "history_visibility_invited": "Len členovia (odkedy boli pozvaní)", "history_visibility_joined": "Len členovia (odkedy vstúpili)", - "history_visibility_world_readable": "Ktokoľvek" + "history_visibility_world_readable": "Ktokoľvek", + "join_rule_upgrade_required": "Vyžaduje sa aktualizácia", + "join_rule_restricted_n_more": { + "one": "a %(count)s viac", + "other": "& %(count)s viac" + }, + "join_rule_restricted_summary": { + "one": "V súčasnosti má priestor prístup", + "other": "V súčasnosti má prístup %(count)s priestorov" + }, + "join_rule_restricted_description": "Každý v priestore môže nájsť a pripojiť sa. Upravte, ktoré priestory sem môžu mať prístup.", + "join_rule_restricted_description_spaces": "Priestory s prístupom", + "join_rule_restricted_description_active_space": "Ktokoľvek v môže nájsť a pripojiť sa. Môžete vybrať aj iné priestory.", + "join_rule_restricted_description_prompt": "Každý, kto sa nachádza v priestore, môže nájsť a pripojiť sa. Môžete vybrať viacero priestorov.", + "join_rule_restricted": "Členovia priestoru", + "join_rule_knock": "Požiadať o pripojenie", + "join_rule_knock_description": "Ľudia sa nemôžu pripojiť, pokiaľ im nebude udelený prístup.", + "join_rule_restricted_upgrade_warning": "Táto miestnosť sa nachádza v niektorých priestoroch, ktorých nie ste správcom. V týchto priestoroch bude stará miestnosť stále zobrazená, ale ľudia budú vyzvaní, aby sa pripojili k novej miestnosti.", + "join_rule_restricted_upgrade_description": "Táto aktualizácia umožní členom vybraných priestorov prístup do tejto miestnosti bez pozvánky.", + "join_rule_upgrade_upgrading_room": "Aktualizácia miestnosti", + "join_rule_upgrade_awaiting_room": "Načítanie novej miestnosti", + "join_rule_upgrade_sending_invites": { + "one": "Odosielanie pozvánky...", + "other": "Odosielanie pozvánok... (%(progress)s z %(count)s)" + }, + "join_rule_upgrade_updating_spaces": { + "one": "Aktualizácia priestoru...", + "other": "Aktualizácia priestorov... (%(progress)s z %(count)s)" + } }, "general": { "publish_toggle": "Uverejniť túto miestnosť v adresári miestností na serveri %(domain)s?", @@ -3491,7 +3355,11 @@ "default_url_previews_off": "Náhľady URL adries sú predvolene zakázané pre členov tejto miestnosti.", "url_preview_encryption_warning": "Náhľady URL adries sú v šifrovaných miestnostiach ako je táto predvolene zakázané, aby ste si mohli byť istí, že obsah odkazov z vašej konverzácii nebude zaznamenaný na vašom domovskom serveri počas ich generovania.", "url_preview_explainer": "Ak niekto vo svojej správe pošle URL adresu, môže byť zobrazený jej náhľad obsahujúci názov, popis a obrázok z cieľovej web stránky.", - "url_previews_section": "Náhľady URL adries" + "url_previews_section": "Náhľady URL adries", + "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" }, "advanced": { "unfederated": "Táto miestnosť nie je prístupná zo vzdialených Matrix serverov", @@ -3503,6 +3371,24 @@ "room_id": "Interné ID miestnosti", "room_version_section": "Verzia miestnosti", "room_version": "Verzia miestnosti:" + }, + "delete_avatar_label": "Vymazať obrázok", + "upload_avatar_label": "Nahrať obrázok", + "visibility": { + "error_update_guest_access": "Nepodarilo sa aktualizovať hosťovský prístup do tohto priestoru", + "error_update_history_visibility": "Nepodarilo sa aktualizovať viditeľnosť histórie tohto priestoru", + "guest_access_explainer": "Hostia sa môžu pripojiť k priestoru bez toho, aby mali konto.", + "guest_access_explainer_public_space": "To môže byť užitočné pre verejné priestory.", + "title": "Viditeľnosť", + "error_failed_save": "Nepodarilo sa aktualizovať viditeľnosť tohto priestoru", + "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í" + }, + "access": { + "title": "Prístup", + "description_space": "Určite, kto môže zobrazovať a pripájať sa k %(spaceName)s." } }, "encryption": { @@ -3529,7 +3415,15 @@ "waiting_other_device_details": "Čaká sa na overenie na vašom druhom zariadení, %(deviceName)s (%(deviceId)s)…", "waiting_other_device": "Čaká sa na overenie na vašom druhom zariadení…", "waiting_other_user": "Čakám na %(displayName)s, kým nás overí…", - "cancelling": "Rušenie…" + "cancelling": "Rušenie…", + "unverified_sessions_toast_title": "Máte neoverené relácie", + "unverified_sessions_toast_description": "Skontrolujte, či je vaše konto bezpečné", + "unverified_sessions_toast_reject": "Neskôr", + "unverified_session_toast_title": "Nové prihlásenie. Boli ste to vy?", + "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" }, "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.", @@ -3539,7 +3433,18 @@ "bootstrap_title": "Príprava kľúčov", "export_unsupported": "Váš prehliadač nepodporuje požadované kryptografické rozšírenia", "import_invalid_keyfile": "Toto nie je správny súbor s kľúčmi %(brand)s", - "import_invalid_passphrase": "Kontrola overenia zlyhala: Nesprávne heslo?" + "import_invalid_passphrase": "Kontrola overenia zlyhala: Nesprávne heslo?", + "set_up_toast_title": "Nastaviť bezpečné zálohovanie", + "upgrade_toast_title": "Je dostupná aktualizácia šifrovania", + "verify_toast_title": "Overiť túto reláciu", + "set_up_toast_description": "Zabezpečte sa proti strate šifrovaných správ a údajov", + "verify_toast_description": "Ostatní používatelia jej nemusia dôverovať", + "cross_signing_unsupported": "Váš domovský server nepodporuje krížové podpisovanie.", + "cross_signing_ready": "Krížové podpisovanie je pripravené na použitie.", + "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": "" }, "emoji": { "category_frequently_used": "Často používané", @@ -3563,7 +3468,8 @@ "bullet_1": "Nezaznamenávame ani neprofilujeme žiadne údaje o účte", "bullet_2": "Nezdieľame informácie s tretími stranami", "disable_prompt": "Túto funkciu môžete kedykoľvek vypnúť v nastaveniach", - "accept_button": "To je v poriadku" + "accept_button": "To je v poriadku", + "shared_data_heading": "Zdieľané môžu byť niektoré z nasledujúcich údajov:" }, "chat_effects": { "confetti_description": "Odošle danú správu s konfetami", @@ -3719,7 +3625,8 @@ "autodiscovery_unexpected_error_hs": "Neočakávaná chyba pri zisťovaní nastavení domovského servera", "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." + "incorrect_credentials_detail": "Všimnite si: Práve sa prihlasujete na server %(hs)s, nie na server matrix.org.", + "create_account_title": "Vytvoriť účet" }, "room_list": { "sort_unread_first": "Najprv ukázať miestnosti s neprečítanými správami", @@ -3843,7 +3750,37 @@ "error_need_to_be_logged_in": "Mali by ste byť prihlásení.", "error_need_invite_permission": "Musíte mať oprávnenie pozývať používateľov, aby ste to mohli urobiť.", "error_need_kick_permission": "Musíte mať oprávnenie vyhodiť používateľov, aby ste to mohli urobiť.", - "no_name": "Neznáma aplikácia" + "no_name": "Neznáma aplikácia", + "error_hangup_title": "Strata spojenia", + "error_hangup_description": "Boli ste odpojení od hovoru. (Chyba: %(message)s)", + "context_menu": { + "start_audio_stream": "Spustiť zvukový prenos", + "screenshot": "Urobiť fotografiu", + "delete": "Vymazať widget", + "delete_warning": "Týmto vymažete widget pre všetkých používateľov v tejto miestnosti. Ste si istí, že chcete vymazať tento widget?", + "remove": "Odstrániť pre všetkých", + "revoke": "Odvolať oprávnenia", + "move_left": "Presun doľava", + "move_right": "Presun doprava" + }, + "shared_data_name": "Vaše zobrazované meno", + "shared_data_avatar": "Vaša URL adresa profilového obrázka", + "shared_data_mxid": "Vaše ID používateľa", + "shared_data_device_id": "ID vášho zariadenia", + "shared_data_theme": "Váš vzhľad", + "shared_data_lang": "Váš jazyk", + "shared_data_url": "%(brand)s URL", + "shared_data_room_id": "ID miestnosti", + "shared_data_widget_id": "ID widgetu", + "shared_data_warning_im": "Používanie tohto widgetu môže zdieľať údaje s %(widgetDomain)s a správcom integrácie.", + "shared_data_warning": "Používanie tohto widgetu môže zdieľať údaje s %(widgetDomain)s.", + "unencrypted_warning": "Widgety nepoužívajú šifrovanie správ.", + "added_by": "Widget pridaný používateľom", + "cookie_warning": "Tento widget môže používať súbory cookie.", + "error_loading": "Chyba pri načítaní widgetu", + "error_mixed_content": "Chyba - Zmiešaný obsah", + "unmaximise": "Zrušiť maximalizáciu", + "popout": "Otvoriť widget v novom okne" }, "feedback": { "sent": "Spätná väzba odoslaná", @@ -3940,7 +3877,8 @@ "empty_heading": "Udržujte diskusie organizované pomocou vlákien" }, "theme": { - "light_high_contrast": "Ľahký vysoký kontrast" + "light_high_contrast": "Ľahký vysoký kontrast", + "match_system": "Zhoda so systémom" }, "space": { "landing_welcome": "Vitajte v ", @@ -3956,9 +3894,14 @@ "devtools_open_timeline": "Pozrite si časovú os miestnosti (devtools)", "home": "Domov priestoru", "explore": "Preskúmať miestnosti", - "manage_and_explore": "Spravovať a preskúmať miestnosti" + "manage_and_explore": "Spravovať a preskúmať miestnosti", + "options": "Možnosti priestoru" }, - "share_public": "Zdieľajte svoj verejný priestor" + "share_public": "Zdieľajte svoj verejný priestor", + "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" }, "location_sharing": { "MapStyleUrlNotConfigured": "Tento domovský server nie je nastavený na zobrazovanie máp.", @@ -3975,7 +3918,14 @@ "failed_timeout": "Pri pokuse o načítanie vašej polohy došlo k vypršaniu času. Skúste to prosím neskôr.", "failed_unknown": "Neznáma chyba pri načítavaní polohy. Skúste to prosím neskôr.", "expand_map": "Zväčšiť mapu", - "failed_load_map": "Nie je možné načítať mapu" + "failed_load_map": "Nie je možné načítať mapu", + "live_enable_heading": "Zdieľanie polohy v reálnom čase", + "live_enable_description": "Upozornenie: ide o funkciu laboratórií, ktorá sa používa dočasne. To znamená, že nebudete môcť vymazať históriu svojej polohy a pokročilí používatelia budú môcť vidieť históriu vašej polohy aj po tom, ako prestanete zdieľať svoju živú polohu s touto miestnosťou.", + "live_toggle_label": "Povoliť zdieľanie polohy v reálnom čase", + "live_share_button": "Zdieľať na %(duration)s", + "click_move_pin": "Kliknutím presuniete špendlík", + "click_drop_pin": "Kliknutím umiestníte špendlík", + "share_button": "Zdieľať polohu" }, "labs_mjolnir": { "room_name": "Môj zoznam zákazov", @@ -4011,7 +3961,6 @@ }, "create_space": { "name_required": "Zadajte prosím názov priestoru", - "name_placeholder": "napr. moj-priestor", "explainer": "Priestory sú novým spôsobom zoskupovania miestností a ľudí. Aký druh priestoru chcete vytvoriť? Neskôr to môžete zmeniť.", "public_description": "Otvorený priestor pre každého, najlepšie pre komunity", "private_description": "Len pre pozvaných, najlepšie pre seba alebo tímy", @@ -4042,11 +3991,17 @@ "setup_rooms_community_description": "Vytvorme pre každú z nich miestnosť.", "setup_rooms_description": "Neskôr môžete pridať aj ďalšie, vrátane už existujúcich.", "setup_rooms_private_heading": "Na akých projektoch pracuje váš tím?", - "setup_rooms_private_description": "Pre každú z nich vytvoríme miestnosti." + "setup_rooms_private_description": "Pre každú z nich vytvoríme miestnosti.", + "address_placeholder": "napr. moj-priestor", + "address_label": "Adresa", + "label": "Vytvoriť priestor", + "add_details_prompt_2": "Tieto môžete kedykoľvek zmeniť.", + "creating": "Vytváranie…" }, "user_menu": { "switch_theme_light": "Prepnúť na svetlý režim", - "switch_theme_dark": "Prepnúť na tmavý režim" + "switch_theme_dark": "Prepnúť na tmavý režim", + "settings": "Všetky nastavenia" }, "notif_panel": { "empty_heading": "Všetko ste už stihli", @@ -4084,7 +4039,28 @@ "leave_error_title": "Chyba pri odchode z miestnosti", "upgrade_error_title": "Chyba pri aktualizácii miestnosti", "upgrade_error_description": "Uistite sa, že domovský server podporuje zvolenú verziu miestnosti a skúste znovu.", - "leave_server_notices_description": "Táto miestnosť je určená na dôležité oznamy a správy od správcov domovského servera, preto ju nie je možné opustiť." + "leave_server_notices_description": "Táto miestnosť je určená na dôležité oznamy a správy od správcov domovského servera, preto ju nie je možné opustiť.", + "error_join_connection": "Pri pripájaní došlo k chybe.", + "error_join_incompatible_version_1": "Prepáčte, ale váš domovský server je príliš zastaralý na to, aby sa tu mohol zúčastniť.", + "error_join_incompatible_version_2": "Prosím, kontaktujte správcu domovského servera.", + "error_join_404_invite_same_hs": "Osoba, ktorá vás pozvala, už odišla.", + "error_join_404_invite": "Osoba, ktorá vás pozvala, už odišla alebo je jej server vypnutý.", + "error_join_404_1": "Pokúsili ste sa pripojiť pomocou ID miestnosti bez uvedenia zoznamu serverov, cez ktoré sa môžete pripojiť. ID miestností sú interné identifikátory a bez ďalších informácií ich nemožno použiť na pripojenie k miestnosti.", + "error_join_404_2": "Ak poznáte adresu miestnosti, skúste sa pripojiť prostredníctvom nej.", + "error_join_title": "Nepodarilo sa pripojiť", + "error_join_403": "Na prístup do tejto miestnosti potrebujete pozvánku.", + "error_cancel_knock_title": "Nepodarilo sa zrušiť", + "context_menu": { + "unfavourite": "Obľúbené", + "favourite": "Obľúbiť", + "mentions_only": "Iba zmienky", + "copy_link": "Kopírovať odkaz na miestnosť", + "low_priority": "Nízka priorita", + "forget": "Zabudnúť miestnosť", + "mark_read": "Označiť ako prečítané", + "notifications_default": "Rovnaké ako predvolené nastavenie", + "notifications_mute": "Stlmiť miestnosť" + } }, "file_panel": { "guest_note": "Aby ste mohli použiť túto vlastnosť, musíte byť zaregistrovaný", @@ -4104,7 +4080,8 @@ "tac_button": "Prečítať zmluvné podmienky", "identity_server_no_terms_title": "Server totožností nemá žiadne podmienky poskytovania služieb", "identity_server_no_terms_description_1": "Táto akcia vyžaduje prístup k predvolenému serveru totožností na overenie emailovej adresy alebo telefónneho čísla, ale server nemá žiadne podmienky používania.", - "identity_server_no_terms_description_2": "Pokračujte len v prípade, že dôverujete prevádzkovateľovi servera." + "identity_server_no_terms_description_2": "Pokračujte len v prípade, že dôverujete prevádzkovateľovi servera.", + "inline_intro_text": "Ak chcete pokračovať, musíte prijať :" }, "space_settings": { "title": "Nastavenia - %(spaceName)s" @@ -4200,7 +4177,14 @@ "sync": "Nie je možné sa pripojiť k domovskému serveru. Prebieha pokus o opätovné pripojenie…", "connection": "Nastal problém pri komunikácii s domovským serverom. Skúste to prosím znova.", "mixed_content": "K domovskému serveru nie je možné pripojiť sa použitím protokolu HTTP keďže v adresnom riadku prehliadača máte HTTPS adresu. Použite protokol HTTPS alebo povolte nezabezpečené skripty.", - "tls": "Nie je možné pripojiť sa k domovskému serveru - skontrolujte prosím funkčnosť vášho pripojenia na internet. Uistite sa že certifikát domovského servera je dôveryhodný a že žiaden doplnok nainštalovaný v prehliadači nemôže blokovať požiadavky." + "tls": "Nie je možné pripojiť sa k domovskému serveru - skontrolujte prosím funkčnosť vášho pripojenia na internet. Uistite sa že certifikát domovského servera je dôveryhodný a že žiaden doplnok nainštalovaný v prehliadači nemôže blokovať požiadavky.", + "admin_contact_short": "Kontaktujte svojho administrátora serveru.", + "non_urgent_echo_failure_toast": "Váš server neodpovedá na niektoré požiadavky.", + "failed_copy": "Nepodarilo sa skopírovať", + "something_went_wrong": "Niečo sa pokazilo!", + "download_media": "Nepodarilo sa stiahnuť zdrojové médium, nebola nájdená žiadna zdrojová url adresa", + "update_power_level": "Nepodarilo sa zmeniť úroveň oprávnenia", + "unknown": "Neznáma chyba" }, "in_space1_and_space2": "V priestoroch %(space1Name)s a %(space2Name)s.", "in_space_and_n_other_spaces": { @@ -4208,5 +4192,52 @@ "other": "V %(spaceName)s a %(count)s ďalších priestoroch." }, "in_space": "V priestore %(spaceName)s.", - "name_and_id": "%(name)s (%(userId)s)" + "name_and_id": "%(name)s (%(userId)s)", + "items_and_n_others": { + "other": " a %(count)s ďalší", + "one": " a jeden ďalší" + }, + "notifications": { + "enable_prompt_toast_title_from_message_send": "Nezmeškajte odpoveď", + "enable_prompt_toast_title": "Oznámenia", + "enable_prompt_toast_description": "Povoliť oznámenia na ploche", + "colour_none": "Žiadne", + "colour_bold": "Tučné", + "colour_grey": "Sivá", + "colour_red": "Červená", + "colour_unsent": "Neodoslané", + "error_change_title": "Upraviť nastavenia upozornení", + "mark_all_read": "Označiť všetko ako prečítané", + "keyword": "Kľúčové slovo", + "keyword_new": "Nové kľúčové slovo", + "class_global": "Celosystémové", + "class_other": "Ďalšie", + "mentions_keywords": "Zmienky a kľúčové slová" + }, + "mobile_guide": { + "toast_title": "Použite aplikáciu pre lepší zážitok", + "toast_description": "%(brand)s je v mobilnej verzii experimentálny. Ak chcete získať lepší zážitok a najnovšie funkcie, použite našu bezplatnú natívnu aplikáciu.", + "toast_accept": "Použiť aplikáciu" + }, + "chat_card_back_action_label": "Späť na konverzáciu", + "room_summary_card_back_action_label": "Informácie o miestnosti", + "member_list_back_action_label": "Členovia miestnosti", + "thread_view_back_action_label": "Späť na vlákno", + "quick_settings": { + "title": "Rýchle nastavenia", + "all_settings": "Všetky nastavenia", + "metaspace_section": "Pripnúť na bočný panel", + "sidebar_settings": "Ďalšie možnosti" + }, + "lightbox": { + "title": "Prehľad obrázkov", + "rotate_left": "Otočiť doľava", + "rotate_right": "Otočiť doprava" + }, + "a11y_jump_first_unread_room": "Preskočiť na prvú neprečítanú miestnosť.", + "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." + } } diff --git a/src/i18n/strings/sq.json b/src/i18n/strings/sq.json index 3e2ab2716f..0f92989136 100644 --- a/src/i18n/strings/sq.json +++ b/src/i18n/strings/sq.json @@ -28,18 +28,14 @@ "Restricted": "E kufizuar", "Moderator": "Moderator", "Sunday": "E diel", - "Notification targets": "Objektiva njoftimesh", "Today": "Sot", "Friday": "E premte", - "Notifications": "Njoftime", "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", - "Favourite": "Bëje të parapëlqyer", "All Rooms": "Krejt Dhomat", - "Source URL": "URL Burimi", "Filter results": "Filtroni përfundimet", "Search…": "Kërkoni…", "Tuesday": "E martë", @@ -57,13 +53,11 @@ "Thursday": "E enjte", "Logs sent": "Regjistrat u dërguan", "Yesterday": "Dje", - "Low Priority": "Përparësi e Ulët", "Rooms": "Dhoma", "PM": "PM", "AM": "AM", "Reason": "Arsye", "Incorrect verification code": "Kod verifikimi i pasaktë", - "No display name": "S’ka emër shfaqjeje", "Authentication": "Mirëfilltësim", "not specified": "e papërcaktuar", "This room has no local addresses": "Kjo dhomë s’ka adresë vendore", @@ -82,29 +76,21 @@ "%(duration)sh": "%(duration)sh", "%(duration)sd": "%(duration)sd", "Join Room": "Hyni në dhomë", - "Upload avatar": "Ngarkoni avatar", "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", - "Copied!": "U kopjua!", "Add an Integration": "Shtoni një Integrim", "Email address": "Adresë email", - "Something went wrong!": "Diçka shkoi ters!", "Create new room": "Krijoni dhomë të re", "Home": "Kreu", - " and %(count)s others": { - "other": " dhe %(count)s të tjerë", - "one": " dhe një tjetër" - }, "%(items)s and %(lastItem)s": "%(items)s dhe %(lastItem)s", "collapse": "tkurre", "expand": "zgjeroje", "Custom level": "Nivel vetjak", "In reply to ": "Në Përgjigje të ", "Confirm Removal": "Ripohoni Heqjen", - "Unknown error": "Gabim i panjohur", "Deactivate Account": "Çaktivizoje Llogarinë", "An error has occurred.": "Ndodhi një gabim.", "Invalid Email Address": "Adresë Email e Pavlefshme", @@ -123,7 +109,6 @@ "Uploading %(filename)s": "Po ngarkohet %(filename)s", "No Microphones detected": "S’u pikasën Mikrofona", "No Webcams detected": "S’u pikasën kamera", - "Profile": "Profil", "Return to login screen": "Kthehuni te skena e hyrjeve", "Session ID": "ID sesioni", "Passphrases must match": "Frazëkalimet duhet të përputhen", @@ -137,12 +122,10 @@ "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", - "Failed to change power level": "S’u arrit të ndryshohej shkalla e pushtetit", "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.", - "Failed to copy": "S’u arrit të kopjohej", "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", @@ -162,12 +145,10 @@ "Error decrypting image": "Gabim në shfshehtëzim figure", "Error decrypting video": "Gabim në shfshehtëzim videoje", "Delete Widget": "Fshije Widget-in", - "Delete widget": "Fshije widget-in", "And %(count)s more...": { "other": "Dhe %(count)s të tjerë…" }, "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", @@ -177,11 +158,9 @@ "Clear cache and resync": "Spastro fshehtinën dhe rinjëkohëso", "Clear Storage and Sign Out": "Spastro Depon dhe Dil", "Permission Required": "Lypset Leje", - "Please contact your homeserver administrator.": "Ju lutemi, lidhuni me përgjegjësin e shërbyesit tuaj Home.", "This event could not be displayed": "Ky akt s’u shfaq dot", "The conversation continues here.": "Biseda vazhdon këtu.", "Only room administrators will see this warning": "Këtë sinjalizim mund ta shohin vetëm përgjegjësit e dhomës", - "Popout widget": "Widget flluskë", "Incompatible local cache": "Fshehtinë vendore e papërputhshme", "Updating %(brand)s": "%(brand)s-i po përditësohet", "Failed to upgrade room": "S’u arrit të përmirësohej dhoma", @@ -197,7 +176,6 @@ "Upgrade this room to version %(version)s": "Përmirësojeni këtë dhomë me versionin %(version)s", "Share Room": "Ndani Dhomë Me të Tjerë", "Share Room Message": "Ndani Me të Tjerë Mesazh Dhome", - "Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "Fshirja e një widget-i e heq atë për krejt përdoruesit në këtë dhomë. Jeni i sigurt se doni të fshihet ky widget?", "Before submitting logs, you must create a GitHub issue to describe your problem.": "Përpara se të parashtroni regjistra, duhet të krijoni një çështje në GitHub issue që të përshkruani problemin tuaj.", "Create a new room with the same name, description and avatar": "Krijoni një dhomë të re me po atë emër, përshkrim dhe avatar", "Audio Output": "Sinjal Audio", @@ -210,7 +188,6 @@ "Clearing your browser's storage may fix the problem, but will sign you out and cause any encrypted chat history to become unreadable.": "Spastrimi i gjërave të depozituara në shfletuesin tuaj mund ta ndreqë problemin, por kjo do të sjellë nxjerrjen tuaj nga llogari dhe do ta bëjë të palexueshëm çfarëdo historiku të fshehtëzuar të bisedës.", "Sent messages will be stored until your connection has returned.": "Mesazhet e dërguar do të depozitohen deri sa lidhja juaj të jetë rikthyer.", "Server may be unavailable, overloaded, or search timed out :(": "Shërbyesi mund të jetë i pakapshëm, i mbingarkuar, ose kërkimit i mbaroi koha :(", - "Reject all %(invitedRooms)s invites": "Mos prano asnjë ftesë për në %(invitedRooms)s", "New passwords must match each other.": "Fjalëkalimet e rinj duhet të përputhen me njëri-tjetrin.", "You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.": "S’do të jeni në gjendje ta zhbëni këtë, ngaqë po zhgradoni veten, nëse jeni përdoruesi i fundit i privilegjuar te dhoma do të jetë e pamundur të rifitoni privilegjet.", "Jump to read receipt": "Hidhuni te leximi i faturës", @@ -231,8 +208,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": "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", - "Delete Backup": "Fshije Kopjeruajtjen", - "Unable to load key backup status": "S’arrihet të ngarkohet gjendje kopjeruajtjeje kyçesh", "That matches!": "U përputhën!", "That doesn't match.": "S’përputhen.", "Go back to set it again.": "Shkoni mbrapsht që ta ricaktoni.", @@ -255,20 +230,15 @@ "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", - "All keys backed up": "U kopjeruajtën krejt kyçet", "Unable to verify phone number.": "S’arrihet të verifikohet numër telefoni.", "Verification code": "Kod verifikimi", "Phone Number": "Numër Telefoni", - "Profile picture": "Foto profili", - "Display Name": "Emër Në Ekran", "Room information": "Të dhëna dhome", - "General": "Të përgjithshme", "Room Addresses": "Adresa Dhomash", "Email addresses": "Adresa email", "Phone numbers": "Numra telefonash", "Account management": "Administrim llogarish", "Ignored users": "Përdorues të shpërfillur", - "Bulk options": "Veprime masive", "Missing media permissions, click the button below to request.": "Mungojnë leje mediash, klikoni mbi butonin më poshtë që të kërkohen.", "Request media permissions": "Kërko leje mediash", "Voice & Video": "Zë & Video", @@ -282,7 +252,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", - "Create account": "Krijoni llogari", "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", @@ -347,9 +316,7 @@ "Santa": "Babagjyshi i Vitit të Ri", "Hourglass": "Klepsidër", "Key": "Kyç", - "Are you sure? You will lose your encrypted messages if your keys are not backed up properly.": "Jeni i sigurt? Do të humbni mesazhet tuaj të fshehtëzuar, nëse kopjeruajtja për kyçet tuaj nuk bëhet si duhet.", "Encrypted messages are secured with end-to-end encryption. Only you and the recipient(s) have the keys to read these messages.": "Mesazhet e fshehtëzuar sigurohen me fshehtëzim skaj-më-skaj. Vetëm ju dhe marrësi(t) kanë kyçet për të lexuar këto mesazhe.", - "Restore from Backup": "Riktheje prej Kopjeruajtje", "Back up your keys before signing out to avoid losing them.": "Kopjeruajini kyçet tuaj, përpara se të dilni, që të shmangni humbjen e tyre.", "Start using Key Backup": "Fillo të përdorësh Kopjeruajtje Kyçesh", "I don't want my encrypted messages": "Nuk i dua mesazhet e mia të fshehtëzuar", @@ -364,7 +331,6 @@ "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", - "Accept all %(invitedRooms)s invites": "Prano krejt ftesat prej %(invitedRooms)s", "Power level": "Shkallë pushteti", "Join the conversation with an account": "Merrni pjesë në bisedë me një llogari", "Sign Up": "Regjistrohuni", @@ -382,8 +348,6 @@ "Revoke invite": "Shfuqizoje ftesën", "Invited by %(sender)s": "Ftuar nga %(sender)s", "edited": "e përpunuar", - "Rotate Left": "Rrotulloje Majtas", - "Rotate Right": "Rrotulloje Djathtas", "Edit message": "Përpunoni mesazhin", "Notes": "Shënime", "Sign out and remove encryption keys?": "Të dilet dhe të hiqen kyçet e fshehtëzimit?", @@ -457,7 +421,6 @@ "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?", - "Accept to continue:": "Që të vazhdohet, pranoni :", "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", @@ -497,8 +460,6 @@ "Verify the link in your inbox": "Verifikoni lidhjen te mesazhet tuaj", "e.g. my-room": "p.sh., dhoma-ime", "Close dialog": "Mbylle dialogun", - "Hide advanced": "Fshihi të mëtejshmet", - "Show advanced": "Shfaqi të mëtejshmet", "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)", @@ -522,33 +483,14 @@ "%(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", - "Jump to first unread room.": "Hidhu te dhoma e parë e palexuar.", - "Jump to first invite.": "Hidhu te ftesa e parë.", "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.", - "Any of the following data may be shared:": "Mund të ndahen me të tjerët cilado prej të dhënave vijuese:", - "Your display name": "Emri juaj në ekran", - "Your user ID": "ID-ja juaj e përdoruesit", - "Your theme": "Tema juaj", - "%(brand)s URL": "URL %(brand)s-i", - "Room ID": "ID dhome", - "Widget ID": "ID widget-i", - "Using this widget may share data with %(widgetDomain)s.": "Përdorimi i këtij widget-i mund të sjellë ndarje të dhënash me %(widgetDomain)s.", - "Widget added by": "Widget i shtuar nga", - "This widget may use cookies.": "Ky widget mund të përdorë cookies.", - "Cannot connect to integration manager": "S’lidhet dot te përgjegjës integrimesh", - "The integration manager is offline or it cannot reach your homeserver.": "Përgjegjësi i integrimeve s’është në linjë ose s’kap dot shërbyesin tuaj Home.", "Manage integrations": "Administroni integrime", "Failed to connect to integration manager": "S’u arrit të lidhet te përgjegjës integrimesh", - "Widgets do not use message encryption.": "Widget-et s’përdorin fshehtëzim mesazhesh.", - "More options": "Më tepër mundësi", "Integrations are disabled": "Integrimet janë të çaktivizuara", "Integrations not allowed": "Integrimet s’lejohen", - "Remove for everyone": "Hiqe për këdo", "Verification Request": "Kërkesë Verifikimi", - "Secret storage public key:": "Kyç publik depozite të fshehtë:", - "in account data": "në të dhëna llogarie", "Unencrypted": "Të pafshehtëzuara", " wants to chat": " dëshiron të bisedojë", "Start chatting": "Filloni të bisedoni", @@ -558,7 +500,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ë.", "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ë", - "not stored": "e padepozituar", "Close preview": "Mbylle paraparjen", "Hide verified sessions": "Fshih sesione të verifikuar", "%(count)s verified sessions": { @@ -570,8 +511,6 @@ "Recent Conversations": "Biseda Së Fundi", "Direct Messages": "Mesazhe të Drejtpërdrejtë", "Country Dropdown": "Menu Hapmbyll Vendesh", - "Other users may not trust it": "Përdorues të tjerë mund të mos e besojnë", - "Later": "Më vonë", "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", @@ -585,17 +524,7 @@ "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", - "Verify this session": "Verifikoni këtë sesion", - "Encryption upgrade available": "Ka të gatshëm përmirësim fshehtëzimi", - "Securely cache encrypted messages locally for them to appear in search results.": "Ruaj lokalisht në mënyrë të sigurt në fshehtinë mesazhet që të shfaqen në përfundime kërkimi.", - "%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with search components added.": "%(brand)s-it i mungojnë disa përbërës të domosdoshëm për ruajtje lokalisht në mënyrë të sigurt në fshehtinë mesazhe. Nëse do të donit të eksperimentonit me këtë veçori, montoni një Desktop vetjak %(brand)s Desktop me shtim përbërësish kërkimi.", - "Message search": "Kërkim mesazhesh", - "Your account has a cross-signing identity in secret storage, but it is not yet trusted by this session.": "Llogaria juaj ka një identitet cross-signing në depozitë të fshehtë, por s’është ende i besuar në këtë sesion.", - "This session is not backing up your keys, but you do have an existing backup you can restore from and add to going forward.": "Ky sesion nuk po bën kopjeruajtje të kyçeve tuaja, por keni një kopjeruajtje ekzistuese që mund ta përdorni për rimarrje dhe ta shtoni më tej.", - "Connect this session to key backup before signing out to avoid losing any keys that may only be on this session.": "Lidheni këtë sesion kopjeruajtje kyçesh, përpara se të dilni, që të shmangni humbje të çfarëdo kyçi që mund të gjendet vetëm në këtë pajisje.", - "Connect this session to Key Backup": "Lidhe këtë sesion me Kopjeruajtje Kyçesh", "This backup is trusted because it has been restored on this session": "Kjo kopjeruajtje është e besuar, ngaqë është rikthyer në këtë sesion", - "Your keys are not being backed up from this session.": "Kyçet tuaj nuk po kopjeruhen nga ky sesion.", "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.", @@ -642,10 +571,8 @@ "Verify by scanning": "Verifikoje me skanim", "You declined": "Hodhët poshtë", "%(name)s declined": "%(name)s hodhi poshtë", - "Your homeserver does not support cross-signing.": "Shërbyesi juaj Home nuk mbulon cross-signing.", "Accepting…": "Po pranohet…", "To report a Matrix-related security issue, please read the Matrix.org Security Disclosure Policy.": "Që të njoftoni një problem sigurie lidhur me Matrix-in, ju lutemi, lexoni Rregulla Tregimi Çështjes Sigurie te Matrix.org.", - "Mark all as read": "Vëru të tërave shenjë si të lexuara", "There was an error updating the room's alternative addresses. It may not be allowed by the server or a temporary failure occurred.": "Pati një gabim gjatë përditësimit të adresave alternative të dhomës. Mund të mos lejohet nga shërbyesi pse ndodhi një gabim i përkohshëm.", "Local address": "Adresë vendore", "Published Addresses": "Adresa të Publikuara", @@ -674,7 +601,6 @@ "Confirm by comparing the following with the User Settings in your other session:": "Ripohojeni duke krahasuar sa vijon me Rregullimet e Përdoruesit te sesioni juaj tjetër:", "Confirm this user's session by comparing the following with their User Settings:": "Ripohojeni këtë sesion përdoruesi duke krahasuar sa vijon me Rregullimet e tij të Përdoruesit:", "If they don't match, the security of your communication may be compromised.": "Nëse s’përputhen, siguria e komunikimeve tuaja mund të jetë komprometuar.", - "Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "Verifikoni individualisht çdo sesion të përdorur nga një përdorues, për t’i vënë shenjë si i besuar, duke mos besuar pajisje cross-signed.", "In encrypted rooms, your messages are secured and only you and the recipient have the unique keys to unlock them.": "Në dhoma të fshehtëzuara, mesazhet tuaj sigurohen dhe vetëm ju dhe marrësi ka kyçet unikë për shkyçjen e tyre.", "Verify all users in a room to ensure it's secure.": "Verifiko krejt përdoruesit në dhomë, për të garantuar se është e sigurt.", "Almost there! Is %(displayName)s showing the same shield?": "Thuaje mbërritëm! A shfaq %(displayName)s të njëjtën mburojë?", @@ -685,15 +611,12 @@ "%(displayName)s cancelled verification.": "%(displayName)s anuloi verifikimin.", "You cancelled verification.": "Anuluat verifikimin.", "Sign in with SSO": "Hyni me HNj", - "unexpected type": "lloj i papritur", - "well formed": "e mirëformuar", "Confirm your account deactivation by using Single Sign On to prove your identity.": "Ripohoni çaktivizimin e llogarisë tuaj duke përdorur Hyrje Njëshe që të dëshmoni identitetin tuaj.", "Are you sure you want to deactivate your account? This is irreversible.": "Jeni i sigurt se doni të çaktivizohet llogaria juaj? Kjo është e pakthyeshme.", "Confirm account deactivation": "Ripohoni çaktivizim llogarie", "Server did not require any authentication": "Shërbyesi s’kërkoi ndonjë mirëfilltësim", "Server did not return valid authentication information.": "Shërbyesi s’ktheu ndonjë të dhënë të vlefshme mirëfilltësimi.", "There was a problem communicating with the server. Please try again.": "Pati një problem në komunikimin me shërbyesin. Ju lutemi, riprovoni.", - "New login. Was this you?": "Hyrje e re. Ju qetë?", "You signed in to a new session without verifying it:": "Bëtë hyrjen në një sesion të ri pa e verifikuar:", "Verify your other session using one of the options below.": "Verifikoni sesionit tuaj tjetër duke përdorur një nga mundësitë më poshtë.", "Lock": "Kyçje", @@ -715,7 +638,6 @@ "IRC display name width": "Gjerësi shfaqjeje emrash IRC", "Your homeserver has exceeded its user limit.": "Shërbyesi juaj Home ka tejkaluar kufijtë e tij të përdorimit.", "Your homeserver has exceeded one of its resource limits.": "Shërbyesi juaj Home ka tejkaluar një nga kufijtë e tij të burimeve.", - "Contact your server admin.": "Lidhuni me përgjegjësin e shërbyesit tuaj.", "Ok": "OK", "Error creating address": "Gabim në krijim adrese", "There was an error creating that address. It may not be allowed by the server or a temporary failure occurred.": "Pati një gabim në krijimin e asaj adrese. Mund të mos lejohet nga shërbyesi, ose ndodhi një gabim i përkohshëm.", @@ -730,7 +652,6 @@ "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", - "All settings": "Krejt rregullimet", "No recently visited rooms": "S’ka dhoma të vizituara së fundi", "Message preview": "Paraparje mesazhi", "Room options": "Mundësi dhome", @@ -749,13 +670,9 @@ "Set a Security Phrase": "Caktoni një Frazë Sigurie", "Confirm Security Phrase": "Ripohoni Frazë Sigurie", "Save your Security Key": "Ruani Kyçin tuaj të Sigurisë", - "%(brand)s can't securely cache encrypted messages locally while running in a web browser. Use %(brand)s Desktop for encrypted messages to appear in search results.": "%(brand)s s’mund të ruajë lokalisht në fshehtinë në mënyrë të siguruar mesazhe të fshehtëzuar, teksa xhirohet në një shfletues. Që mesazhet e fshehtëzuar të shfaqen te përfundime kërkimi, përdorni %(brand)s Desktop.", - "Forget Room": "Harroje Dhomën", "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", - "Change notification settings": "Ndryshoni rregullime njoftimesh", - "Your server isn't responding to some requests.": "Shërbyesi juaj s’po u përgjigjet ca kërkesave.", "Server isn't responding": "Shërbyesi s’po përgjigjet", "Your server isn't responding to some of your requests. Below are some of the most likely reasons.": "Shërbyesi juaj s’po u përgjigjet disa kërkesave nga ju. Më poshtë gjenden disa nga arsyet më të mundshme.", "The server (%(serverName)s) took too long to respond.": "Shërbyesi (%(serverName)s) e zgjati shumë përgjigjen.", @@ -769,27 +686,16 @@ "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", - "Set up Secure Backup": "Ujdisni Kopjeruajtje të Sigurt", "Not encrypted": "Jo e fshehtëzuar", "Room settings": "Rregullime dhome", - "Take a picture": "Bëni një foto", "Information": "Informacion", - "Safeguard against losing access to encrypted messages & data": "Mbrohuni nga humbja e hyrjes te mesazhe & të dhëna të fshehtëzuara", "Backup version:": "Version kopjeruajtjeje:", - "Algorithm:": "Algoritëm:", - "Backup key stored:": "Kyç kopjeruajtjesh i depozituar:", - "Backup key cached:": "Kyç kopjeruajtjesh i ruajtur në fshehtinë:", - "Secret storage:": "Depozitë e fshehtë:", - "ready": "gati", - "not ready": "jo gati", "Widgets": "Widget-e", "Edit widgets, bridges & bots": "Përpunoni widget-e, ura & robotë", "Add widgets, bridges & bots": "Shtoni widget-e, ura & robotë", "Start a conversation with someone using their name or username (like ).": "Nisni një bisedë me dikë duke përdorur emrin e tij ose emrin e tij të përdoruesit (bie fjala, ).", "Invite someone using their name, username (like ) or share this room.": "Ftoni dikë duke përdorur emrin e tij, emrin e tij të përdoruesit (bie fjala, ) ose ndani me të këtë dhomë.", "Unable to set up keys": "S’arrihet të ujdisen kyçe", - "Cross-signing is ready for use.": "“Cross-signing” është gati për përdorim.", - "Cross-signing is not set up.": "“Cross-signing” s’është ujdisur.", "Ignored attempt to disable encryption": "U shpërfill përpjekje për të çaktivizuar fshehtëzimin", "Join the conference at the top of this room": "Merrni pjesë në konferencë, në krye të kësaj dhome", "Join the conference from the room information card on the right": "Merrni pjesë në konferencë që prej kartës së informacionit mbi dhomën, në të djathtë", @@ -800,11 +706,6 @@ "Use the Desktop app to search encrypted messages": "Që të kërkoni te mesazhe të fshehtëzuar, përdorni aplikacionin për Desktop", "This version of %(brand)s does not support viewing some encrypted files": "Ky version i %(brand)s nuk mbulon parjen për disa kartela të fshehtëzuara", "This version of %(brand)s does not support searching encrypted messages": "Ky version i %(brand)s nuk mbulon kërkimin në mesazhe të fshehtëzuar", - "Failed to save your profile": "S’u arrit të ruhej profili juaj", - "The operation could not be completed": "Veprimi s’u plotësua dot", - "Move right": "Lëvize djathtas", - "Move left": "Lëvize majtas", - "Revoke permissions": "Shfuqizoji lejet", "You can only pin up to %(count)s widgets": { "other": "Mundeni të fiksoni deri në %(count)s widget-e" }, @@ -815,8 +716,6 @@ "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ë.", "Start a conversation with someone using their name, email address or username (like ).": "Nisni një bisedë me dikë duke përdorur emrin e tij, adresën email ose emrin e përdoruesit (bie fjala, ).", "Invite by email": "Ftojeni me email", - "Enable desktop notifications": "Aktivizoni njoftime desktopi", - "Don't miss a reply": "Mos humbni asnjë përgjigje", "Paraguay": "Paraguai", "Guyana": "Guajanë", "Central African Republic": "Republika e Afrikës Qendrore", @@ -1066,10 +965,6 @@ "Bangladesh": "Bangladesh", "Falkland Islands": "Ishujt Falkland", "Sweden": "Suedi", - "Securely cache encrypted messages locally for them to appear in search results, using %(size)s to store messages from %(rooms)s rooms.": { - "one": "Ruajini lokalisht në fshehtinë në mënyrë të sigurt mesazhet e fshehtëzuar, që të shfaqen në përfundime kërkimi, duke përdorur %(size)s që të depozitoni mesazhe nga %(rooms)s dhomë.", - "other": "Ruajini lokalisht në fshehtinë në mënyrë të sigurt mesazhet e fshehtëzuar, që të shfaqen në përfundime kërkimi, duke përdorur %(size)s që të depozitoni mesazhe nga %(rooms)s dhoma." - }, "Decline All": "Hidhi Krejt Poshtë", "This widget would like to:": "Ky widget do të donte të:", "Approve widget permissions": "Miratoni leje widget-i", @@ -1102,13 +997,10 @@ "Unable to access secret storage. Please verify that you entered the correct Security Phrase.": "S’arrihet të hyhet në depozitë të fshehtë. Ju lutemi, verifikoni se keni dhënë Frazën e saktë të Sigurisë.", "Invalid Security Key": "Kyç Sigurie i Pavlefshëm", "Wrong Security Key": "Kyç Sigurie i Gabuar", - "Back up your encryption keys with your account data in case you lose access to your sessions. Your keys will be secured with a unique Security Key.": "Kopjeruani kyçet tuaj të fshehtëzimit me të dhënat e llogarisë tuaj, për ditën kur mund të humbni hyrje në sesionet tuaja. Kyçet tuaj do të jenë të siguruar me një Kyç unik Sigurie.", "Remember this": "Mbaje mend këtë", "The widget will verify your user ID, but won't be able to perform actions for you:": "Ky widget do të verifikojë ID-në tuaj të përdoruesit, por s’do të jetë në gjendje të kryejë veprime për ju:", "Allow this widget to verify your identity": "Lejojeni këtë widget të verifikojë identitetin tuaj", "Set my room layout for everyone": "Ujdise skemën e dhomës time për këdo", - "Use app": "Përdorni aplikacionin", - "Use app for a better experience": "Për një punim më të mirë, përdorni aplikacionin", "Recently visited rooms": "Dhoma të vizituara së fundi", "%(count)s members": { "one": "%(count)s anëtar", @@ -1116,27 +1008,17 @@ }, "Are you sure you want to leave the space '%(spaceName)s'?": "Jeni i sigurt se doni të dilni nga hapësira '%(spaceName)s'?", "This space is not public. You will not be able to rejoin without an invite.": "Kjo hapësirë s’është publike. S’do të jeni në gjendje të rihyni në të pa një ftesë.", - "Start audio stream": "Nisni transmetim audio", "Unable to start audio streaming.": "S’arrihet të niset transmetim audio.", - "Save Changes": "Ruaji Ndryshimet", - "Leave Space": "Braktiseni Hapësirën", - "Edit settings relating to your space.": "Përpunoni rregullime që lidhen me hapësirën tuaj.", - "Failed to save space settings.": "S’u arrit të ruhen rregullime hapësire.", "Invite someone using their name, username (like ) or share this space.": "Ftoni dikë duke përdorur emrin e tij, emrin e tij të përdoruesit (bie fjala, ) ose ndani me të këtë hapësirë.", "Invite someone using their name, email address, username (like ) or share this space.": "Ftoni dikë duke përdorur emrin e tij, adresën email, emrin e përdoruesit (bie fjala, ) ose ndani me të këtë hapësirë.", "Create a new room": "Krijoni dhomë të re", - "Spaces": "Hapësira", "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", - "Space options": "Mundësi Hapësire", "Leave space": "Braktiseni hapësirën", - "Invite people": "Ftoni njerëz", - "Share invite link": "Jepuni lidhje ftese", - "Click to copy": "Klikoni që të kopjohet", "Create a space": "Krijoni një hapësirë", "Private space": "Hapësirë private", "Public space": "Hapësirë publike", @@ -1153,8 +1035,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", - "Invite with email or username": "Ftoni përmes email-i ose emri përdoruesi", - "You can change these anytime.": "Këto mund t’i ndryshoni në çfarëdo kohe.", "Verify your identity to access encrypted messages and prove your identity to others.": "Verifikoni identitetin tuaj që të hyhet në mesazhe të fshehtëzuar dhe t’u provoni të tjerëve identitetin tuaj.", "Avatar": "Avatar", "Consult first": "Konsultohu së pari", @@ -1165,9 +1045,6 @@ "one": "%(count)s person që e njihni është bërë pjesë tashmë", "other": "%(count)s persona që i njihni janë bërë pjesë tashmë" }, - "unknown person": "person i panjohur", - "%(deviceId)s from %(ip)s": "%(deviceId)s prej %(ip)s", - "Review to ensure your account is safe": "Shqyrtojeni për t’u siguruar se llogaria është e parrezik", "You are the only person here. If you leave, no one will be able to join in the future, including you.": "Jeni i vetmi person këtu. Nëse e braktisni, askush s’do të jetë në gjendje të hyjë në të ardhmen, përfshi ju.", "If you reset everything, you will restart with no trusted sessions, no trusted users, and might not be able to see past messages.": "Nëse riktheni gjithçka te parazgjedhjet, do të rifilloni pa sesione të besuara, pa përdorues të besuar, dhe mund të mos jeni në gjendje të shihni mesazhe të dikurshëm.", "Only do this if you have no other device to complete verification with.": "Bëjeni këtë vetëm nëse s’keni pajisje tjetër me të cilën të plotësoni verifikimin.", @@ -1204,8 +1081,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", - "Connecting": "Po lidhet", - "Message search initialisation failed": "Dështoi gatitje kërkimi mesazhesh", "Currently joining %(count)s rooms": { "one": "Aktualisht duke hyrë në %(count)s dhomë", "other": "Aktualisht duke hyrë në %(count)s dhoma" @@ -1214,15 +1089,9 @@ "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", "You don't have permission to do this": "S’keni leje ta bëni këtë", - "Error - Mixed content": "Gabim - Lëndë e përzierë", - "Error loading Widget": "Gabim në ngarkim Widget-i", "Pinned messages": "Mesazhe të fiksuar", "If you have permissions, open the menu on any message and select Pin to stick them here.": "Nëse keni leje, hapni menunë për çfarëdo mesazhi dhe përzgjidhni Fiksoje, për ta ngjitur këtu.", "Nothing pinned, yet": "Ende pa fiksuar gjë", - "Report": "Raportoje", - "Collapse reply thread": "Tkurre rrjedhën e përgjigjeve", - "Show preview": "Shfaq paraparje", - "View source": "Shihni burimin", "Please provide an address": "Ju lutemi, jepni një adresë", "Message search initialisation failed, check your settings for more information": "Dështoi gatitja e kërkimit në mesazhe, për më tepër hollësi, shihni rregullimet tuaja", "Set addresses for this space so users can find this space through your homeserver (%(localDomain)s)": "Caktoni adresa për këtë hapësirë, që kështu përdoruesit të gjejnë këtë dhomë përmes shërbyesit tuaj Home (%(localDomain)s)", @@ -1231,17 +1100,6 @@ "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", - "Recommended for public spaces.": "E rekomanduar për hapësira publike.", - "Allow people to preview your space before they join.": "Lejojini personat të parashohin hapësirën tuaj para se të hyjnë në të.", - "Preview Space": "Parashiheni Hapësirën", - "Decide who can view and join %(spaceName)s.": "Vendosni se cilët mund të shohin dhe marrin pjesë te %(spaceName)s.", - "Visibility": "Dukshmëri", - "This may be useful for public spaces.": "Kjo mund të jetë e dobishme për hapësira publike.", - "Guests can join a space without having an account.": "Mysafirët mund të hyjnë në një hapësirë pa pasur llogari.", - "Enable guest access": "Lejo hyrje si vizitor", - "Failed to update the history visibility of this space": "S’arrihet të përditësohet dukshmëria e historikut të kësaj hapësire", - "Failed to update the guest access of this space": "S’arrihet të përditësohet hyrja e mysafirëve të kësaj hapësire", - "Failed to update the visibility of this space": "S’arrihet të përditësohet dukshmëria e kësaj hapësire", "Address": "Adresë", "Unnamed audio": "Audio pa emër", "Sent": "U dërgua", @@ -1251,7 +1109,6 @@ "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.", - "Using this widget may share data with %(widgetDomain)s & your integration manager.": "Përdorimi i këtij widget-i mund të sjellë ndarje të dhënash me %(widgetDomain)s & përgjegjësin tuaj të integrimeve.", "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.", @@ -1262,11 +1119,6 @@ "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", - "There was an error loading your notification settings.": "Pati një gabim në ngarkimin e rregullimeve tuaja për njoftimet.", - "Mentions & keywords": "Përmendje & fjalëkyçe", - "Global": "Global", - "New keyword": "Fjalëkyç i ri", - "Keyword": "Fjalëkyç", "The call is in an unknown state!": "Thirrja gjendet në një gjendje të panjohur!", "Call back": "Thirreni ju", "No answer": "S’ka përgjigje", @@ -1284,31 +1136,12 @@ "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", - "Access": "Hyrje", - "Space members": "Anëtarë hapësire", - "Anyone in a space can find and join. You can select multiple spaces.": "Mund të përzgjidhni një hapësirë që mund të gjejë dhe hyjë. Mund të përzgjidhni disa hapësira.", - "Spaces with access": "Hapësira me hyrje", - "Anyone in a space can find and join. Edit which spaces can access here.": "Cilido në një hapësirë mund ta gjejë dhe hyjë. Përpunoni se cilat hapësira kanë hyrje këtu.", - "Currently, %(count)s spaces have access": { - "other": "Deri tani, %(count)s hapësira kanë hyrje", - "one": "Aktualisht një hapësirë ka hyrje" - }, - "& %(count)s more": { - "other": "& %(count)s më tepër", - "one": "& %(count)s më tepër" - }, - "Upgrade required": "Lypset domosdo përmirësim", - "This upgrade will allow members of selected spaces access to this room without an invite.": "Ky përmirësim do t’u lejojë anëtarëve të hapësirave të përzgjedhura të hyjnë në këtë dhomë pa ndonjë ftesë.", "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", - "Share content": "Ndani lëndë", - "Application window": "Dritare aplikacioni", - "Share entire screen": "Nda krejt ekranin", "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ë.", "You won't be able to rejoin unless you are re-invited.": "S’do të jeni në gjendje të rihyni, para se të riftoheni.", - "Search %(spaceName)s": "Kërko te %(spaceName)s", "Want to add an existing space instead?": "Në vend të kësaj, mos dëshironi të shtoni një hapësirë ekzistuese?", "Private space (invite only)": "Hapësirë private (vetëm me ftesa)", "Space visibility": "Dukshmëri hapësire", @@ -1323,17 +1156,11 @@ "Want to add a new space instead?": "Në vend të kësaj, doni të shtoni një hapësirë të re?", "Add existing space": "Shtoni hapësirë ekzistuese", "Decrypting": "Po shfshehtëzohet", - "Show all rooms": "Shfaq krejt dhomat", "Missed call": "Thirrje e humbur", "Call declined": "Thirrja u hodh poshtë", "Stop recording": "Ndale regjistrimin", "Send voice message": "Dërgoni mesazh zanor", - "More": "Më tepër", - "Show sidebar": "Shfaqe anështyllën", - "Hide sidebar": "Fshihe anështyllën", - "Delete avatar": "Fshije avatarin", "Unknown failure: %(reason)s": "Dështim për arsye të panjohur: %(reason)s", - "Cross-signing is ready but keys are not backed up.": "“Cross-signing” është gati, por kyçet s’janë koperuajtur.", "Rooms and spaces": "Dhoma dhe hapësira", "Results": "Përfundime", "Thumbs up": "Thumbs up", @@ -1341,7 +1168,6 @@ "Role in ": "Rol në ", "Unknown failure": "Dështim i panjohur", "Failed to update the join rules": "S’u arrit të përditësohen rregulla hyrjeje", - "Anyone in can find and join. You can select other spaces too.": "Cilido te mund ta gjejë dhe hyjë në të. Mund të përzgjidhni gjithashtu hapësira të tjera.", "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ë?", @@ -1357,16 +1183,6 @@ "Verify with Security Key or Phrase": "Verifikojeni me Kyç ose Frazë Sigurie", "It looks like you don't have a Security Key or any other devices you can verify against. This device will not be able to access old encrypted messages. In order to verify your identity on this device, you'll need to reset your verification keys.": "Duket sikur s’keni Kyç Sigurie ose ndonjë pajisje tjetër nga e cila mund të bëni verifikimin. Kjo pajisje s’do të jetë në gjendje të hyjë te mesazhe të dikurshëm të fshehtëzuar. Që të mund të verifikohet identiteti juaj në këtë pajisje, ju duhet të riujdisni kyçet tuaj të verifikimit.", "Skip verification for now": "Anashkaloje verifikimin hëpërhë", - "Updating spaces... (%(progress)s out of %(count)s)": { - "one": "Po përditësohet hapësirë…", - "other": "Po përditësohen hapësira… (%(progress)s nga %(count)s) gjithsej" - }, - "Sending invites... (%(progress)s out of %(count)s)": { - "one": "Po dërgohen ftesa…", - "other": "Po dërgohen ftesa… (%(progress)s nga %(count)s) gjithsej" - }, - "Loading new room": "Po ngarkohet dhomë e re", - "Upgrading room": "Përmirësim dhome", "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.", "Ban them from specific things I'm able to": "Dëboji prej gjërash të caktuara ku mundem ta bëj këtë", @@ -1399,17 +1215,10 @@ "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.", - "This room is in some spaces you're not an admin of. In those spaces, the old room will still be shown, but people will be prompted to join the new one.": "Kjo dhomë gjendet në disa hapësira për të cilat nuk jeni një nga përgjegjësit. Në këto hapësira, dhoma e vjetër prapë do të shfaqet, por njerëzve do t’u kërkohet të marrin pjesë te e reja.", "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", - "Rooms outside of a space": "Dhoma jashtë një hapësire", - "Show all your rooms in Home, even if they're in a space.": "Shfaqni krejt dhomat tuaja te Kreu, edhe nëse gjenden në një hapësirë.", - "Home is useful for getting an overview of everything.": "Kreu është i dobishëm për të pasur një përmbledhje të gjithçkaje.", - "Spaces to show": "Hapësira për shfaqje", - "Sidebar": "Anështyllë", - "Mentions only": "Vetëm përmendje", "Forget": "Harroje", "Files": "Kartela", "You won't get any notifications": "S’do të merrni ndonjë njoftim", @@ -1420,7 +1229,6 @@ "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?", - "Favourited": "U bë e parapëlqyer", "Close this widget to view it in this panel": "Mbylleni këtë widget, që ta shihni te ky panel", "Unpin this widget to view it in this panel": "Hiqjani fiksimin këtij widget-i, që ta shihni te ky panel", "%(spaceName)s and %(count)s others": { @@ -1450,8 +1258,6 @@ "Add people": "Shtoni njerëz", "Invite to space": "Ftoni në hapësirë", "Start new chat": "Filloni fjalosje të re", - "Pin to sidebar": "Fiksoje në anështyllë", - "Quick settings": "Rregullime të shpejta", "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", @@ -1468,8 +1274,6 @@ "one": "Rezultati përfundimtar, bazua në %(count)s votë", "other": "Rezultati përfundimtar, bazua në %(count)s vota" }, - "Share location": "Jepe vendndodhjen", - "Share anonymous data to help us identify issues. Nothing personal. No third parties.": "Ndani me ne të dhëna anonime, për të na ndihmuar të gjejmë problemet. Asgjë personale. Pa palë të treta.", "Recent searches": "Kërkime së fundi", "To search messages, look for this icon at the top of a room ": "Që të kërkoni te mesazhet, shihni për këtë ikonë në krye të një dhome ", "Other searches": "Kërkime të tjera", @@ -1479,16 +1283,12 @@ "Spaces you're in": "Hapësira ku jeni i pranishëm", "Link to room": "Lidhje për te dhoma", "Including you, %(commaSeparatedMembers)s": "Përfshi ju, %(commaSeparatedMembers)s", - "Copy room link": "Kopjo lidhje dhome", "Open in OpenStreetMap": "Hape në OpenStreetMap", "This groups your chats with members of this space. Turning this off will hide those chats from your view of %(spaceName)s.": "Kjo grupon fjalosjet tuaja me anëtarë në këtë hapësirë. Çaktivizimi i kësaj do t’i fshehë këto fjalosje prej pamjes tuaj për %(spaceName)s.", "Sections to show": "Ndarje për t’u shfaqur", "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)", - "Back to thread": "Mbrapsht te rrjedha", - "Room members": "Anëtarë dhome", - "Back to chat": "Mbrapsht te fjalosja", "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", @@ -1509,10 +1309,6 @@ "You were removed from %(roomName)s by %(memberName)s": "U hoqët %(roomName)s nga %(memberName)s", "Message pending moderation": "Mesazh në pritje të moderimit", "Message pending moderation: %(reason)s": "Mesazh në pritje të moderimit: %(reason)s", - "Group all your rooms that aren't part of a space in one place.": "Gruponi në një vend krejt dhomat tuaja që s’janë pjesë e një hapësire.", - "Group all your people in one place.": "Gruponi krejt personat tuaj në një vend.", - "Group all your favourite rooms and people in one place.": "Gruponi në një vend krejt dhomat tuaja të parapëlqyera dhe personat e parapëlqyer.", - "Spaces are ways to group rooms and people. Alongside the spaces you're in, you can use some pre-built ones too.": "Hapësirat janë mënyra për të grupuar dhoma dhe njerëz. Tok me hapësirat ku gjendeni, mundeni të përdorni edhe disa të krijuara paraprakisht.", "Pick a date to jump to": "Zgjidhni një datë ku të kalohet", "Jump to date": "Kalo te datë", "The beginning of the room": "Fillimi i dhomës", @@ -1536,13 +1332,10 @@ "My current location": "Vendndodhja ime e tanishme", "%(brand)s could not send your location. Please try again later.": "%(brand)s s’dërgoi dot vendndodhjen tuaj. Ju lutemi, riprovoni.", "We couldn't send your location": "S’e dërguam dot vendndodhjen tuaj", - "Match system": "Përputhe me sistemin", "My live location": "Vendndodhja ime drejtpërsëdrejti", "Expand quotes": "Zgjeroji thonjëzat", "Collapse quotes": "Tkurri thonjëzat", "Drop a Pin": "Lini një Piketë", - "Click to drop a pin": "Klikoni që të lihet një piketë", - "Click to move the pin": "Klikoni që të lëvizet piketa", "Click": "Klikim", "Can't create a thread from an event with an existing relation": "S’mund të krijohet një rrjedhë prej një akti me një marrëdhënie ekzistuese", "You are sharing your live location": "Po jepni vendndodhjen tuaj aty për aty", @@ -1553,14 +1346,12 @@ "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?" }, - "Share for %(duration)s": "Ndaje me të tjerë për %(duration)s", "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.", - "%(brand)s is experimental on a mobile web browser. For a better experience and the latest features, use our free native app.": "%(brand)s është eksperimental në një shfletues telefoni celular. Për punimin më të mirë dhe veçoritë më të reja, përdorni aplikacionin tonë falas.", "%(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.", @@ -1576,11 +1367,6 @@ "Forget this space": "Harroje këtë hapësirë", "You were removed by %(memberName)s": "U hoqët nga %(memberName)s", "Loading preview": "Po ngarkohet paraparje", - "Failed to join": "S’u arrit të hyhej", - "The person who invited you has already left, or their server is offline.": "Personi që ju ftoi, ka dalë tashmë, ose shërbyesi i tij është jashtë funksionimi.", - "The person who invited you has already left.": "Personi që ju ftoi ka dalë nga dhoma tashmë.", - "Sorry, your homeserver is too old to participate here.": "Na ndjeni, shërbyesi juaj Home është shumë i vjetër për të marrë pjesë këtu.", - "There was an error joining.": "Pati një gabim në hyrjen.", "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", @@ -1601,7 +1387,6 @@ "Live location error": "Gabim vendndodhjeje aty për aty", "Live location ended": "Vendndodhja “live” përfundoi", "Updated %(humanizedUpdateTime)s": "Përditësuar më %(humanizedUpdateTime)s", - "View related event": "Shihni veprimtari të afërt", "Cameras": "Kamera", "Remove search filter for %(filter)s": "Hiq filtër kërkimesh për %(filter)s", "Start a group chat": "Nisni një fjalosje grupi", @@ -1630,7 +1415,6 @@ "Show: %(instance)s rooms (%(server)s)": "Shfaq: Dhoma %(instance)s (%(server)s)", "Add new server…": "Shtoni shërbyes të ri…", "Remove server “%(roomServer)s”": "Hiqe shërbyesin “%(roomServer)s”", - "Un-maximise": "Çmaksimizoje", "View live location": "Shihni vendndodhje aty për aty", "Ban from room": "Dëboje nga dhomë", "Unban from room": "Hiqjani dëbimin nga dhoma", @@ -1653,12 +1437,7 @@ "%(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.", - "%(count)s people joined": { - "one": "Hyri %(count)s person", - "other": "Hynë %(count)s vetë" - }, "Explore public spaces in the new search dialog": "Eksploroni hapësira publike te dialogu i ri i kërkimeve", - "Connection lost": "Humbi lidhja", "If you want to retain access to your chat history in encrypted rooms, set up Key Backup or export your message keys from one of your other devices before proceeding.": "Nëse doni ta mbani mundësinë e përdorimit të historikut të fjalosjeve tuaja në dhoma të fshehtëzuara, ujdisni Kopjeruajtje Kyçesh, ose eksportoni kyçet tuaj të mesazheve prej një nga pajisjet tuaja të tjera, para se të ecni më tej.", "Signing out your devices will delete the message encryption keys stored on them, making encrypted chat history unreadable.": "Dalja nga pajisjet tuaja do të fshijë kyçet e fshehtëzimit të mesazheve të ruajtur në to, duke e bërë të palexueshëm historikun e mesazheve të fshehtëzuar.", "Stop and close": "Resht dhe mbylle", @@ -1675,15 +1454,11 @@ "Choose a locale": "Zgjidhni vendore", "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", - "Enable live location sharing": "Aktivizo dhënie vendndodhjeje aty për aty", - "Please note: this is a labs feature using a temporary implementation. This means you will not be able to delete your location history, and advanced users will be able to see your location history even after you stop sharing your live location with this room.": "Ju lutemi, kini parasysh: kjo është një veçori në zhvillim, që përdor një sendërtim të përkohshëm. Kjo do të thotë se s’do të jeni në gjendje të fshini historikun e vendndodhjeve tuaja dhe përdoruesit e përparuar do të jenë në gjendje të shohin historikun e vendndodhjeve tuaja edhe pasi të keni ndalur në këtë dhomë dhënien aty për aty të vendndodhjes tuaj.", - "Live location sharing": "Dhënie vendndodhjeje aty për aty", "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", - "You were disconnected from the call. (Error: %(message)s)": "U shkëputët nga thirrja. (Gabim: %(message)s)", "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", @@ -1709,18 +1484,10 @@ "Close call": "Mbylli krejt", "Spotlight": "Projektor", "Freedom": "Liri", - "You do not have permission to start voice calls": "S’keni leje të nisni thirrje me zë", - "There's no one here to call": "Këtu s’ka kënd që të thirret", - "You do not have permission to start video calls": "S’keni leje të nisni thirrje me video", - "Ongoing call": "Thirrje në kryerje e sipër", "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ë.", - "For best security, verify your sessions and sign out from any session that you don't recognize or use anymore.": "Për sigurinë më të mirë, verifikoni sesionet tuaja dhe dilni nga çfarëdo sesioni që s’e njihni, ose s’e përdorni më.", - "Sessions": "Sesione", - "Sorry — this call is currently full": "Na ndjeni — aktualisht kjo thirrje është plot", - "Unknown room": "Dhomë e panjohur", "View List": "Shihni Listën", "View list": "Shihni listën", "Hide formatting": "Fshihe formatimin", @@ -1733,10 +1500,6 @@ "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ë", - "Are you sure you want to sign out of %(count)s sessions?": { - "one": "Jeni i sigurt se doni të dilet nga %(count)s session?", - "other": "Jeni i sigurt se doni të dilet nga %(count)s sessione?" - }, "Send email": "Dërgo email", "Sign out of all devices": "Dilni nga llogaria në krejt pajisjet", "Confirm new password": "Ripohoni fjalëkalimin e ri", @@ -1756,15 +1519,10 @@ "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: ", - "You have unverified sessions": "Keni sesioni të paverifikuar", "Change layout": "Ndryshoni skemë", - "Search users in this room…": "Kërkoni për përdorues në këtë dhomë…", - "Give one or multiple users in this room more privileges": "Jepini një ose disa përdoruesve më tepër privilegje në këtë dhomë", - "Add privileged users": "Shtoni përdorues të privilegjuar", "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", - "Mark as read": "Vëri shenjë si të lexuar", "Text": "Tekst", "Create a link": "Krijoni një lidhje", "You can't start a voice message as you are currently recording a live broadcast. Please end your live broadcast in order to start recording a voice message.": "S’mund të niset mesazh zanor, ngaqë aktualisht po incizoni një transmetim të drejtpërdrejtë. Ju lutemi, përfundoni transmetimin e drejtpërdrejtë, që të mund të nisni incizimin e një mesazhi zanor.", @@ -1775,8 +1533,6 @@ "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", - "Red": "E kuqe", - "Grey": "Gri", "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.", @@ -1800,11 +1556,6 @@ "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…", - "Backing up %(sessionsRemaining)s keys…": "Po kopjeruhen kyçet për %(sessionsRemaining)s…", - "This session is backing up your keys.": "Kjo sesion po bën kopjeruajtje të kyçeve tuaja.", - "Connecting to integration manager…": "Po lidhet me përgjegjës integrimesh…", - "Saving…": "Po ruhet…", - "Creating…": "Po krijohet…", "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.", @@ -1812,9 +1563,6 @@ "Due to decryption errors, some votes may not be counted": "Për shkak gabimesh shfshehtëzimi, disa vota s’mund të numërohen", "Answered elsewhere": "Përgjigjur gjetkë", "The sender has blocked you from receiving this message": "Dërguesi ka bllokuar marrjen e këtij mesazhi nga ju", - "If you know a room address, try joining through that instead.": "Nëse e dini një adresë dhome, provoni të hyni përmes saj, më miër.", - "You attempted to join using a room ID without providing a list of servers to join through. Room IDs are internal identifiers and cannot be used to join a room without additional information.": "U rrekët të hyni duke përdorur një ID dhome pa dhënë një listë shërbyesish përmes të cilëve të hyhet. ID-të e dhomave janë identifikues të brendshëm dhe s’mund të përdoren për të hyrë në një dhomë pa hollësi shtesë.", - "Yes, it was me": "Po, unë qeshë", "View poll": "Shiheni pyetësorin", "There are no past polls for the past %(count)s days. Load more polls to view polls for previous months": { "one": "S’ka pyetësorë të kaluar për ditën e shkuar. Që të shihni pyetësorët për muajt e kaluar, ngarkoni më tepër pyetësorë", @@ -1830,16 +1578,11 @@ "Past polls": "Pyetësorë të kaluar", "Active polls": "Pyetësorë aktivë", "View poll in timeline": "Shiheni pyetësorin në rrjedhë kohore", - "Verify Session": "Verifiko Sesion", - "Ignore (%(counter)s)": "Shpërfill (%(counter)s)", "Invites by email can only be sent one at a time": "Ftesat me email mund të dërgohen vetëm një në herë", - "An error occurred when updating your notification preferences. Please try to toggle your option again.": "Ndodhi një gabim teksa përditësoheshin parapëlqimet tuaja për njoftime. Ju lutemi, provoni ta riaktivizoni mundësinë tuaj.", "Desktop app logo": "Stemë aplikacioni Desktop", "Message from %(user)s": "Mesazh nga %(user)s", "Message in %(room)s": "Mesazh në %(room)s", "Requires your server to support the stable version of MSC3827": "Lyp që shërbyesi juaj të mbulojë versionin e qëndrueshëm të MSC3827", - "Mute room": "Heshtoni dhomën", - "Match default setting": "Kërko përputhje me rregullimin parazgjedhje", "Error details": "Hollësi gabimi", "Unable to find event at that date": "S’arrihet të gjendet veprimtari më atë datë", "Please submit debug logs to help us track down the problem.": "Ju lutemi, parashtroni regjistra diagnostikimi, për të na ndihmuar të gjurmojnë problemin.", @@ -1851,7 +1594,6 @@ "Start DM anyway": "Nis MD sido qoftë", "Start DM anyway and never warn me again": "Nis MD sido qoftë dhe mos më sinjalizo kurrë më", "Unable to find profiles for the Matrix IDs listed below - would you like to start a DM anyway?": "S’arrihet të gjenden profile për ID-të Matrix radhitur më poshtë - doni të niset një MD sido që të jetë?", - "Image view": "Parje figure", "Search all rooms": "Kërko në krejt dhomat", "Search this room": "Kërko në këtë dhomë", "Formatting": "Formatim", @@ -1859,7 +1601,6 @@ "Error changing password": "Gabim në ndryshim fjalëkalimi", "%(errorMessage)s (HTTP status %(httpStatus)s)": "%(errorMessage)s (gjendje HTTP %(httpStatus)s)", "Unknown password change error (%(stringifiedError)s)": "Gabim i panjohur ndryshimi fjalëkalimi (%(stringifiedError)s)", - "Failed to download source media, no source url was found": "S’u arrit të shkarkohet media burim, s’u gjet URL burimi", "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", @@ -1960,7 +1701,15 @@ "off": "Off", "all_rooms": "Krejt dhomat", "deselect_all": "Shpërzgjidhi krejt", - "select_all": "Përzgjidhi krejt" + "select_all": "Përzgjidhi krejt", + "copied": "U kopjua!", + "advanced": "Të mëtejshme", + "spaces": "Hapësira", + "general": "Të përgjithshme", + "saving": "Po ruhet…", + "profile": "Profil", + "display_name": "Emër Në Ekran", + "user_avatar": "Foto profili" }, "action": { "continue": "Vazhdo", @@ -2062,7 +1811,10 @@ "clear": "Spastroje", "exit_fullscreeen": "Dil nga mënyra “Sa krejt ekrani”", "enter_fullscreen": "Kalo në mënyrën “Sa krejt ekrani”", - "unban": "Hiqja dëbimin" + "unban": "Hiqja dëbimin", + "click_to_copy": "Klikoni që të kopjohet", + "hide_advanced": "Fshihi të mëtejshmet", + "show_advanced": "Shfaqi të mëtejshmet" }, "a11y": { "user_menu": "Menu përdoruesi", @@ -2074,7 +1826,8 @@ "other": "%(count)s mesazhe të palexuar.", "one": "1 mesazh i palexuar." }, - "unread_messages": "Mesazhe të palexuar." + "unread_messages": "Mesazhe të palexuar.", + "jump_first_invite": "Hidhu te ftesa e parë." }, "labs": { "video_rooms": "Dhoma me video", @@ -2258,7 +2011,6 @@ "user_a11y": "Vetëplotësim Përdoruesish" } }, - "Bold": "Të trasha", "Link": "Lidhje", "Code": "Kod", "power_level": { @@ -2366,7 +2118,8 @@ "intro_byline": "Jini zot i bisedave tuaja.", "send_dm": "Dërgoni Mesazh të Drejtpërdrejtë", "explore_rooms": "Eksploroni Dhoma Publike", - "create_room": "Krijoni një Fjalosje Grupi" + "create_room": "Krijoni një Fjalosje Grupi", + "create_account": "Krijoni llogari" }, "settings": { "show_breadcrumbs": "Shfaq te lista e dhomave shkurtore për te dhoma të para së fundi", @@ -2431,7 +2184,10 @@ "noisy": "I zhurmshëm", "error_permissions_denied": "%(brand)s-i s’ka leje t’ju dërgojë njoftime - Ju lutemi, kontrolloni rregullimet e shfletuesit tuaj", "error_permissions_missing": "%(brand)s-it s’iu dha leje të dërgojë njoftime - ju lutemi, riprovoni", - "error_title": "S’arrihet të aktivizohen njoftimet" + "error_title": "S’arrihet të aktivizohen njoftimet", + "error_updating": "Ndodhi një gabim teksa përditësoheshin parapëlqimet tuaja për njoftime. Ju lutemi, provoni ta riaktivizoni mundësinë tuaj.", + "push_targets": "Objektiva njoftimesh", + "error_loading": "Pati një gabim në ngarkimin e rregullimeve tuaja për njoftimet." }, "appearance": { "layout_irc": "IRC (Eksperimentale)", @@ -2504,7 +2260,44 @@ "cryptography_section": "Kriptografi", "session_id": "ID sesioni:", "session_key": "Kyç sesioni:", - "encryption_section": "Fshehtëzim" + "encryption_section": "Fshehtëzim", + "bulk_options_section": "Veprime masive", + "bulk_options_accept_all_invites": "Prano krejt ftesat prej %(invitedRooms)s", + "bulk_options_reject_all_invites": "Mos prano asnjë ftesë për në %(invitedRooms)s", + "message_search_section": "Kërkim mesazhesh", + "analytics_subsection_description": "Ndani me ne të dhëna anonime, për të na ndihmuar të gjejmë problemet. Asgjë personale. Pa palë të treta.", + "encryption_individual_verification_mode": "Verifikoni individualisht çdo sesion të përdorur nga një përdorues, për t’i vënë shenjë si i besuar, duke mos besuar pajisje cross-signed.", + "message_search_enabled": { + "one": "Ruajini lokalisht në fshehtinë në mënyrë të sigurt mesazhet e fshehtëzuar, që të shfaqen në përfundime kërkimi, duke përdorur %(size)s që të depozitoni mesazhe nga %(rooms)s dhomë.", + "other": "Ruajini lokalisht në fshehtinë në mënyrë të sigurt mesazhet e fshehtëzuar, që të shfaqen në përfundime kërkimi, duke përdorur %(size)s që të depozitoni mesazhe nga %(rooms)s dhoma." + }, + "message_search_disabled": "Ruaj lokalisht në mënyrë të sigurt në fshehtinë mesazhet që të shfaqen në përfundime kërkimi.", + "message_search_unsupported": "%(brand)s-it i mungojnë disa përbërës të domosdoshëm për ruajtje lokalisht në mënyrë të sigurt në fshehtinë mesazhe. Nëse do të donit të eksperimentonit me këtë veçori, montoni një Desktop vetjak %(brand)s Desktop me shtim përbërësish kërkimi.", + "message_search_unsupported_web": "%(brand)s s’mund të ruajë lokalisht në fshehtinë në mënyrë të siguruar mesazhe të fshehtëzuar, teksa xhirohet në një shfletues. Që mesazhet e fshehtëzuar të shfaqen te përfundime kërkimi, përdorni %(brand)s Desktop.", + "message_search_failed": "Dështoi gatitje kërkimi mesazhesh", + "backup_key_well_formed": "e mirëformuar", + "backup_key_unexpected_type": "lloj i papritur", + "backup_keys_description": "Kopjeruani kyçet tuaj të fshehtëzimit me të dhënat e llogarisë tuaj, për ditën kur mund të humbni hyrje në sesionet tuaja. Kyçet tuaj do të jenë të siguruar me një Kyç unik Sigurie.", + "backup_key_stored_status": "Kyç kopjeruajtjesh i depozituar:", + "cross_signing_not_stored": "e padepozituar", + "backup_key_cached_status": "Kyç kopjeruajtjesh i ruajtur në fshehtinë:", + "4s_public_key_status": "Kyç publik depozite të fshehtë:", + "4s_public_key_in_account_data": "në të dhëna llogarie", + "secret_storage_status": "Depozitë e fshehtë:", + "secret_storage_ready": "gati", + "secret_storage_not_ready": "jo gati", + "delete_backup": "Fshije Kopjeruajtjen", + "delete_backup_confirm_description": "Jeni i sigurt? Do të humbni mesazhet tuaj të fshehtëzuar, nëse kopjeruajtja për kyçet tuaj nuk bëhet si duhet.", + "error_loading_key_backup_status": "S’arrihet të ngarkohet gjendje kopjeruajtjeje kyçesh", + "restore_key_backup": "Riktheje prej Kopjeruajtje", + "key_backup_active": "Kjo sesion po bën kopjeruajtje të kyçeve tuaja.", + "key_backup_inactive": "Ky sesion nuk po bën kopjeruajtje të kyçeve tuaja, por keni një kopjeruajtje ekzistuese që mund ta përdorni për rimarrje dhe ta shtoni më tej.", + "key_backup_connect_prompt": "Lidheni këtë sesion kopjeruajtje kyçesh, përpara se të dilni, që të shmangni humbje të çfarëdo kyçi që mund të gjendet vetëm në këtë pajisje.", + "key_backup_connect": "Lidhe këtë sesion me Kopjeruajtje Kyçesh", + "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." }, "preferences": { "room_list_heading": "Listë dhomash", @@ -2618,7 +2411,13 @@ "other": "Dil nga pajisje" }, "security_recommendations": "Rekomandime sigurie", - "security_recommendations_description": "Përmirësoni sigurinë e llogarisë tuaj duke ndjekur këto rekomandime." + "security_recommendations_description": "Përmirësoni sigurinë e llogarisë tuaj duke ndjekur këto rekomandime.", + "title": "Sesione", + "sign_out_confirm_description": { + "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ë." }, "general": { "oidc_manage_button": "Administroni llogari", @@ -2636,7 +2435,22 @@ "add_msisdn_confirm_sso_button": "Ripohojeni shtimin e këtij numri telefoni duke përdorur Hyrje Njëshe që të provoni identitetin tuaj.", "add_msisdn_confirm_button": "Ripohoni shtim numri telefoni", "add_msisdn_confirm_body": "Klikoni mbi butonin më poshtë që të ripohoni shtimin e këtij numri telefoni.", - "add_msisdn_dialog_title": "Shtoni Numër Telefoni" + "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" + }, + "sidebar": { + "title": "Anështyllë", + "metaspaces_subsection": "Hapësira për shfaqje", + "metaspaces_description": "Hapësirat janë mënyra për të grupuar dhoma dhe njerëz. Tok me hapësirat ku gjendeni, mundeni të përdorni edhe disa të krijuara paraprakisht.", + "metaspaces_home_description": "Kreu është i dobishëm për të pasur një përmbledhje të gjithçkaje.", + "metaspaces_favourites_description": "Gruponi në një vend krejt dhomat tuaja të parapëlqyera dhe personat e parapëlqyer.", + "metaspaces_people_description": "Gruponi krejt personat tuaj në një vend.", + "metaspaces_orphans": "Dhoma jashtë një hapësire", + "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" } }, "devtools": { @@ -3119,7 +2933,15 @@ "user": "%(senderName)s përfundoi një transmetim zanor" }, "creation_summary_dm": "%(creator)s krijoi këtë DM.", - "creation_summary_room": "%(creator)s krijoi dhe formësoi dhomën." + "creation_summary_room": "%(creator)s krijoi dhe formësoi dhomën.", + "context_menu": { + "view_source": "Shihni burimin", + "show_url_preview": "Shfaq paraparje", + "external_url": "URL Burimi", + "collapse_reply_thread": "Tkurre rrjedhën e përgjigjeve", + "view_related_event": "Shihni veprimtari të afërt", + "report": "Raportoje" + } }, "slash_command": { "spoiler": "E dërgon mesazhin e dhënë si spoiler", @@ -3316,10 +3138,28 @@ "failed_call_live_broadcast_title": "S’fillohet dot thirrje", "failed_call_live_broadcast_description": "S’mund të nisni një thirrje, ngaqë aktualisht jeni duke regjistruar një transmetim të drejtpërdrejtë. Që të mund të nisni një thirrje, ju lutemi, përfundoni transmetimin tuaj të drejtpërdrejtë.", "no_media_perms_title": "S’ka leje mediash", - "no_media_perms_description": "Lypset të lejoni dorazi %(brand)s-in të përdorë mikrofonin/kamerën tuaj web" + "no_media_perms_description": "Lypset të lejoni dorazi %(brand)s-in të përdorë mikrofonin/kamerën tuaj web", + "call_toast_unknown_room": "Dhomë e panjohur", + "join_button_tooltip_connecting": "Po lidhet", + "join_button_tooltip_call_full": "Na ndjeni — aktualisht kjo thirrje është plot", + "hide_sidebar_button": "Fshihe anështyllën", + "show_sidebar_button": "Shfaqe anështyllën", + "more_button": "Më tepër", + "screenshare_monitor": "Nda krejt ekranin", + "screenshare_window": "Dritare aplikacioni", + "screenshare_title": "Ndani lëndë", + "disabled_no_perms_start_voice_call": "S’keni leje të nisni thirrje me zë", + "disabled_no_perms_start_video_call": "S’keni leje të nisni thirrje me video", + "disabled_ongoing_call": "Thirrje në kryerje e sipër", + "disabled_no_one_here": "Këtu s’ka kënd që të thirret", + "n_people_joined": { + "one": "Hyri %(count)s person", + "other": "Hynë %(count)s vetë" + }, + "unknown_person": "person i panjohur", + "connecting": "Po lidhet" }, "Other": "Tjetër", - "Advanced": "Të mëtejshme", "room_settings": { "permissions": { "m.room.avatar_space": "Ndryshoni avatar hapësire", @@ -3359,7 +3199,10 @@ "title": "Role & Leje", "permissions_section": "Leje", "permissions_section_description_space": "Përzgjidhni rolet e domosdoshëm për të ndryshuar pjesë të ndryshme të hapësirës", - "permissions_section_description_room": "Përzgjidhni rolet e domosdoshme për të ndryshuar anë të ndryshme të dhomës" + "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ë…" }, "security": { "strict_encryption": "Mos dërgo kurrë prej këtij sesioni mesazhe të fshehtëzuar te sesione të paverifikuar në këtë dhomë", @@ -3385,7 +3228,33 @@ "history_visibility_shared": "Vetëm anëtarët (që nga çasti i përzgjedhjes së kësaj mundësie)", "history_visibility_invited": "Vetëm anëtarë (që kur qenë ftuar)", "history_visibility_joined": "Vetëm anëtarë (që kur janë bërë pjesë)", - "history_visibility_world_readable": "Cilido" + "history_visibility_world_readable": "Cilido", + "join_rule_upgrade_required": "Lypset domosdo përmirësim", + "join_rule_restricted_n_more": { + "other": "& %(count)s më tepër", + "one": "& %(count)s më tepër" + }, + "join_rule_restricted_summary": { + "other": "Deri tani, %(count)s hapësira kanë hyrje", + "one": "Aktualisht një hapësirë ka hyrje" + }, + "join_rule_restricted_description": "Cilido në një hapësirë mund ta gjejë dhe hyjë. Përpunoni se cilat hapësira kanë hyrje këtu.", + "join_rule_restricted_description_spaces": "Hapësira me hyrje", + "join_rule_restricted_description_active_space": "Cilido te mund ta gjejë dhe hyjë në të. Mund të përzgjidhni gjithashtu hapësira të tjera.", + "join_rule_restricted_description_prompt": "Mund të përzgjidhni një hapësirë që mund të gjejë dhe hyjë. Mund të përzgjidhni disa hapësira.", + "join_rule_restricted": "Anëtarë hapësire", + "join_rule_restricted_upgrade_warning": "Kjo dhomë gjendet në disa hapësira për të cilat nuk jeni një nga përgjegjësit. Në këto hapësira, dhoma e vjetër prapë do të shfaqet, por njerëzve do t’u kërkohet të marrin pjesë te e reja.", + "join_rule_restricted_upgrade_description": "Ky përmirësim do t’u lejojë anëtarëve të hapësirave të përzgjedhura të hyjnë në këtë dhomë pa ndonjë ftesë.", + "join_rule_upgrade_upgrading_room": "Përmirësim dhome", + "join_rule_upgrade_awaiting_room": "Po ngarkohet dhomë e re", + "join_rule_upgrade_sending_invites": { + "one": "Po dërgohen ftesa…", + "other": "Po dërgohen ftesa… (%(progress)s nga %(count)s) gjithsej" + }, + "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" + } }, "general": { "publish_toggle": "Të bëhet publike kjo dhomë te drejtoria e dhomave %(domain)s?", @@ -3395,7 +3264,11 @@ "default_url_previews_off": "Për pjesëmarrësit në këtë dhomë paraparja e URL-ve është e çaktivizuar, si parazgjedhje.", "url_preview_encryption_warning": "Në dhoma të fshehtëzuara, si kjo, paraparja e URL-ve është e çaktivizuar, si parazgjedhje, për të garantuar që shërbyesi juaj home (ku edhe prodhohen paraparjet) të mos grumbullojë të dhëna rreth lidhjesh që shihni në këtë dhomë.", "url_preview_explainer": "Kur dikush vë një URL në mesazh, për të dhënë rreth lidhjes më tepër të dhëna, të tilla si titulli, përshkrimi dhe një figurë e sajtit, do të shfaqet një paraparje e URL-së.", - "url_previews_section": "Paraparje URL-sh" + "url_previews_section": "Paraparje URL-sh", + "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" }, "advanced": { "unfederated": "Kjo dhomë nuk është e përdorshme nga shërbyes Matrix të largët", @@ -3407,6 +3280,24 @@ "room_id": "ID e brendshme dhome", "room_version_section": "Version dhome", "room_version": "Version dhome:" + }, + "delete_avatar_label": "Fshije avatarin", + "upload_avatar_label": "Ngarkoni avatar", + "visibility": { + "error_update_guest_access": "S’arrihet të përditësohet hyrja e mysafirëve të kësaj hapësire", + "error_update_history_visibility": "S’arrihet të përditësohet dukshmëria e historikut të kësaj hapësire", + "guest_access_explainer": "Mysafirët mund të hyjnë në një hapësirë pa pasur llogari.", + "guest_access_explainer_public_space": "Kjo mund të jetë e dobishme për hapësira publike.", + "title": "Dukshmëri", + "error_failed_save": "S’arrihet të përditësohet dukshmëria e kësaj hapësire", + "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" + }, + "access": { + "title": "Hyrje", + "description_space": "Vendosni se cilët mund të shohin dhe marrin pjesë te %(spaceName)s." } }, "encryption": { @@ -3433,7 +3324,15 @@ "waiting_other_device_details": "Po pritet që ju të verifikoni në pajisjen tuaj tjetër, %(deviceName)s (%(deviceId)s)…", "waiting_other_device": "Po pritet që ju të verifikoni në pajisjen tuaj tjetër…", "waiting_other_user": "Po pritet për %(displayName)s të verifikojë…", - "cancelling": "Po anulohet…" + "cancelling": "Po anulohet…", + "unverified_sessions_toast_title": "Keni sesioni të paverifikuar", + "unverified_sessions_toast_description": "Shqyrtojeni për t’u siguruar se llogaria është e parrezik", + "unverified_sessions_toast_reject": "Më vonë", + "unverified_session_toast_title": "Hyrje e re. Ju qetë?", + "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" }, "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.", @@ -3443,7 +3342,18 @@ "bootstrap_title": "Ujdisje kyçesh", "export_unsupported": "Shfletuesi juaj nuk mbulon zgjerimet kriptografike të domosdoshme", "import_invalid_keyfile": "S’është kartelë kyçesh %(brand)s e vlefshme", - "import_invalid_passphrase": "Dështoi kontrolli i mirëfilltësimit: fjalëkalim i pasaktë?" + "import_invalid_passphrase": "Dështoi kontrolli i mirëfilltësimit: fjalëkalim i pasaktë?", + "set_up_toast_title": "Ujdisni Kopjeruajtje të Sigurt", + "upgrade_toast_title": "Ka të gatshëm përmirësim fshehtëzimi", + "verify_toast_title": "Verifikoni këtë sesion", + "set_up_toast_description": "Mbrohuni nga humbja e hyrjes te mesazhe & të dhëna të fshehtëzuara", + "verify_toast_description": "Përdorues të tjerë mund të mos e besojnë", + "cross_signing_unsupported": "Shërbyesi juaj Home nuk mbulon cross-signing.", + "cross_signing_ready": "“Cross-signing” është gati për përdorim.", + "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": "" }, "emoji": { "category_frequently_used": "Përdorur Shpesh", @@ -3467,7 +3377,8 @@ "bullet_1": "Nuk regjistrojmë ose profilizojmë ndonjë të dhënë llogarie", "bullet_2": "Nuk u japin hollësi palëve të treta", "disable_prompt": "Këtë mund të çaktivizoni në çfarëdo kohe që nga rregullimet", - "accept_button": "S’ka problem" + "accept_button": "S’ka problem", + "shared_data_heading": "Mund të ndahen me të tjerët cilado prej të dhënave vijuese:" }, "chat_effects": { "confetti_description": "E dërgon mesazhin e dhënë me bonbone", @@ -3620,7 +3531,8 @@ "no_hs_url_provided": "S’u dha URL shërbyesi Home", "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." + "incorrect_credentials_detail": "Ju lutemi, kini parasysh se jeni futur te shërbyesi %(hs)s, jo te matrix.org.", + "create_account_title": "Krijoni llogari" }, "room_list": { "sort_unread_first": "Së pari shfaq dhoma me mesazhe të palexuar", @@ -3744,7 +3656,34 @@ "error_need_to_be_logged_in": "Lypset të jeni i futur në llogarinë tuaj.", "error_need_invite_permission": "Që ta bëni këtë, lypset të jeni në gjendje të ftoni përdorues.", "error_need_kick_permission": "Që ta bëni këtë, lypset të jeni në gjendje të përzini përdorues.", - "no_name": "Aplikacion i Panjohur" + "no_name": "Aplikacion i Panjohur", + "error_hangup_title": "Humbi lidhja", + "error_hangup_description": "U shkëputët nga thirrja. (Gabim: %(message)s)", + "context_menu": { + "start_audio_stream": "Nisni transmetim audio", + "screenshot": "Bëni një foto", + "delete": "Fshije widget-in", + "delete_warning": "Fshirja e një widget-i e heq atë për krejt përdoruesit në këtë dhomë. Jeni i sigurt se doni të fshihet ky widget?", + "remove": "Hiqe për këdo", + "revoke": "Shfuqizoji lejet", + "move_left": "Lëvize majtas", + "move_right": "Lëvize djathtas" + }, + "shared_data_name": "Emri juaj në ekran", + "shared_data_mxid": "ID-ja juaj e përdoruesit", + "shared_data_theme": "Tema juaj", + "shared_data_url": "URL %(brand)s-i", + "shared_data_room_id": "ID dhome", + "shared_data_widget_id": "ID widget-i", + "shared_data_warning_im": "Përdorimi i këtij widget-i mund të sjellë ndarje të dhënash me %(widgetDomain)s & përgjegjësin tuaj të integrimeve.", + "shared_data_warning": "Përdorimi i këtij widget-i mund të sjellë ndarje të dhënash me %(widgetDomain)s.", + "unencrypted_warning": "Widget-et s’përdorin fshehtëzim mesazhesh.", + "added_by": "Widget i shtuar nga", + "cookie_warning": "Ky widget mund të përdorë cookies.", + "error_loading": "Gabim në ngarkim Widget-i", + "error_mixed_content": "Gabim - Lëndë e përzierë", + "unmaximise": "Çmaksimizoje", + "popout": "Widget flluskë" }, "feedback": { "sent": "Përshtypjet u dërguan", @@ -3839,7 +3778,8 @@ "empty_heading": "Mbajini diskutimet të sistemuara në rrjedha" }, "theme": { - "light_high_contrast": "Kontrast i fortë drite" + "light_high_contrast": "Kontrast i fortë drite", + "match_system": "Përputhe me sistemin" }, "space": { "landing_welcome": "Mirë se vini te ", @@ -3855,9 +3795,14 @@ "devtools_open_timeline": "Shihni rrjedhë kohore të dhomës (mjete zhvilluesi)", "home": "Shtëpia e hapësirës", "explore": "Eksploroni dhoma", - "manage_and_explore": "Administroni & eksploroni dhoma" + "manage_and_explore": "Administroni & eksploroni dhoma", + "options": "Mundësi Hapësire" }, - "share_public": "Ndani me të tjerët hapësirën tuaj publike" + "share_public": "Ndani me të tjerët hapësirën tuaj publike", + "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" }, "location_sharing": { "MapStyleUrlNotConfigured": "Ky shërbyes Home s’është formësuar të shfaqë harta.", @@ -3872,7 +3817,14 @@ "failed_timeout": "Mbaroi koha duke provuar të sillet vendndodhja juaj. Ju lutemi, riprovoni më vonë.", "failed_unknown": "Gabim i panjohur në sjelljen e vendndodhjes. Ju lutemi, riprovoni më vonë.", "expand_map": "Zgjeroje hartën", - "failed_load_map": "S’arrihet të ngarkohet hartë" + "failed_load_map": "S’arrihet të ngarkohet hartë", + "live_enable_heading": "Dhënie vendndodhjeje aty për aty", + "live_enable_description": "Ju lutemi, kini parasysh: kjo është një veçori në zhvillim, që përdor një sendërtim të përkohshëm. Kjo do të thotë se s’do të jeni në gjendje të fshini historikun e vendndodhjeve tuaja dhe përdoruesit e përparuar do të jenë në gjendje të shohin historikun e vendndodhjeve tuaja edhe pasi të keni ndalur në këtë dhomë dhënien aty për aty të vendndodhjes tuaj.", + "live_toggle_label": "Aktivizo dhënie vendndodhjeje aty për aty", + "live_share_button": "Ndaje me të tjerë për %(duration)s", + "click_move_pin": "Klikoni që të lëvizet piketa", + "click_drop_pin": "Klikoni që të lihet një piketë", + "share_button": "Jepe vendndodhjen" }, "labs_mjolnir": { "room_name": "Lista Ime e Dëbimeve", @@ -3908,7 +3860,6 @@ }, "create_space": { "name_required": "Ju lutemi, jepni një emër për hapësirën", - "name_placeholder": "p.sh., hapësira-ime", "explainer": "Hapësirat janë një mënyrë e re grupimi dhomash dhe njerëzish. Ç’lloj Hapësire doni të krijoni? Këtë mund ta ndryshoni më vonë.", "public_description": "Hapësirë e hapët për këdo, më e mira për bashkësi", "private_description": "Vetëm me ftesa, më e mira për ju dhe ekipe", @@ -3939,11 +3890,17 @@ "setup_rooms_community_description": "Le të krijojmë një dhomë për secilën prej tyre.", "setup_rooms_description": "Mund të shtoni edhe të tjera më vonë, përfshi ato ekzistueset tashmë.", "setup_rooms_private_heading": "Me cilat projekte po merret ekipi juaj?", - "setup_rooms_private_description": "Do të krijojmë dhoma për çdo prej tyre." + "setup_rooms_private_description": "Do të krijojmë dhoma për çdo prej tyre.", + "address_placeholder": "p.sh., hapësira-ime", + "address_label": "Adresë", + "label": "Krijoni një hapësirë", + "add_details_prompt_2": "Këto mund t’i ndryshoni në çfarëdo kohe.", + "creating": "Po krijohet…" }, "user_menu": { "switch_theme_light": "Kalo nën mënyrën e çelët", - "switch_theme_dark": "Kalo nën mënyrën e errët" + "switch_theme_dark": "Kalo nën mënyrën e errët", + "settings": "Krejt rregullimet" }, "notif_panel": { "empty_heading": "Po ecni mirë", @@ -3981,7 +3938,26 @@ "leave_error_title": "Gabim në dalje nga dhoma", "upgrade_error_title": "Gabim në përditësim dhome", "upgrade_error_description": "Rikontrolloni që shërbyesi juaj e mbulon versionin e zgjedhur për dhomën dhe riprovoni.", - "leave_server_notices_description": "Kjo dhomë përdoret për mesazhe të rëndësishëm nga shërbyesi Home, ndaj s’mund ta braktisni." + "leave_server_notices_description": "Kjo dhomë përdoret për mesazhe të rëndësishëm nga shërbyesi Home, ndaj s’mund ta braktisni.", + "error_join_connection": "Pati një gabim në hyrjen.", + "error_join_incompatible_version_1": "Na ndjeni, shërbyesi juaj Home është shumë i vjetër për të marrë pjesë këtu.", + "error_join_incompatible_version_2": "Ju lutemi, lidhuni me përgjegjësin e shërbyesit tuaj Home.", + "error_join_404_invite_same_hs": "Personi që ju ftoi ka dalë nga dhoma tashmë.", + "error_join_404_invite": "Personi që ju ftoi, ka dalë tashmë, ose shërbyesi i tij është jashtë funksionimi.", + "error_join_404_1": "U rrekët të hyni duke përdorur një ID dhome pa dhënë një listë shërbyesish përmes të cilëve të hyhet. ID-të e dhomave janë identifikues të brendshëm dhe s’mund të përdoren për të hyrë në një dhomë pa hollësi shtesë.", + "error_join_404_2": "Nëse e dini një adresë dhome, provoni të hyni përmes saj, më miër.", + "error_join_title": "S’u arrit të hyhej", + "context_menu": { + "unfavourite": "U bë e parapëlqyer", + "favourite": "Bëje të parapëlqyer", + "mentions_only": "Vetëm përmendje", + "copy_link": "Kopjo lidhje dhome", + "low_priority": "Përparësi e Ulët", + "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" + } }, "file_panel": { "guest_note": "Që të përdorni këtë funksion, duhet të regjistroheni", @@ -4001,7 +3977,8 @@ "tac_button": "Shqyrtoni terma & kushte", "identity_server_no_terms_title": "Shërbyesi i identiteteve s’ka kushte shërbimi", "identity_server_no_terms_description_1": "Ky veprim lyp hyrje te shërbyesi parazgjedhje i identiteteve për të vlerësuar një adresë email ose një numër telefoni, por shërbyesi nuk ka ndonjë kusht shërbimesh.", - "identity_server_no_terms_description_2": "Vazhdoni vetëm nëse i besoni të zotit të shërbyesit." + "identity_server_no_terms_description_2": "Vazhdoni vetëm nëse i besoni të zotit të shërbyesit.", + "inline_intro_text": "Që të vazhdohet, pranoni :" }, "space_settings": { "title": "Rregullime - %(spaceName)s" @@ -4093,7 +4070,14 @@ "sync": "S’u arrit të lidhej me shërbyesin Home. Po riprovohet…", "connection": "Pati një problem në komunikimin me shërbyesin Home, ju lutemi, riprovoni më vonë.", "mixed_content": "S’lidhet dot te shërbyes Home përmes HTTP-je, kur te shtylla e shfletuesit tuaj jepet një URL HTTPS. Ose përdorni HTTPS-në, ose aktivizoni përdorimin e programtheve jo të sigurt.", - "tls": "S’lidhet dot te shërbyes Home - ju lutemi, kontrolloni lidhjen tuaj, sigurohuni që dëshmia SSL e shërbyesit tuaj Home besohet, dhe që s’ka ndonjë zgjerim shfletuesi që po bllokon kërkesat tuaja." + "tls": "S’lidhet dot te shërbyes Home - ju lutemi, kontrolloni lidhjen tuaj, sigurohuni që dëshmia SSL e shërbyesit tuaj Home besohet, dhe që s’ka ndonjë zgjerim shfletuesi që po bllokon kërkesat tuaja.", + "admin_contact_short": "Lidhuni me përgjegjësin e shërbyesit tuaj.", + "non_urgent_echo_failure_toast": "Shërbyesi juaj s’po u përgjigjet ca kërkesave.", + "failed_copy": "S’u arrit të kopjohej", + "something_went_wrong": "Diçka shkoi ters!", + "download_media": "S’u arrit të shkarkohet media burim, s’u gjet URL burimi", + "update_power_level": "S’u arrit të ndryshohej shkalla e pushtetit", + "unknown": "Gabim i panjohur" }, "in_space1_and_space2": "Në hapësirat %(space1Name)s dhe %(space2Name)s.", "in_space_and_n_other_spaces": { @@ -4101,5 +4085,52 @@ "other": "Në %(spaceName)s dhe %(count)s hapësira të tjera." }, "in_space": "Në hapësirën %(spaceName)s.", - "name_and_id": "%(name)s (%(userId)s)" + "name_and_id": "%(name)s (%(userId)s)", + "items_and_n_others": { + "other": " dhe %(count)s të tjerë", + "one": " dhe një tjetër" + }, + "notifications": { + "enable_prompt_toast_title_from_message_send": "Mos humbni asnjë përgjigje", + "enable_prompt_toast_title": "Njoftime", + "enable_prompt_toast_description": "Aktivizoni njoftime desktopi", + "colour_none": "Asnjë", + "colour_bold": "Të trasha", + "colour_grey": "Gri", + "colour_red": "E kuqe", + "colour_unsent": "Të padërguar", + "error_change_title": "Ndryshoni rregullime njoftimesh", + "mark_all_read": "Vëru të tërave shenjë si të lexuara", + "keyword": "Fjalëkyç", + "keyword_new": "Fjalëkyç i ri", + "class_global": "Global", + "class_other": "Tjetër", + "mentions_keywords": "Përmendje & fjalëkyçe" + }, + "mobile_guide": { + "toast_title": "Për një punim më të mirë, përdorni aplikacionin", + "toast_description": "%(brand)s është eksperimental në një shfletues telefoni celular. Për punimin më të mirë dhe veçoritë më të reja, përdorni aplikacionin tonë falas.", + "toast_accept": "Përdorni aplikacionin" + }, + "chat_card_back_action_label": "Mbrapsht te fjalosja", + "room_summary_card_back_action_label": "Të dhëna dhome", + "member_list_back_action_label": "Anëtarë dhome", + "thread_view_back_action_label": "Mbrapsht te rrjedha", + "quick_settings": { + "title": "Rregullime të shpejta", + "all_settings": "Krejt rregullimet", + "metaspace_section": "Fiksoje në anështyllë", + "sidebar_settings": "Më tepër mundësi" + }, + "lightbox": { + "title": "Parje figure", + "rotate_left": "Rrotulloje Majtas", + "rotate_right": "Rrotulloje Djathtas" + }, + "a11y_jump_first_unread_room": "Hidhu te dhoma e parë e palexuar.", + "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." + } } diff --git a/src/i18n/strings/sr.json b/src/i18n/strings/sr.json index f5813c75ae..9b7fdd07d3 100644 --- a/src/i18n/strings/sr.json +++ b/src/i18n/strings/sr.json @@ -31,12 +31,10 @@ "Reason": "Разлог", "Send": "Пошаљи", "Incorrect verification code": "Нетачни потврдни код", - "No display name": "Нема приказног имена", "Authentication": "Идентификација", "Failed to set display name": "Нисам успео да поставим приказно име", "Failed to ban user": "Неуспех при забрањивању приступа кориснику", "Failed to mute user": "Неуспех при пригушивању корисника", - "Failed to change power level": "Не могу да изменим ниво снаге", "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.": "Нећете моћи да опозовете ову измену јер унапређујете корисника тако да има исти ниво снаге као и ви.", @@ -62,7 +60,6 @@ "one": "(~%(count)s резултат)" }, "Join Room": "Приступи соби", - "Upload avatar": "Отпреми аватар", "Forget room": "Заборави собу", "Rooms": "Собе", "Low priority": "Ниска важност", @@ -73,7 +70,6 @@ "Banned by %(displayName)s": "Приступ забранио %(displayName)s", "unknown error code": "непознати код грешке", "Failed to forget room %(errCode)s": "Нисам успео да заборавим собу %(errCode)s", - "Favourite": "Омиљено", "Jump to first unread message.": "Скочи на прву непрочитану поруку.", "not specified": "није наведено", "This room has no local addresses": "Ова соба нема локалних адреса", @@ -83,21 +79,12 @@ "Invalid file%(extra)s": "Неисправна датотека %(extra)s", "Error decrypting image": "Грешка при дешифровању слике", "Error decrypting video": "Грешка при дешифровању видеа", - "Copied!": "Копирано!", - "Failed to copy": "Нисам успео да ископирам", "Add an Integration": "Додај уградњу", "You are about to be taken to a third-party site so you can authenticate your account for use with %(integrationsUrl)s. Do you wish to continue?": "Бићете пребачени на сајт треће стране да бисте се идентификовали са својим налогом зарад коришћења уградње %(integrationsUrl)s. Да ли желите да наставите?", "Email address": "Мејл адреса", - "Something went wrong!": "Нешто је пошло наопако!", "Delete Widget": "Обриши виџет", - "Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "Брисање виџета уклања виџет за све чланове ове собе. Да ли сте сигурни да желите обрисати овај виџет?", - "Delete widget": "Обриши виџет", "Create new room": "Направи нову собу", "Home": "Почетна", - " and %(count)s others": { - "other": " и %(count)s других", - "one": " и још један" - }, "%(items)s and %(lastItem)s": "%(items)s и %(lastItem)s", "collapse": "скупи", "expand": "рашири", @@ -106,7 +93,6 @@ "other": "И %(count)s других..." }, "Confirm Removal": "Потврди уклањање", - "Unknown error": "Непозната грешка", "Deactivate Account": "Деактивирај налог", "An error has occurred.": "Догодила се грешка.", "Unable to restore session": "Не могу да повратим сесију", @@ -142,12 +128,8 @@ "Uploading %(filename)s": "Отпремам датотеку %(filename)s", "Failed to change password. Is your password correct?": "Нисам успео да променим лозинку. Да ли је ваша лозинка тачна?", "Unable to remove contact information": "Не могу да уклоним контакт податке", - "": "<није подржано>", - "Reject all %(invitedRooms)s invites": "Одбиј све позивнице за собе %(invitedRooms)s", "No Microphones detected": "Нема уочених микрофона", "No Webcams detected": "Нема уочених веб камера", - "Notifications": "Обавештења", - "Profile": "Профил", "A new password must be entered.": "Морате унети нову лозинку.", "New passwords must match each other.": "Нове лозинке се морају подударати.", "Return to login screen": "Врати ме на екран за пријаву", @@ -163,13 +145,11 @@ "The export file will be protected with a passphrase. You should enter the passphrase here, to decrypt the file.": "Извезена датотека ће бити заштићена са фразом. Требало би да унесете фразу овде, да бисте дешифровали датотеку.", "File to import": "Датотека за увоз", "Sunday": "Недеља", - "Notification targets": "Циљеви обавештења", "Today": "Данас", "Friday": "Петак", "Changelog": "Записник о изменама", "This Room": "Ова соба", "Unavailable": "Недоступан", - "Source URL": "Адреса извора", "Filter results": "Филтрирај резултате", "Search…": "Претрага…", "Tuesday": "Уторак", @@ -182,9 +162,7 @@ "You cannot delete this message. (%(code)s)": "Не можете обрисати ову поруку. (%(code)s)", "Thursday": "Четвртак", "Yesterday": "Јуче", - "Low Priority": "Најмања важност", "Thank you!": "Хвала вам!", - "Popout widget": "Виџет за искакање", "You don't currently have any stickerpacks enabled": "Тренутно немате омогућено било које паковање са налепницама", "Preparing to send logs": "Припремам се за слање записника", "Logs sent": "Записници су послати", @@ -208,15 +186,11 @@ "Demote yourself?": "Рашчињавате себе?", "Demote": "Рашчини", "Join millions for free on the largest public server": "Придружите се милионима других бесплатно на највећем јавном серверу", - "Create account": "Направи налог", "Email (optional)": "Мејл (изборно)", "Are you sure you want to sign out?": "Заиста желите да се одјавите?", - "Encryption upgrade available": "Надоградња шифровања је доступна", "Show more": "Прикажи више", - "Cannot connect to integration manager": "Не могу се повезати на управника уградњи", "Email addresses": "Мејл адресе", "Phone numbers": "Бројеви телефона", - "General": "Опште", "Discovery": "Откриће", "None": "Ништа", "Discovery options will appear once you have added an email above.": "Опције откривања појавиће се након што додате мејл адресу изнад.", @@ -228,9 +202,7 @@ "Direct Messages": "Директне поруке", "Forget this room": "Заборави ову собу", "Start chatting": "Започни ћаскање", - "Forget Room": "Заборави собу", "Room options": "Опције собе", - "Mark all as read": "Означи све као прочитано", "Room Name": "Назив собе", "Room Topic": "Тема собе", "Messages in this room are end-to-end encrypted.": "Поруке у овој соби су шифроване с краја на крај.", @@ -244,10 +216,8 @@ "Remove recent messages": "Уклони недавне поруке", "Encryption not enabled": "Шифровање није омогућено", "The encryption used by this room isn't supported.": "Начин шифровања унутар ове собе није подржан.", - "Widgets do not use message encryption.": "Виџети не користе шифровање порука.", "Room Settings - %(roomName)s": "Подешавања собе - %(roomName)s", "Resend %(unsentCount)s reaction(s)": "Поново пошаљи укупно %(unsentCount)s реакција", - "All settings": "Сва подешавања", "General failure": "Општа грешка", "Light bulb": "сијалица", "Voice & Video": "Глас и видео", @@ -256,9 +226,7 @@ "No recently visited rooms": "Нема недавно посећених соба", "Failed to revoke invite": "Неуспех при отказивању позивнице", "Revoke invite": "Откажи позивницу", - "Your theme": "Ваша тема", "Looks good": "Изгледа добро", - "Show advanced": "Прикажи напредно", "Recent Conversations": "Недавни разговори", "Recently Direct Messaged": "Недавне директне поруке", "Looks good!": "Изгледа добро!", @@ -511,8 +479,6 @@ "United States": "Сједињене Америчке Државе", "United Kingdom": "Уједињено Краљевство", "Your homeserver": "Ваш домаћи сервер", - "Your homeserver does not support cross-signing.": "Ваш домаћи сервер не подржава међу-потписивање.", - "Please contact your homeserver administrator.": "Контактирајте администратора вашег сервера.", "Your homeserver has exceeded one of its resource limits.": "Ваш домаћи сервер је прекорачио ограничење неког ресурса.", "Your homeserver has exceeded its user limit.": "Ваш домаћи сервер је прекорачио ограничење корисника.", "Removing…": "Уклањам…", @@ -597,18 +563,13 @@ "You may want to try a different search or check for typos.": "Можда ћете желети да испробате другачију претрагу или да проверите да ли имате правописне грешке.", "This version of %(brand)s does not support searching encrypted messages": "Ова верзија %(brand)s с не подржава претраживање шифрованих порука", "Cancel search": "Откажи претрагу", - "Message search": "Претрага порука", - "Securely cache encrypted messages locally for them to appear in search results.": "Сигурно локално кеширајте шифроване поруке да би се појавиле у резултатима претраге.", - "Failed to save space settings.": "Чување подешавања простора није успело.", "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.": "Такође можете да подесите Сигурносну копију и управљате својим тастерима у подешавањима.", - "Edit settings relating to your space.": "Уредите поставке које се односе на ваш простор.", "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.", - "Change notification settings": "Промените подешавања обавештења", "Verification code": "Верификациони код", "Please enter verification code sent via text.": "Унесите верификациони код послат путем текста.", "Unable to verify phone number.": "Није могуће верификовати број телефона.", @@ -618,11 +579,6 @@ "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": "Очисти све податке", - "New login. Was this you?": "Нова пријава. Да ли сте то били Ви?", - "Other users may not trust it": "Други корисници можда немају поверења у то", - "Safeguard against losing access to encrypted messages & data": "Заштитите се од губитка приступа шифрованим порукама и подацима", - "Profile picture": "Слика профила", - "Display Name": "Прикажи име", "Couldn't load page": "Учитавање странице није успело", "Sign in with SSO": "Пријавите се помоћу SSO", "Kosovo": "/", @@ -638,22 +594,12 @@ "This room is public": "Ова соба је јавна", "Browse": "Прегледајте", "Use the Desktop app to see all encrypted files": "Користи десктоп апликација да видиш све шифроване датотеке", - "This widget may use cookies.": "Овај виџет може користити колачиће.", - "Widget added by": "Додао је виџет", - "Using this widget may share data with %(widgetDomain)s.": "Коришћење овог виџета може да дели податке са %(widgetDomain)s.", - "Widget ID": "ИД виџета", - "Room ID": "ИД собе", - "%(brand)s URL": "%(brand)s УРЛ", - "Your user ID": "Ваша корисничка ИД", - "Your display name": "Ваше име за приказ", "Not Trusted": "Није поуздано", "Ask this user to verify their session, or manually verify it below.": "Питајте овог корисника да потврди његову сесију или ручно да потврди у наставку.", "%(name)s (%(userId)s) signed in to a new session without verifying it:": "%(name)s (%(userId)s) се улоговао у нову сесију без потврђивања:", "Verify your other session using one of the options below.": "Потврдите другу сесију помоћу једних од опција у испод.", "You signed in to a new session without verifying it:": "Пријавили сте се у нову сесију без потврђивања:", - "Accept all %(invitedRooms)s invites": "Прихвати све %(invitedRooms)s позивнице", "Réunion": "Реунион", - "Using this widget may share data with %(widgetDomain)s & your integration manager.": "Коришћење овог виџета може да дели податке са %(widgetDomain)s и вашим интеграционим менаџером.", "common": { "about": "О програму", "analytics": "Аналитика", @@ -701,7 +647,13 @@ "all_rooms": "Све собе", "preview_message": "Хеј! Само напред!", "on": "Укључено", - "off": "Искључено" + "off": "Искључено", + "copied": "Копирано!", + "advanced": "Напредно", + "general": "Опште", + "profile": "Профил", + "display_name": "Прикажи име", + "user_avatar": "Слика профила" }, "action": { "continue": "Настави", @@ -761,7 +713,8 @@ "refresh": "Освежи", "mention": "Спомени", "submit": "Пошаљи", - "unban": "Скини забрану" + "unban": "Скини забрану", + "show_advanced": "Прикажи напредно" }, "labs": { "pinning": "Закачене поруке", @@ -845,7 +798,8 @@ "noisy": "Бучно", "error_permissions_denied": "%(brand)s нема овлашћења за слање обавештења, проверите подешавања вашег прегледача", "error_permissions_missing": "%(brand)s-у није дато овлашћење за слање обавештења, пробајте поново касније", - "error_title": "Нисам успео да омогућим обавештења" + "error_title": "Нисам успео да омогућим обавештења", + "push_targets": "Циљеви обавештења" }, "appearance": { "heading": "Прилагодите изглед", @@ -873,7 +827,11 @@ "export_megolm_keys": "Извези E2E кључеве собе", "import_megolm_keys": "Увези E2E кључеве собе", "cryptography_section": "Криптографија", - "encryption_section": "Шифровање" + "encryption_section": "Шифровање", + "bulk_options_accept_all_invites": "Прихвати све %(invitedRooms)s позивнице", + "bulk_options_reject_all_invites": "Одбиј све позивнице за собе %(invitedRooms)s", + "message_search_section": "Претрага порука", + "message_search_disabled": "Сигурно локално кеширајте шифроване поруке да би се појавиле у резултатима претраге." }, "voip": { "mirror_local_feed": "Копирај довод локалног видеа" @@ -893,7 +851,8 @@ "add_msisdn_confirm_sso_button": "Потврдите додавање броја телефона помоћу јединствене пријаве да докажете свој идентитет.", "add_msisdn_confirm_button": "Потврда додавања броја телефона", "add_msisdn_confirm_body": "Кликните на дугме испод за потврду додавања броја телефона.", - "add_msisdn_dialog_title": "Додај број телефона" + "add_msisdn_dialog_title": "Додај број телефона", + "name_placeholder": "Нема приказног имена" } }, "devtools": { @@ -1094,7 +1053,10 @@ "removed": "%(senderDisplayName)s уклони аватар собе.", "changed_img": "%(senderDisplayName)s промени аватар собе у " }, - "creation_summary_room": "Корисник %(creator)s је направио и подесио собу." + "creation_summary_room": "Корисник %(creator)s је направио и подесио собу.", + "context_menu": { + "external_url": "Адреса извора" + } }, "slash_command": { "shrug": "Придодаје ¯\\_(ツ)_/¯ обичној поруци", @@ -1203,7 +1165,6 @@ "no_media_perms_description": "Можда ћете морати да ручно доделите овлашћења %(brand)s-у за приступ микрофону/веб камери" }, "Other": "Остало", - "Advanced": "Напредно", "room_settings": { "permissions": { "m.room.avatar": "Промените аватар собе", @@ -1234,11 +1195,14 @@ "user_url_previews_default_off": "Искључили сте да се УРЛ прегледи подразумевају.", "default_url_previews_on": "УРЛ прегледи су подразумевано укључени за чланове ове собе.", "default_url_previews_off": "УРЛ прегледи су подразумевано искључени за чланове ове собе.", - "url_previews_section": "УРЛ прегледи" + "url_previews_section": "УРЛ прегледи", + "error_save_space_settings": "Чување подешавања простора није успело.", + "description_space": "Уредите поставке које се односе на ваш простор." }, "advanced": { "unfederated": "Ова соба није доступна са удаљених Матрикс сервера" - } + }, + "upload_avatar_label": "Отпреми аватар" }, "encryption": { "verification": { @@ -1246,7 +1210,8 @@ "sas_match": "Поклапају се", "in_person": "Да будете сигурни, ово обавите лично или путем поузданог начина комуникације.", "complete_action": "Разумем", - "cancelling": "Отказујем…" + "cancelling": "Отказујем…", + "unverified_session_toast_title": "Нова пријава. Да ли сте то били Ви?" }, "old_version_detected_title": "Нађени су стари криптографски подаци", "old_version_detected_description": "Подаци из старијег издања %(brand)s-а су нађени. Ово ће узроковати лош рад шифровања с краја на крај у старијем издању. Размењене поруке које су шифроване с краја на крај у старијем издању је можда немогуће дешифровати у овом издању. Такође, ово може узроковати неуспешно размењивање порука са овим издањем. Ако доживите проблеме, одјавите се и пријавите се поново. Да бисте задржали историјат поруке, извезите па поново увезите ваше кључеве.", @@ -1255,7 +1220,12 @@ "bootstrap_title": "Постављам кључеве", "export_unsupported": "Ваш прегледач не подржава потребна криптографска проширења", "import_invalid_keyfile": "Није исправана %(brand)s кључ-датотека", - "import_invalid_passphrase": "Провера идентитета није успела: нетачна лозинка?" + "import_invalid_passphrase": "Провера идентитета није успела: нетачна лозинка?", + "upgrade_toast_title": "Надоградња шифровања је доступна", + "set_up_toast_description": "Заштитите се од губитка приступа шифрованим порукама и подацима", + "verify_toast_description": "Други корисници можда немају поверења у то", + "cross_signing_unsupported": "Ваш домаћи сервер не подржава међу-потписивање.", + "not_supported": "<није подржано>" }, "emoji": { "category_smileys_people": "Смешци и особе", @@ -1323,7 +1293,8 @@ "failed_connect_identity_server": "Није могуће приступити серверу идентитета", "no_hs_url_provided": "Није наведен УРЛ сервера", "autodiscovery_unexpected_error_hs": "Неочекивана грешка при откривању подешавања сервера", - "incorrect_credentials_detail": "Знајте да се пријављујете на сервер %(hs)s, не на matrix.org." + "incorrect_credentials_detail": "Знајте да се пријављујете на сервер %(hs)s, не на matrix.org.", + "create_account_title": "Направи налог" }, "export_chat": { "messages": "Поруке" @@ -1343,7 +1314,8 @@ "report_content_to_homeserver": "Пријави садржај администратору вашег домаћег сервера" }, "onboarding": { - "send_dm": "Пошаљи директну поруку" + "send_dm": "Пошаљи директну поруку", + "create_account": "Направи налог" }, "setting": { "help_about": { @@ -1419,7 +1391,23 @@ "see_msgtype_sent_active_room": "Видите %(msgtype)s поруке објављене у Вашој активној соби" }, "error_need_to_be_logged_in": "Морате бити пријављени.", - "error_need_invite_permission": "Морате имати могућност слања позивница корисницима да бисте то урадили." + "error_need_invite_permission": "Морате имати могућност слања позивница корисницима да бисте то урадили.", + "context_menu": { + "delete": "Обриши виџет", + "delete_warning": "Брисање виџета уклања виџет за све чланове ове собе. Да ли сте сигурни да желите обрисати овај виџет?" + }, + "shared_data_name": "Ваше име за приказ", + "shared_data_mxid": "Ваша корисничка ИД", + "shared_data_theme": "Ваша тема", + "shared_data_url": "%(brand)s УРЛ", + "shared_data_room_id": "ИД собе", + "shared_data_widget_id": "ИД виџета", + "shared_data_warning_im": "Коришћење овог виџета може да дели податке са %(widgetDomain)s и вашим интеграционим менаџером.", + "shared_data_warning": "Коришћење овог виџета може да дели податке са %(widgetDomain)s.", + "unencrypted_warning": "Виџети не користе шифровање порука.", + "added_by": "Додао је виџет", + "cookie_warning": "Овај виџет може користити колачиће.", + "popout": "Виџет за искакање" }, "create_space": { "private_personal_heading": "Са ким радите?" @@ -1435,14 +1423,21 @@ }, "user_menu": { "switch_theme_light": "Пребаци на светлу тему", - "switch_theme_dark": "Пребаци на тамну тему" + "switch_theme_dark": "Пребаци на тамну тему", + "settings": "Сва подешавања" }, "room": { "drop_file_prompt": "Превуци датотеку овде да би је отпремио", "leave_server_notices_title": "Не могу да напустим собу са напоменама сервера", "upgrade_error_title": "Грешка при надоградњи собе", "upgrade_error_description": "Добро проверите да ли сервер подржава изабрану верзију собе и пробајте поново.", - "leave_server_notices_description": "Ова соба се користи за важне поруке са сервера. Не можете напустити ову собу." + "leave_server_notices_description": "Ова соба се користи за важне поруке са сервера. Не можете напустити ову собу.", + "error_join_incompatible_version_2": "Контактирајте администратора вашег сервера.", + "context_menu": { + "favourite": "Омиљено", + "low_priority": "Најмања важност", + "forget": "Заборави собу" + } }, "file_panel": { "guest_note": "Морате се регистровати да бисте користили ову могућност", @@ -1500,6 +1495,27 @@ "error": { "resource_limits": "Овај сервер је достигао ограничење неког свог ресурса.", "mixed_content": "Не могу да се повежем на сервер преко ХТТП када је ХТТПС УРЛ у траци вашег прегледача. Или користите HTTPS или омогућите небезбедне скрипте.", - "tls": "Не могу да се повежем на домаћи сервер. Проверите вашу интернет везу, постарајте се да је ССЛ сертификат сервера од поверења и да проширење прегледача не блокира захтеве." + "tls": "Не могу да се повежем на домаћи сервер. Проверите вашу интернет везу, постарајте се да је ССЛ сертификат сервера од поверења и да проширење прегледача не блокира захтеве.", + "failed_copy": "Нисам успео да ископирам", + "something_went_wrong": "Нешто је пошло наопако!", + "update_power_level": "Не могу да изменим ниво снаге", + "unknown": "Непозната грешка" + }, + "items_and_n_others": { + "other": " и %(count)s других", + "one": " и још један" + }, + "notifications": { + "enable_prompt_toast_title": "Обавештења", + "colour_none": "Ништа", + "error_change_title": "Промените подешавања обавештења", + "mark_all_read": "Означи све као прочитано", + "class_other": "Остало" + }, + "quick_settings": { + "all_settings": "Сва подешавања" + }, + "integration_manager": { + "error_connecting_heading": "Не могу се повезати на управника уградњи" } } diff --git a/src/i18n/strings/sv.json b/src/i18n/strings/sv.json index eecaeac21b..92a2f3667d 100644 --- a/src/i18n/strings/sv.json +++ b/src/i18n/strings/sv.json @@ -21,7 +21,6 @@ "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 change power level": "Misslyckades att ändra behörighetsnivå", "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", @@ -29,7 +28,6 @@ "Failed to reject invitation": "Misslyckades att avböja inbjudan", "Failed to set display name": "Misslyckades att ange visningsnamn", "Failed to unban": "Misslyckades att avbanna", - "Favourite": "Favoritmarkera", "Admin Tools": "Admin-verktyg", "Enter passphrase": "Ange lösenfras", "Filter room members": "Filtrera rumsmedlemmar", @@ -46,12 +44,8 @@ "Moderator": "Moderator", "New passwords must match each other.": "De nya lösenorden måste matcha.", "not specified": "inte specificerad", - "Notifications": "Aviseringar", - "": "", - "No display name": "Inget visningsnamn", "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.", - "Profile": "Profil", "Reason": "Orsak", "Reject invitation": "Avböj inbjudan", "Return to login screen": "Tillbaka till inloggningsskärmen", @@ -63,7 +57,6 @@ "Session ID": "Sessions-ID", "Create new room": "Skapa nytt rum", "unknown error code": "okänd felkod", - "Delete widget": "Radera widget", "AM": "FM", "PM": "EM", "Unnamed room": "Namnlöst rum", @@ -88,13 +81,11 @@ "Nov": "Nov", "Dec": "Dec", "Sunday": "söndag", - "Notification targets": "Aviseringsmål", "Today": "idag", "Friday": "fredag", "Changelog": "Ändringslogg", "This Room": "Det här rummet", "Unavailable": "Otillgänglig", - "Source URL": "Käll-URL", "Filter results": "Filtrera resultaten", "Tuesday": "tisdag", "Search…": "Sök…", @@ -108,7 +99,6 @@ "Invite to this room": "Bjud in till rummet", "Thursday": "torsdag", "Yesterday": "igår", - "Low Priority": "Låg prioritet", "Thank you!": "Tack!", "This room has no local addresses": "Det här rummet har inga lokala adresser", "Restricted": "Begränsad", @@ -122,7 +112,6 @@ "other": "(~%(count)s resultat)", "one": "(~%(count)s resultat)" }, - "Upload avatar": "Ladda upp avatar", "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (behörighet %(powerLevelNumber)s)", "And %(count)s more...": { "other": "Och %(count)s till…" @@ -151,10 +140,7 @@ "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", - "Copied!": "Kopierat!", - "Failed to copy": "Misslyckades att kopiera", "Delete Widget": "Radera widget", - "Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "Att radera en widget tar bort den för alla användare i rummet. Är du säker på att du vill radera den?", "This room is not public. You will not be able to rejoin without an invite.": "Det här rummet är inte offentligt. Du kommer inte kunna gå med igen utan en inbjudan.", "Export room keys": "Exportera rumsnycklar", "Import room keys": "Importera rumsnycklar", @@ -162,7 +148,6 @@ "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.", - "Unknown error": "Okänt fel", "Clear Storage and Sign Out": "Rensa lagring och logga ut", "Send Logs": "Skicka loggar", "Unable to restore session": "Kunde inte återställa sessionen", @@ -172,15 +157,9 @@ "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", - "Reject all %(invitedRooms)s invites": "Avböj alla %(invitedRooms)s inbjudningar", - " and %(count)s others": { - "other": " och %(count)s till", - "one": " och en till" - }, "collapse": "fäll ihop", "expand": "fäll ut", "In reply to ": "Som svar på ", - "Something went wrong!": "Något gick fel!", "You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.": "Du kommer inte att kunna ångra den här ändringen eftersom du degraderar dig själv. Om du är den sista privilegierade användaren i rummet blir det omöjligt att återfå behörigheter.", "You will not be able to undo this change as you are promoting the user to have the same power level as yourself.": "Du kommer inte att kunna ångra den här ändringen eftersom du höjer användaren till samma behörighetsnivå som dig själv.", "You don't currently have any stickerpacks enabled": "Du har för närvarande inga dekalpaket aktiverade", @@ -188,7 +167,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?", - "Popout widget": "Poppa ut widget", "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", @@ -208,7 +186,6 @@ "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.", - "Please contact your homeserver administrator.": "Vänligen kontakta din hemserveradministratör.", "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.", @@ -292,12 +269,9 @@ "Unable to verify phone number.": "Kunde inte verifiera telefonnumret.", "Verification code": "Verifieringskod", "Phone Number": "Telefonnummer", - "Profile picture": "Profilbild", - "Display Name": "Visningsnamn", "Email addresses": "E-postadresser", "Phone numbers": "Telefonnummer", "Account management": "Kontohantering", - "General": "Allmänt", "Voice & Video": "Röst & video", "Room information": "Rumsinformation", "Room Addresses": "Rumsadresser", @@ -306,7 +280,6 @@ "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", - "Create account": "Skapa konto", "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", @@ -316,12 +289,8 @@ "The following users may not exist": "Följande användare kanske inte existerar", "Invite anyway and never warn me again": "Bjud in ändå och varna mig aldrig igen", "Invite anyway": "Bjud in ändå", - "Delete Backup": "Radera säkerhetskopia", - "Are you sure? You will lose your encrypted messages if your keys are not backed up properly.": "Är du säker? Du kommer att förlora dina krypterade meddelanden om dina nycklar inte säkerhetskopieras ordentligt.", "Encrypted messages are secured with end-to-end encryption. Only you and the recipient(s) have the keys to read these messages.": "Krypterade meddelanden är säkrade med totalsträckskryptering. Bara du och mottagaren/na har nycklarna för att läsa dessa meddelanden.", "Ignored users": "Ignorerade användare", - "Bulk options": "Massalternativ", - "Accept all %(invitedRooms)s invites": "Acceptera alla %(invitedRooms)s inbjudningar", "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", @@ -361,7 +330,6 @@ }, "Cancel All": "Avbryt alla", "Upload Error": "Uppladdningsfel", - "Accept to continue:": "Acceptera för att fortsätta:", "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?", @@ -406,11 +374,6 @@ "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", - "Unable to load key backup status": "Kunde inte ladda status för nyckelsäkerhetskopiering", - "Restore from Backup": "Återställ från säkerhetskopia", - "All keys backed up": "Alla nycklar säkerhetskopierade", - "Cannot connect to integration manager": "Kan inte ansluta till integrationshanteraren", - "The integration manager is offline or it cannot reach your homeserver.": "Integrationshanteraren är offline eller kan inte nå din hemserver.", "Manage integrations": "Hantera integrationer", "Close preview": "Stäng förhandsgranskning", "Room %(name)s": "Rum %(name)s", @@ -438,20 +401,6 @@ "%(name)s wants to verify": "%(name)s vill verifiera", "You sent a verification request": "Du skickade en verifieringsbegäran", "Cancel search": "Avbryt sökningen", - "Any of the following data may be shared:": "Vissa av följande data kan delas:", - "Your display name": "Ditt visningsnamn", - "Your user ID": "Ditt användar-ID", - "Your theme": "Ditt tema", - "%(brand)s URL": "%(brand)s-URL", - "Room ID": "Rums-ID", - "Widget ID": "Widget-ID", - "Using this widget may share data with %(widgetDomain)s.": "Att använda denna widget kan dela data med %(widgetDomain)s.", - "Widgets do not use message encryption.": "Widgets använder inte meddelandekryptering.", - "Widget added by": "Widget tillagd av", - "This widget may use cookies.": "Denna widget kan använda kakor.", - "More options": "Fler alternativ", - "Rotate Left": "Rotera vänster", - "Rotate Right": "Rotera höger", "Language Dropdown": "Språkmeny", "e.g. my-room": "t.ex. mitt-rum", "Some characters not allowed": "Vissa tecken är inte tillåtna", @@ -469,8 +418,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", - "Verify this session": "Verifiera denna session", - "Encryption upgrade available": "Krypteringsuppgradering tillgänglig", "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", @@ -487,40 +434,18 @@ "Upgrading a room is an advanced action and is usually recommended when a room is unstable due to bugs, missing features or security vulnerabilities.": "Att uppgradera ett rum är en avancerad åtgärd och rekommenderas vanligtvis när ett rum är instabilt på grund av buggar, saknade funktioner eller säkerhetsproblem.", "This usually only affects how the room is processed on the server. If you're having problems with your %(brand)s, please report a bug.": "Detta påverkar vanligtvis bara hur rummet bearbetas på servern. Om du har problem med %(brand)s, vänligen rapportera ett fel.", "You'll upgrade this room from to .": "Du kommer att uppgradera detta rum från till .", - "Remove for everyone": "Ta bort för alla", "You signed in to a new session without verifying it:": "Du loggade in i en ny session utan att verifiera den:", "Verify your other session using one of the options below.": "Verifiera din andra session med ett av alternativen nedan.", "%(name)s (%(userId)s) signed in to a new session without verifying it:": "%(name)s (%(userId)s) loggade in i en ny session utan att verifiera den:", "Ask this user to verify their session, or manually verify it below.": "Be den här användaren att verifiera sin session, eller verifiera den manuellt nedan.", "Not Trusted": "Inte betrodd", - "Later": "Senare", "Your homeserver has exceeded its user limit.": "Din hemserver har överskridit sin användargräns.", "Your homeserver has exceeded one of its resource limits.": "Din hemserver har överskridit en av sina resursgränser.", - "Contact your server admin.": "Kontakta din serveradministratör.", "Ok": "OK", "Set up": "Sätt upp", - "Other users may not trust it": "Andra användare kanske inta litar på den", - "New login. Was this you?": "Ny inloggning. Var det du?", - "Change notification settings": "Ändra aviseringsinställningar", "IRC display name width": "Bredd för IRC-visningsnamn", "Lock": "Lås", - "Your server isn't responding to some requests.": "Din server svarar inte på vissa förfrågningar.", - "Your homeserver does not support cross-signing.": "Din hemserver stöder inte korssignering.", - "Your account has a cross-signing identity in secret storage, but it is not yet trusted by this session.": "Ditt konto har en korssigneringsidentitet i hemlig lagring, men den är inte betrodd av den här sessionen än.", - "well formed": "välformaterad", - "unexpected type": "oväntad typ", - "Secret storage public key:": "Publik nyckel för hemlig lagring:", - "in account data": "i kontodata", - "Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "Verifiera individuellt varje session som används av en användare för att markera den som betrodd, och lita inte på korssignerade enheter.", - "Securely cache encrypted messages locally for them to appear in search results.": "Cachar krypterade meddelanden säkert lokalt för att de ska visas i sökresultat.", - "%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with search components added.": "%(brand)s saknar vissa komponenter som krävs som krävs för att säkert cacha krypterade meddelanden lokalt. Om du vill experimentera med den här funktionen, bygg en anpassad %(brand)s Skrivbord med sökkomponenter tillagda.", - "%(brand)s can't securely cache encrypted messages locally while running in a web browser. Use %(brand)s Desktop for encrypted messages to appear in search results.": "%(brand)s kan inte säkert cacha krypterade meddelanden lokalt när den kör i en webbläsare. Använd %(brand)s Skrivbord för att krypterade meddelanden ska visas i sökresultaten.", - "This session is not backing up your keys, but you do have an existing backup you can restore from and add to going forward.": "Den här servern säkerhetskopierar inte dina nycklar, men du har en existerande säkerhetskopia du kan återställa ifrån och lägga till till i framtiden.", - "Connect this session to key backup before signing out to avoid losing any keys that may only be on this session.": "Anslut den här sessionen till nyckelsäkerhetskopiering innan du loggar ut för att undvika att du blir av med nycklar som kanske bara finns på den här sessionen.", - "Connect this session to Key Backup": "Anslut den här sessionen till nyckelsäkerhetskopiering", - "not stored": "inte lagrad", "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", - "Your keys are not being backed up from this session.": "Dina nycklar säkerhetskopieras inte från 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.", @@ -533,7 +458,6 @@ "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", - "Message search": "Meddelandesök", "Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "Din serveradministratör har inaktiverat totalsträckskryptering som förval för privata rum och direktmeddelanden.", "This room is bridging messages to the following platforms. Learn more.": "Det här rummet bryggar meddelanden till följande plattformar. Lär dig mer.", "Bridges": "Bryggor", @@ -567,15 +491,10 @@ "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", - "Jump to first unread room.": "Hoppa till första olästa rum.", - "Jump to first invite.": "Hoppa till första inbjudan.", - "Forget Room": "Glöm rum", - "Favourited": "Favoritmarkerad", "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.", - "Mark all as read": "Markera alla som lästa", "There was an error updating the room's alternative addresses. It may not be allowed by the server or a temporary failure occurred.": "Ett fel inträffade vid uppdatering av rummets alternativa adresser. Det kanske inte tillåts av servern, eller så inträffade ett tillfälligt fel.", "Error creating address": "Fel vid skapande av adress", "There was an error creating that address. It may not be allowed by the server or a temporary failure occurred.": "Ett fel inträffade vid skapande av adressen. Det kanske inte tillåts av servern, eller så inträffade ett tillfälligt fel.", @@ -657,8 +576,6 @@ "Clear all data in this session?": "Rensa all data i den här sessionen?", "Clearing all data from this session is permanent. Encrypted messages will be lost unless their keys have been backed up.": "Rensning av all data från den här sessionen är permanent. Krypterade meddelande kommer att förloras om inte deras nycklar har säkerhetskopierats.", "Clear all data": "Rensa all data", - "Hide advanced": "Dölj avancerat", - "Show advanced": "Visa avancerat", "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": "För att undvika att förlora din chatthistorik måste du exportera dina rumsnycklar innan du loggar ut. Du behöver gå tillbaka till den nyare versionen av %(brand)s för att göra detta", "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 har tidigare använt en nyare version av %(brand)s med den här sessionen. Om du vill använda den här versionen igen med totalsträckskryptering behöver du logga ut och logga in igen.", "Incompatible Database": "Inkompatibel databas", @@ -727,7 +644,6 @@ "Country Dropdown": "Land-dropdown", "Sign in with SSO": "Logga in med SSO", "Explore rooms": "Utforska rum", - "All settings": "Alla inställningar", "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", @@ -755,7 +671,6 @@ "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.", - "Set up Secure Backup": "Ställ in säker säkerhetskopiering", "Upgrade your encryption": "Uppgradera din kryptering", "Set a Security Phrase": "Sätt en säkerhetsfras", "Confirm Security Phrase": "Bekräfta säkerhetsfras", @@ -775,25 +690,13 @@ "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", - "Take a picture": "Ta en bild", - "Cross-signing is ready for use.": "Korssignering är klart att användas.", - "Cross-signing is not set up.": "Korssignering är inte inställt.", "Backup version:": "Version av säkerhetskopia:", - "Algorithm:": "Algoritm:", - "Backup key stored:": "Lagrad säkerhetskopieringsnyckel:", - "Backup key cached:": "Cachad säkerhetskopieringsnyckel:", - "Secret storage:": "Hemlig lagring:", - "ready": "klart", - "not ready": "inte klart", - "Safeguard against losing access to encrypted messages & data": "Skydda mot att förlora åtkomst till krypterade meddelanden och data", "Widgets": "Widgets", "Edit widgets, bridges & bots": "Redigera widgets, bryggor och bottar", "Add widgets, bridges & bots": "Lägg till widgets, bryggor och bottar", "Start a conversation with someone using their name or username (like ).": "Starta en konversation med någon med deras namn eller användarnamn (som ).", "Invite someone using their name, username (like ) or share this room.": "Bjud in någon med deras namn eller användarnamn (som ) eller dela det här rummet.", "Unable to set up keys": "Kunde inte ställa in nycklar", - "Failed to save your profile": "Misslyckades att spara din profil", - "The operation could not be completed": "Operationen kunde inte slutföras", "Ignored attempt to disable encryption": "Ignorerade försök att inaktivera kryptering", "Join the conference at the top of this room": "Gå med i gruppsamtalet på toppen av det här rummet", "Join the conference from the room information card on the right": "Gå med i gruppsamtalet ifrån informationskortet till höger", @@ -804,9 +707,6 @@ "Use the Desktop app to search encrypted messages": "Använd skrivbordsappen söka bland krypterade meddelanden", "This version of %(brand)s does not support viewing some encrypted files": "Den här versionen av %(brand)s stöder inte visning av vissa krypterade filer", "This version of %(brand)s does not support searching encrypted messages": "Den här versionen av %(brand)s stöder inte sökning bland krypterade meddelanden", - "Move right": "Flytta till höger", - "Move left": "Flytta till vänster", - "Revoke permissions": "Återkalla behörigheter", "Data on this screen is shared with %(widgetDomain)s": "Data på den här skärmen delas med %(widgetDomain)s", "Modal Widget": "Dialogruta", "You can only pin up to %(count)s widgets": { @@ -859,8 +759,6 @@ "Invite someone using their name, email address, username (like ) or share this room.": "Bjud in någon med deras namn, e-postadress eller användarnamn (som ) eller dela det här rummet.", "Start a conversation with someone using their name, email address or username (like ).": "Starta en konversation med någon med deras namn, e-postadress eller användarnamn (som ).", "Invite by email": "Bjud in via e-post", - "Enable desktop notifications": "Aktivera skrivbordsaviseringar", - "Don't miss a reply": "Missa inte ett svar", "Zimbabwe": "Zimbabwe", "Zambia": "Zambia", "Yemen": "Jemen", @@ -1070,10 +968,6 @@ "Cape Verde": "Kap Verde", "Reason (optional)": "Orsak (valfritt)", "Server Options": "Serveralternativ", - "Securely cache encrypted messages locally for them to appear in search results, using %(size)s to store messages from %(rooms)s rooms.": { - "one": "Cacha på ett säkert sätt krypterade meddelanden lokalt för att de ska visas i sökresultat, och använd %(size)s för att lagra meddelanden från %(rooms)s rum.", - "other": "Cacha på ett säkert sätt krypterade meddelanden lokalt för att de ska visas i sökresultat, och använd %(size)s för att lagra meddelanden från %(rooms)s rum." - }, "Just a heads up, if you don't add an email and forget your password, you could permanently lose access to your account.": "En förvarning, om du inte lägger till en e-postadress och glömmer ditt lösenord, så kan du permanent förlora åtkomst till ditt konto.", "Continuing without email": "Fortsätter utan e-post", "Hold": "Parkera", @@ -1091,9 +985,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", - "Back up your encryption keys with your account data in case you lose access to your sessions. Your keys will be secured with a unique Security Key.": "Säkerhetskopiera dina krypteringsnycklar med din kontodata ifall du skulle förlora åtkomst till dina sessioner. Dina nycklar kommer att säkras med en unik säkerhetsnyckel.", - "Use app for a better experience": "Använd appen för en bättre upplevelse", - "Use app": "Använd app", "Great! This Security Phrase looks strong enough.": "Fantastiskt! Den här säkerhetsfrasen ser tillräckligt stark ut.", "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.", @@ -1118,28 +1009,18 @@ }, "Are you sure you want to leave the space '%(spaceName)s'?": "Är du säker på att du vill lämna utrymmet '%(spaceName)s'?", "This space is not public. You will not be able to rejoin without an invite.": "Det här utrymmet är inte offentligt. Du kommer inte kunna gå med igen utan en inbjudan.", - "Start audio stream": "Starta ljudström", "Failed to start livestream": "Misslyckades att starta livestream", "Unable to start audio streaming.": "Kunde inte starta ljudströmning.", - "Save Changes": "Spara ändringar", - "Leave Space": "Lämna utrymmet", - "Edit settings relating to your space.": "Redigera inställningar relaterat till ditt utrymme.", - "Failed to save space settings.": "Misslyckades att spara utrymmesinställningar.", "Invite someone using their name, username (like ) or share this space.": "Bjud in någon med deras namn eller användarnamn (som ), eller dela det här utrymmet.", "Invite someone using their name, email address, username (like ) or share this space.": "Bjud in någon med deras namn, e-postadress eller användarnamn (som ), eller dela det här rummet.", "Create a new room": "Skapa ett nytt rum", - "Spaces": "Utrymmen", "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", - "Space options": "Utrymmesalternativ", "Leave space": "Lämna utrymmet", - "Invite people": "Bjud in folk", - "Share invite link": "Skapa inbjudningslänk", - "Click to copy": "Klicka för att kopiera", "Create a space": "Skapa ett utrymme", "Private space": "Privat utrymme", "Public space": "Offentligt utrymme", @@ -1154,15 +1035,10 @@ "This usually only affects how the room is processed on the server. If you're having problems with your %(brand)s, please report a bug.": "Detta påverkar normalt bara hur rummet hanteras på serven. Om du upplever problem med din %(brand)s, vänligen rapportera en bugg.", "Invite to %(roomName)s": "Bjud in till %(roomName)s", "Edit devices": "Redigera enheter", - "Invite with email or username": "Bjud in med e-postadress eller användarnamn", - "You can change these anytime.": "Du kan ändra dessa när som helst.", "%(count)s people you know have already joined": { "other": "%(count)s personer du känner har redan gått med", "one": "%(count)s person du känner har redan gått med" }, - "Review to ensure your account is safe": "Granska för att försäkra dig om att ditt konto är säkert", - "%(deviceId)s from %(ip)s": "%(deviceId)s från %(ip)s", - "unknown person": "okänd person", "Add existing rooms": "Lägg till existerande rum", "We couldn't create your DM.": "Vi kunde inte skapa ditt DM.", "Reset event store": "Återställ händelselagring", @@ -1192,7 +1068,6 @@ "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.", - "Message search initialisation failed": "Initialisering av meddelandesökning misslyckades", "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.", @@ -1209,7 +1084,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", - "Connecting": "Ansluter", "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" @@ -1220,14 +1094,10 @@ "Message preview": "Meddelandeförhandsgranskning", "Sent": "Skickat", "You don't have permission to do this": "Du har inte behörighet att göra detta", - "Error - Mixed content": "Fel - blandat innehåll", - "Error loading Widget": "Fel vid laddning av widget", "Pinned messages": "Fästa meddelanden", "If you have permissions, open the menu on any message and select Pin to stick them here.": "Om du har behörighet, öppna menyn på ett meddelande och välj Fäst för att fösta dem här.", "Nothing pinned, yet": "Inget fäst än", - "Report": "Rapportera", "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.", - "Using this widget may share data with %(widgetDomain)s & your integration manager.": "Att använda denna widget kan dela data med %(widgetDomain)s och din integrationshanterare.", "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.", @@ -1235,50 +1105,14 @@ "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", - "Failed to update the history visibility of this space": "Misslyckades att uppdatera historiksynlighet för det här utrymmet", - "Failed to update the guest access of this space": "Misslyckades att uppdatera gäståtkomst för det här utrymmet", - "Failed to update the visibility of this space": "Misslyckades att uppdatera synligheten för det här utrymmet", - "Show all rooms": "Visa alla rum", "Address": "Adress", - "Delete avatar": "Radera avatar", - "More": "Mer", - "Show sidebar": "Visa sidopanel", - "Hide sidebar": "Göm sidopanel", "Space information": "Utrymmesinfo", - "There was an error loading your notification settings.": "Ett fel inträffade när dina aviseringsinställningar laddades.", - "Mentions & keywords": "Omnämnanden & nyckelord", - "Global": "Globalt", - "New keyword": "Nytt nyckelord", - "Keyword": "Nyckelord", - "Recommended for public spaces.": "Rekommenderas för offentliga utrymmen.", - "Allow people to preview your space before they join.": "Låt personer förhandsgranska ditt utrymme innan de går med.", - "Preview Space": "Förhandsgranska utrymme", - "Decide who can view and join %(spaceName)s.": "Bestäm vem kan se och gå med i %(spaceName)s.", - "Visibility": "Synlighet", - "This may be useful for public spaces.": "Det här kan vara användbart för ett offentligt utrymme.", - "Guests can join a space without having an account.": "Gäster kan gå med i ett utrymme utan att ha ett konto.", - "Enable guest access": "Aktivera gäståtkomst", "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" }, - "Access": "Åtkomst", - "Space members": "Utrymmesmedlemmar", - "Anyone in a space can find and join. You can select multiple spaces.": "Vem som helst i ett utrymme kan hitta och gå med. Du kan välja flera utrymmen.", - "Spaces with access": "Utrymmen med åtkomst", - "Anyone in a space can find and join. Edit which spaces can access here.": "Vem som helst i ett utrymme kan hitta och gå med. Redigera vilka utrymmen som kan komma åt här.", - "Currently, %(count)s spaces have access": { - "other": "Just nu har %(count)s utrymmen åtkomst", - "one": "Just nu har ett utrymme åtkomst" - }, - "& %(count)s more": { - "other": "& %(count)s till", - "one": "& %(count)s till" - }, - "Upgrade required": "Uppgradering krävs", - "This upgrade will allow members of selected spaces access to this room without an invite.": "Den här uppgraderingen kommer att låta medlemmar i valda utrymmen komma åt det här rummet utan en inbjudan.", "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", @@ -1297,9 +1131,6 @@ "Published addresses can be used by anyone on any server to join your room.": "Publicerade adresser kan användas av vem som helst på vilken server som helst för att gå med i ditt rum.", "Published addresses can be used by anyone on any server to join your space.": "Publicerade adresser kan användas av vem som helst på vilken server som helst för att gå med i ditt utrymme.", "Please provide an address": "Ange en adress, tack", - "Share content": "Dela innehåll", - "Application window": "Programfönster", - "Share entire screen": "Dela hela skärmen", "Message search initialisation failed, check your settings for more information": "Initialisering av meddelandesök misslyckades, kolla dina inställningar för mer information", "Adding spaces has moved.": "Tilläggning av utrymmen har flyttats.", "Search for rooms": "Sök efter rum", @@ -1312,9 +1143,6 @@ "Error downloading audio": "Fel vid nedladdning av ljud", "Unnamed audio": "Namnlöst ljud", "Add space": "Lägg till utrymme", - "Collapse reply thread": "Kollapsa svarstråd", - "Show preview": "Visa förhandsgranskning", - "View source": "Visa källkod", "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.", @@ -1328,7 +1156,6 @@ "You're the only admin of some of the rooms or spaces you wish to leave. Leaving them will leave them without any admins.": "Du är den enda administratören i vissa rum eller utrymmen du vill lämna. Om du lämnar så kommer vissa av dem sakna administratör.", "You're the only admin of this space. Leaving it will mean no one has control over it.": "Du är den enda administratören i utrymmet. Om du lämnar nu så kommer ingen ha kontroll över det.", "You won't be able to rejoin unless you are re-invited.": "Du kommer inte kunna gå med igen om du inte bjuds in igen.", - "Search %(spaceName)s": "Sök i %(spaceName)s", "User Directory": "Användarkatalog", "Want to add an existing space instead?": "Vill du lägga till ett existerande utrymme istället?", "Add a space to a space you manage.": "Lägg till ett utrymme till ett utrymme du kan hantera.", @@ -1340,12 +1167,10 @@ "Public room": "Offentligt rum", "Rooms and spaces": "Rum och utrymmen", "Results": "Resultat", - "Cross-signing is ready but keys are not backed up.": "Korssignering är klart, men nycklarna är inte säkerhetskopierade än.", "Some encryption parameters have been changed.": "Vissa krypteringsparametrar har ändrats.", "Role in ": "Roll i ", "Unknown failure": "Okänt fel", "Failed to update the join rules": "Misslyckades att uppdatera regler för att gå med", - "Anyone in can find and join. You can select other spaces too.": "Vem som helst i kan hitta och gå med. Du kan välja andra utrymmen också.", "Message didn't send. Click for info.": "Meddelande skickades inte. Klicka för info.", "To join a space you'll need an invite.": "För att gå med i ett utrymme så behöver du en inbjudan.", "Would you like to leave the rooms in this space?": "Vill du lämna rummen i det här utrymmet?", @@ -1369,16 +1194,6 @@ "one": "%(count)s svar", "other": "%(count)s svar" }, - "Updating spaces... (%(progress)s out of %(count)s)": { - "one": "Uppdaterar utrymme…", - "other": "Uppdaterar utrymmen… (%(progress)s av %(count)s)" - }, - "Sending invites... (%(progress)s out of %(count)s)": { - "one": "Skickar inbjudan…", - "other": "Skickar inbjudningar… (%(progress)s av %(count)s)" - }, - "Loading new room": "Laddar nytt rum", - "Upgrading room": "Uppgraderar rum", "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", @@ -1406,7 +1221,6 @@ "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.", - "This room is in some spaces you're not an admin of. In those spaces, the old room will still be shown, but people will be prompted to join the new one.": "Det här rummet är med i några utrymmen du inte är admin för. I de utrymmena så kommer det gamla rummet fortfarande visas, men folk kommer uppmanas att gå med i det nya.", "%(spaceName)s and %(count)s others": { "one": "%(spaceName)s och %(count)s till", "other": "%(spaceName)s och %(count)s till" @@ -1416,27 +1230,12 @@ "Themes": "Teman", "Moderation": "Moderering", "Messaging": "Meddelanden", - "Pin to sidebar": "Fäst i sidopanelen", - "Quick settings": "Snabbinställningar", - "Spaces to show": "Utrymmen att visa", - "Sidebar": "Sidofält", - "Share anonymous data to help us identify issues. Nothing personal. No third parties.": "Dela anonyma data med oss för att hjälpa oss att identifiera problem. Inget personligt. Inga tredje parter.", - "Spaces are ways to group rooms and people. Alongside the spaces you're in, you can use some pre-built ones too.": "Utrymmen är sätt att gruppera rum och personer. Utöver utrymmena du är med i så kan du använda några färdiggjorda också.", - "Back to thread": "Tillbaka till tråd", - "Room members": "Rumsmedlemmar", - "Back to chat": "Tillbaka till chatt", "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", - "Group all your rooms that aren't part of a space in one place.": "Gruppera alla dina rum som inte är en del av ett utrymme på ett ställe.", - "Rooms outside of a space": "Rum utanför ett utrymme", - "Group all your people in one place.": "Gruppera alla dina personer på ett ställe.", - "Group all your favourite rooms and people in one place.": "Gruppera alla dina favoritrum och -personer på ett ställe.", - "Show all your rooms in Home, even if they're in a space.": "Visa alla dina rum i Hem, även om de är i ett utrymme.", - "Home is useful for getting an overview of everything.": "Hem är användbar för att få en översikt över allt.", "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", @@ -1456,7 +1255,6 @@ "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.", - "Copy room link": "Kopiera rumslänk", "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", @@ -1469,7 +1267,6 @@ "Voice Message": "Röstmeddelanden", "Hide stickers": "Göm dekaler", "Including you, %(commaSeparatedMembers)s": "Inklusive dig, %(commaSeparatedMembers)s", - "Share location": "Dela plats", "Could not fetch location": "Kunde inte hämta plats", "Location": "Plats", "toggle event": "växla händelse", @@ -1512,7 +1309,6 @@ "Verify this device": "Verifiera den här enheten", "Unable to verify this device": "Kunde inte verifiera den här enheten", "Wait!": "Vänta!", - "Mentions only": "Endast omnämnanden", "Forget": "Glöm", "Open in OpenStreetMap": "Öppna i OpenStreetMap", "Verify other device": "Verifiera annan enhet", @@ -1533,8 +1329,6 @@ "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", - "Match system": "Matcha systemet", - "%(brand)s is experimental on a mobile web browser. For a better experience and the latest features, use our free native app.": "%(brand)s är experimentell i mobila webbläsare. För en bättre upplevelse och de senaste funktionerna använd våran nativa app.", "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.", @@ -1550,11 +1344,6 @@ }, "New video room": "Nytt videorum", "New room": "Nytt rum", - "Failed to join": "Misslyckades att gå med", - "The person who invited you has already left, or their server is offline.": "Personen som bjöd in dig har redan lämnat, eller så är deras hemserver offline.", - "The person who invited you has already left.": "Personen som bjöd in dig har redan lämnat.", - "Sorry, your homeserver is too old to participate here.": "Din hemserver är tyvärr för gammal för att delta här.", - "There was an error joining.": "Fel vid försök att gå med.", "%(count)s participants": { "one": "1 deltagare", "other": "%(count)s deltagare" @@ -1603,9 +1392,6 @@ "%(displayName)s's live location": "Realtidsposition för %(displayName)s", "%(brand)s could not send your location. Please try again later.": "%(brand)s kunde inte skicka din position. Försök igen senare.", "We couldn't send your location": "Vi kunde inte skicka din positoin", - "Click to drop a pin": "Klicka för att sätta ut en nål", - "Click to move the pin": "Klicka för att flytta nålen", - "Share for %(duration)s": "Dela under %(duration)s", "View live location": "Se realtidsposition", "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 har loggats ut på alla enheter och kommer inte längre ta emot pushnotiser. För att återaktivera aviserings, logga in igen på varje enhet.", "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.": "Om du vill behålla åtkomst till din chatthistorik i krypterade rum, ställ in nyckelsäkerhetskopiering eller exportera dina rumsnycklar från en av dina andra enheter innan du fortsätter.", @@ -1625,9 +1411,6 @@ }, "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", - "Enable live location sharing": "Aktivera platsdelning i realtid", - "Please note: this is a labs feature using a temporary implementation. This means you will not be able to delete your location history, and advanced users will be able to see your location history even after you stop sharing your live location with this room.": "OBS: detta är en experimentell funktion med en temporär implementation. Detta betyder att du inte kommer kunna radera din platshistorik, och avancerade användare kommer kunna se din platshistorik även efter att du slutar dela din realtidsposition med det här rummet.", - "Live location sharing": "Positionsdelning i realtid", "%(members)s and %(last)s": "%(members)s och %(last)s", "%(members)s and more": "%(members)s och fler", "Your message wasn't sent because this homeserver has been blocked by its administrator. Please contact your service administrator to continue using the service.": "Ditt meddelande skickades inte eftersom att den här hemservern har blockerats av sin administratör. Vänligen kontakta din tjänsteadministratör för att fortsätta använda tjänsten.", @@ -1645,15 +1428,7 @@ "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…", - "%(count)s people joined": { - "other": "%(count)s personer gick med", - "one": "%(count)s person gick med" - }, - "View related event": "Visa relaterade händelser", "Read receipts": "Läskvitton", - "You were disconnected from the call. (Error: %(message)s)": "Du kopplades bort från samtalet. (Fel: %(message)s)", - "Connection lost": "Anslutning bröts", - "Un-maximise": "Avmaximera", "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", @@ -1689,23 +1464,11 @@ "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", - "Unknown room": "Okänt rum", - "Sorry — this call is currently full": "Tyvärr - det här samtalet är för närvarande fullt", "Connection": "Anslutning", "Voice processing": "Röstbearbetning", "Video settings": "Videoinställningar", "Automatically adjust the microphone volume": "Justera automatiskt mikrofonvolymen", "Voice settings": "Röstinställningar", - "For best security, verify your sessions and sign out from any session that you don't recognize or use anymore.": "För bäst säkerhet, verifiera dina sessioner och logga ut alla sessioner du inte känner igen eller använder längre.", - "Are you sure you want to sign out of %(count)s sessions?": { - "one": "Är du säker på att du vill logga ut %(count)s session?", - "other": "Är du säker på att du vill logga ut %(count)s sessioner?" - }, - "Sessions": "Sessioner", - "Search users in this room…": "Sök efter användare i det här rummet…", - "Give one or multiple users in this room more privileges": "Ge en eller flera användare i det här rummet fler privilegier", - "Add privileged users": "Lägg till privilegierade användare", - "You have unverified sessions": "Du har overifierade sessioner", "%(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", @@ -1723,10 +1486,6 @@ "Change layout": "Byt utseende", "Spotlight": "Rampljus", "Freedom": "Frihet", - "You do not have permission to start voice calls": "Du är inte behörig att starta röstsamtal", - "There's no one here to call": "Det finns ingen här att ringa", - "You do not have permission to start video calls": "Du är inte behörig att starta videosamtal", - "Ongoing call": "Pågående samtal", "Video call (%(brand)s)": "Videosamtal (%(brand)s)", "Video call (Jitsi)": "Videosamtal (Jitsi)", "Show formatting": "Visa formatering", @@ -1764,7 +1523,6 @@ "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.", "The homeserver doesn't support signing in another device.": "Hemservern stöder inte inloggning av en annan enhet.", - "Mark as read": "Markera som läst", "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 kan inte starta ett röstmeddelande eftersom du spelar in en direktsändning. Vänligen avsluta din direktsändning för att starta inspelning av ett röstmeddelande.", "Can't start voice message": "Kan inte starta röstmeddelanden", "Text": "Text", @@ -1776,10 +1534,7 @@ "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", - "Red": "Röd", - "Grey": "Grå", "Declining…": "Nekar…", - "This session is backing up your keys.": "Den här sessionen säkerhetskopierar dina nycklar.", "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'", @@ -1803,18 +1558,8 @@ "Encrypting your message…": "Krypterar ditt meddelande …", "Sending your message…": "Skickar ditt meddelande …", "Set a new account password…": "Sätt ett nytt kontolösenord …", - "Backing up %(sessionsRemaining)s keys…": "Säkerhetskopierar %(sessionsRemaining)s nycklar …", - "Connecting to integration manager…": "Kontaktar integrationshanteraren …", - "Saving…": "Sparar …", - "Creating…": "Skapar …", "Starting export process…": "Startar exportprocessen …", - "Yes, it was me": "Ja, det var jag", "Requires your server to support the stable version of MSC3827": "Kräver att din server stöder den stabila versionen av MSC3827", - "If you know a room address, try joining through that instead.": "Om du känner till en rumsadress, försök gå med via den istället.", - "You attempted to join using a room ID without providing a list of servers to join through. Room IDs are internal identifiers and cannot be used to join a room without additional information.": "Du försökte gå med med ett rums-ID utan att tillhandahålla en lista över servrar att gå med via. Rums-ID:n är interna identifierare och kan inte användas för att gå med i ett rum utan ytterligare information.", - "An error occurred when updating your notification preferences. Please try to toggle your option again.": "Ett fel uppstod när du uppdaterade dina aviseringsinställningar. Pröva att växla alternativet igen.", - "Verify Session": "Verifiera session", - "Ignore (%(counter)s)": "Ignorera (%(counter)s)", "View poll": "Visa omröstning", "There are no past polls for the past %(count)s days. Load more polls to view polls for previous months": { "one": "Det finns inga tidigare omröstningar för det senaste dygnet. Ladda fler omröstningar för att se omröstningar för tidigare månader", @@ -1840,7 +1585,6 @@ "Error changing password": "Fel vid byte av lösenord", "%(errorMessage)s (HTTP status %(httpStatus)s)": "%(errorMessage)s (HTTP-status %(httpStatus)s)", "Unknown password change error (%(stringifiedError)s)": "Okänt fel vid lösenordsändring (%(stringifiedError)s)", - "Failed to download source media, no source url was found": "Misslyckades att ladda ned källmedian, ingen käll-URL hittades", "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", @@ -1848,15 +1592,12 @@ "Message from %(user)s": "Meddelande från %(user)s", "Answered elsewhere": "Besvarat på annat håll", "unknown status code": "okänd statuskod", - "Image view": "Bildvy", "Waiting for users to join %(brand)s": "Väntar på att användare går med i %(brand)s", "Error details": "Feldetaljer", "Desktop app logo": "Skrivbordsappslogga", - "Your device ID": "Ditt enhets-ID", "Message in %(room)s": "Meddelande i rum %(room)s", "The sender has blocked you from receiving this message": "Avsändaren har blockerat dig från att ta emot det här meddelandet", "Ended a poll": "Avslutade en omröstning", - "Your language": "Ditt språk", "Start DM anyway and never warn me again": "Starta DM ändå och varna mig aldrig igen", "Start DM anyway": "Starta DM ändå", "Server returned %(statusCode)s with error code %(errorCode)s": "Servern gav svar %(statusCode)s med felkoden %(errorCode)s", @@ -1864,15 +1605,9 @@ "Once invited users have joined %(brand)s, you will be able to chat and the room will be end-to-end encrypted": "När inbjudna användare har gått med i %(brand)s kommer du att kunna chatta och rummet kommer att vara totalsträckskrypterat", "Please submit debug logs to help us track down the problem.": "Vänligen skicka in felsökningsloggar för att hjälpa oss att spåra problemet.", "Invites by email can only be sent one at a time": "Inbjudningar via e-post kan endast skickas en i taget", - "Match default setting": "Matcha förvalsinställning", - "Mute room": "Tysta rum", "Unable to find event at that date": "Kunde inte hitta händelse vid det datumet", "Are you sure you wish to remove (delete) this event?": "Är du säker på att du vill ta bort (radera) den här händelsen?", "Note that removing room changes like this could undo the change.": "Observera att om du tar bort rumsändringar som den här kanske det ångrar ändringen.", - "You need an invite to access this room.": "Du behöver en inbjudan för att komma åt det här rummet.", - "Ask to join": "Be om att gå med", - "People cannot join unless access is granted.": "Personer kan inte gå med om inte åtkomst ges.", - "Failed to cancel": "Misslyckades att avbryta", "common": { "about": "Om", "analytics": "Statistik", @@ -1970,7 +1705,15 @@ "off": "Av", "all_rooms": "Alla rum", "deselect_all": "Välj bort alla", - "select_all": "Välj alla" + "select_all": "Välj alla", + "copied": "Kopierat!", + "advanced": "Avancerat", + "spaces": "Utrymmen", + "general": "Allmänt", + "saving": "Sparar …", + "profile": "Profil", + "display_name": "Visningsnamn", + "user_avatar": "Profilbild" }, "action": { "continue": "Fortsätt", @@ -2072,7 +1815,10 @@ "clear": "Rensa", "exit_fullscreeen": "Gå ur fullskärm", "enter_fullscreen": "Gå till fullskärm", - "unban": "Avblockera" + "unban": "Avblockera", + "click_to_copy": "Klicka för att kopiera", + "hide_advanced": "Dölj avancerat", + "show_advanced": "Visa avancerat" }, "a11y": { "user_menu": "Användarmeny", @@ -2084,7 +1830,8 @@ "other": "%(count)s olästa meddelanden.", "one": "1 oläst meddelande." }, - "unread_messages": "Olästa meddelanden." + "unread_messages": "Olästa meddelanden.", + "jump_first_invite": "Hoppa till första inbjudan." }, "labs": { "video_rooms": "Videorum", @@ -2278,7 +2025,6 @@ "user_a11y": "Autokomplettering av användare" } }, - "Bold": "Fet", "Link": "Länk", "Code": "Kod", "power_level": { @@ -2386,7 +2132,8 @@ "intro_byline": "Äg dina konversationer.", "send_dm": "Skicka ett direktmeddelande", "explore_rooms": "Utforska offentliga rum", - "create_room": "Skapa en gruppchatt" + "create_room": "Skapa en gruppchatt", + "create_account": "Skapa konto" }, "settings": { "show_breadcrumbs": "Visa genvägar till nyligen visade rum över rumslistan", @@ -2453,7 +2200,10 @@ "noisy": "Högljudd", "error_permissions_denied": "%(brand)s har inte tillstånd att skicka aviseringar - kontrollera webbläsarens inställningar", "error_permissions_missing": "%(brand)s fick inte tillstånd att skicka aviseringar - försök igen", - "error_title": "Det går inte att aktivera aviseringar" + "error_title": "Det går inte att aktivera aviseringar", + "error_updating": "Ett fel uppstod när du uppdaterade dina aviseringsinställningar. Pröva att växla alternativet igen.", + "push_targets": "Aviseringsmål", + "error_loading": "Ett fel inträffade när dina aviseringsinställningar laddades." }, "appearance": { "layout_irc": "IRC (Experimentellt)", @@ -2527,7 +2277,44 @@ "cryptography_section": "Kryptografi", "session_id": "Sessions-ID:", "session_key": "Sessionsnyckel:", - "encryption_section": "Kryptering" + "encryption_section": "Kryptering", + "bulk_options_section": "Massalternativ", + "bulk_options_accept_all_invites": "Acceptera alla %(invitedRooms)s inbjudningar", + "bulk_options_reject_all_invites": "Avböj alla %(invitedRooms)s inbjudningar", + "message_search_section": "Meddelandesök", + "analytics_subsection_description": "Dela anonyma data med oss för att hjälpa oss att identifiera problem. Inget personligt. Inga tredje parter.", + "encryption_individual_verification_mode": "Verifiera individuellt varje session som används av en användare för att markera den som betrodd, och lita inte på korssignerade enheter.", + "message_search_enabled": { + "one": "Cacha på ett säkert sätt krypterade meddelanden lokalt för att de ska visas i sökresultat, och använd %(size)s för att lagra meddelanden från %(rooms)s rum.", + "other": "Cacha på ett säkert sätt krypterade meddelanden lokalt för att de ska visas i sökresultat, och använd %(size)s för att lagra meddelanden från %(rooms)s rum." + }, + "message_search_disabled": "Cachar krypterade meddelanden säkert lokalt för att de ska visas i sökresultat.", + "message_search_unsupported": "%(brand)s saknar vissa komponenter som krävs som krävs för att säkert cacha krypterade meddelanden lokalt. Om du vill experimentera med den här funktionen, bygg en anpassad %(brand)s Skrivbord med sökkomponenter tillagda.", + "message_search_unsupported_web": "%(brand)s kan inte säkert cacha krypterade meddelanden lokalt när den kör i en webbläsare. Använd %(brand)s Skrivbord för att krypterade meddelanden ska visas i sökresultaten.", + "message_search_failed": "Initialisering av meddelandesökning misslyckades", + "backup_key_well_formed": "välformaterad", + "backup_key_unexpected_type": "oväntad typ", + "backup_keys_description": "Säkerhetskopiera dina krypteringsnycklar med din kontodata ifall du skulle förlora åtkomst till dina sessioner. Dina nycklar kommer att säkras med en unik säkerhetsnyckel.", + "backup_key_stored_status": "Lagrad säkerhetskopieringsnyckel:", + "cross_signing_not_stored": "inte lagrad", + "backup_key_cached_status": "Cachad säkerhetskopieringsnyckel:", + "4s_public_key_status": "Publik nyckel för hemlig lagring:", + "4s_public_key_in_account_data": "i kontodata", + "secret_storage_status": "Hemlig lagring:", + "secret_storage_ready": "klart", + "secret_storage_not_ready": "inte klart", + "delete_backup": "Radera säkerhetskopia", + "delete_backup_confirm_description": "Är du säker? Du kommer att förlora dina krypterade meddelanden om dina nycklar inte säkerhetskopieras ordentligt.", + "error_loading_key_backup_status": "Kunde inte ladda status för nyckelsäkerhetskopiering", + "restore_key_backup": "Återställ från säkerhetskopia", + "key_backup_active": "Den här sessionen säkerhetskopierar dina nycklar.", + "key_backup_inactive": "Den här servern säkerhetskopierar inte dina nycklar, men du har en existerande säkerhetskopia du kan återställa ifrån och lägga till till i framtiden.", + "key_backup_connect_prompt": "Anslut den här sessionen till nyckelsäkerhetskopiering innan du loggar ut för att undvika att du blir av med nycklar som kanske bara finns på den här sessionen.", + "key_backup_connect": "Anslut den här sessionen till nyckelsäkerhetskopiering", + "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." }, "preferences": { "room_list_heading": "Rumslista", @@ -2641,7 +2428,13 @@ "other": "Logga ut enheter" }, "security_recommendations": "Säkerhetsrekommendationer", - "security_recommendations_description": "Förbättra din kontosäkerhet genom att följa dessa rekommendationer." + "security_recommendations_description": "Förbättra din kontosäkerhet genom att följa dessa rekommendationer.", + "title": "Sessioner", + "sign_out_confirm_description": { + "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." }, "general": { "oidc_manage_button": "Hantera konto", @@ -2660,7 +2453,22 @@ "add_msisdn_confirm_sso_button": "Bekräfta tilläggning av telefonnumret genom att använda samlad inloggning för att bevisa din identitet.", "add_msisdn_confirm_button": "Bekräfta tilläggning av telefonnumret", "add_msisdn_confirm_body": "Klicka på knappen nedan för att bekräfta tilläggning av telefonnumret.", - "add_msisdn_dialog_title": "Lägg till telefonnummer" + "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" + }, + "sidebar": { + "title": "Sidofält", + "metaspaces_subsection": "Utrymmen att visa", + "metaspaces_description": "Utrymmen är sätt att gruppera rum och personer. Utöver utrymmena du är med i så kan du använda några färdiggjorda också.", + "metaspaces_home_description": "Hem är användbar för att få en översikt över allt.", + "metaspaces_favourites_description": "Gruppera alla dina favoritrum och -personer på ett ställe.", + "metaspaces_people_description": "Gruppera alla dina personer på ett ställe.", + "metaspaces_orphans": "Rum utanför ett utrymme", + "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" } }, "devtools": { @@ -3150,7 +2958,15 @@ "user": "%(senderName)s avslutade en röstsändning" }, "creation_summary_dm": "%(creator)s skapade den här DM:en.", - "creation_summary_room": "%(creator)s skapade och konfigurerade rummet." + "creation_summary_room": "%(creator)s skapade och konfigurerade rummet.", + "context_menu": { + "view_source": "Visa källkod", + "show_url_preview": "Visa förhandsgranskning", + "external_url": "Käll-URL", + "collapse_reply_thread": "Kollapsa svarstråd", + "view_related_event": "Visa relaterade händelser", + "report": "Rapportera" + } }, "slash_command": { "spoiler": "Skickar det angivna meddelandet som en spoiler", @@ -3352,10 +3168,28 @@ "failed_call_live_broadcast_title": "Kunde inte starta ett samtal", "failed_call_live_broadcast_description": "Du kan inte starta ett samtal eftersom att du spelar in en direktsändning. Vänligen avsluta din direktsändning för att starta ett samtal.", "no_media_perms_title": "Inga mediebehörigheter", - "no_media_perms_description": "Du behöver manuellt tillåta %(brand)s att komma åt din mikrofon/kamera" + "no_media_perms_description": "Du behöver manuellt tillåta %(brand)s att komma åt din mikrofon/kamera", + "call_toast_unknown_room": "Okänt rum", + "join_button_tooltip_connecting": "Ansluter", + "join_button_tooltip_call_full": "Tyvärr - det här samtalet är för närvarande fullt", + "hide_sidebar_button": "Göm sidopanel", + "show_sidebar_button": "Visa sidopanel", + "more_button": "Mer", + "screenshare_monitor": "Dela hela skärmen", + "screenshare_window": "Programfönster", + "screenshare_title": "Dela innehåll", + "disabled_no_perms_start_voice_call": "Du är inte behörig att starta röstsamtal", + "disabled_no_perms_start_video_call": "Du är inte behörig att starta videosamtal", + "disabled_ongoing_call": "Pågående samtal", + "disabled_no_one_here": "Det finns ingen här att ringa", + "n_people_joined": { + "other": "%(count)s personer gick med", + "one": "%(count)s person gick med" + }, + "unknown_person": "okänd person", + "connecting": "Ansluter" }, "Other": "Annat", - "Advanced": "Avancerat", "room_settings": { "permissions": { "m.room.avatar_space": "Byt utrymmesavatar", @@ -3395,7 +3229,10 @@ "title": "Roller & behörigheter", "permissions_section": "Behörigheter", "permissions_section_description_space": "Välj de roller som krävs för att ändra olika delar av utrymmet", - "permissions_section_description_room": "Välj de roller som krävs för att ändra olika delar av rummet" + "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…" }, "security": { "strict_encryption": "Skicka aldrig krypterade meddelanden till overifierade sessioner i det här rummet från den här sessionen", @@ -3422,7 +3259,35 @@ "history_visibility_shared": "Endast medlemmar (från tidpunkten för när denna inställning valdes)", "history_visibility_invited": "Endast medlemmar (från när de blev inbjudna)", "history_visibility_joined": "Endast medlemmar (från när de gick med)", - "history_visibility_world_readable": "Vem som helst" + "history_visibility_world_readable": "Vem som helst", + "join_rule_upgrade_required": "Uppgradering krävs", + "join_rule_restricted_n_more": { + "other": "& %(count)s till", + "one": "& %(count)s till" + }, + "join_rule_restricted_summary": { + "other": "Just nu har %(count)s utrymmen åtkomst", + "one": "Just nu har ett utrymme åtkomst" + }, + "join_rule_restricted_description": "Vem som helst i ett utrymme kan hitta och gå med. Redigera vilka utrymmen som kan komma åt här.", + "join_rule_restricted_description_spaces": "Utrymmen med åtkomst", + "join_rule_restricted_description_active_space": "Vem som helst i kan hitta och gå med. Du kan välja andra utrymmen också.", + "join_rule_restricted_description_prompt": "Vem som helst i ett utrymme kan hitta och gå med. Du kan välja flera utrymmen.", + "join_rule_restricted": "Utrymmesmedlemmar", + "join_rule_knock": "Be om att gå med", + "join_rule_knock_description": "Personer kan inte gå med om inte åtkomst ges.", + "join_rule_restricted_upgrade_warning": "Det här rummet är med i några utrymmen du inte är admin för. I de utrymmena så kommer det gamla rummet fortfarande visas, men folk kommer uppmanas att gå med i det nya.", + "join_rule_restricted_upgrade_description": "Den här uppgraderingen kommer att låta medlemmar i valda utrymmen komma åt det här rummet utan en inbjudan.", + "join_rule_upgrade_upgrading_room": "Uppgraderar rum", + "join_rule_upgrade_awaiting_room": "Laddar nytt rum", + "join_rule_upgrade_sending_invites": { + "one": "Skickar inbjudan…", + "other": "Skickar inbjudningar… (%(progress)s av %(count)s)" + }, + "join_rule_upgrade_updating_spaces": { + "one": "Uppdaterar utrymme…", + "other": "Uppdaterar utrymmen… (%(progress)s av %(count)s)" + } }, "general": { "publish_toggle": "Publicera rummet i den offentliga rumskatalogen på %(domain)s?", @@ -3432,7 +3297,11 @@ "default_url_previews_off": "URL-förhandsgranskning är inaktiverat som förval för deltagare i detta rum.", "url_preview_encryption_warning": "I krypterade rum, som detta, är URL-förhandsgranskning inaktiverad som förval för att säkerställa att din hemserver (där förhandsgranskningar genereras) inte kan samla information om länkar du ser i rummet.", "url_preview_explainer": "När någon lägger en URL i sitt meddelande, kan URL-förhandsgranskning ge mer information om länken, såsom titel, beskrivning, och en bild från webbplatsen.", - "url_previews_section": "URL-förhandsgranskning" + "url_previews_section": "URL-förhandsgranskning", + "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" }, "advanced": { "unfederated": "Detta rum är inte tillgängligt för externa Matrix-servrar", @@ -3444,6 +3313,24 @@ "room_id": "Internt rums-ID", "room_version_section": "Rumsversion", "room_version": "Rumsversion:" + }, + "delete_avatar_label": "Radera avatar", + "upload_avatar_label": "Ladda upp avatar", + "visibility": { + "error_update_guest_access": "Misslyckades att uppdatera gäståtkomst för det här utrymmet", + "error_update_history_visibility": "Misslyckades att uppdatera historiksynlighet för det här utrymmet", + "guest_access_explainer": "Gäster kan gå med i ett utrymme utan att ha ett konto.", + "guest_access_explainer_public_space": "Det här kan vara användbart för ett offentligt utrymme.", + "title": "Synlighet", + "error_failed_save": "Misslyckades att uppdatera synligheten för det här utrymmet", + "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" + }, + "access": { + "title": "Åtkomst", + "description_space": "Bestäm vem kan se och gå med i %(spaceName)s." } }, "encryption": { @@ -3470,7 +3357,15 @@ "waiting_other_device_details": "Väntar på att du ska verifiera på din andra enhet, %(deviceName)s (%(deviceId)s)…", "waiting_other_device": "Väntar på att du ska verifiera på din andra enhet…", "waiting_other_user": "Väntar på att %(displayName)s ska verifiera…", - "cancelling": "Avbryter…" + "cancelling": "Avbryter…", + "unverified_sessions_toast_title": "Du har overifierade sessioner", + "unverified_sessions_toast_description": "Granska för att försäkra dig om att ditt konto är säkert", + "unverified_sessions_toast_reject": "Senare", + "unverified_session_toast_title": "Ny inloggning. Var det du?", + "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" }, "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.", @@ -3480,7 +3375,18 @@ "bootstrap_title": "Sätter upp nycklar", "export_unsupported": "Din webbläsare stödjer inte nödvändiga kryptografitillägg", "import_invalid_keyfile": "Inte en giltig %(brand)s-nyckelfil", - "import_invalid_passphrase": "Autentiseringskontroll misslyckades: felaktigt lösenord?" + "import_invalid_passphrase": "Autentiseringskontroll misslyckades: felaktigt lösenord?", + "set_up_toast_title": "Ställ in säker säkerhetskopiering", + "upgrade_toast_title": "Krypteringsuppgradering tillgänglig", + "verify_toast_title": "Verifiera denna session", + "set_up_toast_description": "Skydda mot att förlora åtkomst till krypterade meddelanden och data", + "verify_toast_description": "Andra användare kanske inta litar på den", + "cross_signing_unsupported": "Din hemserver stöder inte korssignering.", + "cross_signing_ready": "Korssignering är klart att användas.", + "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": "" }, "emoji": { "category_frequently_used": "Ofta använda", @@ -3504,7 +3410,8 @@ "bullet_1": "Vi spelar inte in eller profilerar någon kontodata", "bullet_2": "Vi delar inte information med tredje parter", "disable_prompt": "Du kan stänga av detta när som helst i inställningarna", - "accept_button": "Det är okej" + "accept_button": "Det är okej", + "shared_data_heading": "Vissa av följande data kan delas:" }, "chat_effects": { "confetti_description": "Skickar det givna meddelandet med konfetti", @@ -3659,7 +3566,8 @@ "autodiscovery_unexpected_error_hs": "Oväntat fel vid inläsning av hemserverkonfiguration", "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." + "incorrect_credentials_detail": "Observera att du loggar in på servern %(hs)s, inte matrix.org.", + "create_account_title": "Skapa konto" }, "room_list": { "sort_unread_first": "Visa rum med olästa meddelanden först", @@ -3783,7 +3691,36 @@ "error_need_to_be_logged_in": "Du måste vara inloggad.", "error_need_invite_permission": "Du behöver kunna bjuda in användare för att göra det där.", "error_need_kick_permission": "Du behöver kunna kicka användare för att göra det.", - "no_name": "Okänd app" + "no_name": "Okänd app", + "error_hangup_title": "Anslutning bröts", + "error_hangup_description": "Du kopplades bort från samtalet. (Fel: %(message)s)", + "context_menu": { + "start_audio_stream": "Starta ljudström", + "screenshot": "Ta en bild", + "delete": "Radera widget", + "delete_warning": "Att radera en widget tar bort den för alla användare i rummet. Är du säker på att du vill radera den?", + "remove": "Ta bort för alla", + "revoke": "Återkalla behörigheter", + "move_left": "Flytta till vänster", + "move_right": "Flytta till höger" + }, + "shared_data_name": "Ditt visningsnamn", + "shared_data_mxid": "Ditt användar-ID", + "shared_data_device_id": "Ditt enhets-ID", + "shared_data_theme": "Ditt tema", + "shared_data_lang": "Ditt språk", + "shared_data_url": "%(brand)s-URL", + "shared_data_room_id": "Rums-ID", + "shared_data_widget_id": "Widget-ID", + "shared_data_warning_im": "Att använda denna widget kan dela data med %(widgetDomain)s och din integrationshanterare.", + "shared_data_warning": "Att använda denna widget kan dela data med %(widgetDomain)s.", + "unencrypted_warning": "Widgets använder inte meddelandekryptering.", + "added_by": "Widget tillagd av", + "cookie_warning": "Denna widget kan använda kakor.", + "error_loading": "Fel vid laddning av widget", + "error_mixed_content": "Fel - blandat innehåll", + "unmaximise": "Avmaximera", + "popout": "Poppa ut widget" }, "feedback": { "sent": "Återkoppling skickad", @@ -3880,7 +3817,8 @@ "empty_heading": "Håll diskussioner organiserade med trådar" }, "theme": { - "light_high_contrast": "Ljust högkontrast" + "light_high_contrast": "Ljust högkontrast", + "match_system": "Matcha systemet" }, "space": { "landing_welcome": "Välkommen till ", @@ -3896,9 +3834,14 @@ "devtools_open_timeline": "Se rummets tidslinje (utvecklingsverktyg)", "home": "Utrymmeshem", "explore": "Utforska rum", - "manage_and_explore": "Hantera och utforska rum" + "manage_and_explore": "Hantera och utforska rum", + "options": "Utrymmesalternativ" }, - "share_public": "Dela ditt offentliga utrymme" + "share_public": "Dela ditt offentliga utrymme", + "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" }, "location_sharing": { "MapStyleUrlNotConfigured": "Den här hemservern har inte konfigurerats för att visa kartor.", @@ -3915,7 +3858,14 @@ "failed_timeout": "Tidsgränsen överskreds vid försök att hämta din plats. Pröva igen senare.", "failed_unknown": "Ökänt fel när plats hämtades. Pröva igen senare.", "expand_map": "Expandera karta", - "failed_load_map": "Kunde inte ladda kartan" + "failed_load_map": "Kunde inte ladda kartan", + "live_enable_heading": "Positionsdelning i realtid", + "live_enable_description": "OBS: detta är en experimentell funktion med en temporär implementation. Detta betyder att du inte kommer kunna radera din platshistorik, och avancerade användare kommer kunna se din platshistorik även efter att du slutar dela din realtidsposition med det här rummet.", + "live_toggle_label": "Aktivera platsdelning i realtid", + "live_share_button": "Dela under %(duration)s", + "click_move_pin": "Klicka för att flytta nålen", + "click_drop_pin": "Klicka för att sätta ut en nål", + "share_button": "Dela plats" }, "labs_mjolnir": { "room_name": "Min bannlista", @@ -3951,7 +3901,6 @@ }, "create_space": { "name_required": "Vänligen ange ett namn för utrymmet", - "name_placeholder": "t.ex. mitt-utrymme", "explainer": "Utrymmen är ett nytt sätt att gruppera rum och personer. Vad för slags utrymme vill du skapa? Du kan ändra detta senare.", "public_description": "Öppna utrymmet för alla, bäst för gemenskaper", "private_description": "Endast inbjudan, bäst för dig själv eller team", @@ -3982,11 +3931,17 @@ "setup_rooms_community_description": "Låt oss skapa ett rum för varje.", "setup_rooms_description": "Du kan lägga till flera senare också, inklusive redan existerande.", "setup_rooms_private_heading": "Vilka projekt jobbar ditt team på?", - "setup_rooms_private_description": "Vi kommer skapa rum för var och en av dem." + "setup_rooms_private_description": "Vi kommer skapa rum för var och en av dem.", + "address_placeholder": "t.ex. mitt-utrymme", + "address_label": "Adress", + "label": "Skapa ett utrymme", + "add_details_prompt_2": "Du kan ändra dessa när som helst.", + "creating": "Skapar …" }, "user_menu": { "switch_theme_light": "Byt till ljust läge", - "switch_theme_dark": "Byt till mörkt läge" + "switch_theme_dark": "Byt till mörkt läge", + "settings": "Alla inställningar" }, "notif_panel": { "empty_heading": "Du är ikapp", @@ -4024,7 +3979,28 @@ "leave_error_title": "Fel när rummet lämnades", "upgrade_error_title": "Fel vid uppgradering av rum", "upgrade_error_description": "Dubbelkolla att din server stöder den valda rumsversionen och försök igen.", - "leave_server_notices_description": "Detta rum används för viktiga meddelanden från hemservern, så du kan inte lämna det." + "leave_server_notices_description": "Detta rum används för viktiga meddelanden från hemservern, så du kan inte lämna det.", + "error_join_connection": "Fel vid försök att gå med.", + "error_join_incompatible_version_1": "Din hemserver är tyvärr för gammal för att delta här.", + "error_join_incompatible_version_2": "Vänligen kontakta din hemserveradministratör.", + "error_join_404_invite_same_hs": "Personen som bjöd in dig har redan lämnat.", + "error_join_404_invite": "Personen som bjöd in dig har redan lämnat, eller så är deras hemserver offline.", + "error_join_404_1": "Du försökte gå med med ett rums-ID utan att tillhandahålla en lista över servrar att gå med via. Rums-ID:n är interna identifierare och kan inte användas för att gå med i ett rum utan ytterligare information.", + "error_join_404_2": "Om du känner till en rumsadress, försök gå med via den istället.", + "error_join_title": "Misslyckades att gå med", + "error_join_403": "Du behöver en inbjudan för att komma åt det här rummet.", + "error_cancel_knock_title": "Misslyckades att avbryta", + "context_menu": { + "unfavourite": "Favoritmarkerad", + "favourite": "Favoritmarkera", + "mentions_only": "Endast omnämnanden", + "copy_link": "Kopiera rumslänk", + "low_priority": "Låg prioritet", + "forget": "Glöm rum", + "mark_read": "Markera som läst", + "notifications_default": "Matcha förvalsinställning", + "notifications_mute": "Tysta rum" + } }, "file_panel": { "guest_note": "Du måste registrera dig för att använda den här funktionaliteten", @@ -4044,7 +4020,8 @@ "tac_button": "Granska villkoren", "identity_server_no_terms_title": "Identitetsservern har inga användarvillkor", "identity_server_no_terms_description_1": "Den här åtgärden kräver åtkomst till standardidentitetsservern för att validera en e-postadress eller ett telefonnummer, men servern har inga användarvillkor.", - "identity_server_no_terms_description_2": "Fortsätt endast om du litar på serverns ägare." + "identity_server_no_terms_description_2": "Fortsätt endast om du litar på serverns ägare.", + "inline_intro_text": "Acceptera för att fortsätta:" }, "space_settings": { "title": "Inställningar - %(spaceName)s" @@ -4140,7 +4117,14 @@ "sync": "Kunde inte kontakta hemservern. Försöker igen …", "connection": "Ett problem inträffade vi kommunikation med hemservern, vänligen försök igen senare.", "mixed_content": "Kan inte ansluta till en hemserver via HTTP då adressen i webbläsaren är HTTPS. Använd HTTPS, eller aktivera osäkra skript.", - "tls": "Kan inte ansluta till hemservern - vänligen kolla din nätverksanslutning, se till att hemserverns SSL-certifikat är betrott, och att inget webbläsartillägg blockerar förfrågningar." + "tls": "Kan inte ansluta till hemservern - vänligen kolla din nätverksanslutning, se till att hemserverns SSL-certifikat är betrott, och att inget webbläsartillägg blockerar förfrågningar.", + "admin_contact_short": "Kontakta din serveradministratör.", + "non_urgent_echo_failure_toast": "Din server svarar inte på vissa förfrågningar.", + "failed_copy": "Misslyckades att kopiera", + "something_went_wrong": "Något gick fel!", + "download_media": "Misslyckades att ladda ned källmedian, ingen käll-URL hittades", + "update_power_level": "Misslyckades att ändra behörighetsnivå", + "unknown": "Okänt fel" }, "in_space1_and_space2": "I utrymmena %(space1Name)s och %(space2Name)s.", "in_space_and_n_other_spaces": { @@ -4148,5 +4132,52 @@ "other": "I %(spaceName)s och %(count)s andra utrymmen." }, "in_space": "I utrymmet %(spaceName)s.", - "name_and_id": "%(name)s (%(userId)s)" + "name_and_id": "%(name)s (%(userId)s)", + "items_and_n_others": { + "other": " och %(count)s till", + "one": " och en till" + }, + "notifications": { + "enable_prompt_toast_title_from_message_send": "Missa inte ett svar", + "enable_prompt_toast_title": "Aviseringar", + "enable_prompt_toast_description": "Aktivera skrivbordsaviseringar", + "colour_none": "Ingen", + "colour_bold": "Fet", + "colour_grey": "Grå", + "colour_red": "Röd", + "colour_unsent": "Ej skickat", + "error_change_title": "Ändra aviseringsinställningar", + "mark_all_read": "Markera alla som lästa", + "keyword": "Nyckelord", + "keyword_new": "Nytt nyckelord", + "class_global": "Globalt", + "class_other": "Annat", + "mentions_keywords": "Omnämnanden & nyckelord" + }, + "mobile_guide": { + "toast_title": "Använd appen för en bättre upplevelse", + "toast_description": "%(brand)s är experimentell i mobila webbläsare. För en bättre upplevelse och de senaste funktionerna använd våran nativa app.", + "toast_accept": "Använd app" + }, + "chat_card_back_action_label": "Tillbaka till chatt", + "room_summary_card_back_action_label": "Rumsinformation", + "member_list_back_action_label": "Rumsmedlemmar", + "thread_view_back_action_label": "Tillbaka till tråd", + "quick_settings": { + "title": "Snabbinställningar", + "all_settings": "Alla inställningar", + "metaspace_section": "Fäst i sidopanelen", + "sidebar_settings": "Fler alternativ" + }, + "lightbox": { + "title": "Bildvy", + "rotate_left": "Rotera vänster", + "rotate_right": "Rotera höger" + }, + "a11y_jump_first_unread_room": "Hoppa till första olästa rum.", + "integration_manager": { + "connecting": "Kontaktar integrationshanteraren …", + "error_connecting_heading": "Kan inte ansluta till integrationshanteraren", + "error_connecting": "Integrationshanteraren är offline eller kan inte nå din hemserver." + } } diff --git a/src/i18n/strings/ta.json b/src/i18n/strings/ta.json index 3e615b1ec8..318caf0062 100644 --- a/src/i18n/strings/ta.json +++ b/src/i18n/strings/ta.json @@ -3,14 +3,9 @@ "All Rooms": "அனைத்து அறைகள்", "Changelog": "மாற்றப்பதிவு", "Failed to forget room %(errCode)s": "அறையை மறப்பதில் தோல்வி %(errCode)s", - "Favourite": "விருப்பமான", "Invite to this room": "இந்த அறைக்கு அழை", - "Low Priority": "குறைந்த முன்னுரிமை", - "Notification targets": "அறிவிப்பு இலக்குகள்", - "Notifications": "அறிவிப்புகள்", "Search…": "தேடு…", "Send": "அனுப்பு", - "Source URL": "மூல முகவரி", "This Room": "இந்த அறை", "Unavailable": "இல்லை", "unknown error code": "தெரியாத பிழை குறி", @@ -103,7 +98,8 @@ "rule_call": "அழைப்பிற்கான விண்ணப்பம்", "rule_suppress_notices": "bot மூலம் அனுப்பிய செய்திகள்", "show_message_desktop_notification": "திரை அறிவிப்புகளில் செய்தியை காண்பிக்கவும்", - "noisy": "சத்தம்" + "noisy": "சத்தம்", + "push_targets": "அறிவிப்பு இலக்குகள்" }, "general": { "email_address_in_use": "இந்த மின்னஞ்சல் முகவரி முன்னதாகவே பயன்பாட்டில் உள்ளது", @@ -181,5 +177,19 @@ }, "invite": { "failed_generic": "செயல்பாடு தோல்வியுற்றது" + }, + "notifications": { + "enable_prompt_toast_title": "அறிவிப்புகள்" + }, + "timeline": { + "context_menu": { + "external_url": "மூல முகவரி" + } + }, + "room": { + "context_menu": { + "favourite": "விருப்பமான", + "low_priority": "குறைந்த முன்னுரிமை" + } } } diff --git a/src/i18n/strings/te.json b/src/i18n/strings/te.json index 1e4ada2749..5d023cee49 100644 --- a/src/i18n/strings/te.json +++ b/src/i18n/strings/te.json @@ -35,7 +35,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 %(time)s": "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s", "%(weekDayName)s %(time)s": "%(weekDayName)s %(time)s", - "Upload avatar": "అవతార్ను అప్లోడ్ చేయండి", "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", @@ -43,14 +42,10 @@ "unknown error code": "తెలియని కోడ్ లోపం", "Unable to restore session": "సెషన్ను పునరుద్ధరించడానికి సాధ్యపడలేదు", "Create new room": "క్రొత్త గది సృష్టించండి", - "Favourite": "గుర్తుంచు", - "Notifications": "ప్రకటనలు", "Sunday": "ఆదివారం", - "Notification targets": "తాఖీదు లక్ష్యాలు", "Today": "ఈ రోజు", "Friday": "శుక్రువారం", "Changelog": "మార్పు వివరణ", - "Source URL": "మూల URL", "Tuesday": "మంగళవారం", "Monday": "సోమవారం", "All Rooms": "అన్ని గదులు", @@ -61,7 +56,6 @@ "Thursday": "గురువారం", "Search…": "శోధన…", "Yesterday": "నిన్న", - "Low Priority": "తక్కువ ప్రాధాన్యత", "Saturday": "శనివారం", "common": { "error": "లోపం", @@ -72,7 +66,8 @@ "camera": "కెమెరా", "microphone": "మైక్రోఫోన్", "on": "వేయుము", - "off": "ఆపు" + "off": "ఆపు", + "advanced": "ఆధునిక" }, "action": { "continue": "కొనసాగించు", @@ -105,7 +100,8 @@ "rule_message": "సమూహ మాటామంతిలో సందేశాలు", "rule_call": "మాట్లాడడానికి ఆహ్వానం", "rule_suppress_notices": "బాట్ పంపిన సందేశాలు", - "noisy": "శబ్దం" + "noisy": "శబ్దం", + "push_targets": "తాఖీదు లక్ష్యాలు" }, "appearance": { "timeline_image_size_default": "డిఫాల్ట్", @@ -125,6 +121,9 @@ "timeline": { "m.room.name": { "remove": "%(senderDisplayName)s గది పేరు తొలగించబడింది." + }, + "context_menu": { + "external_url": "మూల URL" } }, "slash_command": { @@ -135,7 +134,6 @@ "deop": "ఇచ్చిన ID తో వినియోగదారుని విడదీస్తుంది", "command_error": "కమాండ్ లోపం" }, - "Advanced": "ఆధునిక", "voip": { "call_failed": "కాల్ విఫలమయింది", "cannot_call_yourself_description": "మీకు మీరే కాల్ చేయలేరు.", @@ -168,7 +166,8 @@ }, "security": { "history_visibility_world_readable": "ఎవరైనా" - } + }, + "upload_avatar_label": "అవతార్ను అప్లోడ్ చేయండి" }, "update": { "error_encountered": "లోపం సంభవించింది (%(errorDetail)s).", @@ -185,5 +184,14 @@ }, "error": { "tls": "గృహనిర్వాహకులకు కనెక్ట్ చేయలేరు - దయచేసి మీ కనెక్టివిటీని తనిఖీ చేయండి, మీ 1 హోమరుసు యొక్క ఎస్ఎస్ఎల్ సర్టిఫికేట్ 2 ని విశ్వసనీయపరుచుకొని, బ్రౌజర్ పొడిగింపు అభ్యర్థనలను నిరోధించబడదని నిర్ధారించుకోండి." + }, + "notifications": { + "enable_prompt_toast_title": "ప్రకటనలు" + }, + "room": { + "context_menu": { + "favourite": "గుర్తుంచు", + "low_priority": "తక్కువ ప్రాధాన్యత" + } } } diff --git a/src/i18n/strings/th.json b/src/i18n/strings/th.json index 8754ca3b53..25b7f830a1 100644 --- a/src/i18n/strings/th.json +++ b/src/i18n/strings/th.json @@ -4,11 +4,8 @@ "Decrypt %(text)s": "ถอดรหัส %(text)s", "Download %(text)s": "ดาวน์โหลด %(text)s", "Low priority": "ความสำคัญต่ำ", - "Profile": "โปรไฟล์", "Reason": "เหตุผล", - "Notifications": "การแจ้งเตือน", "unknown error code": "รหัสข้อผิดพลาดที่ไม่รู้จัก", - "Favourite": "รายการโปรด", "Failed to forget room %(errCode)s": "การลืมห้องล้มเหลว %(errCode)s", "No Webcams detected": "ไม่พบกล้องเว็บแคม", "Authentication": "การยืนยันตัวตน", @@ -42,7 +39,6 @@ "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": "ปฏิเสธคำเชิญ", @@ -51,7 +47,6 @@ "Search failed": "การค้นหาล้มเหลว", "Server may be unavailable, overloaded, or search timed out :(": "เซิร์ฟเวอร์อาจไม่พร้อมใช้งาน ทำงานหนักเกินไป หรือการค้นหาหมดเวลา :(", "Create new room": "สร้างห้องใหม่", - "Failed to change power level": "การเปลี่ยนระดับอำนาจล้มเหลว", "Unable to add email address": "ไมาสามารถเพิ่มที่อยู่อีเมล", "Unable to verify email address.": "ไม่สามารถยืนยันที่อยู่อีเมล", "Uploading %(filename)s": "กำลังอัปโหลด %(filename)s", @@ -87,7 +82,6 @@ "Import room keys": "นำเข้ากุณแจห้อง", "File to import": "ไฟล์ที่จะนำเข้า", "Confirm Removal": "ยืนยันการลบ", - "Unknown error": "ข้อผิดพลาดที่ไม่รู้จัก", "Home": "เมนูหลัก", "(~%(count)s results)": { "one": "(~%(count)s ผลลัพท์)", @@ -95,7 +89,6 @@ }, "A new password must be entered.": "กรุณากรอกรหัสผ่านใหม่", "Custom level": "กำหนดระดับเอง", - "No display name": "ไม่มีชื่อที่แสดง", "%(roomName)s does not exist.": "ไม่มีห้อง %(roomName)s อยู่จริง", "Enter passphrase": "กรอกรหัสผ่าน", "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (ระดับอำนาจ %(powerLevelNumber)s)", @@ -103,14 +96,12 @@ "Error decrypting image": "เกิดข้อผิดพลาดในการถอดรหัสรูป", "Error decrypting video": "เกิดข้อผิดพลาดในการถอดรหัสวิดิโอ", "Sunday": "วันอาทิตย์", - "Notification targets": "เป้าหมายการแจ้งเตือน", "Today": "วันนี้", "Friday": "วันศุกร์", "Changelog": "บันทึกการเปลี่ยนแปลง", "This Room": "ห้องนี้", "Unavailable": "ไม่มี", "Send": "ส่ง", - "Source URL": "URL ต้นฉบับ", "Tuesday": "วันอังคาร", "Search…": "ค้นหา…", "Unnamed room": "ห้องที่ไม่มีชื่อ", @@ -123,7 +114,6 @@ "You cannot delete this message. (%(code)s)": "คุณไม่สามารถลบข้อความนี้ได้ (%(code)s)", "Thursday": "วันพฤหัสบดี", "Yesterday": "เมื่อวานนี้", - "Low Priority": "ความสำคัญต่ำ", "Explore rooms": "สำรวจห้อง", "You most likely do not want to reset your event index store": "คุณมักไม่ต้องการรีเซ็ตที่เก็บดัชนีเหตุการณ์ของคุณ", "Reset event store?": "รีเซ็ตที่เก็บกิจกรรม?", @@ -185,7 +175,6 @@ "No microphone found": "ไม่พบไมโครโฟน", "We were unable to access your microphone. Please check your browser settings and try again.": "เราไม่สามารถเข้าถึงไมโครโฟนของคุณได้ โปรดตรวจสอบการตั้งค่าเบราว์เซอร์ของคุณแล้วลองอีกครั้ง.", "Unable to access your microphone": "ไม่สามารถเข้าถึงไมโครโฟนของคุณ", - "Mark all as read": "ทำเครื่องหมายทั้งหมดว่าอ่านแล้ว", "Open thread": "เปิดกระทู้", "%(count)s reply": { "one": "%(count)s ตอบ", @@ -200,7 +189,6 @@ "You don't currently have any stickerpacks enabled": "ขณะนี้คุณไม่ได้เปิดใช้งานชุดสติกเกอร์ใดๆ", "Failed to connect to integration manager": "ไม่สามารถเชื่อมต่อกับตัวจัดการการรวม", "General failure": "ข้อผิดพลาดทั่วไป", - "General": "ทั่วไป", "collapse": "ยุบ", "common": { "encryption_enabled": "เปิดใช้งานการเข้ารหัส", @@ -232,7 +220,10 @@ "unnamed_room": "ห้องที่ยังไม่ได้ตั้งชื่อ", "stickerpack": "ชุดสติ๊กเกอร์", "on": "เปิด", - "off": "ปิด" + "off": "ปิด", + "advanced": "ขึ้นสูง", + "general": "ทั่วไป", + "profile": "โปรไฟล์" }, "action": { "continue": "ดำเนินการต่อ", @@ -322,7 +313,8 @@ "noisy": "เสียงดัง", "error_permissions_denied": "%(brand)s ไม่มีสิทธิ์ส่งการแจ้งเตือน - กรุณาตรวจสอบการตั้งค่าเบราว์เซอร์ของคุณ", "error_permissions_missing": "%(brand)s ไม่ได้รับสิทธิ์ส่งการแจ้งเตือน - กรุณาลองใหม่อีกครั้ง", - "error_title": "ไม่สามารถเปิดใช้งานการแจ้งเตือน" + "error_title": "ไม่สามารถเปิดใช้งานการแจ้งเตือน", + "push_targets": "เป้าหมายการแจ้งเตือน" }, "appearance": { "timeline_image_size_default": "ค่าเริ่มต้น", @@ -381,7 +373,8 @@ "add_msisdn_confirm_sso_button": "ยืนยันการเพิ่มหมายเลขโทรศัพท์นี้โดยใช้การลงชื่อเพียงครั้งเดียวเพื่อพิสูจน์ตัวตนของคุณ.", "add_msisdn_confirm_button": "ยืนยันการเพิ่มหมายเลขโทรศัพท์", "add_msisdn_confirm_body": "คลิกปุ่มด้านล่างเพื่อยืนยันการเพิ่มหมายเลขโทรศัพท์นี้.", - "add_msisdn_dialog_title": "เพิ่มหมายเลขโทรศัพท์" + "add_msisdn_dialog_title": "เพิ่มหมายเลขโทรศัพท์", + "name_placeholder": "ไม่มีชื่อที่แสดง" } }, "timeline": { @@ -396,6 +389,9 @@ }, "m.room.power_levels": { "user_from_to": "%(userId)s จาก %(fromPowerLevel)s ไปเป็น %(toPowerLevel)s" + }, + "context_menu": { + "external_url": "URL ต้นฉบับ" } }, "slash_command": { @@ -453,7 +449,6 @@ "devtools": { "category_room": "ห้อง" }, - "Advanced": "ขึ้นสูง", "labs": { "group_profile": "โปรไฟล์", "group_rooms": "ห้องสนทนา" @@ -545,6 +540,10 @@ "room": { "intro": { "unencrypted_warning": "ไม่ได้เปิดใช้งานการเข้ารหัสจากต้นทางถึงปลายทาง" + }, + "context_menu": { + "favourite": "รายการโปรด", + "low_priority": "ความสำคัญต่ำ" } }, "failed_load_async_component": "ไม่สามารถโหลดได้! ตรวจสอบการเชื่อมต่อเครือข่ายของคุณแล้วลองอีกครั้ง.", @@ -585,6 +584,15 @@ }, "error": { "mixed_content": "ไม่สามารถเชื่อมต่อไปยังเซิร์ฟเวอร์บ้านผ่านทาง HTTP ได้เนื่องจาก URL ที่อยู่บนเบราว์เซอร์เป็น HTTPS กรุณาใช้ HTTPS หรือเปิดใช้งานสคริปต์ที่ไม่ปลอดภัย.", - "tls": "ไม่สามารถเฃื่อมต่อไปหาเซิร์ฟเวอร์บ้านได้ - กรุณาตรวจสอบคุณภาพการเชื่อมต่อ, ตรวจสอบว่าSSL certificate ของเซิร์ฟเวอร์บ้านของคุณเชื่อถือได้, และวไม่มีส่วนขยายเบราว์เซอร์ใดบล๊อคการเชื่อมต่ออยู่" + "tls": "ไม่สามารถเฃื่อมต่อไปหาเซิร์ฟเวอร์บ้านได้ - กรุณาตรวจสอบคุณภาพการเชื่อมต่อ, ตรวจสอบว่าSSL certificate ของเซิร์ฟเวอร์บ้านของคุณเชื่อถือได้, และวไม่มีส่วนขยายเบราว์เซอร์ใดบล๊อคการเชื่อมต่ออยู่", + "update_power_level": "การเปลี่ยนระดับอำนาจล้มเหลว", + "unknown": "ข้อผิดพลาดที่ไม่รู้จัก" + }, + "notifications": { + "enable_prompt_toast_title": "การแจ้งเตือน", + "mark_all_read": "ทำเครื่องหมายทั้งหมดว่าอ่านแล้ว" + }, + "encryption": { + "not_supported": "<ไม่รองรับ>" } } diff --git a/src/i18n/strings/tr.json b/src/i18n/strings/tr.json index 2b7a9d901d..95558e47e4 100644 --- a/src/i18n/strings/tr.json +++ b/src/i18n/strings/tr.json @@ -23,7 +23,6 @@ "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 change power level": "Güç seviyesini değiştirme başarısız oldu", "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", @@ -31,7 +30,6 @@ "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", - "Favourite": "Favori", "Filter room members": "Oda üyelerini Filtrele", "Forget room": "Odayı Unut", "Historical": "Tarihi", @@ -46,12 +44,8 @@ "Moderator": "Moderatör", "New passwords must match each other.": "Yeni şifreler birbirleriyle eşleşmelidir.", "not specified": "Belirtilmemiş", - "Notifications": "Bildirimler", - "": "", - "No display name": "Görünür isim yok", "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 .", - "Profile": "Profil", "Reason": "Sebep", "Reject invitation": "Daveti Reddet", "Return to login screen": "Giriş ekranına dön", @@ -74,7 +68,6 @@ "one": "%(filename)s ve %(count)s kadarı yükleniyor", "other": "%(filename)s ve %(count)s kadarları yükleniyor" }, - "Upload avatar": "Avatar yükle", "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (güç %(powerLevelNumber)s)", "Verification Pending": "Bekleyen doğrulama", "Warning!": "Uyarı!", @@ -120,25 +113,20 @@ "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.", - "Reject all %(invitedRooms)s invites": "Tüm %(invitedRooms)s davetlerini reddet", "Confirm Removal": "Kaldırma İşlemini Onayla", - "Unknown error": "Bilinmeyen Hata", "Unable to restore session": "Oturum geri yüklenemiyor", "If you have previously used a more recent version of %(brand)s, your session may be incompatible with this version. Close this window and return to the more recent version.": "Eğer daha önce %(brand)s'un daha yeni bir versiyonunu kullandıysanız , oturumunuz bu sürümle uyumsuz olabilir . Bu pencereyi kapatın ve daha yeni sürüme geri dönün.", "Error decrypting image": "Resim şifre çözme hatası", "Error decrypting video": "Video şifre çözme hatası", "Add an Integration": "Entegrasyon ekleyin", "You are about to be taken to a third-party site so you can authenticate your account for use with %(integrationsUrl)s. Do you wish to continue?": "Hesabınızı %(integrationsUrl)s ile kullanmak üzere doğrulayabilmeniz için üçüncü taraf bir siteye götürülmek üzeresiniz. Devam etmek istiyor musunuz ?", - "Something went wrong!": "Bir şeyler yanlış gitti!", "This will allow you to reset your password and receive notifications.": "Bu şifrenizi sıfırlamanızı ve bildirimler almanızı sağlayacak.", "Sunday": "Pazar", - "Notification targets": "Bildirim hedefleri", "Today": "Bugün", "Friday": "Cuma", "Changelog": "Değişiklikler", "This Room": "Bu Oda", "Unavailable": "Kullanım dışı", - "Source URL": "Kaynak URL", "Tuesday": "Salı", "Unnamed room": "İsimsiz oda", "Saturday": "Cumartesi", @@ -152,16 +140,10 @@ "Thursday": "Perşembe", "Search…": "Arama…", "Yesterday": "Dün", - "Low Priority": "Düşük Öncelikli", "Permission Required": "İzin Gerekli", "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s%(monthName)s%(day)s%(fullYear)s", "Restricted": "Sınırlı", - "%(brand)s URL": "%(brand)s Linki", - "Room ID": "Oda ID", - "More options": "Daha fazla seçenek", "expand": "genişlet", - "Rotate Left": "Sola Döndür", - "Rotate Right": "Sağa Döndür", "Power level": "Güç düzeyi", "e.g. my-room": "örn. odam", "Some characters not allowed": "Bazı karakterlere izin verilmiyor", @@ -175,8 +157,6 @@ "Notes": "Notlar", "Removing…": "Siliniyor…", "Clear all data": "Bütün verileri sil", - "Hide advanced": "Gelişmiş gizle", - "Show advanced": "Gelişmiş göster", "Incompatible Database": "Uyumsuz Veritabanı", "Filter results": "Sonuçları filtrele", "Integrations are disabled": "Bütünleştirmeler kapatılmış", @@ -215,23 +195,15 @@ "Unable to load backup status": "Yedek durumu yüklenemiyor", "Unable to restore backup": "Yedek geri dönüşü yapılamıyor", "No backup found!": "Yedek bulunamadı!", - "Remove for everyone": "Herkes için sil", "This homeserver would like to make sure you are not a robot.": "Bu ana sunucu sizin bir robot olup olmadığınızdan emin olmak istiyor.", "Country Dropdown": "Ülke Listesi", "Email (optional)": "E-posta (opsiyonel)", "Couldn't load page": "Sayfa yüklenemiyor", "Verification Request": "Doğrulama Talebi", - "Jump to first unread room.": "Okunmamış ilk odaya zıpla.", - "Jump to first invite.": "İlk davete zıpla.", "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", - "Create account": "Yeni hesap", - " and %(count)s others": { - "other": " ve diğer %(count)s", - "one": " ve bir diğeri" - }, "Clear personal data": "Kişisel veri temizle", "That matches!": "Eşleşti!", "That doesn't match.": "Eşleşmiyor.", @@ -267,20 +239,9 @@ "Anchor": "Çıpa", "Headphones": "Kulaklık", "Folder": "Klasör", - "Accept to continue:": "Devam etmek için i kabul ediniz:", - "in account data": "hesap verisinde", - "Cannot connect to integration manager": "Entegrasyon yöneticisine bağlanılamadı", - "Delete Backup": "Yedek Sil", - "Unable to load key backup status": "Anahtar yedek durumu yüklenemiyor", - "Restore from Backup": "Yedekten Geri Dön", - "not stored": "depolanmadı", - "All keys backed up": "Bütün yedekler yedeklendi", "Start using Key Backup": "Anahtar Yedekleme kullanmaya başla", - "Display Name": "Ekran Adı", - "Profile picture": "Profil resmi", "Checking server": "Sunucu kontrol ediliyor", "Change identity server": "Kimlik sunucu değiştir", - "Please contact your homeserver administrator.": "Lütfen anasunucu yöneticiniz ile bağlantıya geçin.", "Dog": "Köpek", "Cat": "Kedi", "Lion": "Aslan", @@ -319,7 +280,6 @@ "Email addresses": "E-posta adresleri", "Phone numbers": "Telefon numaraları", "Account management": "Hesap yönetimi", - "General": "Genel", "Discovery": "Keşfet", "No Audio Outputs detected": "Ses çıkışları tespit edilemedi", "Audio Output": "Ses Çıkışı", @@ -404,16 +364,12 @@ "%(name)s cancelled": "%(name)s iptal etti", "%(name)s wants to verify": "%(name)s doğrulamak istiyor", "You sent a verification request": "Doğrulama isteği gönderdiniz", - "Copied!": "Kopyalandı!", - "Failed to copy": "Kopyalama başarısız", "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", - "Bulk options": "Toplu işlem seçenekleri", - "Accept all %(invitedRooms)s invites": "Bütün %(invitedRooms)s davetlerini kabul et", "Request media permissions": "Medya izinleri talebi", "Set a new custom sound": "Özel bir ses ayarla", "Error changing power level requirement": "Güç düzey gereksinimi değiştirmede hata", @@ -439,7 +395,6 @@ "And %(count)s more...": { "other": "ve %(count)s kez daha..." }, - "Popout widget": "Görsel bileşeni göster", "Language Dropdown": "Dil Listesi", "Use an identity server to invite by email. Use the default (%(defaultIdentityServerName)s) or manage in Settings.": "E-posta ile davet etmek için bir kimlik sunucusu kullan. Varsayılanı kullan (%(defaultIdentityServerName)s ya da Ayarlar kullanarak yönetin.", "Use an identity server to invite by email. Manage in Settings.": "E-posta ile davet için bir kimlik sunucu kullan. Ayarlar dan yönet.", @@ -449,11 +404,8 @@ "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", - "Message search": "Mesaj arama", "An error occurred changing the user's power level. Ensure you have sufficient permissions and try again.": "Kullanıcının güç düzeyini değiştirirken bir hata oluştu. Yeterli izinlere sahip olduğunuza emin olun ve yeniden deneyin.", "Click the link in the email you received to verify and then click continue again.": "Aldığınız e-postaki bağlantıyı tıklayarak doğrulayın ve sonra tekrar tıklayarak devam edin.", - "Verify this session": "Bu oturumu doğrula", - "Encryption upgrade available": "Şifreleme güncellemesi var", "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", @@ -462,12 +414,7 @@ "Upgrade your encryption": "Şifrelemenizi güncelleyin", "Create key backup": "Anahtar yedeği oluştur", "Set up Secure Messages": "Güvenli Mesajları Ayarla", - "Other users may not trust it": "Diğer kullanıcılar güvenmeyebilirler", - "Later": "Sonra", "Show more": "Daha fazla göster", - "Secret storage public key:": "Sır deposu açık anahtarı:", - "The integration manager is offline or it cannot reach your homeserver.": "Entegrasyon yöneticisi çevrim dışı veya anasunucunuza erişemiyor.", - "Connect this session to Key Backup": "Anahtar Yedekleme için bu oturuma bağlanın", "This backup is trusted because it has been restored on this session": "Bu yedek güvenilir çünkü bu oturumda geri döndürüldü", "This user has not verified all of their sessions.": "Bu kullanıcı bütün oturumlarında doğrulanmamış.", "You have not verified this user.": "Bu kullanıcıyı doğrulamadınız.", @@ -491,12 +438,7 @@ }, "%(name)s cancelled verifying": "%(name)s doğrulama iptal edildi", "Cancel search": "Aramayı iptal et", - "Your display name": "Ekran adınız", - "Your user ID": "Kullanıcı ID", - "Your theme": "Temanız", - "Widget ID": "Görsel Bileşen ID si", "Delete Widget": "Görsel Bileşen Sil", - "Delete widget": "Görsel bileşen sil", "Destroy cross-signing keys?": "Çarpraz-imzalama anahtarlarını imha et?", "Clear cross-signing keys": "Çapraz-imzalama anahtarlarını temizle", "Clear all data in this session?": "Bu oturumdaki tüm verileri temizle?", @@ -505,8 +447,6 @@ "Recent Conversations": "Güncel Sohbetler", "Recently Direct Messaged": "Güncel Doğrudan Mesajlar", "Lock": "Kilit", - "Your homeserver does not support cross-signing.": "Ana sunucunuz çapraz imzalamayı desteklemiyor.", - "Your keys are not being backed up from this session.": "Anahtarlarınız bu oturum tarafından yedeklenmiyor.", "A text message has been sent to +%(msisdn)s. Please enter the verification code it contains.": "Bir metin mesajı gönderildi: +%(msisdn)s. Lütfen içerdiği doğrulama kodunu girin.", "You have verified this user. This user has verified all of their sessions.": "Bu kullanıcıyı doğruladınız. Bu kullanıcı tüm oturumlarını doğruladı.", "This room is end-to-end encrypted": "Bu oda uçtan uça şifreli", @@ -514,7 +454,6 @@ "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.", - "Mark all as read": "Tümünü okunmuş olarak işaretle", "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", @@ -559,13 +498,7 @@ "Verify your other session using one of the options below.": "Diğer oturumunuzu aşağıdaki seçeneklerden birini kullanarak doğrulayın.", "Your homeserver has exceeded its user limit.": "Homeserver'ınız kullanıcı limitini aştı.", "Your homeserver has exceeded one of its resource limits.": "Homeserver'ınız kaynaklarından birisinin sınırını aştı.", - "Contact your server admin.": "Sunucu yöneticinize başvurun.", "Ok": "Tamam", - "New login. Was this you?": "Yeni giriş. Bu siz miydiniz?", - "Safeguard against losing access to encrypted messages & data": "Şifrelenmiş mesajlara ve verilere erişimi kaybetmemek için koruma sağlayın", - "Set up Secure Backup": "Güvenli Yedekleme kur", - "Enable desktop notifications": "Masaüstü bildirimlerini etkinleştir", - "Don't miss a reply": "Yanıtları kaçırma", "Zimbabwe": "Zimbabve", "Zambia": "Zambiya", "Yemen": "Yemen", @@ -845,22 +778,11 @@ "Afghanistan": "Afganistan", "United States": "Amerika Birleşik Devletleri", "United Kingdom": "Birleşik Krallık", - "Change notification settings": "Bildirim ayarlarını değiştir", - "Your server isn't responding to some requests.": "Sunucunuz bası istekler'e onay vermiyor.", "Thumbs up": "Başparmak havaya", "Santa": "Noel Baba", "Spanner": "Anahtar", "Smiley": "Gülen yüz", "Dial pad": "Arama tuşları", - "Are you sure? You will lose your encrypted messages if your keys are not backed up properly.": "Emin misiniz? Eğer anahtarlarınız doğru bir şekilde yedeklemediyse, şifrelenmiş iletilerinizi kaybedeceksiniz.", - "The operation could not be completed": "Eylem tamamlanamadı", - "Failed to save your profile": "Profiliniz kaydedilemedi", - "Securely cache encrypted messages locally for them to appear in search results.": "Arama sonuçlarında gozükmeleri için iletileri güvenli bir şekilde yerel olarak önbelleğe al.", - "Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "Çapraz imzalı cihazlara güvenmeden, güvenilir olarak işaretlemek için, bir kullanıcı tarafından kullanılan her bir oturumu ayrı ayrı doğrulayın.", - "Securely cache encrypted messages locally for them to appear in search results, using %(size)s to store messages from %(rooms)s rooms.": { - "one": "İletilerin arama sonuçlarında gözükmeleri için %(rooms)s odasından %(size)s yardımıyla depolayarak, şifrelenmiş iletileri güvenli bir şekilde yerel olarak önbelleğe al.", - "other": "İletilerin arama sonuçlarında gözükmeleri için %(rooms)s odalardan %(size)s yardımıyla depolayarak, şifrelenmiş iletileri güvenli bir şekilde yerel olarak önbelleğe al." - }, "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.", @@ -870,7 +792,6 @@ "Widgets": "Widgetlar", "Looks good!": "İyi görünüyor!", "Security Key": "Güvenlik anahtarı", - "All settings": "Tüm ayarlar", "Switch theme": "Temayı değiştir", "Keys restored": "Anahtarlar geri yüklendi", "Submit logs": "Günlükleri kaydet", @@ -884,21 +805,9 @@ "Accepting…": "Kabul ediliyor…", "Room avatar": "Oda avatarı", "Room options": "Oda ayarları", - "Forget Room": "Odayı unut", "Open dial pad": "Arama tuşlarını aç", "You should:": "Şunu yapmalısınız:", - "not ready": "hazır değil", - "ready": "hazır", - "Secret storage:": "Gizli depolama:", - "Backup key cached:": "Yedekleme anahtarı önbelleğe alındı:", - "Backup key stored:": "Yedekleme anahtarı depolandı:", - "unexpected type": "Bilinmeyen tür", "Back up your keys before signing out to avoid losing them.": "Anahtarlarını kaybetmemek için, çıkış yapmadan önce önleri yedekle.", - "Algorithm:": "Algoritma:", - "Connect this session to key backup before signing out to avoid losing any keys that may only be on this session.": "Yalnızca bu oturumda olabilecek anahtarları kaybetmemek için, oturumu kapatmadan önce bu oturumu anahtar yedeklemeye bağlayın.", - "%(brand)s can't securely cache encrypted messages locally while running in a web browser. Use %(brand)s Desktop for encrypted messages to appear in search results.": "%(brand)s internet tarayıcısında çalışıyorken şifrelenmiş mesajları güvenli bir şekilde önbelleğe alamaz. Şifrelenmiş mesajların arama sonucunda görünmesi için %(brand)s Masaüstü kullanın.", - "%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with search components added.": "%(brand)s, şifrelenmiş iletileri yerel olarak güvenli bir şekilde önbelleğe almak için gereken bazı bileşenlerden yoksun. Bu özelliği denemek istiyorsanız, arama bileşenlerinin eklendiği özel bir masaüstü oluşturun.", - "This session is not backing up your keys, but you do have an existing backup you can restore from and add to going forward.": "Bu oturum anahtarlarınızı yedeklemiyor, ama zaten geri yükleyebileceğiniz ve ileride ekleyebileceğiniz bir yedeğiniz var.", "Enter a server name": "Sunucu adı girin", "Can't find this server or its room list": "Sunucuda veya oda listesinde bulunamıyor", "Add a new server": "Yeni sunucu ekle", @@ -922,7 +831,6 @@ "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.", - "Favourited": "Beğenilenler", "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", @@ -941,13 +849,6 @@ "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ı?", - "Back up your encryption keys with your account data in case you lose access to your sessions. Your keys will be secured with a unique Security Key.": "Olası bir oturuma erişememe durumunu önlemek için şifreleme anahtarlarınızı hesap verilerinizle yedekleyin. Anahtarlarınız eşsiz bir güvenlik anahtarı ile güvenlenecektir.", - "well formed": "uygun biçimlendirilmiş", - "Cross-signing is not set up.": "Çapraz imzalama ayarlanmamış.", - "Your account has a cross-signing identity in secret storage, but it is not yet trusted by this session.": "Hesabınız gizli belleğinde çapraz imzalama kimliği barındırıyor ancak bu oturumda daha kullanılmış değil.", - "Cross-signing is ready for use.": "Çapraz imzalama zaten kullanılıyor.", - "Use app": "Uygulamayı kullan", - "Use app for a better experience": "Daha iyi bir deneyim için uygulamayı kullanın", "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!", @@ -957,13 +858,6 @@ "Suggested Rooms": "Önerilen Odalar", "View message": "Mesajı görüntüle", "Your message was sent": "Mesajınız gönderildi", - "Visibility": "Görünürlük", - "Save Changes": "Değişiklikleri Kaydet", - "Invite with email or username": "E-posta veya kullanıcı adı ile davet et", - "Invite people": "İnsanları davet et", - "Share invite link": "Davet bağlantısını paylaş", - "Click to copy": "Kopyalamak için tıklayın", - "You can change these anytime.": "Bunları istediğiniz zaman değiştirebilirsiniz.", "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ı", @@ -1034,7 +928,13 @@ "preview_message": "Hey sen. Sen en iyisisin!", "on": "Açık", "off": "Kapalı", - "all_rooms": "Tüm odalar" + "all_rooms": "Tüm odalar", + "copied": "Kopyalandı!", + "advanced": "Gelişmiş", + "general": "Genel", + "profile": "Profil", + "display_name": "Ekran Adı", + "user_avatar": "Profil resmi" }, "action": { "continue": "Devam Et", @@ -1114,7 +1014,10 @@ "mention": "Bahsetme", "submit": "Gönder", "send_report": "Rapor gönder", - "unban": "Yasağı Kaldır" + "unban": "Yasağı Kaldır", + "click_to_copy": "Kopyalamak için tıklayın", + "hide_advanced": "Gelişmiş gizle", + "show_advanced": "Gelişmiş göster" }, "a11y": { "user_menu": "Kullanıcı menüsü", @@ -1126,7 +1029,8 @@ "other": "%(count)s okunmamış mesaj.", "one": "1 okunmamış mesaj." }, - "unread_messages": "Okunmamış mesajlar." + "unread_messages": "Okunmamış mesajlar.", + "jump_first_invite": "İlk davete zıpla." }, "labs": { "latex_maths": "Mesajlarda LaTex maths işleyin", @@ -1184,7 +1088,6 @@ "user_a11y": "Kullanıcı Otomatik Tamamlama" } }, - "Bold": "Kalın", "Code": "Kod", "power_level": { "default": "Varsayılan", @@ -1266,7 +1169,8 @@ "noisy": "Gürültülü", "error_permissions_denied": "%(brand)s size bildirim gönderme iznine sahip değil - lütfen tarayıcı ayarlarınızı kontrol edin", "error_permissions_missing": "%(brand)s'a bildirim gönderme izni verilmedi - lütfen tekrar deneyin", - "error_title": "Bildirimler aktif edilemedi" + "error_title": "Bildirimler aktif edilemedi", + "push_targets": "Bildirim hedefleri" }, "appearance": { "heading": "Görünüşü özelleştir", @@ -1321,7 +1225,40 @@ "cryptography_section": "Kriptografi", "session_id": "Oturum ID:", "session_key": "Oturum anahtarı:", - "encryption_section": "Şifreleme" + "encryption_section": "Şifreleme", + "bulk_options_section": "Toplu işlem seçenekleri", + "bulk_options_accept_all_invites": "Bütün %(invitedRooms)s davetlerini kabul et", + "bulk_options_reject_all_invites": "Tüm %(invitedRooms)s davetlerini reddet", + "message_search_section": "Mesaj arama", + "encryption_individual_verification_mode": "Çapraz imzalı cihazlara güvenmeden, güvenilir olarak işaretlemek için, bir kullanıcı tarafından kullanılan her bir oturumu ayrı ayrı doğrulayın.", + "message_search_enabled": { + "one": "İletilerin arama sonuçlarında gözükmeleri için %(rooms)s odasından %(size)s yardımıyla depolayarak, şifrelenmiş iletileri güvenli bir şekilde yerel olarak önbelleğe al.", + "other": "İletilerin arama sonuçlarında gözükmeleri için %(rooms)s odalardan %(size)s yardımıyla depolayarak, şifrelenmiş iletileri güvenli bir şekilde yerel olarak önbelleğe al." + }, + "message_search_disabled": "Arama sonuçlarında gozükmeleri için iletileri güvenli bir şekilde yerel olarak önbelleğe al.", + "message_search_unsupported": "%(brand)s, şifrelenmiş iletileri yerel olarak güvenli bir şekilde önbelleğe almak için gereken bazı bileşenlerden yoksun. Bu özelliği denemek istiyorsanız, arama bileşenlerinin eklendiği özel bir masaüstü oluşturun.", + "message_search_unsupported_web": "%(brand)s internet tarayıcısında çalışıyorken şifrelenmiş mesajları güvenli bir şekilde önbelleğe alamaz. Şifrelenmiş mesajların arama sonucunda görünmesi için %(brand)s Masaüstü kullanın.", + "backup_key_well_formed": "uygun biçimlendirilmiş", + "backup_key_unexpected_type": "Bilinmeyen tür", + "backup_keys_description": "Olası bir oturuma erişememe durumunu önlemek için şifreleme anahtarlarınızı hesap verilerinizle yedekleyin. Anahtarlarınız eşsiz bir güvenlik anahtarı ile güvenlenecektir.", + "backup_key_stored_status": "Yedekleme anahtarı depolandı:", + "cross_signing_not_stored": "depolanmadı", + "backup_key_cached_status": "Yedekleme anahtarı önbelleğe alındı:", + "4s_public_key_status": "Sır deposu açık anahtarı:", + "4s_public_key_in_account_data": "hesap verisinde", + "secret_storage_status": "Gizli depolama:", + "secret_storage_ready": "hazır", + "secret_storage_not_ready": "hazır değil", + "delete_backup": "Yedek Sil", + "delete_backup_confirm_description": "Emin misiniz? Eğer anahtarlarınız doğru bir şekilde yedeklemediyse, şifrelenmiş iletilerinizi kaybedeceksiniz.", + "error_loading_key_backup_status": "Anahtar yedek durumu yüklenemiyor", + "restore_key_backup": "Yedekten Geri Dön", + "key_backup_inactive": "Bu oturum anahtarlarınızı yedeklemiyor, ama zaten geri yükleyebileceğiniz ve ileride ekleyebileceğiniz bir yedeğiniz var.", + "key_backup_connect_prompt": "Yalnızca bu oturumda olabilecek anahtarları kaybetmemek için, oturumu kapatmadan önce bu oturumu anahtar yedeklemeye bağlayın.", + "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." }, "preferences": { "room_list_heading": "Oda listesi", @@ -1377,7 +1314,10 @@ "add_msisdn_confirm_sso_button": "Kimliğinizi doğrulamak için Tek Seferlik Oturum Açma özelliğini kullanarak bu telefon numarasını eklemeyi onaylayın.", "add_msisdn_confirm_button": "Telefon numarası eklemeyi onayla", "add_msisdn_confirm_body": "Telefon numarasını eklemeyi kabul etmek için aşağıdaki tuşa tıklayın.", - "add_msisdn_dialog_title": "Telefon Numarası Ekle" + "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ı" } }, "devtools": { @@ -1628,7 +1568,10 @@ "removed": "%(senderDisplayName)s odanın avatarını kaldırdı.", "changed_img": "%(senderDisplayName)s odanın avatarını olarak çevirdi" }, - "creation_summary_room": "%(creator)s odayı oluşturdu ve yapılandırdı." + "creation_summary_room": "%(creator)s odayı oluşturdu ve yapılandırdı.", + "context_menu": { + "external_url": "Kaynak URL" + } }, "slash_command": { "spoiler": "Mesajı sürprizbozan olarak gönder", @@ -1775,7 +1718,6 @@ "no_media_perms_description": "%(brand)s'un mikrofonunuza / web kameranıza el le erişmesine izin vermeniz gerekebilir" }, "Other": "Diğer", - "Advanced": "Gelişmiş", "room_settings": { "permissions": { "m.room.avatar": "Oda resmini değiştir", @@ -1822,7 +1764,8 @@ "user_url_previews_default_on": "URL önizlemelerini varsayılan olarak etkinleştirdiniz.", "user_url_previews_default_off": "URL önizlemelerini varsayılan olarak devre dışı bıraktınız.", "default_url_previews_off": "URL ön izlemeleri, bu odadaki kullanıcılar için varsayılan olarak devre dışı bıraktırılmıştır.", - "url_previews_section": "URL önizlemeleri" + "url_previews_section": "URL önizlemeleri", + "save": "Değişiklikleri Kaydet" }, "advanced": { "unfederated": "Bu oda uzak Matrix Sunucuları tarafından erişilebilir değil", @@ -1830,6 +1773,10 @@ "room_predecessor": "%(roomName)s odasında daha eski mesajları göster.", "room_version_section": "Oda sürümü", "room_version": "Oda versiyonu:" + }, + "upload_avatar_label": "Avatar yükle", + "visibility": { + "title": "Görünürlük" } }, "encryption": { @@ -1849,7 +1796,9 @@ "sas_caption_user": "Aşağıdaki numaranın ekranlarında göründüğünü onaylayarak bu kullanıcıyı doğrulayın.", "unsupported_method": "Desteklenen doğrulama yöntemi bulunamadı.", "waiting_other_user": "%(displayName)s ın doğrulaması için bekleniyor…", - "cancelling": "İptal ediliyor…" + "cancelling": "İptal ediliyor…", + "unverified_sessions_toast_reject": "Sonra", + "unverified_session_toast_title": "Yeni giriş. Bu siz miydiniz?" }, "old_version_detected_title": "Eski kriptolama verisi tespit edildi", "cancel_entering_passphrase_title": "Parola girişini iptal et?", @@ -1857,7 +1806,17 @@ "bootstrap_title": "Anahtarları ayarla", "export_unsupported": "Tarayıcınız gerekli şifreleme uzantılarını desteklemiyor", "import_invalid_keyfile": "Geçersiz bir %(brand)s anahtar dosyası", - "import_invalid_passphrase": "Kimlik doğrulama denetimi başarısız oldu : yanlış şifre ?" + "import_invalid_passphrase": "Kimlik doğrulama denetimi başarısız oldu : yanlış şifre ?", + "set_up_toast_title": "Güvenli Yedekleme kur", + "upgrade_toast_title": "Şifreleme güncellemesi var", + "verify_toast_title": "Bu oturumu doğrula", + "set_up_toast_description": "Şifrelenmiş mesajlara ve verilere erişimi kaybetmemek için koruma sağlayın", + "verify_toast_description": "Diğer kullanıcılar güvenmeyebilirler", + "cross_signing_unsupported": "Ana sunucunuz çapraz imzalamayı desteklemiyor.", + "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": "" }, "emoji": { "category_frequently_used": "Sıklıkla Kullanılan", @@ -1952,7 +1911,8 @@ "no_hs_url_provided": "Ana sunucu adresi belirtilmemiş", "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." + "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" }, "room_list": { "sort_unread_first": "Önce okunmamış mesajları olan odaları göster", @@ -1979,7 +1939,8 @@ "intro_welcome": "%(appName)s' e hoş geldiniz", "send_dm": "Direkt mesaj gönderin", "explore_rooms": "Herkese açık odaları keşfet", - "create_room": "Grup sohbeti başlat" + "create_room": "Grup sohbeti başlat", + "create_account": "Yeni hesap" }, "setting": { "help_about": { @@ -2056,7 +2017,18 @@ }, "error_need_to_be_logged_in": "Oturum açmanız gerekiyor.", "error_need_invite_permission": "Bunu yapmak için kullanıcıları davet etmeye ihtiyacınız var.", - "no_name": "Bilinmeyen uygulama" + "no_name": "Bilinmeyen uygulama", + "context_menu": { + "delete": "Görsel bileşen sil", + "remove": "Herkes için sil" + }, + "shared_data_name": "Ekran adınız", + "shared_data_mxid": "Kullanıcı ID", + "shared_data_theme": "Temanız", + "shared_data_url": "%(brand)s Linki", + "shared_data_room_id": "Oda ID", + "shared_data_widget_id": "Görsel Bileşen ID si", + "popout": "Görsel bileşeni göster" }, "zxcvbn": { "suggestions": { @@ -2154,7 +2126,14 @@ "leave_error_title": "Odadan ayrılırken hata", "upgrade_error_title": "Oda güncellenirken hata", "upgrade_error_description": "Seçtiğiniz oda sürümünün sunucunuz tarafından desteklenip desteklenmediğini iki kez kontrol edin ve yeniden deneyin.", - "leave_server_notices_description": "Bu oda, Ana Sunucudan gelen önemli mesajlar için kullanılır, bu yüzden ayrılamazsınız." + "leave_server_notices_description": "Bu oda, Ana Sunucudan gelen önemli mesajlar için kullanılır, bu yüzden ayrılamazsınız.", + "error_join_incompatible_version_2": "Lütfen anasunucu yöneticiniz ile bağlantıya geçin.", + "context_menu": { + "unfavourite": "Beğenilenler", + "favourite": "Favori", + "low_priority": "Düşük Öncelikli", + "forget": "Odayı unut" + } }, "file_panel": { "guest_note": "Bu işlevi kullanmak için Kayıt Olun ", @@ -2163,7 +2142,10 @@ "space": { "context_menu": { "explore": "Odaları keşfet" - } + }, + "invite_link": "Davet bağlantısını paylaş", + "invite": "İnsanları davet et", + "invite_description": "E-posta veya kullanıcı adı ile davet et" }, "terms": { "integration_manager": "Botları, köprüleri, görsel bileşenleri ve çıkartma paketlerini kullan", @@ -2177,7 +2159,8 @@ "tac_button": "Hükümler ve koşulları incele", "identity_server_no_terms_title": "Kimlik sunucusu hizmet kurallarına sahip değil", "identity_server_no_terms_description_1": "Bu eylem, bir e-posta adresini veya telefon numarasını doğrulamak için varsayılan kimlik sunucusuna erişilmesini gerektirir, ancak sunucunun herhangi bir hizmet şartı yoktur.", - "identity_server_no_terms_description_2": "Sadece sunucunun sahibine güveniyorsanız devam edin." + "identity_server_no_terms_description_2": "Sadece sunucunun sahibine güveniyorsanız devam edin.", + "inline_intro_text": "Devam etmek için i kabul ediniz:" }, "failed_load_async_component": "Yüklenemiyor! Ağ bağlantınızı kontrol edin ve yeniden deneyin.", "upload_failed_generic": "%(fileName)s dosyası için yükleme başarısız.", @@ -2218,7 +2201,51 @@ "resource_limits": "Bu anasunucu kaynak limitlerinden birini aştı.", "admin_contact": "Bu servisi kullanmaya devam etmek için lütfen servis yöneticinizle bağlantı kurun.", "mixed_content": "Tarayıcı çubuğunuzda bir HTTPS URL'si olduğunda Ana Sunusuna HTTP üzerinden bağlanılamıyor . Ya HTTPS kullanın veya güvensiz komut dosyalarını etkinleştirin.", - "tls": "Ana Sunucu'ya bağlanılamıyor - lütfen bağlantınızı kontrol edin , Ana Sunucu SSL sertifikanızın güvenilir olduğundan ve bir tarayıcı uzantısının istekleri engellemiyor olduğundan emin olun." + "tls": "Ana Sunucu'ya bağlanılamıyor - lütfen bağlantınızı kontrol edin , Ana Sunucu SSL sertifikanızın güvenilir olduğundan ve bir tarayıcı uzantısının istekleri engellemiyor olduğundan emin olun.", + "admin_contact_short": "Sunucu yöneticinize başvurun.", + "non_urgent_echo_failure_toast": "Sunucunuz bası istekler'e onay vermiyor.", + "failed_copy": "Kopyalama başarısız", + "something_went_wrong": "Bir şeyler yanlış gitti!", + "update_power_level": "Güç seviyesini değiştirme başarısız oldu", + "unknown": "Bilinmeyen Hata" }, - "name_and_id": "%(name)s (%(userId)s)" + "name_and_id": "%(name)s (%(userId)s)", + "items_and_n_others": { + "other": " ve diğer %(count)s", + "one": " ve bir diğeri" + }, + "notifications": { + "enable_prompt_toast_title_from_message_send": "Yanıtları kaçırma", + "enable_prompt_toast_title": "Bildirimler", + "enable_prompt_toast_description": "Masaüstü bildirimlerini etkinleştir", + "colour_none": "Yok", + "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" + }, + "mobile_guide": { + "toast_title": "Daha iyi bir deneyim için uygulamayı kullanın", + "toast_accept": "Uygulamayı kullan" + }, + "room_summary_card_back_action_label": "Oda bilgisi", + "user_menu": { + "settings": "Tüm ayarlar" + }, + "quick_settings": { + "all_settings": "Tüm ayarlar", + "sidebar_settings": "Daha fazla seçenek" + }, + "lightbox": { + "rotate_left": "Sola Döndür", + "rotate_right": "Sağa Döndür" + }, + "create_space": { + "add_details_prompt_2": "Bunları istediğiniz zaman değiştirebilirsiniz." + }, + "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." + } } diff --git a/src/i18n/strings/tzm.json b/src/i18n/strings/tzm.json index 2523e8b498..36d01cfe33 100644 --- a/src/i18n/strings/tzm.json +++ b/src/i18n/strings/tzm.json @@ -42,14 +42,11 @@ "Afghanistan": "Afɣanistan", "Send": "Azen", "edited": "infel", - "Copied!": "inɣel!", "Home": "Asnubeg", "Search…": "Arezzu…", "Re-join": "als-lkem", "%(duration)sd": "%(duration)sas", "None": "Walu", - "Algorithm:": "Talguritmit:", - "Profile": "Ifres", "Folder": "Asdaw", "Guitar": "Agiṭaṛ", "Ball": "Tacama", @@ -77,7 +74,6 @@ "Cat": "Amuc", "Dog": "Aydi", "Ok": "Wax", - "Notifications": "Tineɣmisin", "Feb": "Bṛa", "Jan": "Yen", "common": { @@ -93,7 +89,9 @@ "camera": "Takamiṛa", "microphone": "Amikṛu", "emoji": "Imuji", - "space": "Space" + "space": "Space", + "copied": "inɣel!", + "profile": "Ifres" }, "action": { "continue": "Kemmel", @@ -170,12 +168,18 @@ }, "settings": { "security": { - "cross_signing_homeserver_support_exists": "illa" + "cross_signing_homeserver_support_exists": "illa", + "key_backup_algorithm": "Talguritmit:" }, "general": { "account_section": "Amiḍan", "add_email_dialog_title": "Rnu tasna imayl", "add_msisdn_dialog_title": "Rnu uṭṭun n utilifun" } + }, + "notifications": { + "enable_prompt_toast_title": "Tineɣmisin", + "colour_none": "Walu", + "class_other": "Yaḍn" } } diff --git a/src/i18n/strings/uk.json b/src/i18n/strings/uk.json index 5c68427f87..02444bb2d6 100644 --- a/src/i18n/strings/uk.json +++ b/src/i18n/strings/uk.json @@ -1,8 +1,6 @@ { "Create new room": "Створити нову кімнату", "Failed to forget room %(errCode)s": "Не вдалось видалити кімнату %(errCode)s", - "Favourite": "Улюблені", - "Notifications": "Сповіщення", "unknown error code": "невідомий код помилки", "Failed to change password. Is your password correct?": "Не вдалось змінити пароль. Ви впевнені, що пароль введено правильно?", "Admin Tools": "Засоби адміністрування", @@ -22,14 +20,12 @@ "Email address": "Адреса е-пошти", "Rooms": "Кімнати", "Sunday": "Неділя", - "Notification targets": "Цілі сповіщень", "Today": "Сьогодні", "Friday": "П'ятниця", "Changelog": "Журнал змін", "Failed to send logs: ": "Не вдалося надіслати журнали: ", "This Room": "Ця кімната", "Unavailable": "Недоступний", - "Source URL": "Початкова URL-адреса", "Filter results": "Відфільтрувати результати", "Tuesday": "Вівторок", "Preparing to send logs": "Приготування до надсилання журланла", @@ -46,10 +42,7 @@ "Search…": "Пошук…", "Logs sent": "Журнали надіслані", "Yesterday": "Вчора", - "Low Priority": "Неважливі", "Thank you!": "Дякуємо!", - "Reject all %(invitedRooms)s invites": "Відхилити запрошення до усіх %(invitedRooms)s", - "Profile": "Профіль", "The export file will be protected with a passphrase. You should enter the passphrase here, to decrypt the file.": "Введіть пароль для захисту експортованого файлу. Щоб розшифрувати файл потрібно буде ввести цей пароль.", "Warning!": "Увага!", "Sun": "нд", @@ -82,9 +75,7 @@ "Moderator": "Модератор", "Reason": "Причина", "Default": "Типовий", - "Please contact your homeserver administrator.": "Будь ласка, зв'яжіться з адміністратором вашого домашнього сервера.", "Incorrect verification code": "Неправильний код перевірки", - "No display name": "Немає псевдоніма", "Failed to set display name": "Не вдалося налаштувати псевдонім", "This event could not be displayed": "Неможливо показати цю подію", "Failed to ban user": "Не вдалося заблокувати користувача", @@ -92,7 +83,6 @@ "You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.": "Ви не зможете скасувати цю дію, оскільки ви зменшуєте свої повноваження. Якщо ви останній привілейований користувач у цій кімнаті, ви не зможете повернути повноваження.", "Demote": "Зменшити повноваження", "Failed to mute user": "Не вдалося заглушити користувача", - "Failed to change power level": "Не вдалося змінити рівень повноважень", "Join the discussion": "Приєднатися до обговорення", "The conversation continues here.": "Розмова триває тут.", "This room has been replaced and is no longer active.": "Ця кімната була замінена і не є активною.", @@ -100,7 +90,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": "Продовжити із вимкненим шифруванням", - "Unknown error": "Невідома помилка", "Are you sure you want to sign out?": "Ви впевнені, що хочете вийти?", "Your homeserver doesn't seem to support this feature.": "Схоже, що ваш домашній сервер не підтримує цю властивість.", "Sign out and remove encryption keys?": "Вийти та видалити ключі шифрування?", @@ -118,20 +107,15 @@ "one": "Вивантажити %(count)s інший файл" }, "Upload Error": "Помилка вивантаження", - "Upload avatar": "Вивантажити аватар", "Failed to reject invitation": "Не вдалось відхилити запрошення", "This room is not public. You will not be able to rejoin without an invite.": "Ця кімната не загальнодоступна. Ви не зможете повторно приєднатися без запрошення.", "Enter passphrase": "Введіть парольну фразу", - "Verify this session": "Звірити цей сеанс", - "Later": "Пізніше", "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.": "Ми натрапили на помилку, намагаючись відновити ваш попередній сеанс.", - "Your account has a cross-signing identity in secret storage, but it is not yet trusted by this session.": "Ваш обліковий запис має перехресне підписування особи у таємному сховищі, але цей сеанс йому ще не довіряє.", - "in account data": "у даних облікового запису", "Email addresses": "Адреси е-пошти", "Phone numbers": "Номери телефонів", "Forget this room": "Забути цю кімнату", @@ -147,8 +131,6 @@ "Session key": "Ключ сеансу", "Connectivity to the server has been lost.": "З'єднання з сервером було втрачено.", "Sent messages will be stored until your connection has returned.": "Надіслані повідомлення будуть збережені поки не з'явиться зв'язок.", - "Jump to first unread room.": "Перейти до першої непрочитаної кімнати.", - "Jump to first invite.": "Перейти до першого запрошення.", "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?": "Схоже, ви намагаєтесь вийти посеред розмови. Ви впевнені, що хочете вийти?", @@ -172,19 +154,10 @@ "%(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.": "Попросіть цього користувача звірити сеанс, або звірте його власноруч унизу.", "Not Trusted": "Не довірений", - " and %(count)s others": { - "other": " та ще %(count)s учасників", - "one": " і ще хтось" - }, "Your homeserver has exceeded its user limit.": "Ваш домашній сервер перевищив свій ліміт користувачів.", "Your homeserver has exceeded one of its resource limits.": "Ваш домашній сервер перевищив одне із своїх обмежень ресурсів.", - "Contact your server admin.": "Зверніться до адміністратора сервера.", "Ok": "Гаразд", - "Encryption upgrade available": "Доступне поліпшене шифрування", "Set up": "Налаштувати", - "Other users may not trust it": "Інші користувачі можуть не довіряти цьому", - "New login. Was this you?": "Новий вхід. Це були ви?", - "General": "Загальні", "Discovery": "Виявлення", "To report a Matrix-related security issue, please read the Matrix.org Security Disclosure Policy.": "Щоб повідомити про проблеми безпеки Matrix, будь ласка, прочитайте Політику розкриття інформації Matrix.org.", "Error changing power level requirement": "Помилка під час зміни вимог до рівня повноважень", @@ -199,7 +172,6 @@ "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:": "Підтвердьте сеанс цього користувача шляхом порівняння наступного рядка з рядком з їхніх користувацьких налаштувань:", - "All settings": "Усі налаштування", "Go to Settings": "Перейти до налаштувань", "Dog": "Пес", "Cat": "Кіт", @@ -253,7 +225,6 @@ "Anchor": "Якір", "Headphones": "Навушники", "Folder": "Тека", - "Accept to continue:": "Погодьтеся з для продовження:", "Flower": "Квітка", "Unicorn": "Єдиноріг", "Butterfly": "Метелик", @@ -266,14 +237,6 @@ "Santa": "Св. Миколай", "Gift": "Подарунок", "Lock": "Замок", - "Your homeserver does not support cross-signing.": "Ваш домашній сервер не підтримує перехресного підписування.", - "well formed": "добре сформований", - "unexpected type": "несподіваний тип", - "Cannot connect to integration manager": "Не вдалося з'єднатися з менеджером інтеграцій", - "Delete Backup": "Видалити резервну копію", - "Restore from Backup": "Відновити з резервної копії", - "not stored": "не збережено", - "All keys backed up": "Усі ключі збережено", "Checking server": "Перевірка сервера", "You should:": "Вам варто:", "Disconnect anyway": "Відключити в будь-якому випадку", @@ -286,8 +249,6 @@ "Unable to revoke sharing for email address": "Не вдалось відкликати оприлюднювання адреси е-пошти", "Unable to revoke sharing for phone number": "Не вдалось відкликати оприлюднювання телефонного номеру", "Filter room members": "Відфільтрувати учасників кімнати", - "Forget Room": "Забути кімнату", - "Favourited": "В улюблених", "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.": "Не вдалось відкликати запрошення. Сервер може мати тимчасові збої або у вас немає достатніх дозволів щоб відкликати запрошення.", @@ -301,10 +262,7 @@ "Share Room Message": "Поділитися повідомленням кімнати", "General failure": "Загальний збій", "Enter your account password to confirm the upgrade:": "Введіть пароль вашого облікового запису щоб підтвердити поліпшення:", - "Secret storage public key:": "Таємне сховище відкритого ключа:", - "Message search": "Пошук повідомлень", "Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "Адміністратором вашого сервера було вимкнено автоматичне наскрізне шифрування у приватних кімнатах і особистих повідомленнях.", - "Something went wrong!": "Щось пішло не так!", "expand": "розгорнути", "New Recovery Method": "Новий метод відновлення", "This session is encrypting history using the new recovery method.": "Цей сеанс зашифровує історію новим відновлювальним засобом.", @@ -316,12 +274,7 @@ "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", - "Securely cache encrypted messages locally for them to appear in search results.": "Безпечно локально кешувати зашифровані повідомлення щоб вони з'являлись у результатах пошуку.", - "%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with search components added.": "%(brand)s'ові бракує деяких складників, необхідних для безпечного локального кешування зашифрованих повідомлень. Якщо ви хочете поекспериментувати з цією властивістю, зберіть спеціальну збірку %(brand)s Desktop із доданням пошукових складників.", - "%(brand)s can't securely cache encrypted messages locally while running in a web browser. Use %(brand)s Desktop for encrypted messages to appear in search results.": "%(brand)s не може безпечно локально кешувати зашифровані повідомлення під час роботи у браузері. Користуйтесь %(brand)s для комп'ютерів, в якому зашифровані повідомлення з'являються у результатах пошуку.", - "Are you sure? You will lose your encrypted messages if your keys are not backed up properly.": "Ви впевнені? Ви втратите ваші зашифровані повідомлення якщо копія ключів не була створена коректно.", "Encrypted messages are secured with end-to-end encryption. Only you and the recipient(s) have the keys to read these messages.": "Зашифровані повідомлення захищені наскрізним шифруванням. Лише ви та отримувачі повідомлень мають ключі для їх читання.", - "Display Name": "Псевдонім", "wait and try again later": "зачекати та повторити спробу пізніше", "This room is end-to-end encrypted": "Ця кімната є наскрізно зашифрованою", "Encrypted by an unverified session": "Зашифроване незвіреним сеансом", @@ -330,8 +283,6 @@ "Replying": "Відповідання", "Low priority": "Неважливі", "In encrypted rooms, your messages are secured and only you and the recipient have the unique keys to unlock them.": "У зашифрованих кімнатах ваші повідомлення є захищеними, тож тільки ви та отримувач маєте ключі для їх розблокування.", - "Failed to copy": "Не вдалося скопіювати", - "Your display name": "Ваш псевдонім", "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.": "Звірте цього користувача щоб позначити його довіреним. Довіряння користувачам додає спокою якщо ви користуєтесь наскрізно зашифрованими повідомленнями.", "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.": "Звірте цей пристрій щоб позначити його довіреним. Довіряння цьому пристрою додає вам та іншим користувачам спокою якщо ви користуєтесь наскрізно зашифрованими повідомленнями.", @@ -341,18 +292,11 @@ "If you can't scan the code above, verify by comparing unique emoji.": "Якщо ви не можете сканувати зазначений код, звірте порівнянням унікальних емодзі.", "Verify by comparing unique emoji.": "Звірити порівнянням унікальних емодзі.", "Verify by emoji": "Звірити за допомогою емодзі", - "The integration manager is offline or it cannot reach your homeserver.": "Менеджер інтеграцій не під'єднаний або не може зв'язатися з вашим домашнім сервером.", - "Profile picture": "Зображення профілю", "Failed to connect to integration manager": "Не вдалось з'єднатись з менеджером інтеграцій", "Show image": "Показати зображення", "You have ignored this user, so their message is hidden. Show anyways.": "Ви ігноруєте цього користувача, тож його повідомлення приховано. Все одно показати.", "Add an Integration": "Додати інтеграцію", - "Show advanced": "Показати розширені", - "Create account": "Створити обліковий запис", "Confirm your account deactivation by using Single Sign On to prove your identity.": "Підтвердьте деактивацію свого облікового запису через єдиний вхід, щоб підтвердити вашу особу.", - "Set up Secure Backup": "Налаштувати захищене резервне копіювання", - "Safeguard against losing access to encrypted messages & data": "Захистіться від втрати доступу до зашифрованих повідомлень і даних", - "Change notification settings": "Змінити налаштування сповіщень", "Comoros": "Коморські Острови", "Colombia": "Колумбія", "Cocos (Keeling) Islands": "Кокосові (Кілінг) Острови", @@ -609,7 +553,6 @@ "Hide verified sessions": "Сховати звірені сеанси", "Click the button below to confirm setting up encryption.": "Клацніть на кнопку внизу, щоб підтвердити налаштування шифрування.", "Confirm encryption setup": "Підтвердити налаштування шифрування", - "Widgets do not use message encryption.": "Віджети не використовують шифрування повідомлень.", "The encryption used by this room isn't supported.": "Шифрування, використане цією кімнатою не підтримується.", "Encryption not enabled": "Шифрування не ввімкнено", "Ignored attempt to disable encryption": "Знехтувані спроби вимкнути шифрування", @@ -617,21 +560,17 @@ "Share Link to User": "Поділитися посиланням на користувача", "In reply to ": "У відповідь на ", "You can't send any messages until you review and agree to our terms and conditions.": "Ви не можете надсилати жодних повідомлень, поки не переглянете та не погодитесь з нашими умовами та положеннями.", - "unknown person": "невідома особа", "Your %(brand)s doesn't allow you to use an integration manager to do this. Please contact an admin.": "Ваш %(brand)s не дозволяє вам користуватись для цього менеджером інтеграцій. Зверніться до адміністратора.", - "Using this widget may share data with %(widgetDomain)s & your integration manager.": "Користування цим віджетом може призвести до поширення ваших даних через %(widgetDomain)s і ваш менеджер інтеграцій.", "Integration managers receive configuration data, and can modify widgets, send room invites, and set power levels on your behalf.": "Менеджери інтеграцій отримують дані конфігурації та можуть змінювати віджети, надсилати запрошення у кімнати й установлювати рівні повноважень від вашого імені.", "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": "Ця резервна копія довірена, оскільки її було відновлено у цьому сеансі", - "Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "Індивідуально звіряйте кожен сеанс, який використовується користувачем, щоб позначити його довіреним, не довіряючи пристроям перехресного підписування.", "Room settings": "Налаштування кімнати", "Link to most recent message": "Посилання на останнє повідомлення", "Share Room": "Поділитись кімнатою", "Share room": "Поділитись кімнатою", - "Invite people": "Запросити людей", "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.": "Умови користування не прийнято або сервер ідентифікації недійсний.", @@ -644,15 +583,7 @@ "Phone Number": "Телефонний номер", "Language Dropdown": "Спадне меню мов", "Information": "Відомості", - "Rotate Right": "Обернути праворуч", - "Rotate Left": "Обернути ліворуч", "collapse": "згорнути", - "Application window": "Вікно застосунку", - "Error - Mixed content": "Помилка — змішаний вміст", - "Widget ID": "ID віджету", - "%(brand)s URL": "URL-адреса %(brand)s", - "Your theme": "Ваша тема", - "Your user ID": "Ваш ID користувача", "Cancel search": "Скасувати пошук", "Failed to unban": "Не вдалося розблокувати", "Banned by %(displayName)s": "Блокує %(displayName)s", @@ -670,16 +601,9 @@ "Error downloading audio": "Помилка завантаження аудіо", "Preparing to download logs": "Приготування до завантаження журналів", "Download %(text)s": "Завантажити %(text)s", - "Room ID": "ID кімнати", - "View source": "Переглянути код", - "Report": "Поскаржитися", "Share User": "Поділитися користувачем", - "Share content": "Поділитися вмістом", - "Share entire screen": "Поділитися всім екраном", - "Any of the following data may be shared:": "Можна поділитися будь-якими з цих даних:", "Unable to share phone number": "Не вдалося надіслати телефонний номер", "Unable to share email address": "Не вдалося надіслати адресу е-пошти", - "Share invite link": "Надіслати запрошувальне посилання", "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": "Можете зв’язатися зі мною, якщо у вас виникнуть додаткові запитання", @@ -697,13 +621,6 @@ "Allow this widget to verify your identity": "Дозволити цьому віджету перевіряти вашу особу", " invited you": " запрошує вас", "Sign in with SSO": "Увійти за допомогою SSO", - "Connecting": "З'єднання", - "%(deviceId)s from %(ip)s": "%(deviceId)s з %(ip)s", - "Use app": "Використовувати застосунок", - "Use app for a better experience": "Використовуйте застосунок для зручності", - "Enable desktop notifications": "Увімкнути сповіщення стільниці", - "Don't miss a reply": "Не пропустіть відповідей", - "Review to ensure your account is safe": "Перевірте, щоб переконатися, що ваш обліковий запис у безпеці", "Click the button below to confirm your identity.": "Клацніть на кнопку внизу, щоб підтвердити свою особу.", "Confirm to continue": "Підтвердьте, щоб продовжити", "Start Verification": "Почати перевірку", @@ -711,14 +628,8 @@ "Couldn't load page": "Не вдалося завантажити сторінку", "Country Dropdown": "Спадний список країн", "Avatar": "Аватар", - "Move right": "Посунути праворуч", - "Move left": "Посунути ліворуч", - "Revoke permissions": "Відкликати дозвіл", - "Remove for everyone": "Прибрати для всіх", - "Delete widget": "Видалити віджет", "Delete Widget": "Видалити віджет", "Add space": "Додати простір", - "Collapse reply thread": "Згорнути відповіді", "Public space": "Загальнодоступний простір", "Private space (invite only)": "Приватний простір (лише за запрошенням)", "Space visibility": "Видимість простору", @@ -752,7 +663,6 @@ "Server name": "Назва сервера", "Enter the name of a new server you want to explore.": "Введіть назву нового сервера, який ви хочете переглянути.", "Add a new server": "Додати новий сервер", - "Show preview": "Попередній перегляд", "Resend %(unsentCount)s reaction(s)": "Повторно надіслати %(unsentCount)s реакцій", "Your server": "Ваш сервер", "You are not allowed to view this server's rooms list": "Вам не дозволено переглядати список кімнат цього сервера", @@ -769,7 +679,6 @@ "e.g. my-room": "наприклад, моя-кімната", "Room address": "Адреса кімнати", "Unable to load event that was replied to, it either does not exist or you do not have permission to view it.": "Не вдалося завантажити подію, на яку було надано відповідь, її або не існує, або у вас немає дозволу на її перегляд.", - "Spaces": "Простори", "Custom level": "Власний рівень", "To leave the beta, visit your settings.": "Щоб вийти з бета-тестування, перейдіть до налаштувань.", "File to import": "Файл для імпорту", @@ -787,30 +696,7 @@ "Retry all": "Повторити надсилання всіх", "Delete all": "Видалити всі", "Some of your messages have not been sent": "Деякі з ваших повідомлень не надіслано", - "This session is not backing up your keys, but you do have an existing backup you can restore from and add to going forward.": "Цей сеанс не створює резервну копію ваших ключів, але у вас є резервна копія, з якої ви можете їх відновити.", - "Your keys are not being backed up from this session.": "Резервна копія ваших ключів не створюється з цього сеансу.", "Back up your keys before signing out to avoid losing them.": "Створіть резервну копію ключів перед виходом, щоб не втратити їх.", - "Back up your encryption keys with your account data in case you lose access to your sessions. Your keys will be secured with a unique Security Key.": "Резервне копіювання ключів шифрування з даними вашого облікового запису на випадок втрати доступу до сеансів. Ваші ключі будуть захищені унікальним ключем безпеки.", - "Backup key stored:": "Резервну копію ключа розміщено:", - "Backup key cached:": "Резервну копію ключа кешовано:", - "Unable to load key backup status": "Не вдалося завантажити стан резервного копіювання ключа", - "The operation could not be completed": "Неможливо завершити операцію", - "Failed to save your profile": "Не вдалося зберегти ваш профіль", - "There was an error loading your notification settings.": "Сталася помилка під час завантаження налаштувань сповіщень.", - "Mentions & keywords": "Згадки та ключові слова", - "Global": "Глобально", - "New keyword": "Нове ключове слово", - "Keyword": "Ключове слово", - "This upgrade will allow members of selected spaces access to this room without an invite.": "Це поліпшення дозволить учасникам обраних просторів доступитися до цієї кімнати без запрошення.", - "Space members": "Учасники простору", - "Anyone in a space can find and join. You can select multiple spaces.": "Будь-хто у просторі може знайти та приєднатися. Можна вибрати кілька просторів.", - "Anyone in can find and join. You can select other spaces too.": "Будь-хто у може знайти та приєднатися. Ви можете вибрати інші простори.", - "Spaces with access": "Простори з доступом", - "Anyone in a space can find and join. Edit which spaces can access here.": "Будь-хто у просторі може знайти та приєднатися. Укажіть, які простори можуть отримати доступ сюди.", - "Currently, %(count)s spaces have access": { - "one": "На разі простір має доступ", - "other": "На разі доступ мають %(count)s просторів" - }, "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 ?": "Від'єднатися від сервера ідентифікації ?", @@ -819,50 +705,9 @@ "Change identity server": "Змінити сервер ідентифікації", "Not a valid identity server (status code %(code)s)": "Хибний сервер ідентифікації (код статусу %(code)s)", "Identity server URL must be HTTPS": "URL-адреса сервера ідентифікації повинна починатися з HTTPS", - "not ready": "не готове", - "ready": "готове", - "Secret storage:": "Таємне сховище:", - "Algorithm:": "Алгоритм:", "Backup version:": "Версія резервної копії:", - "& %(count)s more": { - "one": "і ще %(count)s", - "other": "і ще %(count)s" - }, - "Upgrade required": "Потрібне поліпшення", - "Message search initialisation failed": "Не вдалося ініціалізувати пошук повідомлень", - "Securely cache encrypted messages locally for them to appear in search results, using %(size)s to store messages from %(rooms)s rooms.": { - "other": "Безпечно кешуйте зашифровані повідомлення локально, щоб вони з'являлися в результатах пошуку, використовуючи %(size)s для зберігання повідомлень з %(rooms)s кімнат.", - "one": "Безпечно кешуйте зашифровані повідомлення локально, щоб вони з'являлися в результатах пошуку, використовуючи %(size)s для зберігання повідомлень з %(rooms)s кімнат." - }, - "Cross-signing is not set up.": "Перехресне підписування не налаштовано.", - "Cross-signing is ready but keys are not backed up.": "Перехресне підписування готове, але резервна копія ключів не створюється.", - "Cross-signing is ready for use.": "Перехресне підписування готове до користування.", - "Space options": "Параметри простору", - "Recommended for public spaces.": "Рекомендовано для загальнодоступних просторів.", - "Allow people to preview your space before they join.": "Дозвольте людям переглядати ваш простір, перш ніж вони приєднаються.", - "Preview Space": "Попередній перегляд простору", - "Failed to update the visibility of this space": "Не вдалось оновити видимість цього простору", - "Decide who can view and join %(spaceName)s.": "Визначте хто може переглядати та приєднатися до %(spaceName)s.", - "Visibility": "Видимість", - "This may be useful for public spaces.": "Це може бути корисним для загальнодоступних просторів.", - "Guests can join a space without having an account.": "Гості можуть приєднатися до простору без облікового запису.", - "Enable guest access": "Увімкнути гостьовий доступ", - "Hide advanced": "Сховати розширені", - "Failed to update the history visibility of this space": "Не вдалося оновити видимість історії цього простору", - "Failed to update the guest access of this space": "Не вдалося оновити гостьовий доступ до цього простору", - "Leave Space": "Вийти з простору", - "Save Changes": "Зберегти зміни", - "Edit settings relating to your space.": "Змінити налаштування, що стосуються вашого простору.", - "Failed to save space settings.": "Не вдалося зберегти налаштування простору.", - "Invite with email or username": "Запросити за допомогою е-пошти або імені користувача", - "Copied!": "Скопійовано!", - "Click to copy": "Клацніть, щоб скопіювати", - "Show all rooms": "Показати всі кімнати", - "You can change these anytime.": "Ви можете змінити це будь-коли.", "Create a space": "Створити простір", "Address": "Адреса", - "Delete avatar": "Видалити аватар", - "Your server isn't responding to some requests.": "Ваш сервер не відповідає на деякі запити.", "Cancel All": "Скасувати все", "Send Logs": "Надіслати журнали", "Email (optional)": "Е-пошта (необов'язково)", @@ -889,12 +734,8 @@ "Unable to upload": "Не вдалося вивантажити", "Cancelled signature upload": "Вивантаження підпису скасовано", "Upload completed": "Вивантаження виконано", - "Search %(spaceName)s": "Пошук %(spaceName)s", "Leave some rooms": "Вийте з кількох кімнат", "Leave all rooms": "Вийти з кімнати", - "More": "Більше", - "Show sidebar": "Показати бічну панель", - "Hide sidebar": "Сховати бічну панель", "Success!": "Успішно!", "Clear personal data": "Очистити особисті дані", "Verification Request": "Запит підтвердження", @@ -903,7 +744,6 @@ "Sending": "Надсилання", "MB": "МБ", "In reply to this message": "У відповідь на це повідомлення", - "Widget added by": "Вджет додано", "Decrypt %(text)s": "Розшифрувати %(text)s", "Decrypting": "Розшифрування", "Downloading": "Завантаження", @@ -936,7 +776,6 @@ "Stop recording": "Зупинити запис", "No microphone found": "Мікрофона не знайдено", "Unable to access your microphone": "Не вдалося доступитися до мікрофона", - "Mark all as read": "Позначити все прочитаним", "Try to join anyway": "Все одно спробувати приєднатися", "Reason: %(reason)s": "Причина: %(reason)s", "Sign Up": "Зареєструватися", @@ -956,7 +795,6 @@ "%(duration)ss": "%(duration)s с", "View message": "Переглянути повідомлення", "Italics": "Курсив", - "More options": "Інші опції", "Invited": "Запрошено", "Invite to this space": "Запросити до цього простору", "Failed to send": "Не вдалося надіслати", @@ -975,7 +813,6 @@ "Verification code": "Код перевірки", "Verify the link in your inbox": "Перевірте посилання у теці «Вхідні»", "Unable to verify email address.": "Не вдалося перевірити адресу е-пошти.", - "Access": "Доступ", "Unknown failure": "Невідомий збій", "Failed to update the join rules": "Не вдалося оновити правила приєднання", "Browse": "Огляд", @@ -995,9 +832,6 @@ "one": "Переглянути 1 учасника", "other": "Переглянути усіх %(count)s учасників" }, - "Popout widget": "Спливний віджет", - "This widget may use cookies.": "Цей віджет може використовувати куки.", - "Error loading Widget": "Помилка завантаження віджету", "This version of %(brand)s does not support searching encrypted messages": "Ця версія %(brand)s не підтримує пошук зашифрованих повідомлень", "Keys restored": "Ключ відновлено", "Successfully restored %(sessionCount)s keys": "Успішно відновлено %(sessionCount)s ключів", @@ -1006,12 +840,10 @@ "This looks like a valid Security Key!": "Це схоже на дійсний ключ безпеки!", "Not a valid Security Key": "Хибний ключ безпеки", "No backup found!": "Резервних копій не знайдено!", - "Mentions only": "Лише згадки", "Forget": "Забути", "Modal Widget": "Модальний віджет", "Message edits": "Редагування повідомлення", "You've previously used a newer version of %(brand)s with this session. To use this version again with end to end encryption, you will need to sign out and back in again.": "Ви раніше використовували новішу версію %(brand)s для цього сеансу. Щоб знову використовувати цю версію із наскрізним шифруванням, вам потрібно буде вийти та знову ввійти.", - "Connect this session to key backup before signing out to avoid losing any keys that may only be on this session.": "Налаштуйте цьому сеансу резервне копіювання, інакше при виході втратите ключі, доступні лише в цьому сеансі.", "To continue, use Single Sign On to prove your identity.": "Щоб продовжити, скористайтеся єдиним входом для підтвердження особи.", "For extra security, verify this user by checking a one-time code on both of your devices.": "Для додаткової безпеки перевірте цього користувача, звіривши одноразовий код на обох своїх пристроях.", "Verifying this device will mark it as trusted, and users who have verified with you will trust this device.": "Якщо звірити цей пристрій, його буде позначено надійним, а користувачі, які перевірили у вас, будуть довіряти цьому пристрою.", @@ -1029,13 +861,6 @@ "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.": "Зараз дозволяє вам знаходити контакти, а контактам вас. Можете змінити сервер ідентифікації нижче.", - "Rooms outside of a space": "Кімнати без просторів", - "Show all your rooms in Home, even if they're in a space.": "Показати всі кімнати в домівці, навіть ті, що належать до просторів.", - "Home is useful for getting an overview of everything.": "Домівка надає загальний огляд усього.", - "Spaces to show": "Показувати такі простори", - "Sidebar": "Бічна панель", - "Pin to sidebar": "Закріплення на бічній панелі", - "Quick settings": "Швидкі налаштування", "Home options": "Параметри домівки", "Files": "Файли", "Export chat": "Експортувати бесіду", @@ -1065,8 +890,6 @@ "Join public room": "Приєднатись до загальнодоступної кімнати", "%(spaceName)s menu": "%(spaceName)s — меню", "No votes cast": "Жодного голосу", - "Share anonymous data to help us identify issues. Nothing personal. No third parties.": "Збір анонімних даних дає нам змогу дізнаватися про збої. Жодних особистих даних. Жодних третіх сторін.", - "Share location": "Поділитися місцеперебуванням", "Failed to end poll": "Не вдалося завершити опитування", "The poll has ended. No votes were cast.": "Опитування завершене. Жодного голосу не було.", "The poll has ended. Top answer: %(topAnswer)s": "Опитування завершене. Перемогла відповідь: %(topAnswer)s", @@ -1095,16 +918,6 @@ "To join a space you'll need an invite.": "Щоб приєднатись до простору, вам потрібне запрошення.", "You are about to leave .": "Ви збираєтеся вийти з .", "Enter your Security Phrase or to continue.": "Введіть свою фразу безпеки чи для продовження.", - "Updating spaces... (%(progress)s out of %(count)s)": { - "one": "Оновлення простору...", - "other": "Оновлення просторів... (%(progress)s із %(count)s)" - }, - "Sending invites... (%(progress)s out of %(count)s)": { - "one": "Надсилання запрошення...", - "other": "Надсилання запрошень... (%(progress)s із %(count)s)" - }, - "Loading new room": "Звантаження нової кімнати", - "Upgrading room": "Поліпшення кімнати", "Link to selected message": "Посилання на вибране повідомлення", "To help us prevent this in future, please send us logs.": "Щоб уникнути цього в майбутньому просимо надіслати нам журнал.", "Missing session data": "Відсутні дані сеансу", @@ -1163,7 +976,6 @@ "Something went wrong trying to invite the users.": "Щось пішло не так при запрошенні користувачів.", "Invite by email": "Запросити е-поштою", "Something went wrong with your invite to %(roomName)s": "Щось пішло не так з вашим запрошенням до %(roomName)s", - "Accept all %(invitedRooms)s invites": "Прийняти всі %(invitedRooms)s запрошення", "Invite someone using their name, username (like ) or share this room.": "Запросіть когось за іменем, користувацьким іменем (вигляду ) чи поділіться цією кімнатою.", "Invite someone using their name, email address, username (like ) or share this room.": "Запросіть когось за іменем, е-поштою, користувацьким іменем (вигляду ) чи поділіться цією кімнатою.", "Put a link back to the old room at the start of the new room so people can see old messages": "Додамо лінк старої кімнати нагорі нової, щоб люди могли бачити старі повідомлення", @@ -1198,7 +1010,6 @@ "Use the Desktop app to search encrypted messages": "Скористайтеся стільничним застосунком, щоб пошукати серед зашифрованих повідомлень", "Use the Desktop app to see all encrypted files": "Скористайтеся стільничним застосунком, щоб переглянути всі зашифровані файли", "Message search initialisation failed, check your settings for more information": "Не вдалося почати пошук, перевірте налаштування, щоб дізнатися більше", - "Using this widget may share data with %(widgetDomain)s.": "Користування цим віджетом може призвести до поширення ваших даних через %(widgetDomain)s.", "Submit logs": "Надіслати журнали", "Click to view edits": "Натисніть, щоб переглянути зміни", "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. Продовжити?", @@ -1312,7 +1123,6 @@ "Unable to verify phone number.": "Не вдалося перевірити номер телефону.", "Click the link in the email you received to verify and then click continue again.": "Для підтвердження перейдіть за посиланням в отриманому листі й знову натисніть «Продовжити».", "Your email address hasn't been verified yet": "Ваша адреса е-пошти ще не підтверджена", - "Bulk options": "Масові дії", "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.": "Зараз ви не використовуєте сервер ідентифікації. Щоб знайти наявні контакти й вони могли знайти вас, додайте його нижче.", @@ -1320,9 +1130,6 @@ "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.": "Слід вилучити ваші особисті дані з сервера ідентифікації , перш ніж від'єднатися. На жаль, сервер ідентифікації зараз офлайн чи недоступний.", - "Connect this session to Key Backup": "Налаштувати цьому сеансу резервне копіювання ключів", - "This room is in some spaces you're not an admin of. In those spaces, the old room will still be shown, but people will be prompted to join the new one.": "Ця кімната належить до просторів, які ви не адмініструєте. Ці простори показуватимуть стару кімнату, але пропонуватимуть людям приєднатись до нової.", - "": "<не підтримується>", "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": "Звірю пізніше", @@ -1420,10 +1227,7 @@ "Integrations are disabled": "Інтеграції вимкнені", "Integrations not allowed": "Інтеграції не дозволені", "This homeserver would like to make sure you are not a robot.": "Домашній сервер бажає впевнитися, що ви не робот.", - "Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "Видалення віджету вилучить його в усіх користувачів кімнати. Точно видалити цей віджет?", - "Take a picture": "Зробити знімок", "Unable to start audio streaming.": "Не вдалося почати аудіотрансляцію.", - "Start audio stream": "Почати аудіотрансляцію", "Failed to start livestream": "Не вдалося почати живу трансляцію", "You are the only person here. If you leave, no one will be able to join in the future, including you.": "Тут лише ви. Якщо ви вийдете, ніхто більше не зможе приєднатися, навіть ви самі.", "You don't have permission to do this": "У вас немає на це дозволу", @@ -1433,7 +1237,6 @@ "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.": "Звірка цього користувача позначить його сеанс довіреним вам, а ваш йому.", - "Copy room link": "Скопіювати посилання на кімнату", "Joined": "Приєднано", "Joining": "Приєднання", "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.": "Відновіть доступ до облікового запису й ключів шифрування, збережених у цьому сеансі. Без них ваші сеанси показуватимуть не всі ваші захищені повідомлення.", @@ -1487,9 +1290,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)", - "Back to thread": "Назад у гілку", - "Room members": "Учасники кімнати", - "Back to chat": "Назад у бесіду", "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": "Звірити за допомогою іншого пристрою", @@ -1510,10 +1310,6 @@ "You were removed from %(roomName)s by %(memberName)s": "%(memberName)s вилучає вас із %(roomName)s", "Message pending moderation": "Повідомлення очікує модерування", "Message pending moderation: %(reason)s": "Повідомлення очікує модерування: %(reason)s", - "Group all your rooms that aren't part of a space in one place.": "Групуйте всі свої кімнати, не приєднані до простору, в одному місці.", - "Group all your people in one place.": "Групуйте всіх своїх людей в одному місці.", - "Group all your favourite rooms and people in one place.": "Групуйте всі свої улюблені кімнати та людей в одному місці.", - "Spaces are ways to group rooms and people. Alongside the spaces you're in, you can use some pre-built ones too.": "Простори — це спосіб групування кімнат і людей. Окрім просторів, до яких ви приєдналися, ви також можете використовувати деякі вбудовані.", "Pick a date to jump to": "Виберіть до якої дати перейти", "Jump to date": "Перейти до дати", "The beginning of the room": "Початок кімнати", @@ -1539,12 +1335,9 @@ "My current location": "Лише поточне місцеперебування", "%(brand)s could not send your location. Please try again later.": "%(brand)s не вдалося надіслати ваше місцеперебування. Повторіть спробу пізніше.", "We couldn't send your location": "Не вдалося надіслати ваше місцеперебування", - "Match system": "Як у системі", "Click": "Клацнути", "Expand quotes": "Розгорнути цитати", "Collapse quotes": "Згорнути цитати", - "Click to drop a pin": "Натисніть, щоб створити маркер", - "Click to move the pin": "Натисніть, щоб посунути маркер", "Can't create a thread from an event with an existing relation": "Неможливо створити гілку з події з наявним відношенням", "You are sharing your live location": "Ви ділитеся місцеперебуванням", "%(displayName)s's live location": "Місцеперебування %(displayName)s наживо", @@ -1558,9 +1351,7 @@ "one": "Триває видалення повідомлень в %(count)s кімнаті", "other": "Триває видалення повідомлень у %(count)s кімнатах" }, - "Share for %(duration)s": "Поділитися на %(duration)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.", - "%(brand)s is experimental on a mobile web browser. For a better experience and the latest features, use our free native app.": "%(brand)s у мобільних браузерах ще випробовується. Поки що кращі враження й новіші функції — у нашому вільному мобільному застосунку.", "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.": "Повторіть спробу пізніше, або запитайте у кімнати або простору перевірку, чи маєте ви доступ.", @@ -1577,11 +1368,6 @@ "Forget this space": "Забути цей простір", "You were removed by %(memberName)s": "Вас вилучено користувачем %(memberName)s", "Loading preview": "Завантаження попереднього перегляду", - "Failed to join": "Не вдалося приєднатися", - "The person who invited you has already left, or their server is offline.": "Особа, котра вас запросила, вже вийшла або її сервер офлайн.", - "The person who invited you has already left.": "Особа, котра вас запросила, вже вийшла.", - "Sorry, your homeserver is too old to participate here.": "На жаль, ваш домашній сервер застарий для участі тут.", - "There was an error joining.": "Сталася помилка під час приєднання.", "An error occurred while stopping your live location, please try again": "Сталася помилка припинення надсилання вашого місцеперебування, повторіть спробу", "%(count)s participants": { "one": "1 учасник", @@ -1624,10 +1410,7 @@ "If you want to retain access to your chat history in encrypted rooms, set up Key Backup or export your message keys from one of your other devices before proceeding.": "Якщо ви хочете зберегти доступ до історії бесіди у кімнатах з шифруванням, налаштуйте резервну копію ключа або експортуйте ключі з одного з інших пристроїв, перш ніж продовжувати.", "Signing out your devices will delete the message encryption keys stored on them, making encrypted chat history unreadable.": "Вихід з ваших пристроїв, видалить ключі шифрування повідомлень, що зберігаються на них і зробить зашифровану історію бесіди нечитабельною.", "Your password was successfully changed.": "Ваш пароль успішно змінено.", - "Live location sharing": "Надсилання місцеперебування наживо", "An error occurred while stopping your live location": "Під час припинення поширення поточного місцеперебування сталася помилка", - "Enable live location sharing": "Увімкнути поширення місцеперебування наживо", - "Please note: this is a labs feature using a temporary implementation. This means you will not be able to delete your location history, and advanced users will be able to see your location history even after you stop sharing your live location with this room.": "Зауважте: це експериментальна функція, яка використовує тимчасову реалізацію. Це означає, що ви не зможете видалити свою історію місцеперебувань, а досвідчені користувачі зможуть переглядати вашу історію місцеперебувань, навіть якщо ви припините ділитися нею з цією кімнатою.", "%(members)s and %(last)s": "%(members)s і %(last)s", "%(members)s and more": "%(members)s та інші", "Open room": "Відкрити кімнату", @@ -1645,16 +1428,8 @@ "An error occurred whilst sharing your live location": "Сталася помилка під час надання доступу до вашого поточного місцеперебування", "Unread email icon": "Піктограма непрочитаного електронного листа", "Joining…": "Приєднання…", - "%(count)s people joined": { - "one": "%(count)s осіб приєдналися", - "other": "%(count)s людей приєдналися" - }, - "View related event": "Переглянути пов'язані події", "Read receipts": "Звіти про прочитання", - "You were disconnected from the call. (Error: %(message)s)": "Вас від'єднано від виклику. (Помилка: %(message)s)", - "Connection lost": "З'єднання розірвано", "Deactivating your account is a permanent action — be careful!": "Деактивація вашого облікового запису — це незворотна дія, будьте обережні!", - "Un-maximise": "Розгорнути", "When you sign out, these keys will be deleted from this device, which means you won't be able to read encrypted messages unless you have the keys for them on your other devices, or backed them up to the server.": "Коли ви вийдете, ці ключі буде видалено з цього пристрою, і ви не зможете читати зашифровані повідомлення, якщо у вас немає ключів для них на інших пристроях або не створено їх резервну копію на сервері.", "Remove search filter for %(filter)s": "Вилучити фільтр пошуку для %(filter)s", "Start a group chat": "Розпочати нову бесіду", @@ -1691,21 +1466,14 @@ "Saved Items": "Збережені елементи", "Choose a locale": "Вибрати локаль", "We're creating a room with %(names)s": "Ми створюємо кімнату з %(names)s", - "Sessions": "Сеанси", - "For best security, verify your sessions and sign out from any session that you don't recognize or use anymore.": "Для кращої безпеки звірте свої сеанси та вийдіть з усіх невикористовуваних або нерозпізнаних сеансів.", "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", - "You do not have permission to start voice calls": "У вас немає дозволу розпочинати голосові виклики", - "There's no one here to call": "Тут немає кого викликати", - "You do not have permission to start video calls": "У вас немає дозволу розпочинати відеовиклики", - "Ongoing call": "Поточний виклик", "Video call (Jitsi)": "Відеовиклик (Jitsi)", "Failed to set pusher state": "Не вдалося встановити стан push-служби", "Video call ended": "Відеовиклик завершено", "%(name)s started a video call": "%(name)s розпочинає відеовиклик", - "Unknown room": "Невідома кімната", "Room info": "Відомості про кімнату", "View chat timeline": "Переглянути стрічку бесіди", "Close call": "Закрити виклик", @@ -1716,7 +1484,6 @@ "You do not have sufficient permissions to change this.": "Ви не маєте достатніх повноважень, щоб змінити це.", "%(brand)s is end-to-end encrypted, but is currently limited to smaller numbers of users.": "%(brand)s наскрізно зашифровано, але наразі обмежений меншою кількістю користувачів.", "Enable %(brand)s as an additional calling option in this room": "Увімкнути %(brand)s додатковою опцією викликів у цій кімнаті", - "Sorry — this call is currently full": "Перепрошуємо, цей виклик заповнено", "Completing set up of your new device": "Завершення налаштування нового пристрою", "Waiting for device to sign in": "Очікування входу з пристрою", "Review and approve the sign in": "Розглянути та схвалити вхід", @@ -1735,10 +1502,6 @@ "The scanned code is invalid.": "Сканований код недійсний.", "The linking wasn't completed in the required time.": "У встановлені терміни з'єднання не було виконано.", "Sign in new device": "Увійти на новому пристрої", - "Are you sure you want to sign out of %(count)s sessions?": { - "one": "Ви впевнені, що хочете вийти з %(count)s сеансів?", - "other": "Ви впевнені, що хочете вийти з %(count)s сеансів?" - }, "Show formatting": "Показати форматування", "Hide formatting": "Сховати форматування", "Connection": "З'єднання", @@ -1757,15 +1520,10 @@ "We were unable to start a chat with the other user.": "Ми не змогли розпочати бесіду з іншим користувачем.", "Error starting verification": "Помилка запуску перевірки", "WARNING: ": "ПОПЕРЕДЖЕННЯ: ", - "You have unverified sessions": "У вас є неперевірені сеанси", "Change layout": "Змінити макет", - "Search users in this room…": "Пошук користувачів у цій кімнаті…", - "Give one or multiple users in this room more privileges": "Надайте одному або кільком користувачам у цій кімнаті більше повноважень", - "Add privileged users": "Додати привілейованих користувачів", "Unable to decrypt message": "Не вдалося розшифрувати повідомлення", "This message could not be decrypted": "Не вдалося розшифрувати це повідомлення", " in %(room)s": " в %(room)s", - "Mark as read": "Позначити прочитаним", "Text": "Текст", "Create a link": "Створити посилання", "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.": "Ви не можете розпочати запис голосового повідомлення, оскільки зараз відбувається запис трансляції наживо. Завершіть трансляцію, щоб розпочати запис голосового повідомлення.", @@ -1776,10 +1534,7 @@ "All messages and invites from this user will be hidden. Are you sure you want to ignore them?": "Усі повідомлення та запрошення від цього користувача будуть приховані. Ви впевнені, що хочете їх нехтувати?", "Ignore %(user)s": "Нехтувати %(user)s", "unknown": "невідомо", - "Red": "Червоний", - "Grey": "Сірий", "Declining…": "Відхилення…", - "This session is backing up your keys.": "Під час цього сеансу створюється резервна копія ваших ключів.", "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.": "Попередження: ваші особисті дані ( включно з ключами шифрування) досі зберігаються в цьому сеансі. Очистьте їх, якщо ви завершили роботу в цьому сеансі або хочете увійти в інший обліковий запис.", @@ -1801,10 +1556,6 @@ "Encrypting your message…": "Шифрування повідомлення…", "Sending your message…": "Надсилання повідомлення…", "Set a new account password…": "Встановити новий пароль облікового запису…", - "Backing up %(sessionsRemaining)s keys…": "Резервне копіювання %(sessionsRemaining)s ключів…", - "Connecting to integration manager…": "Під'єднання до менеджера інтеграцій…", - "Saving…": "Збереження…", - "Creating…": "Створення…", "Starting export process…": "Початок процесу експорту…", "Secure Backup successful": "Безпечне резервне копіювання виконано успішно", "Your keys are now being backed up from this device.": "На цьому пристрої створюється резервна копія ваших ключів.", @@ -1812,10 +1563,7 @@ "Ended a poll": "Завершує опитування", "Due to decryption errors, some votes may not be counted": "Через помилки розшифрування деякі голоси можуть бути не враховані", "The sender has blocked you from receiving this message": "Відправник заблокував вам отримання цього повідомлення", - "Yes, it was me": "Так, це я", "Answered elsewhere": "Відповіли деінде", - "If you know a room address, try joining through that instead.": "Якщо ви знаєте адресу кімнати, спробуйте приєднатися через неї.", - "You attempted to join using a room ID without providing a list of servers to join through. Room IDs are internal identifiers and cannot be used to join a room without additional information.": "Ви спробували приєднатися, за допомогою ID кімнати, не вказавши список серверів, через які ви хочете приєднатися. ID кімнати — це внутрішній ідентифікатор і він не може бути використаний для приєднання до кімнати без додаткової інформації.", "View poll": "Переглянути опитування", "Past polls": "Минулі опитування", "Active polls": "Активні опитування", @@ -1831,10 +1579,7 @@ "There are no past polls. Load more polls to view polls for previous months": "Немає минулих опитувань. Завантажте більше опитувань, щоб переглянути опитування за попередні місяці", "There are no active polls. Load more polls to view polls for previous months": "Немає активних опитувань. Завантажте більше опитувань, щоб переглянути опитування за попередні місяці", "Load more polls": "Завантажити більше опитувань", - "Verify Session": "Звірити сеанс", - "Ignore (%(counter)s)": "Ігнорувати (%(counter)s)", "Invites by email can only be sent one at a time": "Запрошення електронною поштою можна надсилати лише одне за раз", - "An error occurred when updating your notification preferences. Please try to toggle your option again.": "Сталася помилка під час оновлення налаштувань сповіщень. Спробуйте змінити налаштування ще раз.", "Desktop app logo": "Логотип комп'ютерного застосунку", "Requires your server to support the stable version of MSC3827": "Потрібно, щоб ваш сервер підтримував стабільну версію MSC3827", "Message from %(user)s": "Повідомлення від %(user)s", @@ -1848,26 +1593,19 @@ "We were unable to find an event looking forwards from %(dateString)s. Try choosing an earlier date.": "Ми не змогли знайти подію, після %(dateString)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.": "Виникла помилка мережі під час спроби знайти та перейти до вказаної дати. Можливо, ваш домашній сервер не працює або виникли тимчасові проблеми з інтернет-з'єднанням. Повторіть спробу ще раз. Якщо це не допоможе, зверніться до адміністратора вашого домашнього сервера.", "Poll history": "Історія опитувань", - "Mute room": "Вимкнути сповіщення кімнати", - "Match default setting": "Збігається з типовим налаштуванням", "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": "Форматування", - "Image view": "Перегляд зображення", "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)", - "Failed to download source media, no source url was found": "Не вдалося завантажити початковий медіафайл, не знайдено url джерела", "Once invited users have joined %(brand)s, you will be able to chat and the room will be end-to-end encrypted": "Після того, як запрошені користувачі приєднаються до %(brand)s, ви зможете спілкуватися в бесіді, а кімната буде наскрізно зашифрована", "Waiting for users to join %(brand)s": "Очікування приєднання користувача до %(brand)s", "You do not have permission to invite users": "У вас немає дозволу запрошувати користувачів", - "Your language": "Ваша мова", - "Your device ID": "ID вашого пристрою", - "Ask to join": "Запит на приєднання", "Mentions and Keywords only": "Лише згадки та ключові слова", "This setting will be applied by default to all your rooms.": "Цей параметр буде застосовано усталеним до всіх ваших кімнат.", "Play a sound for": "Відтворювати звук про", @@ -1894,19 +1632,15 @@ "Messages sent by bots": "Повідомлення від ботів", "New room activity, upgrades and status messages occur": "Нова діяльність у кімнаті, поліпшення та повідомлення про стан", "Unable to find user by email": "Не вдалося знайти користувача за адресою електронної пошти", - "People cannot join unless access is granted.": "Люди не можуть приєднатися, якщо їм не надано доступ.", "Update:We’ve simplified Notifications Settings to make options easier to find. Some custom settings you’ve chosen in the past are not shown here, but they’re still active. If you proceed, some of your settings may change. Learn more": "Оновлення:Ми спростили налаштування сповіщень, щоб полегшити пошук потрібних опцій. Деякі налаштування, які ви вибрали раніше, тут не показано, але вони залишаються активними. Якщо ви продовжите, деякі з ваших налаштувань можуть змінитися. Докладніше", "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": "Отримуйте зведення пропущених сповіщень на електронну пошту", - "Your profile picture URL": "URL-адреса зображення вашого профілю", "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": "Інші відомі вам простори", - "You need an invite to access this room.": "Для доступу до цієї кімнати потрібне запрошення.", - "Failed to cancel": "Не вдалося скасувати", "Ask to join %(roomName)s?": "Надіслати запит на приєднання до %(roomName)s?", "Cancel request": "Скасувати запит", "Ask to join?": "Надіслати запит на приєднання?", @@ -2013,7 +1747,15 @@ "off": "Вимкнено", "all_rooms": "Усі кімнати", "deselect_all": "Скасувати вибір", - "select_all": "Вибрати всі" + "select_all": "Вибрати всі", + "copied": "Скопійовано!", + "advanced": "Подробиці", + "spaces": "Простори", + "general": "Загальні", + "saving": "Збереження…", + "profile": "Профіль", + "display_name": "Псевдонім", + "user_avatar": "Зображення профілю" }, "action": { "continue": "Продовжити", @@ -2116,7 +1858,10 @@ "clear": "Очистити", "exit_fullscreeen": "Вийти з повноекранного режиму", "enter_fullscreen": "Перейти у повноекранний режим", - "unban": "Розблокувати" + "unban": "Розблокувати", + "click_to_copy": "Клацніть, щоб скопіювати", + "hide_advanced": "Сховати розширені", + "show_advanced": "Показати розширені" }, "a11y": { "user_menu": "Користувацьке меню", @@ -2128,7 +1873,8 @@ "other": "%(count)s непрочитаних повідомлень.", "one": "1 непрочитане повідомлення." }, - "unread_messages": "Непрочитані повідомлення." + "unread_messages": "Непрочитані повідомлення.", + "jump_first_invite": "Перейти до першого запрошення." }, "labs": { "video_rooms": "Відеокімнати", @@ -2322,7 +2068,6 @@ "user_a11y": "Автозаповнення користувача" } }, - "Bold": "Жирний", "Link": "Посилання", "Code": "Код", "power_level": { @@ -2430,7 +2175,8 @@ "intro_byline": "Володійте своїми розмовами.", "send_dm": "Надіслати особисте повідомлення", "explore_rooms": "Переглянути загальнодоступні кімнати", - "create_room": "Створити групову бесіду" + "create_room": "Створити групову бесіду", + "create_account": "Створити обліковий запис" }, "settings": { "show_breadcrumbs": "Показувати нещодавно переглянуті кімнати над списком кімнат", @@ -2497,7 +2243,10 @@ "noisy": "Шумно", "error_permissions_denied": "%(brand)s не має дозволу надсилати вам сповіщення — перевірте налаштування браузера", "error_permissions_missing": "%(brand)s не має дозволу надсилати сповіщення — будь ласка, спробуйте ще раз", - "error_title": "Не вдалося увімкнути сповіщення" + "error_title": "Не вдалося увімкнути сповіщення", + "error_updating": "Сталася помилка під час оновлення налаштувань сповіщень. Спробуйте змінити налаштування ще раз.", + "push_targets": "Цілі сповіщень", + "error_loading": "Сталася помилка під час завантаження налаштувань сповіщень." }, "appearance": { "layout_irc": "IRC (Експериментально)", @@ -2571,7 +2320,44 @@ "cryptography_section": "Криптографія", "session_id": "ID сеансу:", "session_key": "Ключ сеансу:", - "encryption_section": "Шифрування" + "encryption_section": "Шифрування", + "bulk_options_section": "Масові дії", + "bulk_options_accept_all_invites": "Прийняти всі %(invitedRooms)s запрошення", + "bulk_options_reject_all_invites": "Відхилити запрошення до усіх %(invitedRooms)s", + "message_search_section": "Пошук повідомлень", + "analytics_subsection_description": "Збір анонімних даних дає нам змогу дізнаватися про збої. Жодних особистих даних. Жодних третіх сторін.", + "encryption_individual_verification_mode": "Індивідуально звіряйте кожен сеанс, який використовується користувачем, щоб позначити його довіреним, не довіряючи пристроям перехресного підписування.", + "message_search_enabled": { + "other": "Безпечно кешуйте зашифровані повідомлення локально, щоб вони з'являлися в результатах пошуку, використовуючи %(size)s для зберігання повідомлень з %(rooms)s кімнат.", + "one": "Безпечно кешуйте зашифровані повідомлення локально, щоб вони з'являлися в результатах пошуку, використовуючи %(size)s для зберігання повідомлень з %(rooms)s кімнат." + }, + "message_search_disabled": "Безпечно локально кешувати зашифровані повідомлення щоб вони з'являлись у результатах пошуку.", + "message_search_unsupported": "%(brand)s'ові бракує деяких складників, необхідних для безпечного локального кешування зашифрованих повідомлень. Якщо ви хочете поекспериментувати з цією властивістю, зберіть спеціальну збірку %(brand)s Desktop із доданням пошукових складників.", + "message_search_unsupported_web": "%(brand)s не може безпечно локально кешувати зашифровані повідомлення під час роботи у браузері. Користуйтесь %(brand)s для комп'ютерів, в якому зашифровані повідомлення з'являються у результатах пошуку.", + "message_search_failed": "Не вдалося ініціалізувати пошук повідомлень", + "backup_key_well_formed": "добре сформований", + "backup_key_unexpected_type": "несподіваний тип", + "backup_keys_description": "Резервне копіювання ключів шифрування з даними вашого облікового запису на випадок втрати доступу до сеансів. Ваші ключі будуть захищені унікальним ключем безпеки.", + "backup_key_stored_status": "Резервну копію ключа розміщено:", + "cross_signing_not_stored": "не збережено", + "backup_key_cached_status": "Резервну копію ключа кешовано:", + "4s_public_key_status": "Таємне сховище відкритого ключа:", + "4s_public_key_in_account_data": "у даних облікового запису", + "secret_storage_status": "Таємне сховище:", + "secret_storage_ready": "готове", + "secret_storage_not_ready": "не готове", + "delete_backup": "Видалити резервну копію", + "delete_backup_confirm_description": "Ви впевнені? Ви втратите ваші зашифровані повідомлення якщо копія ключів не була створена коректно.", + "error_loading_key_backup_status": "Не вдалося завантажити стан резервного копіювання ключа", + "restore_key_backup": "Відновити з резервної копії", + "key_backup_active": "Під час цього сеансу створюється резервна копія ваших ключів.", + "key_backup_inactive": "Цей сеанс не створює резервну копію ваших ключів, але у вас є резервна копія, з якої ви можете їх відновити.", + "key_backup_connect_prompt": "Налаштуйте цьому сеансу резервне копіювання, інакше при виході втратите ключі, доступні лише в цьому сеансі.", + "key_backup_connect": "Налаштувати цьому сеансу резервне копіювання ключів", + "key_backup_in_progress": "Резервне копіювання %(sessionsRemaining)s ключів…", + "key_backup_complete": "Усі ключі збережено", + "key_backup_algorithm": "Алгоритм:", + "key_backup_inactive_warning": "Резервна копія ваших ключів не створюється з цього сеансу." }, "preferences": { "room_list_heading": "Перелік кімнат", @@ -2685,7 +2471,13 @@ "other": "Вийти з пристроїв" }, "security_recommendations": "Поради щодо безпеки", - "security_recommendations_description": "Удоскональте безпеку свого облікового запису, дотримуючись цих порад." + "security_recommendations_description": "Удоскональте безпеку свого облікового запису, дотримуючись цих порад.", + "title": "Сеанси", + "sign_out_confirm_description": { + "one": "Ви впевнені, що хочете вийти з %(count)s сеансів?", + "other": "Ви впевнені, що хочете вийти з %(count)s сеансів?" + }, + "other_sessions_subsection_description": "Для кращої безпеки звірте свої сеанси та вийдіть з усіх невикористовуваних або нерозпізнаних сеансів." }, "general": { "oidc_manage_button": "Керувати обліковим записом", @@ -2704,7 +2496,22 @@ "add_msisdn_confirm_sso_button": "Підтвердьте додавання цього телефонного номера за допомогоє єдиного входу, щоб довести вашу справжність.", "add_msisdn_confirm_button": "Підтвердьте додавання номера телефону", "add_msisdn_confirm_body": "Клацніть на кнопку внизу, щоб підтвердити додавання цього номера телефону.", - "add_msisdn_dialog_title": "Додати номер телефону" + "add_msisdn_dialog_title": "Додати номер телефону", + "name_placeholder": "Немає псевдоніма", + "error_saving_profile_title": "Не вдалося зберегти ваш профіль", + "error_saving_profile": "Неможливо завершити операцію" + }, + "sidebar": { + "title": "Бічна панель", + "metaspaces_subsection": "Показувати такі простори", + "metaspaces_description": "Простори — це спосіб групування кімнат і людей. Окрім просторів, до яких ви приєдналися, ви також можете використовувати деякі вбудовані.", + "metaspaces_home_description": "Домівка надає загальний огляд усього.", + "metaspaces_favourites_description": "Групуйте всі свої улюблені кімнати та людей в одному місці.", + "metaspaces_people_description": "Групуйте всіх своїх людей в одному місці.", + "metaspaces_orphans": "Кімнати без просторів", + "metaspaces_orphans_description": "Групуйте всі свої кімнати, не приєднані до простору, в одному місці.", + "metaspaces_home_all_rooms_description": "Показати всі кімнати в домівці, навіть ті, що належать до просторів.", + "metaspaces_home_all_rooms": "Показати всі кімнати" } }, "devtools": { @@ -3208,7 +3015,15 @@ "user": "%(senderName)s завершує голосову трансляцію" }, "creation_summary_dm": "%(creator)s створює цю приватну розмову.", - "creation_summary_room": "%(creator)s створює й налаштовує кімнату." + "creation_summary_room": "%(creator)s створює й налаштовує кімнату.", + "context_menu": { + "view_source": "Переглянути код", + "show_url_preview": "Попередній перегляд", + "external_url": "Початкова URL-адреса", + "collapse_reply_thread": "Згорнути відповіді", + "view_related_event": "Переглянути пов'язані події", + "report": "Поскаржитися" + } }, "slash_command": { "spoiler": "Надсилає вказане повідомлення згорненим", @@ -3411,10 +3226,28 @@ "failed_call_live_broadcast_title": "Не вдалося розпочати виклик", "failed_call_live_broadcast_description": "Ви не можете розпочати виклик, оскільки зараз ведеться запис прямої трансляції. Будь ласка, заверште її, щоб розпочати виклик.", "no_media_perms_title": "Немає медіадозволів", - "no_media_perms_description": "Можливо, вам треба дозволити %(brand)s використання мікрофону/камери вручну" + "no_media_perms_description": "Можливо, вам треба дозволити %(brand)s використання мікрофону/камери вручну", + "call_toast_unknown_room": "Невідома кімната", + "join_button_tooltip_connecting": "З'єднання", + "join_button_tooltip_call_full": "Перепрошуємо, цей виклик заповнено", + "hide_sidebar_button": "Сховати бічну панель", + "show_sidebar_button": "Показати бічну панель", + "more_button": "Більше", + "screenshare_monitor": "Поділитися всім екраном", + "screenshare_window": "Вікно застосунку", + "screenshare_title": "Поділитися вмістом", + "disabled_no_perms_start_voice_call": "У вас немає дозволу розпочинати голосові виклики", + "disabled_no_perms_start_video_call": "У вас немає дозволу розпочинати відеовиклики", + "disabled_ongoing_call": "Поточний виклик", + "disabled_no_one_here": "Тут немає кого викликати", + "n_people_joined": { + "one": "%(count)s осіб приєдналися", + "other": "%(count)s людей приєдналися" + }, + "unknown_person": "невідома особа", + "connecting": "З'єднання" }, "Other": "Інше", - "Advanced": "Подробиці", "room_settings": { "permissions": { "m.room.avatar_space": "Змінити аватар простору", @@ -3454,7 +3287,10 @@ "title": "Ролі й дозволи", "permissions_section": "Дозволи", "permissions_section_description_space": "Оберіть ролі, потрібні для зміни різних частин простору", - "permissions_section_description_room": "Виберіть ролі, необхідні для зміни різних частин кімнати" + "permissions_section_description_room": "Виберіть ролі, необхідні для зміни різних частин кімнати", + "add_privileged_user_heading": "Додати привілейованих користувачів", + "add_privileged_user_description": "Надайте одному або кільком користувачам у цій кімнаті більше повноважень", + "add_privileged_user_filter_placeholder": "Пошук користувачів у цій кімнаті…" }, "security": { "strict_encryption": "Ніколи не надсилати зашифровані повідомлення до незвірених сеансів у цій кімнаті з цього сеансу", @@ -3481,7 +3317,35 @@ "history_visibility_shared": "Лише учасники (від часу вибору цієї опції)", "history_visibility_invited": "Лише учасники (від часу їхнього запрошення)", "history_visibility_joined": "Лише учасники (від часу приєднання)", - "history_visibility_world_readable": "Кожний" + "history_visibility_world_readable": "Кожний", + "join_rule_upgrade_required": "Потрібне поліпшення", + "join_rule_restricted_n_more": { + "one": "і ще %(count)s", + "other": "і ще %(count)s" + }, + "join_rule_restricted_summary": { + "one": "На разі простір має доступ", + "other": "На разі доступ мають %(count)s просторів" + }, + "join_rule_restricted_description": "Будь-хто у просторі може знайти та приєднатися. Укажіть, які простори можуть отримати доступ сюди.", + "join_rule_restricted_description_spaces": "Простори з доступом", + "join_rule_restricted_description_active_space": "Будь-хто у може знайти та приєднатися. Ви можете вибрати інші простори.", + "join_rule_restricted_description_prompt": "Будь-хто у просторі може знайти та приєднатися. Можна вибрати кілька просторів.", + "join_rule_restricted": "Учасники простору", + "join_rule_knock": "Запит на приєднання", + "join_rule_knock_description": "Люди не можуть приєднатися, якщо їм не надано доступ.", + "join_rule_restricted_upgrade_warning": "Ця кімната належить до просторів, які ви не адмініструєте. Ці простори показуватимуть стару кімнату, але пропонуватимуть людям приєднатись до нової.", + "join_rule_restricted_upgrade_description": "Це поліпшення дозволить учасникам обраних просторів доступитися до цієї кімнати без запрошення.", + "join_rule_upgrade_upgrading_room": "Поліпшення кімнати", + "join_rule_upgrade_awaiting_room": "Звантаження нової кімнати", + "join_rule_upgrade_sending_invites": { + "one": "Надсилання запрошення...", + "other": "Надсилання запрошень... (%(progress)s із %(count)s)" + }, + "join_rule_upgrade_updating_spaces": { + "one": "Оновлення простору...", + "other": "Оновлення просторів... (%(progress)s із %(count)s)" + } }, "general": { "publish_toggle": "Опублікувати цю кімнату для всіх у каталозі кімнат %(domain)s?", @@ -3491,7 +3355,11 @@ "default_url_previews_off": "Попередній перегляд URL-адрес типово вимкнений для учасників цієї кімнати.", "url_preview_encryption_warning": "У кімнатах з шифруванням, як у цій, попередній перегляд посилань усталено вимкнено. Це робиться, щоб гарантувати, що ваш домашній сервер (на якому генеруються перегляди) не матиме змоги збирати дані щодо посилань, які ви бачите у цій кімнаті.", "url_preview_explainer": "Коли хтось додає URL-адресу у повідомлення, можливо автоматично показувати для цієї URL-адресу попередній перегляд його заголовку, опису й зображення.", - "url_previews_section": "Попередній перегляд URL-адрес" + "url_previews_section": "Попередній перегляд URL-адрес", + "error_save_space_settings": "Не вдалося зберегти налаштування простору.", + "description_space": "Змінити налаштування, що стосуються вашого простору.", + "save": "Зберегти зміни", + "leave_space": "Вийти з простору" }, "advanced": { "unfederated": "Ця кімната недоступна для віддалених серверів Matrix", @@ -3503,6 +3371,24 @@ "room_id": "Внутрішній ID кімнати", "room_version_section": "Версія кімнати", "room_version": "Версія кімнати:" + }, + "delete_avatar_label": "Видалити аватар", + "upload_avatar_label": "Вивантажити аватар", + "visibility": { + "error_update_guest_access": "Не вдалося оновити гостьовий доступ до цього простору", + "error_update_history_visibility": "Не вдалося оновити видимість історії цього простору", + "guest_access_explainer": "Гості можуть приєднатися до простору без облікового запису.", + "guest_access_explainer_public_space": "Це може бути корисним для загальнодоступних просторів.", + "title": "Видимість", + "error_failed_save": "Не вдалось оновити видимість цього простору", + "history_visibility_anyone_space": "Попередній перегляд простору", + "history_visibility_anyone_space_description": "Дозвольте людям переглядати ваш простір, перш ніж вони приєднаються.", + "history_visibility_anyone_space_recommendation": "Рекомендовано для загальнодоступних просторів.", + "guest_access_label": "Увімкнути гостьовий доступ" + }, + "access": { + "title": "Доступ", + "description_space": "Визначте хто може переглядати та приєднатися до %(spaceName)s." } }, "encryption": { @@ -3529,7 +3415,15 @@ "waiting_other_device_details": "Очікування вашої звірки на іншому пристрої, %(deviceName)s (%(deviceId)s)…", "waiting_other_device": "Очікування вашої звірки на іншому пристрої…", "waiting_other_user": "Очікування звірки %(displayName)s…", - "cancelling": "Скасування…" + "cancelling": "Скасування…", + "unverified_sessions_toast_title": "У вас є неперевірені сеанси", + "unverified_sessions_toast_description": "Перевірте, щоб переконатися, що ваш обліковий запис у безпеці", + "unverified_sessions_toast_reject": "Пізніше", + "unverified_session_toast_title": "Новий вхід. Це були ви?", + "unverified_session_toast_accept": "Так, це я", + "request_toast_detail": "%(deviceId)s з %(ip)s", + "request_toast_decline_counter": "Ігнорувати (%(counter)s)", + "request_toast_accept": "Звірити сеанс" }, "old_version_detected_title": "Виявлено старі криптографічні дані", "old_version_detected_description": "Було виявлено дані зі старої версії %(brand)s. Це призведе до збоїння наскрізного шифрування у старій версії. Наскрізно зашифровані повідомлення, що обмінювані нещодавно, під час використання старої версії, можуть бути недешифровними у цій версії. Це може призвести до збоїв повідомлень, обмінюваних також і з цією версією. У разі виникнення проблем вийдіть з програми та зайдіть знову. Задля збереження історії повідомлень експортуйте та переімпортуйте ваші ключі.", @@ -3539,7 +3433,18 @@ "bootstrap_title": "Налаштовування ключів", "export_unsupported": "Ваш браузер не підтримує необхідних криптографічних функцій", "import_invalid_keyfile": "Файл ключа %(brand)s некоректний", - "import_invalid_passphrase": "Помилка автентифікації: неправильний пароль?" + "import_invalid_passphrase": "Помилка автентифікації: неправильний пароль?", + "set_up_toast_title": "Налаштувати захищене резервне копіювання", + "upgrade_toast_title": "Доступне поліпшене шифрування", + "verify_toast_title": "Звірити цей сеанс", + "set_up_toast_description": "Захистіться від втрати доступу до зашифрованих повідомлень і даних", + "verify_toast_description": "Інші користувачі можуть не довіряти цьому", + "cross_signing_unsupported": "Ваш домашній сервер не підтримує перехресного підписування.", + "cross_signing_ready": "Перехресне підписування готове до користування.", + "cross_signing_ready_no_backup": "Перехресне підписування готове, але резервна копія ключів не створюється.", + "cross_signing_untrusted": "Ваш обліковий запис має перехресне підписування особи у таємному сховищі, але цей сеанс йому ще не довіряє.", + "cross_signing_not_ready": "Перехресне підписування не налаштовано.", + "not_supported": "<не підтримується>" }, "emoji": { "category_frequently_used": "Часто використовувані", @@ -3563,7 +3468,8 @@ "bullet_1": "Ми не зберігаємо й не аналізуємо жодних даних облікового запису", "bullet_2": "Ми не передаємо даних стороннім особам", "disable_prompt": "Можна вимкнути це коли завгодно в налаштуваннях", - "accept_button": "Гаразд" + "accept_button": "Гаразд", + "shared_data_heading": "Можна поділитися будь-якими з цих даних:" }, "chat_effects": { "confetti_description": "Надсилає це повідомлення з конфеті", @@ -3719,7 +3625,8 @@ "autodiscovery_unexpected_error_hs": "Неочікувана помилка в налаштуваннях домашнього серверу", "autodiscovery_unexpected_error_is": "Незрозуміла помилка при розборі параметру сервера ідентифікації", "autodiscovery_hs_incompatible": "Ваш домашній сервер застарілий і не підтримує мінімально необхідну версію API. Будь ласка, зв'яжіться з власником вашого сервера або оновіть його.", - "incorrect_credentials_detail": "Зауважте, ви входите на сервер %(hs)s, не на matrix.org." + "incorrect_credentials_detail": "Зауважте, ви входите на сервер %(hs)s, не на matrix.org.", + "create_account_title": "Створити обліковий запис" }, "room_list": { "sort_unread_first": "Спочатку показувати кімнати з непрочитаними повідомленнями", @@ -3843,7 +3750,37 @@ "error_need_to_be_logged_in": "Вам потрібно увійти.", "error_need_invite_permission": "Для цього вам потрібен дозвіл запрошувати користувачів.", "error_need_kick_permission": "Для цього вам потрібен дозвіл вилучати користувачів.", - "no_name": "Невідомий додаток" + "no_name": "Невідомий додаток", + "error_hangup_title": "З'єднання розірвано", + "error_hangup_description": "Вас від'єднано від виклику. (Помилка: %(message)s)", + "context_menu": { + "start_audio_stream": "Почати аудіотрансляцію", + "screenshot": "Зробити знімок", + "delete": "Видалити віджет", + "delete_warning": "Видалення віджету вилучить його в усіх користувачів кімнати. Точно видалити цей віджет?", + "remove": "Прибрати для всіх", + "revoke": "Відкликати дозвіл", + "move_left": "Посунути ліворуч", + "move_right": "Посунути праворуч" + }, + "shared_data_name": "Ваш псевдонім", + "shared_data_avatar": "URL-адреса зображення вашого профілю", + "shared_data_mxid": "Ваш ID користувача", + "shared_data_device_id": "ID вашого пристрою", + "shared_data_theme": "Ваша тема", + "shared_data_lang": "Ваша мова", + "shared_data_url": "URL-адреса %(brand)s", + "shared_data_room_id": "ID кімнати", + "shared_data_widget_id": "ID віджету", + "shared_data_warning_im": "Користування цим віджетом може призвести до поширення ваших даних через %(widgetDomain)s і ваш менеджер інтеграцій.", + "shared_data_warning": "Користування цим віджетом може призвести до поширення ваших даних через %(widgetDomain)s.", + "unencrypted_warning": "Віджети не використовують шифрування повідомлень.", + "added_by": "Вджет додано", + "cookie_warning": "Цей віджет може використовувати куки.", + "error_loading": "Помилка завантаження віджету", + "error_mixed_content": "Помилка — змішаний вміст", + "unmaximise": "Розгорнути", + "popout": "Спливний віджет" }, "feedback": { "sent": "Відгук надіслано", @@ -3940,7 +3877,8 @@ "empty_heading": "Упорядкуйте обговорення за допомогою гілок" }, "theme": { - "light_high_contrast": "Контрастна світла" + "light_high_contrast": "Контрастна світла", + "match_system": "Як у системі" }, "space": { "landing_welcome": "Вітаємо у ", @@ -3956,9 +3894,14 @@ "devtools_open_timeline": "Переглянути стрічку кімнати (розробка)", "home": "Домівка простору", "explore": "Каталог кімнат", - "manage_and_explore": "Керування і перегляд кімнат" + "manage_and_explore": "Керування і перегляд кімнат", + "options": "Параметри простору" }, - "share_public": "Поділитися своїм загальнодоступним простором" + "share_public": "Поділитися своїм загальнодоступним простором", + "search_children": "Пошук %(spaceName)s", + "invite_link": "Надіслати запрошувальне посилання", + "invite": "Запросити людей", + "invite_description": "Запросити за допомогою е-пошти або імені користувача" }, "location_sharing": { "MapStyleUrlNotConfigured": "Цей домашній сервер не налаштовано на показ карт.", @@ -3975,7 +3918,14 @@ "failed_timeout": "Сплив час отримання місцеперебування. Повторіть спробу пізніше.", "failed_unknown": "Невідома помилка отримання місцеперебування. Повторіть спробу пізніше.", "expand_map": "Розгорнути карту", - "failed_load_map": "Неможливо завантажити карту" + "failed_load_map": "Неможливо завантажити карту", + "live_enable_heading": "Надсилання місцеперебування наживо", + "live_enable_description": "Зауважте: це експериментальна функція, яка використовує тимчасову реалізацію. Це означає, що ви не зможете видалити свою історію місцеперебувань, а досвідчені користувачі зможуть переглядати вашу історію місцеперебувань, навіть якщо ви припините ділитися нею з цією кімнатою.", + "live_toggle_label": "Увімкнути поширення місцеперебування наживо", + "live_share_button": "Поділитися на %(duration)s", + "click_move_pin": "Натисніть, щоб посунути маркер", + "click_drop_pin": "Натисніть, щоб створити маркер", + "share_button": "Поділитися місцеперебуванням" }, "labs_mjolnir": { "room_name": "Мій список блокувань", @@ -4011,7 +3961,6 @@ }, "create_space": { "name_required": "Будь ласка, введіть назву простору", - "name_placeholder": "наприклад, мій-простір", "explainer": "Простори — це новий спосіб групових кімнат та людей. Який вид простору ви хочете створити? Ви можете змінити це пізніше.", "public_description": "Відкритий простір для будь-кого, найкраще для спільнот", "private_description": "Лише за запрошенням, найкраще для себе чи для команди", @@ -4042,11 +3991,17 @@ "setup_rooms_community_description": "Створімо по кімнаті для кожної.", "setup_rooms_description": "Згодом ви зможете додати більше, зокрема вже наявні.", "setup_rooms_private_heading": "Над якими проєктами працює ваша команда?", - "setup_rooms_private_description": "Ми створимо кімнати для кожного з них." + "setup_rooms_private_description": "Ми створимо кімнати для кожного з них.", + "address_placeholder": "наприклад, мій-простір", + "address_label": "Адреса", + "label": "Створити простір", + "add_details_prompt_2": "Ви можете змінити це будь-коли.", + "creating": "Створення…" }, "user_menu": { "switch_theme_light": "Світла тема", - "switch_theme_dark": "Темна тема" + "switch_theme_dark": "Темна тема", + "settings": "Усі налаштування" }, "notif_panel": { "empty_heading": "Ви в курсі всього", @@ -4084,7 +4039,28 @@ "leave_error_title": "Помилка під час виходу з кімнати", "upgrade_error_title": "Помилка поліпшення кімнати", "upgrade_error_description": "Перевірте, чи підримує ваш сервер вказану версію кімнати та спробуйте ще.", - "leave_server_notices_description": "Ця кімната використовується для важливих повідомлень з домашнього сервера, тож ви не можете з неї вийти." + "leave_server_notices_description": "Ця кімната використовується для важливих повідомлень з домашнього сервера, тож ви не можете з неї вийти.", + "error_join_connection": "Сталася помилка під час приєднання.", + "error_join_incompatible_version_1": "На жаль, ваш домашній сервер застарий для участі тут.", + "error_join_incompatible_version_2": "Будь ласка, зв'яжіться з адміністратором вашого домашнього сервера.", + "error_join_404_invite_same_hs": "Особа, котра вас запросила, вже вийшла.", + "error_join_404_invite": "Особа, котра вас запросила, вже вийшла або її сервер офлайн.", + "error_join_404_1": "Ви спробували приєднатися, за допомогою ID кімнати, не вказавши список серверів, через які ви хочете приєднатися. ID кімнати — це внутрішній ідентифікатор і він не може бути використаний для приєднання до кімнати без додаткової інформації.", + "error_join_404_2": "Якщо ви знаєте адресу кімнати, спробуйте приєднатися через неї.", + "error_join_title": "Не вдалося приєднатися", + "error_join_403": "Для доступу до цієї кімнати потрібне запрошення.", + "error_cancel_knock_title": "Не вдалося скасувати", + "context_menu": { + "unfavourite": "В улюблених", + "favourite": "Улюблені", + "mentions_only": "Лише згадки", + "copy_link": "Скопіювати посилання на кімнату", + "low_priority": "Неважливі", + "forget": "Забути кімнату", + "mark_read": "Позначити прочитаним", + "notifications_default": "Збігається з типовим налаштуванням", + "notifications_mute": "Вимкнути сповіщення кімнати" + } }, "file_panel": { "guest_note": "Зареєструйтеся, щоб скористатись цим функціоналом", @@ -4104,7 +4080,8 @@ "tac_button": "Переглянути умови користування", "identity_server_no_terms_title": "Сервер ідентифікації не має умов надання послуг", "identity_server_no_terms_description_1": "Щоб підтвердити адресу е-пошти або телефон ця дія потребує доступу до типового серверу ідентифікації , але сервер не має жодних умов надання послуг.", - "identity_server_no_terms_description_2": "Продовжуйте лише якщо довіряєте власнику сервера." + "identity_server_no_terms_description_2": "Продовжуйте лише якщо довіряєте власнику сервера.", + "inline_intro_text": "Погодьтеся з для продовження:" }, "space_settings": { "title": "Налаштування — %(spaceName)s" @@ -4200,7 +4177,14 @@ "sync": "Не вдалося під'єднатися до домашнього сервера. Повторна спроба…", "connection": "Не вдалося зв'язатися з домашнім сервером, повторіть спробу пізніше.", "mixed_content": "З'єднуватися з домашнім сервером через HTTP, коли в рядку адреси браузера введено HTTPS-адресу, не можна. Використовуйте HTTPS або дозвольте небезпечні скрипти.", - "tls": "Не вдалося під'єднатися до домашнього сервера — перевірте з'єднання, переконайтесь, що ваш SSL-сертифікат домашнього сервера довірений і що розширення браузера не блокує запити." + "tls": "Не вдалося під'єднатися до домашнього сервера — перевірте з'єднання, переконайтесь, що ваш SSL-сертифікат домашнього сервера довірений і що розширення браузера не блокує запити.", + "admin_contact_short": "Зверніться до адміністратора сервера.", + "non_urgent_echo_failure_toast": "Ваш сервер не відповідає на деякі запити.", + "failed_copy": "Не вдалося скопіювати", + "something_went_wrong": "Щось пішло не так!", + "download_media": "Не вдалося завантажити початковий медіафайл, не знайдено url джерела", + "update_power_level": "Не вдалося змінити рівень повноважень", + "unknown": "Невідома помилка" }, "in_space1_and_space2": "У просторах %(space1Name)s і %(space2Name)s.", "in_space_and_n_other_spaces": { @@ -4208,5 +4192,52 @@ "other": "У %(spaceName)s та %(count)s інших пристроях." }, "in_space": "У просторі %(spaceName)s.", - "name_and_id": "%(name)s (%(userId)s)" + "name_and_id": "%(name)s (%(userId)s)", + "items_and_n_others": { + "other": " та ще %(count)s учасників", + "one": " і ще хтось" + }, + "notifications": { + "enable_prompt_toast_title_from_message_send": "Не пропустіть відповідей", + "enable_prompt_toast_title": "Сповіщення", + "enable_prompt_toast_description": "Увімкнути сповіщення стільниці", + "colour_none": "Вимкнено", + "colour_bold": "Жирний", + "colour_grey": "Сірий", + "colour_red": "Червоний", + "colour_unsent": "Не надіслано", + "error_change_title": "Змінити налаштування сповіщень", + "mark_all_read": "Позначити все прочитаним", + "keyword": "Ключове слово", + "keyword_new": "Нове ключове слово", + "class_global": "Глобально", + "class_other": "Інше", + "mentions_keywords": "Згадки та ключові слова" + }, + "mobile_guide": { + "toast_title": "Використовуйте застосунок для зручності", + "toast_description": "%(brand)s у мобільних браузерах ще випробовується. Поки що кращі враження й новіші функції — у нашому вільному мобільному застосунку.", + "toast_accept": "Використовувати застосунок" + }, + "chat_card_back_action_label": "Назад у бесіду", + "room_summary_card_back_action_label": "Відомості про кімнату", + "member_list_back_action_label": "Учасники кімнати", + "thread_view_back_action_label": "Назад у гілку", + "quick_settings": { + "title": "Швидкі налаштування", + "all_settings": "Усі налаштування", + "metaspace_section": "Закріплення на бічній панелі", + "sidebar_settings": "Інші опції" + }, + "lightbox": { + "title": "Перегляд зображення", + "rotate_left": "Обернути ліворуч", + "rotate_right": "Обернути праворуч" + }, + "a11y_jump_first_unread_room": "Перейти до першої непрочитаної кімнати.", + "integration_manager": { + "connecting": "Під'єднання до менеджера інтеграцій…", + "error_connecting_heading": "Не вдалося з'єднатися з менеджером інтеграцій", + "error_connecting": "Менеджер інтеграцій не під'єднаний або не може зв'язатися з вашим домашнім сервером." + } } diff --git a/src/i18n/strings/vi.json b/src/i18n/strings/vi.json index 091eb1ef42..ae03074126 100644 --- a/src/i18n/strings/vi.json +++ b/src/i18n/strings/vi.json @@ -30,12 +30,7 @@ "Restricted": "Bị hạn chế", "Moderator": "Điều phối viên", "Reason": "Lý do", - " and %(count)s others": { - "other": " và %(count)s mục khác", - "one": " và một mục khác" - }, "%(items)s and %(lastItem)s": "%(items)s và %(lastItem)s", - "Please contact your homeserver administrator.": "Vui lòng liên hệ quản trị viên homeserver của bạn.", "Explore rooms": "Khám phá các phòng", "Vietnam": "Việt Nam", "Are you sure?": "Bạn có chắc không?", @@ -63,7 +58,6 @@ "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", - "Unknown error": "Lỗi không thể nhận biết", "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", @@ -96,7 +90,6 @@ "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.", - "Create account": "Tạo tài khoản", "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", @@ -111,7 +104,6 @@ "A new password must be entered.": "Mật khẩu mới phải được nhập.", "Could not load user profile": "Không thể tải hồ sơ người dùng", "Switch theme": "Chuyển đổi chủ đề", - "All settings": "Tất cả cài đặt", "Failed to load timeline position": "Không tải được vị trí dòng thời gian", "Tried to load a specific point in this room's timeline, but was unable to find it.": "Đã cố gắng tải một điểm cụ thể trong dòng thời gian của phòng này, nhưng không thể tìm thấy nó.", "Tried to load a specific point in this room's timeline, but you do not have permission to view the message in question.": "Đã cố gắng tải một điểm cụ thể trong dòng thời gian của phòng này, nhưng bạn không có quyền xem tin nhắn được đề cập.", @@ -132,23 +124,10 @@ "This homeserver would like to make sure you are not a robot.": "Người bảo vệ gia đình này muốn đảm bảo rằng bạn không phải là người máy.", "This room is public": "Phòng này là công cộng", "Avatar": "Avatar", - "Move right": "Đi sang phải", - "Move left": "Di chuyển sang trái", - "Revoke permissions": "Thu hồi quyền", - "Remove for everyone": "Xóa cho mọi người", - "Delete widget": "Xóa Widget", - "Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "Xóa tiện ích widget sẽ xóa tiện ích widget đó cho tất cả người dùng khác trong phòng này. Bạn có chắc chắn muốn xóa tiện ích widget này không?", "Delete Widget": "Xóa Widget", - "Take a picture": "Chụp ảnh", - "Start audio stream": "Bắt đầu luồng âm thanh", "Failed to start livestream": "Không thể bắt đầu phát trực tiếp", "Unable to start audio streaming.": "Không thể bắt đầu phát trực tuyến âm thanh.", "Add space": "Thêm space", - "Report": "Bản báo cáo", - "Collapse reply thread": "Thu gọn chuỗi trả lời", - "Source URL": "URL nguồn", - "Show preview": "Hiển thị bản xem trước", - "View source": "Xem nguồn", "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", @@ -481,8 +460,6 @@ "Reset event store?": "Đặt lại kho sự kiện?", "Language Dropdown": "Danh sách ngôn ngữ", "Information": "Thông tin", - "Rotate Right": "Xoay phải", - "Rotate Left": "Xoay trái", "%(count)s people you know have already joined": { "one": "%(count)s người bạn đã biết vừa tham gia", "other": "%(count)s người bạn đã biết vừa tham gia" @@ -494,31 +471,12 @@ }, "expand": "mở rộng", "collapse": "thu hẹp", - "Share content": "Chia sẻ nội dung", - "Application window": "Cửa sổ ứng dụng", - "Share entire screen": "Chia sẻ toàn bộ màn hình", "This version of %(brand)s does not support searching encrypted messages": "Phiên bản %(brand)s này không hỗ trợ tìm kiếm tin nhắn được mã hóa", "This version of %(brand)s does not support viewing some encrypted files": "Phiên bản %(brand)s này không hỗ trợ xem một số tệp được mã hóa", "Use the Desktop app to search encrypted messages": "Sử dụng ứng dụng Máy tính để bàn Desktop app để tìm kiếm tin nhắn được mã hóa", "Use the Desktop app to see all encrypted files": "Sử dụng ứng dụng Máy tính để bàn Desktop app để xem tất cả các tệp được mã hóa", "Message search initialisation failed, check your settings for more information": "Không thể khởi chạy tìm kiếm tin nhắn, hãy kiểm tra cài đặt của bạn your settings để biết thêm thông tin", - "Popout widget": "Tiện ích bật ra", - "Error - Mixed content": "Lỗi - Nội dung hỗn hợp", - "Error loading Widget": "Lỗi khi tải widget", - "This widget may use cookies.": "Tiện ích này có thể sử dụng cookie.", - "Widget added by": "widget được thêm bởi", - "Widgets do not use message encryption.": "Các widget không sử dụng mã hóa tin nhắn.", - "Using this widget may share data with %(widgetDomain)s.": "Sử dụng tiện ích này có thể chia sẻ dữ liệu với %(widgetDomain)s.", - "Using this widget may share data with %(widgetDomain)s & your integration manager.": "Sử dụng tiện ích này có thể chia sẻ dữ liệu với %(widgetDomain)s và trình quản lý tích hợp của bạn.", - "Widget ID": "Widget ID", - "Room ID": "ID phòng", - "%(brand)s URL": "%(brand)s URL", - "Your theme": "Chủ đề của bạn", - "Your user ID": "ID người dùng của bạn", - "Your display name": "Tên hiển thị của bạn", - "Any of the following data may be shared:": "Bất kỳ dữ liệu nào sau đây đều có thể được chia sẻ:", "Cancel search": "Hủy tìm kiếm", - "Something went wrong!": "Đã xảy ra lỗi!", "Can't load this message": "Không thể tải tin nhắn này", "Submit logs": "Gửi nhật ký", "edited": "đã chỉnh sửa", @@ -604,7 +562,6 @@ "Filter results": "Lọc kết quả", "Deactivate user?": "Hủy kích hoạt người dùng?", "You will not be able to undo this change as you are promoting the user to have the same power level as yourself.": "Bạn sẽ không thể hoàn tác thay đổi này vì bạn đang khuyến khích người dùng có cùng mức sức mạnh với bạn.", - "Failed to change power level": "Không thay đổi được mức công suất", "Failed to mute user": "Không thể tắt tiếng người dùng", "They won't be able to access whatever you're not an admin of.": "Họ sẽ không thể truy cập vào bất cứ gì mà bạn không phải là quản trị viên.", "Ban them from specific things I'm able to": "Cấm họ khỏi những thứ cụ thể mà tôi có thể", @@ -649,7 +606,6 @@ "No microphone found": "Không tìm thấy micrô", "We were unable to access your microphone. Please check your browser settings and try again.": "Chúng tôi không thể truy cập micrô của bạn. Xin hãy kiểm tra trình duyệt của bạn và thử lại.", "Unable to access your microphone": "Không thể truy cập micrô của bạn", - "Mark all as read": "Đánh dấu tất cả đã đọc", "Jump to first unread message.": "Chuyển đến tin nhắn chưa đọc đầu tiên.", "Invited by %(sender)s": "Được %(sender)s mời", "Revoke invite": "Thu hồi lời mời", @@ -667,10 +623,6 @@ "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", - "Low Priority": "Ưu tiên thấp", - "Favourite": "Yêu thích", - "Favourited": "Được yêu thích", - "Forget Room": "Quê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.", @@ -730,7 +682,6 @@ "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.", - "More options": "Thêm tùy chọn", "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", @@ -756,10 +707,6 @@ "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.", - "Message search": "Tìm kiếm tin nhắn", - "Reject all %(invitedRooms)s invites": "Từ chối tất cả lời mời từ %(invitedRooms)s", - "Accept all %(invitedRooms)s invites": "Chấp nhận tất cả các lời mời từ %(invitedRooms)s", - "Bulk options": "Tùy chọn hàng loạt", "You have no ignored users.": "Bạn không có người dùng bị bỏ qua.", "Unignore": "Hủy bỏ qua", "Ignored users": "Người dùng bị bỏ qua", @@ -850,62 +797,14 @@ "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", - "not ready": "chưa sẵn sàng", - "ready": "Sẵn sàng", - "Secret storage:": "Lưu trữ bí mật:", - "in account data": "trong dữ liệu tài khoản", - "Secret storage public key:": "Khóa công khai lưu trữ bí mật:", - "Backup key cached:": "Đệm các khóa được sao lưu:", - "not stored": "không được lưu trữ", - "Backup key stored:": "Lưu trữ hóa được sao lưu:", - "Back up your encryption keys with your account data in case you lose access to your sessions. Your keys will be secured with a unique Security Key.": "Sao lưu các khóa mã hóa với dữ liệu tài khoản của bạn trong trường hợp bạn mất quyền truy cập vào các phiên của mình. Các khóa của bạn sẽ được bảo mật bằng Khóa bảo mật duy nhất.", - "unexpected type": "loại bất ngờ", - "well formed": "được hình thành một cách hoàn hảo", "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.", - "Your keys are not being backed up from this session.": "Các khóa của bạn not being backed up from this session.", - "Algorithm:": "Thuật toán:", "Backup version:": "Phiên bản dự phòng:", "This backup is trusted because it has been restored on this session": "Bản sao lưu này đáng tin cậy vì nó đã được khôi phục trong phiên này", - "Space options": "Tùy chọn space", - "Jump to first invite.": "Chuyển đến lời mời đầu tiên.", - "Jump to first unread room.": "Chuyển đến phòng chưa đọc đầu tiên.", - "Recommended for public spaces.": "Được đề xuất cho space công cộng.", - "Allow people to preview your space before they join.": "Cho phép mọi người xem trước space của bạn trước khi tham gia.", - "Preview Space": "Xem trước space", - "Failed to update the visibility of this space": "Không cập nhật được khả năng hiển thị của space này", - "Decide who can view and join %(spaceName)s.": "Lựa chọn ai được xem và tham gia %(spaceName)s.", - "Visibility": "Hiển thị", - "Show advanced": "Hiện nâng cao", - "This may be useful for public spaces.": "Điều này có thể hữu ích cho space công cộng.", - "Guests can join a space without having an account.": "Khách có thể tham gia space mà không cần có tài khoản.", - "Enable guest access": "Bật quyền truy cập của khách", - "Hide advanced": "Ẩn nâng cao", - "Failed to update the history visibility of this space": "Không cập nhật được chế độ hiển thị lịch sử của space này", - "Failed to update the guest access of this space": "Không cập nhật được quyền truy cập của khách vào space này", - "Leave Space": "Rời khỏi Space", - "Save Changes": "Lưu thay đổi", - "Edit settings relating to your space.": "Chỉnh sửa cài đặt liên quan đến space của bạn.", - "General": "Tổng quát", - "Failed to save space settings.": "Không thể lưu cài đặt space.", - "Invite with email or username": "Mời bằng thư điện tử hoặc tên người dùng", - "Invite people": "Mời mọi người", - "Share invite link": "Chia sẻ liên kết mời", - "Failed to copy": "Sao chép không thành công", - "Copied!": "Đã sao chép!", - "Click to copy": "Bấm để sao chép", - "Spaces": "Không gian", - "Show all rooms": "Hiển thị tất cả các phòng", "Home": "Nhà", - "You can change these anytime.": "Bạn có thể thay đổi những điều này bất cứ lúc nào.", "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ỉ", - "Search %(spaceName)s": "Tìm kiếm %(spaceName)s", - "Upload avatar": "Tải lên hình đại diện", - "Delete avatar": "Xoá ảnh đại diện", - "Accept to continue:": "Chấp nhận để tiếp tục:", - "Your server isn't responding to some requests.": "Máy chủ của bạn không phản hồi một số yêu cầu requests.", "Folder": "Thư mục", "Headphones": "Tai nghe", "Anchor": "Mỏ neo", @@ -969,11 +868,6 @@ "Lion": "Sư tử", "Cat": "Con mèo", "Dog": "Chó", - "More": "Thêm", - "Show sidebar": "Hiển thị thanh bên", - "Hide sidebar": "Ẩn thanh bên", - "Connecting": "Đang kết nối", - "unknown person": "người không rõ", "%(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", @@ -1031,93 +925,15 @@ "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ử", - "Access": "Truy cập", "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", - "%(deviceId)s from %(ip)s": "%(deviceId)s từ %(ip)s", - "New login. Was this you?": "Đăng nhập mới. Đây có phải là bạn không?", - "Other users may not trust it": "Những người dùng khác có thể không tin tưởng nó", - "Safeguard against losing access to encrypted messages & data": "Bảo vệ chống mất quyền truy cập vào tin nhắn và dữ liệu được mã hóa", - "Verify this session": "Xác thực phiên này", - "Encryption upgrade available": "Nâng cấp mã hóa có sẵn", - "Set up Secure Backup": "Thiết lập Sao lưu Bảo mật", "Ok": "OK", - "Contact your server admin.": "Liên hệ với quản trị viên máy chủ của bạn.", "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ó.", - "Use app": "Sử dụng ứng dụng", - "Use app for a better experience": "Sử dụng ứng dụng để có trải nghiệm tốt hơn", - "Enable desktop notifications": "Bật thông báo trên màn hình", - "Notifications": "Thông báo", - "Don't miss a reply": "Đừng bỏ lỡ một câu trả lời", - "Later": "Để sau", - "Review to ensure your account is safe": "Xem lại để đảm bảo tài khoản của bạn an toàn", - "All keys backed up": "Tất cả các khóa được sao lưu", - "Connect this session to Key Backup": "Kết nối phiên này với Khóa Sao lưu", - "Connect this session to key backup before signing out to avoid losing any keys that may only be on this session.": "Kết nối phiên này với máy chủ sao lưu khóa trước khi đăng xuất để tránh mất bất kỳ khóa nào có thể chỉ có trong phiên này.", - "This session is not backing up your keys, but you do have an existing backup you can restore from and add to going forward.": "Phiên này đang không sao lưu các khóa, nhưng bạn có một bản sao lưu hiện có, bạn có thể khôi phục và thêm vào để về sau.", - "Restore from Backup": "Khôi phục từ Sao lưu", - "Unable to load key backup status": "Không thể tải trạng thái sao lưu khóa", - "Are you sure? You will lose your encrypted messages if your keys are not backed up properly.": "Bạn có chắc không? Bạn sẽ mất các tin nhắn được mã hóa nếu các khóa của bạn không được sao lưu đúng cách.", - "Delete Backup": "Xóa Sao lưu", - "Profile picture": "Ảnh đại diện", - "Display Name": "Tên hiển thị", - "Profile": "Hồ sơ", - "The operation could not be completed": "Lệnh không thể hoàn thành", - "Failed to save your profile": "Không lưu được hồ sơ của bạn", - "There was an error loading your notification settings.": "Đã xảy ra lỗi khi tải cài đặt thông báo của bạn.", - "Notification targets": "Mục tiêu thông báo", - "Mentions & keywords": "Đề cập & từ khóa", - "Global": "Toàn cầu", - "New keyword": "Từ khóa mới", - "Keyword": "Từ khóa", - "Updating spaces... (%(progress)s out of %(count)s)": { - "one": "Đang cập nhật space…", - "other": "Đang cập nhật space… (%(progress)s trên %(count)s)" - }, - "Sending invites... (%(progress)s out of %(count)s)": { - "one": "Đang gửi lời mời…", - "other": "Đang gửi lời mời... (%(progress)s trên %(count)s)" - }, - "Loading new room": "Đang tải phòng mới", - "Upgrading room": "Đang nâng cấp phòng", - "This upgrade will allow members of selected spaces access to this room without an invite.": "Nâng cấp này sẽ cho phép các thành viên của các space đã chọn vào phòng này mà không cần lời mời.", - "Space members": "Thành viên space", - "Anyone in a space can find and join. You can select multiple spaces.": "Bất kỳ ai trong một space đều có thể tìm và tham gia. Bạn có thể chọn nhiều khoảng trắng.", - "Anyone in can find and join. You can select other spaces too.": "Bất cứ ai trong có thể tìm và tham gia. Bạn cũng có thể chọn các space khác.", - "Spaces with access": "Các Space có quyền truy cập", - "Anyone in a space can find and join. Edit which spaces can access here.": "Bất kỳ ai trong một space đều có thể tìm và tham gia. Chỉnh sửa space nào có thể truy cập tại đây. Edit which spaces can access here.", - "Currently, %(count)s spaces have access": { - "one": "Hiện tại, một space có quyền truy cập", - "other": "Hiện tại, %(count)s spaces có quyền truy cập" - }, - "& %(count)s more": { - "one": "& %(count)s thêm", - "other": "& %(count)s thêm" - }, - "Upgrade required": "Yêu cầu nâng cấp", - "The integration manager is offline or it cannot reach your homeserver.": "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.", - "Cannot connect to integration manager": "Không thể kết nối với trình quản lý tích hợp", - "Message search initialisation failed": "Khởi tạo tìm kiếm tin nhắn không thành công", - "%(brand)s can't securely cache encrypted messages locally while running in a web browser. Use %(brand)s Desktop for encrypted messages to appear in search results.": "%(brand)s không thể lưu trữ cục bộ an toàn các tin nhắn được mã hóa khi đang chạy trong trình duyệt web. Sử dụng %(brand)s cho máy tính để các tin nhắn được mã hóa xuất hiện trong kết quả tìm kiếm.", - "%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with search components added.": "%(brand)s thiếu một số thành phần thiết yếu để lưu trữ cục bộ an toàn các tin nhắn được mã hóa. Nếu bạn muốn thử nghiệm với tính năng này, hãy dựng một bản %(brand)s tùy chỉnh cho máy tính có thêm các thành phần để tìm kiếm.", - "Securely cache encrypted messages locally for them to appear in search results.": "Bộ nhớ cache an toàn các tin nhắn được mã hóa cục bộ để chúng xuất hiện trong kết quả tìm kiếm.", - "Securely cache encrypted messages locally for them to appear in search results, using %(size)s to store messages from %(rooms)s rooms.": { - "one": "Lưu trữ cục bộ an toàn các tin nhắn đã được mã hóa để chúng xuất hiện trong các kết quả tìm kiếm, sử dụng %(size)s để lưu trữ các tin nhắn từ %(rooms)s phòng.", - "other": "Lưu trữ an toàn các tin nhắn đã được mã hóa trên thiết bị để chúng xuất hiện trong các kết quả tìm kiếm, sử dụng %(size)s để lưu trữ các tin nhắn từ các %(rooms)s phòng." - }, - "Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "Xác thực riêng từng phiên được người dùng sử dụng để đánh dấu phiên đó là đáng tin cậy, không tin cậy vào các thiết bị được xác thực chéo.", "Failed to set display name": "Không đặt được tên hiển thị", "Authentication": "Đăng nhập", - "": "", - "Cross-signing is not set up.": "Tính năng xác thực chéo chưa được thiết lập.", - "Your account has a cross-signing identity in secret storage, but it is not yet trusted by this session.": "Tài khoản của bạn có danh tính xác thực chéo trong vùng lưu trữ bí mật, nhưng chưa được phiên này tin cậy.", - "Cross-signing is ready but keys are not backed up.": "Xác thực chéo đã sẵn sàng nhưng các khóa chưa được sao lưu.", - "Cross-signing is ready for use.": "Xác thực chéo đã sẵn sàng để sử dụng.", - "Your homeserver does not support cross-signing.": "Máy chủ của bạn không hỗ trợ xác thực chéo.", "Warning!": "Cảnh báo!", - "No display name": "Không có tên hiển thị", "Zimbabwe": "Zimbabwe", "Zambia": "Zambia", "Yemen": "Yemen", @@ -1270,7 +1086,6 @@ "Haiti": "Haiti", "Guyana": "Guyana", "Guinea-Bissau": "Guinea-Bissau", - "Change notification settings": "Thay đổi cài đặt thông báo", "Guinea": "Guinea", "Guernsey": "Guernsey", "Guatemala": "Guatemala", @@ -1390,7 +1205,6 @@ "Joining": "Đang tham gia", "Copy link to thread": "Sao chép liên kết vào chủ đề", "Thread options": "Tùy chọn theo chủ đề", - "Mentions only": "Chỉ tin nhắn được đề cập", "Forget": "Quên", "View in room": "Xem phòng này", "Upload %(count)s other files": { @@ -1434,7 +1248,6 @@ "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.", - "Share location": "Chia sẻ vị trí", "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", @@ -1442,15 +1255,6 @@ "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", - "Rooms outside of a space": "Các phòng bên ngoài một space", - "Show all your rooms in Home, even if they're in a space.": "Hiển thị tất cả các phòng trong Home, ngay cả nếu chúng ở trong space.", - "Home is useful for getting an overview of everything.": "Home rất hữu ích để có cái nhìn tổng quan về mọi thứ.", - "Spaces to show": "Space để hiển thị", - "Sidebar": "Thanh bên", - "Share anonymous data to help us identify issues. Nothing personal. No third parties.": "Chia sẻ dữ liệu ẩn danh giúp chúng tôi xác định các sự cố. Không có thông tin cá nhân. Không có bên thứ ba.", - "This room is in some spaces you're not an admin of. In those spaces, the old room will still be shown, but people will be prompted to join the new one.": "Phòng này đang trong một số space mà bạn không phải là quản trị viên. Trong các space đó, phòng cũ vẫn sẽ được hiển thị, nhưng mọi người sẽ được thông báo để tham gia phòng mới.", - "Pin to sidebar": "Ghim vào sidebar", - "Quick settings": "Cài đặt nhanh", "Developer": "Nhà phát triển", "Experimental": "Thử nghiệm", "Themes": "Chủ đề", @@ -1496,77 +1300,34 @@ "You cancelled verification on your other device.": "Bạn đã hủy xác thực trên thiết bị khác của bạn.", "Almost there! Is your other device showing the same shield?": "Sắp xong rồi! Có phải thiết bị khác của bạn hiển thị cùng một lá chắn không?", "To proceed, please accept the verification request on your other device.": "Để tiến hành, vui lòng chấp nhận yêu cầu xác thực trên thiết bị khác của bạn.", - "Copy room link": "Sao chép liên kết phòng", - "Back to thread": "Quay lại luồng", - "Room members": "Thành viên phòng", - "Back to chat": "Quay lại trò chuyện", "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", - "You were disconnected from the call. (Error: %(message)s)": "Bạn bị mất kết nối đến cuộc gọi. (Lỗi: %(message)s)", - "Connection lost": "Mất kết nối", - "Failed to join": "Tham gia thất bại", - "The person who invited you has already left, or their server is offline.": "Người đã mời bạn vừa mới rời khỏi, hoặc thiết bị của họ đang ngoại tuyến.", - "The person who invited you has already left.": "Người đã mời bạn vừa mới rời khỏi.", - "Sorry, your homeserver is too old to participate here.": "Xin lỗi, homeserver của bạn quá cũ để tham gia vào đây.", - "There was an error joining.": "Đã xảy ra lỗi khi tham gia.", - "%(brand)s is experimental on a mobile web browser. For a better experience and the latest features, use our free native app.": "%(brand)s đang thử nghiệm trên trình duyệt web di động. Để có trải nghiệm tốt hơn và các tính năng mới nhất, hãy sử dụng ứng dụng gốc miễn phí của chúng tô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", - "Group all your people in one place.": "Đưa tất cả mọi người vào một chỗ.", - "Are you sure you want to sign out of %(count)s sessions?": { - "one": "Bạn có muốn đăng xuất %(count)s phiên?", - "other": "Bạn có muốn đăng xuất %(count)s phiên?" - }, - "Sessions": "Các phiên", "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", - "Backing up %(sessionsRemaining)s keys…": "Đang sao lưu %(sessionsRemaining)s khóa…", - "This session is backing up your keys.": "Phiên này đang sao lưu các khóa.", - "Add privileged users": "Thêm người dùng quyền lực", - "Saving…": "Đang lưu…", - "Creating…": "Đang tạo…", - "%(count)s people joined": { - "one": "%(count)s người đã tham gia", - "other": "%(count)s người đã tham gia" - }, - "Sorry — this call is currently full": "Xin lỗi — cuộc gọi này đang đầy", "Secure Backup successful": "Sao lưu bảo mật thành công", "unknown": "không rõ", - "Red": "Đỏ", - "Grey": "Xám", - "Yes, it was me": "Đó là tôi", - "You have unverified sessions": "Bạn có các phiên chưa được xác thực", - "If you know a room address, try joining through that instead.": "Nếu bạn biết địa chỉ phòng, hãy dùng nó để tham gia.", - "Unknown room": "Phòng không xác định", "Starting export process…": "Bắt đầu trích xuất…", "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", - "For best security, verify your sessions and sign out from any session that you don't recognize or use anymore.": "Để bảo mật nhất, hãy xác thực các phiên và đăng xuất khỏi phiên nào bạn không nhận ra hay dùng nữa.", "%(errorMessage)s (HTTP status %(httpStatus)s)": "%(errorMessage)s (Trạng thái HTTP %(httpStatus)s)", "Unknown password change error (%(stringifiedError)s)": "Lỗi không xác định khi đổi mật khẩu (%(stringifiedError)s)", - "Ignore (%(counter)s)": "Ẩn (%(counter)s)", - "Match system": "Theo hệ thống", - "Search users in this room…": "Tìm người trong phòng…", - "Give one or multiple users in this room more privileges": "Cho người trong phòng này nhiều quyền hơn", "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ô", - "An error occurred when updating your notification preferences. Please try to toggle your option again.": "Một lỗi đã xảy ra khi cập nhật tùy chọn thông báo của bạn. Hãy thử làm lại.", "Some results may be hidden for privacy": "Một số kết quả có thể bị ẩn để đảm bảo quyền riêng tư", - "Verify Session": "Xác thực phiên", "Your account details are managed separately at %(hostname)s.": "Thông tin tài khoản bạn được quản lý riêng ở %(hostname)s.", "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", - "Connecting to integration manager…": "Đang kết nối tới quản lý tích hợp…", - "You attempted to join using a room ID without providing a list of servers to join through. Room IDs are internal identifiers and cannot be used to join a room without additional information.": "Bạn tìm cách tham gia một phòng bằng định danh (ID) phòng nhưng không cung cấp danh sách các máy chủ để tham gia qua. Định danh phòng là nội bộ và không thể được dùng để tham gia phòng mà không có thông tin thêm.", "%(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ệ.", @@ -1588,7 +1349,6 @@ "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", - "Your language": "Ngôn ngữ của bạn", "%(count)s participants": { "one": "1 người tham gia", "other": "%(count)s người tham gia" @@ -1619,7 +1379,6 @@ "Hide formatting": "Ẩn định dạng", "The beginning of the room": "Bắt đầu phòng", "Poll": "Bỏ phiếu", - "Ongoing call": "Cuộc gọi hiện thời", "Joining…": "Đang tham gia…", "Pinned": "Đã ghim", "Open room": "Mở phòng", @@ -1647,15 +1406,12 @@ }, "Joining space…": "Đang tham gia space…", "Joining room…": "Đang tham gia phòng…", - "There's no one here to call": "Không có ai ở đây để gọi", - "You do not have permission to start voice calls": "Bạn không có quyền để bắt đầu cuộc gọi", "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", - "You do not have permission to start video calls": "Bạn không có quyền để bắt đầu cuộc gọi truyền hình", "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", @@ -1668,12 +1424,10 @@ "Waiting for partner to confirm…": "Đang đợi bên kia xác nhận…", "Enable '%(manageIntegrations)s' in Settings to do this.": "Bật '%(manageIntegrations)s' trong cài đặt để thực hiện.", "Answered elsewhere": "Trả lời ở nơi khác", - "View related event": "Xem sự kiện liên quan", "Unable to find profiles for the Matrix IDs listed below - would you like to start a DM anyway?": "Không thể tìm hồ sơ cho định danh Matrix được liệt kê - bạn có muốn tiếp tục tạo phòng nhắn tin riêng?", "Other options": "Lựa chọn khác", "Input devices": "Thiết bị đầu vào", "Output devices": "Thiết bị đầu ra", - "Mark as read": "Đánh dấu đã đọc", "%(count)s Members": { "one": "%(count)s thành viên", "other": "%(count)s thành viên" @@ -1687,12 +1441,6 @@ "Show spaces": "Hiện spaces", "%(securityKey)s or %(recoveryFile)s": "%(securityKey)s hay %(recoveryFile)s", "Cameras": "Máy quay", - "Match default setting": "Theo cài đặt mặc định", - "Mute room": "Tắt tiếng phòng", - "Failed to download source media, no source url was found": "Tải xuống phương tiện nguồn thất bại, không tìm thấy nguồn url", - "Spaces are ways to group rooms and people. Alongside the spaces you're in, you can use some pre-built ones too.": "Không gian là cách để nhóm phòng và người. Bên cạnh các không gian bạn đang ở, bạn cũng có thể sử dụng một số không gian đã được xây dựng sẵn.", - "Group all your rooms that aren't part of a space in one place.": "Nhóm tất cả các phòng của bạn mà không phải là một phần của không gian ở một nơi.", - "Group all your favourite rooms and people in one place.": "Nhóm tất cả các phòng và người mà bạn yêu thích ở một nơi.", "Past polls": "Các cuộc bỏ phiếu trước", "Active polls": "Các cuộc bỏ phiếu hiện tại", "unavailable": "không có sẵn", @@ -1709,8 +1457,6 @@ "You will not be able to reactivate your account": "Bạn sẽ không thể kích hoạt lại tài khoản của bạn", "You will no longer be able to log in": "Bạn sẽ không thể đăng nhập lại", "Location": "Vị trí", - "Your device ID": "Định danh thiết bị của bạn", - "Un-maximise": "Hủy thu nhỏ", "This address does not point at this room": "Địa chỉ này không trỏ đến phòng này", "Choose a locale": "Chọn vùng miền", "Coworkers and teams": "Đồng nghiệp và nhóm", @@ -1731,21 +1477,16 @@ "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…", - "Image view": "Xem ảnh", - "People cannot join unless access is granted.": "Người khác không thể tham gia khi chưa có phép.", "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", - "Failed to cancel": "Không hủy được", "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", - "Ask to join": "Yêu cầu để tham gia", "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", - "You need an invite to access this room.": "Bạn cần được mời để truy cập phòng này.", "common": { "about": "Giới thiệu", "analytics": "Về dữ liệu phân tích", @@ -1840,7 +1581,15 @@ "off": "Tắt", "all_rooms": "Tất cả các phòng", "deselect_all": "Bỏ chọn tất cả", - "select_all": "Chọn tất cả" + "select_all": "Chọn tất cả", + "copied": "Đã sao chép!", + "advanced": "Nâng cao", + "spaces": "Không gian", + "general": "Tổng quát", + "saving": "Đang lưu…", + "profile": "Hồ sơ", + "display_name": "Tên hiển thị", + "user_avatar": "Ảnh đại diện" }, "action": { "continue": "Tiếp tục", @@ -1943,7 +1692,10 @@ "clear": "Xoá", "exit_fullscreeen": "Thoát toàn màn hình", "enter_fullscreen": "Vào toàn màn hình", - "unban": "Bỏ cấm" + "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" }, "a11y": { "user_menu": "Menu người dùng", @@ -1955,7 +1707,8 @@ "one": "1 tin chưa đọc.", "other": "%(count)s tin nhắn chưa đọc." }, - "unread_messages": "Các 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." }, "labs": { "video_rooms": "Phòng video", @@ -2122,7 +1875,6 @@ "user_a11y": "Người dùng tự động hoàn thành" } }, - "Bold": "In đậm", "Link": "Liên kết", "Code": "Mã", "power_level": { @@ -2224,7 +1976,8 @@ "intro_byline": "Sở hữu các cuộc trò chuyện của bạn.", "send_dm": "Gửi tin nhắn trực tiếp", "explore_rooms": "Khám phá các phòng chung", - "create_room": "Tạo một cuộc trò chuyện nhóm" + "create_room": "Tạo một cuộc trò chuyện nhóm", + "create_account": "Tạo tài khoản" }, "settings": { "show_breadcrumbs": "Hiển thị shortcuts cho các phòng đã xem gần đây phía trên danh sách phòng", @@ -2291,7 +2044,10 @@ "noisy": "Bật âm", "error_permissions_denied": "%(brand)s chưa có quyền để gửi thông báo cho bạn - vui lòng kiểm tra thiết lập trình duyệt", "error_permissions_missing": "%(brand)s vẫn chưa được cấp quyền để gửi thông báo - vui lòng thử lại", - "error_title": "Không thể bật thông báo" + "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." }, "appearance": { "layout_irc": "IRC (thử nghiệm)", @@ -2365,7 +2121,44 @@ "cryptography_section": "Mã hóa bảo mật", "session_id": "Định danh (ID) phiên:", "session_key": "Khóa phiên:", - "encryption_section": "Mã hóa" + "encryption_section": "Mã hóa", + "bulk_options_section": "Tùy chọn hàng loạt", + "bulk_options_accept_all_invites": "Chấp nhận tất cả các lời mời từ %(invitedRooms)s", + "bulk_options_reject_all_invites": "Từ chối tất cả lời mời từ %(invitedRooms)s", + "message_search_section": "Tìm kiếm tin nhắn", + "analytics_subsection_description": "Chia sẻ dữ liệu ẩn danh giúp chúng tôi xác định các sự cố. Không có thông tin cá nhân. Không có bên thứ ba.", + "encryption_individual_verification_mode": "Xác thực riêng từng phiên được người dùng sử dụng để đánh dấu phiên đó là đáng tin cậy, không tin cậy vào các thiết bị được xác thực chéo.", + "message_search_enabled": { + "one": "Lưu trữ cục bộ an toàn các tin nhắn đã được mã hóa để chúng xuất hiện trong các kết quả tìm kiếm, sử dụng %(size)s để lưu trữ các tin nhắn từ %(rooms)s phòng.", + "other": "Lưu trữ an toàn các tin nhắn đã được mã hóa trên thiết bị để chúng xuất hiện trong các kết quả tìm kiếm, sử dụng %(size)s để lưu trữ các tin nhắn từ các %(rooms)s phòng." + }, + "message_search_disabled": "Bộ nhớ cache an toàn các tin nhắn được mã hóa cục bộ để chúng xuất hiện trong kết quả tìm kiếm.", + "message_search_unsupported": "%(brand)s thiếu một số thành phần thiết yếu để lưu trữ cục bộ an toàn các tin nhắn được mã hóa. Nếu bạn muốn thử nghiệm với tính năng này, hãy dựng một bản %(brand)s tùy chỉnh cho máy tính có thêm các thành phần để tìm kiếm.", + "message_search_unsupported_web": "%(brand)s không thể lưu trữ cục bộ an toàn các tin nhắn được mã hóa khi đang chạy trong trình duyệt web. Sử dụng %(brand)s cho máy tính để các tin nhắn được mã hóa xuất hiện trong kết quả tìm kiếm.", + "message_search_failed": "Khởi tạo tìm kiếm tin nhắn không thành công", + "backup_key_well_formed": "được hình thành một cách hoàn hảo", + "backup_key_unexpected_type": "loại bất ngờ", + "backup_keys_description": "Sao lưu các khóa mã hóa với dữ liệu tài khoản của bạn trong trường hợp bạn mất quyền truy cập vào các phiên của mình. Các khóa của bạn sẽ được bảo mật bằng Khóa bảo mật duy nhất.", + "backup_key_stored_status": "Lưu trữ hóa được sao lưu:", + "cross_signing_not_stored": "không được lưu trữ", + "backup_key_cached_status": "Đệm các khóa được sao lưu:", + "4s_public_key_status": "Khóa công khai lưu trữ bí mật:", + "4s_public_key_in_account_data": "trong dữ liệu tài khoản", + "secret_storage_status": "Lưu trữ bí mật:", + "secret_storage_ready": "Sẵn sàng", + "secret_storage_not_ready": "chưa sẵn sàng", + "delete_backup": "Xóa Sao lưu", + "delete_backup_confirm_description": "Bạn có chắc không? Bạn sẽ mất các tin nhắn được mã hóa nếu các khóa của bạn không được sao lưu đúng cách.", + "error_loading_key_backup_status": "Không thể tải trạng thái sao lưu khóa", + "restore_key_backup": "Khôi phục từ Sao lưu", + "key_backup_active": "Phiên này đang sao lưu các khóa.", + "key_backup_inactive": "Phiên này đang không sao lưu các khóa, nhưng bạn có một bản sao lưu hiện có, bạn có thể khôi phục và thêm vào để về sau.", + "key_backup_connect_prompt": "Kết nối phiên này với máy chủ sao lưu khóa trước khi đăng xuất để tránh mất bất kỳ khóa nào có thể chỉ có trong phiên này.", + "key_backup_connect": "Kết nối phiên này với Khóa Sao lưu", + "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." }, "preferences": { "room_list_heading": "Danh sách phòng", @@ -2478,7 +2271,13 @@ "other": "Đăng xuất các thiết bị" }, "security_recommendations": "Đề xuất bảo mật", - "security_recommendations_description": "Tăng cường bảo mật cho tài khoản bằng cách làm theo các đề xuất này." + "security_recommendations_description": "Tăng cường bảo mật cho tài khoản bằng cách làm theo các đề xuất này.", + "title": "Các phiên", + "sign_out_confirm_description": { + "one": "Bạn có muốn đăng xuất %(count)s phiên?", + "other": "Bạn có muốn đăng xuất %(count)s phiên?" + }, + "other_sessions_subsection_description": "Để bảo mật nhất, hãy xác thực các phiên và đăng xuất khỏi phiên nào bạn không nhận ra hay dùng nữa." }, "general": { "oidc_manage_button": "Quản lý tài khoản", @@ -2497,7 +2296,22 @@ "add_msisdn_confirm_sso_button": "Xác nhận thêm số điện thoại này bằng cách sử dụng Đăng Nhập Một Lần để chứng minh danh tính của bạn.", "add_msisdn_confirm_button": "Xác nhận thêm số điện thoại", "add_msisdn_confirm_body": "Nhấn vào nút dưới đây để xác nhận thêm số điện thoại này.", - "add_msisdn_dialog_title": "Thêm Số Điện Thoại" + "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" + }, + "sidebar": { + "title": "Thanh bên", + "metaspaces_subsection": "Space để hiển thị", + "metaspaces_description": "Không gian là cách để nhóm phòng và người. Bên cạnh các không gian bạn đang ở, bạn cũng có thể sử dụng một số không gian đã được xây dựng sẵn.", + "metaspaces_home_description": "Home rất hữu ích để có cái nhìn tổng quan về mọi thứ.", + "metaspaces_favourites_description": "Nhóm tất cả các phòng và người mà bạn yêu thích ở một nơi.", + "metaspaces_people_description": "Đưa tất cả mọi người vào một chỗ.", + "metaspaces_orphans": "Các phòng bên ngoài một space", + "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" } }, "devtools": { @@ -2943,7 +2757,15 @@ "user": "%(senderName)s đã kết thúc một cuộc phát thanh" }, "creation_summary_dm": "%(creator)s đã tạo DM này.", - "creation_summary_room": "%(creator)s đã tạo và định cấu hình phòng." + "creation_summary_room": "%(creator)s đã tạo và định cấu hình phòng.", + "context_menu": { + "view_source": "Xem nguồn", + "show_url_preview": "Hiển thị bản xem trước", + "external_url": "URL nguồn", + "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" + } }, "slash_command": { "spoiler": "Đánh dấu tin nhắn chỉ định thành một tin nhắn ẩn", @@ -3146,10 +2968,28 @@ "failed_call_live_broadcast_title": "Không thể bắt đầu cuộc gọi", "failed_call_live_broadcast_description": "Bạn không thể bắt đầu gọi vì bạn đang ghi âm để cuộc phát thanh trực tiếp. Hãy ngừng phát thanh để bắt đầu gọi.", "no_media_perms_title": "Không có quyền sử dụng công cụ truyền thông", - "no_media_perms_description": "Bạn có thể cần phải cho phép %(brand)s truy cập vào micrô/webcam của mình theo cách thủ công" + "no_media_perms_description": "Bạn có thể cần phải cho phép %(brand)s truy cập vào micrô/webcam của mình theo cách thủ công", + "call_toast_unknown_room": "Phòng không xác định", + "join_button_tooltip_connecting": "Đang kết nối", + "join_button_tooltip_call_full": "Xin lỗi — cuộc gọi này đang đầy", + "hide_sidebar_button": "Ẩn thanh bên", + "show_sidebar_button": "Hiển thị thanh bên", + "more_button": "Thêm", + "screenshare_monitor": "Chia sẻ toàn bộ màn hình", + "screenshare_window": "Cửa sổ ứng dụng", + "screenshare_title": "Chia sẻ nội dung", + "disabled_no_perms_start_voice_call": "Bạn không có quyền để bắt đầu cuộc gọi", + "disabled_no_perms_start_video_call": "Bạn không có quyền để bắt đầu cuộc gọi truyền hình", + "disabled_ongoing_call": "Cuộc gọi hiện thời", + "disabled_no_one_here": "Không có ai ở đây để gọi", + "n_people_joined": { + "one": "%(count)s người đã tham gia", + "other": "%(count)s người đã tham gia" + }, + "unknown_person": "người không rõ", + "connecting": "Đang kết nối" }, "Other": "Khác", - "Advanced": "Nâng cao", "room_settings": { "permissions": { "m.room.avatar_space": "Đổi ảnh đại diện của không gian", @@ -3189,7 +3029,10 @@ "title": "Vai trò & Quyền", "permissions_section": "Quyền hạn", "permissions_section_description_space": "Chọn các vai trò cần thiết để thay đổi các phần khác nhau trong space", - "permissions_section_description_room": "Chọn vai trò được yêu cầu để thay đổi thiết lập của phòng" + "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…" }, "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", @@ -3216,7 +3059,35 @@ "history_visibility_shared": "Chỉ dành cho thành viên (từ thời điểm chọn thiết lập này)", "history_visibility_invited": "Chỉ dành cho thành viên (từ thời điểm được mời)", "history_visibility_joined": "Chỉ dành cho thành viên (từ thời điểm tham gia)", - "history_visibility_world_readable": "Bất kỳ ai" + "history_visibility_world_readable": "Bất kỳ ai", + "join_rule_upgrade_required": "Yêu cầu nâng cấp", + "join_rule_restricted_n_more": { + "one": "& %(count)s thêm", + "other": "& %(count)s thêm" + }, + "join_rule_restricted_summary": { + "one": "Hiện tại, một space có quyền truy cập", + "other": "Hiện tại, %(count)s spaces có quyền truy cập" + }, + "join_rule_restricted_description": "Bất kỳ ai trong một space đều có thể tìm và tham gia. Chỉnh sửa space nào có thể truy cập tại đây. Edit which spaces can access here.", + "join_rule_restricted_description_spaces": "Các Space có quyền truy cập", + "join_rule_restricted_description_active_space": "Bất cứ ai trong có thể tìm và tham gia. Bạn cũng có thể chọn các space khác.", + "join_rule_restricted_description_prompt": "Bất kỳ ai trong một space đều có thể tìm và tham gia. Bạn có thể chọn nhiều khoảng trắng.", + "join_rule_restricted": "Thành viên space", + "join_rule_knock": "Yêu cầu để tham gia", + "join_rule_knock_description": "Người khác không thể tham gia khi chưa có phép.", + "join_rule_restricted_upgrade_warning": "Phòng này đang trong một số space mà bạn không phải là quản trị viên. Trong các space đó, phòng cũ vẫn sẽ được hiển thị, nhưng mọi người sẽ được thông báo để tham gia phòng mới.", + "join_rule_restricted_upgrade_description": "Nâng cấp này sẽ cho phép các thành viên của các space đã chọn vào phòng này mà không cần lời mời.", + "join_rule_upgrade_upgrading_room": "Đang nâng cấp phòng", + "join_rule_upgrade_awaiting_room": "Đang tải phòng mới", + "join_rule_upgrade_sending_invites": { + "one": "Đang gửi lời mời…", + "other": "Đang gửi lời mời... (%(progress)s trên %(count)s)" + }, + "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)" + } }, "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?", @@ -3226,7 +3097,11 @@ "default_url_previews_off": "Xem trước URL bị tắt theo mặc định đối với những người tham gia trong phòng này.", "url_preview_encryption_warning": "Trong các phòng được mã hóa, như phòng này, tính năng xem trước URL bị tắt theo mặc định để đảm bảo rằng máy chủ của bạn (nơi tạo bản xem trước) không thể thu thập thông tin về các liên kết mà bạn nhìn thấy trong phòng này.", "url_preview_explainer": "Khi ai đó đặt URL trong tin nhắn của họ, bản xem trước URL có thể được hiển thị để cung cấp thêm thông tin về liên kết đó như tiêu đề, mô tả và hình ảnh từ trang web.", - "url_previews_section": "Xem trước URL" + "url_previews_section": "Xem trước URL", + "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" }, "advanced": { "unfederated": "Phòng này không thể truy cập từ xa bằng máy chủ Matrix", @@ -3238,6 +3113,24 @@ "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:" + }, + "delete_avatar_label": "Xoá ảnh đại diện", + "upload_avatar_label": "Tải lên hình đại diện", + "visibility": { + "error_update_guest_access": "Không cập nhật được quyền truy cập của khách vào space này", + "error_update_history_visibility": "Không cập nhật được chế độ hiển thị lịch sử của space này", + "guest_access_explainer": "Khách có thể tham gia space mà không cần có tài khoản.", + "guest_access_explainer_public_space": "Điều này có thể hữu ích cho space công cộng.", + "title": "Hiển thị", + "error_failed_save": "Không cập nhật được khả năng hiển thị của space này", + "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" + }, + "access": { + "title": "Truy cập", + "description_space": "Lựa chọn ai được xem và tham gia %(spaceName)s." } }, "encryption": { @@ -3264,7 +3157,15 @@ "waiting_other_device_details": "Đang chờ bạn xác thực trên thiết bị khác của bạn, %(deviceName)s (%(deviceId)s)…", "waiting_other_device": "Đang chờ bạn xác thực trên thiết bị khác của bạn…", "waiting_other_user": "Đang đợi %(displayName)s xác thực…", - "cancelling": "Đang hủy…" + "cancelling": "Đang hủy…", + "unverified_sessions_toast_title": "Bạn có các phiên chưa được xác thực", + "unverified_sessions_toast_description": "Xem lại để đảm bảo tài khoản của bạn an toàn", + "unverified_sessions_toast_reject": "Để sau", + "unverified_session_toast_title": "Đăng nhập mới. Đây có phải là bạn không?", + "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" }, "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.", @@ -3274,7 +3175,18 @@ "bootstrap_title": "Đang thiết lập khóa bảo mật", "export_unsupported": "Trình duyệt của bạn không hỗ trợ chức năng mã hóa", "import_invalid_keyfile": "Tệp khóa %(brand)s không hợp lệ", - "import_invalid_passphrase": "Kiểm tra đăng nhập thất bại: sai mật khẩu?" + "import_invalid_passphrase": "Kiểm tra đăng nhập thất bại: sai mật khẩu?", + "set_up_toast_title": "Thiết lập Sao lưu Bảo mật", + "upgrade_toast_title": "Nâng cấp mã hóa có sẵn", + "verify_toast_title": "Xác thực phiên này", + "set_up_toast_description": "Bảo vệ chống mất quyền truy cập vào tin nhắn và dữ liệu được mã hóa", + "verify_toast_description": "Những người dùng khác có thể không tin tưởng nó", + "cross_signing_unsupported": "Máy chủ của bạn không hỗ trợ xác thực chéo.", + "cross_signing_ready": "Xác thực chéo đã sẵn sàng để sử dụng.", + "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": "" }, "emoji": { "category_frequently_used": "Thường xuyên sử dụng", @@ -3297,7 +3209,8 @@ "bullet_1": "Chúng tôi không thu thập hoặc lập hồ sơ bất kỳ dữ liệu tài khoản nào", "bullet_2": "Chúng tôi không chia sẻ thông tin với các bên thứ ba", "disable_prompt": "Bạn có thể tắt tính năng này bất cứ lúc nào trong cài đặt", - "accept_button": "Không sao cả" + "accept_button": "Không sao cả", + "shared_data_heading": "Bất kỳ dữ liệu nào sau đây đều có thể được chia sẻ:" }, "chat_effects": { "confetti_description": "Gửi tin nhắn đã cho với hoa giấy", @@ -3440,7 +3353,8 @@ "no_hs_url_provided": "Không có đường dẫn server", "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." + "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" }, "room_list": { "sort_unread_first": "Hiển thị các phòng có tin nhắn chưa đọc trước", @@ -3560,7 +3474,36 @@ "error_need_to_be_logged_in": "Bạn phải đăng nhập.", "error_need_invite_permission": "Bạn cần mời được người dùng thì mới làm vậy được.", "error_need_kick_permission": "Bạn phải đuổi được người dùng thì mới làm vậy được.", - "no_name": "Ứng dụng không xác định" + "no_name": "Ứng dụng không xác định", + "error_hangup_title": "Mất kết nối", + "error_hangup_description": "Bạn bị mất kết nối đến cuộc gọi. (Lỗi: %(message)s)", + "context_menu": { + "start_audio_stream": "Bắt đầu luồng âm thanh", + "screenshot": "Chụp ảnh", + "delete": "Xóa Widget", + "delete_warning": "Xóa tiện ích widget sẽ xóa tiện ích widget đó cho tất cả người dùng khác trong phòng này. Bạn có chắc chắn muốn xóa tiện ích widget này không?", + "remove": "Xóa cho mọi người", + "revoke": "Thu hồi quyền", + "move_left": "Di chuyển sang trái", + "move_right": "Đi sang phải" + }, + "shared_data_name": "Tên hiển thị của bạn", + "shared_data_mxid": "ID người dùng của bạn", + "shared_data_device_id": "Định danh thiết bị của bạn", + "shared_data_theme": "Chủ đề của bạn", + "shared_data_lang": "Ngôn ngữ của bạn", + "shared_data_url": "%(brand)s URL", + "shared_data_room_id": "ID phòng", + "shared_data_widget_id": "Widget ID", + "shared_data_warning_im": "Sử dụng tiện ích này có thể chia sẻ dữ liệu với %(widgetDomain)s và trình quản lý tích hợp của bạn.", + "shared_data_warning": "Sử dụng tiện ích này có thể chia sẻ dữ liệu với %(widgetDomain)s.", + "unencrypted_warning": "Các widget không sử dụng mã hóa tin nhắn.", + "added_by": "widget được thêm bởi", + "cookie_warning": "Tiện ích này có thể sử dụng cookie.", + "error_loading": "Lỗi khi tải widget", + "error_mixed_content": "Lỗi - Nội dung hỗn hợp", + "unmaximise": "Hủy thu nhỏ", + "popout": "Tiện ích bật ra" }, "feedback": { "sent": "Đã gửi phản hồi", @@ -3654,7 +3597,8 @@ "empty_heading": "Giữ các cuộc thảo luận được tổ chức với các chủ đề này" }, "theme": { - "light_high_contrast": "Độ tương phản ánh sáng cao" + "light_high_contrast": "Độ tương phản ánh sáng cao", + "match_system": "Theo hệ thống" }, "space": { "landing_welcome": "Chào mừng đến với ", @@ -3669,9 +3613,14 @@ "context_menu": { "devtools_open_timeline": "Xem dòng thời gian phòng (devtools)", "explore": "Khám phá các phòng", - "manage_and_explore": "Quản lý và khám phá phòng" + "manage_and_explore": "Quản lý và khám phá phòng", + "options": "Tùy chọn space" }, - "share_public": "Chia sẻ space công cộng của bạn" + "share_public": "Chia sẻ space công cộng của bạn", + "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" }, "location_sharing": { "MapStyleUrlNotConfigured": "Homeserver này không được cấu hình để hiển thị bản đồ.", @@ -3688,7 +3637,8 @@ "failed_timeout": "Tìm vị trí của bạn mất quá lâu. Hãy thử lại sau.", "failed_unknown": "Lỗi không xác định khi tìm vị trí của bạn. Hãy thử lại sau.", "expand_map": "Mở rộng bản đồ", - "failed_load_map": "Không thể tải bản đồ" + "failed_load_map": "Không thể tải bản đồ", + "share_button": "Chia sẻ vị trí" }, "labs_mjolnir": { "room_name": "Danh sách Cấm của tôi", @@ -3724,7 +3674,6 @@ }, "create_space": { "name_required": "Vui lòng nhập tên cho Space", - "name_placeholder": "ví dụ như my-space", "explainer": "Space là một cách mới để nhóm các phòng và mọi người. Loại space nào bạn muốn tạo? Bạn có thể thay đổi sau.", "public_description": "Tạo space cho mọi người, tốt nhất cho cộng đồng", "private_description": "Chỉ mời, tốt nhất cho bản thân hoặc các đội", @@ -3752,11 +3701,17 @@ "setup_rooms_community_heading": "Một số điều bạn muốn thảo luận trong %(spaceName)s là gì?", "setup_rooms_community_description": "Hãy tạo một phòng cho mỗi người trong số họ.", "setup_rooms_description": "Bạn cũng có thể thêm nhiều hơn sau, bao gồm cả những cái đã có.", - "setup_rooms_private_heading": "Nhóm của bạn đang thực hiện các dự án nào?" + "setup_rooms_private_heading": "Nhóm của bạn đang thực hiện các dự án nào?", + "address_placeholder": "ví dụ như my-space", + "address_label": "Địa chỉ", + "label": "Tạo một Space", + "add_details_prompt_2": "Bạn có thể thay đổi những điều này bất cứ lúc nào.", + "creating": "Đang tạo…" }, "user_menu": { "switch_theme_light": "Chuyển sang chế độ ánh sáng", - "switch_theme_dark": "Chuyển sang chế độ tối" + "switch_theme_dark": "Chuyển sang chế độ tối", + "settings": "Tất cả cài đặt" }, "notif_panel": { "empty_heading": "Tất cả các bạn đều bị bắt", @@ -3792,7 +3747,28 @@ "leave_error_title": "Lỗi khi rời khỏi phòng", "upgrade_error_title": "Lỗi khi nâng cấp phòng", "upgrade_error_description": "Kiểm tra kỹ xem máy chủ của bạn có hỗ trợ phiên bản phòng đã chọn hay không và thử lại.", - "leave_server_notices_description": "Phòng này được sử dụng cho các tin nhắn quan trọng từ máy chủ, vì vậy bạn không thể rời khỏi nó." + "leave_server_notices_description": "Phòng này được sử dụng cho các tin nhắn quan trọng từ máy chủ, vì vậy bạn không thể rời khỏi nó.", + "error_join_connection": "Đã xảy ra lỗi khi tham gia.", + "error_join_incompatible_version_1": "Xin lỗi, homeserver của bạn quá cũ để tham gia vào đây.", + "error_join_incompatible_version_2": "Vui lòng liên hệ quản trị viên homeserver của bạn.", + "error_join_404_invite_same_hs": "Người đã mời bạn vừa mới rời khỏi.", + "error_join_404_invite": "Người đã mời bạn vừa mới rời khỏi, hoặc thiết bị của họ đang ngoại tuyến.", + "error_join_404_1": "Bạn tìm cách tham gia một phòng bằng định danh (ID) phòng nhưng không cung cấp danh sách các máy chủ để tham gia qua. Định danh phòng là nội bộ và không thể được dùng để tham gia phòng mà không có thông tin thêm.", + "error_join_404_2": "Nếu bạn biết địa chỉ phòng, hãy dùng nó để tham gia.", + "error_join_title": "Tham gia thất bại", + "error_join_403": "Bạn cần được mời để truy cập phòng này.", + "error_cancel_knock_title": "Không hủy được", + "context_menu": { + "unfavourite": "Được yêu thích", + "favourite": "Yêu thích", + "mentions_only": "Chỉ tin nhắn được đề cập", + "copy_link": "Sao chép liên kết phòng", + "low_priority": "Ưu tiên thấp", + "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" + } }, "file_panel": { "guest_note": "Bạn phải đăng ký register để sử dụng chức năng này", @@ -3812,7 +3788,8 @@ "tac_button": "Xem lại các điều khoản và điều kiện", "identity_server_no_terms_title": "Máy chủ định danh này không có điều khoản dịch vụ", "identity_server_no_terms_description_1": "Hành động này yêu cầu truy cập máy chủ định danh mặc định để xác thực địa chỉ thư điện tử hoặc số điện thoại, nhưng máy chủ không có bất kỳ điều khoản dịch vụ nào.", - "identity_server_no_terms_description_2": "Chỉ tiếp tục nếu bạn tin tưởng chủ sở hữu máy chủ." + "identity_server_no_terms_description_2": "Chỉ tiếp tục nếu bạn tin tưởng chủ sở hữu máy chủ.", + "inline_intro_text": "Chấp nhận để tiếp tục:" }, "space_settings": { "title": "Cài đặt - %(spaceName)s" @@ -3903,7 +3880,14 @@ "sync": "Không kết nối được với máy chủ nhà. Đang thử lại…", "connection": "Đã xảy ra sự cố khi giao tiếp với máy chủ, vui lòng thử lại sau.", "mixed_content": "Không thể kết nối với máy chủ thông qua HTTP khi URL HTTPS nằm trong thanh trình duyệt của bạn. Sử dụng HTTPS hoặc bật các tập lệnh không an toàn enable unsafe scripts.", - "tls": "Không thể kết nối với máy chủ - vui lòng kiểm tra kết nối của bạn, đảm bảo rằng chứng chỉ SSL của máy chủ nhà homeserver's SSL certificate của bạn được tin cậy và tiện ích mở rộng của trình duyệt không chặn các yêu cầu." + "tls": "Không thể kết nối với máy chủ - vui lòng kiểm tra kết nối của bạn, đảm bảo rằng chứng chỉ SSL của máy chủ nhà homeserver's SSL certificate của bạn được tin cậy và tiện ích mở rộng của trình duyệt không chặn các yêu cầu.", + "admin_contact_short": "Liên hệ với quản trị viên máy chủ của bạn.", + "non_urgent_echo_failure_toast": "Máy chủ của bạn không phản hồi một số yêu cầu requests.", + "failed_copy": "Sao chép không thành công", + "something_went_wrong": "Đã xảy ra lỗi!", + "download_media": "Tải xuống phương tiện nguồn thất bại, không tìm thấy nguồn url", + "update_power_level": "Không thay đổi được mức công suất", + "unknown": "Lỗi không thể nhận biết" }, "in_space1_and_space2": "Trong các space %(space1Name)s và %(space2Name)s.", "in_space_and_n_other_spaces": { @@ -3911,5 +3895,52 @@ "other": "Trong %(spaceName)s và %(count)s space khác." }, "in_space": "Trong space %(spaceName)s.", - "name_and_id": "%(name)s (%(userId)s)" + "name_and_id": "%(name)s (%(userId)s)", + "items_and_n_others": { + "other": " và %(count)s mục khác", + "one": " và một mục khác" + }, + "notifications": { + "enable_prompt_toast_title_from_message_send": "Đừng bỏ lỡ một câu trả lời", + "enable_prompt_toast_title": "Thông báo", + "enable_prompt_toast_description": "Bật thông báo trên màn hình", + "colour_none": "Không có", + "colour_bold": "In đậm", + "colour_grey": "Xám", + "colour_red": "Đỏ", + "colour_unsent": "Chưa gửi", + "error_change_title": "Thay đổi cài đặt thông báo", + "mark_all_read": "Đánh dấu tất cả đã đọc", + "keyword": "Từ khóa", + "keyword_new": "Từ khóa mới", + "class_global": "Toàn cầu", + "class_other": "Khác", + "mentions_keywords": "Đề cập & từ khóa" + }, + "mobile_guide": { + "toast_title": "Sử dụng ứng dụng để có trải nghiệm tốt hơn", + "toast_description": "%(brand)s đang thử nghiệm trên trình duyệt web di động. Để có trải nghiệm tốt hơn và các tính năng mới nhất, hãy sử dụng ứng dụng gốc miễn phí của chúng tôi.", + "toast_accept": "Sử dụng ứng dụng" + }, + "chat_card_back_action_label": "Quay lại trò chuyện", + "room_summary_card_back_action_label": "Thông tin phòng", + "member_list_back_action_label": "Thành viên phòng", + "thread_view_back_action_label": "Quay lại luồng", + "quick_settings": { + "title": "Cài đặt nhanh", + "all_settings": "Tất cả cài đặt", + "metaspace_section": "Ghim vào sidebar", + "sidebar_settings": "Thêm tùy chọn" + }, + "lightbox": { + "title": "Xem ảnh", + "rotate_left": "Xoay trái", + "rotate_right": "Xoay phải" + }, + "a11y_jump_first_unread_room": "Chuyển đến phòng chưa đọc đầu tiên.", + "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." + } } diff --git a/src/i18n/strings/vls.json b/src/i18n/strings/vls.json index 46825393f4..78ce71debe 100644 --- a/src/i18n/strings/vls.json +++ b/src/i18n/strings/vls.json @@ -30,12 +30,7 @@ "Restricted": "Beperkten toegank", "Moderator": "Moderator", "Reason": "Reedn", - " and %(count)s others": { - "other": " en %(count)s andere", - "one": " en één ander" - }, "%(items)s and %(lastItem)s": "%(items)s en %(lastItem)s", - "Please contact your homeserver administrator.": "Gelieve contact ip te neemn me den beheerder van je thuusserver.", "Dog": "Hound", "Cat": "Katte", "Lion": "Leeuw", @@ -98,7 +93,6 @@ "Anchor": "Anker", "Headphones": "Koptelefong", "Folder": "Mappe", - "No display name": "Geen weergavenoame", "Warning!": "Let ip!", "Authentication": "Authenticoasje", "Failed to set display name": "Instelln van weergavenoame es mislukt", @@ -110,35 +104,20 @@ "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", - "Delete Backup": "Back-up verwydern", - "Are you sure? You will lose your encrypted messages if your keys are not backed up properly.": "Zy je zeker? Je goa je versleuterde berichtn kwytspeeln a je sleuters nie correct geback-upt zyn.", "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.", - "Unable to load key backup status": "Kostege de sleuterback-upstatus nie loadn", - "Restore from Backup": "Herstelln uut back-up", - "All keys backed up": "Alle sleuters zyn geback-upt", "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", - "Notification targets": "Meldiengsbestemmiengn", "Unable to verify phone number.": "Kostege de telefongnumero nie verifieern.", "Incorrect verification code": "Onjuste verificoasjecode", "Verification code": "Verificoasjecode", "Phone Number": "Telefongnumero", - "Profile picture": "Profielfoto", - "Display Name": "Weergavenoame", "Failed to change password. Is your password correct?": "Wyzign van ’t paswoord es mislukt. Es je paswoord wel juste?", - "Profile": "Profiel", "Email addresses": "E-mailadressn", "Phone numbers": "Telefongnumero’s", "Account management": "Accountbeheer", "Deactivate Account": "Account deactiveern", - "General": "Algemeen", - "Notifications": "Meldiengn", "Unignore": "Nie mi negeern", - "": "", "Ignored users": "Genegeerde gebruukers", - "Bulk options": "Bulkopties", - "Accept all %(invitedRooms)s invites": "Alle %(invitedRooms)s-uutnodigiengn anveirdn", - "Reject all %(invitedRooms)s invites": "Alle %(invitedRooms)s-uutnodigiengn weigern", "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", @@ -156,7 +135,6 @@ "You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.": "Je kut deze actie nie oungedoan moakn omda je jen eigen degradeert. A je de latste bevoorrechte gebruuker in ’t gesprek zyt, is ’t ounmeuglik van deze rechtn were te krygn.", "Demote": "Degradeern", "Failed to mute user": "Dempn van gebruuker es mislukt", - "Failed to change power level": "Wyzign van ’t machtsniveau es mislukt", "You will not be able to undo this change as you are promoting the user to have the same power level as yourself.": "Je kut deze veranderiengn nie oungedoan moakn angezien da je de gebruuker tout ’tzelfste niveau als jen eigen promoveert.", "Jump to read receipt": "Noar ’t latst geleezn bericht goan", "Share Link to User": "Koppelienge me de gebruuker deeln", @@ -242,19 +220,11 @@ "Invalid file%(extra)s": "Oungeldig bestand %(extra)s", "Error decrypting image": "Foute by ’t ountsleutern van ’t fotootje", "Error decrypting video": "Foute by ’t ountsleutern van ’t filmtje", - "Copied!": "Gekopieerd!", - "Failed to copy": "Kopieern mislukt", "Add an Integration": "Voegt een integroasje toe", "You are about to be taken to a third-party site so you can authenticate your account for use with %(integrationsUrl)s. Do you wish to continue?": "Je goa sebiet noar en derdepartywebsite gebracht wordn zoda je den account ku legitimeern vo gebruuk me %(integrationsUrl)s. Wil je verdergoan?", "edited": "bewerkt", - "Something went wrong!": "’t Es etwa misgegoan!", "Delete Widget": "Widget verwydern", - "Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "E widget verwydern doet da voor alle gebruukers in dit gesprek. Zy je zeker da je deze widget wil verwydern?", - "Delete widget": "Widget verwydern", - "Popout widget": "Widget in e nieuwe veinster openn", "Create new room": "E nieuw gesprek anmoakn", - "Rotate Left": "Links droain", - "Rotate Right": "Rechts droain", "collapse": "toeklappn", "expand": "uutklappn", "Edit message": "Bericht bewerkn", @@ -282,7 +252,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": "Vo je gespreksgeschiedenisse nie kwyt te speeln, moe je je gesprekssleuters exporteern vooraleer da je jen afmeldt. Je goa moetn werekeern noa de nieuwere versie van %(brand)s vo dit te doen", "Incompatible Database": "Incompatibele database", "Continue With Encryption Disabled": "Verdergoan me versleuterienge uutgeschoakeld", - "Unknown error": "Ounbekende foute", "Filter results": "Resultoatn filtern", "An error has occurred.": "’t Is e foute ipgetreedn.", "Verify this user to mark them as trusted. Trusting users gives you extra peace of mind when using end-to-end encrypted messages.": "Verifieert deze gebruuker vo n’hem/heur als vertrouwd te markeern. Gebruukers vertrouwn gift je extra gemoedsrust by ’t gebruuk van eind-tout-eind-versleuterde berichtn.", @@ -346,19 +315,15 @@ "Reject invitation": "Uutnodigienge weigern", "Are you sure you want to reject the invitation?": "Zy je zeker da je d’uutnodigienge wil weigern?", "You cannot delete this message. (%(code)s)": "Je kut dit bericht nie verwydern. (%(code)s)", - "Source URL": "Bron-URL", "unknown error code": "ounbekende foutcode", "Failed to forget room %(errCode)s": "Vergeetn van gesprek is mislukt %(errCode)s", "All messages": "Alle berichtn", - "Favourite": "Favoriet", - "Low Priority": "Leige prioriteit", "Home": "Thuus", "This homeserver would like to make sure you are not a robot.": "Deze thuusserver wil geirn weetn of da je gy geen robot zyt.", "Some characters not allowed": "Sommige tekens zyn nie toegeloatn", "Email (optional)": "E-mailadresse (optioneel)", "Join millions for free on the largest public server": "Doe mee me miljoenen anderen ip de grotste publieke server", "Couldn't load page": "Kostege ’t blad nie loadn", - "Upload avatar": "Avatar iploadn", "Failed to reject invitation": "Weigern van d’uutnodigienge is mislukt", "This room is not public. You will not be able to rejoin without an invite.": "Dit gesprek is nie openboar. Zounder uutnodigienge goa je nie were kunn toetreedn.", "Are you sure you want to leave the room '%(roomName)s'?": "Zy je zeker da je wilt deuregoan uut ’t gesprek ‘%(roomName)s’?", @@ -395,7 +360,6 @@ "Invalid base_url for m.identity_server": "Oungeldige base_url vo m.identity_server", "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", - "Create account": "Account anmoakn", "Session ID": "Sessie-ID", "Passphrases must match": "Paswoordn moetn overeenkommn", "Passphrase must not be empty": "Paswoord meug nie leeg zyn", @@ -502,7 +466,13 @@ "identity_server": "Identiteitsserver", "integration_manager": "Integroasjebeheerder", "on": "An", - "off": "Uut" + "off": "Uut", + "copied": "Gekopieerd!", + "advanced": "Geavanceerd", + "general": "Algemeen", + "profile": "Profiel", + "display_name": "Weergavenoame", + "user_avatar": "Profielfoto" }, "action": { "continue": "Verdergoan", @@ -629,7 +599,8 @@ "noisy": "Lawoaierig", "error_permissions_denied": "%(brand)s èt geen toestemmienge vo je meldiengn te verstuurn - controleert je browserinstelliengn", "error_permissions_missing": "%(brand)s èt geen toestemmienge gekreegn ghed vo joun meldiengn te verstuurn - herprobeer ’t e ki", - "error_title": "Kostege meldiengn nie inschoakeln" + "error_title": "Kostege meldiengn nie inschoakeln", + "push_targets": "Meldiengsbestemmiengn" }, "appearance": { "timeline_image_size_default": "Standoard", @@ -645,7 +616,15 @@ "export_megolm_keys": "E2E-gesprekssleuters exporteern", "import_megolm_keys": "E2E-gesprekssleuters importeern", "cryptography_section": "Cryptografie", - "encryption_section": "Versleuterienge" + "encryption_section": "Versleuterienge", + "bulk_options_section": "Bulkopties", + "bulk_options_accept_all_invites": "Alle %(invitedRooms)s-uutnodigiengn anveirdn", + "bulk_options_reject_all_invites": "Alle %(invitedRooms)s-uutnodigiengn weigern", + "delete_backup": "Back-up verwydern", + "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" }, "preferences": { "room_list_heading": "Gesprekslyste", @@ -661,7 +640,8 @@ "language_section": "Toale en regio", "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" + "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" } }, "devtools": { @@ -831,6 +811,9 @@ "lightbox_title": "%(senderDisplayName)s èt den avatar van %(roomName)s veranderd", "removed": "%(senderDisplayName)s èt de gespreksavatar verwyderd.", "changed_img": "%(senderDisplayName)s èt de gespreksavatar angepast noa " + }, + "context_menu": { + "external_url": "Bron-URL" } }, "slash_command": { @@ -898,7 +881,6 @@ "no_media_perms_description": "Je moe %(brand)s wellicht handmoatig toestoan van je microfoon/webcam te gebruukn" }, "Other": "Overige", - "Advanced": "Geavanceerd", "room_settings": { "permissions": { "m.room.avatar": "Gespreksavatar wyzign", @@ -952,7 +934,8 @@ "room_predecessor": "Bekykt oudere berichtn in %(roomName)s.", "room_version_section": "Gespreksversie", "room_version": "Gespreksversie:" - } + }, + "upload_avatar_label": "Avatar iploadn" }, "encryption": { "verification": { @@ -969,7 +952,8 @@ "old_version_detected_description": "’t Zyn gegeevns van een oudere versie van %(brand)s gedetecteerd gewist. Dit goa probleemn veroorzakt ghed èn me de eind-tout-eind-versleuterienge in d’oude versie. Eind-tout-eind-versleuterde berichtn da recent uutgewisseld gewist zyn me d’oude versie zyn meugliks nie t’ountsleutern in deze versie. Dit zoudt der ook voorn kunnn zorgn da berichtn da uutgewisseld gewist zyn in deze versie foaln. Meldt jen heran moest je probleemn ervoarn. Exporteert de sleuters en importeer z’achteraf were vo de berichtgeschiedenisse te behoudn.", "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?" + "import_invalid_passphrase": "Anmeldiengscontrole mislukt: verkeerd paswoord?", + "not_supported": "" }, "auth": { "sign_in_with_sso": "Anmeldn met enkele anmeldienge", @@ -1037,7 +1021,8 @@ "no_hs_url_provided": "Geen thuusserver-URL ingegeevn", "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." + "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" }, "export_chat": { "messages": "Berichtn" @@ -1103,7 +1088,12 @@ "one": "J’èt %(count)s oungeleezn meldieng in e voorgoande versie van dit gesprek." }, "leave_server_notices_title": "Kostege nie deuregoan uut ’t servermeldiengsgesprek", - "leave_server_notices_description": "Dit gesprek wor gebruukt vo belangryke berichtn van de thuusserver, dus je kut der nie uut deuregoan." + "leave_server_notices_description": "Dit gesprek wor gebruukt vo belangryke berichtn van de thuusserver, dus je kut der nie uut deuregoan.", + "error_join_incompatible_version_2": "Gelieve contact ip te neemn me den beheerder van je thuusserver.", + "context_menu": { + "favourite": "Favoriet", + "low_priority": "Leige prioriteit" + } }, "file_panel": { "guest_note": "Je moe je registreern vo deze functie te gebruukn", @@ -1148,7 +1138,12 @@ }, "widget": { "error_need_to_be_logged_in": "Hiervoorn moe je angemeld zyn.", - "error_need_invite_permission": "Hiervoorn moe je gebruukers kunn uutnodign." + "error_need_invite_permission": "Hiervoorn moe je gebruukers kunn uutnodign.", + "context_menu": { + "delete": "Widget verwydern", + "delete_warning": "E widget verwydern doet da voor alle gebruukers in dit gesprek. Zy je zeker da je deze widget wil verwydern?" + }, + "popout": "Widget in e nieuwe veinster openn" }, "scalar": { "error_create": "Kostege de widget nie anmoakn.", @@ -1169,6 +1164,26 @@ "resource_limits": "Dezen thuusserver èt één van z’n systeembronlimietn overschreedn.", "admin_contact": "Gelieve contact ip te neemn me je dienstbeheerder vo deze dienst te bluuvn gebruukn.", "mixed_content": "Je ku geen verbindienge moakn me de thuusserver via HTTP wanneer dat der een HTTPS-URL in je browserbalk stoat. Gebruukt HTTPS of schoakelt ounveilige scripts in.", - "tls": "Geen verbindienge met de thuusserver - controleer je verbindienge, zorgt dervoorn dan ’t SSL-certificoat van de thuusserver vertrouwd is en dat der geen browserextensies verzoekn blokkeern." + "tls": "Geen verbindienge met de thuusserver - controleer je verbindienge, zorgt dervoorn dan ’t SSL-certificoat van de thuusserver vertrouwd is en dat der geen browserextensies verzoekn blokkeern.", + "failed_copy": "Kopieern mislukt", + "something_went_wrong": "’t Es etwa misgegoan!", + "update_power_level": "Wyzign van ’t machtsniveau es mislukt", + "unknown": "Ounbekende foute" + }, + "items_and_n_others": { + "other": " en %(count)s andere", + "one": " en één ander" + }, + "notifications": { + "enable_prompt_toast_title": "Meldiengn", + "class_other": "Overige" + }, + "room_summary_card_back_action_label": "Gespreksinformoasje", + "onboarding": { + "create_account": "Account anmoakn" + }, + "lightbox": { + "rotate_left": "Links droain", + "rotate_right": "Rechts droain" } } diff --git a/src/i18n/strings/zh_Hans.json b/src/i18n/strings/zh_Hans.json index 35cba95c2e..cc6fead9a1 100644 --- a/src/i18n/strings/zh_Hans.json +++ b/src/i18n/strings/zh_Hans.json @@ -14,7 +14,6 @@ "Failed to reject invitation": "拒绝邀请失败", "Failed to set display name": "设置显示名称失败", "Failed to unban": "解除封禁失败", - "Favourite": "收藏", "Filter room members": "过滤房间成员", "Forget room": "忘记房间", "Historical": "历史", @@ -48,9 +47,6 @@ "Invited": "已邀请", "Moderator": "协管员", "not specified": "未指定", - "Notifications": "通知", - "": "<不支持>", - "No display name": "无显示名称", "Create new room": "创建新房间", "unknown error code": "未知错误代码", "Low priority": "低优先级", @@ -65,19 +61,14 @@ "Confirm passphrase": "确认口令词组", "Import room keys": "导入房间密钥", "File to import": "要导入的文件", - "Unknown error": "未知错误", "Unable to restore session": "无法恢复会话", - "Delete widget": "删除挂件", - "Failed to change power level": "权力级别修改失败", "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": "这似乎不是有效的邮箱地址", - "Upload avatar": "上传头像", "Please check your email and click on the link it contains. Once this is done, click continue.": "请检查你的电子邮箱并点击里面包含的链接。完成时请点击继续。", "AM": "上午", "PM": "下午", - "Profile": "个人资料", "%(roomName)s is not accessible at this time.": "%(roomName)s 此时无法访问。", "Unable to add email address": "无法添加邮箱地址", "Unable to verify email address.": "无法验证邮箱地址。", @@ -86,16 +77,12 @@ "You seem to be uploading files, are you sure you want to quit?": "你似乎正在上传文件,确定要退出吗?", "Error decrypting image": "解密图像时出错", "Error decrypting video": "解密视频时出错", - "Something went wrong!": "出了点问题!", "Verification Pending": "验证等待中", - "Copied!": "已复制!", - "Failed to copy": "复制失败", "Sent messages will be stored until your connection has returned.": "已发送的消息会被保存直到你的连接回来。", "(~%(count)s results)": { "one": "(~%(count)s 个结果)", "other": "(~%(count)s 个结果)" }, - "Reject all %(invitedRooms)s invites": "拒绝所有 %(invitedRooms)s 的邀请", "Sun": "周日", "Mon": "周一", "Tue": "周二", @@ -124,10 +111,6 @@ "Jump to read receipt": "跳到阅读回执", "Unnamed room": "未命名的房间", "Delete Widget": "删除挂件", - " and %(count)s others": { - "other": " 和其他 %(count)s 人", - "one": " 与另一个人" - }, "collapse": "折叠", "expand": "展开", "%(weekDayName)s %(time)s": "%(weekDayName)s %(time)s", @@ -156,16 +139,13 @@ "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.": "尝试加载此房间的时间线的特定时间点,但是无法找到。", - "Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "删除挂件时将为房间中的所有成员删除。你确定要删除此挂件吗?", "Sunday": "星期日", - "Notification targets": "通知目标", "Today": "今天", "Friday": "星期五", "Changelog": "更改日志", "Failed to send logs: ": "无法发送日志: ", "This Room": "此房间", "Unavailable": "无法获得", - "Source URL": "源网址", "Filter results": "过滤结果", "Tuesday": "星期二", "Preparing to send logs": "正在准备发送日志", @@ -180,10 +160,8 @@ "Search…": "搜索…", "Logs sent": "日志已发送", "Yesterday": "昨天", - "Low Priority": "低优先级", "Thank you!": "谢谢!", "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 提供的集成。你希望继续吗?", - "Popout widget": "在弹出式窗口中打开挂件", "Unable to load event that was replied to, it either does not exist or you do not have permission to view it.": "无法加载被回复的事件,它可能不存在,也可能是你没有权限查看它。", "And %(count)s more...": { "other": "和 %(count)s 个其他…" @@ -221,8 +199,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 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.": "你的消息未被发送,因为本家服务器已达到其每月活跃用户限制。请 联系你的服务管理员 以继续使用本服务。", - "Please contact your homeserver administrator.": "请 联系你的家服务器管理员。", - "Delete Backup": "删除备份", "Set up": "设置", "Incompatible local cache": "本地缓存不兼容", "Clear cache and resync": "清除缓存并重新同步", @@ -297,24 +273,16 @@ "Folder": "文件夹", "We've sent you an email to verify your address. Please follow the instructions there and then click the button below.": "我们已向你发送了一封电子邮件,以验证你的地址。 请按照里面的说明操作,然后单击下面的按钮。", "Email Address": "电子邮箱地址", - "Are you sure? You will lose your encrypted messages if your keys are not backed up properly.": "你确定吗?如果密钥没有正确地备份你将失去你的加密消息。", "Encrypted messages are secured with end-to-end encryption. Only you and the recipient(s) have the keys to read these messages.": "加密消息已使用端到端加密保护。只有你和拥有密钥的收件人可以阅读这些消息。", - "Unable to load key backup status": "无法载入密钥备份状态", - "Restore from Backup": "从备份恢复", "Back up your keys before signing out to avoid losing them.": "在登出之前请备份密钥以免丢失。", - "All keys backed up": "所有密钥都已备份", "Start using Key Backup": "开始使用密钥备份", "Unable to verify phone number.": "无法验证电话号码。", "Verification code": "验证码", "Phone Number": "电话号码", - "Profile picture": "头像", - "Display Name": "显示名称", "Email addresses": "电子邮箱地址", "Phone numbers": "电话号码", "Account management": "账户管理", - "General": "通用", "Ignored users": "已忽略的用户", - "Bulk options": "批量选择", "Missing media permissions, click the button below to request.": "缺少媒体权限,点击下面的按钮以请求权限。", "Request media permissions": "请求媒体权限", "Voice & Video": "语音和视频", @@ -354,7 +322,6 @@ "Invalid homeserver discovery response": "无效的家服务器搜索响应", "Invalid identity server discovery response": "无效的身份服务器搜索响应", "General failure": "一般错误", - "Create account": "创建账户", "That matches!": "匹配成功!", "That doesn't match.": "不匹配。", "Go back to set it again.": "返回重新设置。", @@ -366,7 +333,6 @@ "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.": "如果你没有移除此恢复方式,可能有攻击者正试图侵入你的账户。请立即更改你的账户密码并在设置中设定一个新的恢复方式。", - "Accept all %(invitedRooms)s invites": "接受所有 %(invitedRooms)s 邀请", "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.": "升级此房间将会关闭房间的当前实例并创建一个具有相同名称的升级版房间。", @@ -375,37 +341,17 @@ "Revoke invite": "撤销邀请", "Invited by %(sender)s": "被 %(sender)s 邀请", "Remember my selection for this widget": "记住我对此挂件的选择", - "Verify this session": "验证此会话", - "Encryption upgrade available": "提供加密升级", - "New login. Was this you?": "现在登录。请问是你本人吗?", "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)登录到未验证的新会话:", "Ask this user to verify their session, or manually verify it below.": "要求此用户验证其会话,或在下面手动进行验证。", "Not Trusted": "不可信任", - "Later": "稍后再说", "Your homeserver has exceeded its user limit.": "你的家服务器已超过用户限制。", "Your homeserver has exceeded one of its resource limits.": "你的家服务器已超过某项资源限制。", - "Contact your server admin.": "请联系你的服务器管理员。", "Ok": "确定", - "Other users may not trust it": "其他用户可能不信任它", - "Change notification settings": "修改通知设置", "Lock": "锁", - "Your server isn't responding to some requests.": "你的服务器没有响应一些请求。", - "Accept to continue:": "接受 以继续:", "Show more": "显示更多", - "Your homeserver does not support cross-signing.": "你的家服务器不支持交叉签名。", - "Your account has a cross-signing identity in secret storage, but it is not yet trusted by this session.": "你的账户在秘密存储中有交叉签名身份,但并没有被此会话信任。", - "unexpected type": "未预期的类型", - "Secret storage public key:": "秘密存储公钥:", - "in account data": "在账户数据中", - "Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "逐一验证用户的每一个会话以将其标记为已信任,而不信任交叉签名的设备。", - "%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with search components added.": "%(brand)s缺少安全地在本地缓存加密信息所必须的部件。如果你想实验此功能,请构建一个自定义的带有搜索部件的%(brand)s桌面版。", - "%(brand)s can't securely cache encrypted messages locally while running in a web browser. Use %(brand)s Desktop for encrypted messages to appear in search results.": "%(brand)s 在浏览器中运行时不能安全地在本地缓存加密信息。请使用%(brand)s 桌面版以使加密信息出现在搜索结果中。", - "Connect this session to key backup before signing out to avoid losing any keys that may only be on this session.": "在登出前连接此会话到密钥备份以避免丢失可能仅在此会话上的密钥。", - "Connect this session to Key Backup": "将此会话连接到密钥备份", "This backup is trusted because it has been restored on this session": "此备份是受信任的因为它恢复到了此会话上", - "Your keys are not being backed up from this session.": "你的密钥没有被此会话备份。", "Checking server": "检查服务器", "Change identity server": "更改身份服务器", "Disconnect from the identity server and connect to instead?": "从身份服务器断开连接而连接到吗?", @@ -420,7 +366,6 @@ "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.": "我们推荐你在断开连接前从身份服务器上删除你的邮箱地址和电话号码。", - "not stored": "未存储", "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.": "你现在没有使用身份服务器。若想发现你认识的现存联系人并被其发现,请在下方添加一个身份服务器。", @@ -431,7 +376,6 @@ "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": "无", - "Message search": "消息搜索", "Uploaded sound": "已上传的声音", "Sounds": "声音", "Notification sound": "通知声音", @@ -455,9 +399,6 @@ "This user has not verified all of their sessions.": "此用户没有验证其全部会话。", "You have not verified this user.": "你没有验证此用户。", "You have verified this user. This user has verified all of their sessions.": "你验证了此用户。此用户已验证了其全部会话。", - "Securely cache encrypted messages locally for them to appear in search results.": "在本地安全地缓存加密消息以使其出现在搜索结果中。", - "Cannot connect to integration manager": "不能连接到集成管理器", - "The integration manager is offline or it cannot reach your homeserver.": "此集成管理器为离线状态或者其不能访问你的家服务器。", "check your browser plugins for anything that might block the identity server (such as Privacy Badger)": "检查你的浏览器是否安装有可能屏蔽身份服务器的插件(例如 Privacy Badger)", "Manage integrations": "管理集成", "Deactivate account": "停用账户", @@ -500,16 +441,11 @@ "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 不能被预览。你想加入吗?", - "Jump to first unread room.": "跳转至第一个未读房间。", - "Jump to first invite.": "跳转至第一个邀请。", "Add room": "添加房间", - "Forget Room": "忘记房间", - "Favourited": "已收藏", "Room options": "房间选项", "This room is public": "此房间为公共的", "This room has already been upgraded.": "此房间已经被升级。", "Failed to connect to integration manager": "连接至集成管理器失败", - "Mark all as read": "标记所有为已读", "There was an error updating the room's alternative addresses. It may not be allowed by the server or a temporary failure occurred.": "更新此房间的备用地址时出现错误。可能是服务器不允许,也可能是出现了一个暂时的错误。", "Error creating address": "创建地址时出现错误", "There was an error creating that address. It may not be allowed by the server or a temporary failure occurred.": "创建地址时出现错误。可能是服务器不允许,也可能是出现了一个暂时的错误。", @@ -597,19 +533,6 @@ "Can't load this message": "无法加载此消息", "Submit logs": "提交日志", "Cancel search": "取消搜索", - "Any of the following data may be shared:": "以下数据之一可能被分享:", - "Your display name": "你的显示名称", - "Your user ID": "你的用户 ID", - "Your theme": "你的主题", - "%(brand)s URL": "%(brand)s 的链接", - "Room ID": "房间 ID", - "Widget ID": "挂件 ID", - "Using this widget may share data with %(widgetDomain)s.": "使用此挂件可能会和 %(widgetDomain)s 共享数据 。", - "Widgets do not use message encryption.": "挂件不适用消息加密。", - "This widget may use cookies.": "此挂件可能使用 cookie。", - "More options": "更多选项", - "Rotate Left": "向左旋转", - "Rotate Right": "向右旋转", "Room address": "房间地址", "e.g. my-room": "例如 my-room", "Some characters not allowed": "不允许使用某些字符", @@ -635,8 +558,6 @@ "Clear all data in this session?": "是否清除此会话中的所有数据?", "Clearing all data from this session is permanent. Encrypted messages will be lost unless their keys have been backed up.": "清除此会话中的所有数据是永久的。加密消息会丢失,除非其密钥已被备份。", "Clear all data": "清除所有数据", - "Hide advanced": "隐藏高级", - "Show advanced": "显示高级", "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。要再使用此版本并使用端到端加密,你需要登出再重新登录。", "Confirm your account deactivation by using Single Sign On to prove your identity.": "通过单点登录证明你的身份并确认停用你的账户。", "Are you sure you want to deactivate your account? This is irreversible.": "你确定要停用你的账户吗?此操作不可逆。", @@ -724,11 +645,9 @@ "Keys restored": "已恢复密钥", "Successfully restored %(sessionCount)s keys": "成功恢复了 %(sessionCount)s 个密钥", "Resend %(unsentCount)s reaction(s)": "重新发送%(unsentCount)s个反应", - "Remove for everyone": "为所有人删除", "Sign in with SSO": "使用单点登录", "Explore rooms": "探索房间", "Switch theme": "切换主题", - "All settings": "所有设置", "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 家服务器", @@ -759,8 +678,6 @@ "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 显示名称宽度", - "well formed": "格式正确", - "This session is not backing up your keys, but you do have an existing backup you can restore from and add to going forward.": "此会话未备份你的密钥,但如果你已有现存备份,你可以继续并从中恢复和向其添加。", "Unable to revoke sharing for email address": "无法撤消电子邮件地址共享", "Unable to revoke sharing for phone number": "无法撤销电话号码共享", "Explore public rooms": "探索公共房间", @@ -770,17 +687,7 @@ "%(brand)s encountered an error during upload of:": "%(brand)s 在上传此文件时出错:", "Country Dropdown": "国家下拉菜单", "The server is not configured to indicate what the problem is (CORS).": "服务器没有配置为提示错误是什么(CORS)。", - "Cross-signing is ready for use.": "交叉签名已可用。", - "Cross-signing is not set up.": "未设置交叉签名。", "Backup version:": "备份版本:", - "Algorithm:": "算法:", - "Set up Secure Backup": "设置安全备份", - "Safeguard against losing access to encrypted messages & data": "防止丢失加密消息和数据的访问权", - "Backup key stored:": "备份密钥已保存:", - "Backup key cached:": "备份密钥已缓存:", - "Secret storage:": "秘密存储:", - "ready": "就绪", - "not ready": "尚未就绪", "Hong Kong": "香港", "Cook Islands": "库克群岛", "Congo - Kinshasa": "刚果 - 金沙萨", @@ -839,13 +746,7 @@ "United States": "美国", "United Kingdom": "英国", "Room settings": "房间设置", - "Share invite link": "分享邀请链接", - "Click to copy": "点击复制", "Dial pad": "拨号盘", - "Use app": "使用 app", - "Use app for a better experience": "使用 app 以获得更好的体验", - "Enable desktop notifications": "开启桌面通知", - "Don't miss a reply": "不要错过任何回复", "%(count)s members": { "one": "%(count)s 位成员", "other": "%(count)s 位成员" @@ -853,12 +754,9 @@ "Enter Security Key": "输入安全密钥", "Invalid Security Key": "安全密钥无效", "Wrong Security Key": "安全密钥错误", - "Save Changes": "保存修改", - "Leave Space": "离开空间", "Transfer": "传输", "Reason (optional)": "理由(可选)", "Create a new room": "创建新房间", - "Spaces": "空间", "Server Options": "服务器选项", "Information": "信息", "Not encrypted": "未加密", @@ -868,10 +766,6 @@ "Hide Widgets": "隐藏挂件", "Invite to this space": "邀请至此空间", "Your message was sent": "消息已发送", - "Back up your encryption keys with your account data in case you lose access to your sessions. Your keys will be secured with a unique Security Key.": "请使用你的账户数据备份加密密钥,以免你无法访问你的会话。密钥会由一个唯一安全密钥保护。", - "Failed to save your profile": "个人资料保存失败", - "The operation could not be completed": "操作无法完成", - "Space options": "空间选项", "Leave space": "离开空间", "Create a space": "创建空间", "This version of %(brand)s does not support searching encrypted messages": "当前版本的 %(brand)s 不支持搜索加密消息", @@ -962,18 +856,12 @@ "other": "%(count)s 个房间" }, "You don't have permission": "你没有权限", - "Move right": "向右移动", - "Move left": "向左移动", - "Revoke permissions": "撤销权限", - "Take a picture": "拍照", "Enter Security Phrase": "输入安全短语", "Allow this widget to verify your identity": "允许此挂件验证你的身份", "Decline All": "全部拒绝", "This widget would like to:": "此挂件想要:", "Approve widget permissions": "批准挂件权限", - "Failed to save space settings.": "空间设置保存失败。", "Modal Widget": "模态框挂件(Modal Widget)", - "Widget added by": "挂件添加者", "Set my room layout for everyone": "将我的房间布局设置给所有人", "Edit widgets, bridges & bots": "编辑挂件、桥接和机器人", "Add widgets, bridges & bots": "添加挂件、桥接和机器人", @@ -983,15 +871,12 @@ "Video conference updated by %(senderName)s": "由 %(senderName)s 更新的视频会议", "Video conference started by %(senderName)s": "由 %(senderName)s 发起的视频会议", "Widgets": "挂件", - "You can change these anytime.": "你随时可以更改它们。", "Space selection": "空间选择", "Invite to %(roomName)s": "邀请至 %(roomName)s", "Invite by email": "通过邮箱邀请", "Edit devices": "编辑设备", "Suggested Rooms": "建议的房间", "Recently visited rooms": "最近访问的房间", - "Invite with email or username": "使用邮箱或者用户名邀请", - "Invite people": "邀请人们", "Zimbabwe": "津巴布韦", "Zambia": "赞比亚", "Western Sahara": "西撒哈拉", @@ -1126,7 +1011,6 @@ "Forgotten or lost all recovery methods? Reset all": "忘记或丢失了所有恢复方式?全部重置", "Remember this": "记住", "The widget will verify your user ID, but won't be able to perform actions for you:": "挂件将会验证你的用户 ID,但将无法为你执行动作:", - "Edit settings relating to your space.": "编辑关于你的空间的设置。", "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": "你大概率不想重置你的活动缩影存储", @@ -1184,20 +1068,10 @@ "Unable to access your microphone": "无法访问你的麦克风", "Failed to send": "发送失败", "You have no ignored users.": "你没有设置忽略用户。", - "Message search initialisation failed": "消息搜索初始化失败", - "Securely cache encrypted messages locally for them to appear in search results, using %(size)s to store messages from %(rooms)s rooms.": { - "one": "使用%(size)s存储%(rooms)s个房间的消息。在本地安全地缓存已加密的消息以使其出现在搜索结果中。", - "other": "使用%(size)s存储%(rooms)s个房间的消息。在本地安全地缓存已加密的消息以使其出现在搜索结果中。" - }, - "Connecting": "连接中", - "unknown person": "陌生人", - "%(deviceId)s from %(ip)s": "来自 %(ip)s 的 %(deviceId)s", - "Review to ensure your account is safe": "检查以确保你的账户是安全的", "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.": "你是这里唯一的人。如果你离开了,以后包括你在内任何人都将无法加入。", "Avatar": "头像", - "Start audio stream": "开始音频流", "Failed to start livestream": "开始流直播失败", "Unable to start audio streaming.": "无法开始音频流媒体。", "Hold": "挂起", @@ -1220,15 +1094,9 @@ "Message preview": "消息预览", "Sent": "已发送", "You don't have permission to do this": "你无权执行此操作", - "Error - Mixed content": "错误 - 混合内容", - "Error loading Widget": "加载挂件时发生错误", "Pinned messages": "已固定的消息", "If you have permissions, open the menu on any message and select Pin to stick them here.": "如果你拥有权限,请打开任何消息的菜单并选择固定将它们粘贴至此。", "Nothing pinned, yet": "尚无固定任何东西", - "Report": "举报", - "Collapse reply thread": "折叠回复消息列", - "Show preview": "显示预览", - "View source": "查看源代码", "Please provide an address": "请提供地址", "Message search initialisation failed, check your settings for more information": "消息搜索初始化失败,请检查你的设置以获取更多信息", "Set addresses for this space so users can find this space through your homeserver (%(localDomain)s)": "设置此空间的地址,这样用户就能通过你的家服务器找到此空间(%(localDomain)s)", @@ -1237,20 +1105,8 @@ "Published addresses can be used by anyone on any server to join your space.": "任何服务器上的人均可通过公布的地址加入你的空间。", "This space has no local addresses": "此空间没有本地地址", "Space information": "空间信息", - "Recommended for public spaces.": "建议用于公开空间。", - "Allow people to preview your space before they join.": "允许人们在加入前预览你的空间。", - "Preview Space": "预览空间", - "Decide who can view and join %(spaceName)s.": "决定谁可以查看和加入 %(spaceName)s。", - "Visibility": "可见性", - "This may be useful for public spaces.": "这可能对公开空间有所帮助。", - "Guests can join a space without having an account.": "游客无需账户即可加入空间。", - "Enable guest access": "启用游客访问权限", - "Failed to update the history visibility of this space": "更新此空间的历史记录可见性失败", - "Failed to update the guest access of this space": "更新此空间的游客访问权限失败", - "Failed to update the visibility of this space": "更新此空间的可见性失败", "Address": "地址", "Your %(brand)s doesn't allow you to use an integration manager to do this. Please contact an admin.": "你的 %(brand)s 不允许你使用集成管理器来完成此操作,请联系管理员。", - "Using this widget may share data with %(widgetDomain)s & your integration manager.": "使用此挂件可能会与 %(widgetDomain)s 及您的集成管理器共享数据 。", "Integration managers receive configuration data, and can modify widgets, send room invites, and set power levels on your behalf.": "集成管理器接收配置数据,并可以以你的名义修改挂件、发送房间邀请及设置权力级别。", "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)管理机器人、挂件和贴纸包。", @@ -1258,17 +1114,6 @@ "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", - "This upgrade will allow members of selected spaces access to this room without an invite.": "此升级将允许选定的空间成员无需邀请即可访问此房间。", - "There was an error loading your notification settings.": "加载你的通知设置时出错。", - "Mentions & keywords": "提及&关键词", - "Global": "全局", - "New keyword": "新的关键词", - "Keyword": "关键词", - "Show all rooms": "显示所有房间", - "Delete avatar": "删除头像", - "More": "更多", - "Show sidebar": "显示侧边栏", - "Hide sidebar": "隐藏侧边栏", "Send voice message": "发送语音消息", "Unable to copy a link to the room to the clipboard.": "无法将房间的链接复制到剪贴板。", "Unable to copy room link": "无法复制房间链接", @@ -1288,7 +1133,6 @@ "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.": "你是此空间的唯一管理员。离开它将意味着没有人可以控制它。", "You won't be able to rejoin unless you are re-invited.": "除非你被重新邀请,否则你将无法重新加入。", - "Search %(spaceName)s": "搜索 %(spaceName)s", "User Directory": "用户目录", "Want to add an existing space instead?": "想要添加现有空间?", "Add a space to a space you manage.": "向你管理的空间添加空间。", @@ -1304,9 +1148,6 @@ "Create a new space": "创建新空间", "Want to add a new space instead?": "想要添加一个新空间?", "Add existing space": "增加现有的空间", - "Share content": "分享内容", - "Application window": "应用程序窗口", - "Share entire screen": "分享整个屏幕", "Error processing audio message": "处理音频消息时出错", "Decrypting": "解密中", "The call is in an unknown state!": "通话处于未知状态!", @@ -1324,28 +1165,12 @@ "one": "显示 %(count)s 个其他预览", "other": "显示 %(count)s 个其他预览" }, - "Access": "访问", - "Space members": "空间成员", - "Anyone in a space can find and join. You can select multiple spaces.": "空间中的任何人都可以找到并加入。你可以选择多个空间。", - "Spaces with access": "可访问的空间", - "Anyone in a space can find and join. Edit which spaces can access here.": "空间中的任何人都可以找到并加入。在此处编辑哪些空间可以访问。", - "Currently, %(count)s spaces have access": { - "other": "目前,%(count)s 个空间可以访问", - "one": "目前,一个空间有访问权限" - }, - "& %(count)s more": { - "other": "以及另 %(count)s", - "one": "& 另外 %(count)s" - }, - "Upgrade required": "需要升级", "Rooms and spaces": "房间与空间", "Results": "结果", - "Cross-signing is ready but keys are not backed up.": "交叉签名已就绪,但尚未备份密钥。", "Some encryption parameters have been changed.": "一些加密参数已更改。", "Role in ": " 中的角色", "Unknown failure": "未知失败", "Failed to update the join rules": "未能更新加入列表", - "Anyone in can find and join. You can select other spaces too.": " 中的任何人都可以寻找和加入。你也可以选择其他空间。", "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?": "你想俩开此空间内的房间吗?", @@ -1364,16 +1189,6 @@ "It looks like you don't have a Security Key or any other devices you can verify against. This device will not be able to access old encrypted messages. In order to verify your identity on this device, you'll need to reset your verification keys.": "看起来你没有安全密钥或者任何其他可以验证的设备。 此设备将无法访问旧的加密消息。为了在这个设备上验证你的身份,你需要重置你的验证密钥。", "Skip verification for now": "暂时跳过验证", "Really reset verification keys?": "确实要重置验证密钥?", - "Updating spaces... (%(progress)s out of %(count)s)": { - "other": "正在更新房间… (%(count)s 中的 %(progress)s)", - "one": "正在更新空间…" - }, - "Sending invites... (%(progress)s out of %(count)s)": { - "one": "正在发送邀请…", - "other": "正在发送邀请… (%(count)s 中的 %(progress)s)" - }, - "Loading new room": "正在加载新房间", - "Upgrading room": "正在升级房间", "Disinvite from %(roomName)s": "取消邀请加入 %(roomName)s", "They won't be able to access whatever you're not an admin of.": "他们将无法访问你不是管理员的一切。", "Ban them from specific things I'm able to": "禁止这些人做某些我有权决定的事", @@ -1403,17 +1218,10 @@ "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.": "这个房间不会将消息桥接到任何平台。了解更多", - "This room is in some spaces you're not an admin of. In those spaces, the old room will still be shown, but people will be prompted to join the new one.": "这个房间位于你不是管理员的某些空间中。 在这些空间中,旧房间仍将显示,但系统会提示人们加入新房间。", "You do not have permission to start polls in this room.": "你无权在此房间启动投票。", "Copy link to thread": "复制到消息列的链接", "Thread options": "消息列选项", "Reply in thread": "在消息列中回复", - "Spaces to show": "要显示的空间", - "Sidebar": "侧边栏", - "Rooms outside of a space": "空间之外的房间", - "Show all your rooms in Home, even if they're in a space.": "在主页展示你所有的房间,即使它们是在一个空间里。", - "Home is useful for getting an overview of everything.": "对于了解所有事情的概况来说,主页很有用。", - "Mentions only": "仅提及", "Forget": "忘记", "Files": "文件", "You won't get any notifications": "你不会收到任何通知", @@ -1442,8 +1250,6 @@ "Themes": "主题", "Moderation": "审核", "Messaging": "消息传递", - "Pin to sidebar": "固定到侧边栏", - "Quick settings": "快速设置", "Spaces you know that contain this space": "你知道的包含这个空间的空间", "Chat": "聊天", "Home options": "主页选项", @@ -1458,8 +1264,6 @@ "other": "票数已达 %(count)s 票。要查看结果请亲自投票" }, "No votes cast": "尚无投票", - "Share anonymous data to help us identify issues. Nothing personal. No third parties.": "共享匿名数据以帮助我们发现问题。 与个人无关。 没有第三方。", - "Share location": "共享位置", "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.": "您确定要结束此投票吗? 这将显示投票的最终结果并阻止人们投票。", "End Poll": "结束投票", "Sorry, the poll did not end. Please try again.": "抱歉,投票没有结束。 请再试一次。", @@ -1479,21 +1283,9 @@ "Other rooms in %(spaceName)s": "%(spaceName)s 中的其他房间", "Spaces you're in": "你所在的空间", "Including you, %(commaSeparatedMembers)s": "包括你,%(commaSeparatedMembers)s", - "Copy room link": "复制房间链接", "This groups your chats with members of this space. Turning this off will hide those chats from your view of %(spaceName)s.": "将您与该空间的成员的聊天进行分组。关闭这个后你将无法在 %(spaceName)s 内看到这些聊天。", "Sections to show": "要显示的部分", "Open in OpenStreetMap": "在 OpenStreetMap 中打开", - "Back to thread": "返回消息列", - "Room members": "房间成员", - "Back to chat": "返回聊天", - "You were disconnected from the call. (Error: %(message)s)": "你已断开通话。(错误:%(message)s)", - "Connection lost": "连接丢失", - "Failed to join": "加入失败", - "The person who invited you has already left, or their server is offline.": "邀请你的人已经离开了,亦或是他们的家服务器离线了。", - "The person who invited you has already left.": "邀请你的人已经离开了。", - "Sorry, your homeserver is too old to participate here.": "抱歉,你的家服务器过旧,故无法参与其中。", - "There was an error joining.": "加入时发生错误。", - "%(brand)s is experimental on a mobile web browser. For a better experience and the latest features, use our free native app.": "在移动网页浏览器中 %(brand)s 是实验性功能。为了获取更好的体验和最新功能,请使用我们的免费原生应用。", "%(space1Name)s and %(space2Name)s": "%(space1Name)s 与 %(space2Name)s", "Failed to remove user": "移除用户失败", "Pinned": "已固定", @@ -1548,17 +1340,8 @@ "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.": "你的新设备已通过验证。它现在可以访问你的加密消息,并且其它用户会将其视为受信任的。", - "Group all your rooms that aren't part of a space in one place.": "将所有你那些不属于某个空间的房间集中一处。", - "Group all your people in one place.": "将你所有的联系人集中一处。", - "Group all your favourite rooms and people in one place.": "将所有你最爱的房间和人集中在一处。", - "Spaces are ways to group rooms and people. Alongside the spaces you're in, you can use some pre-built ones too.": "空间是将房间和人分组的方式。除了你所在的空间,你也可以使用预建的空间。", "Deactivating your account is a permanent action — be careful!": "停用你的账户是永久性动作——小心!", "Your password was successfully changed.": "你的密码已成功更改。", - "Match system": "匹配系统", - "%(count)s people joined": { - "one": "%(count)s个人已加入", - "other": "%(count)s个人已加入" - }, "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": "无法从既有关系的事件创建消息列", @@ -1575,8 +1358,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)", - "Please note: this is a labs feature using a temporary implementation. This means you will not be able to delete your location history, and advanced users will be able to see your location history even after you stop sharing your live location with this room.": "请注意:这是使用临时实现的实验室功能。这意味着你无法删除你的位置历史,并且甚至在你停止与此房间分享实时位置后,高级用户将仍能查看你的位置历史。", - "Live location sharing": "实时位置分享", "toggle event": "切换事件", "Results will be visible when the poll is ended": "结果将在投票结束时可见", "Sorry, you can't edit a poll after votes have been cast.": "抱歉,你无法在有人投票后编辑投票。", @@ -1602,7 +1383,6 @@ "one": "目前正在移除%(count)s个房间中的消息", "other": "目前正在移除%(count)s个房间中的消息" }, - "Un-maximise": "取消最大化", "What location type do you want to share?": "你想分享什么位置类型?", "Drop a Pin": "放置图钉", "My live location": "我的实时位置", @@ -1610,10 +1390,6 @@ "%(displayName)s's live location": "%(displayName)s的实时位置", "%(brand)s could not send your location. Please try again later.": "%(brand)s无法发送你的位置。请稍后再试。", "We couldn't send your location": "我们无法发送你的位置", - "Click to drop a pin": "点击以放置图钉", - "Click to move the pin": "点击以移动图钉", - "Share for %(duration)s": "分享%(duration)s", - "Enable live location sharing": "启用实时位置分享", "%(count)s Members": { "one": "%(count)s个成员", "other": "%(count)s个成员" @@ -1643,8 +1419,6 @@ "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", - "Sessions": "会话", - "For best security, verify your sessions and sign out from any session that you don't recognize or use anymore.": "为了最佳的安全,请验证会话,登出任何不认识或不再使用的会话。", "Remove them from everything I'm able to": "", "Remove server “%(roomServer)s”": "移除服务器“%(roomServer)s”", "You can use the custom server options to sign into other Matrix servers by specifying a different homeserver URL. This allows you to use %(brand)s with an existing Matrix account on a different homeserver.": "你可以使用自定义服务器选项来指定不同的家服务器URL以登录其他Matrix服务器。这让你能把%(brand)s和不同家服务器上的已有Matrix账户搭配使用。", @@ -1661,7 +1435,6 @@ "Live location error": "实时位置错误", "Live location ended": "实时位置已结束", "Live until %(expiryTime)s": "实时分享直至%(expiryTime)s", - "View related event": "查看相关事件", "Cameras": "相机", "Unread email icon": "未读电子邮件图标", "An error occurred while stopping your live location, please try again": "停止你的实时位置时出错,请重试", @@ -1683,33 +1456,18 @@ "%(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)", - "Ongoing call": "正在进行的通话", - "You do not have permission to start video calls": "你没有权限开始视频通话", - "There's no one here to call": "这里没有人可以打电话", - "You do not have permission to start voice calls": "你没有权限开始语音通话", "Room info": "房间信息", "WARNING: ": "警告:", - "You have unverified sessions": "你有未验证的会话", "Change layout": "更改布局", "Connection": "连接", "Voice processing": "语音处理", "Video settings": "视频设置", "Voice settings": "语音设置", - "Unknown room": "未知房间", "Automatically adjust the microphone volume": "自动调整话筒音量", - "Are you sure you want to sign out of %(count)s sessions?": { - "one": "你确定要登出%(count)s个会话吗?", - "other": "你确定要退出这 %(count)s 个会话吗?" - }, - "Search users in this room…": "搜索该房间内的用户……", - "Give one or multiple users in this room more privileges": "授权给该房间内的某人或某些人", - "Add privileged users": "添加特权用户", - "Sorry — this call is currently full": "抱歉——目前线路拥挤", "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作为此房间的额外通话选项", - "This session is backing up your keys.": "此会话正在备份你的密钥。", "common": { "about": "关于", "analytics": "统计分析服务", @@ -1800,7 +1558,14 @@ "off": "关闭", "all_rooms": "所有房间", "deselect_all": "取消全选", - "select_all": "全选" + "select_all": "全选", + "copied": "已复制!", + "advanced": "高级", + "spaces": "空间", + "general": "通用", + "profile": "个人资料", + "display_name": "显示名称", + "user_avatar": "头像" }, "action": { "continue": "继续", @@ -1902,7 +1667,10 @@ "clear": "清除", "exit_fullscreeen": "退出全屏", "enter_fullscreen": "进入全屏", - "unban": "解除封禁" + "unban": "解除封禁", + "click_to_copy": "点击复制", + "hide_advanced": "隐藏高级", + "show_advanced": "显示高级" }, "a11y": { "user_menu": "用户菜单", @@ -1914,7 +1682,8 @@ "other": "%(count)s 个未读消息。", "one": "1 个未读消息。" }, - "unread_messages": "未读消息。" + "unread_messages": "未读消息。", + "jump_first_invite": "跳转至第一个邀请。" }, "labs": { "video_rooms": "视频房间", @@ -2079,7 +1848,6 @@ "user_a11y": "用户自动补全" } }, - "Bold": "粗体", "Code": "代码", "power_level": { "default": "默认", @@ -2184,7 +1952,8 @@ "intro_byline": "拥有您的对话。", "send_dm": "发送私聊", "explore_rooms": "探索公共房间", - "create_room": "创建一个群聊" + "create_room": "创建一个群聊", + "create_account": "创建账户" }, "settings": { "show_breadcrumbs": "在房间列表上方显示最近浏览过的房间的快捷方式", @@ -2247,7 +2016,9 @@ "noisy": "响铃", "error_permissions_denied": "%(brand)s 没有通知发送权限 - 请检查你的浏览器设置", "error_permissions_missing": "%(brand)s 没有通知发送权限 - 请重试", - "error_title": "无法启用通知" + "error_title": "无法启用通知", + "push_targets": "通知目标", + "error_loading": "加载你的通知设置时出错。" }, "appearance": { "layout_irc": "IRC(实验性)", @@ -2320,7 +2091,43 @@ "cryptography_section": "加密", "session_id": "会话 ID:", "session_key": "会话密钥:", - "encryption_section": "加密" + "encryption_section": "加密", + "bulk_options_section": "批量选择", + "bulk_options_accept_all_invites": "接受所有 %(invitedRooms)s 邀请", + "bulk_options_reject_all_invites": "拒绝所有 %(invitedRooms)s 的邀请", + "message_search_section": "消息搜索", + "analytics_subsection_description": "共享匿名数据以帮助我们发现问题。 与个人无关。 没有第三方。", + "encryption_individual_verification_mode": "逐一验证用户的每一个会话以将其标记为已信任,而不信任交叉签名的设备。", + "message_search_enabled": { + "one": "使用%(size)s存储%(rooms)s个房间的消息。在本地安全地缓存已加密的消息以使其出现在搜索结果中。", + "other": "使用%(size)s存储%(rooms)s个房间的消息。在本地安全地缓存已加密的消息以使其出现在搜索结果中。" + }, + "message_search_disabled": "在本地安全地缓存加密消息以使其出现在搜索结果中。", + "message_search_unsupported": "%(brand)s缺少安全地在本地缓存加密信息所必须的部件。如果你想实验此功能,请构建一个自定义的带有搜索部件的%(brand)s桌面版。", + "message_search_unsupported_web": "%(brand)s 在浏览器中运行时不能安全地在本地缓存加密信息。请使用%(brand)s 桌面版以使加密信息出现在搜索结果中。", + "message_search_failed": "消息搜索初始化失败", + "backup_key_well_formed": "格式正确", + "backup_key_unexpected_type": "未预期的类型", + "backup_keys_description": "请使用你的账户数据备份加密密钥,以免你无法访问你的会话。密钥会由一个唯一安全密钥保护。", + "backup_key_stored_status": "备份密钥已保存:", + "cross_signing_not_stored": "未存储", + "backup_key_cached_status": "备份密钥已缓存:", + "4s_public_key_status": "秘密存储公钥:", + "4s_public_key_in_account_data": "在账户数据中", + "secret_storage_status": "秘密存储:", + "secret_storage_ready": "就绪", + "secret_storage_not_ready": "尚未就绪", + "delete_backup": "删除备份", + "delete_backup_confirm_description": "你确定吗?如果密钥没有正确地备份你将失去你的加密消息。", + "error_loading_key_backup_status": "无法载入密钥备份状态", + "restore_key_backup": "从备份恢复", + "key_backup_active": "此会话正在备份你的密钥。", + "key_backup_inactive": "此会话未备份你的密钥,但如果你已有现存备份,你可以继续并从中恢复和向其添加。", + "key_backup_connect_prompt": "在登出前连接此会话到密钥备份以避免丢失可能仅在此会话上的密钥。", + "key_backup_connect": "将此会话连接到密钥备份", + "key_backup_complete": "所有密钥都已备份", + "key_backup_algorithm": "算法:", + "key_backup_inactive_warning": "你的密钥没有被此会话备份。" }, "preferences": { "room_list_heading": "房间列表", @@ -2390,7 +2197,13 @@ "one": "注销设备", "other": "注销设备" }, - "security_recommendations": "安全建议" + "security_recommendations": "安全建议", + "title": "会话", + "sign_out_confirm_description": { + "one": "你确定要登出%(count)s个会话吗?", + "other": "你确定要退出这 %(count)s 个会话吗?" + }, + "other_sessions_subsection_description": "为了最佳的安全,请验证会话,登出任何不认识或不再使用的会话。" }, "general": { "account_section": "账户", @@ -2408,7 +2221,22 @@ "add_msisdn_confirm_sso_button": "通过单点登录以证明你的身份,并确认添加此电话号码。", "add_msisdn_confirm_button": "确认添加电话号码", "add_msisdn_confirm_body": "点击下面的按钮,以确认添加此电话号码。", - "add_msisdn_dialog_title": "添加电话号码" + "add_msisdn_dialog_title": "添加电话号码", + "name_placeholder": "无显示名称", + "error_saving_profile_title": "个人资料保存失败", + "error_saving_profile": "操作无法完成" + }, + "sidebar": { + "title": "侧边栏", + "metaspaces_subsection": "要显示的空间", + "metaspaces_description": "空间是将房间和人分组的方式。除了你所在的空间,你也可以使用预建的空间。", + "metaspaces_home_description": "对于了解所有事情的概况来说,主页很有用。", + "metaspaces_favourites_description": "将所有你最爱的房间和人集中在一处。", + "metaspaces_people_description": "将你所有的联系人集中一处。", + "metaspaces_orphans": "空间之外的房间", + "metaspaces_orphans_description": "将所有你那些不属于某个空间的房间集中一处。", + "metaspaces_home_all_rooms_description": "在主页展示你所有的房间,即使它们是在一个空间里。", + "metaspaces_home_all_rooms": "显示所有房间" } }, "devtools": { @@ -2855,7 +2683,15 @@ "see_older_messages": "点击这里以查看更早的消息。" }, "creation_summary_dm": "%(creator)s 创建了此私聊。", - "creation_summary_room": "%(creator)s 创建并配置了此房间。" + "creation_summary_room": "%(creator)s 创建并配置了此房间。", + "context_menu": { + "view_source": "查看源代码", + "show_url_preview": "显示预览", + "external_url": "源网址", + "collapse_reply_thread": "折叠回复消息列", + "view_related_event": "查看相关事件", + "report": "举报" + } }, "slash_command": { "spoiler": "此消息包含剧透", @@ -3044,10 +2880,28 @@ "default_device": "默认设备", "failed_call_live_broadcast_title": "无法开始通话", "no_media_perms_title": "没有媒体存取权限", - "no_media_perms_description": "你可能需要手动授权 %(brand)s 使用你的麦克风或摄像头" + "no_media_perms_description": "你可能需要手动授权 %(brand)s 使用你的麦克风或摄像头", + "call_toast_unknown_room": "未知房间", + "join_button_tooltip_connecting": "连接中", + "join_button_tooltip_call_full": "抱歉——目前线路拥挤", + "hide_sidebar_button": "隐藏侧边栏", + "show_sidebar_button": "显示侧边栏", + "more_button": "更多", + "screenshare_monitor": "分享整个屏幕", + "screenshare_window": "应用程序窗口", + "screenshare_title": "分享内容", + "disabled_no_perms_start_voice_call": "你没有权限开始语音通话", + "disabled_no_perms_start_video_call": "你没有权限开始视频通话", + "disabled_ongoing_call": "正在进行的通话", + "disabled_no_one_here": "这里没有人可以打电话", + "n_people_joined": { + "one": "%(count)s个人已加入", + "other": "%(count)s个人已加入" + }, + "unknown_person": "陌生人", + "connecting": "连接中" }, "Other": "其他", - "Advanced": "高级", "room_settings": { "permissions": { "m.room.avatar_space": "更改空间头像", @@ -3087,7 +2941,10 @@ "title": "角色与权限", "permissions_section": "权限", "permissions_section_description_space": "选择改变空间各个部分所需的角色", - "permissions_section_description_room": "选择更改房间各个部分所需的角色" + "permissions_section_description_room": "选择更改房间各个部分所需的角色", + "add_privileged_user_heading": "添加特权用户", + "add_privileged_user_description": "授权给该房间内的某人或某些人", + "add_privileged_user_filter_placeholder": "搜索该房间内的用户……" }, "security": { "strict_encryption": "永不从此会话向此房间中未验证的会话发送加密消息", @@ -3113,7 +2970,33 @@ "history_visibility_shared": "仅成员(从选中此选项时开始)", "history_visibility_invited": "只有成员(从他们被邀请开始)", "history_visibility_joined": "只有成员(从他们加入开始)", - "history_visibility_world_readable": "任何人" + "history_visibility_world_readable": "任何人", + "join_rule_upgrade_required": "需要升级", + "join_rule_restricted_n_more": { + "other": "以及另 %(count)s", + "one": "& 另外 %(count)s" + }, + "join_rule_restricted_summary": { + "other": "目前,%(count)s 个空间可以访问", + "one": "目前,一个空间有访问权限" + }, + "join_rule_restricted_description": "空间中的任何人都可以找到并加入。在此处编辑哪些空间可以访问。", + "join_rule_restricted_description_spaces": "可访问的空间", + "join_rule_restricted_description_active_space": " 中的任何人都可以寻找和加入。你也可以选择其他空间。", + "join_rule_restricted_description_prompt": "空间中的任何人都可以找到并加入。你可以选择多个空间。", + "join_rule_restricted": "空间成员", + "join_rule_restricted_upgrade_warning": "这个房间位于你不是管理员的某些空间中。 在这些空间中,旧房间仍将显示,但系统会提示人们加入新房间。", + "join_rule_restricted_upgrade_description": "此升级将允许选定的空间成员无需邀请即可访问此房间。", + "join_rule_upgrade_upgrading_room": "正在升级房间", + "join_rule_upgrade_awaiting_room": "正在加载新房间", + "join_rule_upgrade_sending_invites": { + "one": "正在发送邀请…", + "other": "正在发送邀请… (%(count)s 中的 %(progress)s)" + }, + "join_rule_upgrade_updating_spaces": { + "other": "正在更新房间… (%(count)s 中的 %(progress)s)", + "one": "正在更新空间…" + } }, "general": { "publish_toggle": "是否将此房间发布至 %(domain)s 的房间目录中?", @@ -3123,7 +3006,11 @@ "default_url_previews_off": "已对此房间的参与者默认禁用URL预览。", "url_preview_encryption_warning": "在加密的房间中,比如此房间,URL预览默认是禁用的,以确保你的家服务器(生成预览的地方)无法收集与你在此房间中看到的链接有关的信息。", "url_preview_explainer": "当有人在他们的消息里放置URL时,可显示URL预览以给出更多有关链接的信息,如其网站的标题、描述以及图片。", - "url_previews_section": "URL预览" + "url_previews_section": "URL预览", + "error_save_space_settings": "空间设置保存失败。", + "description_space": "编辑关于你的空间的设置。", + "save": "保存修改", + "leave_space": "离开空间" }, "advanced": { "unfederated": "此房间无法被远程 Matrix 服务器访问", @@ -3134,6 +3021,24 @@ "room_id": "内部房间ID", "room_version_section": "房间版本", "room_version": "房间版本:" + }, + "delete_avatar_label": "删除头像", + "upload_avatar_label": "上传头像", + "visibility": { + "error_update_guest_access": "更新此空间的游客访问权限失败", + "error_update_history_visibility": "更新此空间的历史记录可见性失败", + "guest_access_explainer": "游客无需账户即可加入空间。", + "guest_access_explainer_public_space": "这可能对公开空间有所帮助。", + "title": "可见性", + "error_failed_save": "更新此空间的可见性失败", + "history_visibility_anyone_space": "预览空间", + "history_visibility_anyone_space_description": "允许人们在加入前预览你的空间。", + "history_visibility_anyone_space_recommendation": "建议用于公开空间。", + "guest_access_label": "启用游客访问权限" + }, + "access": { + "title": "访问", + "description_space": "决定谁可以查看和加入 %(spaceName)s。" } }, "encryption": { @@ -3160,7 +3065,12 @@ "waiting_other_device_details": "正等待你在其它设备上验证,%(deviceName)s(%(deviceId)s)……", "waiting_other_device": "正等待你在其它设备上验证……", "waiting_other_user": "正在等待%(displayName)s进行验证……", - "cancelling": "正在取消……" + "cancelling": "正在取消……", + "unverified_sessions_toast_title": "你有未验证的会话", + "unverified_sessions_toast_description": "检查以确保你的账户是安全的", + "unverified_sessions_toast_reject": "稍后再说", + "unverified_session_toast_title": "现在登录。请问是你本人吗?", + "request_toast_detail": "来自 %(ip)s 的 %(deviceId)s" }, "old_version_detected_title": "检测到旧的加密数据", "old_version_detected_description": "已检测到旧版%(brand)s的数据,这将导致端到端加密在旧版本中发生故障。在此版本中,使用旧版本交换的端到端加密消息可能无法解密。这也可能导致与此版本交换的消息失败。如果你遇到问题,请登出并重新登录。要保留历史消息,请先导出并在重新登录后导入你的密钥。", @@ -3170,7 +3080,18 @@ "bootstrap_title": "设置密钥", "export_unsupported": "你的浏览器不支持所需的密码学扩展", "import_invalid_keyfile": "不是有效的 %(brand)s 密钥文件", - "import_invalid_passphrase": "身份验证失败:密码错误?" + "import_invalid_passphrase": "身份验证失败:密码错误?", + "set_up_toast_title": "设置安全备份", + "upgrade_toast_title": "提供加密升级", + "verify_toast_title": "验证此会话", + "set_up_toast_description": "防止丢失加密消息和数据的访问权", + "verify_toast_description": "其他用户可能不信任它", + "cross_signing_unsupported": "你的家服务器不支持交叉签名。", + "cross_signing_ready": "交叉签名已可用。", + "cross_signing_ready_no_backup": "交叉签名已就绪,但尚未备份密钥。", + "cross_signing_untrusted": "你的账户在秘密存储中有交叉签名身份,但并没有被此会话信任。", + "cross_signing_not_ready": "未设置交叉签名。", + "not_supported": "<不支持>" }, "emoji": { "category_frequently_used": "经常使用", @@ -3193,7 +3114,8 @@ "bullet_1": "我们不会记录或配置任何账户数据", "bullet_2": "我们不会与第三方共享信息", "disable_prompt": "您可以随时在设置中关闭此功能", - "accept_button": "没问题" + "accept_button": "没问题", + "shared_data_heading": "以下数据之一可能被分享:" }, "chat_effects": { "confetti_description": "附加五彩纸屑发送", @@ -3327,7 +3249,8 @@ "no_hs_url_provided": "未输入家服务器链接", "autodiscovery_unexpected_error_hs": "解析家服务器配置时发生未知错误", "autodiscovery_unexpected_error_is": "解析身份服务器配置时发生未知错误", - "incorrect_credentials_detail": "请注意,你正在登录 %(hs)s,而非 matrix.org。" + "incorrect_credentials_detail": "请注意,你正在登录 %(hs)s,而非 matrix.org。", + "create_account_title": "创建账户" }, "room_list": { "sort_unread_first": "优先显示有未读消息的房间", @@ -3446,7 +3369,34 @@ "error_need_to_be_logged_in": "你需要登录。", "error_need_invite_permission": "你需要有邀请用户的权限才能进行此操作。", "error_need_kick_permission": "你需要能够移除用户才能做到那件事。", - "no_name": "未知应用" + "no_name": "未知应用", + "error_hangup_title": "连接丢失", + "error_hangup_description": "你已断开通话。(错误:%(message)s)", + "context_menu": { + "start_audio_stream": "开始音频流", + "screenshot": "拍照", + "delete": "删除挂件", + "delete_warning": "删除挂件时将为房间中的所有成员删除。你确定要删除此挂件吗?", + "remove": "为所有人删除", + "revoke": "撤销权限", + "move_left": "向左移动", + "move_right": "向右移动" + }, + "shared_data_name": "你的显示名称", + "shared_data_mxid": "你的用户 ID", + "shared_data_theme": "你的主题", + "shared_data_url": "%(brand)s 的链接", + "shared_data_room_id": "房间 ID", + "shared_data_widget_id": "挂件 ID", + "shared_data_warning_im": "使用此挂件可能会与 %(widgetDomain)s 及您的集成管理器共享数据 。", + "shared_data_warning": "使用此挂件可能会和 %(widgetDomain)s 共享数据 。", + "unencrypted_warning": "挂件不适用消息加密。", + "added_by": "挂件添加者", + "cookie_warning": "此挂件可能使用 cookie。", + "error_loading": "加载挂件时发生错误", + "error_mixed_content": "错误 - 混合内容", + "unmaximise": "取消最大化", + "popout": "在弹出式窗口中打开挂件" }, "feedback": { "sent": "反馈已发送", @@ -3534,7 +3484,8 @@ "empty_heading": "用消息列使讨论井然有序" }, "theme": { - "light_high_contrast": "浅色高对比" + "light_high_contrast": "浅色高对比", + "match_system": "匹配系统" }, "space": { "landing_welcome": "欢迎来到 ", @@ -3550,9 +3501,14 @@ "devtools_open_timeline": "查看房间时间线(开发工具)", "home": "空间首页", "explore": "探索房间", - "manage_and_explore": "管理并探索房间" + "manage_and_explore": "管理并探索房间", + "options": "空间选项" }, - "share_public": "分享你的公共空间" + "share_public": "分享你的公共空间", + "search_children": "搜索 %(spaceName)s", + "invite_link": "分享邀请链接", + "invite": "邀请人们", + "invite_description": "使用邮箱或者用户名邀请" }, "location_sharing": { "MapStyleUrlNotConfigured": "此家服务器未配置显示地图。", @@ -3568,7 +3524,14 @@ "failed_timeout": "尝试获取你的位置超时。请之后再试。", "failed_unknown": "获取位置时发生错误。请之后再试。", "expand_map": "展开地图", - "failed_load_map": "无法加载地图" + "failed_load_map": "无法加载地图", + "live_enable_heading": "实时位置分享", + "live_enable_description": "请注意:这是使用临时实现的实验室功能。这意味着你无法删除你的位置历史,并且甚至在你停止与此房间分享实时位置后,高级用户将仍能查看你的位置历史。", + "live_toggle_label": "启用实时位置分享", + "live_share_button": "分享%(duration)s", + "click_move_pin": "点击以移动图钉", + "click_drop_pin": "点击以放置图钉", + "share_button": "共享位置" }, "labs_mjolnir": { "room_name": "我的封禁列表", @@ -3603,7 +3566,6 @@ }, "create_space": { "name_required": "请输入空间名称", - "name_placeholder": "例如:my-space", "explainer": "空间是将房间和人分组的一种新方式。你想创建什么类型的空间?你可以在以后更改。", "public_description": "适合每一个人的开放空间,社群的理想选择", "private_description": "仅邀请,适合你自己或团队", @@ -3631,11 +3593,16 @@ "setup_rooms_community_heading": "你想在 %(spaceName)s 中讨论什么?", "setup_rooms_community_description": "让我们为每个主题都创建一个房间吧。", "setup_rooms_description": "稍后你可以添加更多房间,包括现有的。", - "setup_rooms_private_heading": "你的团队正在进行什么项目?" + "setup_rooms_private_heading": "你的团队正在进行什么项目?", + "address_placeholder": "例如:my-space", + "address_label": "地址", + "label": "创建空间", + "add_details_prompt_2": "你随时可以更改它们。" }, "user_menu": { "switch_theme_light": "切换到浅色模式", - "switch_theme_dark": "切换到深色模式" + "switch_theme_dark": "切换到深色模式", + "settings": "所有设置" }, "notif_panel": { "empty_heading": "一切完毕", @@ -3672,7 +3639,21 @@ "leave_error_title": "离开房间时出错", "upgrade_error_title": "升级房间时发生错误", "upgrade_error_description": "请再次检查你的服务器是否支持所选房间版本,然后再试一次。", - "leave_server_notices_description": "此房间是用于发布来自家服务器的重要讯息的,所以你不能退出它。" + "leave_server_notices_description": "此房间是用于发布来自家服务器的重要讯息的,所以你不能退出它。", + "error_join_connection": "加入时发生错误。", + "error_join_incompatible_version_1": "抱歉,你的家服务器过旧,故无法参与其中。", + "error_join_incompatible_version_2": "请 联系你的家服务器管理员。", + "error_join_404_invite_same_hs": "邀请你的人已经离开了。", + "error_join_404_invite": "邀请你的人已经离开了,亦或是他们的家服务器离线了。", + "error_join_title": "加入失败", + "context_menu": { + "unfavourite": "已收藏", + "favourite": "收藏", + "mentions_only": "仅提及", + "copy_link": "复制房间链接", + "low_priority": "低优先级", + "forget": "忘记房间" + } }, "file_panel": { "guest_note": "你必须 注册 以使用此功能", @@ -3692,7 +3673,8 @@ "tac_button": "浏览条款与要求", "identity_server_no_terms_title": "身份服务器无服务条款", "identity_server_no_terms_description_1": "此操作需要访问默认的身份服务器 以验证邮箱或电话号码,但此服务器无任何服务条款。", - "identity_server_no_terms_description_2": "只有在你信任服务器所有者后才能继续。" + "identity_server_no_terms_description_2": "只有在你信任服务器所有者后才能继续。", + "inline_intro_text": "接受 以继续:" }, "space_settings": { "title": "设置 - %(spaceName)s" @@ -3783,7 +3765,13 @@ "admin_contact": "请 联系你的服务管理员 以继续使用本服务。", "connection": "与家服务器通讯时出现问题,请稍后再试。", "mixed_content": "当浏览器地址栏里有 HTTPS 的 URL 时,不能使用 HTTP 连接家服务器。请使用 HTTPS 或者允许不安全的脚本。", - "tls": "无法连接家服务器 - 请检查网络连接,确保你的家服务器 SSL 证书被信任,且没有浏览器插件拦截请求。" + "tls": "无法连接家服务器 - 请检查网络连接,确保你的家服务器 SSL 证书被信任,且没有浏览器插件拦截请求。", + "admin_contact_short": "请联系你的服务器管理员。", + "non_urgent_echo_failure_toast": "你的服务器没有响应一些请求。", + "failed_copy": "复制失败", + "something_went_wrong": "出了点问题!", + "update_power_level": "权力级别修改失败", + "unknown": "未知错误" }, "in_space1_and_space2": "在 %(space1Name)s 和 %(space2Name)s 空间。", "in_space_and_n_other_spaces": { @@ -3791,5 +3779,48 @@ "other": "在 %(spaceName)s 和其他 %(count)s 个空间。" }, "in_space": "在 %(spaceName)s 空间。", - "name_and_id": "%(name)s%(userId)s" + "name_and_id": "%(name)s%(userId)s", + "items_and_n_others": { + "other": " 和其他 %(count)s 人", + "one": " 与另一个人" + }, + "notifications": { + "enable_prompt_toast_title_from_message_send": "不要错过任何回复", + "enable_prompt_toast_title": "通知", + "enable_prompt_toast_description": "开启桌面通知", + "colour_none": "无", + "colour_bold": "粗体", + "colour_unsent": "未发送", + "error_change_title": "修改通知设置", + "mark_all_read": "标记所有为已读", + "keyword": "关键词", + "keyword_new": "新的关键词", + "class_global": "全局", + "class_other": "其他", + "mentions_keywords": "提及&关键词" + }, + "mobile_guide": { + "toast_title": "使用 app 以获得更好的体验", + "toast_description": "在移动网页浏览器中 %(brand)s 是实验性功能。为了获取更好的体验和最新功能,请使用我们的免费原生应用。", + "toast_accept": "使用 app" + }, + "chat_card_back_action_label": "返回聊天", + "room_summary_card_back_action_label": "房间信息", + "member_list_back_action_label": "房间成员", + "thread_view_back_action_label": "返回消息列", + "quick_settings": { + "title": "快速设置", + "all_settings": "所有设置", + "metaspace_section": "固定到侧边栏", + "sidebar_settings": "更多选项" + }, + "lightbox": { + "rotate_left": "向左旋转", + "rotate_right": "向右旋转" + }, + "a11y_jump_first_unread_room": "跳转至第一个未读房间。", + "integration_manager": { + "error_connecting_heading": "不能连接到集成管理器", + "error_connecting": "此集成管理器为离线状态或者其不能访问你的家服务器。" + } } diff --git a/src/i18n/strings/zh_Hant.json b/src/i18n/strings/zh_Hant.json index 39b7b0e098..38821dae08 100644 --- a/src/i18n/strings/zh_Hant.json +++ b/src/i18n/strings/zh_Hant.json @@ -20,7 +20,6 @@ "Failed to reject invitation": "無法拒絕邀請", "Failed to set display name": "無法設定顯示名稱", "Failed to unban": "無法解除封鎖", - "Favourite": "加入我的最愛", "Filter room members": "過濾聊天室成員", "Forget room": "忘記聊天室", "Historical": "歷史", @@ -38,7 +37,6 @@ "Sun": "週日", "Mon": "週一", "Tue": "週二", - "Notifications": "通知", "unknown error code": "未知的錯誤代碼", "Reason": "原因", "Error decrypting image": "解密圖片出錯", @@ -52,18 +50,14 @@ "Are you sure you want to leave the room '%(roomName)s'?": "您確定要離開聊天室「%(roomName)s」嗎?", "Custom level": "自訂等級", "Enter passphrase": "輸入安全密語", - "Failed to change power level": "無法變更權限等級", "Home": "首頁", "Invited": "已邀請", "Low priority": "低優先度", "Moderator": "版主", "New passwords must match each other.": "新密碼必須互相相符。", "not specified": "未指定", - "": "<不支援>", - "No display name": "沒有顯示名稱", "No more results": "沒有更多結果", "Please check your email and click on the link it contains. Once this is done, click continue.": "請收信並點擊信中的連結。完成後,再點擊「繼續」。", - "Profile": "基本資料", "Reject invitation": "拒絕邀請", "%(roomName)s does not exist.": "%(roomName)s 不存在。", "%(roomName)s is not accessible at this time.": "%(roomName)s 此時無法存取。", @@ -78,7 +72,6 @@ "one": "正在上傳 %(filename)s 與另 %(count)s 個檔案", "other": "正在上傳 %(filename)s 與另 %(count)s 個檔案" }, - "Upload avatar": "上傳大頭照", "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s(權限等級 %(powerLevelNumber)s)", "Verification Pending": "等待驗證", "Warning!": "警告!", @@ -120,22 +113,16 @@ "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.": "匯出檔案被安全密語所保護。您應該在這裡輸入安全密語來解密檔案。", - "Reject all %(invitedRooms)s invites": "拒絕所有 %(invitedRooms)s 邀請", "Confirm Removal": "確認刪除", - "Unknown error": "未知的錯誤", "Unable to restore session": "無法復原工作階段", "If you have previously used a more recent version of %(brand)s, your session may be incompatible with this version. Close this window and return to the more recent version.": "若您先前使用過較新版本的 %(brand)s,您的工作階段可能與此版本不相容。關閉此視窗並回到較新的版本。", - "Something went wrong!": "出了點問題!", "This will allow you to reset your password and receive notifications.": "這讓您可以重設您的密碼與接收通知。", "and %(count)s others...": { "other": "與另 %(count)s 個人…", "one": "與另 1 個人…" }, - "Delete widget": "刪除小工具", "AM": "上午", "PM": "下午", - "Copied!": "已複製!", - "Failed to copy": "無法複製", "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.": "您正在將自己降級,如果您是聊天室中最後一位有特殊權限的使用者,您將無法復原此變更,因為無法再獲得特定權限。", @@ -149,11 +136,6 @@ "Unnamed room": "未命名的聊天室", "Banned by %(displayName)s": "被 %(displayName)s 封鎖", "Delete Widget": "刪除小工具", - "Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "刪除小工具會將它從此聊天室中所有使用者的收藏中移除。您確定您要刪除這個小工具嗎?", - " and %(count)s others": { - "other": " 與其他 %(count)s 個人", - "one": " 與另一個人" - }, "collapse": "收折", "expand": "展開", "And %(count)s more...": { @@ -164,14 +146,12 @@ "In reply to ": "回覆給 ", "You don't currently have any stickerpacks enabled": "您目前沒有啟用任何貼圖包", "Sunday": "星期日", - "Notification targets": "通知目標", "Today": "今天", "Friday": "星期五", "Changelog": "變更記錄檔", "Failed to send logs: ": "無法傳送除錯訊息: ", "This Room": "這個聊天室", "Unavailable": "無法取得", - "Source URL": "來源網址", "Filter results": "過濾結果", "Tuesday": "星期二", "Preparing to send logs": "準備傳送除錯訊息", @@ -185,10 +165,8 @@ "Search…": "搜尋…", "Logs sent": "記錄檔已經傳送", "Yesterday": "昨天", - "Low Priority": "低優先度", "Wednesday": "星期三", "Thank you!": "感謝您!", - "Popout widget": "彈出式小工具", "Unable to load event that was replied to, it either does not exist or you do not have permission to view it.": "無法載入要回覆的活動,它可能不存在或是您沒有權限檢視它。", "Send Logs": "傳送紀錄檔", "Clear Storage and Sign Out": "清除儲存的東西並登出", @@ -216,7 +194,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.": "您的訊息未傳送,因為其家伺服器已超過一項資源限制。請聯絡您的服務管理員以繼序使用服務。", - "Please contact your homeserver administrator.": "請聯絡您的家伺服器的管理員。", "This room has been replaced and is no longer active.": "這個聊天室已被取代,且不再使用。", "The conversation continues here.": "對話在此繼續。", "Failed to upgrade room": "無法升級聊天室", @@ -229,8 +206,6 @@ "Incompatible local cache": "不相容的本機快取", "Clear cache and resync": "清除快取並重新同步", "Add some now": "現在新增一些嗎", - "Delete Backup": "刪除備份", - "Unable to load key backup status": "無法載入金鑰備份狀態", "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": "在停用加密的情況下繼續", @@ -257,20 +232,15 @@ "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": "電子郵件地址", - "All keys backed up": "所有金鑰都已備份", "Unable to verify phone number.": "無法驗證電話號碼。", "Verification code": "驗證碼", "Phone Number": "電話號碼", - "Profile picture": "大頭照", - "Display Name": "顯示名稱", "Room information": "聊天室資訊", - "General": "一般", "Room Addresses": "聊天室位址", "Email addresses": "電子郵件地址", "Phone numbers": "電話號碼", "Account management": "帳號管理", "Ignored users": "忽略使用者", - "Bulk options": "大量選項", "Missing media permissions, click the button below to request.": "尚未取得媒體權限,請點擊下方的按鈕來授權。", "Request media permissions": "請求媒體權限", "Voice & Video": "語音與視訊", @@ -282,7 +252,6 @@ "Incoming Verification Request": "收到的驗證請求", "Email (optional)": "電子郵件(選擇性)", "Join millions for free on the largest public server": "在最大的公開伺服器上,免費與數百萬人一起交流", - "Create account": "建立帳號", "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": "狗", @@ -349,9 +318,7 @@ "This homeserver would like to make sure you are not a robot.": "這個家伺服器想要確認您不是機器人。", "Couldn't load page": "無法載入頁面", "Your password has been reset.": "您的密碼已重設。", - "Are you sure? You will lose your encrypted messages if your keys are not backed up properly.": "您確定嗎?如果沒有正確備份金鑰的話,將會遺失所有加密訊息。", "Encrypted messages are secured with end-to-end encryption. Only you and the recipient(s) have the keys to read these messages.": "加密訊息是使用端對端加密。只有您和接收者才有金鑰可以閱讀這些訊息。", - "Restore from Backup": "從備份還原", "Back up your keys before signing out to avoid losing them.": "請在登出前備份您的金鑰,以免遺失。", "Start using Key Backup": "開始使用金鑰備份", "I don't want my encrypted messages": "我不要我的加密訊息了", @@ -366,7 +333,6 @@ "There was an error updating the room's main address. It may not be allowed by the server or a temporary failure occurred.": "更新聊天室的主要位址時發生錯誤。可能是不被伺服器允許或是遇到暫時性的錯誤。", "Room Settings - %(roomName)s": "聊天室設定 - %(roomName)s", "Could not load user profile": "無法載入使用者簡介", - "Accept all %(invitedRooms)s invites": "接受所有 %(invitedRooms)s 邀請", "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.": "升級此聊天室將會關閉聊天室目前的執行個體,並建立一個同名的升級版。", @@ -409,8 +375,6 @@ "%(roomName)s can't be previewed. Do you want to join it?": "無法預覽 %(roomName)s。您想要加入嗎?", "This room has already been upgraded.": "此聊天室已升級。", "edited": "已編輯", - "Rotate Left": "向左旋轉", - "Rotate Right": "向右旋轉", "Edit message": "編輯訊息", "Some characters not allowed": "不允許某些字元", "Add room": "新增聊天室", @@ -458,7 +422,6 @@ "Enter a new identity server": "輸入新的身分伺服器", "Remove %(email)s?": "移除 %(email)s?", "Remove %(phone)s?": "移除 %(phone)s?", - "Accept to continue:": "接受 以繼續:", "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.": "使用身分伺服器是選擇性的。如果您選擇不要使用身分伺服器,您將無法被其他使用者探索,您也不能透過電子郵件或電話邀請其他人。", @@ -496,8 +459,6 @@ "Share this email in Settings to receive invites directly in %(brand)s.": "在設定中分享此電子郵件以直接在 %(brand)s 中接收邀請。", "Explore rooms": "探索聊天室", "e.g. my-room": "例如:my-room", - "Hide advanced": "隱藏進階設定", - "Show advanced": "顯示進階設定", "Close dialog": "關閉對話框", "Show image": "顯示圖片", "Your email address hasn't been verified yet": "您的電子郵件地址尚未被驗證", @@ -511,8 +472,6 @@ "This client does not support end-to-end encryption.": "此客戶端不支援端對端加密。", "Messages in this room are not end-to-end encrypted.": "此聊天室內的訊息未經端到端加密。", "Cancel search": "取消搜尋", - "Jump to first unread room.": "跳到第一個未讀的聊天室。", - "Jump to first invite.": "跳到第一個邀請。", "Room %(name)s": "聊天室 %(name)s", "Message Actions": "訊息動作", "You verified %(name)s": "您驗證了 %(name)s", @@ -527,24 +486,9 @@ "None": "無", "You have ignored this user, so their message is hidden. Show anyways.": "您已忽略這個使用者,所以他們的訊息會隱藏。無論如何都顯示。", "Messages in this room are end-to-end encrypted.": "此聊天室內的訊息有端對端加密。", - "Any of the following data may be shared:": "可能會分享以下資料:", - "Your display name": "您的顯示名稱", - "Your user ID": "您的使用者 ID", - "Your theme": "您的主題", - "%(brand)s URL": "%(brand)s 網址", - "Room ID": "聊天室 ID", - "Widget ID": "小工具 ID", - "Using this widget may share data with %(widgetDomain)s.": "使用這個小工具可能會與 %(widgetDomain)s 分享資料 。", - "Widget added by": "小工具新增者為", - "This widget may use cookies.": "這個小工具可能會使用 cookies。", - "Cannot connect to integration manager": "無法連線到整合管理員", - "The integration manager is offline or it cannot reach your homeserver.": "整合管理員已離線或無法存取您的家伺服器。", "Failed to connect to integration manager": "無法連線到整合服務伺服器", - "Widgets do not use message encryption.": "小工具不使用訊息加密。", - "More options": "更多選項", "Integrations are disabled": "整合已停用", "Integrations not allowed": "不允許整合", - "Remove for everyone": "為所有人移除", "Manage integrations": "管理整合功能", "Verification Request": "驗證請求", "Unencrypted": "未加密", @@ -555,9 +499,6 @@ "You'll upgrade this room from to .": "您將要把此聊天室從 升級到 。", " wants to chat": " 想要聊天", "Start chatting": "開始聊天", - "Secret storage public key:": "秘密儲存空間公鑰:", - "in account data": "在帳號資料中", - "not stored": "未儲存", "Hide verified sessions": "隱藏已驗證的工作階段", "%(count)s verified sessions": { "other": "%(count)s 個已驗證的工作階段", @@ -573,8 +514,6 @@ "Failed to find the following users": "找不到以下使用者", "The following users might not exist or are invalid, and cannot be invited: %(csvNames)s": "以下使用者可能不存在或無效,且無法被邀請:%(csvNames)s", "Lock": "鎖定", - "Other users may not trust it": "其他使用者可能不會信任它", - "Later": "稍後", "Something went wrong trying to invite the users.": "在嘗試邀請使用者時發生錯誤。", "We couldn't invite those users. Please check the users you want to invite and try again.": "無法邀請使用者。請重新確認您想要邀請的使用者後再試一次。", "Recently Direct Messaged": "最近傳送過私人訊息", @@ -587,17 +526,7 @@ "Enter your account password to confirm the upgrade:": "輸入您的帳號密碼以確認升級:", "You'll need to authenticate with the server to confirm the upgrade.": "您必須透過伺服器驗證以確認升級。", "Upgrade your encryption": "升級您的加密", - "Verify this session": "驗證此工作階段", - "Encryption upgrade available": "已提供加密升級", - "Your account has a cross-signing identity in secret storage, but it is not yet trusted by this session.": "您的帳號在秘密儲存空間中有交叉簽署的身分,但尚未被此工作階段信任。", - "Securely cache encrypted messages locally for them to appear in search results.": "將加密的訊息安全地在本機快取以出現在顯示結果中。", - "%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with search components added.": "%(brand)s 缺少某些在本機快取已加密訊息所需的元件。如果您想要實驗此功能,請加入搜尋元件來自行建構 %(brand)s 桌面版。", - "This session is not backing up your keys, but you do have an existing backup you can restore from and add to going forward.": "此工作階段並未備份您的金鑰,您可還原先前的備份後再繼續新增金鑰到備份內容中。", - "Connect this session to key backup before signing out to avoid losing any keys that may only be on this session.": "在登出前,請先將此工作階段連線到金鑰備份以避免遺失任何可能僅存在此工作階段中的金鑰。", - "Connect this session to Key Backup": "將此工作階段連結至金鑰備份", "This backup is trusted because it has been restored on this session": "此備份已受信任,因為它已在此工作階段上復原", - "Your keys are not being backed up from this session.": "您並未備份此裝置的金鑰。", - "Message search": "訊息搜尋", "This room is bridging messages to the following platforms. Learn more.": "此聊天室已橋接訊息到以下平臺。取得更多詳細資訊。", "Bridges": "橋接", "This user has not verified all of their sessions.": "此使用者尚未驗證他們的所有工作階段。", @@ -644,10 +573,8 @@ "Verify by scanning": "透過掃描來驗證", "You declined": "您拒絕了", "%(name)s declined": "%(name)s 拒絕了", - "Your homeserver does not support cross-signing.": "您的家伺服器不支援交叉簽署。", "Accepting…": "正在接受…", "To report a Matrix-related security issue, please read the Matrix.org Security Disclosure Policy.": "要回報與 Matrix 有關的安全性問題,請閱讀 Matrix.org 的安全性揭露政策。", - "Mark all as read": "全部標示為已讀", "There was an error updating the room's alternative addresses. It may not be allowed by the server or a temporary failure occurred.": "更新聊天室的替代位址時發生錯誤。伺服器可能不允許這麼做,或是遇到暫時性的錯誤。", "Scroll to most recent messages": "捲動到最新訊息", "Local address": "本機位址", @@ -676,7 +603,6 @@ "Confirm by comparing the following with the User Settings in your other session:": "透過將下列內容與您其他工作階段中的「使用者設定」所顯示的內容來確認:", "Confirm this user's session by comparing the following with their User Settings:": "將以下內容與對方的「使用者設定」當中顯示的內容進行比對,來確認對方的工作階段:", "If they don't match, the security of your communication may be compromised.": "如果它們不相符,則可能會威脅到您的通訊安全。", - "Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "逐一手動驗證使用者的工作階段,將其標記為受信任階段,不透過裝置的交叉簽署機制來信任。", "In encrypted rooms, your messages are secured and only you and the recipient have the unique keys to unlock them.": "在加密聊天室中,您的訊息相當安全,只有您與接收者有獨特的金鑰可以將其解鎖。", "Verify all users in a room to ensure it's secure.": "請驗證聊天室中的所有使用者來確保安全。", "Sign in with SSO": "使用 SSO 登入", @@ -687,8 +613,6 @@ "Verification timed out.": "驗證逾時。", "%(displayName)s cancelled verification.": "%(displayName)s 取消驗證。", "You cancelled verification.": "您取消了驗證。", - "well formed": "組成良好", - "unexpected type": "預料之外的類型", "Confirm your account deactivation by using Single Sign On to prove your identity.": "透過使用單一登入系統來證您的身分以確認停用您的帳號。", "Are you sure you want to deactivate your account? This is irreversible.": "確定您想要停用您的帳號嗎?此為不可逆的操作。", "Confirm account deactivation": "確認停用帳號", @@ -700,7 +624,6 @@ "Reminder: Your browser is unsupported, so your experience may be unpredictable.": "提醒:您的瀏覽器不受支援,所以您的使用體驗可能無法預測。", "Unable to upload": "無法上傳", "Unable to query secret storage status": "無法查詢秘密儲存空間狀態", - "New login. Was this you?": "新登入。這是您嗎?", "Restoring keys from backup": "從備份還原金鑰", "%(completed)s of %(total)s keys restored": "%(total)s 中的 %(completed)s 金鑰已復原", "Keys restored": "金鑰已復原", @@ -726,11 +649,9 @@ "Use a different passphrase?": "使用不同的安全密語?", "Your homeserver has exceeded its user limit.": "您的家伺服器已超過使用者限制。", "Your homeserver has exceeded one of its resource limits.": "您的家伺服器已超過其中一種資源限制。", - "Contact your server admin.": "聯絡您的伺服器管理員。", "Ok": "確定", "Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "您的伺服器管理員已停用在私密聊天室與私人訊息中預設的端對端加密。", "Switch theme": "切換佈景主題", - "All settings": "所有設定", "No recently visited rooms": "沒有最近造訪過的聊天室", "Message preview": "訊息預覽", "Room options": "聊天室選項", @@ -749,15 +670,10 @@ "Set a Security Phrase": "設定安全密語", "Confirm Security Phrase": "確認安全密語", "Save your Security Key": "儲存您的安全金鑰", - "%(brand)s can't securely cache encrypted messages locally while running in a web browser. Use %(brand)s Desktop for encrypted messages to appear in search results.": "%(brand)s 無法在網頁瀏覽器中執行時,安全地在本機快取加密訊息。若需搜尋加密訊息,請使用 %(brand)s 桌面版。", - "Favourited": "已加入我的最愛", - "Forget Room": "忘記聊天室", "This room is public": "此聊天室為公開聊天室", "Edited at %(date)s": "編輯於 %(date)s", "Click to view edits": "點擊以檢視編輯", "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 可能會造成問題。", - "Change notification settings": "變更通知設定", - "Your server isn't responding to some requests.": "您的伺服器未回應某些請求。", "You're all caught up.": "您已完成。", "Server isn't responding": "伺服器沒有回應", "Your server isn't responding to some of your requests. Below are some of the most likely reasons.": "您的伺服器未對您的某些請求回應。下列是可能的原因。", @@ -772,23 +688,12 @@ "Recent changes that have not yet been received": "尚未收到最新變更", "Explore public rooms": "探索公開聊天室", "Preparing to download logs": "正在準備下載紀錄檔", - "Set up Secure Backup": "設定安全備份", "Information": "資訊", "Not encrypted": "未加密", "Room settings": "聊天室設定", - "Take a picture": "拍照", - "Cross-signing is ready for use.": "交叉簽署已可使用。", - "Cross-signing is not set up.": "尚未設定交叉簽署。", "Backup version:": "備份版本:", - "Algorithm:": "演算法:", - "Backup key stored:": "是否已儲存備份金鑰:", - "Backup key cached:": "是否快取備份金鑰:", - "Secret storage:": "秘密儲存空間:", - "ready": "已準備好", - "not ready": "尚未準備好", "Start a conversation with someone using their name or username (like ).": "使用某人的名字或使用者名稱(如 )以與他們開始對話。", "Invite someone using their name, username (like ) or share this room.": "使用某人的名字、使用者名稱(如 )或分享此聊天室來邀請人。", - "Safeguard against losing access to encrypted messages & data": "避免失去對加密訊息與資料的存取權", "Widgets": "小工具", "Edit widgets, bridges & bots": "編輯小工具、橋接與聊天機器人", "Add widgets, bridges & bots": "新增小工具、橋接與聊天機器人", @@ -803,11 +708,6 @@ "Video conference updated by %(senderName)s": "視訊會議由 %(senderName)s 更新", "Video conference started by %(senderName)s": "視訊會議由 %(senderName)s 開始", "Ignored attempt to disable encryption": "已忽略嘗試停用加密", - "Failed to save your profile": "無法儲存您的設定檔", - "The operation could not be completed": "無法完成操作", - "Move right": "向右移動", - "Move left": "向左移動", - "Revoke permissions": "撤銷權限", "You can only pin up to %(count)s widgets": { "other": "您最多只能釘選 %(count)s 個小工具" }, @@ -818,8 +718,6 @@ "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": "透過電子郵件邀請", - "Enable desktop notifications": "啟用桌面通知", - "Don't miss a reply": "不要錯過回覆", "Zimbabwe": "辛巴威", "Zambia": "尚比亞", "Yemen": "葉門", @@ -1069,10 +967,6 @@ "Afghanistan": "阿富汗", "United States": "美國", "United Kingdom": "英國", - "Securely cache encrypted messages locally for them to appear in search results, using %(size)s to store messages from %(rooms)s rooms.": { - "one": "使用 %(size)s 來儲存來自 %(rooms)s 個聊天室的訊息,在本機安全地快取已加密的訊息以使其出現在搜尋結果中。", - "other": "使用 %(size)s 來儲存來自 %(rooms)s 個聊天室的訊息,在本機安全地快取已加密的訊息以使其出現在搜尋結果中。" - }, "Decline All": "全部拒絕", "This widget would like to:": "這個小工具想要:", "Approve widget permissions": "批准小工具權限", @@ -1106,12 +1000,9 @@ "Invalid Security Key": "無效的安全金鑰", "Wrong Security Key": "錯誤的安全金鑰", "Set my room layout for everyone": "為所有人設定我的聊天室佈局", - "Back up your encryption keys with your account data in case you lose access to your sessions. Your keys will be secured with a unique Security Key.": "請備份您帳號的加密金鑰,以防無法使用您的工作階段。您的金鑰會被特殊的安全金鑰保護。", "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": "允許此小工具驗證您的身分", - "Use app for a better experience": "使用應用程式以取得更好的體驗", - "Use app": "使用應用程式", "Recently visited rooms": "最近造訪過的聊天室", "%(count)s members": { "one": "%(count)s 位成員", @@ -1119,28 +1010,18 @@ }, "Are you sure you want to leave the space '%(spaceName)s'?": "您確定您要離開聊天空間「%(spaceName)s」?", "This space is not public. You will not be able to rejoin without an invite.": "此聊天空間並非公開。在無邀請的情況下,您將無法重新加入。", - "Start audio stream": "開始音訊串流", "Failed to start livestream": "無法開始直播", "Unable to start audio streaming.": "無法開始音訊串流。", - "Save Changes": "儲存變更", - "Leave Space": "離開聊天空間", - "Edit settings relating to your space.": "編輯您的聊天空間的設定。", - "Failed to save space settings.": "無法儲存聊天空間設定。", "Invite someone using their name, username (like ) or share this space.": "使用某人的名字、使用者名稱(如 )或分享此聊天室來邀請人。", "Invite someone using their name, email address, username (like ) or share this space.": "使用某人的名字、電子郵件地址、使用者名稱(如 )或分享此聊天空間來邀請人。", "Create a new room": "建立新聊天室", - "Spaces": "聊天空間", "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": "您的訊息已傳送", - "Space options": "聊天空間選項", "Leave space": "離開聊天空間", - "Invite people": "邀請夥伴", - "Share invite link": "分享邀請連結", - "Click to copy": "點擊複製", "Create a space": "建立聊天空間", "Private space": "私密聊天空間", "Public space": "公開聊天空間", @@ -1155,12 +1036,7 @@ "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": "編輯裝置", - "Invite with email or username": "使用電子郵件或使用者名稱邀請", - "You can change these anytime.": "您隨時可以變更這些。", - "unknown person": "不明身份的人", "Verify your identity to access encrypted messages and prove your identity to others.": "驗證您的身分來存取已加密的訊息並對其他人證明您的身分。", - "Review to ensure your account is safe": "請確認您的帳號安全", - "%(deviceId)s from %(ip)s": "從 %(ip)s 來的 %(deviceId)s", "%(count)s people you know have already joined": { "other": "%(count)s 個您認識的人已加入", "one": "%(count)s 個您認識的人已加入" @@ -1205,8 +1081,6 @@ "No microphone found": "找不到麥克風", "We were unable to access your microphone. Please check your browser settings and try again.": "我們無法存取您的麥克風。請檢查您的瀏覽器設定並再試一次。", "Unable to access your microphone": "無法存取您的麥克風", - "Connecting": "連線中", - "Message search initialisation failed": "訊息搜尋初始化失敗", "Search names and descriptions": "搜尋名稱與描述", "You may contact me if you have any follow up questions": "如果後續有任何問題,可以聯絡我", "To leave the beta, visit your settings.": "請到設定頁面離開 Beta 測試版。", @@ -1220,15 +1094,9 @@ "Search for rooms or people": "搜尋聊天室或夥伴", "Sent": "已傳送", "You don't have permission to do this": "您沒有權限執行此動作", - "Error - Mixed content": "錯誤 - 混合內容", - "Error loading Widget": "載入小工具時發生錯誤", "Pinned messages": "已釘選的訊息", "If you have permissions, open the menu on any message and select Pin to stick them here.": "如果您有權限,請開啟任何訊息的選單,並選取釘選以將它們固定到這裡。", "Nothing pinned, yet": "尚未釘選任何東西", - "Report": "回報", - "Collapse reply thread": "收折回覆討論串", - "Show preview": "顯示預覽", - "View source": "檢視原始碼", "Please provide an address": "請提供位址", "Message search initialisation failed, check your settings for more information": "訊息搜尋初始化失敗,請檢查您的設定以取得更多資訊", "Set addresses for this space so users can find this space through your homeserver (%(localDomain)s)": "設定此聊天空間的位址,這樣使用者就能透過您的家伺服器找到此空間(%(localDomain)s)", @@ -1237,17 +1105,6 @@ "Published addresses can be used by anyone on any server to join your space.": "任何伺服器上的人都可以使用已發佈的位址加入您的聊天空間。", "This space has no local addresses": "此聊天空間沒有本機位址", "Space information": "聊天空間資訊", - "Recommended for public spaces.": "給公開聊天空間的推薦。", - "Allow people to preview your space before they join.": "允許人們在加入前預覽您的聊天空間。", - "Preview Space": "預覽聊天空間", - "Decide who can view and join %(spaceName)s.": "決定誰可以檢視並加入 %(spaceName)s。", - "Visibility": "能見度", - "This may be useful for public spaces.": "這可能對公開聊天空間很有用。", - "Guests can join a space without having an account.": "訪客無需帳號即可加入聊天空間。", - "Enable guest access": "允許訪客存取", - "Failed to update the history visibility of this space": "無法更新此聊天空間紀錄的能見度", - "Failed to update the guest access of this space": "無法更新此聊天空間的訪客存取權限", - "Failed to update the visibility of this space": "無法更新此聊天空間的能見度", "Address": "位址", "Unnamed audio": "未命名的音訊", "Error processing audio message": "處理音訊訊息時出現問題", @@ -1256,7 +1113,6 @@ "other": "顯示 %(count)s 個其他預覽" }, "Your %(brand)s doesn't allow you to use an integration manager to do this. Please contact an admin.": "您的 %(brand)s 不允許您使用整合管理員來執行此動作。請聯絡管理員。", - "Using this widget may share data with %(widgetDomain)s & your integration manager.": "使用這個小工具可能會與 %(widgetDomain)s 以及您的整合管理員分享資料 。", "Integration managers receive configuration data, and can modify widgets, send room invites, and set power levels on your behalf.": "整合管理員會為您接收設定資料,修改小工具、傳送聊天室邀請並設定權限等級。", "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) 以管理聊天機器人、小工具與貼圖包。", @@ -1267,11 +1123,6 @@ "Unable to copy a link to the room to the clipboard.": "無法複製聊天室連結至剪貼簿。", "Unable to copy room link": "無法複製聊天室連結", "User Directory": "使用者目錄", - "There was an error loading your notification settings.": "載入您的通知設定時發生錯誤。", - "Mentions & keywords": "提及與關鍵字", - "Global": "全域", - "New keyword": "新關鍵字", - "Keyword": "關鍵字", "The call is in an unknown state!": "通話處於未知狀態!", "Call back": "回撥", "No answer": "無回應", @@ -1280,7 +1131,6 @@ "Connection failed": "連線失敗", "Could not connect media": "無法連結媒體", "Error downloading audio": "下載音訊時發生錯誤", - "Anyone in a space can find and join. Edit which spaces can access here.": "任何在聊天空間中的人都可以找到並加入。編輯哪些聊天空間可以存取這裡。", "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.": "這些可能是其他聊天室管理員的一部分。", @@ -1291,23 +1141,6 @@ "Select spaces": "選取聊天空間", "You're removing all spaces. Access will default to invite only": "您將取消所有聊天空間。存取權限將會預設為邀請制", "Public room": "公開聊天室", - "Access": "存取", - "Space members": "聊天空間成員", - "Anyone in a space can find and join. You can select multiple spaces.": "空間中的任何人都可以找到並加入。您可以選取多個空間。", - "Spaces with access": "可存取的聊天空間", - "Currently, %(count)s spaces have access": { - "other": "目前,%(count)s 個空間可存取", - "one": "目前,1 個空間可存取" - }, - "& %(count)s more": { - "other": "以及 %(count)s 個", - "one": "與其他 %(count)s 個" - }, - "Upgrade required": "必須升級", - "This upgrade will allow members of selected spaces access to this room without an invite.": "此升級讓特定聊天空間的成員不需要邀請就可以存取此聊天室。", - "Share content": "分享內容", - "Application window": "應用程式視窗", - "Share entire screen": "分享整個螢幕", "Want to add an existing space instead?": "想要新增既有的聊天空間嗎?", "Private space (invite only)": "私密聊天空間(邀請制)", "Space visibility": "空間能見度", @@ -1326,26 +1159,18 @@ "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.": "您是此聊天空間唯一的管理員。離開將代表沒有人可以控制它。", "You won't be able to rejoin unless you are re-invited.": "您將無法重新加入,除非您再次被邀請。", - "Search %(spaceName)s": "搜尋 %(spaceName)s", "Decrypting": "正在解密", - "Show all rooms": "顯示所有聊天室", "Missed call": "未接來電", "Call declined": "已拒絕通話", "Stop recording": "停止錄製", "Send voice message": "傳送語音訊息", - "More": "更多", - "Show sidebar": "顯示側邊欄", - "Hide sidebar": "隱藏側邊欄", - "Delete avatar": "刪除大頭照", "Unknown failure: %(reason)s": "未知錯誤:%(reason)s", "Rooms and spaces": "聊天室與聊天空間", "Results": "結果", - "Cross-signing is ready but keys are not backed up.": "已準備好交叉簽署但金鑰未備份。", "Some encryption parameters have been changed.": "部份加密參數已變更。", "Role in ": " 中的角色", "Unknown failure": "未知錯誤", "Failed to update the join rules": "加入規則更新失敗", - "Anyone in can find and join. You can select other spaces too.": "在 中的任何人都可以找到並加入。您也可以選取其他聊天空間。", "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?": "您想要離開此聊天空間中的聊天室嗎?", @@ -1373,16 +1198,6 @@ "Unban from %(roomName)s": "從 %(roomName)s 取消封鎖", "They'll still be able to access whatever you're not an admin of.": "他們仍然可以存取您不是管理員的任何地方。", "Disinvite from %(roomName)s": "拒絕來自 %(roomName)s 的邀請", - "Updating spaces... (%(progress)s out of %(count)s)": { - "one": "正在更新空間…", - "other": "正在更新空間…(%(count)s 中的第 %(progress)s 個)" - }, - "Sending invites... (%(progress)s out of %(count)s)": { - "one": "正在傳送邀請…", - "other": "正在傳送邀請…(%(count)s 中的第 %(progress)s 個)" - }, - "Loading new room": "正在載入新的聊天室", - "Upgrading room": "正在升級聊天室", "Downloading": "正在下載", "%(count)s reply": { "one": "%(count)s 回覆", @@ -1403,17 +1218,10 @@ "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.": "此聊天室不會將訊息橋接至任何平台。取得更多資訊。", - "This room is in some spaces you're not an admin of. In those spaces, the old room will still be shown, but people will be prompted to join the new one.": "這個聊天室位於您不是管理員的某些聊天空間中。在那些聊天空間中,舊的聊天室仍將會顯示,但系統會提示使用者加入新的聊天室。", "Copy link to thread": "複製討論串連結", "Thread options": "討論串選項", "You do not have permission to start polls in this room.": "您沒有權限在此聊天室發起投票。", "Reply in thread": "在討論串中回覆", - "Rooms outside of a space": "聊天空間外的聊天室", - "Show all your rooms in Home, even if they're in a space.": "將您所有的聊天室顯示在首頁,即便它們位於同一個聊天空間。", - "Home is useful for getting an overview of everything.": "首頁對於取得所有內容的概覽很有用。", - "Spaces to show": "要顯示的聊天空間", - "Sidebar": "側邊欄", - "Mentions only": "僅提及", "Forget": "忘記", "Files": "檔案", "You won't get any notifications": "不會收到任何通知", @@ -1442,8 +1250,6 @@ "Themes": "主題", "Moderation": "審核", "Messaging": "訊息傳遞", - "Pin to sidebar": "釘選至側邊欄", - "Quick settings": "快速設定", "Spaces you know that contain this space": "您知道的包含此聊天空間的聊天空間", "Chat": "聊天", "Home options": "家選項", @@ -1458,8 +1264,6 @@ "other": "已投 %(count)s 票。投票後即可檢視結果" }, "No votes cast": "尚無投票", - "Share anonymous data to help us identify issues. Nothing personal. No third parties.": "分享匿名資料以協助我們識別問題。無個人資料。無第三方。", - "Share location": "分享位置", "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.": "您確定您想要結束此投票?這將會顯示最終投票結果並阻止人們投票。", "End Poll": "結束投票", "Sorry, the poll did not end. Please try again.": "抱歉,投票沒有結束。請再試一次。", @@ -1479,7 +1283,6 @@ "Other rooms in %(spaceName)s": "其他在 %(spaceName)s 中的聊天室", "Spaces you're in": "您所在的聊天空間", "Including you, %(commaSeparatedMembers)s": "包含您,%(commaSeparatedMembers)s", - "Copy room link": "複製聊天室連結", "This groups your chats with members of this space. Turning this off will hide those chats from your view of %(spaceName)s.": "將您與此空間成員的聊天進行分組。關閉此功能,將會在您的 %(spaceName)s 畫面中隱藏那些聊天室。", "Sections to show": "要顯示的部份", "Open in OpenStreetMap": "在 OpenStreetMap 中開啟", @@ -1487,9 +1290,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)", - "Back to thread": "回到討論串", - "Room members": "聊天室成員", - "Back to chat": "回到聊天", "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": "用另一台裝置驗證", @@ -1510,10 +1310,6 @@ "You were removed from %(roomName)s by %(memberName)s": "您已被 %(memberName)s 從 %(roomName)s 中移除", "Message pending moderation": "待審核的訊息", "Message pending moderation: %(reason)s": "待審核的訊息:%(reason)s", - "Group all your rooms that aren't part of a space in one place.": "將所有不屬於某個聊天空間的聊天室集中在同一個地方。", - "Group all your people in one place.": "將您所有的夥伴集中在同一個地方。", - "Group all your favourite rooms and people in one place.": "將所有您最喜愛的聊天室與夥伴集中在同一個地方。", - "Spaces are ways to group rooms and people. Alongside the spaces you're in, you can use some pre-built ones too.": "聊天空間是將聊天室與夥伴們分組的方式。除了您所在的聊天空間之外,還可以使用一些預設分類。", "Pick a date to jump to": "挑選要跳至的日期", "Jump to date": "跳至日期", "The beginning of the room": "聊天室開頭", @@ -1539,9 +1335,6 @@ "My current location": "我目前的位置", "%(brand)s could not send your location. Please try again later.": "%(brand)s 無法傳送您的位置。請稍後再試。", "We couldn't send your location": "我們無法傳送您的位置", - "Match system": "符合系統色彩", - "Click to drop a pin": "點擊以放置圖釘", - "Click to move the pin": "點擊以移動圖釘", "Click": "點擊", "Expand quotes": "展開引號", "Collapse quotes": "收折引號", @@ -1558,10 +1351,8 @@ "one": "目前正在移除 %(count)s 個聊天室中的訊息", "other": "目前正在移除 %(count)s 個聊天室中的訊息" }, - "Share for %(duration)s": "分享 %(duration)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 帳號。", - "%(brand)s is experimental on a mobile web browser. For a better experience and the latest features, use our free native app.": "%(brand)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.": "稍後再試,或是要求聊天室或聊天空間的管理員來檢查您是否有權存取。", "This room or space is not accessible at this time.": "目前無法存取此聊天室或聊天空間。", @@ -1577,11 +1368,6 @@ "Forget this space": "忘記此聊天空間", "You were removed by %(memberName)s": "您已被 %(memberName)s 移除", "Loading preview": "正在載入預覽", - "Failed to join": "無法加入", - "The person who invited you has already left, or their server is offline.": "邀請您的人已離開,或是他們的伺服器已離線。", - "The person who invited you has already left.": "邀請您的人已離開。", - "Sorry, your homeserver is too old to participate here.": "抱歉,您的家伺服器太舊,無法在此參與。", - "There was an error joining.": "加入時發生錯誤。", "An error occurred while stopping your live location, please try again": "停止您的即時位置時發生錯誤,請再試一次", "%(featureName)s Beta feedback": "%(featureName)s Beta 測試回饋", "%(count)s participants": { @@ -1625,9 +1411,6 @@ }, "Your password was successfully changed.": "您的密碼已成功變更。", "An error occurred while stopping your live location": "停止您的即時位置時發生錯誤", - "Enable live location sharing": "啟用即時位置分享", - "Please note: this is a labs feature using a temporary implementation. This means you will not be able to delete your location history, and advanced users will be able to see your location history even after you stop sharing your live location with this room.": "請注意:這是暫時開發的實驗性功能。您無法刪除位置紀錄,而且即使您停止與此聊天室分享即時位置,進階使用者仍能看見您的定位紀錄。", - "Live location sharing": "即時位置分享", "%(members)s and %(last)s": "%(members)s 與 %(last)s", "%(members)s and more": "%(members)s 與更多", "Open room": "開啟聊天室", @@ -1645,16 +1428,8 @@ "An error occurred whilst sharing your live location": "分享您的即時位置時發生錯誤", "Unread email icon": "未讀電子郵件圖示", "Joining…": "正在加入…", - "%(count)s people joined": { - "one": "%(count)s 個人已加入", - "other": "%(count)s 個人已加入" - }, - "View related event": "檢視相關的事件", "Read receipts": "讀取回條", - "You were disconnected from the call. (Error: %(message)s)": "您已斷開通話。(錯誤:%(message)s)", - "Connection lost": "連線遺失", "Deactivating your account is a permanent action — be careful!": "停用帳號無法還原 — 請小心!", - "Un-maximise": "取消最大化", "When you sign out, these keys will be deleted from this device, which means you won't be able to read encrypted messages unless you have the keys for them on your other devices, or backed them up to the server.": "當您登出時,這些金鑰將會從此裝置被刪除,這代表您將無法再閱讀加密的訊息,除非您在其他裝置上有那些訊息的金鑰,或是將它們備份到伺服器上。", "Remove search filter for %(filter)s": "移除 %(filter)s 的搜尋過濾條件", "Start a group chat": "開始群組聊天", @@ -1691,21 +1466,14 @@ "Saved Items": "已儲存的項目", "Choose a locale": "選擇語系", "We're creating a room with %(names)s": "正在建立包含 %(names)s 的聊天室", - "Sessions": "工作階段", - "For best security, verify your sessions and sign out from any session that you don't recognize or use anymore.": "為了最佳的安全性,請驗證您的工作階段並登出任何您無法識別或不再使用的工作階段。", "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", - "You do not have permission to start voice calls": "您無權限開始語音通話", - "There's no one here to call": "這裡沒有人可以通話", - "You do not have permission to start video calls": "您沒有權限開始視訊通話", - "Ongoing call": "正在進行通話", "Video call (Jitsi)": "視訊通話 (Jitsi)", "Failed to set pusher state": "無法設定推送程式狀態", "Video call ended": "視訊通話已結束", "%(name)s started a video call": "%(name)s 開始了視訊通話", - "Unknown room": "未知的聊天室", "Room info": "聊天室資訊", "View chat timeline": "檢視聊天時間軸", "Close call": "關閉通話", @@ -1716,7 +1484,6 @@ "You do not have sufficient permissions to change this.": "您沒有足夠的權限來變更此設定。", "%(brand)s is end-to-end encrypted, but is currently limited to smaller numbers of users.": "%(brand)s 提供端對端加密,但目前使用者數量較少。", "Enable %(brand)s as an additional calling option in this room": "啟用 %(brand)s 作為此聊天室的額外通話選項", - "Sorry — this call is currently full": "抱歉 — 此通話目前已滿", "Completing set up of your new device": "完成您新裝置的設定", "Waiting for device to sign in": "正在等待裝置登入", "Review and approve the sign in": "審閱並批准登入", @@ -1736,10 +1503,6 @@ "The linking wasn't completed in the required time.": "未在要求的時間內完成連結。", "Sign in new device": "登入新裝置", "Show formatting": "顯示格式", - "Are you sure you want to sign out of %(count)s sessions?": { - "one": "您確定您想要登出 %(count)s 個工作階段嗎?", - "other": "您確定您想要登出 %(count)s 個工作階段嗎?" - }, "Hide formatting": "隱藏格式化", "Connection": "連線", "Voice processing": "語音處理", @@ -1758,14 +1521,9 @@ "We were unable to start a chat with the other user.": "我們無法與其他使用者開始聊天。", "Error starting verification": "開始驗證時發生錯誤", "Change layout": "變更排列", - "You have unverified sessions": "您有未驗證的工作階段", - "Search users in this room…": "搜尋此聊天室中的使用者…", - "Give one or multiple users in this room more privileges": "給這個聊天室中的一個使用者或多個使用者更多的特殊權限", - "Add privileged users": "新增特權使用者", "Unable to decrypt message": "無法解密訊息", "This message could not be decrypted": "此訊息無法解密", " in %(room)s": " 在 %(room)s", - "Mark as read": "標示為已讀", "Text": "文字", "Create a link": "建立連結", "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.": "您無法開始語音訊息,因為您目前正在錄製直播。請結束您的直播以開始錄製語音訊息。", @@ -1776,12 +1534,9 @@ "All messages and invites from this user will be hidden. Are you sure you want to ignore them?": "來自該使用者的所有訊息與邀請都將被隱藏。您確定要忽略它們嗎?", "Ignore %(user)s": "忽略 %(user)s", "unknown": "未知", - "Red": "紅", - "Grey": "灰", "There are no past polls in this room": "此聊天室沒有過去的投票", "There are no active polls in this room": "此聊天室沒有正在進行的投票", "Declining…": "正在拒絕…", - "This session is backing up your keys.": "此工作階段正在備份您的金鑰。", "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」", @@ -1801,10 +1556,6 @@ "Encrypting your message…": "正在加密您的訊息…", "Sending your message…": "正在傳送您的訊息…", "Set a new account password…": "設定新帳號密碼…", - "Backing up %(sessionsRemaining)s keys…": "正在備份 %(sessionsRemaining)s 把金鑰…", - "Connecting to integration manager…": "正在連線至整合管理員…", - "Saving…": "正在儲存…", - "Creating…": "正在建立…", "Starting export process…": "正在開始匯出流程…", "Secure Backup successful": "安全備份成功", "Your keys are now being backed up from this device.": "您已備份此裝置的金鑰。", @@ -1828,13 +1579,7 @@ "Active polls": "進行中的投票", "View poll in timeline": "在時間軸中檢視投票", "Answered elsewhere": "在別處回答", - "If you know a room address, try joining through that instead.": "若您知道聊天室地址,請嘗試透過該地址加入。", - "You attempted to join using a room ID without providing a list of servers to join through. Room IDs are internal identifiers and cannot be used to join a room without additional information.": "您嘗試使用聊天室 ID 加入,但未提供要加入的伺服器清單。聊天室 ID 是內部識別字串,不能用於在沒有附加資訊的情況下加入聊天室。", - "Yes, it was me": "是的,是我", - "Verify Session": "驗證工作階段", - "Ignore (%(counter)s)": "忽略(%(counter)s)", "Invites by email can only be sent one at a time": "透過電子郵件傳送的邀請一次只能傳送一個", - "An error occurred when updating your notification preferences. Please try to toggle your option again.": "更新您的通知偏好設定時發生錯誤。請再試一次。", "Desktop app logo": "桌面應用程式標誌", "Requires your server to support the stable version of MSC3827": "您的伺服器必須支援穩定版本的 MSC3827", "Message from %(user)s": "來自 %(user)s 的訊息", @@ -1848,27 +1593,19 @@ "We were unable to find an event looking forwards from %(dateString)s. Try choosing an earlier date.": "我們無法從 %(dateString)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.": "嘗試尋找並前往指定日期時發生網路錯誤。您的家伺服器可能已關閉,或者您的網際網路連線只是暫時出現問題。請再試一次。如果這種情況繼續存在,請聯絡您的家伺服器管理員。", "Poll history": "投票紀錄", - "Mute room": "聊天室靜音", - "Match default setting": "符合預設設定值", "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": "格式化", - "Image view": "影像檢視", "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)", - "Failed to download source media, no source url was found": "下載來源媒體失敗,找不到來源 URL", "Once invited users have joined %(brand)s, you will be able to chat and the room will be end-to-end encrypted": "被邀請的使用者加入 %(brand)s 後,您就可以聊天,聊天室將會進行端到端加密", "Waiting for users to join %(brand)s": "等待使用者加入 %(brand)s", "You do not have permission to invite users": "您沒有權限邀請使用者", - "Your language": "您的語言", - "Your device ID": "您的裝置 ID", - "Ask to join": "要求加入", - "People cannot join unless access is granted.": "除非授予存取權限,否則人們無法加入。", "Email summary": "電子郵件摘要", "Select which emails you want to send summaries to. Manage your emails in .": "選取您要將摘要傳送到的電子郵件地址。請在中管理您的電子郵件地址。", "Mentions and Keywords only": "僅提及與關鍵字", @@ -1901,13 +1638,10 @@ "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.": "此聊天室中的訊息為端到端加密。當人們加入時,您可以在他們的個人檔案中驗證他們,點擊他們的個人檔案就可以了。", - "Your profile picture URL": "您的個人檔案圖片 URL", "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.": "您需要被授予存取此聊天室的權限才能檢視或參與對話。您可以在下面傳送加入請求。", - "You need an invite to access this room.": "您需要邀請才能存取此聊天室。", - "Failed to cancel": "取消失敗", "Ask to join %(roomName)s?": "要求加入 %(roomName)s?", "Ask to join?": "要求加入?", "Message (optional)": "訊息(選擇性)", @@ -2013,7 +1747,15 @@ "off": "關閉", "all_rooms": "所有聊天室", "deselect_all": "取消選取", - "select_all": "全部選取" + "select_all": "全部選取", + "copied": "已複製!", + "advanced": "進階", + "spaces": "聊天空間", + "general": "一般", + "saving": "正在儲存…", + "profile": "基本資料", + "display_name": "顯示名稱", + "user_avatar": "大頭照" }, "action": { "continue": "繼續", @@ -2116,7 +1858,10 @@ "clear": "清除", "exit_fullscreeen": "離開全螢幕", "enter_fullscreen": "進入全螢幕", - "unban": "解除封鎖" + "unban": "解除封鎖", + "click_to_copy": "點擊複製", + "hide_advanced": "隱藏進階設定", + "show_advanced": "顯示進階設定" }, "a11y": { "user_menu": "使用者選單", @@ -2128,7 +1873,8 @@ "other": "%(count)s 則未讀訊息。", "one": "1 則未讀的訊息。" }, - "unread_messages": "未讀的訊息。" + "unread_messages": "未讀的訊息。", + "jump_first_invite": "跳到第一個邀請。" }, "labs": { "video_rooms": "視訊聊天室", @@ -2322,7 +2068,6 @@ "user_a11y": "使用者自動完成" } }, - "Bold": "粗體", "Link": "連結", "Code": "代碼", "power_level": { @@ -2430,7 +2175,8 @@ "intro_byline": "擁有您的對話。", "send_dm": "傳送私人訊息", "explore_rooms": "探索公開聊天室", - "create_room": "建立群組聊天" + "create_room": "建立群組聊天", + "create_account": "建立帳號" }, "settings": { "show_breadcrumbs": "在聊天室清單上方顯示最近看過的聊天室的捷徑", @@ -2497,7 +2243,10 @@ "noisy": "吵鬧", "error_permissions_denied": "%(brand)s 沒有權限向您傳送通知──請檢查您的瀏覽器設定", "error_permissions_missing": "%(brand)s 沒有權限向您傳送通知──請重試", - "error_title": "無法啟用通知功能" + "error_title": "無法啟用通知功能", + "error_updating": "更新您的通知偏好設定時發生錯誤。請再試一次。", + "push_targets": "通知目標", + "error_loading": "載入您的通知設定時發生錯誤。" }, "appearance": { "layout_irc": "IRC(實驗性)", @@ -2571,7 +2320,44 @@ "cryptography_section": "加密", "session_id": "工作階段 ID:", "session_key": "工作階段金鑰:", - "encryption_section": "加密" + "encryption_section": "加密", + "bulk_options_section": "大量選項", + "bulk_options_accept_all_invites": "接受所有 %(invitedRooms)s 邀請", + "bulk_options_reject_all_invites": "拒絕所有 %(invitedRooms)s 邀請", + "message_search_section": "訊息搜尋", + "analytics_subsection_description": "分享匿名資料以協助我們識別問題。無個人資料。無第三方。", + "encryption_individual_verification_mode": "逐一手動驗證使用者的工作階段,將其標記為受信任階段,不透過裝置的交叉簽署機制來信任。", + "message_search_enabled": { + "one": "使用 %(size)s 來儲存來自 %(rooms)s 個聊天室的訊息,在本機安全地快取已加密的訊息以使其出現在搜尋結果中。", + "other": "使用 %(size)s 來儲存來自 %(rooms)s 個聊天室的訊息,在本機安全地快取已加密的訊息以使其出現在搜尋結果中。" + }, + "message_search_disabled": "將加密的訊息安全地在本機快取以出現在顯示結果中。", + "message_search_unsupported": "%(brand)s 缺少某些在本機快取已加密訊息所需的元件。如果您想要實驗此功能,請加入搜尋元件來自行建構 %(brand)s 桌面版。", + "message_search_unsupported_web": "%(brand)s 無法在網頁瀏覽器中執行時,安全地在本機快取加密訊息。若需搜尋加密訊息,請使用 %(brand)s 桌面版。", + "message_search_failed": "訊息搜尋初始化失敗", + "backup_key_well_formed": "組成良好", + "backup_key_unexpected_type": "預料之外的類型", + "backup_keys_description": "請備份您帳號的加密金鑰,以防無法使用您的工作階段。您的金鑰會被特殊的安全金鑰保護。", + "backup_key_stored_status": "是否已儲存備份金鑰:", + "cross_signing_not_stored": "未儲存", + "backup_key_cached_status": "是否快取備份金鑰:", + "4s_public_key_status": "秘密儲存空間公鑰:", + "4s_public_key_in_account_data": "在帳號資料中", + "secret_storage_status": "秘密儲存空間:", + "secret_storage_ready": "已準備好", + "secret_storage_not_ready": "尚未準備好", + "delete_backup": "刪除備份", + "delete_backup_confirm_description": "您確定嗎?如果沒有正確備份金鑰的話,將會遺失所有加密訊息。", + "error_loading_key_backup_status": "無法載入金鑰備份狀態", + "restore_key_backup": "從備份還原", + "key_backup_active": "此工作階段正在備份您的金鑰。", + "key_backup_inactive": "此工作階段並未備份您的金鑰,您可還原先前的備份後再繼續新增金鑰到備份內容中。", + "key_backup_connect_prompt": "在登出前,請先將此工作階段連線到金鑰備份以避免遺失任何可能僅存在此工作階段中的金鑰。", + "key_backup_connect": "將此工作階段連結至金鑰備份", + "key_backup_in_progress": "正在備份 %(sessionsRemaining)s 把金鑰…", + "key_backup_complete": "所有金鑰都已備份", + "key_backup_algorithm": "演算法:", + "key_backup_inactive_warning": "您並未備份此裝置的金鑰。" }, "preferences": { "room_list_heading": "聊天室清單", @@ -2685,7 +2471,13 @@ "other": "登出裝置" }, "security_recommendations": "安全建議", - "security_recommendations_description": "透過以下的建議改善您的帳號安全性。" + "security_recommendations_description": "透過以下的建議改善您的帳號安全性。", + "title": "工作階段", + "sign_out_confirm_description": { + "one": "您確定您想要登出 %(count)s 個工作階段嗎?", + "other": "您確定您想要登出 %(count)s 個工作階段嗎?" + }, + "other_sessions_subsection_description": "為了最佳的安全性,請驗證您的工作階段並登出任何您無法識別或不再使用的工作階段。" }, "general": { "oidc_manage_button": "管理帳號", @@ -2704,7 +2496,22 @@ "add_msisdn_confirm_sso_button": "透過使用單一登入來證明您的身分,以確認新增此電話號碼。", "add_msisdn_confirm_button": "確認新增電話號碼", "add_msisdn_confirm_body": "點擊下方按鈕以確認新增此電話號碼。", - "add_msisdn_dialog_title": "新增電話號碼" + "add_msisdn_dialog_title": "新增電話號碼", + "name_placeholder": "沒有顯示名稱", + "error_saving_profile_title": "無法儲存您的設定檔", + "error_saving_profile": "無法完成操作" + }, + "sidebar": { + "title": "側邊欄", + "metaspaces_subsection": "要顯示的聊天空間", + "metaspaces_description": "聊天空間是將聊天室與夥伴們分組的方式。除了您所在的聊天空間之外,還可以使用一些預設分類。", + "metaspaces_home_description": "首頁對於取得所有內容的概覽很有用。", + "metaspaces_favourites_description": "將所有您最喜愛的聊天室與夥伴集中在同一個地方。", + "metaspaces_people_description": "將您所有的夥伴集中在同一個地方。", + "metaspaces_orphans": "聊天空間外的聊天室", + "metaspaces_orphans_description": "將所有不屬於某個聊天空間的聊天室集中在同一個地方。", + "metaspaces_home_all_rooms_description": "將您所有的聊天室顯示在首頁,即便它們位於同一個聊天空間。", + "metaspaces_home_all_rooms": "顯示所有聊天室" } }, "devtools": { @@ -3208,7 +3015,15 @@ "user": "%(senderName)s 結束了語音廣播" }, "creation_summary_dm": "%(creator)s 建立了此私人訊息。", - "creation_summary_room": "%(creator)s 建立並設定了聊天室。" + "creation_summary_room": "%(creator)s 建立並設定了聊天室。", + "context_menu": { + "view_source": "檢視原始碼", + "show_url_preview": "顯示預覽", + "external_url": "來源網址", + "collapse_reply_thread": "收折回覆討論串", + "view_related_event": "檢視相關的事件", + "report": "回報" + } }, "slash_command": { "spoiler": "將指定訊息以劇透傳送", @@ -3411,10 +3226,28 @@ "failed_call_live_broadcast_title": "無法開始通話", "failed_call_live_broadcast_description": "您無法開始通話,因為您正在錄製直播。請結束您的直播以便開始通話。", "no_media_perms_title": "沒有媒體權限", - "no_media_perms_description": "您可能需要手動允許 %(brand)s 存取您的麥克風/網路攝影機" + "no_media_perms_description": "您可能需要手動允許 %(brand)s 存取您的麥克風/網路攝影機", + "call_toast_unknown_room": "未知的聊天室", + "join_button_tooltip_connecting": "連線中", + "join_button_tooltip_call_full": "抱歉 — 此通話目前已滿", + "hide_sidebar_button": "隱藏側邊欄", + "show_sidebar_button": "顯示側邊欄", + "more_button": "更多", + "screenshare_monitor": "分享整個螢幕", + "screenshare_window": "應用程式視窗", + "screenshare_title": "分享內容", + "disabled_no_perms_start_voice_call": "您無權限開始語音通話", + "disabled_no_perms_start_video_call": "您沒有權限開始視訊通話", + "disabled_ongoing_call": "正在進行通話", + "disabled_no_one_here": "這裡沒有人可以通話", + "n_people_joined": { + "one": "%(count)s 個人已加入", + "other": "%(count)s 個人已加入" + }, + "unknown_person": "不明身份的人", + "connecting": "連線中" }, "Other": "其他", - "Advanced": "進階", "room_settings": { "permissions": { "m.room.avatar_space": "變更聊天空間大頭照", @@ -3454,7 +3287,10 @@ "title": "角色與權限", "permissions_section": "權限", "permissions_section_description_space": "選取變更聊天空間各個部份所需的角色", - "permissions_section_description_room": "選取更改聊天室各部份的所需的角色" + "permissions_section_description_room": "選取更改聊天室各部份的所需的角色", + "add_privileged_user_heading": "新增特權使用者", + "add_privileged_user_description": "給這個聊天室中的一個使用者或多個使用者更多的特殊權限", + "add_privileged_user_filter_placeholder": "搜尋此聊天室中的使用者…" }, "security": { "strict_encryption": "不要從此工作階段傳送已加密的訊息給此聊天室中未驗證的工作階段", @@ -3481,7 +3317,35 @@ "history_visibility_shared": "僅限成員(自選取此選項開始)", "history_visibility_invited": "僅限成員(自他們被邀請開始)", "history_visibility_joined": "僅限成員(自他們加入開始)", - "history_visibility_world_readable": "任何人" + "history_visibility_world_readable": "任何人", + "join_rule_upgrade_required": "必須升級", + "join_rule_restricted_n_more": { + "other": "以及 %(count)s 個", + "one": "與其他 %(count)s 個" + }, + "join_rule_restricted_summary": { + "other": "目前,%(count)s 個空間可存取", + "one": "目前,1 個空間可存取" + }, + "join_rule_restricted_description": "任何在聊天空間中的人都可以找到並加入。編輯哪些聊天空間可以存取這裡。", + "join_rule_restricted_description_spaces": "可存取的聊天空間", + "join_rule_restricted_description_active_space": "在 中的任何人都可以找到並加入。您也可以選取其他聊天空間。", + "join_rule_restricted_description_prompt": "空間中的任何人都可以找到並加入。您可以選取多個空間。", + "join_rule_restricted": "聊天空間成員", + "join_rule_knock": "要求加入", + "join_rule_knock_description": "除非授予存取權限,否則人們無法加入。", + "join_rule_restricted_upgrade_warning": "這個聊天室位於您不是管理員的某些聊天空間中。在那些聊天空間中,舊的聊天室仍將會顯示,但系統會提示使用者加入新的聊天室。", + "join_rule_restricted_upgrade_description": "此升級讓特定聊天空間的成員不需要邀請就可以存取此聊天室。", + "join_rule_upgrade_upgrading_room": "正在升級聊天室", + "join_rule_upgrade_awaiting_room": "正在載入新的聊天室", + "join_rule_upgrade_sending_invites": { + "one": "正在傳送邀請…", + "other": "正在傳送邀請…(%(count)s 中的第 %(progress)s 個)" + }, + "join_rule_upgrade_updating_spaces": { + "one": "正在更新空間…", + "other": "正在更新空間…(%(count)s 中的第 %(progress)s 個)" + } }, "general": { "publish_toggle": "將這個聊天室公開到 %(domain)s 的聊天室目錄中?", @@ -3491,7 +3355,11 @@ "default_url_previews_off": "此聊天室已預設對參與者停用網址預覽。", "url_preview_encryption_warning": "在加密的聊天室中(這個就是),會預設停用網址預覽以確保您的家伺服器(產生預覽資訊的地方)無法透過這個聊天室收集您看到的連結的相關資訊。", "url_preview_explainer": "當某人在他們的訊息中放置網址時,可以顯示如標題、描述與網頁上的圖片等等來給您更多關於該連結的資訊。", - "url_previews_section": "網址預覽" + "url_previews_section": "網址預覽", + "error_save_space_settings": "無法儲存聊天空間設定。", + "description_space": "編輯您的聊天空間的設定。", + "save": "儲存變更", + "leave_space": "離開聊天空間" }, "advanced": { "unfederated": "此聊天室無法被遠端的 Matrix 伺服器存取", @@ -3503,6 +3371,24 @@ "room_id": "內部聊天室 ID", "room_version_section": "聊天室版本", "room_version": "聊天室版本:" + }, + "delete_avatar_label": "刪除大頭照", + "upload_avatar_label": "上傳大頭照", + "visibility": { + "error_update_guest_access": "無法更新此聊天空間的訪客存取權限", + "error_update_history_visibility": "無法更新此聊天空間紀錄的能見度", + "guest_access_explainer": "訪客無需帳號即可加入聊天空間。", + "guest_access_explainer_public_space": "這可能對公開聊天空間很有用。", + "title": "能見度", + "error_failed_save": "無法更新此聊天空間的能見度", + "history_visibility_anyone_space": "預覽聊天空間", + "history_visibility_anyone_space_description": "允許人們在加入前預覽您的聊天空間。", + "history_visibility_anyone_space_recommendation": "給公開聊天空間的推薦。", + "guest_access_label": "允許訪客存取" + }, + "access": { + "title": "存取", + "description_space": "決定誰可以檢視並加入 %(spaceName)s。" } }, "encryption": { @@ -3529,7 +3415,15 @@ "waiting_other_device_details": "正在等待您在其他裝置上驗證,%(deviceName)s (%(deviceId)s)…", "waiting_other_device": "正在等待您在其他裝置上驗證…", "waiting_other_user": "正在等待 %(displayName)s 驗證…", - "cancelling": "正在取消…" + "cancelling": "正在取消…", + "unverified_sessions_toast_title": "您有未驗證的工作階段", + "unverified_sessions_toast_description": "請確認您的帳號安全", + "unverified_sessions_toast_reject": "稍後", + "unverified_session_toast_title": "新登入。這是您嗎?", + "unverified_session_toast_accept": "是的,是我", + "request_toast_detail": "從 %(ip)s 來的 %(deviceId)s", + "request_toast_decline_counter": "忽略(%(counter)s)", + "request_toast_accept": "驗證工作階段" }, "old_version_detected_title": "偵測到舊的加密資料", "old_version_detected_description": "偵測到來自舊版 %(brand)s 的資料。這將會造成舊版的端對端加密失敗。在此版本中使用最近在舊版本交換的金鑰可能無法解密訊息。這也會造成與此版本的訊息交換失敗。若您遇到問題,請登出並重新登入。要保留訊息歷史,請匯出並重新匯入您的金鑰。", @@ -3539,7 +3433,18 @@ "bootstrap_title": "正在產生金鑰", "export_unsupported": "您的瀏覽器不支援需要的加密擴充", "import_invalid_keyfile": "不是有效的 %(brand)s 金鑰檔案", - "import_invalid_passphrase": "無法檢查認證:密碼錯誤?" + "import_invalid_passphrase": "無法檢查認證:密碼錯誤?", + "set_up_toast_title": "設定安全備份", + "upgrade_toast_title": "已提供加密升級", + "verify_toast_title": "驗證此工作階段", + "set_up_toast_description": "避免失去對加密訊息與資料的存取權", + "verify_toast_description": "其他使用者可能不會信任它", + "cross_signing_unsupported": "您的家伺服器不支援交叉簽署。", + "cross_signing_ready": "交叉簽署已可使用。", + "cross_signing_ready_no_backup": "已準備好交叉簽署但金鑰未備份。", + "cross_signing_untrusted": "您的帳號在秘密儲存空間中有交叉簽署的身分,但尚未被此工作階段信任。", + "cross_signing_not_ready": "尚未設定交叉簽署。", + "not_supported": "<不支援>" }, "emoji": { "category_frequently_used": "經常使用", @@ -3563,7 +3468,8 @@ "bullet_1": "我們不會記錄或分析任何帳號資料", "bullet_2": "我們不會與第三方分享這些資訊", "disable_prompt": "您可以隨時在設定中關閉此功能", - "accept_button": "沒關係" + "accept_button": "沒關係", + "shared_data_heading": "可能會分享以下資料:" }, "chat_effects": { "confetti_description": "使用彩帶傳送訊息", @@ -3719,7 +3625,8 @@ "autodiscovery_unexpected_error_hs": "解析家伺服器設定時發生錯誤", "autodiscovery_unexpected_error_is": "解析身分伺服器設定時發生未預期的錯誤", "autodiscovery_hs_incompatible": "您的家伺服器太舊了,不支援所需的最低 API 版本。請聯絡您的伺服器擁有者,或是升級您的伺服器。", - "incorrect_credentials_detail": "請注意,您正在登入 %(hs)s 伺服器,不是 matrix.org。" + "incorrect_credentials_detail": "請注意,您正在登入 %(hs)s 伺服器,不是 matrix.org。", + "create_account_title": "建立帳號" }, "room_list": { "sort_unread_first": "先顯示有未讀訊息的聊天室", @@ -3843,7 +3750,37 @@ "error_need_to_be_logged_in": "您需要登入。", "error_need_invite_permission": "您需要擁有邀請使用者的權限才能做這件事。", "error_need_kick_permission": "您必須可以踢除使用者才能作到這件事。", - "no_name": "未知的應用程式" + "no_name": "未知的應用程式", + "error_hangup_title": "連線遺失", + "error_hangup_description": "您已斷開通話。(錯誤:%(message)s)", + "context_menu": { + "start_audio_stream": "開始音訊串流", + "screenshot": "拍照", + "delete": "刪除小工具", + "delete_warning": "刪除小工具會將它從此聊天室中所有使用者的收藏中移除。您確定您要刪除這個小工具嗎?", + "remove": "為所有人移除", + "revoke": "撤銷權限", + "move_left": "向左移動", + "move_right": "向右移動" + }, + "shared_data_name": "您的顯示名稱", + "shared_data_avatar": "您的個人檔案圖片 URL", + "shared_data_mxid": "您的使用者 ID", + "shared_data_device_id": "您的裝置 ID", + "shared_data_theme": "您的主題", + "shared_data_lang": "您的語言", + "shared_data_url": "%(brand)s 網址", + "shared_data_room_id": "聊天室 ID", + "shared_data_widget_id": "小工具 ID", + "shared_data_warning_im": "使用這個小工具可能會與 %(widgetDomain)s 以及您的整合管理員分享資料 。", + "shared_data_warning": "使用這個小工具可能會與 %(widgetDomain)s 分享資料 。", + "unencrypted_warning": "小工具不使用訊息加密。", + "added_by": "小工具新增者為", + "cookie_warning": "這個小工具可能會使用 cookies。", + "error_loading": "載入小工具時發生錯誤", + "error_mixed_content": "錯誤 - 混合內容", + "unmaximise": "取消最大化", + "popout": "彈出式小工具" }, "feedback": { "sent": "已傳送回饋", @@ -3940,7 +3877,8 @@ "empty_heading": "使用「討論串」功能,讓討論保持有條不紊" }, "theme": { - "light_high_contrast": "亮色高對比" + "light_high_contrast": "亮色高對比", + "match_system": "符合系統色彩" }, "space": { "landing_welcome": "歡迎加入 ", @@ -3956,9 +3894,14 @@ "devtools_open_timeline": "檢視聊天室時間軸(開發者工具)", "home": "聊天空間首頁", "explore": "探索聊天室", - "manage_and_explore": "管理與探索聊天室" + "manage_and_explore": "管理與探索聊天室", + "options": "聊天空間選項" }, - "share_public": "分享您的公開聊天空間" + "share_public": "分享您的公開聊天空間", + "search_children": "搜尋 %(spaceName)s", + "invite_link": "分享邀請連結", + "invite": "邀請夥伴", + "invite_description": "使用電子郵件或使用者名稱邀請" }, "location_sharing": { "MapStyleUrlNotConfigured": "此家伺服器未設定來顯示地圖。", @@ -3975,7 +3918,14 @@ "failed_timeout": "嘗試取得您的位置時逾時。請稍後再試。", "failed_unknown": "取得位置時發生未知錯誤。請稍後再試。", "expand_map": "展開地圖", - "failed_load_map": "無法載入地圖" + "failed_load_map": "無法載入地圖", + "live_enable_heading": "即時位置分享", + "live_enable_description": "請注意:這是暫時開發的實驗性功能。您無法刪除位置紀錄,而且即使您停止與此聊天室分享即時位置,進階使用者仍能看見您的定位紀錄。", + "live_toggle_label": "啟用即時位置分享", + "live_share_button": "分享 %(duration)s", + "click_move_pin": "點擊以移動圖釘", + "click_drop_pin": "點擊以放置圖釘", + "share_button": "分享位置" }, "labs_mjolnir": { "room_name": "我的封鎖清單", @@ -4011,7 +3961,6 @@ }, "create_space": { "name_required": "請輸入聊天空間名稱", - "name_placeholder": "例如:my-space", "explainer": "聊天空間是一種將聊天室與夥伴分組的新方式。您想要建立何種類型的聊天空間?您稍後仍可變更。", "public_description": "對所有人開放的聊天空間,最適合社群", "private_description": "邀請制,適用於您自己或團隊使用", @@ -4042,11 +3991,17 @@ "setup_rooms_community_description": "讓我們為每個主題建立一個聊天室吧。", "setup_rooms_description": "您稍後可以新增更多內容,包含既有的。", "setup_rooms_private_heading": "您的團隊正在從事哪些專案?", - "setup_rooms_private_description": "我們將為每個主題建立聊天室。" + "setup_rooms_private_description": "我們將為每個主題建立聊天室。", + "address_placeholder": "例如:my-space", + "address_label": "位址", + "label": "建立聊天空間", + "add_details_prompt_2": "您隨時可以變更這些。", + "creating": "正在建立…" }, "user_menu": { "switch_theme_light": "切換至淺色模式", - "switch_theme_dark": "切換至深色模式" + "switch_theme_dark": "切換至深色模式", + "settings": "所有設定" }, "notif_panel": { "empty_heading": "您已完成", @@ -4084,7 +4039,28 @@ "leave_error_title": "離開聊天室時發生錯誤", "upgrade_error_title": "升級聊天室時遇到錯誤", "upgrade_error_description": "仔細檢查您的伺服器是否支援選定的聊天室版本,然後再試一次。", - "leave_server_notices_description": "這個聊天室是用於發佈從家伺服器而來的重要訊息,所以您不能離開它。" + "leave_server_notices_description": "這個聊天室是用於發佈從家伺服器而來的重要訊息,所以您不能離開它。", + "error_join_connection": "加入時發生錯誤。", + "error_join_incompatible_version_1": "抱歉,您的家伺服器太舊,無法在此參與。", + "error_join_incompatible_version_2": "請聯絡您的家伺服器的管理員。", + "error_join_404_invite_same_hs": "邀請您的人已離開。", + "error_join_404_invite": "邀請您的人已離開,或是他們的伺服器已離線。", + "error_join_404_1": "您嘗試使用聊天室 ID 加入,但未提供要加入的伺服器清單。聊天室 ID 是內部識別字串,不能用於在沒有附加資訊的情況下加入聊天室。", + "error_join_404_2": "若您知道聊天室地址,請嘗試透過該地址加入。", + "error_join_title": "無法加入", + "error_join_403": "您需要邀請才能存取此聊天室。", + "error_cancel_knock_title": "取消失敗", + "context_menu": { + "unfavourite": "已加入我的最愛", + "favourite": "加入我的最愛", + "mentions_only": "僅提及", + "copy_link": "複製聊天室連結", + "low_priority": "低優先度", + "forget": "忘記聊天室", + "mark_read": "標示為已讀", + "notifications_default": "符合預設設定值", + "notifications_mute": "聊天室靜音" + } }, "file_panel": { "guest_note": "您必須註冊以使用此功能", @@ -4104,7 +4080,8 @@ "tac_button": "審閱條款與細則", "identity_server_no_terms_title": "身分伺服器無使用條款", "identity_server_no_terms_description_1": "此動作需要存取預設的身分伺服器 以驗證電子郵件或電話號碼,但伺服器沒有任何服務條款。", - "identity_server_no_terms_description_2": "僅在您信任伺服器擁有者時才繼續。" + "identity_server_no_terms_description_2": "僅在您信任伺服器擁有者時才繼續。", + "inline_intro_text": "接受 以繼續:" }, "space_settings": { "title": "設定 - %(spaceName)s" @@ -4200,7 +4177,14 @@ "sync": "無法連線至家伺服器。正在重試…", "connection": "與家伺服器通訊時出現問題,請再試一次。", "mixed_content": "當瀏覽器網址列使用的是 HTTPS 網址時,不能使用 HTTP 連線到家伺服器。請改用 HTTPS 連線或允許不安全的指令碼。", - "tls": "無法連線到家伺服器 - 請檢查您的連線,確保您的家伺服器的 SSL 憑證可被信任,而瀏覽器擴充套件也沒有阻擋請求。" + "tls": "無法連線到家伺服器 - 請檢查您的連線,確保您的家伺服器的 SSL 憑證可被信任,而瀏覽器擴充套件也沒有阻擋請求。", + "admin_contact_short": "聯絡您的伺服器管理員。", + "non_urgent_echo_failure_toast": "您的伺服器未回應某些請求。", + "failed_copy": "無法複製", + "something_went_wrong": "出了點問題!", + "download_media": "下載來源媒體失敗,找不到來源 URL", + "update_power_level": "無法變更權限等級", + "unknown": "未知的錯誤" }, "in_space1_and_space2": "在聊天空間 %(space1Name)s 與 %(space2Name)s。", "in_space_and_n_other_spaces": { @@ -4208,5 +4192,52 @@ "other": "在 %(spaceName)s 與 %(count)s 個其他空間。" }, "in_space": "在空間 %(spaceName)s。", - "name_and_id": "%(name)s (%(userId)s)" + "name_and_id": "%(name)s (%(userId)s)", + "items_and_n_others": { + "other": " 與其他 %(count)s 個人", + "one": " 與另一個人" + }, + "notifications": { + "enable_prompt_toast_title_from_message_send": "不要錯過回覆", + "enable_prompt_toast_title": "通知", + "enable_prompt_toast_description": "啟用桌面通知", + "colour_none": "無", + "colour_bold": "粗體", + "colour_grey": "灰", + "colour_red": "紅", + "colour_unsent": "未傳送", + "error_change_title": "變更通知設定", + "mark_all_read": "全部標示為已讀", + "keyword": "關鍵字", + "keyword_new": "新關鍵字", + "class_global": "全域", + "class_other": "其他", + "mentions_keywords": "提及與關鍵字" + }, + "mobile_guide": { + "toast_title": "使用應用程式以取得更好的體驗", + "toast_description": "%(brand)s 的行動裝置的網頁版仍為實驗性質版本。為了有更好的使用體驗與最新功能,請使用我們的免費原生應用程式。", + "toast_accept": "使用應用程式" + }, + "chat_card_back_action_label": "回到聊天", + "room_summary_card_back_action_label": "聊天室資訊", + "member_list_back_action_label": "聊天室成員", + "thread_view_back_action_label": "回到討論串", + "quick_settings": { + "title": "快速設定", + "all_settings": "所有設定", + "metaspace_section": "釘選至側邊欄", + "sidebar_settings": "更多選項" + }, + "lightbox": { + "title": "影像檢視", + "rotate_left": "向左旋轉", + "rotate_right": "向右旋轉" + }, + "a11y_jump_first_unread_room": "跳到第一個未讀的聊天室。", + "integration_manager": { + "connecting": "正在連線至整合管理員…", + "error_connecting_heading": "無法連線到整合管理員", + "error_connecting": "整合管理員已離線或無法存取您的家伺服器。" + } } diff --git a/src/slash-commands/command.ts b/src/slash-commands/command.ts index 5af6593a51..6b0d81e5f4 100644 --- a/src/slash-commands/command.ts +++ b/src/slash-commands/command.ts @@ -83,13 +83,13 @@ export class Command { public run(matrixClient: MatrixClient, roomId: string, threadId: string | null, args?: string): RunResult { // if it has no runFn then its an ignored/nop command (autocomplete only) e.g `/me` if (!this.runFn) { - return reject(new UserFriendlyError("Command error: Unable to handle slash command.")); + return reject(new UserFriendlyError("slash_command|error_invalid_runfn")); } const renderingType = threadId ? TimelineRenderingType.Thread : TimelineRenderingType.Room; if (this.renderingTypes && !this.renderingTypes?.includes(renderingType)) { return reject( - new UserFriendlyError("Command error: Unable to find rendering type (%(renderingType)s)", { + new UserFriendlyError("slash_command|error_invalid_rendering_type", { renderingType, cause: undefined, }), diff --git a/src/slash-commands/op.ts b/src/slash-commands/op.ts index 7f6b1739cf..aa01d94cdd 100644 --- a/src/slash-commands/op.ts +++ b/src/slash-commands/op.ts @@ -45,7 +45,7 @@ const updatePowerLevelHelper = ( const room = client.getRoom(roomId); if (!room) { return reject( - new UserFriendlyError("Command failed: Unable to find room (%(roomId)s", { + new UserFriendlyError("slash_command|error_invalid_room", { roomId, cause: undefined, }), @@ -53,7 +53,7 @@ const updatePowerLevelHelper = ( } const member = room.getMember(userId); if (!member?.membership || getEffectiveMembership(member.membership) === EffectiveMembership.Leave) { - return reject(new UserFriendlyError("Could not find user in room")); + return reject(new UserFriendlyError("slash_command|error_invalid_user_in_room")); } return success(updatePowerLevel(room, member, powerLevel)); diff --git a/src/stores/RoomViewStore.tsx b/src/stores/RoomViewStore.tsx index d77e6d9c70..66d1528822 100644 --- a/src/stores/RoomViewStore.tsx +++ b/src/stores/RoomViewStore.tsx @@ -601,13 +601,13 @@ export class RoomViewStore extends EventEmitter { logger.log("Failed to join room:", description); if (err.name === "ConnectionError") { - description = _t("There was an error joining."); + description = _t("room|error_join_connection"); } else if (err.errcode === "M_INCOMPATIBLE_ROOM_VERSION") { description = (
    - {_t("Sorry, your homeserver is too old to participate here.")} + {_t("room|error_join_incompatible_version_1")}
    - {_t("Please contact your homeserver administrator.")} + {_t("room|error_join_incompatible_version_2")}
    ); } else if (err.httpStatus === 404) { @@ -616,9 +616,9 @@ export class RoomViewStore extends EventEmitter { if (invitingUserId) { // if the inviting user is on the same HS, there can only be one cause: they left. if (invitingUserId.endsWith(`:${MatrixClientPeg.safeGet().getDomain()}`)) { - description = _t("The person who invited you has already left."); + description = _t("room|error_join_404_invite_same_hs"); } else { - description = _t("The person who invited you has already left, or their server is offline."); + description = _t("room|error_join_404_invite"); } } @@ -627,19 +627,17 @@ export class RoomViewStore extends EventEmitter { if (roomId === this.state.roomId && this.state.viaServers.length === 0) { description = (
    - {_t( - "You attempted to join using a room ID without providing a list of servers to join through. Room IDs are internal identifiers and cannot be used to join a room without additional information.", - )} + {_t("room|error_join_404_1")}

    - {_t("If you know a room address, try joining through that instead.")} + {_t("room|error_join_404_2")}
    ); } } Modal.createDialog(ErrorDialog, { - title: _t("Failed to join"), + title: _t("room|error_join_title"), description, }); } @@ -784,8 +782,8 @@ export class RoomViewStore extends EventEmitter { .knockRoom(payload.roomId, { viaServers: this.state.viaServers, ...payload.opts }) .catch((err: MatrixError) => Modal.createDialog(ErrorDialog, { - title: _t("Failed to join"), - description: err.httpStatus === 403 ? _t("You need an invite to access this room.") : err.message, + title: _t("room|error_join_title"), + description: err.httpStatus === 403 ? _t("room|error_join_403") : err.message, }), ) .finally(() => this.setState({ promptAskToJoin: false })); @@ -801,7 +799,10 @@ export class RoomViewStore extends EventEmitter { MatrixClientPeg.safeGet() .leave(payload.roomId) .catch((err: MatrixError) => - Modal.createDialog(ErrorDialog, { title: _t("Failed to cancel"), description: err.message }), + Modal.createDialog(ErrorDialog, { + title: _t("room|error_cancel_knock_title"), + description: err.message, + }), ); } } diff --git a/src/stores/local-echo/RoomEchoChamber.ts b/src/stores/local-echo/RoomEchoChamber.ts index 14442b41b9..1412a47cb7 100644 --- a/src/stores/local-echo/RoomEchoChamber.ts +++ b/src/stores/local-echo/RoomEchoChamber.ts @@ -72,7 +72,7 @@ export class RoomEchoChamber extends GenericEchoChamber => { diff --git a/src/stores/notifications/NotificationColor.ts b/src/stores/notifications/NotificationColor.ts index ab7097265e..f43bf27ccf 100644 --- a/src/stores/notifications/NotificationColor.ts +++ b/src/stores/notifications/NotificationColor.ts @@ -30,16 +30,16 @@ export enum NotificationColor { export function humanReadableNotificationColor(color: NotificationColor): string { switch (color) { case NotificationColor.None: - return _t("None"); + return _t("notifications|colour_none"); case NotificationColor.Bold: - return _t("Bold"); + return _t("notifications|colour_bold"); case NotificationColor.Grey: - return _t("Grey"); + return _t("notifications|colour_grey"); case NotificationColor.Red: - return _t("Red"); + return _t("notifications|colour_red"); case NotificationColor.Unsent: - return _t("Unsent"); - default: - return _t("unknown"); + return _t("notifications|colour_unsent"); + case NotificationColor.Muted: + return _t("notifications|colour_muted"); } } diff --git a/src/stores/right-panel/RightPanelStorePhases.ts b/src/stores/right-panel/RightPanelStorePhases.ts index 3cbccd37a4..2353d3fe43 100644 --- a/src/stores/right-panel/RightPanelStorePhases.ts +++ b/src/stores/right-panel/RightPanelStorePhases.ts @@ -46,13 +46,13 @@ export function backLabelForPhase(phase: RightPanelPhases | null): string | null case RightPanelPhases.ThreadPanel: return _t("common|threads"); case RightPanelPhases.Timeline: - return _t("Back to chat"); + return _t("chat_card_back_action_label"); case RightPanelPhases.RoomSummary: - return _t("Room information"); + return _t("room_summary_card_back_action_label"); case RightPanelPhases.RoomMemberList: - return _t("Room members"); + return _t("member_list_back_action_label"); case RightPanelPhases.ThreadView: - return _t("Back to thread"); + return _t("thread_view_back_action_label"); } return null; } diff --git a/src/stores/widgets/StopGapWidget.ts b/src/stores/widgets/StopGapWidget.ts index fabf28400c..83278ec107 100644 --- a/src/stores/widgets/StopGapWidget.ts +++ b/src/stores/widgets/StopGapWidget.ts @@ -403,8 +403,8 @@ export class StopGapWidget extends EventEmitter { ev.preventDefault(); if (ev.detail.data?.errorMessage) { Modal.createDialog(ErrorDialog, { - title: _t("Connection lost"), - description: _t("You were disconnected from the call. (Error: %(message)s)", { + title: _t("widget|error_hangup_title"), + description: _t("widget|error_hangup_description", { message: ev.detail.data.errorMessage, }), }); diff --git a/src/toasts/BulkUnverifiedSessionsToast.ts b/src/toasts/BulkUnverifiedSessionsToast.ts index 0b96679f86..1019d717e9 100644 --- a/src/toasts/BulkUnverifiedSessionsToast.ts +++ b/src/toasts/BulkUnverifiedSessionsToast.ts @@ -40,13 +40,13 @@ export const showToast = (deviceIds: Set): void => { ToastStore.sharedInstance().addOrReplaceToast({ key: TOAST_KEY, - title: _t("You have unverified sessions"), + title: _t("encryption|verification|unverified_sessions_toast_title"), icon: "verification_warning", props: { - description: _t("Review to ensure your account is safe"), + description: _t("encryption|verification|unverified_sessions_toast_description"), acceptLabel: _t("action|review"), onAccept, - rejectLabel: _t("Later"), + rejectLabel: _t("encryption|verification|unverified_sessions_toast_reject"), onReject, }, component: GenericToast, diff --git a/src/toasts/DesktopNotificationsToast.ts b/src/toasts/DesktopNotificationsToast.ts index 14a369729a..ba8340ca3a 100644 --- a/src/toasts/DesktopNotificationsToast.ts +++ b/src/toasts/DesktopNotificationsToast.ts @@ -39,9 +39,11 @@ const TOAST_KEY = "desktopnotifications"; export const showToast = (fromMessageSend: boolean): void => { ToastStore.sharedInstance().addOrReplaceToast({ key: TOAST_KEY, - title: fromMessageSend ? _t("Don't miss a reply") : _t("Notifications"), + title: fromMessageSend + ? _t("notifications|enable_prompt_toast_title_from_message_send") + : _t("notifications|enable_prompt_toast_title"), props: { - description: _t("Enable desktop notifications"), + description: _t("notifications|enable_prompt_toast_description"), acceptLabel: _t("action|enable"), onAccept, rejectLabel: _t("action|dismiss"), diff --git a/src/toasts/IncomingCallToast.tsx b/src/toasts/IncomingCallToast.tsx index b6438acb41..dc754695fb 100644 --- a/src/toasts/IncomingCallToast.tsx +++ b/src/toasts/IncomingCallToast.tsx @@ -133,7 +133,9 @@ export function IncomingCallToast({ callEvent }: Props): JSX.Element {
    - {room ? room.name : _t("Unknown room")} + + {room ? room.name : _t("voip|call_toast_unknown_room")} +
    {_t("voip|video_call_started")}
    {call ? ( diff --git a/src/toasts/MobileGuideToast.ts b/src/toasts/MobileGuideToast.ts index cd916613df..3288f5a95e 100644 --- a/src/toasts/MobileGuideToast.ts +++ b/src/toasts/MobileGuideToast.ts @@ -42,13 +42,10 @@ export const showToast = (): void => { } ToastStore.sharedInstance().addOrReplaceToast({ key: TOAST_KEY, - title: _t("Use app for a better experience"), + title: _t("mobile_guide|toast_title"), props: { - description: _t( - "%(brand)s is experimental on a mobile web browser. For a better experience and the latest features, use our free native app.", - { brand }, - ), - acceptLabel: _t("Use app"), + description: _t("mobile_guide|toast_description", { brand }), + acceptLabel: _t("mobile_guide|toast_accept"), onAccept, rejectLabel: _t("action|dismiss"), onReject, diff --git a/src/toasts/ServerLimitToast.tsx b/src/toasts/ServerLimitToast.tsx index 1a3c28591a..8e297270fe 100644 --- a/src/toasts/ServerLimitToast.tsx +++ b/src/toasts/ServerLimitToast.tsx @@ -30,12 +30,12 @@ export const showToast = ( syncError?: boolean, ): void => { const errorText = messageForResourceLimitError(limitType, adminContact, { - "monthly_active_user": _td("Your homeserver has exceeded its user limit."), + "monthly_active_user": _td("error|mau"), "hs_blocked": _td("error|hs_blocked"), - "": _td("Your homeserver has exceeded one of its resource limits."), + "": _td("error|resource_limits"), }); const contactText = messageForResourceLimitError(limitType, adminContact, { - "": _td("Contact your server admin."), + "": _td("error|admin_contact_short"), }); ToastStore.sharedInstance().addOrReplaceToast({ diff --git a/src/toasts/SetupEncryptionToast.ts b/src/toasts/SetupEncryptionToast.ts index 873780b8d8..e55e665a27 100644 --- a/src/toasts/SetupEncryptionToast.ts +++ b/src/toasts/SetupEncryptionToast.ts @@ -29,11 +29,11 @@ const TOAST_KEY = "setupencryption"; const getTitle = (kind: Kind): string => { switch (kind) { case Kind.SET_UP_ENCRYPTION: - return _t("Set up Secure Backup"); + return _t("encryption|set_up_toast_title"); case Kind.UPGRADE_ENCRYPTION: - return _t("Encryption upgrade available"); + return _t("encryption|upgrade_toast_title"); case Kind.VERIFY_THIS_SESSION: - return _t("Verify this session"); + return _t("encryption|verify_toast_title"); } }; @@ -62,9 +62,9 @@ const getDescription = (kind: Kind): string => { switch (kind) { case Kind.SET_UP_ENCRYPTION: case Kind.UPGRADE_ENCRYPTION: - return _t("Safeguard against losing access to encrypted messages & data"); + return _t("encryption|set_up_toast_description"); case Kind.VERIFY_THIS_SESSION: - return _t("Other users may not trust it"); + return _t("encryption|verify_toast_description"); } }; @@ -110,7 +110,7 @@ export const showToast = (kind: Kind): void => { description: getDescription(kind), acceptLabel: getSetupCaption(kind), onAccept, - rejectLabel: _t("Later"), + rejectLabel: _t("encryption|verification|unverified_sessions_toast_reject"), onReject, }, component: GenericToast, diff --git a/src/toasts/UnverifiedSessionToast.tsx b/src/toasts/UnverifiedSessionToast.tsx index 4139ae0488..e7a38edeea 100644 --- a/src/toasts/UnverifiedSessionToast.tsx +++ b/src/toasts/UnverifiedSessionToast.tsx @@ -54,12 +54,12 @@ export const showToast = async (deviceId: string): Promise => { ToastStore.sharedInstance().addOrReplaceToast({ key: toastKey(deviceId), - title: _t("New login. Was this you?"), + title: _t("encryption|verification|unverified_session_toast_title"), icon: "verification_warning", props: { description: device.display_name, detail: , - acceptLabel: _t("Yes, it was me"), + acceptLabel: _t("encryption|verification|unverified_session_toast_accept"), onAccept, rejectLabel: _t("action|no"), onReject, diff --git a/src/utils/FormattingUtils.ts b/src/utils/FormattingUtils.ts index 0d1231cb28..90e983ad1a 100644 --- a/src/utils/FormattingUtils.ts +++ b/src/utils/FormattingUtils.ts @@ -116,7 +116,7 @@ export function formatList(items: ReactNode[], itemLimit = items.length, include joinedItems = jsxJoin(items, ", "); } - return _t(" and %(count)s others", { count: remaining }, { Items: () => joinedItems }); + return _t("items_and_n_others", { count: remaining }, { Items: () => joinedItems }); } if (items.every((e) => typeof e === "string")) { diff --git a/test/components/structures/TabbedView-test.tsx b/test/components/structures/TabbedView-test.tsx index 4b1b56b2ac..d624633390 100644 --- a/test/components/structures/TabbedView-test.tsx +++ b/test/components/structures/TabbedView-test.tsx @@ -22,7 +22,7 @@ import { NonEmptyArray } from "../../../src/@types/common"; import { _t } from "../../../src/languageHandler"; describe("", () => { - const generalTab = new Tab("GENERAL", "General", "general",
    general
    ); + const generalTab = new Tab("GENERAL", "common|general", "general",
    general
    ); const labsTab = new Tab("LABS", "common|labs", "labs",
    labs
    ); const securityTab = new Tab("SECURITY", "common|security", "security",
    security
    ); const defaultProps = { @@ -44,13 +44,13 @@ describe("", () => { it("renders first tab as active tab when no initialTabId", () => { const { container } = render(getComponent()); - expect(getActiveTab(container)?.textContent).toEqual(generalTab.label); + expect(getActiveTab(container)?.textContent).toEqual(_t(generalTab.label)); expect(getActiveTabBody(container)?.textContent).toEqual("general"); }); it("renders first tab as active tab when initialTabId is not valid", () => { const { container } = render(getComponent({ initialTabId: "bad-tab-id" })); - expect(getActiveTab(container)?.textContent).toEqual(generalTab.label); + expect(getActiveTab(container)?.textContent).toEqual(_t(generalTab.label)); expect(getActiveTabBody(container)?.textContent).toEqual("general"); }); @@ -97,7 +97,7 @@ describe("", () => { it("does not reactivate inititalTabId on rerender", () => { const { container, getByTestId, rerender } = render(getComponent()); - expect(getActiveTab(container)?.textContent).toEqual(generalTab.label); + expect(getActiveTab(container)?.textContent).toEqual(_t(generalTab.label)); // make security tab active act(() => { diff --git a/test/components/structures/__snapshots__/MessagePanel-test.tsx.snap b/test/components/structures/__snapshots__/MessagePanel-test.tsx.snap index c8f80ad67b..5a26684071 100644 --- a/test/components/structures/__snapshots__/MessagePanel-test.tsx.snap +++ b/test/components/structures/__snapshots__/MessagePanel-test.tsx.snap @@ -95,7 +95,7 @@ exports[`MessagePanel should handle lots of membership events quickly 1`] = ` class="mx_GenericEventListSummary_avatars" > renders 1`] = ` class="mx_SpaceHierarchy_roomTile_avatar" > renders 1`] = ` class="mx_SpaceHierarchy_roomTile_avatar" > renders 1`] = ` class="mx_SpaceHierarchy_roomTile_avatar" > renders 1`] = ` class="mx_SpaceHierarchy_roomTile_avatar" > when rendered should render as expected 1`] = ` class="mx_UserMenu_userAvatar" > renders marker when beacon has location 1`] = ` class="mx_Marker_border" > renders own beacon status when user is live sharin class="mx_DialogOwnBeaconStatus" > renders sidebar correctly with beacons 1`] = ` class="mx_BeaconListItem" > should list spaces which are not par
    renders with a tooltip 1`] = ` data-state="closed" >
    should render the expected pill for @room 1`] = ` >
  • @user48:example.com
    Message #48
  • @user47:example.com
    Message #47
  • @user46:example.com
    Message #46
  • @user45:example.com
    Message #45
  • @user44:example.com
    Message #44
  • @user43:example.com
    Message #43
  • @user42:example.com
    Message #42
  • @user41:example.com
    Message #41
  • @user40:example.com
    Message #40
  • @user39:example.com
    Message #39
  • @user38:example.com
    Message #38
  • @user37:example.com
    Message #37
  • @user36:example.com
    Message #36
  • @user35:example.com
    Message #35
  • @user34:example.com
    Message #34
  • @user33:example.com
    Message #33
  • @user32:example.com
    Message #32
  • @user31:example.com
    Message #31
  • @user30:example.com
    Message #30
  • @user29:example.com
    Message #29
  • @user28:example.com
    Message #28
  • @user27:example.com
    Message #27
  • @user26:example.com
    Message #26
  • @user25:example.com
    Message #25
  • @user24:example.com
    Message #24
  • @user23:example.com
    Message #23
  • @user22:example.com
    Message #22
  • @user21:example.com
    Message #21
  • @user20:example.com
    Message #20
  • @user19:example.com
    Message #19
  • @user18:example.com
    Message #18
  • @user17:example.com
    Message #17
  • @user16:example.com
    Message #16
  • @user15:example.com
    Message #15
  • @user14:example.com
    Message #14
  • @user13:example.com
    Message #13
  • @user12:example.com
    Message #12
  • @user11:example.com
    Message #11
  • @user10:example.com
    Message #10
  • @user9:example.com
    Message #9
  • @user8:example.com
    Message #8
  • @user7:example.com
    Message #7
  • @user6:example.com
    Message #6
  • @user5:example.com
    Message #5
  • @user4:example.com
    Message #4
  • @user3:example.com
    Message #3
  • @user2:example.com
    Message #2
  • @user1:example.com
    Message #1
  • @user0:example.com
    Message #0
  • +
  • @user49:example.com
    Message #49
  • @user48:example.com
    Message #48
  • @user47:example.com
    Message #47
  • @user46:example.com
    Message #46
  • @user45:example.com
    Message #45
  • @user44:example.com
    Message #44
  • @user43:example.com
    Message #43
  • @user42:example.com
    Message #42
  • @user41:example.com
    Message #41
  • @user40:example.com
    Message #40
  • @user39:example.com
    Message #39
  • @user38:example.com
    Message #38
  • @user37:example.com
    Message #37
  • @user36:example.com
    Message #36
  • @user35:example.com
    Message #35
  • @user34:example.com
    Message #34
  • @user33:example.com
    Message #33
  • @user32:example.com
    Message #32
  • @user31:example.com
    Message #31
  • @user30:example.com
    Message #30
  • @user29:example.com
    Message #29
  • @user28:example.com
    Message #28
  • @user27:example.com
    Message #27
  • @user26:example.com
    Message #26
  • @user25:example.com
    Message #25
  • @user24:example.com
    Message #24
  • @user23:example.com
    Message #23
  • @user22:example.com
    Message #22
  • @user21:example.com
    Message #21
  • @user20:example.com
    Message #20
  • @user19:example.com
    Message #19
  • @user18:example.com
    Message #18
  • @user17:example.com
    Message #17
  • @user16:example.com
    Message #16
  • @user15:example.com
    Message #15
  • @user14:example.com
    Message #14
  • @user13:example.com
    Message #13
  • @user12:example.com
    Message #12
  • @user11:example.com
    Message #11
  • @user10:example.com
    Message #10
  • @user9:example.com
    Message #9
  • @user8:example.com
    Message #8
  • @user7:example.com
    Message #7
  • @user6:example.com
    Message #6
  • @user5:example.com
    Message #5
  • @user4:example.com
    Message #4
  • @user3:example.com
    Message #3
  • @user2:example.com
    Message #2
  • @user1:example.com
    Message #1
  • @user0:example.com
    Message #0
  • diff --git a/yarn.lock b/yarn.lock index f4199fba52..e82f56ac82 100644 --- a/yarn.lock +++ b/yarn.lock @@ -1285,6 +1285,13 @@ dependencies: regenerator-runtime "^0.14.0" +"@babel/runtime@^7.21.0": + version "7.23.1" + resolved "https://registry.yarnpkg.com/@babel/runtime/-/runtime-7.23.1.tgz#72741dc4d413338a91dcb044a86f3c0bc402646d" + integrity sha512-hC2v6p8ZSI/W0HUzh3V8C5g+NwSKzKPtJwSpTjwl0o297GP9+ZLQSkdvHz46CM3LqyoXxq+5G9komY+eSqSO0g== + dependencies: + regenerator-runtime "^0.14.0" + "@babel/template@^7.20.7": version "7.20.7" resolved "https://registry.yarnpkg.com/@babel/template/-/template-7.20.7.tgz#a15090c2839a83b02aa996c0b4994005841fd5a8" @@ -1417,6 +1424,18 @@ resolved "https://registry.yarnpkg.com/@csstools/selector-specificity/-/selector-specificity-3.0.0.tgz#798622546b63847e82389e473fd67f2707d82247" integrity sha512-hBI9tfBtuPIi885ZsZ32IMEU/5nlZH/KOVYJCOh7gyMxaVLGmLedYqFN6Ui1LXkI8JlC8IsuC0rF0btcRZKd5g== +"@cypress/commit-info@^2.2.0": + version "2.2.0" + resolved "https://registry.yarnpkg.com/@cypress/commit-info/-/commit-info-2.2.0.tgz#6086d478975edb7ac7c9ffdd5cfd5be2b9fe44f2" + integrity sha512-A7CYS0Iqp/u52JTnSWlDFjWMKx7rIfd+mk0Fdksrcs4Wdf5HXPsoZO475VJ+xL7LPhJrjKhgyl/TPKO3worZyQ== + dependencies: + bluebird "3.5.5" + check-more-types "2.24.0" + debug "4.1.1" + execa "1.0.0" + lazy-ass "1.6.0" + ramda "0.26.1" + "@cypress/request@^3.0.0": version "3.0.0" resolved "https://registry.yarnpkg.com/@cypress/request/-/request-3.0.0.tgz#7f58dfda087615ed4e6aab1b25fffe7630d6dd85" @@ -1486,20 +1505,20 @@ resolved "https://registry.yarnpkg.com/@eslint/js/-/js-8.48.0.tgz#642633964e217905436033a2bd08bf322849b7fb" integrity sha512-ZSjtmelB7IJfWD2Fvb7+Z+ChTIKWq6kjda95fLcQKNS5aheVHn4IkfgRQE3sIIzTcSLwLcLZUD9UBt+V7+h+Pw== -"@floating-ui/core@^1.4.1": - version "1.4.1" - resolved "https://registry.yarnpkg.com/@floating-ui/core/-/core-1.4.1.tgz#0d633f4b76052668afb932492ac452f7ebe97f17" - integrity sha512-jk3WqquEJRlcyu7997NtR5PibI+y5bi+LS3hPmguVClypenMsCY3CBa3LAQnozRCtCrYWSEtAdiskpamuJRFOQ== +"@floating-ui/core@^1.4.2": + version "1.5.0" + resolved "https://registry.yarnpkg.com/@floating-ui/core/-/core-1.5.0.tgz#5c05c60d5ae2d05101c3021c1a2a350ddc027f8c" + integrity sha512-kK1h4m36DQ0UHGj5Ah4db7R0rHemTqqO0QLvUqi1/mUUp3LuAWbWxdxSIf/XsnH9VS6rRVPLJCncjRzUvyCLXg== dependencies: - "@floating-ui/utils" "^0.1.1" + "@floating-ui/utils" "^0.1.3" "@floating-ui/dom@^1.5.1": - version "1.5.1" - resolved "https://registry.yarnpkg.com/@floating-ui/dom/-/dom-1.5.1.tgz#88b70defd002fe851f17b4a25efb2d3c04d7a8d7" - integrity sha512-KwvVcPSXg6mQygvA1TjbN/gh///36kKtllIF8SUm0qpFj8+rvYrpvlYdL1JoA71SHpDqgSSdGOSoQ0Mp3uY5aw== + version "1.5.3" + resolved "https://registry.yarnpkg.com/@floating-ui/dom/-/dom-1.5.3.tgz#54e50efcb432c06c23cd33de2b575102005436fa" + integrity sha512-ClAbQnEqJAKCJOEbbLo5IUlZHkNszqhuxS4fHAVxRPXPya6Ysf2G8KypnYcOTpx6I8xcgF9bbHb6g/2KpbV8qA== dependencies: - "@floating-ui/core" "^1.4.1" - "@floating-ui/utils" "^0.1.1" + "@floating-ui/core" "^1.4.2" + "@floating-ui/utils" "^0.1.3" "@floating-ui/react-dom@^2.0.0": version "2.0.2" @@ -1508,10 +1527,10 @@ dependencies: "@floating-ui/dom" "^1.5.1" -"@floating-ui/utils@^0.1.1": - version "0.1.1" - resolved "https://registry.yarnpkg.com/@floating-ui/utils/-/utils-0.1.1.tgz#1a5b1959a528e374e8037c4396c3e825d6cf4a83" - integrity sha512-m0G6wlnhm/AX0H12IOWtK8gASEMffnX08RtKkCgTdHb9JpHKGloI7icFfLg9ZmQeavcvR0PKmzxClyuFPSjKWw== +"@floating-ui/utils@^0.1.3": + version "0.1.4" + resolved "https://registry.yarnpkg.com/@floating-ui/utils/-/utils-0.1.4.tgz#19654d1026cc410975d46445180e70a5089b3e7d" + integrity sha512-qprfWkn82Iw821mcKofJ5Pk9wgioHicxcQMxx+5zt5GSKoqdWvgG5AxVmpmUUjzTLPVSH5auBrhI93Deayn/DA== "@humanwhocodes/config-array@^0.11.10": version "0.11.10" @@ -3065,9 +3084,9 @@ svg2vectordrawable "^2.9.1" "@vector-im/compound-web@^0.4.0": - version "0.4.0" - resolved "https://registry.yarnpkg.com/@vector-im/compound-web/-/compound-web-0.4.0.tgz#c4adf10785722c4b0fd5e20e72576ade2ef386d0" - integrity sha512-45pshpwpVBwOwIevKZrnWX718Z+qPvxnrSUv3KY4x4ej+PDMt8Qorxv1n98bB7fgF7vwBHK5PQdjq2kTFit+wQ== + version "0.4.3" + resolved "https://registry.yarnpkg.com/@vector-im/compound-web/-/compound-web-0.4.3.tgz#a6f692b8b1668212f06456ff46e1854cc382bfd2" + integrity sha512-MFBAX92mh0xDtmL0UoZkZTvtSQXC9w5vpGVWOXoaFHdw8QKg8XbVE7zwCEcYkON7x1kT1kue32Vof7G3Wlufow== dependencies: "@radix-ui/react-form" "^0.0.3" "@radix-ui/react-tooltip" "^1.0.6" @@ -3128,7 +3147,7 @@ acorn-walk@^8.0.2, acorn-walk@^8.1.1: resolved "https://registry.yarnpkg.com/acorn-walk/-/acorn-walk-8.2.0.tgz#741210f2e2426454508853a2f44d0ab83b7f69c1" integrity sha512-k+iyHEuPgSw6SbuDpGQM+06HQUa04DZ3o+F6CSzXMvvI5KMvnaEqXe+YVe555R9nn6GPt404fos4wcgpw12SDA== -acorn@^8.1.0, acorn@^8.8.1, acorn@^8.9.0: +acorn@^8.1.0, acorn@^8.8.0, acorn@^8.8.1, acorn@^8.9.0: version "8.10.0" resolved "https://registry.yarnpkg.com/acorn/-/acorn-8.10.0.tgz#8be5b3907a67221a81ab23c7889c4c5526b62ec5" integrity sha512-F0SAmZ8iUtS//m8DmCTA0jlh6TDKkHQyK6xc6V4KDTyZKA9dnvX9/3sRTVQrWm79glUAZbnmmNcdYwUIHWVybw== @@ -3440,6 +3459,23 @@ axe-core@^4.6.2: resolved "https://registry.yarnpkg.com/axe-core/-/axe-core-4.6.3.tgz#fc0db6fdb65cc7a80ccf85286d91d64ababa3ece" integrity sha512-/BQzOX780JhsxDnPpH4ZiyrJAzcd8AfzFPkv+89veFSr1rcMjuq2JDCwypKaPeB6ljHp9KjXhPpjgCvQlWYuqg== +axios-retry@^3.4.0: + version "3.8.0" + resolved "https://registry.yarnpkg.com/axios-retry/-/axios-retry-3.8.0.tgz#a174af633ef143a9f5642b9e4afe65c2017936b5" + integrity sha512-CfIsQyWNc5/AE7x/UEReRUadiBmQeoBpSEC+4QyGLJMswTsP1tz0GW2YYPnE7w9+ESMef5zOgLDFpHynNyEZ1w== + dependencies: + "@babel/runtime" "^7.15.4" + is-retry-allowed "^2.2.0" + +axios@^1.2.0: + version "1.5.0" + resolved "https://registry.yarnpkg.com/axios/-/axios-1.5.0.tgz#f02e4af823e2e46a9768cfc74691fdd0517ea267" + integrity sha512-D4DdjDo5CY50Qms0qGQTTw6Q44jl7zRwY7bthds06pUGfChBCTcQs+N743eFWGEd6pRTMd6A+I87aWyFV5wiZQ== + dependencies: + follow-redirects "^1.15.0" + form-data "^4.0.0" + proxy-from-env "^1.1.0" + axobject-query@^3.1.1: version "3.1.1" resolved "https://registry.yarnpkg.com/axobject-query/-/axobject-query-3.1.1.tgz#3b6e5c6d4e43ca7ba51c5babf99d22a9c68485e1" @@ -3588,6 +3624,11 @@ blob-util@^2.0.2: resolved "https://registry.yarnpkg.com/blob-util/-/blob-util-2.0.2.tgz#3b4e3c281111bb7f11128518006cdc60b403a1eb" integrity sha512-T7JQa+zsXXEa6/8ZhHcQEW1UFfVM49Ts65uBkFL6fz2QmrElqmbajIDJvuA0tEhRe5eIjpV9ZF+0RfZR9voJFQ== +bluebird@3.5.5: + version "3.5.5" + resolved "https://registry.yarnpkg.com/bluebird/-/bluebird-3.5.5.tgz#a8d0afd73251effbbd5fe384a77d73003c17a71f" + integrity sha512-5am6HnnfN+urzt4yfg7IgTbotDjIT/u8AJpEt0sIU9FtXfVeezXAPKswrG+xKUCOYAINpSdgZVDU6QFh+cuH3w== + bluebird@^3.7.2: version "3.7.2" resolved "https://registry.yarnpkg.com/bluebird/-/bluebird-3.7.2.tgz#9f229c15be272454ffa973ace0dbee79a1b0c36f" @@ -3775,7 +3816,7 @@ chalk@^3.0.0: ansi-styles "^4.1.0" supports-color "^7.1.0" -chalk@^4.0.0, chalk@^4.1.0: +chalk@^4.0.0, chalk@^4.1.0, chalk@^4.1.2: version "4.1.2" resolved "https://registry.yarnpkg.com/chalk/-/chalk-4.1.2.tgz#aac4e2b7734a740867aeb16bf02aad556a1e7a01" integrity sha512-oKnbhFyRIXpUuez8iBMmyEa4nbj4IOQyuhc/wy9kY7/WVPcwIO9VA668Pu8RkO7+0G76SLROeyw9CpQ061i4mA== @@ -3793,7 +3834,7 @@ charenc@0.0.2: resolved "https://registry.yarnpkg.com/charenc/-/charenc-0.0.2.tgz#c0a1d2f3a7092e03774bfa83f14c0fc5790a8667" integrity sha512-yrLQ/yVUFXkzg7EDQsPieE/53+0RlaWTs+wBrvW36cyilJ2SaDWfl4Yj7MtLTXleV9uEKefbAGUPv2/iWSooRA== -check-more-types@^2.24.0: +check-more-types@2.24.0, check-more-types@^2.24.0: version "2.24.0" resolved "https://registry.yarnpkg.com/check-more-types/-/check-more-types-2.24.0.tgz#1420ffb10fd444dcfc79b43891bbfffd32a84600" integrity sha512-Pj779qHxV2tuapviy1bSZNEL1maXr13bPYpsvSDB68HlYcYuhlDrmGd63i0JHMCLKzc7rUSNIrpdJlhVlNwrxA== @@ -3962,6 +4003,16 @@ combined-stream@^1.0.6, combined-stream@^1.0.8, combined-stream@~1.0.6: dependencies: delayed-stream "~1.0.0" +commander@^10.0.0: + version "10.0.1" + resolved "https://registry.yarnpkg.com/commander/-/commander-10.0.1.tgz#881ee46b4f77d1c1dccc5823433aa39b022cbe06" + integrity sha512-y4Mg2tXshplEbSGzx7amzPwKKOCGuoSRP/CjEdwwk0FOGlUbq6lKuoyDZTNZkmxHdJtp54hdfY/JUrdL7Xfdug== + +commander@^2.9.0: + version "2.20.3" + resolved "https://registry.yarnpkg.com/commander/-/commander-2.20.3.tgz#fd485e84c03eb4881c20722ba48035e8531aeb33" + integrity sha512-GpVkmM8vF2vQUkj2LvZmD35JxeJOLCwJ9cUkugyk2nuhbv3+mJvpLYYt+0+USMxE+oj+ey/lJEnhZw75x/OMcQ== + commander@^4.0.1: version "4.1.1" resolved "https://registry.yarnpkg.com/commander/-/commander-4.1.1.tgz#9fd602bd936294e9e9ef46a3f4d6964044b18068" @@ -3982,6 +4033,11 @@ commander@^8.3.0: resolved "https://registry.yarnpkg.com/commander/-/commander-8.3.0.tgz#4837ea1b2da67b9c616a67afbb0fafee567bca66" integrity sha512-OkTL9umf+He2DZkUq8f8J9of7yL6RJKI24dVITBmNfZBmri9zYZQrKkuXiKhyfPSu8tUhnVBB1iKXevvnlR4Ww== +common-path-prefix@^3.0.0: + version "3.0.0" + resolved "https://registry.yarnpkg.com/common-path-prefix/-/common-path-prefix-3.0.0.tgz#7d007a7e07c58c4b4d5f433131a19141b29f11e0" + integrity sha512-QE33hToZseCH3jS0qN96O/bSh3kaw/h+Tq7ngyY9eWDUnTlTNUyqfqvCXioLe5Na5jFsL78ra/wuBU4iuEgd4w== + common-tags@^1.8.0: version "1.8.2" resolved "https://registry.yarnpkg.com/common-tags/-/common-tags-1.8.2.tgz#94ebb3c076d26032745fd54face7f688ef5ac9c6" @@ -4115,6 +4171,17 @@ create-require@^1.1.0: resolved "https://registry.yarnpkg.com/create-require/-/create-require-1.1.1.tgz#c1d7e8f1e5f6cfc9ff65f9cd352d37348756c333" integrity sha512-dcKFX3jn0MpIaXjisoRvexIJVEKzaq7z2rZKxf+MSr9TkdmHmsU4m2lcLojrj/FHl8mk5VxMmYA+ftRkP/3oKQ== +cross-spawn@^6.0.0: + version "6.0.5" + resolved "https://registry.yarnpkg.com/cross-spawn/-/cross-spawn-6.0.5.tgz#4a5ec7c64dfae22c3a14124dbacdee846d80cbc4" + integrity sha512-eTVLrBSt7fjbDygz805pMnstIs2VTBNkRm0qxZd+M7A5XDdxVRWO5MxGBXZhjY4cqLYLdtrGqRf8mBPmzwSpWQ== + dependencies: + nice-try "^1.0.4" + path-key "^2.0.1" + semver "^5.5.0" + shebang-command "^1.2.0" + which "^1.2.9" + cross-spawn@^7.0.0, cross-spawn@^7.0.2, cross-spawn@^7.0.3: version "7.0.3" resolved "https://registry.yarnpkg.com/cross-spawn/-/cross-spawn-7.0.3.tgz#f73a85b9d5d41d045551c177e2882d4ac85728a6" @@ -4227,11 +4294,55 @@ csstype@^3.0.2: resolved "https://registry.yarnpkg.com/csstype/-/csstype-3.1.2.tgz#1d4bf9d572f11c14031f0436e1c10bc1f571f50b" integrity sha512-I7K1Uu0MBPzaFKg4nI5Q7Vs2t+3gWWW648spaF+Rg7pI9ds18Ugn+lvg4SHczUdKlHI5LWBXyqfS8+DufyBsgQ== +cy2@^3.4.2: + version "3.4.3" + resolved "https://registry.yarnpkg.com/cy2/-/cy2-3.4.3.tgz#c61665a953256e22399804f69067bb407ca922da" + integrity sha512-I1yfJWJTRy2ROti1TlLM5Qk86WSeKMrtZbY/G6VD2tjm3VKTu6pDkpcV56C2HhN+txK5p6MMsmzKXJM2W9JlxA== + dependencies: + acorn "^8.8.0" + debug "^4.3.2" + escodegen "^2.0.0" + estraverse "^5.3.0" + js-yaml "^4.1.0" + npm-which "^3.0.1" + slash "3.0.0" + cypress-axe@^1.0.0: version "1.4.0" resolved "https://registry.yarnpkg.com/cypress-axe/-/cypress-axe-1.4.0.tgz#e67482bfe9e740796bf77c7823f19781a8a2faff" integrity sha512-Ut7NKfzjyKm0BEbt2WxuKtLkIXmx6FD2j0RwdvO/Ykl7GmB/qRQkwbKLk3VP35+83hiIr8GKD04PDdrTK5BnyA== +cypress-cloud@^2.0.0-beta.0: + version "2.0.0-beta.1" + resolved "https://registry.yarnpkg.com/cypress-cloud/-/cypress-cloud-2.0.0-beta.1.tgz#460a1151ec3a33d71175ae62af26b40bb47ca244" + integrity sha512-nMKf7077NaOK4AFHUwYGAnL3HtgTWsyQ+dSB4YxSH0GvQbtJo7Ljk0dlkzkUraiPb+0/Rr+XF0ozorSPz7ChJw== + dependencies: + "@cypress/commit-info" "^2.2.0" + axios "^1.2.0" + axios-retry "^3.4.0" + bluebird "^3.7.2" + chalk "^4.1.2" + commander "^10.0.0" + common-path-prefix "^3.0.0" + cy2 "^3.4.2" + date-fns "^2.30.0" + debug "^4.3.4" + execa "^5.1.1" + fast-safe-stringify "^2.1.1" + getos "^3.2.1" + globby "^11.1.0" + is-absolute "^1.0.0" + lil-http-terminator "^1.2.3" + lodash "^4.17.21" + nanoid "^3.3.4" + plur "^4.0.0" + pretty-ms "^7.0.1" + source-map-support "^0.5.21" + table "^6.8.1" + tmp-promise "^3.0.3" + ts-pattern "^4.3.0" + ws "^8.13.0" + cypress-multi-reporters@^1.6.1: version "1.6.3" resolved "https://registry.yarnpkg.com/cypress-multi-reporters/-/cypress-multi-reporters-1.6.3.tgz#0f0da8db4caf8d7a21f94e5209148348416d7c71" @@ -4240,6 +4351,11 @@ cypress-multi-reporters@^1.6.1: debug "^4.3.4" lodash "^4.17.21" +cypress-plugin-init@^0.0.8: + version "0.0.8" + resolved "https://registry.yarnpkg.com/cypress-plugin-init/-/cypress-plugin-init-0.0.8.tgz#7393e7aa68bee5f1b88140aa779f40d1a7b371ba" + integrity sha512-NWjtDVtMIvUr7MH6lWeKZXT4vEQF89ntSjugVyfIB06Ofe7M0jlVK0ptzWSQ5vE6gcAwfXqTKJJrI+FEZNM7Kg== + cypress-real-events@^1.7.1: version "1.9.1" resolved "https://registry.yarnpkg.com/cypress-real-events/-/cypress-real-events-1.9.1.tgz#75fc4f73ec8b7775467ef940d52d12fe440c99e3" @@ -4336,6 +4452,13 @@ data-urls@^3.0.2: whatwg-mimetype "^3.0.0" whatwg-url "^11.0.0" +date-fns@^2.30.0: + version "2.30.0" + resolved "https://registry.yarnpkg.com/date-fns/-/date-fns-2.30.0.tgz#f367e644839ff57894ec6ac480de40cae4b0f4d0" + integrity sha512-fnULvOpxnC5/Vg3NCiWelDsLiUc9bRwAPs/+LfTLNvetFCtCTN+yQz15C/fs4AwX1R9K5GLtLfn8QW+dWisaAw== + dependencies: + "@babel/runtime" "^7.21.0" + date-names@^0.1.11: version "0.1.13" resolved "https://registry.yarnpkg.com/date-names/-/date-names-0.1.13.tgz#c4358f6f77c8056e2f5ea68fdbb05f0bf1e53bd0" @@ -4360,6 +4483,13 @@ debug@4, debug@^4.1.0, debug@^4.1.1, debug@^4.3.2, debug@^4.3.4: dependencies: ms "2.1.2" +debug@4.1.1: + version "4.1.1" + resolved "https://registry.yarnpkg.com/debug/-/debug-4.1.1.tgz#3b72260255109c6b589cee050f1d516139664791" + integrity sha512-pYAIzeRo8J6KPEaJ0VWOh5Pzkbw/RetuzehGM7QRRX5he4fPHx2rdKMB256ehJCkX+XRQm16eZLqLNS8RSZXZw== + dependencies: + ms "^2.1.1" + debug@^3.1.0, debug@^3.2.7: version "3.2.7" resolved "https://registry.yarnpkg.com/debug/-/debug-3.2.7.tgz#72580b7e9145fb39b6676f9c5e5fb100b934179a" @@ -5200,6 +5330,19 @@ except@^0.1.3: dependencies: indexof "0.0.1" +execa@1.0.0: + version "1.0.0" + resolved "https://registry.yarnpkg.com/execa/-/execa-1.0.0.tgz#c6236a5bb4df6d6f15e88e7f017798216749ddd8" + integrity sha512-adbxcyWV46qiHyvSp50TKt05tB4tK3HcmF7/nxfAdhnox83seTDbwnaqKO4sXRy7roHAIFqJP/Rw/AuEbX61LA== + dependencies: + cross-spawn "^6.0.0" + get-stream "^4.0.0" + is-stream "^1.1.0" + npm-run-path "^2.0.0" + p-finally "^1.0.0" + signal-exit "^3.0.0" + strip-eof "^1.0.0" + execa@4.1.0: version "4.1.0" resolved "https://registry.yarnpkg.com/execa/-/execa-4.1.0.tgz#4e5491ad1572f2f17a77d388c6c857135b22847a" @@ -5215,7 +5358,7 @@ execa@4.1.0: signal-exit "^3.0.2" strip-final-newline "^2.0.0" -execa@^5.0.0: +execa@^5.0.0, execa@^5.1.1: version "5.1.1" resolved "https://registry.yarnpkg.com/execa/-/execa-5.1.1.tgz#f80ad9cbf4298f7bd1d4c9555c21e93741c411dd" integrity sha512-8uSpZZocAZRBAPIEINJj3Lo9HyGitllczc27Eh5YYojjMFMn8yHMDMaUHE2Jqfq05D/wucwI4JGURyXt1vchyg== @@ -5372,6 +5515,11 @@ fast-levenshtein@^2.0.6: resolved "https://registry.yarnpkg.com/fast-levenshtein/-/fast-levenshtein-2.0.6.tgz#3d8a5c66883a16a30ca8643e851f19baa7797917" integrity sha512-DCXu6Ifhqcks7TZKY3Hxp3y6qphY5SJZmrWMDrKcERSOXWQdMhU9Ig/PYrzyw/ul9jOIyh0N4M0tbC5hodg8dw== +fast-safe-stringify@^2.1.1: + version "2.1.1" + resolved "https://registry.yarnpkg.com/fast-safe-stringify/-/fast-safe-stringify-2.1.1.tgz#c406a83b6e70d9e35ce3b30a81141df30aeba884" + integrity sha512-W+KJc2dmILlPplD/H4K9l9LcAHAfPtP6BY84uVLXQ6Evcz9Lcg33Y2z1IVblT6xdY54PXYVHEv+0Wpq8Io6zkA== + fastest-levenshtein@1.0.16, fastest-levenshtein@^1.0.16: version "1.0.16" resolved "https://registry.yarnpkg.com/fastest-levenshtein/-/fastest-levenshtein-1.0.16.tgz#210e61b6ff181de91ea9b3d1b84fdedd47e034e5" @@ -5527,6 +5675,11 @@ focus-visible@^5.2.0: resolved "https://registry.yarnpkg.com/focus-visible/-/focus-visible-5.2.0.tgz#3a9e41fccf587bd25dcc2ef045508284f0a4d6b3" integrity sha512-Rwix9pBtC1Nuy5wysTmKy+UjbDJpIfg8eHjw0rjZ1mX4GNLz1Bmd16uDpI3Gk1i70Fgcs8Csg2lPm8HULFg9DQ== +follow-redirects@^1.15.0: + version "1.15.3" + resolved "https://registry.yarnpkg.com/follow-redirects/-/follow-redirects-1.15.3.tgz#fe2f3ef2690afce7e82ed0b44db08165b207123a" + integrity sha512-1VzOtuEM8pC9SFU1E+8KfTjZyMztRsgEfwQl44z8A25uy13jSzTj6dyK2Df52iV0vgHCfBwLhDWevLn95w5v6Q== + for-each@^0.3.3: version "0.3.3" resolved "https://registry.yarnpkg.com/for-each/-/for-each-0.3.3.tgz#69b447e88a0a5d32c3e7084f3f1710034b21376e" @@ -5687,6 +5840,13 @@ get-package-type@^0.1.0: resolved "https://registry.yarnpkg.com/get-package-type/-/get-package-type-0.1.0.tgz#8de2d803cff44df3bc6c456e6668b36c3926e11a" integrity sha512-pjzuKtY64GYfWizNAJ0fr9VqttZkNiK2iS430LtIHzjBEr6bX8Am2zm4sW4Ro5wjWW5cAlRL1qAMTcXbjNAO2Q== +get-stream@^4.0.0: + version "4.1.0" + resolved "https://registry.yarnpkg.com/get-stream/-/get-stream-4.1.0.tgz#c1b255575f3dc21d59bfc79cd3d2b46b1c3a54b5" + integrity sha512-GMat4EJ5161kIy2HevLlr4luNjBgvmj413KaQA7jt4V8B4RDsfpHk7WQ9GVqfYyyx8OS/L66Kox+rJRNklLK7w== + dependencies: + pump "^3.0.0" + get-stream@^5.0.0, get-stream@^5.1.0: version "5.2.0" resolved "https://registry.yarnpkg.com/get-stream/-/get-stream-5.2.0.tgz#4966a1795ee5ace65e706c4b7beb71257d6e22d3" @@ -6122,6 +6282,19 @@ ipaddr.js@1.9.1: resolved "https://registry.yarnpkg.com/ipaddr.js/-/ipaddr.js-1.9.1.tgz#bff38543eeb8984825079ff3a2a8e6cbd46781b3" integrity sha512-0KI/607xoxSToH7GjN1FfSbLoU0+btTicjsQSWQlh/hZykN8KpmMf7uYwPW3R+akZ6R/w18ZlXSHBYXiYUPO3g== +irregular-plurals@^3.2.0: + version "3.5.0" + resolved "https://registry.yarnpkg.com/irregular-plurals/-/irregular-plurals-3.5.0.tgz#0835e6639aa8425bdc8b0d33d0dc4e89d9c01d2b" + integrity sha512-1ANGLZ+Nkv1ptFb2pa8oG8Lem4krflKuX/gINiHJHjJUKaJHk/SXk5x6K3J+39/p0h1RQ2saROclJJ+QLvETCQ== + +is-absolute@^1.0.0: + version "1.0.0" + resolved "https://registry.yarnpkg.com/is-absolute/-/is-absolute-1.0.0.tgz#395e1ae84b11f26ad1795e73c17378e48a301576" + integrity sha512-dOWoqflvcydARa360Gvv18DZ/gRuHKi2NU/wU5X1ZFzdYfH29nkiNZsF3mp4OJ3H4yo9Mx8A/uAGNzpzPN3yBA== + dependencies: + is-relative "^1.0.0" + is-windows "^1.0.1" + is-arguments@^1.1.1: version "1.1.1" resolved "https://registry.yarnpkg.com/is-arguments/-/is-arguments-1.1.1.tgz#15b3f88fda01f2a97fec84ca761a560f123efa9b" @@ -6310,6 +6483,18 @@ is-regex@^1.1.4: call-bind "^1.0.2" has-tostringtag "^1.0.0" +is-relative@^1.0.0: + version "1.0.0" + resolved "https://registry.yarnpkg.com/is-relative/-/is-relative-1.0.0.tgz#a1bb6935ce8c5dba1e8b9754b9b2dcc020e2260d" + integrity sha512-Kw/ReK0iqwKeu0MITLFuj0jbPAmEiOsIwyIXvvbfa6QfmN9pkD1M+8pdk7Rl/dTKbH34/XBFMbgD4iMJhLQbGA== + dependencies: + is-unc-path "^1.0.0" + +is-retry-allowed@^2.2.0: + version "2.2.0" + resolved "https://registry.yarnpkg.com/is-retry-allowed/-/is-retry-allowed-2.2.0.tgz#88f34cbd236e043e71b6932d09b0c65fb7b4d71d" + integrity sha512-XVm7LOeLpTW4jV19QSH38vkswxoLud8sQ57YwJVTPWdiaI9I8keEhGFpBlslyVsgdQy4Opg8QOLb8YRgsyZiQg== + is-set@^2.0.1, is-set@^2.0.2: version "2.0.2" resolved "https://registry.yarnpkg.com/is-set/-/is-set-2.0.2.tgz#90755fa4c2562dc1c5d4024760d6119b94ca18ec" @@ -6322,6 +6507,11 @@ is-shared-array-buffer@^1.0.2: dependencies: call-bind "^1.0.2" +is-stream@^1.1.0: + version "1.1.0" + resolved "https://registry.yarnpkg.com/is-stream/-/is-stream-1.1.0.tgz#12d4a3dd4e68e0b79ceb8dbc84173ae80d91ca44" + integrity sha512-uQPm8kcs47jx38atAcWTVxyltQYoPT68y9aWYdV6yWXSyW8mzSat0TL6CiWdZeCdF3KrAvpVtnHbTv4RN+rqdQ== + is-stream@^2.0.0: version "2.0.1" resolved "https://registry.yarnpkg.com/is-stream/-/is-stream-2.0.1.tgz#fac1e3d53b97ad5a9d0ae9cef2389f5810a5c077" @@ -6363,6 +6553,13 @@ is-typedarray@~1.0.0: resolved "https://registry.yarnpkg.com/is-typedarray/-/is-typedarray-1.0.0.tgz#e479c80858df0c1b11ddda6940f96011fcda4a9a" integrity sha512-cyA56iCMHAh5CdzjJIa4aohJyeO1YbwLi3Jc35MmRU6poroFjIGZzUzupGiRPOjgHg9TLu43xbpwXk523fMxKA== +is-unc-path@^1.0.0: + version "1.0.0" + resolved "https://registry.yarnpkg.com/is-unc-path/-/is-unc-path-1.0.0.tgz#d731e8898ed090a12c352ad2eaed5095ad322c9d" + integrity sha512-mrGpVd0fs7WWLfVsStvgF6iEJnbjDFZh9/emhRDcGWTduTfNHd9CHeUwH3gYIjdbwo4On6hunkztwOaAw0yllQ== + dependencies: + unc-path-regex "^0.1.2" + is-unicode-supported@^0.1.0: version "0.1.0" resolved "https://registry.yarnpkg.com/is-unicode-supported/-/is-unicode-supported-0.1.0.tgz#3f26c76a809593b52bfa2ecb5710ed2779b522a7" @@ -6388,6 +6585,11 @@ is-weakset@^2.0.1: call-bind "^1.0.2" get-intrinsic "^1.1.1" +is-windows@^1.0.1: + version "1.0.2" + resolved "https://registry.yarnpkg.com/is-windows/-/is-windows-1.0.2.tgz#d1850eb9791ecd18e6182ce12a30f396634bb19d" + integrity sha512-eXK1UInq2bPmjyX6e3VHIzMLobc4J94i4AWn+Hpq3OU5KkrRC96OAcR3PRJ/pGu6m8TRnBHP9dkXQVsT/COVIA== + isarray@^2.0.5: version "2.0.5" resolved "https://registry.yarnpkg.com/isarray/-/isarray-2.0.5.tgz#8af1e4c1221244cc62459faf38940d4e644a5723" @@ -7169,7 +7371,7 @@ language-tags@=1.0.5: dependencies: language-subtag-registry "~0.3.2" -lazy-ass@^1.6.0: +lazy-ass@1.6.0, lazy-ass@^1.6.0: version "1.6.0" resolved "https://registry.yarnpkg.com/lazy-ass/-/lazy-ass-1.6.0.tgz#7999655e8646c17f089fdd187d150d3324d54513" integrity sha512-cc8oEVoctTvsFZ/Oje/kGnHbpWHYBe8IAJe4C0QNc3t8uM/0Y8+erSz/7Y1ALuXTEZTMvxXwO6YbX1ey3ujiZw== @@ -7194,6 +7396,11 @@ lie@~3.3.0: dependencies: immediate "~3.0.5" +lil-http-terminator@^1.2.3: + version "1.2.3" + resolved "https://registry.yarnpkg.com/lil-http-terminator/-/lil-http-terminator-1.2.3.tgz#594ef0f3c2b2f7d43a8f2989b2b3de611bf507eb" + integrity sha512-vQcHSwAFq/kTR2cG6peOVS7SjgksGgSPeH0G2lkw+buue33thE/FCHdn10wJXXshc5RswFy0Iaz48qA2Busw5Q== + lines-and-columns@^1.1.6: version "1.2.4" resolved "https://registry.yarnpkg.com/lines-and-columns/-/lines-and-columns-1.2.4.tgz#eca284f75d2965079309dc0ad9255abb2ebc1632" @@ -7450,8 +7657,8 @@ matrix-events-sdk@0.0.1: integrity sha512-1QEOsXO+bhyCroIe2/A5OwaxHvBm7EsSQ46DEDn8RBIfQwN5HWBpFvyWWR4QY0KHPPnnJdI99wgRiAl7Ad5qaA== "matrix-js-sdk@github:matrix-org/matrix-js-sdk#develop": - version "28.1.0" - resolved "https://codeload.github.com/matrix-org/matrix-js-sdk/tar.gz/1503acb30a6e2eeda82018d8a065b65cb6f5fac5" + version "28.2.0" + resolved "https://codeload.github.com/matrix-org/matrix-js-sdk/tar.gz/d59bb240fa50b736ac6c3cbfff935ee08b697663" dependencies: "@babel/runtime" "^7.12.5" "@matrix-org/matrix-sdk-crypto-wasm" "^1.2.3-alpha.0" @@ -7485,7 +7692,7 @@ matrix-web-i18n@^2.1.0: lodash "^4.17.21" walk "^2.3.15" -matrix-widget-api@^1.6.0: +matrix-widget-api@^1.5.0, matrix-widget-api@^1.6.0: version "1.6.0" resolved "https://registry.yarnpkg.com/matrix-widget-api/-/matrix-widget-api-1.6.0.tgz#f0075411edffc6de339580ade7e6e6e6edb01af4" integrity sha512-VXIJyAZ/WnBmT4C7ePqevgMYGneKMCP/0JuCOqntSsaNlCRHJvwvTxmqUU+ufOpzIF5gYNyIrAjbgrEbK3iqJQ== @@ -7700,7 +7907,7 @@ murmurhash-js@^1.0.0: resolved "https://registry.yarnpkg.com/murmurhash-js/-/murmurhash-js-1.0.0.tgz#b06278e21fc6c37fa5313732b0412bcb6ae15f51" integrity sha512-TvmkNhkv8yct0SVBSy+o8wYzXjE4Zz3PCesbfs8HiCXXdcTuocApFv11UWlNFWKYsP2okqrhb7JNlSm9InBhIw== -nanoid@^3.3.6: +nanoid@^3.3.4, nanoid@^3.3.6: version "3.3.6" resolved "https://registry.yarnpkg.com/nanoid/-/nanoid-3.3.6.tgz#443380c856d6e9f9824267d960b4236ad583ea4c" integrity sha512-BGcqMMJuToF7i1rt+2PWSNVnWIkGCU78jBG3RxO/bZlnZPK2Cmi2QaffxGO/2RvWi9sL+FAiRiXMgsyxQ1DIDA== @@ -7725,6 +7932,11 @@ next-tick@1, next-tick@^1.1.0: resolved "https://registry.yarnpkg.com/next-tick/-/next-tick-1.1.0.tgz#1836ee30ad56d67ef281b22bd199f709449b35eb" integrity sha512-CXdUiJembsNjuToQvxayPZF9Vqht7hewsvy2sOWafLvi2awflj9mOC6bHIg50orX8IJvWKY9wYQ/zB2kogPslQ== +nice-try@^1.0.4: + version "1.0.5" + resolved "https://registry.yarnpkg.com/nice-try/-/nice-try-1.0.5.tgz#a3378a7696ce7d223e88fc9b764bd7ef1089e366" + integrity sha512-1nh45deeb5olNY7eX82BkPO7SSxR5SSYJiPTrTdFUVYwAl8CKMA5N9PjTYkHiRjisVcxcQ1HXdLhx2qxxJzLNQ== + node-fetch@2: version "2.6.12" resolved "https://registry.yarnpkg.com/node-fetch/-/node-fetch-2.6.12.tgz#02eb8e22074018e3d5a83016649d04df0e348fba" @@ -7786,6 +7998,20 @@ normalize-svg-path@^1.0.0: dependencies: svg-arc-to-cubic-bezier "^3.0.0" +npm-path@^2.0.2: + version "2.0.4" + resolved "https://registry.yarnpkg.com/npm-path/-/npm-path-2.0.4.tgz#c641347a5ff9d6a09e4d9bce5580c4f505278e64" + integrity sha512-IFsj0R9C7ZdR5cP+ET342q77uSRdtWOlWpih5eC+lu29tIDbNEgDbzgVJ5UFvYHWhxDZ5TFkJafFioO0pPQjCw== + dependencies: + which "^1.2.10" + +npm-run-path@^2.0.0: + version "2.0.2" + resolved "https://registry.yarnpkg.com/npm-run-path/-/npm-run-path-2.0.2.tgz#35a9232dfa35d7067b4cb2ddf2357b1871536c5f" + integrity sha512-lJxZYlT4DW/bRUtFh1MQIWqmLwQfAxnqWG4HhEdjMlkrJYnJn0Jrr2u3mgxqaWsdiBc76TYkTG/mhrnYTuzfHw== + dependencies: + path-key "^2.0.0" + npm-run-path@^4.0.0, npm-run-path@^4.0.1: version "4.0.1" resolved "https://registry.yarnpkg.com/npm-run-path/-/npm-run-path-4.0.1.tgz#b7ecd1e5ed53da8e37a55e1c2269e0b97ed748ea" @@ -7793,6 +8019,15 @@ npm-run-path@^4.0.0, npm-run-path@^4.0.1: dependencies: path-key "^3.0.0" +npm-which@^3.0.1: + version "3.0.1" + resolved "https://registry.yarnpkg.com/npm-which/-/npm-which-3.0.1.tgz#9225f26ec3a285c209cae67c3b11a6b4ab7140aa" + integrity sha512-CM8vMpeFQ7MAPin0U3wzDhSGV0hMHNwHU0wjo402IVizPDrs45jSfSuoC+wThevY88LQti8VvaAnqYAeVy3I1A== + dependencies: + commander "^2.9.0" + npm-path "^2.0.2" + which "^1.2.10" + nth-check@^2.0.1: version "2.1.1" resolved "https://registry.yarnpkg.com/nth-check/-/nth-check-2.1.1.tgz#c9eab428effce36cd6b92c924bdb000ef1f1ed1d" @@ -7924,6 +8159,11 @@ ospath@^1.2.2: resolved "https://registry.yarnpkg.com/ospath/-/ospath-1.2.2.tgz#1276639774a3f8ef2572f7fe4280e0ea4550c07b" integrity sha512-o6E5qJV5zkAbIDNhGSIlyOhScKXgQrSRMilfph0clDfM0nEnBOlKlH4sWDmG95BW/CvwNz0vmm7dJVtU2KlMiA== +p-finally@^1.0.0: + version "1.0.0" + resolved "https://registry.yarnpkg.com/p-finally/-/p-finally-1.0.0.tgz#3fbcfb15b899a44123b34b6dcc18b724336a2cae" + integrity sha512-LICb2p9CB7FS+0eR1oqWnHhp0FljGLZCWBE9aix0Uye9W8LTQPwMTYVGWQWIw9RdQiDg4+epXQODwIYJtSJaow== + p-limit@^2.0.0, p-limit@^2.2.0: version "2.3.0" resolved "https://registry.yarnpkg.com/p-limit/-/p-limit-2.3.0.tgz#3dd33c647a214fdfffd835933eb086da0dc21db1" @@ -8006,6 +8246,11 @@ parse-json@^5.0.0, parse-json@^5.2.0: json-parse-even-better-errors "^2.3.0" lines-and-columns "^1.1.6" +parse-ms@^2.1.0: + version "2.1.0" + resolved "https://registry.yarnpkg.com/parse-ms/-/parse-ms-2.1.0.tgz#348565a753d4391fa524029956b172cb7753097d" + integrity sha512-kHt7kzLoS9VBZfUsiKjv43mr91ea+U05EyKkEtqp7vNbHxmaVuEqN7XxeEVnGrMtYOAxGrDElSi96K7EgO1zCA== + parse-srcset@^1.0.2: version "1.0.2" resolved "https://registry.yarnpkg.com/parse-srcset/-/parse-srcset-1.0.2.tgz#f2bd221f6cc970a938d88556abc589caaaa2bde1" @@ -8043,6 +8288,11 @@ path-is-absolute@^1.0.0: resolved "https://registry.yarnpkg.com/path-is-absolute/-/path-is-absolute-1.0.1.tgz#174b9268735534ffbc7ace6bf53a5a9e1b5c5f5f" integrity sha512-AVbw3UJ2e9bq64vSaS9Am0fje1Pa8pbGqTTsmXfaIiMpnr5DlDhfJOuLj9Sf95ZPVDAUerDfEk88MPmPe7UCQg== +path-key@^2.0.0, path-key@^2.0.1: + version "2.0.1" + resolved "https://registry.yarnpkg.com/path-key/-/path-key-2.0.1.tgz#411cadb574c5a140d3a4b1910d40d80cc9f40b40" + integrity sha512-fEHGKCSmUSDPv4uoj8AlD+joPlq3peND+HRYyxFz4KPw4z926S/b8rIuFs2FYJg3BwsxJf6A9/3eIdLaYC+9Dw== + path-key@^3.0.0, path-key@^3.1.0: version "3.1.1" resolved "https://registry.yarnpkg.com/path-key/-/path-key-3.1.1.tgz#581f6ade658cbba65a0d3380de7753295054f375" @@ -8138,6 +8388,13 @@ pkg-dir@^4.2.0: dependencies: find-up "^4.0.0" +plur@^4.0.0: + version "4.0.0" + resolved "https://registry.yarnpkg.com/plur/-/plur-4.0.0.tgz#729aedb08f452645fe8c58ef115bf16b0a73ef84" + integrity sha512-4UGewrYgqDFw9vV6zNV+ADmPAUAfJPKtGvb/VdpQAx25X5f3xXdGdyOEVFwkl8Hl/tl7+xbeHqSEM+D5/TirUg== + dependencies: + irregular-plurals "^3.2.0" + pluralize@^8.0.0: version "8.0.0" resolved "https://registry.yarnpkg.com/pluralize/-/pluralize-8.0.0.tgz#1a6fa16a38d12a1901e0320fa017051c539ce3b1" @@ -8280,6 +8537,13 @@ pretty-format@^29.7.0: ansi-styles "^5.0.0" react-is "^18.0.0" +pretty-ms@^7.0.1: + version "7.0.1" + resolved "https://registry.yarnpkg.com/pretty-ms/-/pretty-ms-7.0.1.tgz#7d903eaab281f7d8e03c66f867e239dc32fb73e8" + integrity sha512-973driJZvxiGOQ5ONsFhOF/DtzPMOMtgC11kCpUrPGMTgqp2q/1gwzCquocrN33is0VZ5GFHXZYMM9l6h67v2Q== + dependencies: + parse-ms "^2.1.0" + process-nextick-args@~2.0.0: version "2.0.1" resolved "https://registry.yarnpkg.com/process-nextick-args/-/process-nextick-args-2.0.1.tgz#7820d9b16120cc55ca9ae7792680ae7dba6d7fe2" @@ -8333,6 +8597,11 @@ proxy-from-env@1.0.0: resolved "https://registry.yarnpkg.com/proxy-from-env/-/proxy-from-env-1.0.0.tgz#33c50398f70ea7eb96d21f7b817630a55791c7ee" integrity sha512-F2JHgJQ1iqwnHDcQjVBsq3n/uoaFL+iPW/eAeL7kVxy/2RrWaN4WroKjjvbsoRtv0ftelNyC01bjRhn/bhcf4A== +proxy-from-env@^1.1.0: + version "1.1.0" + resolved "https://registry.yarnpkg.com/proxy-from-env/-/proxy-from-env-1.1.0.tgz#e102f16ca355424865755d2c9e8ea4f24d58c3e2" + integrity sha512-D+zkORCbA9f1tdWRK0RaCR3GPv50cMxcrz4X8k5LTSUD1Dkw47mKJEZQNunItRTkWwgtaUSo1RVFRIG9ZXiFYg== + psl@^1.1.33: version "1.9.0" resolved "https://registry.yarnpkg.com/psl/-/psl-1.9.0.tgz#d0df2a137f00794565fcaf3b2c00cd09f8d5a5a7" @@ -8434,6 +8703,11 @@ raf-schd@^4.0.2: resolved "https://registry.yarnpkg.com/raf-schd/-/raf-schd-4.0.3.tgz#5d6c34ef46f8b2a0e880a8fcdb743efc5bfdbc1a" integrity sha512-tQkJl2GRWh83ui2DiPTJz9wEiMN20syf+5oKfB03yYP7ioZcJwsIK8FjrtLwH1m7C7e+Tt2yYBlrOpdT+dyeIQ== +ramda@0.26.1: + version "0.26.1" + resolved "https://registry.yarnpkg.com/ramda/-/ramda-0.26.1.tgz#8d41351eb8111c55353617fc3bbffad8e4d35d06" + integrity sha512-hLWjpy7EnsDBb0p+Z3B7rPi3GDeRG5ZtiI33kJhTt+ORCd38AbAIjB/9zRIUoeTbE/AVX5ZkU7m6bznsvrf8eQ== + range-parser@~1.2.1: version "1.2.1" resolved "https://registry.yarnpkg.com/range-parser/-/range-parser-1.2.1.tgz#3cf37023d199e1c24d1a55b84800c2f3e6468031" @@ -8940,7 +9214,7 @@ sdp-transform@^2.14.1: resolved "https://registry.yarnpkg.com/sdp-transform/-/sdp-transform-2.14.1.tgz#2bb443583d478dee217df4caa284c46b870d5827" integrity sha512-RjZyX3nVwJyCuTo5tGPx+PZWkDMCg7oOLpSlhjDdZfwUoNqG1mM8nyj31IGHyaPWXhjbP7cdK3qZ2bmkJ1GzRw== -"semver@2 || 3 || 4 || 5", semver@^5.6.0: +"semver@2 || 3 || 4 || 5", semver@^5.5.0, semver@^5.6.0: version "5.7.2" resolved "https://registry.yarnpkg.com/semver/-/semver-5.7.2.tgz#48d55db737c3287cd4835e17fa13feace1c41ef8" integrity sha512-cBznnQ9KjJqU67B52RMC65CMarK2600WFnbkcaiwWq3xy/5haFJlshgnpjovMVJ+Hff49d8GEn0b87C5pDQ10g== @@ -9008,6 +9282,13 @@ shallow-clone@^3.0.0: dependencies: kind-of "^6.0.2" +shebang-command@^1.2.0: + version "1.2.0" + resolved "https://registry.yarnpkg.com/shebang-command/-/shebang-command-1.2.0.tgz#44aac65b695b03398968c39f363fee5deafdf1ea" + integrity sha512-EV3L1+UQWGor21OmnvojK36mhg+TyIKDh3iFBKBohr5xeXIhNBcx8oWdgkTEEQ+BEFFYdLRuqMfd5L84N1V5Vg== + dependencies: + shebang-regex "^1.0.0" + shebang-command@^2.0.0: version "2.0.0" resolved "https://registry.yarnpkg.com/shebang-command/-/shebang-command-2.0.0.tgz#ccd0af4f8835fbdc265b82461aaf0c36663f34ea" @@ -9015,6 +9296,11 @@ shebang-command@^2.0.0: dependencies: shebang-regex "^3.0.0" +shebang-regex@^1.0.0: + version "1.0.0" + resolved "https://registry.yarnpkg.com/shebang-regex/-/shebang-regex-1.0.0.tgz#da42f49740c0b42db2ca9728571cb190c98efea3" + integrity sha512-wpoSFAxys6b2a2wHZ1XpDSgD7N9iVjg29Ph9uV/uaP9Ex/KXlkTZTeddxDPSYQpgvzKLGJke2UU0AzoGCjNIvQ== + shebang-regex@^3.0.0: version "3.0.0" resolved "https://registry.yarnpkg.com/shebang-regex/-/shebang-regex-3.0.0.tgz#ae16f1644d873ecad843b0307b143362d4c42172" @@ -9029,7 +9315,7 @@ side-channel@^1.0.4: get-intrinsic "^1.0.2" object-inspect "^1.9.0" -signal-exit@^3.0.2, signal-exit@^3.0.3, signal-exit@^3.0.7: +signal-exit@^3.0.0, signal-exit@^3.0.2, signal-exit@^3.0.3, signal-exit@^3.0.7: version "3.0.7" resolved "https://registry.yarnpkg.com/signal-exit/-/signal-exit-3.0.7.tgz#a9a1767f8af84155114eaabd73f99273c8f59ad9" integrity sha512-wnD2ZE+l+SPC/uoS0vXeE9L1+0wuaMqKlfz9AMUo38JsyLSBWSFcHR1Rri62LZc12vLr1gb3jl7iwQhgwpAbGQ== @@ -9044,16 +9330,16 @@ sisteransi@^1.0.5: resolved "https://registry.yarnpkg.com/sisteransi/-/sisteransi-1.0.5.tgz#134d681297756437cc05ca01370d3a7a571075ed" integrity sha512-bLGGlR1QxBcynn2d5YmDX4MGjlZvy2MRBDRNHLJ8VI6l6+9FUiyTFNJ0IveOSP0bcXgVDPRcfGqA0pjaqUpfVg== +slash@3.0.0, slash@^3.0.0: + version "3.0.0" + resolved "https://registry.yarnpkg.com/slash/-/slash-3.0.0.tgz#6539be870c165adbd5240220dbe361f1bc4d4634" + integrity sha512-g9Q1haeby36OSStwb4ntCGGGaKsaVSjQ68fBxoQcutl5fS1vuY18H3wSt3jFyFtrkx+Kz0V1G85A4MyAdDMi2Q== + slash@^2.0.0: version "2.0.0" resolved "https://registry.yarnpkg.com/slash/-/slash-2.0.0.tgz#de552851a1759df3a8f206535442f5ec4ddeab44" integrity sha512-ZYKh3Wh2z1PpEXWr0MpSBZ0V6mZHAQfYevttO11c51CaWjGTaadiKZ+wVt1PbMlDV5qhMFslpZCemhwOK7C89A== -slash@^3.0.0: - version "3.0.0" - resolved "https://registry.yarnpkg.com/slash/-/slash-3.0.0.tgz#6539be870c165adbd5240220dbe361f1bc4d4634" - integrity sha512-g9Q1haeby36OSStwb4ntCGGGaKsaVSjQ68fBxoQcutl5fS1vuY18H3wSt3jFyFtrkx+Kz0V1G85A4MyAdDMi2Q== - slice-ansi@^3.0.0: version "3.0.0" resolved "https://registry.yarnpkg.com/slice-ansi/-/slice-ansi-3.0.0.tgz#31ddc10930a1b7e0b67b08c96c2f49b77a789787" @@ -9085,7 +9371,7 @@ source-map-support@0.5.13: buffer-from "^1.0.0" source-map "^0.6.0" -source-map-support@^0.5.16: +source-map-support@^0.5.16, source-map-support@^0.5.21: version "0.5.21" resolved "https://registry.yarnpkg.com/source-map-support/-/source-map-support-0.5.21.tgz#04fe7c7f9e1ed2d662233c28cb2b35b9f63f6e4f" integrity sha512-uBHU3L3czsIyYXKX88fdrGovxdSCoTGDRZ6SYXtSRxLZUzHg5P/66Ht6uoUlHu9EZod+inXhKo3qQgwXUT/y1w== @@ -9276,6 +9562,11 @@ strip-bom@^4.0.0: resolved "https://registry.yarnpkg.com/strip-bom/-/strip-bom-4.0.0.tgz#9c3505c1db45bcedca3d9cf7a16f5c5aa3901878" integrity sha512-3xurFv5tEgii33Zi8Jtp55wEIILR9eh34FAW00PZf+JnSsTmV/ioewSgQl97JHvgjoRGwPShsWm+IdrxB35d0w== +strip-eof@^1.0.0: + version "1.0.0" + resolved "https://registry.yarnpkg.com/strip-eof/-/strip-eof-1.0.0.tgz#bb43ff5598a6eb05d89b59fcd129c983313606bf" + integrity sha512-7FCwGGmx8mD5xQd3RPUvnSpUXHM3BWuzjtpD4TXsfcZ9EL4azvVVUscFYwD9nx8Kh+uCBC00XBtAykoMHwTh8Q== + strip-final-newline@^2.0.0: version "2.0.0" resolved "https://registry.yarnpkg.com/strip-final-newline/-/strip-final-newline-2.0.0.tgz#89b852fb2fcbe936f6f4b3187afb0a12c1ab58ad" @@ -9526,7 +9817,14 @@ tinyqueue@^2.0.3: resolved "https://registry.yarnpkg.com/tinyqueue/-/tinyqueue-2.0.3.tgz#64d8492ebf39e7801d7bd34062e29b45b2035f08" integrity sha512-ppJZNDuKGgxzkHihX8v9v9G5f+18gzaTfrukGrq6ueg0lmH4nqVnA2IPG0AEH3jKEk2GRJCUhDoqpoiw3PHLBA== -tmp@~0.2.1: +tmp-promise@^3.0.3: + version "3.0.3" + resolved "https://registry.yarnpkg.com/tmp-promise/-/tmp-promise-3.0.3.tgz#60a1a1cc98c988674fcbfd23b6e3367bdeac4ce7" + integrity sha512-RwM7MoPojPxsOBYnyd2hy0bxtIlVrihNs9pj5SUvY8Zz1sQcQG2tG1hSr8PDxfgEB8RNKDhqbIlroIarSNDNsQ== + dependencies: + tmp "^0.2.0" + +tmp@^0.2.0, tmp@~0.2.1: version "0.2.1" resolved "https://registry.yarnpkg.com/tmp/-/tmp-0.2.1.tgz#8457fc3037dcf4719c251367a1af6500ee1ccf14" integrity sha512-76SUhtfqR2Ijn+xllcI5P1oyannHNHByD80W1q447gU3mp9G9PSpGdWmjUOHRDPiHYacIk66W7ubDTuPF3BEtQ== @@ -9615,6 +9913,11 @@ ts-node@^10.9.1: v8-compile-cache-lib "^3.0.1" yn "3.1.1" +ts-pattern@^4.3.0: + version "4.3.0" + resolved "https://registry.yarnpkg.com/ts-pattern/-/ts-pattern-4.3.0.tgz#7a995b39342f1b00d1507c2d2f3b90ea16e178a6" + integrity sha512-pefrkcd4lmIVR0LA49Imjf9DYLK8vtWhqBPA3Ya1ir8xCW0O2yjL9dsCVvI7pCodLC5q7smNpEtDR2yVulQxOg== + tsconfig-paths@^3.14.1: version "3.14.2" resolved "https://registry.yarnpkg.com/tsconfig-paths/-/tsconfig-paths-3.14.2.tgz#6e32f1f79412decd261f92d633a9dc1cfa99f088" @@ -9793,6 +10096,11 @@ unbox-primitive@^1.0.2: has-symbols "^1.0.3" which-boxed-primitive "^1.0.2" +unc-path-regex@^0.1.2: + version "0.1.2" + resolved "https://registry.yarnpkg.com/unc-path-regex/-/unc-path-regex-0.1.2.tgz#e73dd3d7b0d7c5ed86fbac6b0ae7d8c6a69d50fa" + integrity sha512-eXL4nmJT7oCpkZsHZUOJo8hcX3GbsiDOa0Qu9F646fi8dT3XuSVopVqAcEiVzSKKH7UoDti23wNX3qGFxcW5Qg== + unhomoglyph@^1.0.6: version "1.0.6" resolved "https://registry.yarnpkg.com/unhomoglyph/-/unhomoglyph-1.0.6.tgz#ea41f926d0fcf598e3b8bb2980c2ddac66b081d3" @@ -10085,7 +10393,7 @@ which-typed-array@^1.1.10, which-typed-array@^1.1.11, which-typed-array@^1.1.9: gopd "^1.0.1" has-tostringtag "^1.0.0" -which@^1.3.1: +which@^1.2.10, which@^1.2.9, which@^1.3.1: version "1.3.1" resolved "https://registry.yarnpkg.com/which/-/which-1.3.1.tgz#a45043d54f5805316da8d62f9f50918d3da70b0a" integrity sha512-HxJdYWq1MTIQbJ3nw0cqssHoTNU267KlrDuGZ1WYlxDStUtKUhOaJmh112/TZmHxxUfuJqPXSOm7tDyas0OSIQ== @@ -10157,6 +10465,11 @@ ws@^8.11.0: resolved "https://registry.yarnpkg.com/ws/-/ws-8.14.1.tgz#4b9586b4f70f9e6534c7bb1d3dc0baa8b8cf01e0" integrity sha512-4OOseMUq8AzRBI/7SLMUwO+FEDnguetSk7KMb1sHwvF2w2Wv5Hoj0nlifx8vtGsftE/jWHojPy8sMMzYLJ2G/A== +ws@^8.13.0: + version "8.14.2" + resolved "https://registry.yarnpkg.com/ws/-/ws-8.14.2.tgz#6c249a806eb2db7a20d26d51e7709eab7b2e6c7f" + integrity sha512-wEBG1ftX4jcglPxgFCMJmZ2PLtSbJ2Peg6TmpJFTbe9GZYOQCDPdMYu/Tm0/bGZkw8paZnJY45J4K2PZrLYq8g== + xml-name-validator@^4.0.0: version "4.0.0" resolved "https://registry.yarnpkg.com/xml-name-validator/-/xml-name-validator-4.0.0.tgz#79a006e2e63149a8600f15430f0a4725d1524835"