diff --git a/src/TextForEvent.tsx b/src/TextForEvent.tsx index 2fa36e0b876..989aa3b9973 100644 --- a/src/TextForEvent.tsx +++ b/src/TextForEvent.tsx @@ -57,8 +57,8 @@ function textForCallEvent(event: MatrixEvent, client: MatrixClient): () => strin const isSupported = client.supportsVoip(); return isSupported - ? () => _t("Video call started in %(roomName)s.", { roomName }) - : () => _t("Video call started in %(roomName)s. (not supported by this browser)", { roomName }); + ? () => _t("timeline|m.call|video_call_started", { roomName }) + : () => _t("timeline|m.call|video_call_started_unsupported", { roomName }); } // These functions are frequently used just to check whether an event has @@ -75,13 +75,13 @@ function textForCallInviteEvent(event: MatrixEvent, client: MatrixClient): (() = // can have a hard time translating those strings. In an effort to make translations easier // and more accurate, we break out the string-based variables to a couple booleans. if (isVoice && isSupported) { - return () => _t("%(senderName)s placed a voice call.", { senderName }); + return () => _t("timeline|m.call.invite|voice_call", { senderName }); } else if (isVoice && !isSupported) { - return () => _t("%(senderName)s placed a voice call. (not supported by this browser)", { senderName }); + return () => _t("timeline|m.call.invite|voice_call_unsupported", { senderName }); } else if (!isVoice && isSupported) { - return () => _t("%(senderName)s placed a video call.", { senderName }); + return () => _t("timeline|m.call.invite|video_call", { senderName }); } else if (!isVoice && !isSupported) { - return () => _t("%(senderName)s placed a video call. (not supported by this browser)", { senderName }); + return () => _t("timeline|m.call.invite|video_call_unsupported", { senderName }); } return null; @@ -127,22 +127,22 @@ function textForMemberEvent( if (threePidContent) { if (threePidContent.display_name) { return () => - _t("%(targetName)s accepted the invitation for %(displayName)s", { + _t("timeline|m.room.member|accepted_3pid_invite", { targetName, displayName: threePidContent.display_name, }); } else { - return () => _t("%(targetName)s accepted an invitation", { targetName }); + return () => _t("timeline|m.room.member|accepted_invite", { targetName }); } } else { - return () => _t("%(senderName)s invited %(targetName)s", { senderName, targetName }); + return () => _t("timeline|m.room.member|invite", { senderName, targetName }); } } case "ban": return () => reason - ? _t("%(senderName)s banned %(targetName)s: %(reason)s", { senderName, targetName, reason }) - : _t("%(senderName)s banned %(targetName)s", { senderName, targetName }); + ? _t("timeline|m.room.member|ban_reason", { senderName, targetName, reason }) + : _t("timeline|m.room.member|ban", { senderName, targetName }); case "join": if (prevContent && prevContent.membership === "join") { const modDisplayname = getModification(prevContent.displayname, content.displayname); @@ -151,7 +151,7 @@ function textForMemberEvent( if (modDisplayname !== Modification.None && modAvatarUrl !== Modification.None) { // Compromise to provide the user with more context without needing 16 translations return () => - _t("%(oldDisplayName)s changed their display name and profile picture", { + _t("timeline|m.room.member|change_name_avatar", { // We're taking the display namke directly from the event content here so we need // to strip direction override chars which the js-sdk would normally do when // calculating the display name @@ -159,7 +159,7 @@ function textForMemberEvent( }); } else if (modDisplayname === Modification.Changed) { return () => - _t("%(oldDisplayName)s changed their display name to %(displayName)s", { + _t("timeline|m.room.member|change_name", { // We're taking the display name directly from the event content here so we need // to strip direction override chars which the js-sdk would normally do when // calculating the display name @@ -168,62 +168,62 @@ function textForMemberEvent( }); } else if (modDisplayname === Modification.Set) { return () => - _t("%(senderName)s set their display name to %(displayName)s", { + _t("timeline|m.room.member|set_name", { senderName: ev.getSender(), displayName: removeDirectionOverrideChars(content.displayname!), }); } else if (modDisplayname === Modification.Unset) { return () => - _t("%(senderName)s removed their display name (%(oldDisplayName)s)", { + _t("timeline|m.room.member|remove_name", { senderName, oldDisplayName: removeDirectionOverrideChars(prevContent.displayname!), }); } else if (modAvatarUrl === Modification.Unset) { - return () => _t("%(senderName)s removed their profile picture", { senderName }); + return () => _t("timeline|m.room.member|remove_avatar", { senderName }); } else if (modAvatarUrl === Modification.Changed) { - return () => _t("%(senderName)s changed their profile picture", { senderName }); + return () => _t("timeline|m.room.member|change_avatar", { senderName }); } else if (modAvatarUrl === Modification.Set) { - return () => _t("%(senderName)s set a profile picture", { senderName }); + return () => _t("timeline|m.room.member|set_avatar", { senderName }); } else if (showHiddenEvents ?? SettingsStore.getValue("showHiddenEventsInTimeline")) { // This is a null rejoin, it will only be visible if using 'show hidden events' (labs) - return () => _t("%(senderName)s made no change", { senderName }); + return () => _t("timeline|m.room.member|no_change", { senderName }); } else { return null; } } else { if (!ev.target) logger.warn("Join message has no target! -- " + ev.getContent().state_key); - return () => _t("%(targetName)s joined the room", { targetName }); + return () => _t("timeline|m.room.member|join", { targetName }); } case "leave": if (ev.getSender() === ev.getStateKey()) { if (prevContent.membership === "invite") { - return () => _t("%(targetName)s rejected the invitation", { targetName }); + return () => _t("timeline|m.room.member|reject_invite", { targetName }); } else { return () => reason - ? _t("%(targetName)s left the room: %(reason)s", { targetName, reason }) - : _t("%(targetName)s left the room", { targetName }); + ? _t("timeline|m.room.member|left_reason", { targetName, reason }) + : _t("timeline|m.room.member|left", { targetName }); } } else if (prevContent.membership === "ban") { - return () => _t("%(senderName)s unbanned %(targetName)s", { senderName, targetName }); + return () => _t("timeline|m.room.member|unban", { senderName, targetName }); } else if (prevContent.membership === "invite") { return () => reason - ? _t("%(senderName)s withdrew %(targetName)s's invitation: %(reason)s", { + ? _t("timeline|m.room.member|withdrew_invite_reason", { senderName, targetName, reason, }) - : _t("%(senderName)s withdrew %(targetName)s's invitation", { senderName, targetName }); + : _t("timeline|m.room.member|withdrew_invite", { senderName, targetName }); } else if (prevContent.membership === "join") { return () => reason - ? _t("%(senderName)s removed %(targetName)s: %(reason)s", { + ? _t("timeline|m.room.member|kick_reason", { senderName, targetName, reason, }) - : _t("%(senderName)s removed %(targetName)s", { senderName, targetName }); + : _t("timeline|m.room.member|kick", { senderName, targetName }); } else { return null; } @@ -235,7 +235,7 @@ function textForMemberEvent( function textForTopicEvent(ev: MatrixEvent): (() => string) | null { const senderDisplayName = ev.sender && ev.sender.name ? ev.sender.name : ev.getSender(); return () => - _t('%(senderDisplayName)s changed the topic to "%(topic)s".', { + _t("timeline|m.room.topic", { senderDisplayName, topic: ev.getContent().topic, }); @@ -243,25 +243,25 @@ function textForTopicEvent(ev: MatrixEvent): (() => string) | null { function textForRoomAvatarEvent(ev: MatrixEvent): (() => string) | null { const senderDisplayName = ev?.sender?.name || ev.getSender(); - return () => _t("%(senderDisplayName)s changed the room avatar.", { senderDisplayName }); + return () => _t("timeline|m.room.avatar", { senderDisplayName }); } function textForRoomNameEvent(ev: MatrixEvent): (() => string) | null { const senderDisplayName = ev.sender && ev.sender.name ? ev.sender.name : ev.getSender(); if (!ev.getContent().name || ev.getContent().name.trim().length === 0) { - return () => _t("%(senderDisplayName)s removed the room name.", { senderDisplayName }); + return () => _t("timeline|m.room.name|remove", { senderDisplayName }); } if (ev.getPrevContent().name) { return () => - _t("%(senderDisplayName)s changed the room name from %(oldRoomName)s to %(newRoomName)s.", { + _t("timeline|m.room.name|change", { senderDisplayName, oldRoomName: ev.getPrevContent().name, newRoomName: ev.getContent().name, }); } return () => - _t("%(senderDisplayName)s changed the room name to %(roomName)s.", { + _t("timeline|m.room.name|set", { senderDisplayName, roomName: ev.getContent().name, }); @@ -269,7 +269,7 @@ function textForRoomNameEvent(ev: MatrixEvent): (() => string) | null { function textForTombstoneEvent(ev: MatrixEvent): (() => string) | null { const senderDisplayName = ev.sender && ev.sender.name ? ev.sender.name : ev.getSender(); - return () => _t("%(senderDisplayName)s upgraded this room.", { senderDisplayName }); + return () => _t("timeline|m.room.tombstone", { senderDisplayName }); } const onViewJoinRuleSettingsClick = (): void => { @@ -284,22 +284,22 @@ function textForJoinRulesEvent(ev: MatrixEvent, client: MatrixClient, allowJSX: switch (ev.getContent().join_rule) { case JoinRule.Public: return () => - _t("%(senderDisplayName)s made the room public to whoever knows the link.", { + _t("timeline|m.room.join_rules|public", { senderDisplayName, }); case JoinRule.Invite: return () => - _t("%(senderDisplayName)s made the room invite only.", { + _t("timeline|m.room.join_rules|invite", { senderDisplayName, }); case JoinRule.Knock: - return () => _t("%(senderDisplayName)s changed the join rule to ask to join.", { senderDisplayName }); + return () => _t("timeline|m.room.join_rules|knock", { senderDisplayName }); case JoinRule.Restricted: if (allowJSX) { return () => ( {_t( - "%(senderDisplayName)s changed who can join this room. View settings.", + "timeline|m.room.join_rules|restricted_settings", { senderDisplayName, }, @@ -315,11 +315,11 @@ function textForJoinRulesEvent(ev: MatrixEvent, client: MatrixClient, allowJSX: ); } - return () => _t("%(senderDisplayName)s changed who can join this room.", { senderDisplayName }); + return () => _t("timeline|m.room.join_rules|restricted", { senderDisplayName }); default: // The spec supports "knock" and "private", however nothing implements these. return () => - _t("%(senderDisplayName)s changed the join rule to %(rule)s", { + _t("timeline|m.room.join_rules|unknown", { senderDisplayName, rule: ev.getContent().join_rule, }); @@ -330,13 +330,13 @@ function textForGuestAccessEvent(ev: MatrixEvent): (() => string) | null { const senderDisplayName = ev.sender && ev.sender.name ? ev.sender.name : ev.getSender(); switch (ev.getContent().guest_access) { case GuestAccess.CanJoin: - return () => _t("%(senderDisplayName)s has allowed guests to join the room.", { senderDisplayName }); + return () => _t("timeline|m.room.guest_access|can_join", { senderDisplayName }); case GuestAccess.Forbidden: - return () => _t("%(senderDisplayName)s has prevented guests from joining the room.", { senderDisplayName }); + return () => _t("timeline|m.room.guest_access|forbidden", { senderDisplayName }); default: // There's no other options we can expect, however just for safety's sake we'll do this. return () => - _t("%(senderDisplayName)s changed guest access to %(rule)s", { + _t("timeline|m.room.guest_access|unknown", { senderDisplayName, rule: ev.getContent().guest_access, }); @@ -355,9 +355,9 @@ function textForServerACLEvent(ev: MatrixEvent): (() => string) | null { let getText: () => string; if (prev.deny.length === 0 && prev.allow.length === 0) { - getText = () => _t("%(senderDisplayName)s set the server ACLs for this room.", { senderDisplayName }); + getText = () => _t("timeline|m.room.server_acl|set", { senderDisplayName }); } else { - getText = () => _t("%(senderDisplayName)s changed the server ACLs for this room.", { senderDisplayName }); + getText = () => _t("timeline|m.room.server_acl|changed", { senderDisplayName }); } if (!Array.isArray(current.allow)) { @@ -366,8 +366,7 @@ function textForServerACLEvent(ev: MatrixEvent): (() => string) | null { // If we know for sure everyone is banned, mark the room as obliterated if (current.allow.length === 0) { - return () => - getText() + " " + _t("🎉 All servers are banned from participating! This room can no longer be used."); + return () => getText() + " " + _t("timeline|m.room.server_acl|all_servers_banned"); } return getText; @@ -388,9 +387,9 @@ function textForMessageEvent(ev: MatrixEvent, client: MatrixClient): (() => stri if (ev.getContent().msgtype === MsgType.Emote) { message = "* " + senderDisplayName + " " + message; } else if (ev.getContent().msgtype === MsgType.Image) { - message = _t("%(senderDisplayName)s sent an image.", { senderDisplayName }); + message = _t("timeline|m.image", { senderDisplayName }); } else if (ev.getType() == EventType.Sticker) { - message = _t("%(senderDisplayName)s sent a sticker.", { senderDisplayName }); + message = _t("timeline|m.sticker", { senderDisplayName }); } else { // in this case, parse it as a plain text message message = senderDisplayName + ": " + message; @@ -411,13 +410,13 @@ function textForCanonicalAliasEvent(ev: MatrixEvent): (() => string) | null { if (!removedAltAliases.length && !addedAltAliases.length) { if (newAlias) { return () => - _t("%(senderName)s set the main address for this room to %(address)s.", { + _t("timeline|m.room.canonical_alias|set", { senderName, address: ev.getContent().alias, }); } else if (oldAlias) { return () => - _t("%(senderName)s removed the main address for this room.", { + _t("timeline|m.room.canonical_alias|removed", { senderName, }); } diff --git a/src/components/structures/MatrixChat.tsx b/src/components/structures/MatrixChat.tsx index 401dfc712fa..cf08ffaf3d6 100644 --- a/src/components/structures/MatrixChat.tsx +++ b/src/components/structures/MatrixChat.tsx @@ -1240,10 +1240,10 @@ export default class MatrixChat extends React.PureComponent { {isSpace ? _t("Are you sure you want to leave the space '%(spaceName)s'?", { - spaceName: roomToLeave?.name ?? _t("Unnamed Space"), + spaceName: roomToLeave?.name ?? _t("common|unnamed_space"), }) : _t("Are you sure you want to leave the room '%(roomName)s'?", { - roomName: roomToLeave?.name ?? _t("Unnamed Room"), + roomName: roomToLeave?.name ?? _t("common|unnamed_room"), })} {warnings} diff --git a/src/components/structures/SpaceHierarchy.tsx b/src/components/structures/SpaceHierarchy.tsx index 879707b69c9..d6d51b8122f 100644 --- a/src/components/structures/SpaceHierarchy.tsx +++ b/src/components/structures/SpaceHierarchy.tsx @@ -119,7 +119,7 @@ const Tile: React.FC = ({ room.name || room.canonical_alias || room.aliases?.[0] || - (room.room_type === RoomType.Space ? _t("Unnamed Space") : _t("Unnamed Room")); + (room.room_type === RoomType.Space ? _t("common|unnamed_space") : _t("common|unnamed_room")); const [showChildren, toggleShowChildren] = useStateToggle(true); const [onFocus, isActive, ref] = useRovingTabIndex(); diff --git a/src/components/views/dialogs/CreateRoomDialog.tsx b/src/components/views/dialogs/CreateRoomDialog.tsx index 276f1195b3d..abca4c54823 100644 --- a/src/components/views/dialogs/CreateRoomDialog.tsx +++ b/src/components/views/dialogs/CreateRoomDialog.tsx @@ -251,7 +251,7 @@ export default class CreateRoomDialog extends React.Component { "Everyone in will be able to find and join this room.", {}, { - SpaceName: () => {this.props.parentSpace?.name ?? _t("Unnamed Space")}, + SpaceName: () => {this.props.parentSpace?.name ?? _t("common|unnamed_space")}, }, )}   @@ -265,7 +265,7 @@ export default class CreateRoomDialog extends React.Component { "Anyone will be able to find and join this room, not just members of .", {}, { - SpaceName: () => {this.props.parentSpace?.name ?? _t("Unnamed Space")}, + SpaceName: () => {this.props.parentSpace?.name ?? _t("common|unnamed_space")}, }, )}   @@ -341,11 +341,14 @@ export default class CreateRoomDialog extends React.Component { let title: string; if (isVideoRoom) { - title = _t("Create a video room"); + title = _t("create_room|title_video_room"); } else if (this.props.parentSpace || this.state.joinRule === JoinRule.Knock) { title = _t("action|create_a_room"); } else { - title = this.state.joinRule === JoinRule.Public ? _t("Create a public room") : _t("Create a private room"); + title = + this.state.joinRule === JoinRule.Public + ? _t("create_room|title_public_room") + : _t("create_room|title_private_room"); } return ( @@ -401,7 +404,9 @@ export default class CreateRoomDialog extends React.Component { diff --git a/src/components/views/dialogs/InviteDialog.tsx b/src/components/views/dialogs/InviteDialog.tsx index 0560477d871..dd2310066ef 100644 --- a/src/components/views/dialogs/InviteDialog.tsx +++ b/src/components/views/dialogs/InviteDialog.tsx @@ -1338,10 +1338,10 @@ export default class InviteDialog extends React.PureComponent = ({ matrixClient: cli, space, onFin return ( { activeAgo: -1, }; - // Return duration as a string using appropriate time units - // XXX: This would be better handled using a culture-aware library, but we don't use one yet. - private getDuration(time: number): string | undefined { - if (!time) return; - const t = Math.round(time / 1000); - const s = t % 60; - const m = Math.round(t / 60) % 60; - const h = Math.round(t / (60 * 60)) % 24; - const d = Math.round(t / (60 * 60 * 24)); - if (t < 60) { - if (t < 0) { - return _t("%(duration)ss", { duration: 0 }); - } - return _t("%(duration)ss", { duration: s }); - } - if (t < 60 * 60) { - return _t("%(duration)sm", { duration: m }); - } - if (t < 24 * 60 * 60) { - return _t("%(duration)sh", { duration: h }); - } - return _t("%(duration)sd", { duration: d }); - } - private getPrettyPresence(presence?: string, activeAgo?: number, currentlyActive?: boolean): string { // for busy presence, we ignore the 'currentlyActive' flag: they're busy whether // they're active or not. It can be set while the user is active in which case @@ -68,7 +45,7 @@ export default class PresenceLabel extends React.Component { if (presence && BUSY_PRESENCE_NAME.matches(presence)) return _t("Busy"); if (!currentlyActive && activeAgo !== undefined && activeAgo > 0) { - const duration = this.getDuration(activeAgo); + const duration = formatDuration(activeAgo); if (presence === "online") return _t("Online for %(duration)s", { duration: duration }); if (presence === "unavailable") return _t("Idle for %(duration)s", { duration: duration }); // XXX: is this actually right? if (presence === "offline") return _t("Offline for %(duration)s", { duration: duration }); diff --git a/src/i18n/strings/ar.json b/src/i18n/strings/ar.json index 1a86681f924..012ea35f5bc 100644 --- a/src/i18n/strings/ar.json +++ b/src/i18n/strings/ar.json @@ -16,7 +16,6 @@ "Changelog": "سِجل التغييرات", "Waiting for response from server": "في انتظار الرد مِن الخادوم", "Thank you!": "شكرًا !", - "Call invitation": "دعوة لمحادثة", "What's new?": "ما الجديد ؟", "powered by Matrix": "مشغل بواسطة Matrix", "Use Single Sign On to continue": "استعمل الولوج الموحّد للمواصلة", @@ -69,7 +68,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", - "Unnamed Room": "غرفة بدون اسم", "Identity server has no terms of service": "ليس لخادوم الهويّة أيّ شروط خدمة", "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.": "يطلب هذا الإجراء الوصول إلى خادوم الهويّات المبدئيللتثبّت من عنوان البريد الإلكتروني أو رقم الهاتف، ولكن ليس للخادوم أيّ شروط خدمة.", "Only continue if you trust the owner of the server.": "لا تُواصل لو لم تكن تثق بمالك الخادوم.", @@ -155,20 +153,6 @@ "Sends a message to the given user": "يرسل رسالة الى المستخدم المعطى", "Displays action": "يعرض إجراءً", "Reason": "السبب", - "%(senderDisplayName)s changed the topic to \"%(topic)s\".": "%(senderDisplayName)s غير الموضوع الى \"%(topic)s\".", - "%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s ازال اسم الغرفة.", - "%(senderDisplayName)s changed the room name from %(oldRoomName)s to %(newRoomName)s.": "%(senderDisplayName)s غير اسم الغرفة من %(oldRoomName)s الى %(newRoomName)s.", - "%(senderDisplayName)s changed the room name to %(roomName)s.": "%(senderDisplayName)s غير اسم الغرفة الى %(roomName)s.", - "%(senderDisplayName)s upgraded this room.": "%(senderDisplayName)s قام بترقية هذه الغرفة.", - "%(senderDisplayName)s made the room public to whoever knows the link.": "%(senderDisplayName)s قام بجعل هذة الغرفة عامة لكل شخص يعرف الرابط.", - "%(senderDisplayName)s made the room invite only.": "%(senderDisplayName)s جعل ممكنه لكل من لديه دعوة فقط.", - "%(senderDisplayName)s changed the join rule to %(rule)s": "%(senderDisplayName)s قام بتغيير قاعدة الانضمام الى %(rule)s", - "%(senderDisplayName)s has allowed guests to join the room.": "%(senderDisplayName)s قام بالسماح للضيوف بالانضمام الى الغرفة.", - "%(senderDisplayName)s has prevented guests from joining the room.": "%(senderDisplayName)s قام بإيقاف امكانية انضمام الضيوف الى الغرفة.", - "%(senderDisplayName)s changed guest access to %(rule)s": "%(senderDisplayName)s غير طريقة دخول الضيوف الى %(rule)s", - "%(senderDisplayName)s sent an image.": "قام %(senderDisplayName)s بإرسال صورة.", - "%(senderName)s set the main address for this room to %(address)s.": "قام %(senderName)s بتعديل العنوان الرئيسي لهذه الغرفة الى %(address)s.", - "%(senderName)s removed the main address for this room.": "قام %(senderName)s بإزالة العنوان الرئيسي لهذه الغرفة.", "%(senderName)s added the alternative addresses %(addresses)s for this room.": { "other": "قام %(senderName)s بإضافة العناوين البديلة %(addresses)s لهذه الغرفة.", "one": "قام %(senderName)s بإضافة العنوان البديل %(addresses)s لهذه الغرفة." @@ -180,10 +164,6 @@ "%(senderName)s changed the alternative addresses for this room.": "قام %(senderName)s بتعديل العناوين البديلة لهذه الغرفة.", "%(senderName)s changed the main and alternative addresses for this room.": "قام %(senderName)s بتعديل العناوين الرئيسية و البديلة لهذه الغرفة.", "%(senderName)s changed the addresses for this room.": "قام %(senderName)s بتعديل عناوين هذه الغرفة.", - "%(senderName)s placed a voice call.": "أجرى ⁨%(senderName)s⁩ مكالمة صوتية.", - "%(senderName)s placed a voice call. (not supported by this browser)": "أجرى %(senderName)s مكالمة صوتية. (غير متوافقة مع هذا المتصفح)", - "%(senderName)s placed a video call.": "أجرى %(senderName)s مكالمة فيديو.", - "%(senderName)s placed a video call. (not supported by this browser)": "أجرى %(senderName)s مكالمة فيديو. (غير متوافقة مع هذا المتصفح)", "%(senderName)s revoked the invitation for %(targetDisplayName)s to join the room.": "قام %(senderName)s بسحب الدعوة الى %(targetDisplayName)s بالانضمام الى الغرفة.", "%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": "أرسل %(senderName)s دعوة الى %(targetDisplayName)s للانضمام الى الغرفة.", "%(senderName)s made future room history visible to all room members, from the point they are invited.": "قام %(senderName)s بتعديل رؤية المحادثات السابقة ممكنة لكل الاعضاء من تاريخ دعوتهم بالانضمام.", @@ -732,16 +712,6 @@ "Unknown caller": "متصل غير معروف", "This is your list of users/servers you have blocked - don't leave the room!": "هذه قائمتك للمستخدمين / الخوادم التي حظرت - لا تغادر الغرفة!", "My Ban List": "قائمة الحظر", - "When rooms are upgraded": "عند ترقية الغرف", - "Messages sent by bot": "رسائل أرسلها آلي (Bot)", - "When I'm invited to a room": "عندما أُدعى لغرفة", - "Encrypted messages in group chats": "رسائل مشفرة في المحادثات الجماعية", - "Messages in group chats": "رسائل المحادثات الجماعية", - "Encrypted messages in one-to-one chats": "رسائل مشفرة في المحادثات المباشرة", - "Messages in one-to-one chats": "رسائل المحادثات المباشرة", - "Messages containing @room": "رسائل تتضمن @غرفة", - "Messages containing my username": "رسائل تتضمن اسم المستخدم الخاص بي", - "Messages containing my display name": "رسائل تتضمن اسمي الظاهر", "Downloading logs": "تحميل السجلات", "Uploading logs": "رفع السجلات", "IRC display name width": "عرض الاسم الظاهر لIRC", @@ -999,7 +969,6 @@ "%(senderName)s created a rule banning users matching %(glob)s for %(reason)s": "%(senderName)s حدَّث قاعدة حظر المستخدمين المطابقة %(glob)s بسبب %(reason)s", "%(senderName)s updated the rule banning servers matching %(glob)s for %(reason)s": "%(senderName)s حدَّث قاعدة حظر الخوادم المطابقة %(glob)s بسبب %(reason)s", "%(senderName)s updated the rule banning rooms matching %(glob)s for %(reason)s": "%(senderName)s حدَّث قاعدة حظر الغرفة المطابقة %(glob)s بسبب %(reason)s", - "🎉 All servers are banned from participating! This room can no longer be used.": "🎉 جميع الخوادم ممنوعة من المشاركة! لم يعد من الممكن استخدام هذه الغرفة.", "Takes the call in the current room off hold": "يوقف المكالمة في الغرفة الحالية", "Places the call in the current room on hold": "يضع المكالمة في الغرفة الحالية قيد الانتظار", "Prepends ( ͡° ͜ʖ ͡°) to a plain-text message": "يلصق (͡ ° ͜ʖ ͡ °) أوَّل رسالة نصية عادية", @@ -1080,11 +1049,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", - "%(targetName)s rejected the invitation": "رفض %(targetName)s الدعوة", - "%(targetName)s joined the room": "انضم %(targetName)s إلى الغرفة", - "%(senderName)s made no change": "لم يقم %(senderName)s بأي تغيير", - "%(senderName)s set a profile picture": "قام %(senderName)s بتعيين صورة رمزية", - "%(senderName)s changed their profile picture": "%(senderName)s قام بتغيير صورته الرمزية", "Paraguay": "باراغواي", "Netherlands": "هولندا", "Dismiss read marker and jump to bottom": "تجاهل علامة القراءة وانتقل إلى الأسفل", @@ -1092,15 +1056,6 @@ "Cancel replying to a message": "إلغاء الرد على رسالة", "New line": "سطر جديد", "Greece": "اليونان", - "%(senderName)s removed their profile picture": "%(senderName)s أزال صورة ملفه الشخصي", - "%(senderName)s removed their display name (%(oldDisplayName)s)": "%(senderName)s أزال اسمه (%(oldDisplayName)s)", - "%(senderName)s set their display name to %(displayName)s": "%(senderName)s قام بتعيين اسمه إلى %(displayName)s", - "%(oldDisplayName)s changed their display name to %(displayName)s": "%(oldDisplayName)s غير اسمه إلى %(displayName)s", - "%(senderName)s banned %(targetName)s": "%(senderName)s حظر %(targetName)s", - "%(senderName)s banned %(targetName)s: %(reason)s": "%(senderName)s حظر %(targetName)s: %(reason)s", - "%(senderName)s invited %(targetName)s": "%(senderName)s دعى %(targetName)s", - "%(targetName)s accepted an invitation": "%(targetName)s قبل دعوة", - "%(targetName)s accepted the invitation for %(displayName)s": "%(targetName)s قبل الدعوة ل %(displayName)s", "Converts the DM to a room": "تحويل المحادثة المباشرة إلى غرفة", "Converts the room to a DM": "تحويل الغرفة إلى محادثة مباشرة", "Some invites couldn't be sent": "تعذر إرسال بعض الدعوات", @@ -1250,7 +1205,8 @@ "someone": "شخص ما", "encrypted": "التشفير", "trusted": "موثوق", - "not_trusted": "غير موثوق" + "not_trusted": "غير موثوق", + "unnamed_room": "غرفة بدون اسم" }, "action": { "continue": "واصِل", @@ -1355,11 +1311,73 @@ "show_displayname_changes": "إظهار تغييرات الاسم الظاهر", "big_emoji": "تفعيل الرموز التعبيرية الكبيرة في المحادثة", "prompt_invite": "أعلمني قبل إرسال دعوات لمعرِّفات قد لا تكون صحيحة", - "start_automatically": "ابدأ تلقائيًا بعد تسجيل الدخول إلى النظام" + "start_automatically": "ابدأ تلقائيًا بعد تسجيل الدخول إلى النظام", + "notifications": { + "rule_contains_display_name": "رسائل تتضمن اسمي الظاهر", + "rule_contains_user_name": "رسائل تتضمن اسم المستخدم الخاص بي", + "rule_roomnotif": "رسائل تتضمن @غرفة", + "rule_room_one_to_one": "رسائل المحادثات المباشرة", + "rule_message": "رسائل المحادثات الجماعية", + "rule_encrypted": "رسائل مشفرة في المحادثات الجماعية", + "rule_invite_for_me": "عندما أُدعى لغرفة", + "rule_call": "دعوة لمحادثة", + "rule_suppress_notices": "رسائل أرسلها آلي (Bot)", + "rule_tombstone": "عند ترقية الغرف", + "rule_encrypted_room_one_to_one": "رسائل مشفرة في المحادثات المباشرة" + } }, "devtools": { "state_key": "مفتاح الحالة", "toolbox": "علبة الأدوات", "developer_tools": "أدوات التطوير" + }, + "timeline": { + "m.call.invite": { + "voice_call": "أجرى ⁨%(senderName)s⁩ مكالمة صوتية.", + "voice_call_unsupported": "أجرى %(senderName)s مكالمة صوتية. (غير متوافقة مع هذا المتصفح)", + "video_call": "أجرى %(senderName)s مكالمة فيديو.", + "video_call_unsupported": "أجرى %(senderName)s مكالمة فيديو. (غير متوافقة مع هذا المتصفح)" + }, + "m.room.member": { + "accepted_3pid_invite": "%(targetName)s قبل الدعوة ل %(displayName)s", + "accepted_invite": "%(targetName)s قبل دعوة", + "invite": "%(senderName)s دعى %(targetName)s", + "ban_reason": "%(senderName)s حظر %(targetName)s: %(reason)s", + "ban": "%(senderName)s حظر %(targetName)s", + "change_name": "%(oldDisplayName)s غير اسمه إلى %(displayName)s", + "set_name": "%(senderName)s قام بتعيين اسمه إلى %(displayName)s", + "remove_name": "%(senderName)s أزال اسمه (%(oldDisplayName)s)", + "remove_avatar": "%(senderName)s أزال صورة ملفه الشخصي", + "change_avatar": "%(senderName)s قام بتغيير صورته الرمزية", + "set_avatar": "قام %(senderName)s بتعيين صورة رمزية", + "no_change": "لم يقم %(senderName)s بأي تغيير", + "join": "انضم %(targetName)s إلى الغرفة", + "reject_invite": "رفض %(targetName)s الدعوة" + }, + "m.room.topic": "%(senderDisplayName)s غير الموضوع الى \"%(topic)s\".", + "m.room.name": { + "remove": "%(senderDisplayName)s ازال اسم الغرفة.", + "change": "%(senderDisplayName)s غير اسم الغرفة من %(oldRoomName)s الى %(newRoomName)s.", + "set": "%(senderDisplayName)s غير اسم الغرفة الى %(roomName)s." + }, + "m.room.tombstone": "%(senderDisplayName)s قام بترقية هذه الغرفة.", + "m.room.join_rules": { + "public": "%(senderDisplayName)s قام بجعل هذة الغرفة عامة لكل شخص يعرف الرابط.", + "invite": "%(senderDisplayName)s جعل ممكنه لكل من لديه دعوة فقط.", + "unknown": "%(senderDisplayName)s قام بتغيير قاعدة الانضمام الى %(rule)s" + }, + "m.room.guest_access": { + "can_join": "%(senderDisplayName)s قام بالسماح للضيوف بالانضمام الى الغرفة.", + "forbidden": "%(senderDisplayName)s قام بإيقاف امكانية انضمام الضيوف الى الغرفة.", + "unknown": "%(senderDisplayName)s غير طريقة دخول الضيوف الى %(rule)s" + }, + "m.image": "قام %(senderDisplayName)s بإرسال صورة.", + "m.room.server_acl": { + "all_servers_banned": "🎉 جميع الخوادم ممنوعة من المشاركة! لم يعد من الممكن استخدام هذه الغرفة." + }, + "m.room.canonical_alias": { + "set": "قام %(senderName)s بتعديل العنوان الرئيسي لهذه الغرفة الى %(address)s.", + "removed": "قام %(senderName)s بإزالة العنوان الرئيسي لهذه الغرفة." + } } } diff --git a/src/i18n/strings/az.json b/src/i18n/strings/az.json index cb3b376c731..7d1e0d38ef3 100644 --- a/src/i18n/strings/az.json +++ b/src/i18n/strings/az.json @@ -2,12 +2,6 @@ "Collecting app version information": "Proqramın versiyası haqqında məlumatın yığılması", "Collecting logs": "Jurnalların bir yığım", "Waiting for response from server": "Serverdən cavabın gözlənməsi", - "Messages containing my display name": "Mənim adımı özündə saxlayan mesajlar", - "Messages in one-to-one chats": "Fərdi çatlarda mesajlar", - "Messages in group chats": "Qrup çatlarında mesajlar", - "When I'm invited to a room": "Nə vaxt ki, məni otağa dəvət edirlər", - "Call invitation": "Dəvət zəngi", - "Messages sent by bot": "Botla göndərilmiş mesajlar", "Operation failed": "Əməliyyatın nasazlığı", "Failed to verify email address: make sure you clicked the link in the email": "Email-i yoxlamağı bacarmadı: əmin olun ki, siz məktubda istinaddakı ünvana keçdiniz", "You cannot place a call with yourself.": "Siz özünə zəng vura bilmirsiniz.", @@ -59,8 +53,6 @@ "Deops user with given id": "Verilmiş ID-lə istifadəçidən operatorun səlahiyyətlərini çıxardır", "Displays action": "Hərəkətlərin nümayişi", "Reason": "Səbəb", - "%(senderDisplayName)s changed the topic to \"%(topic)s\".": "%(senderDisplayName)s otağın mövzusunu \"%(topic)s\" dəyişdirdi.", - "%(senderDisplayName)s changed the room name to %(roomName)s.": "%(senderDisplayName)s otağın adını %(roomName)s dəyişdirdi.", "%(senderName)s made future room history visible to all room members, from the point they are invited.": "%(senderName)s dəvət edilmiş iştirakçılar üçün danışıqların tarixini açdı.", "%(senderName)s made future room history visible to all room members, from the point they joined.": "%(senderName)s girmiş iştirakçılar üçün danışıqların tarixini açdı.", "%(senderName)s made future room history visible to all room members.": "%(senderName)s iştirakçılar üçün danışıqların tarixini açdı.", @@ -162,7 +154,6 @@ "Send": "Göndər", "PM": "24:00", "AM": "12:00", - "Unnamed Room": "Adı açıqlanmayan otaq", "Unable to load! Check your network connectivity and try again.": "Yükləmək olmur! Şəbəkə bağlantınızı yoxlayın və yenidən cəhd edin.", "%(brand)s does not have permission to send you notifications - please check your browser settings": "%(brand)s-un sizə bildiriş göndərmək icazəsi yoxdur - brauzerinizin parametrlərini yoxlayın", "%(brand)s was not given permission to send notifications - please try again": "%(brand)s bildiriş göndərmək üçün icazə verilmədi - lütfən yenidən cəhd edin", @@ -213,14 +204,6 @@ "Please supply a https:// or http:// widget URL": "Zəhmət olmasa https:// və ya http:// widget URL təmin edin", "Forces the current outbound group session in an encrypted room to be discarded": "Şifrəli bir otaqda mövcud qrup sessiyasını ləğv etməyə məcbur edir", "Displays list of commands with usages and descriptions": "İstifadə qaydaları və təsvirləri ilə komanda siyahısını göstərir", - "%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s otaq otağını sildi.", - "%(senderDisplayName)s upgraded this room.": "%(senderDisplayName)s bu otağı təkmilləşdirdi.", - "%(senderDisplayName)s made the room public to whoever knows the link.": "%(senderDisplayName)s linki olanlara otağı açıq etdi.", - "%(senderDisplayName)s made the room invite only.": "%(senderDisplayName)s otağı yalnız dəvətlə açıq etdi.", - "%(senderDisplayName)s changed the join rule to %(rule)s": "%(senderDisplayName)s qoşulma qaydasını %(rule)s olaraq dəyişdirdi", - "%(senderDisplayName)s has allowed guests to join the room.": "%(senderDisplayName)s qonaq otağa qoşulmasına icazə verdi.", - "%(senderDisplayName)s has prevented guests from joining the room.": "%(senderDisplayName)s qonaqların otağa daxil olmasının qarşısını aldı.", - "%(senderDisplayName)s changed guest access to %(rule)s": "%(senderDisplayName)s %(rule)s-a qonaq girişi dəyişdirildi.", "powered by Matrix": "Matrix tərəfindən təchiz edilmişdir", "Create Account": "Hesab Aç", "Explore rooms": "Otaqları kəşf edin", @@ -236,7 +219,8 @@ "home": "Başlanğıc", "favourites": "Seçilmişlər", "attachment": "Əlavə", - "emoji": "Smaylar" + "emoji": "Smaylar", + "unnamed_room": "Adı açıqlanmayan otaq" }, "action": { "continue": "Davam etmək", @@ -266,6 +250,32 @@ "custom": "Xüsusi (%(level)s)" }, "settings": { - "always_show_message_timestamps": "Həmişə mesajların göndərilməsi vaxtını göstərmək" + "always_show_message_timestamps": "Həmişə mesajların göndərilməsi vaxtını göstərmək", + "notifications": { + "rule_contains_display_name": "Mənim adımı özündə saxlayan mesajlar", + "rule_room_one_to_one": "Fərdi çatlarda mesajlar", + "rule_message": "Qrup çatlarında mesajlar", + "rule_invite_for_me": "Nə vaxt ki, məni otağa dəvət edirlər", + "rule_call": "Dəvət zəngi", + "rule_suppress_notices": "Botla göndərilmiş mesajlar" + } + }, + "timeline": { + "m.room.topic": "%(senderDisplayName)s otağın mövzusunu \"%(topic)s\" dəyişdirdi.", + "m.room.name": { + "remove": "%(senderDisplayName)s otaq otağını sildi.", + "set": "%(senderDisplayName)s otağın adını %(roomName)s dəyişdirdi." + }, + "m.room.tombstone": "%(senderDisplayName)s bu otağı təkmilləşdirdi.", + "m.room.join_rules": { + "public": "%(senderDisplayName)s linki olanlara otağı açıq etdi.", + "invite": "%(senderDisplayName)s otağı yalnız dəvətlə açıq etdi.", + "unknown": "%(senderDisplayName)s qoşulma qaydasını %(rule)s olaraq dəyişdirdi" + }, + "m.room.guest_access": { + "can_join": "%(senderDisplayName)s qonaq otağa qoşulmasına icazə verdi.", + "forbidden": "%(senderDisplayName)s qonaqların otağa daxil olmasının qarşısını aldı.", + "unknown": "%(senderDisplayName)s %(rule)s-a qonaq girişi dəyişdirildi." + } } } diff --git a/src/i18n/strings/bg.json b/src/i18n/strings/bg.json index 9395048f2c1..911ab997778 100644 --- a/src/i18n/strings/bg.json +++ b/src/i18n/strings/bg.json @@ -70,10 +70,6 @@ "You are no longer ignoring %(userId)s": "Вече не игнорирате %(userId)s", "Verified key": "Потвърден ключ", "Reason": "Причина", - "%(senderDisplayName)s changed the topic to \"%(topic)s\".": "%(senderDisplayName)s смени темата на \"%(topic)s\".", - "%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s премахна името на стаята.", - "%(senderDisplayName)s changed the room name to %(roomName)s.": "%(senderDisplayName)s промени името на стаята на %(roomName)s.", - "%(senderDisplayName)s sent an image.": "%(senderDisplayName)s изпрати снимка.", "%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": "%(senderName)s изпрати покана на %(targetDisplayName)s да се присъедини към стаята.", "%(senderName)s made future room history visible to all room members, from the point they are invited.": "%(senderName)s направи бъдещата история на стаята видима за всички членове, от момента на поканването им в нея.", "%(senderName)s made future room history visible to all room members, from the point they joined.": "%(senderName)s направи бъдещата история на стаята видима за всички членове, от момента на присъединяването им в нея.", @@ -88,7 +84,6 @@ "%(widgetName)s widget removed by %(senderName)s": "Приспособлението %(widgetName)s беше премахнато от %(senderName)s", "Failure to create room": "Неуспешно създаване на стая", "Server may be unavailable, overloaded, or you hit a bug.": "Сървърът може би е претоварен, недостъпен или се натъкнахте на проблем.", - "Unnamed Room": "Стая без име", "Your browser does not support the required cryptography extensions": "Вашият браузър не поддържа необходимите разширения за шифроване", "Not a valid %(brand)s keyfile": "Невалиден файл с ключ за %(brand)s", "Authentication check failed: incorrect password?": "Неуспешна автентикация: неправилна парола?", @@ -398,10 +393,8 @@ "Waiting for response from server": "Изчакване на отговор от сървъра", "Failed to send logs: ": "Неуспешно изпращане на логове: ", "This Room": "В тази стая", - "Messages in one-to-one chats": "Съобщения в индивидуални чатове", "Unavailable": "Не е наличен", "Source URL": "URL на източника", - "Messages sent by bot": "Съобщения изпратени от бот", "Filter results": "Филтриране на резултати", "No update available.": "Няма нова версия.", "Noisy": "Шумно", @@ -415,16 +408,12 @@ "All Rooms": "Във всички стаи", "Wednesday": "Сряда", "All messages": "Всички съобщения", - "Call invitation": "Покана за разговор", - "Messages containing my display name": "Съобщения, съдържащи моя псевдоним", "What's new?": "Какво ново?", - "When I'm invited to a room": "Когато ме поканят в стая", "Invite to this room": "Покани в тази стая", "You cannot delete this message. (%(code)s)": "Това съобщение не може да бъде изтрито. (%(code)s)", "Thursday": "Четвъртък", "Logs sent": "Логовете са изпратени", "Show message in desktop notification": "Показване на съдържание в известията на работния плот", - "Messages in group chats": "Съобщения в групови чатове", "Yesterday": "Вчера", "Error encountered (%(errorDetail)s).": "Възникна грешка (%(errorDetail)s).", "Low Priority": "Нисък приоритет", @@ -484,8 +473,6 @@ "The room upgrade could not be completed": "Обновяването на тази стая не можа да бъде завършено", "Upgrade this room to version %(version)s": "Обновете тази стая до версия %(version)s", "Forces the current outbound group session in an encrypted room to be discarded": "Принудително прекратява текущата изходяща групова сесия в шифрована стая", - "%(senderName)s set the main address for this room to %(address)s.": "%(senderName)s настрой основния адрес на тази стая на %(address)s.", - "%(senderName)s removed the main address for this room.": "%(senderName)s премахна основния адрес на тази стая.", "Before submitting logs, you must create a GitHub issue to describe your problem.": "Преди да изпратите логове, трябва да отворите доклад за проблем в Github.", "%(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 вече използва 3-5 пъти по-малко памет, като зарежда информация за потребители само когато е нужна. Моля, изчакайте докато ресинхронизираме със сървъра!", "Updating %(brand)s": "Обновяване на %(brand)s", @@ -523,9 +510,6 @@ "Names and surnames by themselves are easy to guess": "Имена и фамилии сами по себе си са лесни за отгатване", "Common names and surnames are easy to guess": "Често срещани имена и фамилии са лесни за отгатване", "Use a longer keyboard pattern with more turns": "Използвайте по-дълга клавиатурна последователност с повече разклонения", - "Messages containing @room": "Съобщения съдържащи @room", - "Encrypted messages in one-to-one chats": "Шифровани съобщения в 1-на-1 чатове", - "Encrypted messages in group chats": "Шифровани съобщения в групови чатове", "Delete Backup": "Изтрий резервното копие", "Unable to load key backup status": "Неуспешно зареждане на състоянието на резервното копие на ключа", "Set up": "Настрой", @@ -560,14 +544,12 @@ "Invite anyway": "Покани въпреки това", "Upgrades a room to a new version": "Обновява стаята до нова версия", "Sets the room name": "Настройва име на стаята", - "%(senderDisplayName)s upgraded this room.": "%(senderDisplayName)s обнови тази стая.", "%(displayName)s is typing …": "%(displayName)s пише …", "%(names)s and %(count)s others are typing …": { "other": "%(names)s и %(count)s други пишат …", "one": "%(names)s и още един пишат …" }, "%(names)s and %(lastPerson)s are typing …": "%(names)s и %(lastPerson)s пишат …", - "Messages containing my username": "Съобщения съдържащи потребителското ми име", "The other party cancelled the verification.": "Другата страна прекрати потвърждението.", "Verified!": "Потвърдено!", "You've successfully verified this user.": "Успешно потвърдихте този потребител.", @@ -625,12 +607,6 @@ "The file '%(fileName)s' exceeds this homeserver's size limit for uploads": "Файлът '%(fileName)s' надхвърля ограничението за размер на файлове за този сървър", "Gets or sets the room topic": "Взима или настройва темата на стаята", "This room has no topic.": "Тази стая няма тема.", - "%(senderDisplayName)s made the room public to whoever knows the link.": "%(senderDisplayName)s направи стаята публична за всеки знаещ връзката.", - "%(senderDisplayName)s made the room invite only.": "%(senderDisplayName)s направи стаята само за поканени.", - "%(senderDisplayName)s changed the join rule to %(rule)s": "%(senderDisplayName)s промени правилото за влизане на %(rule)s", - "%(senderDisplayName)s has allowed guests to join the room.": "%(senderDisplayName)s позволи на гости да влизат в стаята.", - "%(senderDisplayName)s has prevented guests from joining the room.": "%(senderDisplayName)s спря достъпа на гости за влизане в стаята.", - "%(senderDisplayName)s changed guest access to %(rule)s": "%(senderDisplayName)s промени правилото за достъп на гости на %(rule)s", "Verify this user by confirming the following emoji appear on their screen.": "Потвърдете този потребител, като установите че следното емоджи се вижда на екрана им.", "Unable to find a supported verification method.": "Не може да бъде намерен поддържан метод за потвърждение.", "Dog": "Куче", @@ -781,7 +757,6 @@ "The user's homeserver does not support the version of the room.": "Сървърът на потребителя не поддържа версията на стаята.", "Sends the given emote coloured as a rainbow": "Изпраща дадената емоция, оцветена като дъга", "Show hidden events in timeline": "Покажи скрити събития по времевата линия", - "When rooms are upgraded": "Когато стаите се актуализират", "View older messages in %(roomName)s.": "Виж по-стари съобщения в %(roomName)s.", "Join the conversation with an account": "Присъедини се към разговор с акаунт", "Sign Up": "Регистриране", @@ -953,8 +928,6 @@ "Changes the avatar of the current room": "Променя снимката на текущата стая", "e.g. my-room": "например my-room", "Please enter a name for the room": "Въведете име на стаята", - "Create a public room": "Създай публична стая", - "Create a private room": "Създай частна стая", "Topic (optional)": "Тема (незадължително)", "Hide advanced": "Скрий разширени настройки", "Show advanced": "Покажи разширени настройки", @@ -1018,10 +991,6 @@ "%(name)s cancelled": "%(name)s отказа", "%(name)s wants to verify": "%(name)s иска да извърши потвърждение", "You sent a verification request": "Изпратихте заявка за потвърждение", - "%(senderName)s placed a voice call.": "%(senderName)s започна гласово обаждане.", - "%(senderName)s placed a voice call. (not supported by this browser)": "%(senderName)s започна гласово обаждане. (не се поддържа от този браузър)", - "%(senderName)s placed a video call.": "%(senderName)s започна видео обаждане.", - "%(senderName)s placed a video call. (not supported by this browser)": "%(senderName)s започна видео обаждане. (не се поддържа от този браузър)", "Match system theme": "Напасване със системната тема", "My Ban List": "Моя списък с блокирания", "This is your list of users/servers you have blocked - don't leave the room!": "Това е списък с хора/сървъри, които сте блокирали - не напускайте стаята!", @@ -1143,7 +1112,6 @@ "WARNING: KEY VERIFICATION FAILED! The signing key for %(userId)s and session %(deviceId)s is \"%(fprint)s\" which does not match the provided key \"%(fingerprint)s\". This could mean your communications are being intercepted!": "ВНИМАНИЕ: ПОТВЪРЖДАВАНЕТО НА КЛЮЧОВЕТЕ Е НЕУСПЕШНО! Подписващия ключ за %(userId)s и сесия %(deviceId)s е \"%(fprint)s\", което не съвпада с предоставения ключ \"%(fingerprint)s\". Това може би означава, че комуникацията ви бива прихваната!", "The signing key you provided matches the signing key you received from %(userId)s's session %(deviceId)s. Session marked as verified.": "Предоставения от вас ключ за подписване съвпада с ключа за подписване получен от сесия %(deviceId)s на %(userId)s. Сесията е маркирана като потвърдена.", "Displays information about a user": "Показва информация за потребителя", - "%(senderDisplayName)s changed the room name from %(oldRoomName)s to %(newRoomName)s.": "%(senderDisplayName)s промени името на стаята от %(oldRoomName)s на %(newRoomName)s.", "%(senderName)s added the alternative addresses %(addresses)s for this room.": { "other": "%(senderName)s добави алтернативните адреси %(addresses)s към стаята.", "one": "%(senderName)s добави алтернативният адрес %(addresses)s към стаята." @@ -1447,15 +1415,12 @@ "Are you sure you want to cancel entering passphrase?": "Сигурни ли сте че желате да прекратите въвеждането на паролата?", "The call could not be established": "Обаждането не може да бъде осъществено", "Answered Elsewhere": "Отговорено на друго място", - "%(senderDisplayName)s set the server ACLs for this room.": "%(senderDisplayName)s зададе ACLs на сървър за тази стая.", "Unknown caller": "Непознат абонат", "Downloading logs": "Изтегляне на логове", "Uploading logs": "Качване на логове", "Change notification settings": "Промяна на настройките за уведомление", "%(senderName)s: %(stickerName)s": "%(senderName)s: %(stickerName)s", "Unexpected server error trying to leave the room": "Възникна неочаквана сървърна грешка при опит за напускане на стаята", - "🎉 All servers are banned from participating! This room can no longer be used.": "🎉 Всички сървъри за възбранени от участие! Тази стая вече не може да бъде използвана.", - "%(senderDisplayName)s changed the server ACLs for this room.": "%(senderDisplayName)s промени сървърните разрешения за контрол на достъпа до тази стая.", "Prepends ( ͡° ͜ʖ ͡°) to a plain-text message": "Добавя ( ͡° ͜ʖ ͡°) в началото на текстовото съобщение", "The call was answered on another device.": "На обаждането беше отговорено от друго устройство.", "This room is public": "Тази стая е публична", @@ -1973,7 +1938,8 @@ "encrypted": "Шифровано", "matrix": "Matrix", "trusted": "Доверени", - "not_trusted": "Недоверени" + "not_trusted": "Недоверени", + "unnamed_room": "Стая без име" }, "action": { "continue": "Продължи", @@ -2141,7 +2107,20 @@ "show_chat_effects": "Покажи чат ефектите (анимации при получаване, като например конфети)", "big_emoji": "Включи големи емоджита в чатовете", "prompt_invite": "Питай преди изпращане на покани към потенциално невалидни Matrix идентификатори", - "start_automatically": "Автоматично стартиране след влизане в системата" + "start_automatically": "Автоматично стартиране след влизане в системата", + "notifications": { + "rule_contains_display_name": "Съобщения, съдържащи моя псевдоним", + "rule_contains_user_name": "Съобщения съдържащи потребителското ми име", + "rule_roomnotif": "Съобщения съдържащи @room", + "rule_room_one_to_one": "Съобщения в индивидуални чатове", + "rule_message": "Съобщения в групови чатове", + "rule_encrypted": "Шифровани съобщения в групови чатове", + "rule_invite_for_me": "Когато ме поканят в стая", + "rule_call": "Покана за разговор", + "rule_suppress_notices": "Съобщения изпратени от бот", + "rule_tombstone": "Когато стаите се актуализират", + "rule_encrypted_room_one_to_one": "Шифровани съобщения в 1-на-1 чатове" + } }, "devtools": { "event_type": "Вид на събитие", @@ -2150,5 +2129,44 @@ "event_content": "Съдържание на събитието", "toolbox": "Инструменти", "developer_tools": "Инструменти за разработчика" + }, + "create_room": { + "title_public_room": "Създай публична стая", + "title_private_room": "Създай частна стая" + }, + "timeline": { + "m.call.invite": { + "voice_call": "%(senderName)s започна гласово обаждане.", + "voice_call_unsupported": "%(senderName)s започна гласово обаждане. (не се поддържа от този браузър)", + "video_call": "%(senderName)s започна видео обаждане.", + "video_call_unsupported": "%(senderName)s започна видео обаждане. (не се поддържа от този браузър)" + }, + "m.room.topic": "%(senderDisplayName)s смени темата на \"%(topic)s\".", + "m.room.name": { + "remove": "%(senderDisplayName)s премахна името на стаята.", + "change": "%(senderDisplayName)s промени името на стаята от %(oldRoomName)s на %(newRoomName)s.", + "set": "%(senderDisplayName)s промени името на стаята на %(roomName)s." + }, + "m.room.tombstone": "%(senderDisplayName)s обнови тази стая.", + "m.room.join_rules": { + "public": "%(senderDisplayName)s направи стаята публична за всеки знаещ връзката.", + "invite": "%(senderDisplayName)s направи стаята само за поканени.", + "unknown": "%(senderDisplayName)s промени правилото за влизане на %(rule)s" + }, + "m.room.guest_access": { + "can_join": "%(senderDisplayName)s позволи на гости да влизат в стаята.", + "forbidden": "%(senderDisplayName)s спря достъпа на гости за влизане в стаята.", + "unknown": "%(senderDisplayName)s промени правилото за достъп на гости на %(rule)s" + }, + "m.image": "%(senderDisplayName)s изпрати снимка.", + "m.room.server_acl": { + "set": "%(senderDisplayName)s зададе ACLs на сървър за тази стая.", + "changed": "%(senderDisplayName)s промени сървърните разрешения за контрол на достъпа до тази стая.", + "all_servers_banned": "🎉 Всички сървъри за възбранени от участие! Тази стая вече не може да бъде използвана." + }, + "m.room.canonical_alias": { + "set": "%(senderName)s настрой основния адрес на тази стая на %(address)s.", + "removed": "%(senderName)s премахна основния адрес на тази стая." + } } } diff --git a/src/i18n/strings/ca.json b/src/i18n/strings/ca.json index 04513bb30f7..811199272b5 100644 --- a/src/i18n/strings/ca.json +++ b/src/i18n/strings/ca.json @@ -71,10 +71,6 @@ "You are no longer ignoring %(userId)s": "Ja no estàs ignorant l'usuari %(userId)s", "Verified key": "Claus verificades", "Reason": "Raó", - "%(senderDisplayName)s changed the topic to \"%(topic)s\".": "%(senderDisplayName)s ha canviat el tema a \"%(topic)s\".", - "%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s ha eliminat el nom de la sala.", - "%(senderDisplayName)s changed the room name to %(roomName)s.": "%(senderDisplayName)s ha canviat el nom de la sala a %(roomName)s.", - "%(senderDisplayName)s sent an image.": "%(senderDisplayName)s ha enviat una imatge.", "%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": "%(senderName)s ha convidat a %(targetDisplayName)s a entrar a la sala.", "%(senderName)s made future room history visible to all room members, from the point they are invited.": "%(senderName)s ha establert la visibilitat de l'historial futur de la sala a tots els seus membres, a partir de que hi són convidats.", "%(senderName)s made future room history visible to all room members, from the point they joined.": "%(senderName)s ha establert la visibilitat de l'historial futur de la sala a tots els seus membres des de que s'hi uneixen.", @@ -90,7 +86,6 @@ "Failure to create room": "No s'ha pogut crear la sala", "Server may be unavailable, overloaded, or you hit a bug.": "És possible que el servidor no estigui disponible, sobrecarregat o que hagi topat amb un error.", "Send": "Envia", - "Unnamed Room": "Sala sense nom", "Your browser does not support the required cryptography extensions": "El vostre navegador no és compatible amb els complements criptogràfics necessaris", "Not a valid %(brand)s keyfile": "El fitxer no és un fitxer de claus de %(brand)s vàlid", "Authentication check failed: incorrect password?": "Ha fallat l'autenticació: heu introduït correctament la contrasenya?", @@ -359,17 +354,13 @@ "Waiting for response from server": "S'està esperant una resposta del servidor", "Failed to send logs: ": "No s'han pogut enviar els logs: ", "This Room": "Aquesta sala", - "Messages containing my display name": "Missatges que contenen el meu nom visible", - "Messages in one-to-one chats": "Missatges en xats un a un", "Unavailable": "No disponible", "Source URL": "URL origen", - "Messages sent by bot": "Missatges enviats pel bot", "Filter results": "Resultats del filtre", "No update available.": "No hi ha cap actualització disponible.", "Noisy": "Sorollós", "Collecting app version information": "S'està recollint la informació de la versió de l'aplicació", "Search…": "Cerca…", - "When I'm invited to a room": "Quan sóc convidat a una sala", "Tuesday": "Dimarts", "Preparing to send logs": "Preparant l'enviament de logs", "Saturday": "Dissabte", @@ -378,14 +369,12 @@ "All Rooms": "Totes les sales", "Wednesday": "Dimecres", "All messages": "Tots els missatges", - "Call invitation": "Invitació de trucada", "What's new?": "Què hi ha de nou?", "Invite to this room": "Convida a aquesta sala", "You cannot delete this message. (%(code)s)": "No podeu eliminar aquest missatge. (%(code)s)", "Thursday": "Dijous", "Logs sent": "Logs enviats", "Show message in desktop notification": "Mostra els missatges amb notificacions d'escriptori", - "Messages in group chats": "Missatges en xats de grup", "Yesterday": "Ahir", "Error encountered (%(errorDetail)s).": "S'ha trobat un error (%(errorDetail)s).", "Low Priority": "Baixa prioritat", @@ -410,15 +399,6 @@ "Gets or sets the room topic": "Obté o estableix el tema de la sala", "This room has no topic.": "Aquesta sala no té tema.", "Sets the room name": "Estableix el nom de la sala", - "%(senderDisplayName)s upgraded this room.": "%(senderDisplayName)s ha actualitzat aquesta sala.", - "%(senderDisplayName)s made the room public to whoever knows the link.": "%(senderDisplayName)s ha fet la sala pública a tothom qui conegui l'adreça.", - "%(senderDisplayName)s made the room invite only.": "%(senderDisplayName)s ha limitat la sala als convidats.", - "%(senderDisplayName)s changed the join rule to %(rule)s": "%(senderDisplayName)s ha canviat la regla d'entrada a %(rule)s", - "%(senderDisplayName)s has allowed guests to join the room.": "%(senderDisplayName)s ha permès que els convidats puguin entrar a la sala.", - "%(senderDisplayName)s has prevented guests from joining the room.": "%(senderDisplayName)s ha prohibit l'entrada a la sala als visitants.", - "%(senderDisplayName)s changed guest access to %(rule)s": "%(senderDisplayName)s ha canviat l'accés dels visitants a %(rule)s", - "%(senderName)s set the main address for this room to %(address)s.": "%(senderName)s ha canviat l'adreça principal d'aquesta sala a %(address)s.", - "%(senderName)s removed the main address for this room.": "%(senderName)s ha retirat l'adreça principal d'aquesta sala.", "%(displayName)s is typing …": "%(displayName)s està escrivint…", "%(names)s and %(count)s others are typing …": { "other": "%(names)s i %(count)s més estan escrivint…", @@ -594,7 +574,8 @@ "guest": "Visitant", "camera": "Càmera", "microphone": "Micròfon", - "someone": "Algú" + "someone": "Algú", + "unnamed_room": "Sala sense nom" }, "action": { "continue": "Continua", @@ -665,7 +646,15 @@ "inline_url_previews_default": "Activa per defecte la vista prèvia d'URL en línia", "show_read_receipts": "Mostra les confirmacions de lectura enviades pels altres usuaris", "show_displayname_changes": "Mostra els canvis de nom", - "big_emoji": "Activa Emojis grans en xats" + "big_emoji": "Activa Emojis grans en xats", + "notifications": { + "rule_contains_display_name": "Missatges que contenen el meu nom visible", + "rule_room_one_to_one": "Missatges en xats un a un", + "rule_message": "Missatges en xats de grup", + "rule_invite_for_me": "Quan sóc convidat a una sala", + "rule_call": "Invitació de trucada", + "rule_suppress_notices": "Missatges enviats pel bot" + } }, "devtools": { "event_type": "Tipus d'esdeveniment", @@ -674,5 +663,28 @@ "event_content": "Contingut de l'esdeveniment", "toolbox": "Caixa d'eines", "developer_tools": "Eines de desenvolupador" + }, + "timeline": { + "m.room.topic": "%(senderDisplayName)s ha canviat el tema a \"%(topic)s\".", + "m.room.name": { + "remove": "%(senderDisplayName)s ha eliminat el nom de la sala.", + "set": "%(senderDisplayName)s ha canviat el nom de la sala a %(roomName)s." + }, + "m.room.tombstone": "%(senderDisplayName)s ha actualitzat aquesta sala.", + "m.room.join_rules": { + "public": "%(senderDisplayName)s ha fet la sala pública a tothom qui conegui l'adreça.", + "invite": "%(senderDisplayName)s ha limitat la sala als convidats.", + "unknown": "%(senderDisplayName)s ha canviat la regla d'entrada a %(rule)s" + }, + "m.room.guest_access": { + "can_join": "%(senderDisplayName)s ha permès que els convidats puguin entrar a la sala.", + "forbidden": "%(senderDisplayName)s ha prohibit l'entrada a la sala als visitants.", + "unknown": "%(senderDisplayName)s ha canviat l'accés dels visitants a %(rule)s" + }, + "m.image": "%(senderDisplayName)s ha enviat una imatge.", + "m.room.canonical_alias": { + "set": "%(senderName)s ha canviat l'adreça principal d'aquesta sala a %(address)s.", + "removed": "%(senderName)s ha retirat l'adreça principal d'aquesta sala." + } } } diff --git a/src/i18n/strings/cs.json b/src/i18n/strings/cs.json index 6867a7078e8..a5a60a54f8a 100644 --- a/src/i18n/strings/cs.json +++ b/src/i18n/strings/cs.json @@ -51,9 +51,6 @@ "Banned users": "Vykázaní uživatelé", "Bans user with given id": "Vykáže uživatele s daným id", "Change Password": "Změnit heslo", - "%(senderDisplayName)s changed the room name to %(roomName)s.": "%(senderDisplayName)s změnil(a) název místnosti na %(roomName)s.", - "%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s odstranil(a) název místnosti.", - "%(senderDisplayName)s changed the topic to \"%(topic)s\".": "%(senderDisplayName)s změnil(a) téma na „%(topic)s“.", "Changes your display nickname": "Změní vaši zobrazovanou přezdívku", "Command error": "Chyba příkazu", "Commands": "Příkazy", @@ -120,7 +117,6 @@ "Room %(roomId)s not visible": "Místnost %(roomId)s není viditelná", "%(roomName)s does not exist.": "%(roomName)s neexistuje.", "%(roomName)s is not accessible at this time.": "Místnost %(roomName)s není v tuto chvíli dostupná.", - "%(senderDisplayName)s sent an image.": "%(senderDisplayName)s poslal(a) obrázek.", "%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": "%(senderName)s pozval(a) uživatele %(targetDisplayName)s ke vstupu do místnosti.", "Server error": "Chyba serveru", "Server may be unavailable, overloaded, or search timed out :(": "Server může být nedostupný, přetížený nebo vyhledávání vypršelo :(", @@ -154,7 +150,6 @@ "Unable to verify email address.": "Nepodařilo se ověřit e-mailovou adresu.", "Unban": "Zrušit vykázání", "Unable to enable Notifications": "Nepodařilo se povolit oznámení", - "Unnamed Room": "Nepojmenovaná místnost", "Uploading %(filename)s and %(count)s others": { "zero": "Nahrávání souboru %(filename)s", "one": "Nahrávání souboru %(filename)s a %(count)s dalších", @@ -377,7 +372,6 @@ "expand": "rozbalit", "Old cryptography data detected": "Nalezeny starší šifrované datové zprávy", "Sunday": "Neděle", - "Messages sent by bot": "Zprávy poslané robotem", "Notification targets": "Cíle oznámení", "Today": "Dnes", "Friday": "Pátek", @@ -387,7 +381,6 @@ "Waiting for response from server": "Čekám na odezvu ze serveru", "This Room": "Tato místnost", "Noisy": "Hlučný", - "Messages containing my display name": "Zprávy obsahující mé zobrazované jméno", "Unavailable": "Nedostupné", "Source URL": "Zdrojová URL", "Failed to add tag %(tagName)s to room": "Nepodařilo se přidat štítek %(tagName)s k místnosti", @@ -396,20 +389,16 @@ "Collecting app version information": "Sbírání informací o verzi aplikace", "Tuesday": "Úterý", "Saturday": "Sobota", - "Messages in one-to-one chats": "Přímé zprávy", "Monday": "Pondělí", "Collecting logs": "Sběr záznamů", "Invite to this room": "Pozvat do této místnosti", "All messages": "Všechny zprávy", - "Call invitation": "Pozvánka k hovoru", "What's new?": "Co je nového?", - "When I'm invited to a room": "Pozvánka do místnosti", "All Rooms": "Všechny místnosti", "You cannot delete this message. (%(code)s)": "Tuto zprávu nemůžete smazat. (%(code)s)", "Thursday": "Čtvrtek", "Search…": "Hledat…", "Show message in desktop notification": "Zobrazit text zprávy v oznámení na ploše", - "Messages in group chats": "Zprávy ve skupinách", "Yesterday": "Včera", "Error encountered (%(errorDetail)s).": "Nastala chyba (%(errorDetail)s).", "Low Priority": "Nízká priorita", @@ -503,9 +492,6 @@ "Composer": "Editor zpráv", "Room list": "Seznam místností", "Autocomplete delay (ms)": "Zpožnění našeptávače (ms)", - "Messages containing my username": "Zprávy obsahující moje uživatelské jméno", - "Messages containing @room": "Zprávy obsahující @room", - "Encrypted messages in one-to-one chats": "Šifrované přímé zprávy", "Email addresses": "E-mailové adresy", "Language and region": "Jazyk a region", "Account management": "Správa účtu", @@ -538,15 +524,6 @@ "Upgrades a room to a new version": "Aktualizuje místnost na novou verzi", "This room has no topic.": "Tato místnost nemá žádné specifické téma.", "Sets the room name": "Nastaví název místnosti", - "%(senderDisplayName)s upgraded this room.": "%(senderDisplayName)s aktualizoval(a) místnost.", - "%(senderDisplayName)s made the room public to whoever knows the link.": "%(senderDisplayName)s zveřejnil(a) místnost pro všechny s odkazem.", - "%(senderDisplayName)s made the room invite only.": "%(senderDisplayName)s zpřístupnil(a) místnost pouze na pozvání.", - "%(senderDisplayName)s changed the join rule to %(rule)s": "%(senderDisplayName)s změnil(a) pravidlo k připojení na %(rule)s", - "%(senderDisplayName)s has allowed guests to join the room.": "%(senderDisplayName)s povolil(a) přístup hostům.", - "%(senderDisplayName)s has prevented guests from joining the room.": "%(senderDisplayName)s zakázal(a) přístup hostům.", - "%(senderDisplayName)s changed guest access to %(rule)s": "%(senderDisplayName)s změnil(a) pravidlo pro přístup hostů na %(rule)s", - "%(senderName)s set the main address for this room to %(address)s.": "%(senderName)s nastavil(a) hlavní adresu této místnosti na %(address)s.", - "%(senderName)s removed the main address for this room.": "%(senderName)s zrušil hlavní adresu této místnosti.", "%(displayName)s is typing …": "%(displayName)s píše …", "%(names)s and %(count)s others are typing …": { "other": "%(names)s a %(count)s dalších píše …", @@ -690,7 +667,6 @@ "If you didn't set the new recovery method, an attacker may be trying to access your account. Change your account password and set a new recovery method immediately in Settings.": "Pokud jste nenastavili nový způsob obnovy vy, mohou se pokoušet k vašemu účtu dostat útočníci. Změňte si raději ihned heslo a nastavte nový způsob obnovy v Nastavení.", "Gets or sets the room topic": "Nastaví nebo zjistí téma místnosti", "Forces the current outbound group session in an encrypted room to be discarded": "Vynutí zahození aktuálně používané relace skupiny v zašifrované místnosti", - "Encrypted messages in group chats": "Šifrované zprávy ve skupinách", "You've previously used %(brand)s on %(host)s with lazy loading of members enabled. In this version lazy loading is disabled. As the local cache is not compatible between these two settings, %(brand)s needs to resync your account.": "Na adrese %(host)s už jste použili %(brand)s se zapnutou volbou načítání členů místností až při prvním zobrazení. V této verzi je načítání členů až při prvním zobrazení vypnuté. Protože je s tímto nastavením lokální vyrovnávací paměť nekompatibilní, %(brand)s potřebuje znovu synchronizovat údaje z vašeho účtu.", "%(brand)s now uses 3-5x less memory, by only loading information about other users when needed. Please wait whilst we resynchronise with the server!": "%(brand)s teď používá 3-5× méně paměti, protože si informace o ostatních uživatelích načítá až když je potřebuje. Prosím počkejte na dokončení synchronizace se serverem!", "This homeserver would like to make sure you are not a robot.": "Domovský server se potřebuje přesvědčit, že nejste robot.", @@ -747,7 +723,6 @@ "Unexpected error resolving homeserver configuration": "Chyba při zjišťování konfigurace domovského serveru", "The user's homeserver does not support the version of the room.": "Uživatelův domovský server nepodporuje verzi této místnosti.", "Show hidden events in timeline": "Zobrazovat v časové ose skryté události", - "When rooms are upgraded": "Při aktualizaci místnosti", "Upgrade this room to the recommended room version": "Aktualizovat místnost na doporučenou verzi", "View older messages in %(roomName)s.": "Zobrazit starší zprávy v %(roomName)s.", "Default role": "Výchozí role", @@ -875,8 +850,6 @@ "Removing…": "Odstaňování…", "Clear all data": "Smazat všechna data", "Please enter a name for the room": "Zadejte prosím název místnosti", - "Create a public room": "Vytvořit veřejnou místnost", - "Create a private room": "Vytvořit neveřejnou místnost", "Topic (optional)": "Téma (volitelné)", "Hide advanced": "Skrýt pokročilé možnosti", "Show advanced": "Zobrazit pokročilé možnosti", @@ -1018,10 +991,6 @@ "User Autocomplete": "Automatické doplňování uživatelů", "Error upgrading room": "Chyba při aktualizaci místnosti", "Double check that your server supports the room version chosen and try again.": "Zkontrolujte, že váš server opravdu podporuje zvolenou verzi místnosti.", - "%(senderName)s placed a voice call.": "%(senderName)s zahájil(a) hovor.", - "%(senderName)s placed a voice call. (not supported by this browser)": "%(senderName)s zahájil(a) hovor. (není podporováno tímto prohlížečem)", - "%(senderName)s placed a video call.": "%(senderName)s zahájil(a) videohovor.", - "%(senderName)s placed a video call. (not supported by this browser)": "%(senderName)s zahájil(a) videohovor. (není podporováno tímto prohlížečem)", "%(senderName)s removed the rule banning users matching %(glob)s": "%(senderName)s odstranil(a) pravidlo blokující uživatele odpovídající %(glob)s", "%(senderName)s removed the rule banning rooms matching %(glob)s": "%(senderName)s odstranil pravidlo blokující místnosti odpovídající %(glob)s", "%(senderName)s removed the rule banning servers matching %(glob)s": "%(senderName)s odstranil pravidlo blokující servery odpovídající %(glob)s", @@ -1242,7 +1211,6 @@ "Mark all as read": "Označit vše jako přečtené", "Not currently indexing messages for any room.": "Aktuálně neindexujeme žádné zprávy.", "%(doneRooms)s out of %(totalRooms)s": "%(doneRooms)s z %(totalRooms)s", - "%(senderDisplayName)s changed the room name from %(oldRoomName)s to %(newRoomName)s.": "%(senderDisplayName)s změnil(a) jméno místnosti z %(oldRoomName)s na %(newRoomName)s.", "%(senderName)s added the alternative addresses %(addresses)s for this room.": { "other": "%(senderName)s přidal(a) této místnosti alternativní adresy %(addresses)s.", "one": "%(senderName)s přidal(a) této místnosti alternativní adresu %(addresses)s." @@ -1433,7 +1401,6 @@ "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ř. ).", "Change the topic of this room": "Změnit téma této místnosti", - "🎉 All servers are banned from participating! This room can no longer be used.": "🎉 K místnosti nemá přístup žádný server! Místnost už nemůže být používána.", "Prepends ( ͡° ͜ʖ ͡°) to a plain-text message": "Vloží ( ͡° ͜ʖ ͡°) na začátek zprávy", "Czech Republic": "Česká republika", "Algeria": "Alžírsko", @@ -1831,7 +1798,6 @@ "You can also set up Secure Backup & manage your keys in Settings.": "Zabezpečené zálohování a správu klíčů můžete také nastavit v Nastavení.", "Set a Security Phrase": "Nastavit bezpečnostní frázi", "Start a conversation with someone using their name or username (like ).": "Začněte konverzaci s někým pomocí jeho jména nebo uživatelského jména (například ).", - "%(senderDisplayName)s set the server ACLs for this room.": "%(senderDisplayName)s nastavil seznam přístupů serveru pro tuto místnost.", "Invite someone using their name, username (like ) or share this room.": "Pozvěte někoho pomocí svého jména, uživatelského jména (například ) nebo sdílejte tuto místnost.", "Confirm by comparing the following with the User Settings in your other session:": "Potvrďte porovnáním následujícího s uživatelským nastavením v jiné relaci:", "Data on this screen is shared with %(widgetDomain)s": "Data na této obrazovce jsou sdílena s %(widgetDomain)s", @@ -1930,7 +1896,6 @@ "Prepends (╯°□°)╯︵ ┻━┻ to a plain-text message": "Vloží (╯°□°)╯︵ ┻━┻ na začátek zprávy", "Remain on your screen while running": "Při běhu zůstává na obrazovce", "Remain on your screen when viewing another room, when running": "Při prohlížení jiné místnosti zůstává při běhu na obrazovce", - "%(senderDisplayName)s changed the server ACLs for this room.": "%(senderDisplayName)s změnil(a) seznam přístupů serveru pro tuto místnost.", "See emotes posted to your active room": "Prohlédněte si emoji zveřejněné ve vaší aktivní místnosti", "See emotes posted to this room": "Prohlédněte si emoji zveřejněné v této místnosti", "Send emotes as you in your active room": "Poslat emoji jako vy ve své aktivní místnosti", @@ -2011,7 +1976,6 @@ "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.", - "Unnamed Space": "Nejmenovaný prostor", "Invite to %(spaceName)s": "Pozvat do %(spaceName)s", "Create a new room": "Vytvořit novou místnost", "Spaces": "Prostory", @@ -2212,25 +2176,6 @@ "Silence call": "Ztlumit zvonění", "Sound on": "Zvuk zapnutý", "%(senderName)s changed the pinned messages for the room.": "%(senderName)s změnil(a) připnuté zprávy v místnosti.", - "%(senderName)s withdrew %(targetName)s's invitation": "%(senderName)s zrušil(a) pozvání pro uživatele %(targetName)s", - "%(senderName)s withdrew %(targetName)s's invitation: %(reason)s": "%(senderName)s zrušil(a) pozvání pro uživatele %(targetName)s: %(reason)s", - "%(senderName)s unbanned %(targetName)s": "%(senderName)s zrušil(a) vykázání uživatele %(targetName)s", - "%(targetName)s left the room": "%(targetName)s opustil(a) místnost", - "%(targetName)s left the room: %(reason)s": "%(targetName)s opustil(a) místnost: %(reason)s", - "%(targetName)s rejected the invitation": "%(targetName)s odmítl(a) pozvání", - "%(targetName)s joined the room": "%(targetName)s vstoupil(a) do místnosti", - "%(senderName)s made no change": "%(senderName)s neprovedl(a) žádnou změnu", - "%(senderName)s set a profile picture": "%(senderName)s si nastavil(a) profilový obrázek", - "%(senderName)s changed their profile picture": "%(senderName)s změnil(a) svůj profilový obrázek", - "%(senderName)s removed their profile picture": "%(senderName)s odstranil(a) svůj profilový obrázek", - "%(senderName)s removed their display name (%(oldDisplayName)s)": "%(senderName)s odstranil(a) své zobrazované jméno (%(oldDisplayName)s)", - "%(senderName)s set their display name to %(displayName)s": "%(senderName)s si změnil(a) zobrazované jméno na %(displayName)s", - "%(oldDisplayName)s changed their display name to %(displayName)s": "%(oldDisplayName)s si změnil(a) zobrazované jméno na %(displayName)s", - "%(senderName)s banned %(targetName)s": "%(senderName)s vykázal(a) %(targetName)s", - "%(senderName)s banned %(targetName)s: %(reason)s": "%(senderName)s vykázal(a) %(targetName)s: %(reason)s", - "%(senderName)s invited %(targetName)s": "%(senderName)s pozval(a) %(targetName)s", - "%(targetName)s accepted an invitation": "%(targetName)s přijal(a) pozvání", - "%(targetName)s accepted the invitation for %(displayName)s": "%(targetName)s přijal(a) pozvání do %(displayName)s", "Some invites couldn't be sent": "Některé pozvánky nebylo možné odeslat", "We sent the others, but the below people couldn't be invited to ": "Poslali jsme ostatním, ale níže uvedení lidé nemohli být pozváni do ", "Visibility": "Viditelnost", @@ -2417,22 +2362,6 @@ "Enter a number between %(min)s and %(max)s": "Zadejte číslo mezi %(min)s a %(max)s", "In reply to this message": "V odpovědi na tuto zprávu", "Export chat": "Exportovat chat", - "File Attached": "Přiložený soubor", - "Error fetching file": "Chyba při načítání souboru", - "Topic: %(topic)s": "Téma: %(topic)s", - "This is the start of export of . Exported by at %(exportDate)s.": "Toto je začátek exportu . Exportováno pomocí v %(exportDate)s.", - "%(creatorName)s created this room.": "%(creatorName)s vytvořil(a) tuto místnost.", - "Media omitted - file size limit exceeded": "Vynechaná média - překročen limit velikosti souboru", - "Media omitted": "Vynechaná média", - "Current Timeline": "Aktuální časová osa", - "Specify a number of messages": "Zadejte počet zpráv", - "From the beginning": "Od začátku", - "Plain Text": "Prostý text", - "JSON": "JSON", - "HTML": "HTML", - "Are you sure you want to exit during this export?": "Opravdu chcete skončit během tohoto exportu?", - "%(senderDisplayName)s sent a sticker.": "%(senderDisplayName)s poslal(a) nálepku.", - "%(senderDisplayName)s changed the room avatar.": "%(senderDisplayName)s změnil(a) avatar místnosti.", "Resetting your verification keys cannot be undone. After resetting, you won't have access to old encrypted messages, and any friends who have previously verified you will see security warnings until you re-verify with them.": "Resetování ověřovacích klíčů nelze vrátit zpět. Po jejich resetování nebudete mít přístup ke starým zašifrovaným zprávám a všem přátelům, kteří vás dříve ověřili, se zobrazí bezpečnostní varování, dokud se u nich znovu neověříte.", "Proceed with reset": "Pokračovat v resetování", "It looks like you don't have a Security Key or any other devices you can verify against. This device will not be able to access old encrypted messages. In order to verify your identity on this device, you'll need to reset your verification keys.": "Vypadá to, že nemáte bezpečnostní klíč ani žádné jiné zařízení, které byste mohli ověřit. Toto zařízení nebude mít přístup ke starým šifrovaným zprávám. Abyste mohli na tomto zařízení ověřit svou totožnost, budete muset resetovat ověřovací klíče.", @@ -2478,8 +2407,6 @@ "Developer mode": "Vývojářský režim", "Insert link": "Vložit odkaz", "Joined": "Připojeno", - "%(senderDisplayName)s changed who can join this room.": "%(senderDisplayName)s změnil(a), kdo může vstoupit do této místnosti.", - "%(senderDisplayName)s changed who can join this room. View settings.": "%(senderDisplayName)s změnil, kdo se může vstoupit do této místnosti. Zobrazit nastavení.", "You're all caught up": "Vše je vyřešeno", "Store your Security Key somewhere safe, like a password manager or a safe, as it's used to safeguard your encrypted data.": "Bezpečnostní klíč uložte na bezpečné místo, například do správce hesel nebo do trezoru, protože slouží k ochraně zašifrovaných dat.", "We'll generate a Security Key for you to store somewhere safe, like a password manager or a safe.": "Vygenerujeme vám bezpečnostní klíč, který uložíte na bezpečné místo, například do správce hesel nebo do trezoru.", @@ -2631,25 +2558,6 @@ "Including you, %(commaSeparatedMembers)s": "Včetně vás, %(commaSeparatedMembers)s", "Copy room link": "Kopírovat odkaz", "We were unable to understand the given date (%(inputDate)s). Try using the format YYYY-MM-DD.": "Nebyli jsme schopni porozumět zadanému datu (%(inputDate)s). Zkuste použít formát RRRR-MM-DD.", - "Exported %(count)s events in %(seconds)s seconds": { - "one": "Exportována %(count)s událost za %(seconds)s sekund", - "other": "Exportováno %(count)s událostí za %(seconds)s sekund" - }, - "Export successful!": "Export byl úspěšný!", - "Fetched %(count)s events in %(seconds)ss": { - "one": "Načtena %(count)s událost za %(seconds)ss", - "other": "Načteno %(count)s událostí za %(seconds)ss" - }, - "Processing event %(number)s out of %(total)s": "Zpracování události %(number)s z %(total)s", - "Fetched %(count)s events so far": { - "one": "Načtena %(count)s událost", - "other": "Načteno %(count)s událostí" - }, - "Fetched %(count)s events out of %(total)s": { - "one": "Načtena %(count)s událost z %(total)s", - "other": "Načteno %(count)s událostí z %(total)s" - }, - "Generating a ZIP": "Vytvoření souboru ZIP", "This groups your chats with members of this space. Turning this off will hide those chats from your view of %(spaceName)s.": "Vaše konverzace s členy tohoto prostoru se seskupí. Vypnutím této funkce se tyto chaty skryjí z vašeho pohledu na %(spaceName)s.", "Sections to show": "Sekce pro zobrazení", "Failed to load list of rooms.": "Nepodařilo se načíst seznam místností.", @@ -2712,8 +2620,6 @@ "Remove users": "Odebrat uživatele", "Remove, ban, or invite people to this room, and make you leave": "Odebrat, vykázat nebo pozvat lidi do této místnosti a donutit vás ji opustit", "Remove, ban, or invite people to your active room, and make you leave": "Odebrat, vykázat nebo pozvat lidi do vaší aktivní místnosti a donutit vás ji opustit", - "%(senderName)s removed %(targetName)s: %(reason)s": "%(senderName)s odebral(a) %(targetName)s: %(reason)s", - "%(senderName)s removed %(targetName)s": "%(senderName)s odebral(a) %(targetName)s", "Removes user with given id from this room": "Odstraní uživatele s daným id z této místnosti", "Open this settings tab": "Otevřít tuto kartu nastavení", "Keyboard": "Klávesnice", @@ -2897,9 +2803,6 @@ "You do not have permission to invite people to this space.": "Nemáte oprávnění zvát lidi do tohoto prostoru.", "Failed to invite users to %(roomName)s": "Nepodařilo se pozvat uživatele do %(roomName)s", "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", - "Create room": "Vytvořit místnost", - "Create video room": "Vytvořit video místnost", - "Create a video room": "Vytvořit video místnost", "%(count)s participants": { "one": "1 účastník", "other": "%(count)s účastníků" @@ -3151,8 +3054,6 @@ "Fill screen": "Vyplnit obrazovku", "Video call started": "Videohovor byl zahájen", "Unknown room": "Neznámá místnost", - "Video call started in %(roomName)s. (not supported by this browser)": "Videohovor byl zahájen v %(roomName)s. (není podporováno tímto prohlížečem)", - "Video call started in %(roomName)s.": "Videohovor byl zahájen v %(roomName)s.", "Operating system": "Operační systém", "Video call (%(brand)s)": "Videohovor (%(brand)s)", "Call type": "Typ volání", @@ -3358,11 +3259,7 @@ "Connecting to integration manager…": "Připojování ke správci integrací…", "Saving…": "Ukládání…", "Creating…": "Vytváření…", - "Creating output…": "Vytváření výstupu…", - "Fetching events…": "Stahování událostí…", "Starting export process…": "Zahájení procesu exportu…", - "Creating HTML…": "Vytváření HTML…", - "Starting export…": "Zahájení exportu…", "Unable to connect to Homeserver. Retrying…": "Nelze se připojit k domovskému serveru. Opakovaný pokus…", "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íč.", @@ -3449,7 +3346,6 @@ "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", - "%(oldDisplayName)s changed their display name and profile picture": "%(oldDisplayName)s změnil(a) své zobrazované jméno a profilový obrázek", "Your language": "Váš jazyk", "Your device ID": "ID vašeho zařízení", "User is not logged in": "Uživatel není přihlášen", @@ -3464,9 +3360,6 @@ "Changes your profile picture in this current room only": "Změní váš profilový obrázek pouze pro tuto místnost", "Changes your profile picture in all rooms": "Změní váš profilový obrázek ve všech místnostech", "User cannot be invited until they are unbanned": "Uživatel nemůže být pozván, dokud nebude jeho vykázání zrušeno", - "Previous group of messages": "Předchozí skupina zpráv", - "Next group of messages": "Následující skupina zpráv", - "Exported Data": "Exportovaná data", "Views room with given address": "Zobrazí místnost s danou adresou", "Notification Settings": "Nastavení oznámení", "Email summary": "E-mailový souhrn", @@ -3486,7 +3379,6 @@ "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", - "%(senderDisplayName)s changed the join rule to ask to join.": "%(senderDisplayName)s změnil(a) pravidlo žádosti o vstup.", "Update:We’ve simplified Notifications Settings to make options easier to find. Some custom settings you’ve chosen in the past are not shown here, but they’re still active. If you proceed, some of your settings may change. Learn more": "Aktualizace:Zjednodušili jsme Nastavení oznámení, aby bylo možné snadněji najít možnosti nastavení. Některá vlastní nastavení, která jste zvolili v minulosti, se zde nezobrazují, ale jsou stále aktivní. Pokud budete pokračovat, některá vaše nastavení se mohou změnit. Zjistit více", "Messages in this room are end-to-end encrypted. When people join, you can verify them in their profile, just tap on their profile picture.": "Zprávy v této místnosti jsou koncově šifrovány. Když lidé vstoupí, můžete je ověřit v jejich profilu, stačí klepnout na jejich profilový obrázek.", "Your server requires encryption to be disabled.": "Váš server vyžaduje vypnuté šifrování.", @@ -3614,7 +3506,9 @@ "not_trusted": "Nedůvěryhodné", "accessibility": "Přístupnost", "server": "Server", - "capabilities": "Schopnosti" + "capabilities": "Schopnosti", + "unnamed_room": "Nepojmenovaná místnost", + "unnamed_space": "Nejmenovaný prostor" }, "action": { "continue": "Pokračovat", @@ -3920,7 +3814,20 @@ "prompt_invite": "Potvrdit odeslání pozvánky potenciálně neplatným Matrix ID", "hardware_acceleration": "Povolit hardwarovou akceleraci (restartuje %(appName)s, aby se změna projevila)", "start_automatically": "Zahájit automaticky po přihlášení do systému", - "warn_quit": "Varovat před ukončením" + "warn_quit": "Varovat před ukončením", + "notifications": { + "rule_contains_display_name": "Zprávy obsahující mé zobrazované jméno", + "rule_contains_user_name": "Zprávy obsahující moje uživatelské jméno", + "rule_roomnotif": "Zprávy obsahující @room", + "rule_room_one_to_one": "Přímé zprávy", + "rule_message": "Zprávy ve skupinách", + "rule_encrypted": "Šifrované zprávy ve skupinách", + "rule_invite_for_me": "Pozvánka do místnosti", + "rule_call": "Pozvánka k hovoru", + "rule_suppress_notices": "Zprávy poslané robotem", + "rule_tombstone": "Při aktualizaci místnosti", + "rule_encrypted_room_one_to_one": "Šifrované přímé zprávy" + } }, "devtools": { "send_custom_account_data_event": "Odeslat vlastní událost s údaji o účtu", @@ -4012,5 +3919,122 @@ "room_id": "ID místnosti: %(roomId)s", "thread_root_id": "ID kořenového vlákna: %(threadRootId)s", "event_id": "ID události: %(eventId)s" + }, + "export_chat": { + "html": "HTML", + "json": "JSON", + "text": "Prostý text", + "from_the_beginning": "Od začátku", + "number_of_messages": "Zadejte počet zpráv", + "current_timeline": "Aktuální časová osa", + "creating_html": "Vytváření HTML…", + "starting_export": "Zahájení exportu…", + "export_successful": "Export byl úspěšný!", + "unload_confirm": "Opravdu chcete skončit během tohoto exportu?", + "generating_zip": "Vytvoření souboru ZIP", + "processing_event_n": "Zpracování události %(number)s z %(total)s", + "fetched_n_events_with_total": { + "one": "Načtena %(count)s událost z %(total)s", + "other": "Načteno %(count)s událostí z %(total)s" + }, + "fetched_n_events": { + "one": "Načtena %(count)s událost", + "other": "Načteno %(count)s událostí" + }, + "fetched_n_events_in_time": { + "one": "Načtena %(count)s událost za %(seconds)ss", + "other": "Načteno %(count)s událostí za %(seconds)ss" + }, + "exported_n_events_in_time": { + "one": "Exportována %(count)s událost za %(seconds)s sekund", + "other": "Exportováno %(count)s událostí za %(seconds)s sekund" + }, + "media_omitted": "Vynechaná média", + "media_omitted_file_size": "Vynechaná média - překročen limit velikosti souboru", + "creator_summary": "%(creatorName)s vytvořil(a) tuto místnost.", + "export_info": "Toto je začátek exportu . Exportováno pomocí v %(exportDate)s.", + "topic": "Téma: %(topic)s", + "previous_page": "Předchozí skupina zpráv", + "next_page": "Následující skupina zpráv", + "html_title": "Exportovaná data", + "error_fetching_file": "Chyba při načítání souboru", + "file_attached": "Přiložený soubor", + "fetching_events": "Stahování událostí…", + "creating_output": "Vytváření výstupu…" + }, + "create_room": { + "title_video_room": "Vytvořit video místnost", + "title_public_room": "Vytvořit veřejnou místnost", + "title_private_room": "Vytvořit neveřejnou místnost", + "action_create_video_room": "Vytvořit video místnost", + "action_create_room": "Vytvořit místnost" + }, + "timeline": { + "m.call": { + "video_call_started": "Videohovor byl zahájen v %(roomName)s.", + "video_call_started_unsupported": "Videohovor byl zahájen v %(roomName)s. (není podporováno tímto prohlížečem)" + }, + "m.call.invite": { + "voice_call": "%(senderName)s zahájil(a) hovor.", + "voice_call_unsupported": "%(senderName)s zahájil(a) hovor. (není podporováno tímto prohlížečem)", + "video_call": "%(senderName)s zahájil(a) videohovor.", + "video_call_unsupported": "%(senderName)s zahájil(a) videohovor. (není podporováno tímto prohlížečem)" + }, + "m.room.member": { + "accepted_3pid_invite": "%(targetName)s přijal(a) pozvání do %(displayName)s", + "accepted_invite": "%(targetName)s přijal(a) pozvání", + "invite": "%(senderName)s pozval(a) %(targetName)s", + "ban_reason": "%(senderName)s vykázal(a) %(targetName)s: %(reason)s", + "ban": "%(senderName)s vykázal(a) %(targetName)s", + "change_name_avatar": "%(oldDisplayName)s změnil(a) své zobrazované jméno a profilový obrázek", + "change_name": "%(oldDisplayName)s si změnil(a) zobrazované jméno na %(displayName)s", + "set_name": "%(senderName)s si změnil(a) zobrazované jméno na %(displayName)s", + "remove_name": "%(senderName)s odstranil(a) své zobrazované jméno (%(oldDisplayName)s)", + "remove_avatar": "%(senderName)s odstranil(a) svůj profilový obrázek", + "change_avatar": "%(senderName)s změnil(a) svůj profilový obrázek", + "set_avatar": "%(senderName)s si nastavil(a) profilový obrázek", + "no_change": "%(senderName)s neprovedl(a) žádnou změnu", + "join": "%(targetName)s vstoupil(a) do místnosti", + "reject_invite": "%(targetName)s odmítl(a) pozvání", + "left_reason": "%(targetName)s opustil(a) místnost: %(reason)s", + "left": "%(targetName)s opustil(a) místnost", + "unban": "%(senderName)s zrušil(a) vykázání uživatele %(targetName)s", + "withdrew_invite_reason": "%(senderName)s zrušil(a) pozvání pro uživatele %(targetName)s: %(reason)s", + "withdrew_invite": "%(senderName)s zrušil(a) pozvání pro uživatele %(targetName)s", + "kick_reason": "%(senderName)s odebral(a) %(targetName)s: %(reason)s", + "kick": "%(senderName)s odebral(a) %(targetName)s" + }, + "m.room.topic": "%(senderDisplayName)s změnil(a) téma na „%(topic)s“.", + "m.room.avatar": "%(senderDisplayName)s změnil(a) avatar místnosti.", + "m.room.name": { + "remove": "%(senderDisplayName)s odstranil(a) název místnosti.", + "change": "%(senderDisplayName)s změnil(a) jméno místnosti z %(oldRoomName)s na %(newRoomName)s.", + "set": "%(senderDisplayName)s změnil(a) název místnosti na %(roomName)s." + }, + "m.room.tombstone": "%(senderDisplayName)s aktualizoval(a) místnost.", + "m.room.join_rules": { + "public": "%(senderDisplayName)s zveřejnil(a) místnost pro všechny s odkazem.", + "invite": "%(senderDisplayName)s zpřístupnil(a) místnost pouze na pozvání.", + "knock": "%(senderDisplayName)s změnil(a) pravidlo žádosti o vstup.", + "restricted_settings": "%(senderDisplayName)s změnil, kdo se může vstoupit do této místnosti. Zobrazit nastavení.", + "restricted": "%(senderDisplayName)s změnil(a), kdo může vstoupit do této místnosti.", + "unknown": "%(senderDisplayName)s změnil(a) pravidlo k připojení na %(rule)s" + }, + "m.room.guest_access": { + "can_join": "%(senderDisplayName)s povolil(a) přístup hostům.", + "forbidden": "%(senderDisplayName)s zakázal(a) přístup hostům.", + "unknown": "%(senderDisplayName)s změnil(a) pravidlo pro přístup hostů na %(rule)s" + }, + "m.image": "%(senderDisplayName)s poslal(a) obrázek.", + "m.sticker": "%(senderDisplayName)s poslal(a) nálepku.", + "m.room.server_acl": { + "set": "%(senderDisplayName)s nastavil seznam přístupů serveru pro tuto místnost.", + "changed": "%(senderDisplayName)s změnil(a) seznam přístupů serveru pro tuto místnost.", + "all_servers_banned": "🎉 K místnosti nemá přístup žádný server! Místnost už nemůže být používána." + }, + "m.room.canonical_alias": { + "set": "%(senderName)s nastavil(a) hlavní adresu této místnosti na %(address)s.", + "removed": "%(senderName)s zrušil hlavní adresu této místnosti." + } } } diff --git a/src/i18n/strings/da.json b/src/i18n/strings/da.json index 3e73a608b50..d6db47fdb3e 100644 --- a/src/i18n/strings/da.json +++ b/src/i18n/strings/da.json @@ -87,14 +87,9 @@ "You are no longer ignoring %(userId)s": "Du ignorerer ikke længere %(userId)s", "Verified key": "Verificeret nøgle", "Reason": "Årsag", - "%(senderDisplayName)s changed the topic to \"%(topic)s\".": "%(senderDisplayName)s ændrede emnet til \"%(topic)s\".", - "%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s fjernede rumnavnet.", - "%(senderDisplayName)s changed the room name to %(roomName)s.": "%(senderDisplayName)s ændrede rumnavnet til %(roomName)s.", - "%(senderDisplayName)s sent an image.": "%(senderDisplayName)s sendte et billed.", "%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": "%(senderName)s inviterede %(targetDisplayName)s til rummet.", "Online": "Online", "Sunday": "Søndag", - "Messages sent by bot": "Beskeder sendt af en bot", "Notification targets": "Meddelelsesmål", "Today": "I dag", "Friday": "Fredag", @@ -104,8 +99,6 @@ "Waiting for response from server": "Venter på svar fra server", "Off": "Slukket", "This Room": "Dette rum", - "Messages containing my display name": "Beskeder der indeholder mit viste navn", - "Messages in one-to-one chats": "Beskeder i en-til-en chats", "Unavailable": "Utilgængelig", "Source URL": "Kilde URL", "Failed to add tag %(tagName)s to room": "Kunne ikke tilføje tag(s): %(tagName)s til rummet", @@ -114,7 +107,6 @@ "Noisy": "Støjende", "Collecting app version information": "Indsamler app versionsoplysninger", "Search…": "Søg…", - "When I'm invited to a room": "Når jeg bliver inviteret til et rum", "Tuesday": "Tirsdag", "Saturday": "Lørdag", "Monday": "Mandag", @@ -122,13 +114,11 @@ "Invite to this room": "Inviter til dette rum", "Send": "Send", "All messages": "Alle beskeder", - "Call invitation": "Opkalds invitation", "What's new?": "Hvad er nyt?", "All Rooms": "Alle rum", "You cannot delete this message. (%(code)s)": "Du kan ikke slette denne besked. (%(code)s)", "Thursday": "Torsdag", "Show message in desktop notification": "Vis besked i skrivebordsnotifikation", - "Messages in group chats": "Beskeder i gruppechats", "Yesterday": "I går", "Error encountered (%(errorDetail)s).": "En fejl er opstået (%(errorDetail)s).", "Low Priority": "Lav prioritet", @@ -149,7 +139,6 @@ "The server does not support the room version specified.": "Serveren understøtter ikke den oplyste rumversion.", "Failure to create room": "Rummet kunne ikke oprettes", "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s, %(day)s. %(monthName)s %(fullYear)s", - "Unnamed Room": "Unavngivet rum", "Unable to load! Check your network connectivity and try again.": "Kunne ikke hente! Tjek din netværksforbindelse og prøv igen.", "Missing roomId.": "roomId mangler.", "Messages": "Beskeder", @@ -179,15 +168,6 @@ "Sends the given message coloured as a rainbow": "Sender beskeden med regnbuefarver", "Sends the given emote coloured as a rainbow": "Sender emoji'en med regnbuefarver", "Displays list of commands with usages and descriptions": "Viser en liste over kommandoer med beskrivelser", - "%(senderDisplayName)s upgraded this room.": "%(senderDisplayName)s opgraderede dette rum.", - "%(senderDisplayName)s made the room public to whoever knows the link.": "%(senderDisplayName)s gjorde rummet offentligt for alle som kender linket.", - "%(senderDisplayName)s made the room invite only.": "%(senderDisplayName)s begrænsede adgang til rummet til kun inviterede.", - "%(senderDisplayName)s changed the join rule to %(rule)s": "%(senderDisplayName)s ændrede adgangsreglen til %(rule)s", - "%(senderDisplayName)s has allowed guests to join the room.": "%(senderDisplayName)s har givet gæster adgang til rummet.", - "%(senderDisplayName)s has prevented guests from joining the room.": "%(senderDisplayName)s har forhindret gæster i at tilgå rummet.", - "%(senderDisplayName)s changed guest access to %(rule)s": "%(senderDisplayName)s ændrede gæsteadgang til %(rule)s", - "%(senderName)s set the main address for this room to %(address)s.": "%(senderName)s satte hovedadressen af dette rum til %(address)s.", - "%(senderName)s removed the main address for this room.": "%(senderName)s fjernede hovedadressen for dette rum.", "%(senderName)s revoked the invitation for %(targetDisplayName)s to join the room.": "%(senderName)s tilbagetrak invitationen til %(targetDisplayName)s om at deltage i rummet.", "%(senderName)s made future room history visible to all room members, from the point they are invited.": "%(senderName)s gjorde fremtidig rumhistorik synligt for alle rummedlemmer, fra det tidspunkt de blev inviteredet.", "%(senderName)s made future room history visible to all room members, from the point they joined.": "%(senderName)s gjorde fremtidig rumhistorik synligt for alle rummedlemmer, fra det tidspunkt de blev medlem.", @@ -291,7 +271,6 @@ "Session already verified!": "Sessionen er allerede verificeret!", "The signing key you provided matches the signing key you received from %(userId)s's session %(deviceId)s. Session marked as verified.": "Underskriftsnøglen du supplerede matcher den underskriftsnøgle du modtog fra %(userId)s's session %(deviceId)s. Sessionen er markeret som verificeret.", "Displays information about a user": "Viser information om en bruger", - "%(senderDisplayName)s changed the room name from %(oldRoomName)s to %(newRoomName)s.": "%(senderDisplayName)s ændrede rumnavnet fra %(oldRoomName)s til %(newRoomName)s.", "%(senderName)s added the alternative addresses %(addresses)s for this room.": { "other": "%(senderName)s tilføjede de alternative adresser %(addresses)s til dette rum.", "one": "%(senderName)s tilføjede alternative adresser %(addresses)s til dette rum." @@ -303,10 +282,6 @@ "%(senderName)s changed the alternative addresses for this room.": "%(senderName)s ændrede de alternative adresser til dette rum.", "%(senderName)s changed the main and alternative addresses for this room.": "%(senderName)s ændrede hoved- og alternative adresser til dette rum.", "%(senderName)s changed the addresses for this room.": "%(senderName)s ændrede adresserne til dette rum.", - "%(senderName)s placed a voice call.": "%(senderName)s foretog et stemmeopkald.", - "%(senderName)s placed a voice call. (not supported by this browser)": "%(senderName)s foretog et stemmeopkald. (ikke understøttet af denne browser)", - "%(senderName)s placed a video call.": "%(senderName)s foretog et videoopkald.", - "%(senderName)s placed a video call. (not supported by this browser)": "%(senderName)s foretog et videoopkald. (ikke understøttet af denne browser)", "%(senderName)s removed the rule banning users matching %(glob)s": "%(senderName)s fjernede den regel der bannede brugere der matcher %(glob)s", "%(senderName)s removed the rule banning rooms matching %(glob)s": "%(senderName)s fjernede den regel der bannede brugere der matcher %(glob)s", "%(senderName)s removed the rule banning servers matching %(glob)s": "%(senderName)s fjernede den regel der bannede servere som matcher %(glob)s", @@ -672,7 +647,8 @@ "emoji": "Emoji", "someone": "Nogen", "encrypted": "Krypteret", - "matrix": "Matrix" + "matrix": "Matrix", + "unnamed_room": "Unavngivet rum" }, "action": { "continue": "Fortsæt", @@ -727,7 +703,15 @@ }, "settings": { "emoji_autocomplete": "Aktiver emoji forslag under indtastning", - "show_redaction_placeholder": "Vis en pladsholder for fjernede beskeder" + "show_redaction_placeholder": "Vis en pladsholder for fjernede beskeder", + "notifications": { + "rule_contains_display_name": "Beskeder der indeholder mit viste navn", + "rule_room_one_to_one": "Beskeder i en-til-en chats", + "rule_message": "Beskeder i gruppechats", + "rule_invite_for_me": "Når jeg bliver inviteret til et rum", + "rule_call": "Opkalds invitation", + "rule_suppress_notices": "Beskeder sendt af en bot" + } }, "devtools": { "event_type": "Begivenhedstype", @@ -736,5 +720,35 @@ "event_content": "Begivenhedsindhold", "toolbox": "Værktøjer", "developer_tools": "Udviklingsværktøjer" + }, + "timeline": { + "m.call.invite": { + "voice_call": "%(senderName)s foretog et stemmeopkald.", + "voice_call_unsupported": "%(senderName)s foretog et stemmeopkald. (ikke understøttet af denne browser)", + "video_call": "%(senderName)s foretog et videoopkald.", + "video_call_unsupported": "%(senderName)s foretog et videoopkald. (ikke understøttet af denne browser)" + }, + "m.room.topic": "%(senderDisplayName)s ændrede emnet til \"%(topic)s\".", + "m.room.name": { + "remove": "%(senderDisplayName)s fjernede rumnavnet.", + "change": "%(senderDisplayName)s ændrede rumnavnet fra %(oldRoomName)s til %(newRoomName)s.", + "set": "%(senderDisplayName)s ændrede rumnavnet til %(roomName)s." + }, + "m.room.tombstone": "%(senderDisplayName)s opgraderede dette rum.", + "m.room.join_rules": { + "public": "%(senderDisplayName)s gjorde rummet offentligt for alle som kender linket.", + "invite": "%(senderDisplayName)s begrænsede adgang til rummet til kun inviterede.", + "unknown": "%(senderDisplayName)s ændrede adgangsreglen til %(rule)s" + }, + "m.room.guest_access": { + "can_join": "%(senderDisplayName)s har givet gæster adgang til rummet.", + "forbidden": "%(senderDisplayName)s har forhindret gæster i at tilgå rummet.", + "unknown": "%(senderDisplayName)s ændrede gæsteadgang til %(rule)s" + }, + "m.image": "%(senderDisplayName)s sendte et billed.", + "m.room.canonical_alias": { + "set": "%(senderName)s satte hovedadressen af dette rum til %(address)s.", + "removed": "%(senderName)s fjernede hovedadressen for dette rum." + } } } diff --git a/src/i18n/strings/de_DE.json b/src/i18n/strings/de_DE.json index dea6dafcea8..fe677c1e5ee 100644 --- a/src/i18n/strings/de_DE.json +++ b/src/i18n/strings/de_DE.json @@ -94,8 +94,6 @@ "%(weekDayName)s %(time)s": "%(weekDayName)s, %(time)s", "This server does not support authentication with a phone number.": "Dieser Server unterstützt keine Authentifizierung per Telefonnummer.", "%(senderName)s changed the power level of %(powerLevelDiffText)s.": "%(senderName)s hat das Berechtigungslevel von %(powerLevelDiffText)s geändert.", - "%(senderDisplayName)s changed the room name to %(roomName)s.": "%(senderDisplayName)s hat den Raumnamen geändert zu %(roomName)s.", - "%(senderDisplayName)s changed the topic to \"%(topic)s\".": "%(senderDisplayName)s hat das Thema geändert in \"%(topic)s\".", "Failed to send request.": "Übertragung der Anfrage fehlgeschlagen.", "%(userId)s from %(fromPowerLevel)s to %(toPowerLevel)s": "%(userId)s von %(fromPowerLevel)s zu %(toPowerLevel)s", "%(senderName)s made future room history visible to all room members, from the point they are invited.": "%(senderName)s hat den Verlauf für alle Raummitglieder ab ihrer Einladung sichtbar gemacht.", @@ -108,7 +106,6 @@ "Power level must be positive integer.": "Berechtigungslevel muss eine positive ganze Zahl sein.", "Reason": "Grund", "Room %(roomId)s not visible": "Raum %(roomId)s ist nicht sichtbar", - "%(senderDisplayName)s sent an image.": "%(senderDisplayName)s hat ein Bild gesendet.", "%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": "%(senderName)s hat %(targetDisplayName)s in diesen Raum eingeladen.", "This room is not recognised.": "Dieser Raum wurde nicht erkannt.", "Usage": "Verwendung", @@ -160,7 +157,6 @@ "Error decrypting attachment": "Fehler beim Entschlüsseln des Anhangs", "Operation failed": "Aktion fehlgeschlagen", "Invalid file%(extra)s": "Ungültige Datei%(extra)s", - "%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s hat den Raumnamen entfernt.", "Passphrases must match": "Passphrases müssen übereinstimmen", "Passphrase must not be empty": "Passphrase darf nicht leer sein", "Export room keys": "Raum-Schlüssel exportieren", @@ -224,7 +220,6 @@ "%(roomName)s does not exist.": "%(roomName)s existiert nicht.", "%(roomName)s is not accessible at this time.": "Auf %(roomName)s kann momentan nicht zugegriffen werden.", "Start authentication": "Authentifizierung beginnen", - "Unnamed Room": "Unbenannter Raum", "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (Berechtigungslevel %(powerLevelNumber)s)", "(~%(count)s results)": { "one": "(~%(count)s Ergebnis)", @@ -399,11 +394,8 @@ "Waiting for response from server": "Warte auf Antwort vom Server", "Failed to send logs: ": "Senden von Protokolldateien fehlgeschlagen: ", "This Room": "In diesem Raum", - "Messages containing my display name": "Nachrichten mit meinem Anzeigenamen", - "Messages in one-to-one chats": "Direktnachrichten", "Unavailable": "Nicht verfügbar", "Source URL": "Quell-URL", - "Messages sent by bot": "Nachrichten von Bots", "Filter results": "Ergebnisse filtern", "No update available.": "Keine Aktualisierung verfügbar.", "Noisy": "Laut", @@ -417,15 +409,12 @@ "Wednesday": "Mittwoch", "You cannot delete this message. (%(code)s)": "Diese Nachricht kann nicht gelöscht werden. (%(code)s)", "All messages": "Alle Nachrichten", - "Call invitation": "Anrufe", "What's new?": "Was ist neu?", - "When I'm invited to a room": "Einladungen", "All Rooms": "In allen Räumen", "Thursday": "Donnerstag", "Search…": "Suchen…", "Logs sent": "Protokolldateien gesendet", "Show message in desktop notification": "Nachrichteninhalt in der Desktopbenachrichtigung anzeigen", - "Messages in group chats": "Gruppenunterhaltungen", "Yesterday": "Gestern", "Error encountered (%(errorDetail)s).": "Es ist ein Fehler aufgetreten (%(errorDetail)s).", "Low Priority": "Niedrige Priorität", @@ -484,8 +473,6 @@ "The room upgrade could not be completed": "Die Raumaktualisierung konnte nicht fertiggestellt werden", "Upgrade this room to version %(version)s": "Raum auf Version %(version)s aktualisieren", "Forces the current outbound group session in an encrypted room to be discarded": "Erzwingt, dass die aktuell ausgehende Gruppensitzung in einem verschlüsseltem Raum verworfen wird", - "%(senderName)s set the main address for this room to %(address)s.": "%(senderName)s hat als Hauptadresse des Raums %(address)s festgelegt.", - "%(senderName)s removed the main address for this room.": "%(senderName)s hat die Hauptadresse von diesem Raum entfernt.", "Before submitting logs, you must create a GitHub issue to describe your problem.": "Bevor du Protokolldateien übermittelst, musst du auf GitHub einen \"Issue\" erstellen um dein Problem zu beschreiben.", "%(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 benutzt nun 3 bis 5 Mal weniger Arbeitsspeicher, indem Informationen über andere Nutzer erst bei Bedarf geladen werden. Bitte warte, während die Daten erneut mit dem Server abgeglichen werden!", "Updating %(brand)s": "Aktualisiere %(brand)s", @@ -533,9 +520,6 @@ "You do not have permission to invite people to this room.": "Du hast keine Berechtigung, Personen in diesen Raum einzuladen.", "Unknown server error": "Unbekannter Server-Fehler", "Short keyboard patterns are easy to guess": "Kurze Tastaturmuster sind einfach zu erraten", - "Messages containing @room": "Nachrichten mit @room", - "Encrypted messages in one-to-one chats": "Verschlüsselte Direktnachrichten", - "Encrypted messages in group chats": "Verschlüsselte Gruppenunterhaltungen", "Use a longer keyboard pattern with more turns": "Nutze ein längeres Tastaturmuster mit mehr Abwechslung", "Straight rows of keys are easy to guess": "Gerade Reihen von Tasten sind einfach zu erraten", "Unable to load key backup status": "Konnte Status der Schlüsselsicherung nicht laden", @@ -560,14 +544,12 @@ "Invite anyway": "Dennoch einladen", "Upgrades a room to a new version": "Aktualisiert den Raum auf eine neue Version", "Sets the room name": "Setze einen Raumnamen", - "%(senderDisplayName)s upgraded this room.": "%(senderDisplayName)s hat diesen Raum aktualisiert.", "%(displayName)s is typing …": "%(displayName)s tippt …", "%(names)s and %(count)s others are typing …": { "other": "%(names)s und %(count)s andere tippen …", "one": "%(names)s und eine weitere Person tippen …" }, "%(names)s and %(lastPerson)s are typing …": "%(names)s und %(lastPerson)s tippen …", - "Messages containing my username": "Nachrichten mit meinem Benutzernamen", "The other party cancelled the verification.": "Die Gegenstelle hat die Überprüfung abgebrochen.", "Verified!": "Verifiziert!", "You've successfully verified this user.": "Du hast diesen Benutzer erfolgreich verifiziert.", @@ -599,12 +581,6 @@ "Room list": "Raumliste", "The file '%(fileName)s' exceeds this homeserver's size limit for uploads": "Die Datei „%(fileName)s“ überschreitet das Hochladelimit deines Heim-Servers", "This room has no topic.": "Dieser Raum hat kein Thema.", - "%(senderDisplayName)s made the room public to whoever knows the link.": "%(senderDisplayName)s hat den Raum für jeden, der den Link kennt, öffentlich gemacht.", - "%(senderDisplayName)s made the room invite only.": "%(senderDisplayName)s hat den Raum auf eingeladene Benutzer beschränkt.", - "%(senderDisplayName)s changed the join rule to %(rule)s": "%(senderDisplayName)s hat die Zutrittsregel auf „%(rule)s“ geändert", - "%(senderDisplayName)s has allowed guests to join the room.": "%(senderDisplayName)s erlaubte Gäste diesem Raum beizutreten.", - "%(senderDisplayName)s has prevented guests from joining the room.": "%(senderDisplayName)s hat Gästen verboten, diesem Raum beizutreten.", - "%(senderDisplayName)s changed guest access to %(rule)s": "%(senderDisplayName)s änderte den Gastzutritt auf „%(rule)s“", "Unable to find a supported verification method.": "Konnte keine unterstützte Verifikationsmethode finden.", "Dog": "Hund", "Cat": "Katze", @@ -816,10 +792,6 @@ "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)", "Error upgrading room": "Fehler bei Raumaktualisierung", "Double check that your server supports the room version chosen and try again.": "Überprüfe nochmal ob dein Server die ausgewählte Raumversion unterstützt und versuche es nochmal.", - "%(senderName)s placed a voice call.": "%(senderName)s hat einen Sprachanruf getätigt.", - "%(senderName)s placed a voice call. (not supported by this browser)": "%(senderName)s hat einen Sprachanruf getätigt. (Nicht von diesem Browser unterstützt)", - "%(senderName)s placed a video call.": "%(senderName)s hat einen Videoanruf getätigt.", - "%(senderName)s placed a video call. (not supported by this browser)": "%(senderName)s hat einen Videoanruf getätigt. (Nicht von diesem Browser unterstützt)", "Verify this session": "Sitzung verifizieren", "%(senderName)s updated an invalid ban rule": "%(senderName)s aktualisierte eine ungültige Ausschlussregel", "Enable message search in encrypted rooms": "Nachrichtensuche in verschlüsselten Räumen aktivieren", @@ -902,7 +874,6 @@ "%(name)s wants to verify": "%(name)s will eine Verifizierung", "Your display name": "Dein Anzeigename", "Please enter a name for the room": "Bitte gib einen Namen für den Raum ein", - "Create a private room": "Einen privaten Raum erstellen", "Topic (optional)": "Thema (optional)", "Hide advanced": "Erweiterte Einstellungen ausblenden", "Session name": "Sitzungsname", @@ -915,7 +886,6 @@ "Sign In or Create Account": "Anmelden oder Konto erstellen", "Use your account or create a new one to continue.": "Benutze dein Konto oder erstelle ein neues, um fortzufahren.", "Create Account": "Konto erstellen", - "When rooms are upgraded": "Raumaktualisierungen", "Scan this unique code": "Lese diesen eindeutigen Code ein", "Compare unique emoji": "Vergleiche einzigartige Emojis", "Discovery": "Kontakte", @@ -956,7 +926,6 @@ }, "%(senderName)s changed the addresses for this room.": "%(senderName)s hat die Adresse für diesen Raum geändert.", "Displays information about a user": "Zeigt Informationen über Benutzer", - "%(senderDisplayName)s changed the room name from %(oldRoomName)s to %(newRoomName)s.": "%(senderDisplayName)s hat den Raumnamen von %(oldRoomName)s zu %(newRoomName)s geändert.", "%(senderName)s removed the alternative addresses %(addresses)s for this room.": { "other": "%(senderName)s hat die alternativen Adressen %(addresses)s für diesen Raum entfernt.", "one": "%(senderName)s hat die alternative Adresse %(addresses)s für diesen Raum entfernt." @@ -1000,7 +969,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.", - "Create a public room": "Öffentlichen Raum erstellen", "Show advanced": "Erweiterte Einstellungen", "Verify session": "Sitzung verifizieren", "Session key": "Sitzungsschlüssel", @@ -1440,7 +1408,6 @@ "%(senderName)s is calling": "%(senderName)s ruft an", "%(senderName)s: %(message)s": "%(senderName)s: %(message)s", "%(senderName)s: %(stickerName)s": "%(senderName)s: %(stickerName)s", - "%(senderName)s invited %(targetName)s": "%(senderName)s hat %(targetName)s eingeladen", "Message deleted on %(date)s": "Nachricht am %(date)s gelöscht", "Wrong file type": "Falscher Dateityp", "Unknown caller": "Unbekannter Anrufer", @@ -1543,9 +1510,6 @@ }, "Show Widgets": "Widgets anzeigen", "Hide Widgets": "Widgets verstecken", - "🎉 All servers are banned from participating! This room can no longer be used.": "🎉 Alle Server sind von der Teilnahme ausgeschlossen! Dieser Raum kann nicht mehr genutzt werden.", - "%(senderDisplayName)s changed the server ACLs for this room.": "%(senderDisplayName)s hat die Server-ACLs für diesen Raum geändert.", - "%(senderDisplayName)s set the server ACLs for this room.": "%(senderDisplayName)s hat die Server-ACLs für diesen Raum gesetzt.", "The call was answered on another device.": "Der Anruf wurde auf einem anderen Gerät angenommen.", "Answered Elsewhere": "Anderswo beantwortet", "The call could not be established": "Der Anruf kann nicht getätigt werden", @@ -2039,7 +2003,6 @@ "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", - "Unnamed Space": "Unbenannter Space", "Invite to %(spaceName)s": "In %(spaceName)s einladen", "Spaces": "Spaces", "Invite with email or username": "Personen mit E-Mail oder Benutzernamen einladen", @@ -2211,24 +2174,6 @@ "e.g. my-space": "z. B. mein-space", "Sound on": "Ton an", "%(senderName)s changed the pinned messages for the room.": "%(senderName)s hat die angehefteten Nachrichten geändert.", - "%(senderName)s withdrew %(targetName)s's invitation": "%(senderName)s hat die Einladung für %(targetName)s zurückgezogen", - "%(senderName)s withdrew %(targetName)s's invitation: %(reason)s": "%(senderName)s hat die Einladung für %(targetName)s zurückgezogen: %(reason)s", - "%(senderName)s unbanned %(targetName)s": "%(senderName)s hat %(targetName)s entbannt", - "%(targetName)s left the room": "%(targetName)s hat den Raum verlassen", - "%(targetName)s left the room: %(reason)s": "%(targetName)s hat den Raum verlassen: %(reason)s", - "%(targetName)s rejected the invitation": "%(targetName)s hat die Einladung abgelehnt", - "%(targetName)s joined the room": "%(targetName)s hat den Raum betreten", - "%(senderName)s made no change": "%(senderName)s hat keine Änderungen gemacht", - "%(senderName)s set a profile picture": "%(senderName)s hat das Profilbild gesetzt", - "%(senderName)s changed their profile picture": "%(senderName)s hat das Profilbild geändert", - "%(senderName)s removed their profile picture": "%(senderName)s hat das Profilbild entfernt", - "%(senderName)s removed their display name (%(oldDisplayName)s)": "%(senderName)s hat den alten Anzeigenamen %(oldDisplayName)s entfernt", - "%(senderName)s set their display name to %(displayName)s": "%(senderName)s hat den Anzeigenamen zu %(displayName)s geändert", - "%(oldDisplayName)s changed their display name to %(displayName)s": "%(oldDisplayName)s hat den Anzeigenamen zu %(displayName)s geändert", - "%(senderName)s banned %(targetName)s": "%(senderName)s hat %(targetName)s verbannt", - "%(senderName)s banned %(targetName)s: %(reason)s": "%(senderName)s hat %(targetName)s verbannt: %(reason)s", - "%(targetName)s accepted an invitation": "%(targetName)s hat die Einladung akzeptiert", - "%(targetName)s accepted the invitation for %(displayName)s": "%(targetName)s hat die Einladung für %(displayName)s akzeptiert", "Some invites couldn't be sent": "Einige Einladungen konnten nicht versendet werden", "We sent the others, but the below people couldn't be invited to ": "Die anderen wurden gesendet, aber die folgenden Leute konnten leider nicht in eingeladen werden", "Message search initialisation failed, check your settings for more information": "Initialisierung der Suche fehlgeschlagen, für weitere Informationen öffne deine Einstellungen", @@ -2443,22 +2388,6 @@ "Loading new room": "Neuer Raum wird geladen", "Upgrading room": "Raum wird aktualisiert", "Developer mode": "Entwicklungsmodus", - "File Attached": "Datei angehängt", - "Error fetching file": "Fehler beim Laden der Datei", - "Topic: %(topic)s": "Themen: %(topic)s", - "This is the start of export of . Exported by at %(exportDate)s.": "Das ist der Anfang des Exports von . Von um %(exportDate)s exportiert.", - "%(creatorName)s created this room.": "%(creatorName)s hat diesen Raum erstellt.", - "Media omitted - file size limit exceeded": "Medien ausgelassen - Datei zu groß", - "Media omitted": "Medien ausgelassen", - "Current Timeline": "Aktueller Verlauf", - "Specify a number of messages": "Nachrichtenanzahl angeben", - "From the beginning": "Von Anfang an", - "Plain Text": "Klartext", - "JSON": "JSON", - "HTML": "HTML", - "Are you sure you want to exit during this export?": "Willst du den Export wirklich abbrechen?", - "%(senderDisplayName)s sent a sticker.": "%(senderDisplayName)s hat einen Sticker gesendet.", - "%(senderDisplayName)s changed the room avatar.": "%(senderDisplayName)s hat das Raumbild geändert.", "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.", @@ -2511,8 +2440,6 @@ }, "Automatically send debug logs on any error": "Sende bei Fehlern automatisch Protokolle zur Fehlerkorrektur", "Use a more compact 'Modern' layout": "Modernes kompaktes Layout verwenden", - "%(senderDisplayName)s changed who can join this room.": "%(senderDisplayName)s hat geändert, wer diesen Raum betreten darf.", - "%(senderDisplayName)s changed who can join this room. View settings.": "%(senderDisplayName)s hat geändert, wer diesen Raum betreten darf. Einstellungen anzeigen.", "Someone already has that username, please try another.": "Dieser Benutzername wird bereits genutzt, bitte versuche es mit einem anderen.", "You're all caught up": "Du bist auf dem neuesten Stand", "Own your conversations.": "Besitze deine Unterhaltungen.", @@ -2626,25 +2553,6 @@ "Copy room link": "Raumlink kopieren", "Manage pinned events": "Angeheftete Ereignisse verwalten", "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.", - "Exported %(count)s events in %(seconds)s seconds": { - "one": "%(count)s Ereignis in %(seconds)s Sekunden exportiert", - "other": "%(count)s Ereignisse in %(seconds)s Sekunden exportiert" - }, - "Export successful!": "Die Daten wurden erfolgreich exportiert!", - "Fetched %(count)s events in %(seconds)ss": { - "one": "%(count)s Ereignis in %(seconds)s s abgerufen", - "other": "%(count)s Ereignisse in %(seconds)s s abgerufen" - }, - "Processing event %(number)s out of %(total)s": "Verarbeite Event %(number)s von %(total)s", - "Fetched %(count)s events so far": { - "one": "Bisher wurde %(count)s Ereignis abgerufen", - "other": "Bisher wurden %(count)s Ereignisse abgerufen" - }, - "Fetched %(count)s events out of %(total)s": { - "one": "%(count)s von %(total)s Ereignis abgerufen", - "other": "%(count)s von %(total)s Ereignisse abgerufen" - }, - "Generating a ZIP": "ZIP-Archiv wird generiert", "We were unable to understand the given date (%(inputDate)s). Try using the format YYYY-MM-DD.": "Ups! Leider können wir das Datum \"%(inputDate)s\" nicht verstehen. Bitte gib es im Format JJJJ-MM-TT (Jahr-Monat-Tag) ein.", "Messaging": "Kommunikation", "Close this widget to view it in this panel": "Widget schließen und in diesem Panel anzeigen", @@ -2666,8 +2574,6 @@ "Back to chat": "Zurück zur Unterhaltung", "Remove, ban, or invite people to your active room, and make you leave": "Entferne, verbanne oder lade andere in deinen aktiven Raum ein und verlasse den Raum selbst", "Remove, ban, or invite people to this room, and make you leave": "Entferne, verbanne oder lade andere in diesen Raum ein und verlasse den Raum selbst", - "%(senderName)s removed %(targetName)s": "%(senderName)s hat %(targetName)s entfernt", - "%(senderName)s removed %(targetName)s: %(reason)s": "%(senderName)s hat %(targetName)s entfernt: %(reason)s", "No active call in this room": "Kein aktiver Anruf in diesem Raum", "Unable to find Matrix ID for phone number": "Dieser Telefonnummer kann keine Matrix-ID zugeordnet werden", "Unknown (user, session) pair: (%(userId)s, %(deviceId)s)": "Unbekanntes Paar (Nutzer, Sitzung): (%(userId)s, %(deviceId)s)", @@ -2939,7 +2845,6 @@ "You will not be able to reactivate your account": "Du wirst dein Konto nicht reaktivieren können", "Confirm that you would like to deactivate your account. If you proceed:": "Bestätige, dass du dein Konto deaktivieren möchtest. Wenn du fortfährst, tritt folgendes ein:", "To continue, please enter your account password:": "Um fortzufahren, gib bitte das Passwort deines Kontos ein:", - "Create room": "Raum erstellen", "%(featureName)s Beta feedback": "Rückmeldung zur %(featureName)s-Beta", "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.": "Hilf uns dabei Probleme zu identifizieren und %(analyticsOwner)s zu verbessern, indem du anonyme Nutzungsdaten teilst. Um zu verstehen, wie Personen mehrere Geräte verwenden, werden wir eine zufällige Kennung generieren, die zwischen deinen Geräten geteilt wird.", "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.", @@ -2970,7 +2875,6 @@ "Add new server…": "Neuen Server hinzufügen …", "Show: %(instance)s rooms (%(server)s)": "%(instance)s Räume zeigen (%(server)s)", "Show: Matrix rooms": "Zeige: Matrix-Räume", - "Create a video room": "Videoraum erstellen", "Open room": "Raum öffnen", "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.": "Wenn du dich abmeldest, werden die Schlüssel auf diesem Gerät gelöscht. Das bedeutet, dass du keine verschlüsselten Nachrichten mehr lesen kannst, wenn du die Schlüssel nicht auf einem anderen Gerät oder eine Sicherung auf dem Server hast.", "Ignore user": "Nutzer ignorieren", @@ -3066,7 +2970,6 @@ "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", - "Create video room": "Videoraum erstellen", "Google Play and the Google Play logo are trademarks of Google LLC.": "Google Play und das Google Play Logo sind eingetragene Markenzeichen von Google LLC.", "App Store® and the Apple logo® are trademarks of Apple Inc.": "App Store® und das Apple Logo® sind eingetragene Markenzeichen von Apple Inc.", "Download on the App Store": "Im App Store herunterladen", @@ -3145,8 +3048,6 @@ "Unknown session type": "Unbekannter Sitzungstyp", "Video call started": "Videoanruf hat begonnen", "Unknown room": "Unbekannter Raum", - "Video call started in %(roomName)s. (not supported by this browser)": "Ein Videoanruf hat in %(roomName)s begonnen. (Von diesem Browser nicht unterstützt)", - "Video call started in %(roomName)s.": "Ein Videoanruf hat in %(roomName)s begonnen.", "Fill screen": "Bildschirm füllen", "Freedom": "Freiraum", "Spotlight": "Rampenlicht", @@ -3358,11 +3259,7 @@ "Connecting to integration manager…": "Verbinde mit Integrationsassistent …", "Saving…": "Speichere …", "Creating…": "Erstelle …", - "Creating output…": "Erstelle Ausgabe …", - "Fetching events…": "Rufe Ereignisse ab …", "Starting export process…": "Beginne Exportvorgang …", - "Creating HTML…": "Erstelle HTML …", - "Starting export…": "Beginne Export …", "Unable to connect to Homeserver. Retrying…": "Verbindung mit Heim-Server fehlgeschlagen. Versuche es erneut …", "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.", @@ -3449,7 +3346,6 @@ "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", - "%(oldDisplayName)s changed their display name and profile picture": "%(oldDisplayName)s hat den Anzeigenamen und das Profilbild geändert", "Your language": "Deine Sprache", "Your device ID": "Deine Geräte-ID", "Allow fallback call assist server (%(server)s)": "Ersatz-Anrufassistenz-Server erlauben (%(server)s)", @@ -3462,11 +3358,7 @@ "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.", "Changes your profile picture in all rooms": "Ändert dein Profilbild in allen Räumen", "Changes your profile picture in this current room only": "Ändert dein Profilbild ausschließlich im aktuellen Raum", - "%(senderDisplayName)s changed the join rule to ask to join.": "%(senderDisplayName)s hat die Zutrittsregel auf Beitrittsanfragen geändert.", "User cannot be invited until they are unbanned": "Benutzer kann nicht eingeladen werden, solange er nicht entbannt ist", - "Previous group of messages": "Vorherige Nachrichtengruppe", - "Next group of messages": "Nächste Nachrichtengruppe", - "Exported Data": "Exportierte Daten", "Notification Settings": "Benachrichtigungseinstellungen", "People, Mentions and Keywords": "Personen, Erwähnungen und Schlüsselwörter", "Update:We’ve simplified Notifications Settings to make options easier to find. Some custom settings you’ve chosen in the past are not shown here, but they’re still active. If you proceed, some of your settings may change. Learn more": "Aktualisierung: Wir haben die Benachrichtigungseinstellungen vereinfacht, damit Optionen schneller zu finden sind. Einige benutzerdefinierte Einstellungen werden hier nicht angezeigt, sind aber dennoch aktiv. Wenn du fortfährst, könnten sich einige Einstellungen ändern. Erfahre mehr", @@ -3614,7 +3506,9 @@ "not_trusted": "Nicht vertrauenswürdig", "accessibility": "Barrierefreiheit", "server": "Server", - "capabilities": "Funktionen" + "capabilities": "Funktionen", + "unnamed_room": "Unbenannter Raum", + "unnamed_space": "Unbenannter Space" }, "action": { "continue": "Fortfahren", @@ -3920,7 +3814,20 @@ "prompt_invite": "Warnen, bevor du Einladungen zu ungültigen Matrix-IDs sendest", "hardware_acceleration": "Hardwarebeschleunigung aktivieren (Neustart von %(appName)s erforderlich)", "start_automatically": "Nach Systemstart automatisch starten", - "warn_quit": "Vor Beenden warnen" + "warn_quit": "Vor Beenden warnen", + "notifications": { + "rule_contains_display_name": "Nachrichten mit meinem Anzeigenamen", + "rule_contains_user_name": "Nachrichten mit meinem Benutzernamen", + "rule_roomnotif": "Nachrichten mit @room", + "rule_room_one_to_one": "Direktnachrichten", + "rule_message": "Gruppenunterhaltungen", + "rule_encrypted": "Verschlüsselte Gruppenunterhaltungen", + "rule_invite_for_me": "Einladungen", + "rule_call": "Anrufe", + "rule_suppress_notices": "Nachrichten von Bots", + "rule_tombstone": "Raumaktualisierungen", + "rule_encrypted_room_one_to_one": "Verschlüsselte Direktnachrichten" + } }, "devtools": { "send_custom_account_data_event": "Sende benutzerdefiniertes Kontodatenereignis", @@ -4012,5 +3919,122 @@ "room_id": "Raum-ID: %(roomId)s", "thread_root_id": "Thread-Ursprungs-ID: %(threadRootId)s", "event_id": "Event-ID: %(eventId)s" + }, + "export_chat": { + "html": "HTML", + "json": "JSON", + "text": "Klartext", + "from_the_beginning": "Von Anfang an", + "number_of_messages": "Nachrichtenanzahl angeben", + "current_timeline": "Aktueller Verlauf", + "creating_html": "Erstelle HTML …", + "starting_export": "Beginne Export …", + "export_successful": "Die Daten wurden erfolgreich exportiert!", + "unload_confirm": "Willst du den Export wirklich abbrechen?", + "generating_zip": "ZIP-Archiv wird generiert", + "processing_event_n": "Verarbeite Event %(number)s von %(total)s", + "fetched_n_events_with_total": { + "one": "%(count)s von %(total)s Ereignis abgerufen", + "other": "%(count)s von %(total)s Ereignisse abgerufen" + }, + "fetched_n_events": { + "one": "Bisher wurde %(count)s Ereignis abgerufen", + "other": "Bisher wurden %(count)s Ereignisse abgerufen" + }, + "fetched_n_events_in_time": { + "one": "%(count)s Ereignis in %(seconds)s s abgerufen", + "other": "%(count)s Ereignisse in %(seconds)s s abgerufen" + }, + "exported_n_events_in_time": { + "one": "%(count)s Ereignis in %(seconds)s Sekunden exportiert", + "other": "%(count)s Ereignisse in %(seconds)s Sekunden exportiert" + }, + "media_omitted": "Medien ausgelassen", + "media_omitted_file_size": "Medien ausgelassen - Datei zu groß", + "creator_summary": "%(creatorName)s hat diesen Raum erstellt.", + "export_info": "Das ist der Anfang des Exports von . Von um %(exportDate)s exportiert.", + "topic": "Themen: %(topic)s", + "previous_page": "Vorherige Nachrichtengruppe", + "next_page": "Nächste Nachrichtengruppe", + "html_title": "Exportierte Daten", + "error_fetching_file": "Fehler beim Laden der Datei", + "file_attached": "Datei angehängt", + "fetching_events": "Rufe Ereignisse ab …", + "creating_output": "Erstelle Ausgabe …" + }, + "create_room": { + "title_video_room": "Videoraum erstellen", + "title_public_room": "Öffentlichen Raum erstellen", + "title_private_room": "Einen privaten Raum erstellen", + "action_create_video_room": "Videoraum erstellen", + "action_create_room": "Raum erstellen" + }, + "timeline": { + "m.call": { + "video_call_started": "Ein Videoanruf hat in %(roomName)s begonnen.", + "video_call_started_unsupported": "Ein Videoanruf hat in %(roomName)s begonnen. (Von diesem Browser nicht unterstützt)" + }, + "m.call.invite": { + "voice_call": "%(senderName)s hat einen Sprachanruf getätigt.", + "voice_call_unsupported": "%(senderName)s hat einen Sprachanruf getätigt. (Nicht von diesem Browser unterstützt)", + "video_call": "%(senderName)s hat einen Videoanruf getätigt.", + "video_call_unsupported": "%(senderName)s hat einen Videoanruf getätigt. (Nicht von diesem Browser unterstützt)" + }, + "m.room.member": { + "accepted_3pid_invite": "%(targetName)s hat die Einladung für %(displayName)s akzeptiert", + "accepted_invite": "%(targetName)s hat die Einladung akzeptiert", + "invite": "%(senderName)s hat %(targetName)s eingeladen", + "ban_reason": "%(senderName)s hat %(targetName)s verbannt: %(reason)s", + "ban": "%(senderName)s hat %(targetName)s verbannt", + "change_name_avatar": "%(oldDisplayName)s hat den Anzeigenamen und das Profilbild geändert", + "change_name": "%(oldDisplayName)s hat den Anzeigenamen zu %(displayName)s geändert", + "set_name": "%(senderName)s hat den Anzeigenamen zu %(displayName)s geändert", + "remove_name": "%(senderName)s hat den alten Anzeigenamen %(oldDisplayName)s entfernt", + "remove_avatar": "%(senderName)s hat das Profilbild entfernt", + "change_avatar": "%(senderName)s hat das Profilbild geändert", + "set_avatar": "%(senderName)s hat das Profilbild gesetzt", + "no_change": "%(senderName)s hat keine Änderungen gemacht", + "join": "%(targetName)s hat den Raum betreten", + "reject_invite": "%(targetName)s hat die Einladung abgelehnt", + "left_reason": "%(targetName)s hat den Raum verlassen: %(reason)s", + "left": "%(targetName)s hat den Raum verlassen", + "unban": "%(senderName)s hat %(targetName)s entbannt", + "withdrew_invite_reason": "%(senderName)s hat die Einladung für %(targetName)s zurückgezogen: %(reason)s", + "withdrew_invite": "%(senderName)s hat die Einladung für %(targetName)s zurückgezogen", + "kick_reason": "%(senderName)s hat %(targetName)s entfernt: %(reason)s", + "kick": "%(senderName)s hat %(targetName)s entfernt" + }, + "m.room.topic": "%(senderDisplayName)s hat das Thema geändert in \"%(topic)s\".", + "m.room.avatar": "%(senderDisplayName)s hat das Raumbild geändert.", + "m.room.name": { + "remove": "%(senderDisplayName)s hat den Raumnamen entfernt.", + "change": "%(senderDisplayName)s hat den Raumnamen von %(oldRoomName)s zu %(newRoomName)s geändert.", + "set": "%(senderDisplayName)s hat den Raumnamen geändert zu %(roomName)s." + }, + "m.room.tombstone": "%(senderDisplayName)s hat diesen Raum aktualisiert.", + "m.room.join_rules": { + "public": "%(senderDisplayName)s hat den Raum für jeden, der den Link kennt, öffentlich gemacht.", + "invite": "%(senderDisplayName)s hat den Raum auf eingeladene Benutzer beschränkt.", + "knock": "%(senderDisplayName)s hat die Zutrittsregel auf Beitrittsanfragen geändert.", + "restricted_settings": "%(senderDisplayName)s hat geändert, wer diesen Raum betreten darf. Einstellungen anzeigen.", + "restricted": "%(senderDisplayName)s hat geändert, wer diesen Raum betreten darf.", + "unknown": "%(senderDisplayName)s hat die Zutrittsregel auf „%(rule)s“ geändert" + }, + "m.room.guest_access": { + "can_join": "%(senderDisplayName)s erlaubte Gäste diesem Raum beizutreten.", + "forbidden": "%(senderDisplayName)s hat Gästen verboten, diesem Raum beizutreten.", + "unknown": "%(senderDisplayName)s änderte den Gastzutritt auf „%(rule)s“" + }, + "m.image": "%(senderDisplayName)s hat ein Bild gesendet.", + "m.sticker": "%(senderDisplayName)s hat einen Sticker gesendet.", + "m.room.server_acl": { + "set": "%(senderDisplayName)s hat die Server-ACLs für diesen Raum gesetzt.", + "changed": "%(senderDisplayName)s hat die Server-ACLs für diesen Raum geändert.", + "all_servers_banned": "🎉 Alle Server sind von der Teilnahme ausgeschlossen! Dieser Raum kann nicht mehr genutzt werden." + }, + "m.room.canonical_alias": { + "set": "%(senderName)s hat als Hauptadresse des Raums %(address)s festgelegt.", + "removed": "%(senderName)s hat die Hauptadresse von diesem Raum entfernt." + } } } diff --git a/src/i18n/strings/el.json b/src/i18n/strings/el.json index 793849ea408..83ef847151c 100644 --- a/src/i18n/strings/el.json +++ b/src/i18n/strings/el.json @@ -22,10 +22,7 @@ "other": "και %(count)s άλλοι..." }, "Change Password": "Αλλαγή κωδικού πρόσβασης", - "%(senderDisplayName)s changed the room name to %(roomName)s.": "Ο %(senderDisplayName)s άλλαξε το όνομα του δωματίου σε %(roomName)s.", - "%(senderDisplayName)s changed the topic to \"%(topic)s\".": "Ο %(senderDisplayName)s άλλαξε το θέμα σε \"%(topic)s\".", "Bans user with given id": "Αποκλεισμός χρήστη με το συγκεκριμένο αναγνωριστικό", - "%(senderDisplayName)s removed the room name.": "Ο %(senderDisplayName)s διέγραψε το όνομα του δωματίου.", "Changes your display nickname": "Αλλάζει το ψευδώνυμο χρήστη", "powered by Matrix": "λειτουργεί με το Matrix", "Confirm password": "Επιβεβαίωση κωδικού πρόσβασης", @@ -95,7 +92,6 @@ "Return to login screen": "Επιστροφή στην οθόνη σύνδεσης", "Room %(roomId)s not visible": "Το δωμάτιο %(roomId)s δεν είναι ορατό", "%(roomName)s does not exist.": "Το %(roomName)s δεν υπάρχει.", - "%(senderDisplayName)s sent an image.": "Ο %(senderDisplayName)s έστειλε μια φωτογραφία.", "Session ID": "Αναγνωριστικό συνεδρίας", "Start authentication": "Έναρξη πιστοποίησης", "This room has no local addresses": "Αυτό το δωμάτιο δεν έχει τοπικές διευθύνσεις", @@ -106,7 +102,6 @@ "Unable to verify email address.": "Αδυναμία επιβεβαίωσης διεύθυνσης ηλεκτρονικής αλληλογραφίας.", "Unban": "Άρση αποκλεισμού", "Unable to enable Notifications": "Αδυναμία ενεργοποίησης των ειδοποιήσεων", - "Unnamed Room": "Ανώνυμο δωμάτιο", "Upload avatar": "Αποστολή προσωπικής εικόνας", "Upload Failed": "Απέτυχε η αποστολή", "Usage": "Χρήση", @@ -244,12 +239,9 @@ "Changelog": "Αλλαγές", "Waiting for response from server": "Αναμονή απάντησης από τον διακομιστή", "This Room": "Στο δωμάτιο", - "Messages containing my display name": "Μηνύματα που περιέχουν το όνομα μου", - "Messages in one-to-one chats": "Μηνύματα σε 1-προς-1 συνομιλίες", "Unavailable": "Μη διαθέσιμο", "Send": "Αποστολή", "Source URL": "Πηγαίο URL", - "Messages sent by bot": "Μηνύματα από bots", "No update available.": "Δεν υπάρχει διαθέσιμη ενημέρωση.", "Noisy": "Δυνατά", "Collecting app version information": "Συγκέντρωση πληροφοριών σχετικά με την έκδοση της εφαρμογής", @@ -261,14 +253,11 @@ "All Rooms": "Όλα τα δωμάτια", "Wednesday": "Τετάρτη", "All messages": "Όλα τα μηνύματα", - "Call invitation": "Πρόσκληση σε κλήση", "What's new?": "Τι νέο υπάρχει;", - "When I'm invited to a room": "Όταν με προσκαλούν σ' ένα δωμάτιο", "Invite to this room": "Πρόσκληση σε αυτό το δωμάτιο", "You cannot delete this message. (%(code)s)": "Δεν μπορείτε να διαγράψετε αυτό το μήνυμα. (%(code)s)", "Thursday": "Πέμπτη", "Search…": "Αναζήτηση…", - "Messages in group chats": "Μηνύματα σε ομαδικές συνομιλίες", "Yesterday": "Χθές", "Error encountered (%(errorDetail)s).": "Παρουσιάστηκε σφάλμα (%(errorDetail)s).", "Low Priority": "Χαμηλή προτεραιότητα", @@ -365,10 +354,6 @@ "Verify your other session using one of the options below.": "Επιβεβαιώστε την άλλη σας συνεδρία χρησιμοποιώντας μία από τις παρακάτω επιλογές.", "You signed in to a new session without verifying it:": "Συνδεθήκατε σε μια νέα συνεδρία χωρίς να την επιβεβαιώσετε:", "%(senderName)s removed the rule banning users matching %(glob)s": "Ο %(senderName)s αφαίρεσε τον κανόνα που αποκλείει τους χρήστες που ταιριάζουν με %(glob)s", - "%(senderName)s placed a video call. (not supported by this browser)": "Ο %(senderName)s έκανε μια κλήση βίντεο. (δεν υποστηρίζεται από το πρόγραμμα περιήγησης)", - "%(senderName)s placed a video call.": "Ο %(senderName)s έκανε μία κλήση βίντεο.", - "%(senderName)s placed a voice call. (not supported by this browser)": "Ο %(senderName)s έκανε μια ηχητική κλήση. (δεν υποστηρίζεται από το πρόγραμμα περιήγησης)", - "%(senderName)s placed a voice call.": "Ο %(senderName)s έκανε μία ηχητική κλήση.", "%(senderName)s changed the alternative addresses for this room.": "Ο %(senderName)s άλλαξε την εναλλακτική διεύθυνση για αυτό το δωμάτιο.", "%(senderName)s removed the alternative addresses %(addresses)s for this room.": { "one": "Ο %(senderName)s αφαίρεσε την εναλλακτική διεύθυνση %(addresses)s για αυτό το δωμάτιο.", @@ -378,17 +363,6 @@ "one": "Ο %(senderName)s πρόσθεσε τις εναλλακτικές διευθύνσεις %(addresses)s για αυτό το δωμάτιο.", "other": "Ο %(senderName)s πρόσθεσε τις εναλλακτικές διευθύνσεις %(addresses)s για αυτό το δωμάτιο." }, - "%(senderName)s removed the main address for this room.": "Ο %(senderName)s αφαίρεσε την κύρια διεύθυνση για αυτό το δωμάτιο.", - "%(senderName)s set the main address for this room to %(address)s.": "Ο %(senderName)s έθεσε την κύρια διεύθυνση αυτού του δωματίου σε %(address)s.", - "🎉 All servers are banned from participating! This room can no longer be used.": "🎉 Όλοι οι διακομιστές αποκλείστηκαν από την συμμετοχή! Αυτό το δωμάτιο δεν μπορεί να χρησιμοποιηθεί πλέον.", - "%(senderDisplayName)s changed guest access to %(rule)s": "Ο %(senderDisplayName)s άλλαξε την πρόσβαση επισκεπτών σε %(rule)s", - "%(senderDisplayName)s has prevented guests from joining the room.": "Ο %(senderDisplayName)s απέτρεψε τους επισκέπτες από το να μπαίνουν στο δωμάτιο.", - "%(senderDisplayName)s has allowed guests to join the room.": "Ο %(senderDisplayName)s επέτρεψε τους επισκέπτες να μπαίνουν στο δωμάτιο.", - "%(senderDisplayName)s changed the join rule to %(rule)s": "Ο %(senderDisplayName)s άλλαξε τους κανόνες εισόδου σε %(rule)s", - "%(senderDisplayName)s made the room invite only.": "Ο %(senderDisplayName)s άλλαξε το δωμάτιο σε \"μόνο με πρόσκληση\".", - "%(senderDisplayName)s made the room public to whoever knows the link.": "Ο %(senderDisplayName)s έκανε το δωμάτιο δημόσιο για όποιον γνωρίζει τον σύνδεσμο.", - "%(senderDisplayName)s upgraded this room.": "Ο %(senderDisplayName)s αναβάθμισε αυτό το δωμάτιο.", - "%(senderDisplayName)s changed the room name from %(oldRoomName)s to %(newRoomName)s.": "Ο %(senderDisplayName)s άλλαξε το όνομα δωματίου από %(oldRoomName)s σε %(newRoomName)s.", "Converts the DM to a room": "Μετατρέπει την προσωπική συνομιλία σε δωμάτιο", "Converts the room to a DM": "Μετατρέπει το δωμάτιο σε προσωπική συνομιλία", "Takes the call in the current room off hold": "Επαναφέρει την κλήση στο τρέχον δωμάτιο από την αναμονή", @@ -735,36 +709,11 @@ "%(senderName)s revoked the invitation for %(targetDisplayName)s to join the room.": "Ο %(senderName)s ανακάλεσε την πρόσκληση στον %(targetDisplayName)s για να συνδεθεί στο δωμάτιο.", "%(senderName)s changed the addresses for this room.": "Ο %(senderName)s άλλαξε τις διευθύνσεις για αυτό το δωμάτιο.", "%(senderName)s changed the main and alternative addresses for this room.": "Ο %(senderName)s άλλαξε την κύρια και εναλλακτική διεύθυνση για αυτό το δωμάτιο.", - "%(senderDisplayName)s sent a sticker.": "Ο %(senderDisplayName)s έστειλε ένα αυτοκόλλητο.", "Message deleted by %(name)s": "Το μήνυμα διαγράφηκε από %(name)s", "Message deleted": "Το μήνυμα διαγράφηκε", - "%(senderDisplayName)s changed the server ACLs for this room.": "Ο %(senderDisplayName)s άλλαξε τα ACLs του διακομιστή για αυτό το δωμάτιο.", - "%(senderDisplayName)s set the server ACLs for this room.": "Ο %(senderDisplayName)s όρισε τα ACLs του διακομιστή για αυτό το δωμάτιο.", "The signing key you provided matches the signing key you received from %(userId)s's session %(deviceId)s. Session marked as verified.": "Το κλειδί υπογραφής που παρείχατε ταιριάζει με το κλειδί που λάβατε από την συνεδρία %(userId)s's %(deviceId)s. Η συνεδρία σημειώνεται ως επιβεβαιωμένη.", - "%(targetName)s accepted an invitation": "%(targetName)s αποδέχθηκε μια πρόσκληση", - "%(senderName)s invited %(targetName)s": "Ο/η %(senderName)s προσκάλεσε τον/την %(targetName)s", - "%(targetName)s accepted the invitation for %(displayName)s": "%(targetName)s αποδέχθηκε την πρόσκληση για %(displayName)s", "Define the power level of a user": "Καθορίζει το επίπεδο δύναμης ενός χρήστη", "Joins room with given address": "Σύνδεση στο δωμάτιο με την δοθείσα διεύθυνση", - "%(senderDisplayName)s changed who can join this room.": "Ο %(senderDisplayName)s άλλαξε τους κανόνες σύνδεσης στο δωμάτιο.", - "%(senderDisplayName)s changed who can join this room. View settings.": "Ο %(senderDisplayName)s άλλαξε τους κανόνες σύνδεσης στο δωμάτιο. Δείτε τις ρυθμίσεις.", - "%(senderDisplayName)s changed the room avatar.": "Ο %(senderDisplayName)s άλλαξε την εικόνα του δωματίου.", - "%(senderName)s withdrew %(targetName)s's invitation": "Ο %(senderName)s ανακάλεσε την πρόσκληση του %(targetName)s", - "%(senderName)s withdrew %(targetName)s's invitation: %(reason)s": "Ο %(senderName)s ανακάλεσε την πρόσκληση του %(targetName)s:%(reason)s", - "%(senderName)s unbanned %(targetName)s": "Ο/η %(senderName)s ήρε τον αποκλεισμό του %(targetName)s", - "%(targetName)s left the room": "Ο/η %(targetName)s έφυγε από το δωμάτιο", - "%(targetName)s left the room: %(reason)s": "Ο/η %(targetName)s έφυγε από το δωμάτιο: %(reason)s", - "%(targetName)s rejected the invitation": "Ο/η %(targetName)s απέρριψε την πρόσκληση", - "%(targetName)s joined the room": "Ο/η %(targetName)s συνδέθηκε στο δωμάτιο", - "%(senderName)s made no change": "Ο %(senderName)s δεν έκανε καμία αλλαγή", - "%(senderName)s set a profile picture": "Ο %(senderName)s όρισε τη φωτογραφία του προφίλ του", - "%(senderName)s changed their profile picture": "Ο %(senderName)s άλλαξε τη φωτογραφία του προφίλ του", - "%(senderName)s removed their profile picture": "Ο/η %(senderName)s αφαίρεσε τη φωτογραφία του προφίλ του", - "%(senderName)s removed their display name (%(oldDisplayName)s)": "Ο %(senderName)s αφαίρεσε το όνομα του (%(oldDisplayName)s)", - "%(senderName)s set their display name to %(displayName)s": "Ο/η %(senderName)s καθόρισε το εμφανιζόμενο όνομα του σε %(displayName)s", - "%(oldDisplayName)s changed their display name to %(displayName)s": "Ο/η %(oldDisplayName)s άλλαξε το εμφανιζόμενο όνομα σε %(displayName)s", - "%(senderName)s banned %(targetName)s": "Ο %(senderName)s απέκλεισε τον/την %(targetName)s", - "%(senderName)s banned %(targetName)s: %(reason)s": "Ο %(senderName)s απέκλεισε τον/την %(targetName)s: %(reason)s", "%(senderName)s changed the pinned messages for the room.": "Ο/Η %(senderName)s άλλαξε τα καρφιτσωμένα μηνύματα του δωματίου.", "Failed to get room topic: Unable to find room (%(roomId)s": "Αποτυχία λήψης θέματος δωματίου: Αδυναμία εύρεσης δωματίου (%(roomId)s", "%(space1Name)s and %(space2Name)s": "%(space1Name)s kai %(space2Name)s", @@ -904,8 +853,6 @@ "Invite people": "Προσκαλέστε άτομα", "Add some details to help people recognise it.": "Προσθέστε ορισμένες λεπτομέρειες για να βοηθήσετε τους άλλους να το αναγνωρίσουν.", "Spaces are a new way to group rooms and people. What kind of Space do you want to create? You can change this later.": "Οι Χώροι είναι ένας νέος τρόπος ομαδοποίησης δωματίων και ατόμων. Τι είδους Χώρο θέλετε να δημιουργήσετε; Μπορείτε αυτό να το αλλάξετε αργότερα.", - "Generating a ZIP": "Δημιουργία ZIP", - "Are you sure you want to exit during this export?": "Είστε βέβαιοι ότι θέλετε να αποχωρήσετε κατά τη διάρκεια αυτής της εξαγωγής;", "Unknown App": "Άγνωστη εφαρμογή", "Share your public space": "Μοιραστείτε τον δημόσιο χώρο σας", "Invite to %(spaceName)s": "Πρόσκληση σε %(spaceName)s", @@ -1013,28 +960,12 @@ "%(senderName)s unpinned a message from this room. See all pinned messages.": "%(senderName)s ξεκαρφίτσωσε ένα μήνυμα από αυτό το δωμάτιο. Δείτε όλα τα καρφιτσωμένα μηνύματα.", "%(senderName)s pinned a message to this room. See all pinned messages.": "%(senderName)s καρφίτσωσε ένα μήνυμα σε αυτό το δωμάτιο. Δείτε όλα τα καρφιτσωμένα μηνύματα.", "%(senderName)s pinned a message to this room. See all pinned messages.": "%(senderName)s καρφίτσωσε ένα μήνυμα σε αυτό το δωμάτιο. Δείτε όλα τα καρφιτσωμένα μηνύματα.", - "%(senderName)s removed %(targetName)s": "%(senderName)s αφαιρέθηκε %(targetName)s", - "%(senderName)s removed %(targetName)s: %(reason)s": "%(senderName)s αφαιρέθηκε %(targetName)s: %(reason)s", "Switches to this room's virtual room, if it has one": "Μεταβαίνει στο εικονικό δωμάτιο αυτού του δωματίου, εάν υπάρχει", "Forces the current outbound group session in an encrypted room to be discarded": "Επιβάλλει την τρέχουσα εξερχόμενη ομαδική συνεδρία σε κρυπτογραφημένο δωμάτιο για απόρριψη", "WARNING: KEY VERIFICATION FAILED! The signing key for %(userId)s and session %(deviceId)s is \"%(fprint)s\" which does not match the provided key \"%(fingerprint)s\". This could mean your communications are being intercepted!": "ΠΡΟΕΙΔΟΠΟΙΗΣΗ: Η ΕΠΑΛΗΘΕΥΣΗ ΚΛΕΙΔΙΟΥ ΑΠΕΤΥΧΕ! Το κλειδί σύνδεσης για %(userId)s και συνεδρίας %(deviceId)s είναι \"%(fprint)s\" που δεν ταιριάζει με το παρεχόμενο κλειδί\"%(fingerprint)s\". Αυτό μπορεί να σημαίνει ότι υπάρχει υποκλοπή στις επικοινωνίες σας!", "Unknown (user, session) pair: (%(userId)s, %(deviceId)s)": "Άγνωστο ζευγάρι (χρήστης, συνεδρία): (%(userId)s, %(deviceId)s)", "Command failed: Unable to find room (%(roomId)s": "Η εντολή απέτυχε: Δεν είναι δυνατή η εύρεση δωματίου (%(roomId)s", "Command error: Unable to find rendering type (%(renderingType)s)": "Σφάλμα εντολής: Δεν είναι δυνατή η εύρεση του τύπου απόδοσης (%(renderingType)s)", - "Current Timeline": "Τρέχον χρονοδιάγραμμα", - "Specify a number of messages": "Καθορίστε έναν αριθμό μηνυμάτων", - "From the beginning": "Από την αρχή", - "Plain Text": "Απλό κείμενο", - "JSON": "JSON", - "HTML": "HTML", - "Fetched %(count)s events so far": { - "one": "Ανακτήθηκαν %(count)s συμβάντα μέχρι τώρα", - "other": "Ανακτήθηκαν %(count)s συμβάντα μέχρι τώρα" - }, - "Fetched %(count)s events out of %(total)s": { - "one": "Ανακτήθηκαν %(count)s συμβάντα από %(total)s", - "other": "Ανακτήθηκαν %(count)s συμβάντα από %(total)s" - }, "This homeserver has been blocked by its administrator.": "Αυτός ο κεντρικός διακομιστής έχει αποκλειστεί από τον διαχειριστή του.", "This homeserver has hit its Monthly Active User limit.": "Αυτός ο κεντρικός διακομιστής έχει φτάσει το μηνιαίο όριο ενεργού χρήστη.", "Unexpected error resolving homeserver configuration": "Μη αναμενόμενο σφάλμα κατά την επίλυση της διαμόρφωσης του κεντρικού διακομιστή", @@ -1054,21 +985,6 @@ "Send stickers to your active room as you": "Στείλτε αυτοκόλλητα στο ενεργό δωμάτιό σας", "Send stickers to this room as you": "Στείλτε αυτοκόλλητα σε αυτό το δωμάτιο", "Command error: Unable to handle slash command.": "Σφάλμα εντολής: Δεν είναι δυνατή η χρήση της εντολής slash.", - "Exported %(count)s events in %(seconds)s seconds": { - "one": "Έγινε εξαγωγή %(count)s συμβάντος σε %(seconds)s δευτερόλεπτα", - "other": "Έγινε εξαγωγή %(count)s συμβάντων σε %(seconds)s δευτερόλεπτα" - }, - "Export successful!": "Επιτυχής εξαγωγή!", - "Fetched %(count)s events in %(seconds)ss": { - "one": "Λήφθηκε %(count)s συμβάν σε %(seconds)s''", - "other": "Λήφθηκαν %(count)s συμβάντα σε %(seconds)s''" - }, - "Processing event %(number)s out of %(total)s": "Επεξεργασία συμβάντος %(number)s από %(total)s", - "Error fetching file": "Σφάλμα κατά την ανάκτηση του αρχείου", - "Topic: %(topic)s": "Θέμα: %(topic)s", - "This is the start of export of . Exported by at %(exportDate)s.": "Αυτή είναι η αρχή της εξαγωγής του . Εξήχθησαν από στις %(exportDate)s.", - "%(creatorName)s created this room.": "Ο %(creatorName)s δημιούργησε αυτό το δωμάτιο.", - "Media omitted - file size limit exceeded": "Τα μέσα παραλείφθηκαν - υπέρβαση του ορίου μεγέθους αρχείου", "Developer": "Προγραμματιστής", "Experimental": "Πειραματικό", "Encryption": "Κρυπτογράφηση", @@ -1112,11 +1028,9 @@ "You previously consented to share anonymous usage data with us. We're updating how that works.": "Έχετε συμφωνήσει να μοιραστείτε ανώνυμα δεδομένα χρήσης μαζί μας. Ενημερώνουμε τον τρόπο που λειτουργεί.", "Help improve %(analyticsOwner)s": "Βοηθήστε στη βελτίωση του %(analyticsOwner)s", "That's fine": "Είναι εντάξει", - "File Attached": "Tο αρχείο επισυνάφθηκε", "Surround selected text when typing special characters": "Περιτριγυριστείτε το επιλεγμένο κείμενο κατά την πληκτρολόγηση ειδικών χαρακτήρων", "Use a more compact 'Modern' layout": "Χρησιμοποιήστε μια πιο συμπαγή \"Μοντέρνα\" διάταξη", "Show polls button": "Εμφάνιση κουμπιού δημοσκοπήσεων", - "Media omitted": "Τα μέσα παραλείφθηκαν", "Enable widget screenshots on supported widgets": "Ενεργοποίηση στιγμιότυπων οθόνης μικροεφαρμογών σε υποστηριζόμενες μικροεφαρμογές", "Enable URL previews by default for participants in this room": "Ενεργοποιήστε τις προεπισκοπήσεις URL από προεπιλογή για τους συμμετέχοντες σε αυτό το δωμάτιο", "Match system theme": "Αντιστοίχιση θέματος συστήματος", @@ -1205,11 +1119,6 @@ "sends fireworks": "στέλνει πυροτεχνήματα", "This is your list of users/servers you have blocked - don't leave the room!": "Αυτή είναι η λίστα με τους χρήστες/διακομιστές που έχετε αποκλείσει - μην φύγετε από το δωμάτιο!", "My Ban List": "Η λίστα απαγορεύσεων μου", - "When rooms are upgraded": "Όταν τα δωμάτια αναβαθμίζονται", - "Encrypted messages in group chats": "Κρυπτογραφημένα μηνύματα σε ομαδικές συνομιλίες", - "Encrypted messages in one-to-one chats": "Κρυπτογραφημένα μηνύματα σε συνομιλίες ένας προς έναν", - "Messages containing @room": "Μηνύματα που περιέχουν @δωμάτιο", - "Messages containing my username": "Μηνύματα που περιέχουν το όνομα χρήστη μου", "Downloading logs": "Λήψη αρχείων καταγραφής", "Uploading logs": "Μεταφόρτωση αρχείων καταγραφής", "Automatically send debug logs when key backup is not functioning": "Αυτόματη αποστολή αρχείων καταγραφής εντοπισμού σφαλμάτων όταν η δημιουργία αντίγραφου κλειδιού ασφαλείας δεν λειτουργεί", @@ -2145,8 +2054,6 @@ "Private room (invite only)": "Ιδιωτικό δωμάτιο (μόνο με πρόσκληση)", "Room visibility": "Ορατότητα δωματίου", "Topic (optional)": "Θέμα (προαιρετικό)", - "Create a private room": "Δημιουργήστε ένα ιδιωτικό δωμάτιο", - "Create a public room": "Δημιουργήστε ένα δημόσιο δωμάτιο", "Enable end-to-end encryption": "Ενεργοποίηση κρυπτογράφησης από άκρο-σε-άκρο", "Only people invited will be able to find and join this room.": "Μόνο τα άτομα που έχουν προσκληθεί θα μπορούν να βρουν και να εγγραφούν σε αυτό τον δωμάτιο.", "Anyone will be able to find and join this room.": "Οποιοσδήποτε θα μπορεί να βρει και να εγγραφεί σε αυτό το δωμάτιο.", @@ -2728,7 +2635,6 @@ "Invite someone using their name, username (like ) or share this space.": "Προσκαλέστε κάποιον χρησιμοποιώντας το όνομά του, το όνομα χρήστη (όπως ) ή κοινή χρήση αυτού του χώρου.", "Invite someone using their name, email address, username (like ) or share this space.": "Προσκαλέστε κάποιον χρησιμοποιώντας το όνομά του, τη διεύθυνση ηλεκτρονικού ταχυδρομείου, το όνομα χρήστη (όπως ) ή κοινή χρήση αυτού του χώρου.", "Invite to %(roomName)s": "Πρόσκληση στο %(roomName)s", - "Unnamed Space": "Χώρος χωρίς όνομα", "Or send invite link": "Ή στείλτε σύνδεσμο πρόσκλησης", "If you can't see who you're looking for, send them your invite link below.": "Εάν δεν μπορείτε να βρείτε αυτόν που ψάχνετε, στείλτε τους τον παρακάτω σύνδεσμο πρόσκλησης.", "Some suggestions may be hidden for privacy.": "Ορισμένες προτάσεις ενδέχεται να είναι κρυφές λόγω απορρήτου.", @@ -2904,9 +2810,6 @@ "Output devices": "Συσκευές εξόδου", "Input devices": "Συσκευές εισόδου", "To continue, please enter your account password:": "Για να συνεχίσετε παρακαλώ εισάγετε τον κωδικό σας:", - "Create room": "Δημιουργία δωματίου", - "Create video room": "Δημιουργία δωματίου βίντεο", - "Create a video room": "Δημιουργήστε ένα δωμάτιο βίντεο", "New room": "Νέο δωμάτιο", "Private room": "Ιδιωτικό δωμάτιο", "Your password was successfully changed.": "Ο κωδικός πρόσβασης σας άλλαξε με επιτυχία.", @@ -3034,7 +2937,9 @@ "not_trusted": "Μη Έμπιστο", "accessibility": "Προσβασιμότητα", "server": "Διακομιστής", - "capabilities": "Δυνατότητες" + "capabilities": "Δυνατότητες", + "unnamed_room": "Ανώνυμο δωμάτιο", + "unnamed_space": "Χώρος χωρίς όνομα" }, "action": { "continue": "Συνέχεια", @@ -3250,7 +3155,20 @@ "prompt_invite": "Ερώτηση πριν από την αποστολή προσκλήσεων σε δυνητικά μη έγκυρα αναγνωριστικά matrix", "hardware_acceleration": "Ενεργοποίηση επιτάχυνσης υλικού (κάντε επανεκκίνηση του %(appName)s για να τεθεί σε ισχύ)", "start_automatically": "Αυτόματη έναρξη μετά τη σύνδεση", - "warn_quit": "Προειδοποιήστε πριν την παραίτηση" + "warn_quit": "Προειδοποιήστε πριν την παραίτηση", + "notifications": { + "rule_contains_display_name": "Μηνύματα που περιέχουν το όνομα μου", + "rule_contains_user_name": "Μηνύματα που περιέχουν το όνομα χρήστη μου", + "rule_roomnotif": "Μηνύματα που περιέχουν @δωμάτιο", + "rule_room_one_to_one": "Μηνύματα σε 1-προς-1 συνομιλίες", + "rule_message": "Μηνύματα σε ομαδικές συνομιλίες", + "rule_encrypted": "Κρυπτογραφημένα μηνύματα σε ομαδικές συνομιλίες", + "rule_invite_for_me": "Όταν με προσκαλούν σ' ένα δωμάτιο", + "rule_call": "Πρόσκληση σε κλήση", + "rule_suppress_notices": "Μηνύματα από bots", + "rule_tombstone": "Όταν τα δωμάτια αναβαθμίζονται", + "rule_encrypted_room_one_to_one": "Κρυπτογραφημένα μηνύματα σε συνομιλίες ένας προς έναν" + } }, "devtools": { "send_custom_account_data_event": "Αποστολή προσαρμοσμένου συμβάντος δεδομένων λογαριασμού", @@ -3316,5 +3234,109 @@ "developer_tools": "Εργαλεία προγραμματιστή", "room_id": "ID δωματίου: %(roomId)s", "event_id": "ID συμβάντος: %(eventId)s" + }, + "export_chat": { + "html": "HTML", + "json": "JSON", + "text": "Απλό κείμενο", + "from_the_beginning": "Από την αρχή", + "number_of_messages": "Καθορίστε έναν αριθμό μηνυμάτων", + "current_timeline": "Τρέχον χρονοδιάγραμμα", + "export_successful": "Επιτυχής εξαγωγή!", + "unload_confirm": "Είστε βέβαιοι ότι θέλετε να αποχωρήσετε κατά τη διάρκεια αυτής της εξαγωγής;", + "generating_zip": "Δημιουργία ZIP", + "processing_event_n": "Επεξεργασία συμβάντος %(number)s από %(total)s", + "fetched_n_events_with_total": { + "one": "Ανακτήθηκαν %(count)s συμβάντα από %(total)s", + "other": "Ανακτήθηκαν %(count)s συμβάντα από %(total)s" + }, + "fetched_n_events": { + "one": "Ανακτήθηκαν %(count)s συμβάντα μέχρι τώρα", + "other": "Ανακτήθηκαν %(count)s συμβάντα μέχρι τώρα" + }, + "fetched_n_events_in_time": { + "one": "Λήφθηκε %(count)s συμβάν σε %(seconds)s''", + "other": "Λήφθηκαν %(count)s συμβάντα σε %(seconds)s''" + }, + "exported_n_events_in_time": { + "one": "Έγινε εξαγωγή %(count)s συμβάντος σε %(seconds)s δευτερόλεπτα", + "other": "Έγινε εξαγωγή %(count)s συμβάντων σε %(seconds)s δευτερόλεπτα" + }, + "media_omitted": "Τα μέσα παραλείφθηκαν", + "media_omitted_file_size": "Τα μέσα παραλείφθηκαν - υπέρβαση του ορίου μεγέθους αρχείου", + "creator_summary": "Ο %(creatorName)s δημιούργησε αυτό το δωμάτιο.", + "export_info": "Αυτή είναι η αρχή της εξαγωγής του . Εξήχθησαν από στις %(exportDate)s.", + "topic": "Θέμα: %(topic)s", + "error_fetching_file": "Σφάλμα κατά την ανάκτηση του αρχείου", + "file_attached": "Tο αρχείο επισυνάφθηκε" + }, + "create_room": { + "title_video_room": "Δημιουργήστε ένα δωμάτιο βίντεο", + "title_public_room": "Δημιουργήστε ένα δημόσιο δωμάτιο", + "title_private_room": "Δημιουργήστε ένα ιδιωτικό δωμάτιο", + "action_create_video_room": "Δημιουργία δωματίου βίντεο", + "action_create_room": "Δημιουργία δωματίου" + }, + "timeline": { + "m.call.invite": { + "voice_call": "Ο %(senderName)s έκανε μία ηχητική κλήση.", + "voice_call_unsupported": "Ο %(senderName)s έκανε μια ηχητική κλήση. (δεν υποστηρίζεται από το πρόγραμμα περιήγησης)", + "video_call": "Ο %(senderName)s έκανε μία κλήση βίντεο.", + "video_call_unsupported": "Ο %(senderName)s έκανε μια κλήση βίντεο. (δεν υποστηρίζεται από το πρόγραμμα περιήγησης)" + }, + "m.room.member": { + "accepted_3pid_invite": "%(targetName)s αποδέχθηκε την πρόσκληση για %(displayName)s", + "accepted_invite": "%(targetName)s αποδέχθηκε μια πρόσκληση", + "invite": "Ο/η %(senderName)s προσκάλεσε τον/την %(targetName)s", + "ban_reason": "Ο %(senderName)s απέκλεισε τον/την %(targetName)s: %(reason)s", + "ban": "Ο %(senderName)s απέκλεισε τον/την %(targetName)s", + "change_name": "Ο/η %(oldDisplayName)s άλλαξε το εμφανιζόμενο όνομα σε %(displayName)s", + "set_name": "Ο/η %(senderName)s καθόρισε το εμφανιζόμενο όνομα του σε %(displayName)s", + "remove_name": "Ο %(senderName)s αφαίρεσε το όνομα του (%(oldDisplayName)s)", + "remove_avatar": "Ο/η %(senderName)s αφαίρεσε τη φωτογραφία του προφίλ του", + "change_avatar": "Ο %(senderName)s άλλαξε τη φωτογραφία του προφίλ του", + "set_avatar": "Ο %(senderName)s όρισε τη φωτογραφία του προφίλ του", + "no_change": "Ο %(senderName)s δεν έκανε καμία αλλαγή", + "join": "Ο/η %(targetName)s συνδέθηκε στο δωμάτιο", + "reject_invite": "Ο/η %(targetName)s απέρριψε την πρόσκληση", + "left_reason": "Ο/η %(targetName)s έφυγε από το δωμάτιο: %(reason)s", + "left": "Ο/η %(targetName)s έφυγε από το δωμάτιο", + "unban": "Ο/η %(senderName)s ήρε τον αποκλεισμό του %(targetName)s", + "withdrew_invite_reason": "Ο %(senderName)s ανακάλεσε την πρόσκληση του %(targetName)s:%(reason)s", + "withdrew_invite": "Ο %(senderName)s ανακάλεσε την πρόσκληση του %(targetName)s", + "kick_reason": "%(senderName)s αφαιρέθηκε %(targetName)s: %(reason)s", + "kick": "%(senderName)s αφαιρέθηκε %(targetName)s" + }, + "m.room.topic": "Ο %(senderDisplayName)s άλλαξε το θέμα σε \"%(topic)s\".", + "m.room.avatar": "Ο %(senderDisplayName)s άλλαξε την εικόνα του δωματίου.", + "m.room.name": { + "remove": "Ο %(senderDisplayName)s διέγραψε το όνομα του δωματίου.", + "change": "Ο %(senderDisplayName)s άλλαξε το όνομα δωματίου από %(oldRoomName)s σε %(newRoomName)s.", + "set": "Ο %(senderDisplayName)s άλλαξε το όνομα του δωματίου σε %(roomName)s." + }, + "m.room.tombstone": "Ο %(senderDisplayName)s αναβάθμισε αυτό το δωμάτιο.", + "m.room.join_rules": { + "public": "Ο %(senderDisplayName)s έκανε το δωμάτιο δημόσιο για όποιον γνωρίζει τον σύνδεσμο.", + "invite": "Ο %(senderDisplayName)s άλλαξε το δωμάτιο σε \"μόνο με πρόσκληση\".", + "restricted_settings": "Ο %(senderDisplayName)s άλλαξε τους κανόνες σύνδεσης στο δωμάτιο. Δείτε τις ρυθμίσεις.", + "restricted": "Ο %(senderDisplayName)s άλλαξε τους κανόνες σύνδεσης στο δωμάτιο.", + "unknown": "Ο %(senderDisplayName)s άλλαξε τους κανόνες εισόδου σε %(rule)s" + }, + "m.room.guest_access": { + "can_join": "Ο %(senderDisplayName)s επέτρεψε τους επισκέπτες να μπαίνουν στο δωμάτιο.", + "forbidden": "Ο %(senderDisplayName)s απέτρεψε τους επισκέπτες από το να μπαίνουν στο δωμάτιο.", + "unknown": "Ο %(senderDisplayName)s άλλαξε την πρόσβαση επισκεπτών σε %(rule)s" + }, + "m.image": "Ο %(senderDisplayName)s έστειλε μια φωτογραφία.", + "m.sticker": "Ο %(senderDisplayName)s έστειλε ένα αυτοκόλλητο.", + "m.room.server_acl": { + "set": "Ο %(senderDisplayName)s όρισε τα ACLs του διακομιστή για αυτό το δωμάτιο.", + "changed": "Ο %(senderDisplayName)s άλλαξε τα ACLs του διακομιστή για αυτό το δωμάτιο.", + "all_servers_banned": "🎉 Όλοι οι διακομιστές αποκλείστηκαν από την συμμετοχή! Αυτό το δωμάτιο δεν μπορεί να χρησιμοποιηθεί πλέον." + }, + "m.room.canonical_alias": { + "set": "Ο %(senderName)s έθεσε την κύρια διεύθυνση αυτού του δωματίου σε %(address)s.", + "removed": "Ο %(senderName)s αφαίρεσε την κύρια διεύθυνση για αυτό το δωμάτιο." + } } } diff --git a/src/i18n/strings/en_EN.json b/src/i18n/strings/en_EN.json index a868555e290..14b5ef8091d 100644 --- a/src/i18n/strings/en_EN.json +++ b/src/i18n/strings/en_EN.json @@ -123,6 +123,7 @@ "someone": "Someone", "light": "Light", "dark": "Dark", + "unnamed_room": "Unnamed Room", "video": "Video", "warning": "Warning", "guest": "Guest", @@ -183,6 +184,7 @@ "matrix": "Matrix", "ios": "iOS", "android": "Android", + "unnamed_space": "Unnamed Space", "report_a_bug": "Report a bug", "forward_message": "Forward message", "suggestions": "Suggestions", @@ -400,56 +402,74 @@ "Could not find room": "Could not find room", "Converts the DM to a room": "Converts the DM to a room", "Displays action": "Displays action", - "Video call started in %(roomName)s.": "Video call started in %(roomName)s.", - "Video call started in %(roomName)s. (not supported by this browser)": "Video call started in %(roomName)s. (not supported by this browser)", - "%(senderName)s placed a voice call.": "%(senderName)s placed a voice call.", - "%(senderName)s placed a voice call. (not supported by this browser)": "%(senderName)s placed a voice call. (not supported by this browser)", - "%(senderName)s placed a video call.": "%(senderName)s placed a video call.", - "%(senderName)s placed a video call. (not supported by this browser)": "%(senderName)s placed a video call. (not supported by this browser)", - "%(targetName)s accepted the invitation for %(displayName)s": "%(targetName)s accepted the invitation for %(displayName)s", - "%(targetName)s accepted an invitation": "%(targetName)s accepted an invitation", - "%(senderName)s invited %(targetName)s": "%(senderName)s invited %(targetName)s", - "%(senderName)s banned %(targetName)s: %(reason)s": "%(senderName)s banned %(targetName)s: %(reason)s", - "%(senderName)s banned %(targetName)s": "%(senderName)s banned %(targetName)s", - "%(oldDisplayName)s changed their display name and profile picture": "%(oldDisplayName)s changed their display name and profile picture", - "%(oldDisplayName)s changed their display name to %(displayName)s": "%(oldDisplayName)s changed their display name to %(displayName)s", - "%(senderName)s set their display name to %(displayName)s": "%(senderName)s set their display name to %(displayName)s", - "%(senderName)s removed their display name (%(oldDisplayName)s)": "%(senderName)s removed their display name (%(oldDisplayName)s)", - "%(senderName)s removed their profile picture": "%(senderName)s removed their profile picture", - "%(senderName)s changed their profile picture": "%(senderName)s changed their profile picture", - "%(senderName)s set a profile picture": "%(senderName)s set a profile picture", - "%(senderName)s made no change": "%(senderName)s made no change", - "%(targetName)s joined the room": "%(targetName)s joined the room", - "%(targetName)s rejected the invitation": "%(targetName)s rejected the invitation", - "%(targetName)s left the room: %(reason)s": "%(targetName)s left the room: %(reason)s", - "%(targetName)s left the room": "%(targetName)s left the room", - "%(senderName)s unbanned %(targetName)s": "%(senderName)s unbanned %(targetName)s", - "%(senderName)s withdrew %(targetName)s's invitation: %(reason)s": "%(senderName)s withdrew %(targetName)s's invitation: %(reason)s", - "%(senderName)s withdrew %(targetName)s's invitation": "%(senderName)s withdrew %(targetName)s's invitation", - "%(senderName)s removed %(targetName)s: %(reason)s": "%(senderName)s removed %(targetName)s: %(reason)s", - "%(senderName)s removed %(targetName)s": "%(senderName)s removed %(targetName)s", - "%(senderDisplayName)s changed the topic to \"%(topic)s\".": "%(senderDisplayName)s changed the topic to \"%(topic)s\".", - "%(senderDisplayName)s changed the room avatar.": "%(senderDisplayName)s changed the room avatar.", - "%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s removed the room name.", - "%(senderDisplayName)s changed the room name from %(oldRoomName)s to %(newRoomName)s.": "%(senderDisplayName)s changed the room name from %(oldRoomName)s to %(newRoomName)s.", - "%(senderDisplayName)s changed the room name to %(roomName)s.": "%(senderDisplayName)s changed the room name to %(roomName)s.", - "%(senderDisplayName)s upgraded this room.": "%(senderDisplayName)s upgraded this room.", - "%(senderDisplayName)s made the room public to whoever knows the link.": "%(senderDisplayName)s made the room public to whoever knows the link.", - "%(senderDisplayName)s made the room invite only.": "%(senderDisplayName)s made the room invite only.", - "%(senderDisplayName)s changed the join rule to ask to join.": "%(senderDisplayName)s changed the join rule to ask to join.", - "%(senderDisplayName)s changed who can join this room. View settings.": "%(senderDisplayName)s changed who can join this room. View settings.", - "%(senderDisplayName)s changed who can join this room.": "%(senderDisplayName)s changed who can join this room.", - "%(senderDisplayName)s changed the join rule to %(rule)s": "%(senderDisplayName)s changed the join rule to %(rule)s", - "%(senderDisplayName)s has allowed guests to join the room.": "%(senderDisplayName)s has allowed guests to join the room.", - "%(senderDisplayName)s has prevented guests from joining the room.": "%(senderDisplayName)s has prevented guests from joining the room.", - "%(senderDisplayName)s changed guest access to %(rule)s": "%(senderDisplayName)s changed guest access to %(rule)s", - "%(senderDisplayName)s set the server ACLs for this room.": "%(senderDisplayName)s set the server ACLs for this room.", - "%(senderDisplayName)s changed the server ACLs for this room.": "%(senderDisplayName)s changed the server ACLs for this room.", - "🎉 All servers are banned from participating! This room can no longer be used.": "🎉 All servers are banned from participating! This room can no longer be used.", - "%(senderDisplayName)s sent an image.": "%(senderDisplayName)s sent an image.", - "%(senderDisplayName)s sent a sticker.": "%(senderDisplayName)s sent a sticker.", - "%(senderName)s set the main address for this room to %(address)s.": "%(senderName)s set the main address for this room to %(address)s.", - "%(senderName)s removed the main address for this room.": "%(senderName)s removed the main address for this room.", + "timeline": { + "m.call": { + "video_call_started": "Video call started in %(roomName)s.", + "video_call_started_unsupported": "Video call started in %(roomName)s. (not supported by this browser)" + }, + "m.call.invite": { + "voice_call": "%(senderName)s placed a voice call.", + "voice_call_unsupported": "%(senderName)s placed a voice call. (not supported by this browser)", + "video_call": "%(senderName)s placed a video call.", + "video_call_unsupported": "%(senderName)s placed a video call. (not supported by this browser)" + }, + "m.room.member": { + "accepted_3pid_invite": "%(targetName)s accepted the invitation for %(displayName)s", + "accepted_invite": "%(targetName)s accepted an invitation", + "invite": "%(senderName)s invited %(targetName)s", + "ban_reason": "%(senderName)s banned %(targetName)s: %(reason)s", + "ban": "%(senderName)s banned %(targetName)s", + "change_name_avatar": "%(oldDisplayName)s changed their display name and profile picture", + "change_name": "%(oldDisplayName)s changed their display name to %(displayName)s", + "set_name": "%(senderName)s set their display name to %(displayName)s", + "remove_name": "%(senderName)s removed their display name (%(oldDisplayName)s)", + "remove_avatar": "%(senderName)s removed their profile picture", + "change_avatar": "%(senderName)s changed their profile picture", + "set_avatar": "%(senderName)s set a profile picture", + "no_change": "%(senderName)s made no change", + "join": "%(targetName)s joined the room", + "reject_invite": "%(targetName)s rejected the invitation", + "left_reason": "%(targetName)s left the room: %(reason)s", + "left": "%(targetName)s left the room", + "unban": "%(senderName)s unbanned %(targetName)s", + "withdrew_invite_reason": "%(senderName)s withdrew %(targetName)s's invitation: %(reason)s", + "withdrew_invite": "%(senderName)s withdrew %(targetName)s's invitation", + "kick_reason": "%(senderName)s removed %(targetName)s: %(reason)s", + "kick": "%(senderName)s removed %(targetName)s" + }, + "m.room.topic": "%(senderDisplayName)s changed the topic to \"%(topic)s\".", + "m.room.avatar": "%(senderDisplayName)s changed the room avatar.", + "m.room.name": { + "remove": "%(senderDisplayName)s removed the room name.", + "change": "%(senderDisplayName)s changed the room name from %(oldRoomName)s to %(newRoomName)s.", + "set": "%(senderDisplayName)s changed the room name to %(roomName)s." + }, + "m.room.tombstone": "%(senderDisplayName)s upgraded this room.", + "m.room.join_rules": { + "public": "%(senderDisplayName)s made the room public to whoever knows the link.", + "invite": "%(senderDisplayName)s made the room invite only.", + "knock": "%(senderDisplayName)s changed the join rule to ask to join.", + "restricted_settings": "%(senderDisplayName)s changed who can join this room. View settings.", + "restricted": "%(senderDisplayName)s changed who can join this room.", + "unknown": "%(senderDisplayName)s changed the join rule to %(rule)s" + }, + "m.room.guest_access": { + "can_join": "%(senderDisplayName)s has allowed guests to join the room.", + "forbidden": "%(senderDisplayName)s has prevented guests from joining the room.", + "unknown": "%(senderDisplayName)s changed guest access to %(rule)s" + }, + "m.room.server_acl": { + "set": "%(senderDisplayName)s set the server ACLs for this room.", + "changed": "%(senderDisplayName)s changed the server ACLs for this room.", + "all_servers_banned": "🎉 All servers are banned from participating! This room can no longer be used." + }, + "m.image": "%(senderDisplayName)s sent an image.", + "m.sticker": "%(senderDisplayName)s sent a sticker.", + "m.room.canonical_alias": { + "set": "%(senderName)s set the main address for this room to %(address)s.", + "removed": "%(senderName)s removed the main address for this room." + } + }, "%(senderName)s added the alternative addresses %(addresses)s for this room.": { "other": "%(senderName)s added the alternative addresses %(addresses)s for this room.", "one": "%(senderName)s added alternative address %(addresses)s for this room." @@ -714,48 +734,48 @@ "Failed to fetch your location. Please try again later.": "Failed to fetch your location. Please try again later.", "Timed out trying to fetch your location. Please try again later.": "Timed out trying to fetch your location. Please try again later.", "Unknown error fetching location. Please try again later.": "Unknown error fetching location. Please try again later.", - "Are you sure you want to exit during this export?": "Are you sure you want to exit during this export?", - "Unnamed Room": "Unnamed Room", - "Generating a ZIP": "Generating a ZIP", - "Fetched %(count)s events out of %(total)s": { - "other": "Fetched %(count)s events out of %(total)s", - "one": "Fetched %(count)s event out of %(total)s" - }, - "Fetched %(count)s events so far": { - "other": "Fetched %(count)s events so far", - "one": "Fetched %(count)s event so far" - }, - "HTML": "HTML", - "JSON": "JSON", - "Plain Text": "Plain Text", - "From the beginning": "From the beginning", - "Specify a number of messages": "Specify a number of messages", - "Current Timeline": "Current Timeline", - "Media omitted": "Media omitted", - "Media omitted - file size limit exceeded": "Media omitted - file size limit exceeded", - "%(creatorName)s created this room.": "%(creatorName)s created this room.", - "This is the start of export of . Exported by at %(exportDate)s.": "This is the start of export of . Exported by at %(exportDate)s.", - "Topic: %(topic)s": "Topic: %(topic)s", - "Previous group of messages": "Previous group of messages", - "Next group of messages": "Next group of messages", - "Exported Data": "Exported Data", - "Error fetching file": "Error fetching file", - "Processing event %(number)s out of %(total)s": "Processing event %(number)s out of %(total)s", - "Starting export…": "Starting export…", - "Fetched %(count)s events in %(seconds)ss": { - "other": "Fetched %(count)s events in %(seconds)ss", - "one": "Fetched %(count)s event in %(seconds)ss" - }, - "Creating HTML…": "Creating HTML…", - "Export successful!": "Export successful!", - "Exported %(count)s events in %(seconds)s seconds": { - "other": "Exported %(count)s events in %(seconds)s seconds", - "one": "Exported %(count)s event in %(seconds)s seconds" - }, - "File Attached": "File Attached", - "Starting export process…": "Starting export process…", - "Fetching events…": "Fetching events…", - "Creating output…": "Creating output…", + "export_chat": { + "unload_confirm": "Are you sure you want to exit during this export?", + "generating_zip": "Generating a ZIP", + "fetched_n_events_with_total": { + "other": "Fetched %(count)s events out of %(total)s", + "one": "Fetched %(count)s event out of %(total)s" + }, + "fetched_n_events": { + "other": "Fetched %(count)s events so far", + "one": "Fetched %(count)s event so far" + }, + "html": "HTML", + "json": "JSON", + "text": "Plain Text", + "from_the_beginning": "From the beginning", + "number_of_messages": "Specify a number of messages", + "current_timeline": "Current Timeline", + "media_omitted": "Media omitted", + "media_omitted_file_size": "Media omitted - file size limit exceeded", + "creator_summary": "%(creatorName)s created this room.", + "export_info": "This is the start of export of . Exported by at %(exportDate)s.", + "topic": "Topic: %(topic)s", + "previous_page": "Previous group of messages", + "next_page": "Next group of messages", + "html_title": "Exported Data", + "error_fetching_file": "Error fetching file", + "processing_event_n": "Processing event %(number)s out of %(total)s", + "starting_export": "Starting export…", + "fetched_n_events_in_time": { + "other": "Fetched %(count)s events in %(seconds)ss", + "one": "Fetched %(count)s event in %(seconds)ss" + }, + "creating_html": "Creating HTML…", + "export_successful": "Export successful!", + "exported_n_events_in_time": { + "other": "Exported %(count)s events in %(seconds)s seconds", + "one": "Exported %(count)s event in %(seconds)s seconds" + }, + "file_attached": "File Attached", + "fetching_events": "Fetching events…", + "creating_output": "Creating output…" + }, "That's fine": "That's fine", "You previously consented to share anonymous usage data with us. We're updating how that works.": "You previously consented to share anonymous usage data with us. We're updating how that works.", "Share anonymous data to help us identify issues. Nothing personal. No third parties. Learn More": "Share anonymous data to help us identify issues. Nothing personal. No third parties. Learn More", @@ -939,7 +959,20 @@ "all_rooms_home": "Show all rooms in Home", "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" + "warn_quit": "Warn before quitting", + "notifications": { + "rule_contains_display_name": "Messages containing my display name", + "rule_contains_user_name": "Messages containing my username", + "rule_roomnotif": "Messages containing @room", + "rule_room_one_to_one": "Messages in one-to-one chats", + "rule_encrypted_room_one_to_one": "Encrypted messages in one-to-one chats", + "rule_message": "Messages in group chats", + "rule_encrypted": "Encrypted messages in group chats", + "rule_invite_for_me": "When I'm invited to a room", + "rule_call": "Call invitation", + "rule_suppress_notices": "Messages sent by bot", + "rule_tombstone": "When rooms are upgraded" + } }, "Your server doesn't support disabling sending read receipts.": "Your server doesn't support disabling sending read receipts.", "Enable MSC3946 (to support late-arriving room archives)": "Enable MSC3946 (to support late-arriving room archives)", @@ -992,17 +1025,6 @@ "Uploading logs": "Uploading logs", "Downloading logs": "Downloading logs", "Waiting for response from server": "Waiting for response from server", - "Messages containing my display name": "Messages containing my display name", - "Messages containing my username": "Messages containing my username", - "Messages containing @room": "Messages containing @room", - "Messages in one-to-one chats": "Messages in one-to-one chats", - "Encrypted messages in one-to-one chats": "Encrypted messages in one-to-one chats", - "Messages in group chats": "Messages in group chats", - "Encrypted messages in group chats": "Encrypted messages in group chats", - "When I'm invited to a room": "When I'm invited to a room", - "Call invitation": "Call invitation", - "Messages sent by bot": "Messages sent by bot", - "When rooms are upgraded": "When rooms are upgraded", "My Ban List": "My Ban List", "This is your list of users/servers you have blocked - don't leave the room!": "This is your list of users/servers you have blocked - don't leave the room!", "Connecting": "Connecting", @@ -1853,10 +1875,6 @@ "End-to-end encryption isn't enabled": "End-to-end encryption isn't enabled", "Message didn't send. Click for info.": "Message didn't send. Click for info.", "View message": "View message", - "%(duration)ss": "%(duration)ss", - "%(duration)sm": "%(duration)sm", - "%(duration)sh": "%(duration)sh", - "%(duration)sd": "%(duration)sd", "Busy": "Busy", "Online for %(duration)s": "Online for %(duration)s", "Idle for %(duration)s": "Idle for %(duration)s", @@ -2685,7 +2703,6 @@ "Clear all data": "Clear all data", "Please enter a name for the room": "Please enter a name for the room", "Everyone in will be able to find and join this room.": "Everyone in will be able to find and join this room.", - "Unnamed Space": "Unnamed Space", "You can change this at any time from room settings.": "You can change this at any time from room settings.", "Anyone will be able to find and join this room, not just members of .": "Anyone will be able to find and join this room, not just members of .", "Anyone will be able to find and join this room.": "Anyone will be able to find and join this room.", @@ -2697,16 +2714,18 @@ "Enable end-to-end encryption": "Enable end-to-end encryption", "You might enable this if the room will only be used for collaborating with internal teams on your homeserver. This cannot be changed later.": "You might enable this if the room will only be used for collaborating with internal teams on your homeserver. This cannot be changed later.", "You might disable this if the room will be used for collaborating with external teams who have their own homeserver. This cannot be changed later.": "You might disable this if the room will be used for collaborating with external teams who have their own homeserver. This cannot be changed later.", - "Create a video room": "Create a video room", - "Create a public room": "Create a public room", - "Create a private room": "Create a private room", + "create_room": { + "title_video_room": "Create a video room", + "title_public_room": "Create a public room", + "title_private_room": "Create a private room", + "action_create_video_room": "Create video room", + "action_create_room": "Create room" + }, "Topic (optional)": "Topic (optional)", "Room visibility": "Room visibility", "Private room (invite only)": "Private room (invite only)", "Visible to space members": "Visible to space members", "Block anyone not part of %(serverName)s from ever joining this room.": "Block anyone not part of %(serverName)s from ever joining this room.", - "Create video room": "Create video room", - "Create room": "Create room", "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.", diff --git a/src/i18n/strings/en_US.json b/src/i18n/strings/en_US.json index fdbd5f3f817..b9ba428eddd 100644 --- a/src/i18n/strings/en_US.json +++ b/src/i18n/strings/en_US.json @@ -26,9 +26,6 @@ "Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or enable unsafe scripts.": "Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or enable unsafe scripts.", "Change Password": "Change Password", "%(senderName)s changed the power level of %(powerLevelDiffText)s.": "%(senderName)s changed the power level of %(powerLevelDiffText)s.", - "%(senderDisplayName)s changed the room name to %(roomName)s.": "%(senderDisplayName)s changed the room name to %(roomName)s.", - "%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s removed the room name.", - "%(senderDisplayName)s changed the topic to \"%(topic)s\".": "%(senderDisplayName)s changed the topic to \"%(topic)s\".", "Changes your display nickname": "Changes your display nickname", "Command error": "Command error", "Commands": "Commands", @@ -119,7 +116,6 @@ "Room %(roomId)s not visible": "Room %(roomId)s not visible", "Rooms": "Rooms", "Search failed": "Search failed", - "%(senderDisplayName)s sent an image.": "%(senderDisplayName)s sent an image.", "%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": "%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.", "Server error": "Server error", "Server may be unavailable, overloaded, or search timed out :(": "Server may be unavailable, overloaded, or search timed out :(", @@ -228,7 +224,6 @@ "%(roomName)s does not exist.": "%(roomName)s does not exist.", "%(roomName)s is not accessible at this time.": "%(roomName)s is not accessible at this time.", "Start authentication": "Start authentication", - "Unnamed Room": "Unnamed Room", "Uploading %(filename)s": "Uploading %(filename)s", "Uploading %(filename)s and %(count)s others": { "one": "Uploading %(filename)s and %(count)s other", @@ -257,7 +252,6 @@ "%(widgetName)s widget removed by %(senderName)s": "%(widgetName)s widget removed by %(senderName)s", "%(senderName)s changed the pinned messages for the room.": "%(senderName)s changed the pinned messages for the room.", "Sunday": "Sunday", - "Messages sent by bot": "Messages sent by bot", "Notification targets": "Notification targets", "Today": "Today", "Friday": "Friday", @@ -267,8 +261,6 @@ "Waiting for response from server": "Waiting for response from server", "This Room": "This Room", "Noisy": "Noisy", - "Messages containing my display name": "Messages containing my display name", - "Messages in one-to-one chats": "Messages in one-to-one chats", "Unavailable": "Unavailable", "Source URL": "Source URL", "Failed to add tag %(tagName)s to room": "Failed to add tag %(tagName)s to room", @@ -284,13 +276,10 @@ "Wednesday": "Wednesday", "Send": "Send", "All messages": "All messages", - "Call invitation": "Call invitation", "What's new?": "What's new?", - "When I'm invited to a room": "When I'm invited to a room", "Invite to this room": "Invite to this room", "You cannot delete this message. (%(code)s)": "You cannot delete this message. (%(code)s)", "Thursday": "Thursday", - "Messages in group chats": "Messages in group chats", "Yesterday": "Yesterday", "Error encountered (%(errorDetail)s).": "Error encountered (%(errorDetail)s).", "Low Priority": "Low Priority", @@ -322,15 +311,6 @@ "Adds a custom widget by URL to the room": "Adds a custom widget by URL to the room", "Please supply a https:// or http:// widget URL": "Please supply an https:// or http:// widget URL", "You cannot modify widgets in this room.": "You cannot modify widgets in this room.", - "%(senderDisplayName)s upgraded this room.": "%(senderDisplayName)s upgraded this room.", - "%(senderDisplayName)s made the room public to whoever knows the link.": "%(senderDisplayName)s made the room public to whoever knows the link.", - "%(senderDisplayName)s made the room invite only.": "%(senderDisplayName)s made the room invite only.", - "%(senderDisplayName)s changed the join rule to %(rule)s": "%(senderDisplayName)s changed the join rule to %(rule)s", - "%(senderDisplayName)s has allowed guests to join the room.": "%(senderDisplayName)s has allowed guests to join the room.", - "%(senderDisplayName)s has prevented guests from joining the room.": "%(senderDisplayName)s has prevented guests from joining the room.", - "%(senderDisplayName)s changed guest access to %(rule)s": "%(senderDisplayName)s changed guest access to %(rule)s", - "%(senderName)s set the main address for this room to %(address)s.": "%(senderName)s set the main address for this room to %(address)s.", - "%(senderName)s removed the main address for this room.": "%(senderName)s removed the main address for this room.", "%(senderName)s revoked the invitation for %(targetDisplayName)s to join the room.": "%(senderName)s revoked the invitation for %(targetDisplayName)s to join the room.", "%(widgetName)s widget modified by %(senderName)s": "%(widgetName)s widget modified by %(senderName)s", "%(displayName)s is typing …": "%(displayName)s is typing …", @@ -408,7 +388,8 @@ "camera": "Camera", "microphone": "Microphone", "emoji": "Emoji", - "someone": "Someone" + "someone": "Someone", + "unnamed_room": "Unnamed Room" }, "action": { "continue": "Continue", @@ -469,6 +450,37 @@ "always_show_message_timestamps": "Always show message timestamps", "replace_plain_emoji": "Automatically replace plain text Emoji", "automatic_language_detection_syntax_highlight": "Enable automatic language detection for syntax highlighting", - "start_automatically": "Start automatically after system login" + "start_automatically": "Start automatically after system login", + "notifications": { + "rule_contains_display_name": "Messages containing my display name", + "rule_room_one_to_one": "Messages in one-to-one chats", + "rule_message": "Messages in group chats", + "rule_invite_for_me": "When I'm invited to a room", + "rule_call": "Call invitation", + "rule_suppress_notices": "Messages sent by bot" + } + }, + "timeline": { + "m.room.topic": "%(senderDisplayName)s changed the topic to \"%(topic)s\".", + "m.room.name": { + "remove": "%(senderDisplayName)s removed the room name.", + "set": "%(senderDisplayName)s changed the room name to %(roomName)s." + }, + "m.room.tombstone": "%(senderDisplayName)s upgraded this room.", + "m.room.join_rules": { + "public": "%(senderDisplayName)s made the room public to whoever knows the link.", + "invite": "%(senderDisplayName)s made the room invite only.", + "unknown": "%(senderDisplayName)s changed the join rule to %(rule)s" + }, + "m.room.guest_access": { + "can_join": "%(senderDisplayName)s has allowed guests to join the room.", + "forbidden": "%(senderDisplayName)s has prevented guests from joining the room.", + "unknown": "%(senderDisplayName)s changed guest access to %(rule)s" + }, + "m.image": "%(senderDisplayName)s sent an image.", + "m.room.canonical_alias": { + "set": "%(senderName)s set the main address for this room to %(address)s.", + "removed": "%(senderName)s removed the main address for this room." + } } } diff --git a/src/i18n/strings/eo.json b/src/i18n/strings/eo.json index 8c8b4e350cf..20ab486ab98 100644 --- a/src/i18n/strings/eo.json +++ b/src/i18n/strings/eo.json @@ -59,10 +59,6 @@ "You are no longer ignoring %(userId)s": "Vi nun reatentas uzanton %(userId)s", "Verified key": "Kontrolita ŝlosilo", "Reason": "Kialo", - "%(senderDisplayName)s changed the topic to \"%(topic)s\".": "%(senderDisplayName)s ŝanĝis la temon al « %(topic)s ».", - "%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s forigis nomon de la ĉambro.", - "%(senderDisplayName)s changed the room name to %(roomName)s.": "%(senderDisplayName)s ŝanĝis nomon de la ĉambro al %(roomName)s.", - "%(senderDisplayName)s sent an image.": "%(senderDisplayName)s sendis bildon.", "%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": "%(senderName)s sendis ĉambran inviton al %(targetDisplayName)s.", "%(senderName)s made future room history visible to all room members, from the point they are invited.": "%(senderName)s videbligis estontan historion de la ĉambro al ĉiuj ĉambranoj, ekde la tempo de invito.", "%(senderName)s made future room history visible to all room members, from the point they joined.": "%(senderName)s videbligis estontan historion de la ĉambro al ĉiuj ĉambranoj, ekde la tempo de aliĝo.", @@ -77,7 +73,6 @@ "%(widgetName)s widget removed by %(senderName)s": "Fenestraĵon %(widgetName)s forigis %(senderName)s", "Failure to create room": "Malsukcesis krei ĉambron", "Server may be unavailable, overloaded, or you hit a bug.": "Servilo povas esti neatingebla, troŝarĝita, aŭ vi renkontis cimon.", - "Unnamed Room": "Sennoma Ĉambro", "Your browser does not support the required cryptography extensions": "Via foliumilo ne subtenas la bezonatajn ĉifrajn kromprogramojn", "Not a valid %(brand)s keyfile": "Nevalida ŝlosila dosiero de %(brand)s", "Authentication check failed: incorrect password?": "Aŭtentikiga kontrolo malsukcesis: ĉu pro malĝusta pasvorto?", @@ -392,11 +387,8 @@ "Waiting for response from server": "Atendante respondon el la servilo", "This Room": "Ĉi tiu ĉambro", "Noisy": "Brue", - "Messages containing my display name": "Mesaĝoj enhavantaj mian vidigan nomon", - "Messages in one-to-one chats": "Mesaĝoj en duopaj babiloj", "Unavailable": "Nedisponebla", "Source URL": "Fonta URL", - "Messages sent by bot": "Mesaĝoj senditaj per roboto", "Filter results": "Filtri rezultojn", "No update available.": "Neniuj ĝisdatigoj haveblas.", "Collecting app version information": "Kolektante informon pri versio de la aplikaĵo", @@ -409,13 +401,10 @@ "Wednesday": "Merkredo", "You cannot delete this message. (%(code)s)": "Vi ne povas forigi tiun ĉi mesaĝon. (%(code)s)", "All messages": "Ĉiuj mesaĝoj", - "Call invitation": "Invito al voko", "What's new?": "Kio novas?", - "When I'm invited to a room": "Kiam mi estas invitita al ĉambro", "All Rooms": "Ĉiuj ĉambroj", "Thursday": "Ĵaŭdo", "Show message in desktop notification": "Montradi mesaĝojn en labortablaj sciigoj", - "Messages in group chats": "Mesaĝoj en grupaj babiloj", "Yesterday": "Hieraŭ", "Error encountered (%(errorDetail)s).": "Eraron renkonti (%(errorDetail)s).", "Low Priority": "Malalta prioritato", @@ -428,8 +417,6 @@ "Send analytics data": "Sendi statistikajn datumojn", "Permission Required": "Necesas permeso", "Missing roomId.": "Mankas identigilo de la ĉambro.", - "%(senderName)s set the main address for this room to %(address)s.": "%(senderName)s agordis la ĉefan adreson por la ĉambro al %(address)s.", - "%(senderName)s removed the main address for this room.": "%(senderName)s forigis la ĉefan adreson de la ĉambro.", "Unable to load! Check your network connectivity and try again.": "Ne eblas enlegi! Kontrolu vian retan konekton kaj reprovu.", "Opens the Developer Tools dialog": "Maflermas evoluigistan interagujon", "This homeserver has hit its Monthly Active User limit.": "Tiu ĉi hejmservilo atingis sian monatan limon de aktivaj uzantoj.", @@ -460,9 +447,6 @@ "Names and surnames by themselves are easy to guess": "Ankaŭ nomoj familiaj kaj individiuaj estas memstare facile diveneblaj", "Common names and surnames are easy to guess": "Oftaj nomoj familiaj kaj individuaj estas facile diveneblaj", "Please contact your homeserver administrator.": "Bonvolu kontakti la administranton de via hejmservilo.", - "Messages containing @room": "Mesaĝoj enhavantaj @room", - "Encrypted messages in one-to-one chats": "Ĉifritaj mesaĝoj en duopaj babiloj", - "Encrypted messages in group chats": "Ĉifritaj mesaĝoj en grupaj babiloj", "Delete Backup": "Forigi savkopion", "Language and region": "Lingvo kaj regiono", "General": "Ĝeneralaj", @@ -602,15 +586,8 @@ "Sets the room name": "Agordas nomon de la ĉambro", "Sends the given message coloured as a rainbow": "Sendas la mesaĝon ĉielarke kolorigitan", "Sends the given emote coloured as a rainbow": "Sendas la mienon ĉielarke kolorigitan", - "%(senderDisplayName)s upgraded this room.": "%(senderDisplayName)s gradaltigis ĉi tiun ĉambron.", - "%(senderDisplayName)s made the room public to whoever knows the link.": "%(senderDisplayName)s publikigis la ĉambron al kiu ajn konas la ligilon.", - "%(senderDisplayName)s made the room invite only.": "%(senderDisplayName)s necesigis invitojn por aliĝoj al la ĉambro.", - "%(senderDisplayName)s changed the join rule to %(rule)s": "%(senderDisplayName)s ŝanĝis la aliĝan regulon al %(rule)s", - "%(senderDisplayName)s has allowed guests to join the room.": "%(senderDisplayName)s permesis al gastoj aliĝi al la ĉambro.", - "%(senderDisplayName)s has prevented guests from joining the room.": "%(senderDisplayName)s malpermesis al gastoj aliĝi al la ĉambro.", "Unbans user with given ID": "Malforbaras uzanton kun la donita identigilo", "Please supply a https:// or http:// widget URL": "Bonvolu doni URL-on de fenestraĵo kun https:// aŭ http://", - "%(senderDisplayName)s changed guest access to %(rule)s": "%(senderDisplayName)s ŝanĝis aliron de gastoj al %(rule)s", "%(displayName)s is typing …": "%(displayName)s tajpas…", "%(names)s and %(count)s others are typing …": { "other": "%(names)s kaj %(count)s aliaj tajpas…", @@ -621,8 +598,6 @@ "The user must be unbanned before they can be invited.": "Necesas malforbari ĉi tiun uzanton antaŭ ol ĝin inviti.", "The user's homeserver does not support the version of the room.": "Hejmservilo de ĉi tiu uzanto ne subtenas la version de la ĉambro.", "No need for symbols, digits, or uppercase letters": "Ne necesas simboloj, ciferoj, aŭ majuskloj", - "Messages containing my username": "Mesaĝoj enhavantaj mian uzantnomon", - "When rooms are upgraded": "Kiam ĉambroj gradaltiĝas", "The other party cancelled the verification.": "La alia kontrolano nuligis la kontrolon.", "You've successfully verified this user.": "Vi sukcese kontrolis ĉi tiun uzanton.", "Secure messages with this user are end-to-end encrypted and not able to be read by third parties.": "Sekuraj mesaĝoj kun ĉi tiu uzanto estas tutvoje ĉirfitaj kaj nelegeblaj al ceteruloj.", @@ -998,8 +973,6 @@ "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", "Please enter a name for the room": "Bonvolu enigi nomon por la ĉambro", - "Create a public room": "Krei publikan ĉambron", - "Create a private room": "Krei privatan ĉambron", "Topic (optional)": "Temo (malnepra)", "Hide advanced": "Kaŝi specialajn", "Show advanced": "Montri specialajn", @@ -1017,10 +990,6 @@ "Notification Autocomplete": "Memkompletigo de sciigoj", "Room Autocomplete": "Memkompletigo de ĉambroj", "User Autocomplete": "Memkompletigo de uzantoj", - "%(senderName)s placed a voice call.": "%(senderName)s ekigis voĉvokon.", - "%(senderName)s placed a voice call. (not supported by this browser)": "%(senderName)s ekigis voĉvokon. (mankas subteno en ĉi tiu foliumilo)", - "%(senderName)s placed a video call.": "%(senderName)s ekigis vidvokon.", - "%(senderName)s placed a video call. (not supported by this browser)": "%(senderName)s ekigis vidvokon. (mankas subteno en ĉi tiu foliumilo)", "Match system theme": "Similiĝi la sisteman haŭton", "My Ban List": "Mia listo de forbaroj", "This is your list of users/servers you have blocked - don't leave the room!": "Ĉi tio estas la listo de uzantoj/serviloj, kiujn vi blokis – ne eliru el la ĉambro!", @@ -1097,7 +1066,6 @@ "To be secure, do this in person or use a trusted way to communicate.": "Por plia sekureco, faru tion persone, aŭ uzu alian fidatan komunikilon.", "Show less": "Montri malpli", "Show more": "Montri pli", - "%(senderDisplayName)s changed the room name from %(oldRoomName)s to %(newRoomName)s.": "%(senderDisplayName)s ŝanĝis nomon de la ĉambro de %(oldRoomName)s al %(newRoomName)s.", "%(senderName)s added the alternative addresses %(addresses)s for this room.": { "other": "%(senderName)s aldonis la alternativajn adresojn %(addresses)s por ĉi tiu ĉambro.", "one": "%(senderName)s aldonis alternativan adreson %(addresses)s por ĉi tiu ĉambro." @@ -1415,7 +1383,6 @@ "%(senderName)s is calling": "%(senderName)s vokas", "%(senderName)s: %(message)s": "%(senderName)s: %(message)s", "%(senderName)s: %(stickerName)s": "%(senderName)s: %(stickerName)s", - "%(senderName)s invited %(targetName)s": "%(senderName)s invitis uzanton %(targetName)s", "Use custom size": "Uzi propran grandon", "Use a system font": "Uzi sisteman tiparon", "System font name": "Nomo de sistema tiparo", @@ -1542,7 +1509,6 @@ "Unknown App": "Nekonata aplikaĵo", "Error leaving room": "Eraro dum foriro de la ĉambro", "Unexpected server error trying to leave the room": "Neatendita servila eraro dum foriro de ĉambro", - "🎉 All servers are banned from participating! This room can no longer be used.": "🎉 Ĉiuj serviloj estas forbaritaj de partoprenado! La ĉambro ne plu povas esti uzata.", "Prepends ( ͡° ͜ʖ ͡°) to a plain-text message": "Antaŭmetas ( ͡° ͜ʖ ͡°) al platteksta mesaĝo", "The call was answered on another device.": "La voko estis respondita per alia aparato.", "Answered Elsewhere": "Respondita aliloke", @@ -1984,8 +1950,6 @@ "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", - "%(senderDisplayName)s changed the server ACLs for this room.": "%(senderDisplayName)s ŝanĝis la servilblokajn listojn por ĉi tiu ĉambro.", - "%(senderDisplayName)s set the server ACLs for this room.": "%(senderDisplayName)s agordis la servilblokajn listojn por ĉi tiu ĉambro.", "You're already in a call with this person.": "Vi jam vokas ĉi tiun personon.", "Already in call": "Jam vokanta", "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.", @@ -2022,7 +1986,6 @@ "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", - "Unnamed Space": "Sennoma aro", "Invite to %(spaceName)s": "Inviti al %(spaceName)s", "Create a new room": "Krei novan ĉambron", "Spaces": "Aroj", @@ -2169,22 +2132,6 @@ "Silence call": "Silenta voko", "Sound on": "Kun sono", "%(senderName)s changed the pinned messages for the room.": "%(senderName)s ŝanĝis la fiksitajn mesaĝojn de la ĉambro.", - "%(senderName)s unbanned %(targetName)s": "%(senderName)s malforbaris uzanton %(targetName)s", - "%(targetName)s left the room": "%(targetName)s foriris de la ĉambro", - "%(targetName)s left the room: %(reason)s": "%(targetName)s foriris de la ĉambro: %(reason)s", - "%(targetName)s rejected the invitation": "%(targetName)s rifuzis la inviton", - "%(targetName)s joined the room": "%(targetName)s aliĝis al la ĉambro", - "%(senderName)s made no change": "%(senderName)s faris nenian ŝanĝon", - "%(senderName)s set a profile picture": "%(senderName)s agordis profilbildon", - "%(senderName)s changed their profile picture": "%(senderName)s ŝanĝis sian profilbildon", - "%(senderName)s removed their profile picture": "%(senderName)s forigis sian profilbildon", - "%(senderName)s removed their display name (%(oldDisplayName)s)": "%(senderName)s forigis sian prezentan nomon (%(oldDisplayName)s)", - "%(senderName)s set their display name to %(displayName)s": "%(senderName)s ŝanĝis sian prezentan nomon al %(displayName)s", - "%(oldDisplayName)s changed their display name to %(displayName)s": "%(oldDisplayName)s ŝanĝis sian prezentan nomon al %(displayName)s", - "%(senderName)s banned %(targetName)s": "%(senderName)s forbaris uzanton %(targetName)s", - "%(senderName)s banned %(targetName)s: %(reason)s": "%(senderName)s forbaris uzanton %(targetName)s: %(reason)s", - "%(targetName)s accepted an invitation": "%(targetName)s akceptis inviton", - "%(targetName)s accepted the invitation for %(displayName)s": "%(targetName)s akceptis la inviton por %(displayName)s", "Some invites couldn't be sent": "Ne povis sendi iujn invitojn", "We sent the others, but the below people couldn't be invited to ": "Ni sendis la aliajn, sed la ĉi-subaj personoj ne povis ricevi inviton al ", "Transfer Failed": "Malsukcesis transdono", @@ -2349,8 +2296,6 @@ "Unknown failure: %(reason)s": "Malsukceso nekonata: %(reason)s", "No answer": "Sen respondo", "Enable encryption in settings.": "Ŝaltu ĉifradon per agordoj.", - "%(senderName)s withdrew %(targetName)s's invitation": "%(senderName)s nuligis inviton por %(targetName)s", - "%(senderName)s withdrew %(targetName)s's invitation: %(reason)s": "%(senderName)s nuligis inviton por %(targetName)s: %(reason)s", "An unknown error occurred": "Okazis nekonata eraro", "Their device couldn't start the camera or microphone": "Ĝia aparato ne povis startigi la filmilon aŭ la mikrofonon", "Connection failed": "Malsukcesis konekto", @@ -2445,12 +2390,6 @@ "%(senderName)s has started a poll - %(pollQuestion)s": "%(senderName)s komencis balotenketon - %(pollQuestion)s", "%(senderName)s has shared their location": "%(senderName)s dividis sian lokon", "%(senderName)s has updated the room layout": "%(senderName)s ĝisdatigis la aranĝon de ĉambro", - "%(senderDisplayName)s sent a sticker.": "%(senderDisplayName)s sendis glumarkon.", - "%(senderDisplayName)s changed who can join this room.": "%(senderDisplayName)s ŝanĝis, kiu povas aliĝi al ĉi tiu ĉambro.", - "%(senderDisplayName)s changed who can join this room. View settings.": "%(senderDisplayName)s ŝanĝis, kiu povas aliĝi al ĉi tiu ĉambro. Rigardu agordojn.", - "%(senderDisplayName)s changed the room avatar.": "%(senderDisplayName)s ŝanĝis la profilbildon de ĉambro.", - "Video call started in %(roomName)s. (not supported by this browser)": "Videovoko komenciĝis en %(roomName)s. (ne subtenata de ĉi tiu retumilo)", - "Video call started in %(roomName)s.": "Videovoko komenciĝis en %(roomName)s.", "No active call in this room": "Neniu aktiva voko en ĉi tiu ĉambro", "Failed to read events": "Malsukcesis legi okazojn", "Failed to send event": "Malsukcesis sendi okazon", @@ -2539,8 +2478,6 @@ "%(space1Name)s and %(space2Name)s": "%(space1Name)s kaj %(space2Name)s", "30s forward": "30s. antaŭen", "30s backward": "30s. reen", - "%(senderName)s removed %(targetName)s": "%(senderName)s forigis %(targetName)s", - "%(senderName)s removed %(targetName)s: %(reason)s": "%(senderName)s forigis %(targetName)s: %(reason)s", "Developer command: Discards the current outbound group session and sets up new Olm sessions": "Komando de programisto: Forĵetas la nunan eliran grupsesion kaj starigas novajn Olm-salutaĵojn", "Command error: Unable to handle slash command.": "Komanda eraro: Ne eblas trakti oblikvan komandon.", "What location type do you want to share?": "Kiel vi volas kunhavigi vian lokon?", @@ -2619,14 +2556,8 @@ "Inactive sessions are sessions you have not used in some time, but they continue to receive encryption keys.": "Neaktivaj salutaĵoj estas salutaĵoj, kiujn vi ne uzis dum kelka tempo, sed ili daŭre ricevas ĉifrajn ŝlosilojn.", "Inactive sessions": "Neaktivaj salutaĵoj", "Unverified sessions": "Nekontrolitaj salutaĵoj", - "From the beginning": "De la komenco", - "Current Timeline": "Nuna historio", - "Plain Text": "Plata Teksto", - "HTML": "HTML", - "JSON": "JSON", "Include Attachments": "Inkluzivi Aldonaĵojn", "Size Limit": "Grandeca Limo", - "Media omitted - file size limit exceeded": "Amaskomunikilaro preterlasis - dosiero tro granda", "Select from the options below to export chats from your timeline": "Elektu el la subaj elektoj por eksporti babilojn el via historio", "Public rooms": "Publikajn ĉambrojn", "Show details": "Montri detalojn", @@ -2639,24 +2570,8 @@ "Add privileged users": "Aldoni rajtigitan uzanton", "Number of messages": "Nombro da mesaĝoj", "Number of messages can only be a number between %(min)s and %(max)s": "Nombro da mesaĝoj povas esti nur nombro inter %(min)s kaj %(max)s", - "Specify a number of messages": "Indiki kelkajn mesaĝojn", "You previously consented to share anonymous usage data with us. We're updating how that works.": "Vi antaŭe konsentis kunhavigi anonimajn uzdatumojn kun ni. Ni ĝisdatigas kiel tio funkcias.", "That's fine": "Tio estas bone", - "Export successful!": "Eksporto sukcesa!", - "Error fetching file": "Eraro alportante dosieron", - "Topic: %(topic)s": "Temo: %(topic)s", - "This is the start of export of . Exported by at %(exportDate)s.": "Ĉi tio estas la komenco de eksporto de . Eksportite de ĉe %(exportDate)s.", - "%(creatorName)s created this room.": "%(creatorName)s kreis ĉi tiun ĉambron.", - "Fetched %(count)s events so far": { - "one": "Ĝis nun akiris %(count)s okazon", - "other": "Ĝis nun akiris %(count)s okazojn" - }, - "Fetched %(count)s events out of %(total)s": { - "one": "Elportis %(count)s okazon el %(total)s", - "other": "Elportis %(count)s okazojn el %(total)s" - }, - "Generating a ZIP": "ZIP-arkivo estas generita", - "Are you sure you want to exit during this export?": "Ĉu vi vere volas nuligi la eksportadon?", "Map feedback": "Sugestoj pri la mapo", "Developer": "Programisto", "unknown": "nekonata", @@ -2669,9 +2584,6 @@ "Notifications silenced": "Sciigoj silentigitaj", "Video call started": "Videovoko komenciĝis", "Unknown room": "Nekonata ĉambro", - "Creating output…": "Kreante eligon…", - "Fetching events…": "Alportante okazojn…", - "Creating HTML…": "Kreante HTML…", "Unable to connect to Homeserver. Retrying…": "Ne povas konektiĝi al hejmservilo. Reprovante…", "Are you sure you want to stop your live broadcast? This will end the broadcast and the full recording will be available in the room.": "Ĉu vi certas, ke vi volas fini la elsendon? Ĉi tio finos la transdonon kaj provizos la plenan registradon en la ĉambro.", "Unable to play this voice broadcast": "Ne eblas ludi ĉi tiun voĉan elsendon", @@ -2744,7 +2656,9 @@ "matrix": "Matrix", "trusted": "Fidata", "not_trusted": "Nefidata", - "accessibility": "Alirebleco" + "accessibility": "Alirebleco", + "unnamed_room": "Sennoma Ĉambro", + "unnamed_space": "Sennoma aro" }, "action": { "continue": "Daŭrigi", @@ -2955,7 +2869,20 @@ "jump_to_bottom_on_send": "Salti al subo de historio sendinte mesaĝon", "prompt_invite": "Averti antaŭ ol sendi invitojn al eble nevalidaj Matrix-identigiloj", "start_automatically": "Memfare ruli post operaciuma saluto", - "warn_quit": "Averti antaŭ ĉesigo" + "warn_quit": "Averti antaŭ ĉesigo", + "notifications": { + "rule_contains_display_name": "Mesaĝoj enhavantaj mian vidigan nomon", + "rule_contains_user_name": "Mesaĝoj enhavantaj mian uzantnomon", + "rule_roomnotif": "Mesaĝoj enhavantaj @room", + "rule_room_one_to_one": "Mesaĝoj en duopaj babiloj", + "rule_message": "Mesaĝoj en grupaj babiloj", + "rule_encrypted": "Ĉifritaj mesaĝoj en grupaj babiloj", + "rule_invite_for_me": "Kiam mi estas invitita al ĉambro", + "rule_call": "Invito al voko", + "rule_suppress_notices": "Mesaĝoj senditaj per roboto", + "rule_tombstone": "Kiam ĉambroj gradaltiĝas", + "rule_encrypted_room_one_to_one": "Ĉifritaj mesaĝoj en duopaj babiloj" + } }, "devtools": { "event_type": "Tipo de okazo", @@ -2984,5 +2911,102 @@ "active_widgets": "Aktivaj fenestraĵoj", "toolbox": "Ilaro", "developer_tools": "Evoluigiloj" + }, + "export_chat": { + "html": "HTML", + "json": "JSON", + "text": "Plata Teksto", + "from_the_beginning": "De la komenco", + "number_of_messages": "Indiki kelkajn mesaĝojn", + "current_timeline": "Nuna historio", + "creating_html": "Kreante HTML…", + "export_successful": "Eksporto sukcesa!", + "unload_confirm": "Ĉu vi vere volas nuligi la eksportadon?", + "generating_zip": "ZIP-arkivo estas generita", + "fetched_n_events_with_total": { + "one": "Elportis %(count)s okazon el %(total)s", + "other": "Elportis %(count)s okazojn el %(total)s" + }, + "fetched_n_events": { + "one": "Ĝis nun akiris %(count)s okazon", + "other": "Ĝis nun akiris %(count)s okazojn" + }, + "media_omitted_file_size": "Amaskomunikilaro preterlasis - dosiero tro granda", + "creator_summary": "%(creatorName)s kreis ĉi tiun ĉambron.", + "export_info": "Ĉi tio estas la komenco de eksporto de . Eksportite de ĉe %(exportDate)s.", + "topic": "Temo: %(topic)s", + "error_fetching_file": "Eraro alportante dosieron", + "fetching_events": "Alportante okazojn…", + "creating_output": "Kreante eligon…" + }, + "create_room": { + "title_public_room": "Krei publikan ĉambron", + "title_private_room": "Krei privatan ĉambron" + }, + "timeline": { + "m.call": { + "video_call_started": "Videovoko komenciĝis en %(roomName)s.", + "video_call_started_unsupported": "Videovoko komenciĝis en %(roomName)s. (ne subtenata de ĉi tiu retumilo)" + }, + "m.call.invite": { + "voice_call": "%(senderName)s ekigis voĉvokon.", + "voice_call_unsupported": "%(senderName)s ekigis voĉvokon. (mankas subteno en ĉi tiu foliumilo)", + "video_call": "%(senderName)s ekigis vidvokon.", + "video_call_unsupported": "%(senderName)s ekigis vidvokon. (mankas subteno en ĉi tiu foliumilo)" + }, + "m.room.member": { + "accepted_3pid_invite": "%(targetName)s akceptis la inviton por %(displayName)s", + "accepted_invite": "%(targetName)s akceptis inviton", + "invite": "%(senderName)s invitis uzanton %(targetName)s", + "ban_reason": "%(senderName)s forbaris uzanton %(targetName)s: %(reason)s", + "ban": "%(senderName)s forbaris uzanton %(targetName)s", + "change_name": "%(oldDisplayName)s ŝanĝis sian prezentan nomon al %(displayName)s", + "set_name": "%(senderName)s ŝanĝis sian prezentan nomon al %(displayName)s", + "remove_name": "%(senderName)s forigis sian prezentan nomon (%(oldDisplayName)s)", + "remove_avatar": "%(senderName)s forigis sian profilbildon", + "change_avatar": "%(senderName)s ŝanĝis sian profilbildon", + "set_avatar": "%(senderName)s agordis profilbildon", + "no_change": "%(senderName)s faris nenian ŝanĝon", + "join": "%(targetName)s aliĝis al la ĉambro", + "reject_invite": "%(targetName)s rifuzis la inviton", + "left_reason": "%(targetName)s foriris de la ĉambro: %(reason)s", + "left": "%(targetName)s foriris de la ĉambro", + "unban": "%(senderName)s malforbaris uzanton %(targetName)s", + "withdrew_invite_reason": "%(senderName)s nuligis inviton por %(targetName)s: %(reason)s", + "withdrew_invite": "%(senderName)s nuligis inviton por %(targetName)s", + "kick_reason": "%(senderName)s forigis %(targetName)s: %(reason)s", + "kick": "%(senderName)s forigis %(targetName)s" + }, + "m.room.topic": "%(senderDisplayName)s ŝanĝis la temon al « %(topic)s ».", + "m.room.avatar": "%(senderDisplayName)s ŝanĝis la profilbildon de ĉambro.", + "m.room.name": { + "remove": "%(senderDisplayName)s forigis nomon de la ĉambro.", + "change": "%(senderDisplayName)s ŝanĝis nomon de la ĉambro de %(oldRoomName)s al %(newRoomName)s.", + "set": "%(senderDisplayName)s ŝanĝis nomon de la ĉambro al %(roomName)s." + }, + "m.room.tombstone": "%(senderDisplayName)s gradaltigis ĉi tiun ĉambron.", + "m.room.join_rules": { + "public": "%(senderDisplayName)s publikigis la ĉambron al kiu ajn konas la ligilon.", + "invite": "%(senderDisplayName)s necesigis invitojn por aliĝoj al la ĉambro.", + "restricted_settings": "%(senderDisplayName)s ŝanĝis, kiu povas aliĝi al ĉi tiu ĉambro. Rigardu agordojn.", + "restricted": "%(senderDisplayName)s ŝanĝis, kiu povas aliĝi al ĉi tiu ĉambro.", + "unknown": "%(senderDisplayName)s ŝanĝis la aliĝan regulon al %(rule)s" + }, + "m.room.guest_access": { + "can_join": "%(senderDisplayName)s permesis al gastoj aliĝi al la ĉambro.", + "forbidden": "%(senderDisplayName)s malpermesis al gastoj aliĝi al la ĉambro.", + "unknown": "%(senderDisplayName)s ŝanĝis aliron de gastoj al %(rule)s" + }, + "m.image": "%(senderDisplayName)s sendis bildon.", + "m.sticker": "%(senderDisplayName)s sendis glumarkon.", + "m.room.server_acl": { + "set": "%(senderDisplayName)s agordis la servilblokajn listojn por ĉi tiu ĉambro.", + "changed": "%(senderDisplayName)s ŝanĝis la servilblokajn listojn por ĉi tiu ĉambro.", + "all_servers_banned": "🎉 Ĉiuj serviloj estas forbaritaj de partoprenado! La ĉambro ne plu povas esti uzata." + }, + "m.room.canonical_alias": { + "set": "%(senderName)s agordis la ĉefan adreson por la ĉambro al %(address)s.", + "removed": "%(senderName)s forigis la ĉefan adreson de la ĉambro." + } } } diff --git a/src/i18n/strings/es.json b/src/i18n/strings/es.json index 8d7b224b791..36bef5d548a 100644 --- a/src/i18n/strings/es.json +++ b/src/i18n/strings/es.json @@ -17,8 +17,6 @@ "Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or enable unsafe scripts.": "No se ha podido conectar al servidor base a través de HTTP, cuando es necesario un enlace HTTPS en la barra de direcciones de tu navegador. Ya sea usando HTTPS o activando los scripts inseguros.", "Change Password": "Cambiar la contraseña", "%(senderName)s changed the power level of %(powerLevelDiffText)s.": "%(senderName)s cambió el nivel de acceso de %(powerLevelDiffText)s.", - "%(senderDisplayName)s changed the room name to %(roomName)s.": "%(senderDisplayName)s cambió el nombre de la sala a %(roomName)s.", - "%(senderDisplayName)s changed the topic to \"%(topic)s\".": "%(senderDisplayName)s cambió el asunto a «%(topic)s».", "Changes your display nickname": "Cambia tu apodo público", "Command error": "Error de comando", "Commands": "Comandos", @@ -98,7 +96,6 @@ "%(roomName)s is not accessible at this time.": "%(roomName)s no es accesible en este momento.", "Rooms": "Salas", "Search failed": "Falló la búsqueda", - "%(senderDisplayName)s sent an image.": "%(senderDisplayName)s envió una imagen.", "%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": "%(senderName)s invitó a %(targetDisplayName)s a unirse a la sala.", "Server error": "Error del servidor", "Server may be unavailable, overloaded, or search timed out :(": "El servidor podría estar saturado o desconectado, o la búsqueda caducó :(", @@ -111,7 +108,6 @@ "You may need to manually permit %(brand)s to access your microphone/webcam": "Probablemente necesites dar permisos manualmente a %(brand)s para tu micrófono/cámara", "Are you sure you want to leave the room '%(roomName)s'?": "¿Salir de la sala «%(roomName)s»?", "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.": "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.", - "%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s eliminó el nombre de la sala.", "Missing room_id in request": "Falta el room_id en la solicitud", "Missing user_id in request": "Falta el user_id en la solicitud", "Moderator": "Moderador", @@ -161,7 +157,6 @@ "Unable to verify email address.": "No es posible verificar la dirección de correo electrónico.", "Unban": "Quitar Veto", "Unable to enable Notifications": "No se han podido activar las notificaciones", - "Unnamed Room": "Sala sin nombre", "Uploading %(filename)s": "Subiendo %(filename)s", "Uploading %(filename)s and %(count)s others": { "one": "Subiendo %(filename)s y otros %(count)s", @@ -225,11 +220,8 @@ "Waiting for response from server": "Esperando una respuesta del servidor", "Failed to send logs: ": "Error al enviar registros: ", "This Room": "Esta sala", - "Messages containing my display name": "Mensajes que contengan mi nombre público", - "Messages in one-to-one chats": "Mensajes en conversaciones uno a uno", "Unavailable": "No disponible", "Source URL": "URL de Origen", - "Messages sent by bot": "Mensajes enviados por bots", "Filter results": "Filtrar resultados", "No update available.": "No hay actualizaciones disponibles.", "Noisy": "Sonoro", @@ -244,16 +236,13 @@ "Invite to this room": "Invitar a la sala", "Send": "Enviar", "All messages": "Todos los mensajes", - "Call invitation": "Cuando me inviten a una llamada", "Thank you!": "¡Gracias!", "What's new?": "Novedades", - "When I'm invited to a room": "Cuando me inviten a una sala", "All Rooms": "Todas las salas", "You cannot delete this message. (%(code)s)": "No puedes eliminar este mensaje. (%(code)s)", "Thursday": "Jueves", "Logs sent": "Registros enviados", "Show message in desktop notification": "Mostrar mensaje en las notificaciones de escritorio", - "Messages in group chats": "Mensajes en conversaciones grupales", "Yesterday": "Ayer", "Error encountered (%(errorDetail)s).": "Error encontrado (%(errorDetail)s).", "Low Priority": "Prioridad baja", @@ -484,8 +473,6 @@ "Failed to upgrade room": "No se pudo actualizar la sala", "The room upgrade could not be completed": "La actualización de la sala no pudo ser completada", "Upgrade this room to version %(version)s": "Actualiza esta sala a la versión %(version)s", - "%(senderName)s set the main address for this room to %(address)s.": "%(senderName)s estableció la dirección principal para esta sala como %(address)s.", - "%(senderName)s removed the main address for this room.": "%(senderName)s eliminó la dirección principal para esta sala.", "%(brand)s now uses 3-5x less memory, by only loading information about other users when needed. Please wait whilst we resynchronise with the server!": "%(brand)s ahora utiliza de 3 a 5 veces menos memoria, porque solo carga información sobre otros usuarios cuando es necesario. Por favor, ¡aguarda mientras volvemos a sincronizar con el servidor!", "Updating %(brand)s": "Actualizando %(brand)s", "Room version:": "Versión de la sala:", @@ -502,11 +489,6 @@ "The file '%(fileName)s' exceeds this homeserver's size limit for uploads": "El archivo «%(fileName)s» supera el tamaño límite del servidor para subidas", "Unable to load! Check your network connectivity and try again.": "No se ha podido cargar. Comprueba tu conexión de red e inténtalo de nuevo.", "Upgrades a room to a new version": "Actualiza una sala a una nueva versión", - "%(senderDisplayName)s upgraded this room.": "%(senderDisplayName)s actualizó esta sala.", - "%(senderDisplayName)s made the room public to whoever knows the link.": "%(senderDisplayName)s hizo la sala pública a cualquiera que conozca el enlace.", - "%(senderDisplayName)s made the room invite only.": "%(senderDisplayName)s restringió la sala a invitados.", - "%(senderDisplayName)s has allowed guests to join the room.": "%(senderDisplayName)s autorizó a unirse a la sala a personas todavía sin cuenta.", - "%(senderDisplayName)s has prevented guests from joining the room.": "%(senderDisplayName)s ha prohibido que los invitados se unan a la sala.", "%(displayName)s is typing …": "%(displayName)s está escribiendo…", "%(names)s and %(count)s others are typing …": { "other": "%(names)s y otros %(count)s están escribiendo…", @@ -542,10 +524,6 @@ "Common names and surnames are easy to guess": "Nombres y apellidos comunes son fáciles de adivinar", "Straight rows of keys are easy to guess": "Palabras formadas por secuencias de teclas consecutivas son fáciles de adivinar", "Short keyboard patterns are easy to guess": "Patrones de tecleo cortos son fáciles de adivinar", - "Messages containing my username": "Mensajes que contengan mi nombre", - "Messages containing @room": "Mensajes que contengan @room", - "Encrypted messages in one-to-one chats": "Mensajes cifrados en salas uno a uno", - "Encrypted messages in group chats": "Mensajes cifrados en conversaciones grupales", "The other party cancelled the verification.": "El otro lado canceló la verificación.", "Verified!": "¡Verificado!", "You've successfully verified this user.": "Has verificado correctamente a este usuario.", @@ -662,8 +640,6 @@ "Continue With Encryption Disabled": "Seguir con el cifrado desactivado", "Verify this user to mark them as trusted. Trusting users gives you extra peace of mind when using end-to-end encrypted messages.": "Verifica a este usuario para marcarlo como de confianza. Confiar en usuarios aporta tranquilidad en los mensajes cifrados de extremo a extremo.", "Incoming Verification Request": "Petición de verificación entrante", - "%(senderDisplayName)s changed the join rule to %(rule)s": "%(senderDisplayName)s cambió la regla para unirse a %(rule)s", - "%(senderDisplayName)s changed guest access to %(rule)s": "%(senderDisplayName)s ha cambiado el acceso de invitados a %(rule)s", "Use a longer keyboard pattern with more turns": "Usa un patrón de tecleo largo con más vueltas", "Verify this user by confirming the following emoji appear on their screen.": "Verifica este usuario confirmando que los siguientes emojis aparecen en su pantalla.", "Your %(brand)s is misconfigured": "Tu %(brand)s tiene un error de configuración", @@ -712,13 +688,8 @@ "Only continue if you trust the owner of the server.": "Continúa solamente si confías en el propietario del servidor.", "Error upgrading room": "Fallo al mejorar la sala", "Double check that your server supports the room version chosen and try again.": "Asegúrate de que tu servidor es compatible con la versión de sala elegida y prueba de nuevo.", - "%(senderName)s placed a voice call.": "%(senderName)s hizo una llamada de voz.", - "%(senderName)s placed a voice call. (not supported by this browser)": "%(senderName)s hizo una llamada de voz. (no soportada por este navegador)", - "%(senderName)s placed a video call.": "%(senderName)s hizo una llamada de vídeo.", - "%(senderName)s placed a video call. (not supported by this browser)": "%(senderName)s hizo una llamada de vídeo (no soportada por este navegador)", "%(name)s (%(userId)s)": "%(name)s (%(userId)s)", "Match system theme": "Usar el mismo tema que el sistema", - "When rooms are upgraded": "Cuando las salas son actualizadas", "My Ban List": "Mi lista de baneos", "This is your list of users/servers you have blocked - don't leave the room!": "Esta es la lista de usuarios y/o servidores que has bloqueado. ¡No te salgas de la sala!", "Accept to continue:": ", acepta para continuar:", @@ -926,7 +897,6 @@ "Please supply a widget URL or embed code": "Por favor, proporciona la URL del accesorio o un código de incrustación", "Displays information about a user": "Muestra información sobre un usuario", "Send a bug report with logs": "Enviar un informe de errores con los registros", - "%(senderDisplayName)s changed the room name from %(oldRoomName)s to %(newRoomName)s.": "%(senderDisplayName)s cambió el nombre de la sala %(oldRoomName)s a %(newRoomName)s.", "%(senderName)s added the alternative addresses %(addresses)s for this room.": { "other": "%(senderName)s añadió las direcciones alternativas %(addresses)s para esta sala.", "one": "%(senderName)s añadió la dirección alternativa %(addresses)s para esta sala." @@ -1052,8 +1022,6 @@ "Clear all data": "Borrar todos los datos", "Please enter a name for the room": "Elige un nombre para la sala", "Enable end-to-end encryption": "Activar el cifrado de extremo a extremo", - "Create a public room": "Crear una sala pública", - "Create a private room": "Crear una sala privada", "Topic (optional)": "Asunto (opcional)", "Hide advanced": "Ocultar ajustes avanzados", "Show advanced": "Mostrar ajustes avanzados", @@ -1551,7 +1519,6 @@ "Send stickers into this room": "Enviar pegatunas a esta sala", "Remain on your screen while running": "Permanecer en tu pantalla mientras se esté ejecutando", "Remain on your screen when viewing another room, when running": "Permanecer en la pantalla cuando estés viendo otra sala, mientras se esté ejecutando", - "🎉 All servers are banned from participating! This room can no longer be used.": "🎉 No puede participar ningún servidor. Esta sala ya no se puede usar más.", "This looks like a valid Security Key!": "¡Parece que es una clave de seguridad válida!", "Not a valid Security Key": "No es una clave de seguridad válida", "That phone number doesn't look quite right, please check and try again": "Ese número de teléfono no parece ser correcto, compruébalo e inténtalo de nuevo", @@ -1864,8 +1831,6 @@ "Change the topic of your active room": "Cambiar el asunto de la sala en la que estés", "See when the topic changes in this room": "Ver cuándo cambia el asunto de esta sala", "Change the topic of this room": "Cambiar el asunto de esta sala", - "%(senderDisplayName)s changed the server ACLs for this room.": "%(senderDisplayName)s cambió los permisos de la sala.", - "%(senderDisplayName)s set the server ACLs for this room.": "%(senderDisplayName)s ha establecido los permisos de la sala.", "Converts the DM to a room": "Convierte el mensaje directo a sala", "Converts the room to a DM": "Convierte la sala a un mensaje directo", "Takes the call in the current room off hold": "Quita la llamada de la sala actual de espera", @@ -2017,7 +1982,6 @@ "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.", - "Unnamed Space": "Espacio sin nombre", "Invite to %(spaceName)s": "Invitar a %(spaceName)s", "Create a new room": "Crear una sala nueva", "Spaces": "Espacios", @@ -2166,8 +2130,6 @@ "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", - "%(senderName)s removed their display name (%(oldDisplayName)s)": "%(senderName)s se ha quitado el nombre personalizado (%(oldDisplayName)s)", - "%(senderName)s set their display name to %(displayName)s": "%(senderName)s ha elegido %(displayName)s como su nombre", "%(senderName)s changed the pinned messages for the room.": "%(senderName)s cambió los mensajes fijados de la sala.", "Disagree": "No estoy de acuerdo", "Report": "Denunciar", @@ -2216,20 +2178,6 @@ "e.g. my-space": "ej.: mi-espacio", "Silence call": "Silenciar llamada", "Sound on": "Sonido activado", - "%(senderName)s withdrew %(targetName)s's invitation": "%(senderName)s ha anulado la invitación a %(targetName)s", - "%(senderName)s withdrew %(targetName)s's invitation: %(reason)s": "%(senderName)s ha anulado la invitación a %(targetName)s: %(reason)s", - "%(targetName)s left the room": "%(targetName)s ha salido de la sala", - "%(targetName)s left the room: %(reason)s": "%(targetName)s ha salido de la sala: %(reason)s", - "%(targetName)s rejected the invitation": "%(targetName)s ha rechazado la invitación", - "%(targetName)s joined the room": "%(targetName)s se ha unido a la sala", - "%(senderName)s made no change": "%(senderName)s no ha hecho ningún cambio", - "%(senderName)s set a profile picture": "%(senderName)s se ha puesto una foto de perfil", - "%(senderName)s changed their profile picture": "%(senderName)s cambió su foto de perfil", - "%(senderName)s removed their profile picture": "%(senderName)s ha eliminado su foto de perfil", - "%(oldDisplayName)s changed their display name to %(displayName)s": "%(oldDisplayName)s cambió su nombre a %(displayName)s", - "%(senderName)s invited %(targetName)s": "%(senderName)s invitó a %(targetName)s", - "%(targetName)s accepted an invitation": "%(targetName)s ha aceptado una invitación", - "%(targetName)s accepted the invitation for %(displayName)s": "%(targetName)s ha aceptado la invitación a %(displayName)s", "We sent the others, but the below people couldn't be invited to ": "Hemos enviado el resto, pero no hemos podido invitar las siguientes personas a la sala ", "Some invites couldn't be sent": "No se han podido enviar algunas invitaciones", "Integration manager": "Gestor de integración", @@ -2284,9 +2232,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.", - "%(senderName)s unbanned %(targetName)s": "%(senderName)s ha quitado el veto a %(targetName)s", - "%(senderName)s banned %(targetName)s": "%(senderName)s ha vetado a %(targetName)s", - "%(senderName)s banned %(targetName)s: %(reason)s": "%(senderName)s ha vetado a %(targetName)s: %(reason)s", "People with supported clients will be able to join the room without having a registered account.": "Las personas con una aplicación compatible podrán unirse a la sala sin tener que registrar una cuenta.", "Anyone in a space can find and join. You can select multiple spaces.": "Cualquiera en un espacio puede encontrar y unirse. Puedes seleccionar varios espacios.", "Spaces with access": "Espacios con acceso", @@ -2400,9 +2345,6 @@ "%(senderName)s unpinned a message from this room. See all pinned messages.": "%(senderName)s ha dejado de fijar un mensaje de esta sala. Ver todos los mensajes fijados.", "%(senderName)s unpinned a message from this room. See all pinned messages.": "%(senderName)s ha dejado de fijar un mensaje de esta sala. Ver todos los mensajes fijados.", "%(reactors)s reacted with %(content)s": "%(reactors)s han reaccionado con %(content)s", - "This is the start of export of . Exported by at %(exportDate)s.": "Aquí empieza la exportación de . Exportado por el %(exportDate)s.", - "Media omitted - file size limit exceeded": "Archivo omitido - supera el límite de tamaño", - "Media omitted": "Archivo omitido", "Exporting your data": "Exportando tus datos", "Export Chat": "Exportar conversación", "Include Attachments": "Incluir archivos adjuntos", @@ -2411,19 +2353,6 @@ "MB": "MB", "In reply to this message": "En respuesta a este mensaje", "Export chat": "Exportar conversación", - "File Attached": "Archivo adjunto", - "Error fetching file": "Error al recuperar el archivo", - "Topic: %(topic)s": "Asunto: %(topic)s", - "%(creatorName)s created this room.": "%(creatorName)s creó esta sala.", - "Current Timeline": "Línea de tiempo actual", - "Specify a number of messages": "Un número máximo de mensajes", - "From the beginning": "Desde el principio", - "Plain Text": "Texto", - "JSON": "JSON", - "HTML": "HTML", - "Are you sure you want to exit during this export?": "¿Seguro que quieres salir durante la exportación?", - "%(senderDisplayName)s changed the room avatar.": "%(senderDisplayName)s cambió la imagen de la sala.", - "%(senderDisplayName)s sent a sticker.": "%(senderDisplayName)s envió una pegatina.", "Size can only be a number between %(min)s MB and %(max)s MB": "El tamaño solo puede ser un número de %(min)s a %(max)s MB", "It looks like you don't have a Security Key or any other devices you can verify against. This device will not be able to access old encrypted messages. In order to verify your identity on this device, you'll need to reset your verification keys.": "Parece que no tienes una clave de seguridad u otros dispositivos para la verificación. Este dispositivo no podrá acceder los mensajes cifrados antiguos. Para verificar tu identidad en este dispositivo, tendrás que restablecer tus claves de verificación.", "Resetting your verification keys cannot be undone. After resetting, you won't have access to old encrypted messages, and any friends who have previously verified you will see security warnings until you re-verify with them.": "Una vez restableces las claves de verificación, no lo podrás deshacer. Después de restablecerlas, no podrás acceder a los mensajes cifrados antiguos, y cualquier persona que te haya verificado verá avisos de seguridad hasta que vuelvas a hacer la verificación con ella.", @@ -2501,8 +2430,6 @@ "We call the places where you can host your account 'homeservers'.": "Llamamos «servidores base» a los sitios donde puedes tener tu cuenta.", "Matrix.org is the biggest public homeserver in the world, so it's a good place for many.": "Matrix.org es el mayor servidor base público del mundo, por lo que mucha gente lo considera un buen sitio.", "If you can't see who you're looking for, send them your invite link below.": "Si no encuentras a quien buscas, envíale tu enlace de invitación que encontrarás abajo.", - "%(senderDisplayName)s changed who can join this room. View settings.": "%(senderDisplayName)s cambió quién puede unirse a esta sala. Ver ajustes.", - "%(senderDisplayName)s changed who can join this room.": "%(senderDisplayName)s cambió quién puede unirse a esta sala.", "Use high contrast": "Usar un modo con contraste alto", "Automatically send debug logs on any error": "Mandar automáticamente los registros de depuración cuando ocurra cualquier error", "Someone already has that username, please try another.": "Ya hay alguien con ese nombre de usuario. Prueba con otro, por favor.", @@ -2610,25 +2537,6 @@ "You previously consented to share anonymous usage data with us. We're updating how that works.": "En su momento, aceptaste compartir información anónima de uso con nosotros. Estamos cambiando cómo funciona el sistema.", "Help improve %(analyticsOwner)s": "Ayúdanos a mejorar %(analyticsOwner)s", "That's fine": "Vale", - "Exported %(count)s events in %(seconds)s seconds": { - "one": "%(count)s evento exportado en %(seconds)s segundos", - "other": "%(count)s eventos exportados en %(seconds)s segundos" - }, - "Export successful!": "¡Exportación completada!", - "Fetched %(count)s events in %(seconds)ss": { - "one": "Recibido %(count)s evento en %(seconds)ss", - "other": "Recibidos %(count)s eventos en %(seconds)ss" - }, - "Processing event %(number)s out of %(total)s": "Procesando evento %(number)s de %(total)s", - "Fetched %(count)s events so far": { - "one": "Recibido %(count)s evento por ahora", - "other": "Recibidos %(count)s eventos por ahora" - }, - "Fetched %(count)s events out of %(total)s": { - "one": "Recibido %(count)s evento de %(total)s", - "other": "Recibidos %(count)s eventos de %(total)s" - }, - "Generating a ZIP": "Generar un archivo ZIP", "We were unable to understand the given date (%(inputDate)s). Try using the format YYYY-MM-DD.": "El formato de la fecha no es el que esperábamos (%(inputDate)s). Prueba con AAAA-MM-DD, año-mes-día.", "You cannot place calls without a connection to the server.": "No puedes llamar porque no hay conexión con el servidor.", "Connectivity to the server has been lost": "Se ha perdido la conexión con el servidor", @@ -2655,8 +2563,6 @@ "Back to chat": "Volver a la conversación", "Remove, ban, or invite people to your active room, and make you leave": "Quitar, vetas o invitar personas a tu sala activa, y hacerte salir", "Remove, ban, or invite people to this room, and make you leave": "Quitar, vetar o invitar personas a esta sala, y hacerte salir", - "%(senderName)s removed %(targetName)s": "%(senderName)s quitó a %(targetName)s", - "%(senderName)s removed %(targetName)s: %(reason)s": "%(senderName)s quitó a %(targetName)s: %(reason)s", "No active call in this room": "No hay llamadas activas en la sala", "Unable to find Matrix ID for phone number": "No se ha podido encontrar ninguna ID de Matrix para el número de teléfono", "Unknown (user, session) pair: (%(userId)s, %(deviceId)s)": "Pareja (usuario, sesión) desconocida: (%(userId)s, %(deviceId)s)", @@ -2865,9 +2771,6 @@ "%(brand)s was denied permission to fetch your location. Please allow location access in your browser settings.": "Se le han denegado a %(brand)s los permisos para acceder a tu ubicación. Por favor, permite acceso a tu ubicación en los ajustes de tu navegador.", "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.", "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.": "Ayúdanos a identificar problemas y a mejorar %(analyticsOwner)s. Comparte datos anónimos sobre cómo usas la aplicación para que entendamos mejor cómo usa la gente varios dispositivos. Generaremos un identificador aleatorio que usarán todos tus dispositivos.", - "Create room": "Crear sala", - "Create a video room": "Crear una sala de vídeo", - "Create video room": "Crear sala de vídeo", "%(featureName)s Beta feedback": "Danos tu opinión sobre la beta de %(featureName)s", "%(count)s participants": { "one": "1 participante", @@ -3119,8 +3022,6 @@ "Enable notifications for this device": "Activar notificaciones en este dispositivo", "Turn off to disable notifications on all your devices and sessions": "Desactiva para no recibir notificaciones en todos tus dispositivos y sesiones", "You need to be able to kick users to do that.": "Debes poder sacar usuarios para hacer eso.", - "Video call started in %(roomName)s. (not supported by this browser)": "Videollamada empezada en %(roomName)s. (no compatible con este navegador)", - "Video call started in %(roomName)s.": "Videollamada empezada en %(roomName)s.", "%(downloadButton)s or %(copyButton)s": "%(downloadButton)s o %(copyButton)s", "%(securityKey)s or %(recoveryFile)s": "%(securityKey)s o %(recoveryFile)s", "Proxy URL": "URL de servidor proxy", @@ -3309,11 +3210,7 @@ "Grey": "Gris", "Yes, it was me": "Sí, fui yo", "You have unverified sessions": "Tienes sesiones sin verificar", - "Creating output…": "Creando resultado…", - "Fetching events…": "Recuperando eventos…", "Starting export process…": "Iniciando el proceso de exportación…", - "Creating HTML…": "Creando HTML…", - "Starting export…": "Comenzando la exportación…", "WebGL is required to display maps, please enable it in your browser settings.": "WebGL es necesario para mostrar mapas. Por favor, actívalo en los ajustes de tu navegador.", "Connection error - Recording paused": "Error de conexión, grabación detenida", "play voice broadcast": "reproducir difusión de voz", @@ -3358,7 +3255,6 @@ "Waiting for partner to confirm…": "Esperando a que la otra persona confirme…", "Select '%(scanQRCode)s'": "Selecciona «%(scanQRCode)s»", "Your language": "Tu idioma", - "%(oldDisplayName)s changed their display name and profile picture": "%(oldDisplayName)s cambió su nombre y foto de perfil", "Enable new native OIDC flows (Under active development)": "Activar flujos de OIDC nativos (en desarrollo)", "Error changing password": "Error al cambiar la contraseña", "Set a new account password…": "Elige una contraseña para la cuenta…", @@ -3446,7 +3342,9 @@ "not_trusted": "No de confianza", "accessibility": "Accesibilidad", "server": "Servidor", - "capabilities": "Funcionalidades" + "capabilities": "Funcionalidades", + "unnamed_room": "Sala sin nombre", + "unnamed_space": "Espacio sin nombre" }, "action": { "continue": "Continuar", @@ -3740,7 +3638,20 @@ "prompt_invite": "Preguntarme antes de enviar invitaciones a IDs de matrix que no parezcan válidas", "hardware_acceleration": "Activar aceleración por hardware (reinicia %(appName)s para que empiece a funcionar)", "start_automatically": "Abrir automáticamente después de iniciar sesión en el sistema", - "warn_quit": "Pedir confirmación antes de salir" + "warn_quit": "Pedir confirmación antes de salir", + "notifications": { + "rule_contains_display_name": "Mensajes que contengan mi nombre público", + "rule_contains_user_name": "Mensajes que contengan mi nombre", + "rule_roomnotif": "Mensajes que contengan @room", + "rule_room_one_to_one": "Mensajes en conversaciones uno a uno", + "rule_message": "Mensajes en conversaciones grupales", + "rule_encrypted": "Mensajes cifrados en conversaciones grupales", + "rule_invite_for_me": "Cuando me inviten a una sala", + "rule_call": "Cuando me inviten a una llamada", + "rule_suppress_notices": "Mensajes enviados por bots", + "rule_tombstone": "Cuando las salas son actualizadas", + "rule_encrypted_room_one_to_one": "Mensajes cifrados en salas uno a uno" + } }, "devtools": { "send_custom_account_data_event": "Enviar evento personalizado de cuenta de sala", @@ -3813,5 +3724,118 @@ "developer_tools": "Herramientas de desarrollo", "room_id": "ID de la sala: %(roomId)s", "event_id": "ID del evento: %(eventId)s" + }, + "export_chat": { + "html": "HTML", + "json": "JSON", + "text": "Texto", + "from_the_beginning": "Desde el principio", + "number_of_messages": "Un número máximo de mensajes", + "current_timeline": "Línea de tiempo actual", + "creating_html": "Creando HTML…", + "starting_export": "Comenzando la exportación…", + "export_successful": "¡Exportación completada!", + "unload_confirm": "¿Seguro que quieres salir durante la exportación?", + "generating_zip": "Generar un archivo ZIP", + "processing_event_n": "Procesando evento %(number)s de %(total)s", + "fetched_n_events_with_total": { + "one": "Recibido %(count)s evento de %(total)s", + "other": "Recibidos %(count)s eventos de %(total)s" + }, + "fetched_n_events": { + "one": "Recibido %(count)s evento por ahora", + "other": "Recibidos %(count)s eventos por ahora" + }, + "fetched_n_events_in_time": { + "one": "Recibido %(count)s evento en %(seconds)ss", + "other": "Recibidos %(count)s eventos en %(seconds)ss" + }, + "exported_n_events_in_time": { + "one": "%(count)s evento exportado en %(seconds)s segundos", + "other": "%(count)s eventos exportados en %(seconds)s segundos" + }, + "media_omitted": "Archivo omitido", + "media_omitted_file_size": "Archivo omitido - supera el límite de tamaño", + "creator_summary": "%(creatorName)s creó esta sala.", + "export_info": "Aquí empieza la exportación de . Exportado por el %(exportDate)s.", + "topic": "Asunto: %(topic)s", + "error_fetching_file": "Error al recuperar el archivo", + "file_attached": "Archivo adjunto", + "fetching_events": "Recuperando eventos…", + "creating_output": "Creando resultado…" + }, + "create_room": { + "title_video_room": "Crear una sala de vídeo", + "title_public_room": "Crear una sala pública", + "title_private_room": "Crear una sala privada", + "action_create_video_room": "Crear sala de vídeo", + "action_create_room": "Crear sala" + }, + "timeline": { + "m.call": { + "video_call_started": "Videollamada empezada en %(roomName)s.", + "video_call_started_unsupported": "Videollamada empezada en %(roomName)s. (no compatible con este navegador)" + }, + "m.call.invite": { + "voice_call": "%(senderName)s hizo una llamada de voz.", + "voice_call_unsupported": "%(senderName)s hizo una llamada de voz. (no soportada por este navegador)", + "video_call": "%(senderName)s hizo una llamada de vídeo.", + "video_call_unsupported": "%(senderName)s hizo una llamada de vídeo (no soportada por este navegador)" + }, + "m.room.member": { + "accepted_3pid_invite": "%(targetName)s ha aceptado la invitación a %(displayName)s", + "accepted_invite": "%(targetName)s ha aceptado una invitación", + "invite": "%(senderName)s invitó a %(targetName)s", + "ban_reason": "%(senderName)s ha vetado a %(targetName)s: %(reason)s", + "ban": "%(senderName)s ha vetado a %(targetName)s", + "change_name_avatar": "%(oldDisplayName)s cambió su nombre y foto de perfil", + "change_name": "%(oldDisplayName)s cambió su nombre a %(displayName)s", + "set_name": "%(senderName)s ha elegido %(displayName)s como su nombre", + "remove_name": "%(senderName)s se ha quitado el nombre personalizado (%(oldDisplayName)s)", + "remove_avatar": "%(senderName)s ha eliminado su foto de perfil", + "change_avatar": "%(senderName)s cambió su foto de perfil", + "set_avatar": "%(senderName)s se ha puesto una foto de perfil", + "no_change": "%(senderName)s no ha hecho ningún cambio", + "join": "%(targetName)s se ha unido a la sala", + "reject_invite": "%(targetName)s ha rechazado la invitación", + "left_reason": "%(targetName)s ha salido de la sala: %(reason)s", + "left": "%(targetName)s ha salido de la sala", + "unban": "%(senderName)s ha quitado el veto a %(targetName)s", + "withdrew_invite_reason": "%(senderName)s ha anulado la invitación a %(targetName)s: %(reason)s", + "withdrew_invite": "%(senderName)s ha anulado la invitación a %(targetName)s", + "kick_reason": "%(senderName)s quitó a %(targetName)s: %(reason)s", + "kick": "%(senderName)s quitó a %(targetName)s" + }, + "m.room.topic": "%(senderDisplayName)s cambió el asunto a «%(topic)s».", + "m.room.avatar": "%(senderDisplayName)s cambió la imagen de la sala.", + "m.room.name": { + "remove": "%(senderDisplayName)s eliminó el nombre de la sala.", + "change": "%(senderDisplayName)s cambió el nombre de la sala %(oldRoomName)s a %(newRoomName)s.", + "set": "%(senderDisplayName)s cambió el nombre de la sala a %(roomName)s." + }, + "m.room.tombstone": "%(senderDisplayName)s actualizó esta sala.", + "m.room.join_rules": { + "public": "%(senderDisplayName)s hizo la sala pública a cualquiera que conozca el enlace.", + "invite": "%(senderDisplayName)s restringió la sala a invitados.", + "restricted_settings": "%(senderDisplayName)s cambió quién puede unirse a esta sala. Ver ajustes.", + "restricted": "%(senderDisplayName)s cambió quién puede unirse a esta sala.", + "unknown": "%(senderDisplayName)s cambió la regla para unirse a %(rule)s" + }, + "m.room.guest_access": { + "can_join": "%(senderDisplayName)s autorizó a unirse a la sala a personas todavía sin cuenta.", + "forbidden": "%(senderDisplayName)s ha prohibido que los invitados se unan a la sala.", + "unknown": "%(senderDisplayName)s ha cambiado el acceso de invitados a %(rule)s" + }, + "m.image": "%(senderDisplayName)s envió una imagen.", + "m.sticker": "%(senderDisplayName)s envió una pegatina.", + "m.room.server_acl": { + "set": "%(senderDisplayName)s ha establecido los permisos de la sala.", + "changed": "%(senderDisplayName)s cambió los permisos de la sala.", + "all_servers_banned": "🎉 No puede participar ningún servidor. Esta sala ya no se puede usar más." + }, + "m.room.canonical_alias": { + "set": "%(senderName)s estableció la dirección principal para esta sala como %(address)s.", + "removed": "%(senderName)s eliminó la dirección principal para esta sala." + } } } diff --git a/src/i18n/strings/et.json b/src/i18n/strings/et.json index 2b2ad1ecb84..199f9ec9cd9 100644 --- a/src/i18n/strings/et.json +++ b/src/i18n/strings/et.json @@ -25,7 +25,6 @@ "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.", "Enable message search in encrypted rooms": "Võta kasutusele sõnumite otsing krüptitud jututubades", - "When rooms are upgraded": "Kui jututubasid uuendatakse", "Verify this user by confirming the following emoji appear on their screen.": "Verifitseeri see kasutaja tehes kindlaks et järgnev emoji kuvatakse tema ekraanil.", "For help with using %(brand)s, click here or start a chat with our bot using the button below.": "%(brand)s'i kasutamisega seotud abiteabe otsimiseks klõpsi seda viidet või vajutades järgnevat nuppu alusta vestlust meie robotiga.", "Chat with %(brand)s Bot": "Vestle %(brand)s'i robotiga", @@ -244,7 +243,6 @@ "%(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?", - "Unnamed Room": "Ilma nimeta jututuba", "Identity server has no terms of service": "Isikutuvastusserveril puuduvad kasutustingimused", "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.": "E-posti aadressi või telefoninumbri kontrolliks see tegevus eeldab päringut vaikimisi isikutuvastusserverisse , aga sellel serveril puuduvad kasutustingimused.", "Only continue if you trust the owner of the server.": "Jätka vaid siis, kui sa usaldad serveri omanikku.", @@ -265,8 +263,6 @@ "This homeserver has hit its Monthly Active User limit.": "See koduserver on saavutanud igakuise aktiivsete kasutajate piiri.", "Are you sure?": "Kas sa oled kindel?", "Jump to read receipt": "Hüppa lugemisteatise juurde", - "Create a public room": "Loo avalik jututuba", - "Create a private room": "Loo omavaheline jututuba", "Topic (optional)": "Jututoa teema (kui soovid lisada)", "Hide advanced": "Peida lisaseadistused", "Show advanced": "Näita lisaseadistusi", @@ -274,18 +270,6 @@ "Recent Conversations": "Hiljutised vestlused", "Your message wasn't sent because this homeserver has hit its Monthly Active User Limit. Please contact your service administrator to continue using the service.": "Sinu sõnumit ei saadetud, kuna see koduserver on saavutanud igakuise aktiivsete kasutajate piiri. Teenuse kasutamiseks palun võta ühendust serveri haldajaga.", "Add room": "Lisa jututuba", - "%(senderName)s placed a voice call.": "%(senderName)s alustas häälkõnet.", - "%(senderName)s placed a voice call. (not supported by this browser)": "%(senderName)s alustas häälkõnet. (sellel brauseril puudub niisuguste kõnede tugi)", - "%(senderName)s placed a video call.": "%(senderName)s alustas videokõnet.", - "%(senderName)s placed a video call. (not supported by this browser)": "%(senderName)s alustas videokõnet. (sellel brauseril puudub niisuguste kõnede tugi)", - "%(senderDisplayName)s made the room invite only.": "%(senderDisplayName)s määras, et jututuppa pääseb vaid kutsega.", - "%(senderDisplayName)s changed the join rule to %(rule)s": "%(senderDisplayName)s muutis liitumisreeglid järgnevaks - %(rule)s", - "%(senderDisplayName)s has allowed guests to join the room.": "%(senderDisplayName)s on lubanud külalistel jututoaga liituda.", - "%(senderDisplayName)s has prevented guests from joining the room.": "%(senderDisplayName)s on määranud et külalised ei saa jututoaga liituda.", - "%(senderDisplayName)s changed guest access to %(rule)s": "%(senderDisplayName)s muutis külaliste ligipääsureeglid alljärgnevaks - %(rule)s", - "%(senderDisplayName)s sent an image.": "%(senderDisplayName)s saatis pildi.", - "%(senderName)s set the main address for this room to %(address)s.": "%(senderName)s muutis selle jututoa põhiaadressiks %(address)s.", - "%(senderName)s removed the main address for this room.": "%(senderName)s eemaldas põhiaadressi sellest jututoast.", "%(senderName)s added the alternative addresses %(addresses)s for this room.": { "other": "%(senderName)s lisas sellele jututoale täiendava aadressi %(addresses)s.", "one": "%(senderName)s lisas sellele jututoale täiendava aadressi %(addresses)s." @@ -342,9 +326,6 @@ "Advanced": "Teave arendajatele", "Gets or sets the room topic": "Otsib või määrab jututoa teema", "Sets the room name": "Määrab jututoa nime", - "%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s eemaldas jututoa nime.", - "%(senderDisplayName)s changed the room name from %(oldRoomName)s to %(newRoomName)s.": "%(senderDisplayName)s muutis jututoa vana nime %(oldRoomName)s uueks nimeks %(newRoomName)s.", - "%(senderDisplayName)s changed the room name to %(roomName)s.": "%(senderDisplayName)s muutis jututoa nimeks %(roomName)s.", "General": "Üldist", "Notifications": "Teavitused", "Security & Privacy": "Turvalisus ja privaatsus", @@ -400,7 +381,6 @@ "This is a very common password": "See on väga levinud salasõna", "This is similar to a commonly used password": "See on sarnane tavaliselt kasutatavatele salasõnadele", "Match system theme": "Kasuta süsteemset teemat", - "Messages containing my display name": "Sõnumid, mis sisaldavad minu kuvatavat nime", "No display name": "Kuvatav nimi puudub", "New passwords don't match": "Uued salasõnad ei klapi", "Passwords can't be empty": "Salasõna ei saa olla tühi", @@ -433,15 +413,6 @@ "Composer": "Sõnumite kirjutamine", "Collecting logs": "Kogun logisid", "Waiting for response from server": "Ootan serverilt vastust", - "Messages containing my username": "Sõnumid, mis sisaldavad minu kasutajatunnust", - "Messages containing @room": "Sõnumid, mis sisaldavad sõna @room", - "Messages in one-to-one chats": "Kahepoolsete vestluste sõnumid", - "Encrypted messages in one-to-one chats": "Kahepoolsete vestluste krüptitud sõnumid", - "Messages in group chats": "Rühmavestluste sõnumid", - "Encrypted messages in group chats": "Rühmavestluste krüptitud sõnumid", - "When I'm invited to a room": "Kui mind kutsutakse jututuppa", - "Call invitation": "Kõnekutse", - "Messages sent by bot": "Robotite saadetud sõnumid", "URL Previews": "URL'ide eelvaated", "You have enabled URL previews by default.": "Vaikimisi oled URL'ide eelvaated võtnud kasutusele.", "You have disabled URL previews by default.": "Vaikimisi oled URL'ide eelvaated lülitanud välja.", @@ -819,9 +790,6 @@ "Please tell us what went wrong or, better, create a GitHub issue that describes the problem.": "Palun kirjelda seda, mis läks valesti ja loo GitHub'is veateade.", "Before submitting logs, you must create a GitHub issue to describe your problem.": "Enne logide saatmist sa peaksid GitHub'is looma veateate ja kirjeldama seal tekkinud probleemi.", "Notes": "Märkused", - "%(senderDisplayName)s changed the topic to \"%(topic)s\".": "%(senderDisplayName)s muutis uueks teemaks „%(topic)s“.", - "%(senderDisplayName)s upgraded this room.": "%(senderDisplayName)s uuendas seda jututuba.", - "%(senderDisplayName)s made the room public to whoever knows the link.": "%(senderDisplayName)s muutis selle jututoa avalikuks kõigile, kes teavad tema aadressi.", "You signed in to a new session without verifying it:": "Sa logisid sisse uude sessiooni ilma seda verifitseerimata:", "Verify your other session using one of the options below.": "Verifitseeri oma teine sessioon kasutades üht alljärgnevatest võimalustest.", "%(name)s (%(userId)s) signed in to a new session without verifying it:": "%(name)s (%(userId)s) logis sisse uude sessiooni ilma seda verifitseerimata:", @@ -1015,7 +983,6 @@ "%(senderName)s is calling": "%(senderName)s helistab", "%(senderName)s: %(message)s": "%(senderName)s: %(message)s", "%(senderName)s: %(stickerName)s": "%(senderName)s: %(stickerName)s", - "%(senderName)s invited %(targetName)s": "%(senderName)s saatis kutse kasutajale %(targetName)s", "Use custom size": "Kasuta kohandatud suurust", "Cross-signing public keys:": "Avalikud võtmed risttunnustamise jaoks:", "in memory": "on mälus", @@ -1535,9 +1502,6 @@ "Remove messages sent by others": "Kustuta teiste saadetud sõnumid", "Failed to save your profile": "Sinu profiili salvestamine ei õnnestunud", "The operation could not be completed": "Toimingut ei õnnestunud lõpetada", - "%(senderDisplayName)s changed the server ACLs for this room.": "%(senderDisplayName)s muutis seda jututuba teenindavate koduserverite loendit.", - "%(senderDisplayName)s set the server ACLs for this room.": "%(senderDisplayName)s seadistas seda jututuba teenindavate koduserverite loendi.", - "🎉 All servers are banned from participating! This room can no longer be used.": "🎉 Kõikidel serveritel on keeld seda jututuba teenindada! Seega seda jututuba ei saa enam kasutada.", "The call could not be established": "Kõnet ei saa korraldada", "Move right": "Liigu paremale", "Move left": "Liigu vasakule", @@ -2004,7 +1968,6 @@ "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.", - "Unnamed Space": "Nimetu kogukonnakeskus", "Invite to %(spaceName)s": "Kutsu kogukonnakeskusesse %(spaceName)s", "Create a new room": "Loo uus jututuba", "Spaces": "Kogukonnakeskused", @@ -2165,24 +2128,6 @@ "Error - Mixed content": "Viga - erinev sisu", "Error loading Widget": "Viga vidina laadimisel", "%(senderName)s changed the pinned messages for the room.": "%(senderName)s muutis selle jututoa klammerdatud sõnumeid.", - "%(senderName)s withdrew %(targetName)s's invitation": "%(senderName)s võttis tagasi %(targetName)s kutse", - "%(senderName)s withdrew %(targetName)s's invitation: %(reason)s": "%(senderName)s võttis tagasi %(targetName)s kutse: %(reason)s", - "%(senderName)s unbanned %(targetName)s": "%(senderName)s taastas ligipääsu kasutajale %(targetName)s", - "%(targetName)s left the room": "%(targetName)s lahkus jututoast", - "%(targetName)s left the room: %(reason)s": "%(targetName)s lahkus jututoast: %(reason)s", - "%(targetName)s rejected the invitation": "%(targetName)s lükkas kutse tagasi", - "%(targetName)s joined the room": "%(targetName)s liitus jututoaga", - "%(senderName)s made no change": "%(senderName)s ei teinud muutusi", - "%(senderName)s set a profile picture": "%(senderName)s määras oma profiilipildi", - "%(senderName)s changed their profile picture": "%(senderName)s muutis oma profiilipilti", - "%(senderName)s removed their profile picture": "%(senderName)s eemaldas oma profiilipildi", - "%(senderName)s removed their display name (%(oldDisplayName)s)": "%(senderName)s eemaldas oma kuvatava nime (%(oldDisplayName)s)", - "%(senderName)s set their display name to %(displayName)s": "%(senderName)s määras oma kuvatava nime %(displayName)s-ks", - "%(oldDisplayName)s changed their display name to %(displayName)s": "%(oldDisplayName)s muutis oma kuvatava nime %(displayName)s-ks", - "%(senderName)s banned %(targetName)s": "%(senderName)s keelas ligipääsu kasutajale %(targetName)s", - "%(senderName)s banned %(targetName)s: %(reason)s": "%(senderName)s keelas ligipääsu kasutajale %(targetName)s: %(reason)s", - "%(targetName)s accepted an invitation": "%(targetName)s võttis kutse vastu", - "%(targetName)s accepted the invitation for %(displayName)s": "%(targetName)s võttis vastu kutse %(displayName)s nimel", "Some invites couldn't be sent": "Mõnede kutsete saatmine ei õnnestunud", "Visibility": "Nähtavus", "This may be useful for public spaces.": "Seda saad kasutada näiteks avalike kogukonnakeskuste puhul.", @@ -2399,8 +2344,6 @@ "Leave some rooms": "Lahku mõnedest jututubadest", "Leave all rooms": "Lahku kõikidest jututubadest", "Don't leave any rooms": "Ära lahku ühestki jututoast", - "Media omitted": "Osa meediat jäi eksportimata", - "Media omitted - file size limit exceeded": "Osa meediat jäi vahele failisuuruse piirangu tõttu", "Include Attachments": "Kaasa manused", "Size Limit": "Andmemahu piir", "Format": "Vorming", @@ -2418,20 +2361,6 @@ "Enter a number between %(min)s and %(max)s": "Sisesta number %(min)s ja %(max)s vahemikust", "In reply to this message": "Vastuseks sellele sõnumile", "Export chat": "Ekspordi vestlus", - "File Attached": "Fail on manustatud", - "Error fetching file": "Viga faili laadimisel", - "Topic: %(topic)s": "Teema: %(topic)s", - "This is the start of export of . Exported by at %(exportDate)s.": "See on jututoast eksporditud andmekogu. Viited: , %(exportDate)s.", - "%(creatorName)s created this room.": "%(creatorName)s lõi selle jututoa.", - "Current Timeline": "Praegune ajajoon", - "Specify a number of messages": "Määra sõnumite arv", - "From the beginning": "Algusest alates", - "Plain Text": "Vormindamata tekst", - "JSON": "JSON", - "HTML": "HTML", - "Are you sure you want to exit during this export?": "Kas sa oled kindel, et soovid lõpetada tegevuse selle ekspordi ajal?", - "%(senderDisplayName)s sent a sticker.": "%(senderDisplayName)s saatis kleepsu.", - "%(senderDisplayName)s changed the room avatar.": "%(senderDisplayName)s muutis jututoa tunnuspilti.", "Proceed with reset": "Jätka kustutamisega", "It looks like you don't have a Security Key or any other devices you can verify against. This device will not be able to access old encrypted messages. In order to verify your identity on this device, you'll need to reset your verification keys.": "Tundub, et sul ei ole ei turvavõtit ega muid seadmeid, mida saaksid verifitseerimiseks kasutada. Siin seadmes ei saa lugeda vanu krüptitud sõnumeid. Enda tuvastamiseks selles seadmed pead oma vanad verifitseerimisvõtmed kustutama.", "Resetting your verification keys cannot be undone. After resetting, you won't have access to old encrypted messages, and any friends who have previously verified you will see security warnings until you re-verify with them.": "Verifitseerimisvõtmete kustutamist ei saa hiljem tagasi võtta. Peale seda sul puudub ligipääs vanadele krüptitud sõnumitele ja kõik sinu verifitseeritud sõbrad-tuttavad näevad turvahoiatusi seni kuni sa uuesti nad verifitseerid.", @@ -2478,8 +2407,6 @@ "Developer mode": "Arendusrežiim", "Joined": "Liitunud", "Insert link": "Lisa link", - "%(senderDisplayName)s changed who can join this room.": "%(senderDisplayName)s muutis selle jututoaga liitumise õigusi.", - "%(senderDisplayName)s changed who can join this room. View settings.": "%(senderDisplayName)s muutis selle jututoaga liitumise õigusi. Vaata seadistusi.", "Joining": "Liitun", "Use high contrast": "Kasuta kontrastset välimust", "Light high contrast": "Hele ja väga kontrastne", @@ -2630,26 +2557,7 @@ "Link to room": "Link jututoale", "Including you, %(commaSeparatedMembers)s": "Seahulgas Sina, %(commaSeparatedMembers)s", "Copy room link": "Kopeeri jututoa link", - "Processing event %(number)s out of %(total)s": "Sündmuste töötlemine %(number)s / %(total)s", - "Fetched %(count)s events so far": { - "one": "%(count)s sündmust laaditud", - "other": "%(count)s sündmust laaditud" - }, - "Fetched %(count)s events out of %(total)s": { - "one": "Laadisin %(count)s / %(total)s sündmust", - "other": "Laadisin %(count)s / %(total)s sündmust" - }, - "Generating a ZIP": "Pakin ZIP faili", "We were unable to understand the given date (%(inputDate)s). Try using the format YYYY-MM-DD.": "Me ei suutnud sellist kuupäeva mõista (%(inputDate)s). Pigem kasuta aaaa-kk-pp vormingut.", - "Exported %(count)s events in %(seconds)s seconds": { - "one": "Eksporditud %(count)s sündmus %(seconds)s sekundiga", - "other": "Eksporditud %(count)s sündmust %(seconds)s sekundiga" - }, - "Export successful!": "Eksport õnnestus!", - "Fetched %(count)s events in %(seconds)ss": { - "one": "%(count)s sündmus laaditud %(seconds)s sekundiga", - "other": "%(count)s sündmust laaditud %(seconds)s sekundiga" - }, "This groups your chats with members of this space. Turning this off will hide those chats from your view of %(spaceName)s.": "Sellega rühmitad selle kogukonna liikmetega peetavaid vestlusi. Kui seadistus pole kasutusel, siis on neid vestlusi %(spaceName)s kogukonna vaates ei kuvata.", "Sections to show": "Näidatavad valikud", "Failed to load list of rooms.": "Jututubade loendi laadimine ei õnnestunud.", @@ -2712,8 +2620,6 @@ "Remove users": "Eemalda kasutajaid", "Remove, ban, or invite people to this room, and make you leave": "Sellest jututoast inimeste eemaldamine, väljamüksamine, keelamine või tuppa kutsumine", "Remove, ban, or invite people to your active room, and make you leave": "Aktiivsest jututoast inimeste eemaldamine, väljamüksamine, keelamine või tuppa kutsumine", - "%(senderName)s removed %(targetName)s": "%(senderName)s eemaldas kasutaja %(targetName)s", - "%(senderName)s removed %(targetName)s: %(reason)s": "%(senderName)s eemaldas kasutaja %(targetName)s: %(reason)s", "Removes user with given id from this room": "Järgnevaga eemaldad antud kasutajatunnusega osaleja sellest jututoast", "Open this settings tab": "Ava see seadistuste vaates", "Space home": "Kogukonnakeskuse avaleht", @@ -2897,9 +2803,6 @@ "You do not have permission to invite people to this space.": "Sul pole õigusi siia kogukonda osalejate kutsumiseks.", "Failed to invite users to %(roomName)s": "Kasutajate kutsumine %(roomName)s jututuppa ei õnnestunud", "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", - "Create room": "Loo jututuba", - "Create video room": "Loo videotuba", - "Create a video room": "Loo uus videotuba", "%(count)s participants": { "one": "1 osaleja", "other": "%(count)s oselejat" @@ -3151,8 +3054,6 @@ "Video call started": "Videokõne algas", "Unknown room": "Teadmata jututuba", "Live": "Otseeeter", - "Video call started in %(roomName)s. (not supported by this browser)": "Videokõne algas %(roomName)s jututoas. (ei ole selles brauseris toetatud)", - "Video call started in %(roomName)s.": "Videokõne algas %(roomName)s jututoas.", "Video call (%(brand)s)": "Videokõne (%(brand)s)", "Operating system": "Operatsioonisüsteem", "Call type": "Kõne tüüp", @@ -3360,11 +3261,7 @@ "Connecting to integration manager…": "Ühendamisel lõiminguhalduriga…", "Saving…": "Salvestame…", "Creating…": "Loome…", - "Creating output…": "Loome väljundit…", - "Fetching events…": "Laadime sündmusi…", "Starting export process…": "Alustame eksportimist…", - "Creating HTML…": "Loon HTML-faile…", - "Starting export…": "Alustame eksportimist…", "Unable to connect to Homeserver. Retrying…": "Ei saa ühendust koduserveriga. Proovin uuesti…", "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.", @@ -3449,7 +3346,6 @@ "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", - "%(oldDisplayName)s changed their display name and profile picture": "%(oldDisplayName)s muutis oma kuvatavat nime ja tunnuspilti", "Your language": "Sinu keel", "Your device ID": "Sinu seadme tunnus", "Alternatively, you can try to use the public server at , but this will not be as reliable, and it will share your IP address with that server. You can also manage this in Settings.": "Alternatiivina võid sa kasutada avalikku serverit , kuid see ei pruugi olla piisavalt töökindel ning sa jagad ka oma IP-aadressi selle serveriga. Täpsemalt saad seda määrata seadistustes.", @@ -3462,13 +3358,9 @@ "Note that removing room changes like this could undo the change.": "Palun arvesta jututoa muudatuste eemaldamine võib eemaldada ka selle muutuse.", "Something went wrong.": "Midagi läks nüüd valesti.", "Changes your profile picture in this current room only": "Sellega muudad sinu tunnuspilti vaid selles jututoas", - "%(senderDisplayName)s changed the join rule to ask to join.": "%(senderDisplayName)s muutis liitumisreegleid nii, et liitumiseks peab luba küsima.", "User cannot be invited until they are unbanned": "Kasutajale ei saa kutset saata enne, kui temalt on suhtluskeeld eemaldatud", - "Previous group of messages": "Eelmine sõnumite grupp", "Views room with given address": "Vaata sellise aadressiga jututuba", "Changes your profile picture in all rooms": "Sellega muudad sinu tunnuspilti kõikides jututubades", - "Next group of messages": "Järgmine sõnumite grupp", - "Exported Data": "Eksporditud andmed", "Notification Settings": "Teavituste seadistused", "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.", @@ -3610,7 +3502,9 @@ "not_trusted": "Ei ole usaldusväärne", "accessibility": "Ligipääsetavus", "server": "Server", - "capabilities": "Funktsionaalsused ja võimed" + "capabilities": "Funktsionaalsused ja võimed", + "unnamed_room": "Ilma nimeta jututuba", + "unnamed_space": "Nimetu kogukonnakeskus" }, "action": { "continue": "Jätka", @@ -3915,7 +3809,20 @@ "prompt_invite": "Hoiata enne kutse saatmist võimalikule vigasele Matrix'i kasutajatunnusele", "hardware_acceleration": "Kasuta riistvaralist kiirendust (jõustamine eeldab %(appName)s rakenduse uuesti käivitamist)", "start_automatically": "Käivita Element automaatselt peale arvutisse sisselogimist", - "warn_quit": "Hoiata enne rakenduse töö lõpetamist" + "warn_quit": "Hoiata enne rakenduse töö lõpetamist", + "notifications": { + "rule_contains_display_name": "Sõnumid, mis sisaldavad minu kuvatavat nime", + "rule_contains_user_name": "Sõnumid, mis sisaldavad minu kasutajatunnust", + "rule_roomnotif": "Sõnumid, mis sisaldavad sõna @room", + "rule_room_one_to_one": "Kahepoolsete vestluste sõnumid", + "rule_message": "Rühmavestluste sõnumid", + "rule_encrypted": "Rühmavestluste krüptitud sõnumid", + "rule_invite_for_me": "Kui mind kutsutakse jututuppa", + "rule_call": "Kõnekutse", + "rule_suppress_notices": "Robotite saadetud sõnumid", + "rule_tombstone": "Kui jututubasid uuendatakse", + "rule_encrypted_room_one_to_one": "Kahepoolsete vestluste krüptitud sõnumid" + } }, "devtools": { "send_custom_account_data_event": "Saada kohandatud kontoandmete päring", @@ -4007,5 +3914,122 @@ "room_id": "Jututoa tunnus: %(roomId)s", "thread_root_id": "Jutulõnga esimese kirje tunnus: %(threadRootId)s", "event_id": "Sündmuse tunnus: %(eventId)s" + }, + "export_chat": { + "html": "HTML", + "json": "JSON", + "text": "Vormindamata tekst", + "from_the_beginning": "Algusest alates", + "number_of_messages": "Määra sõnumite arv", + "current_timeline": "Praegune ajajoon", + "creating_html": "Loon HTML-faile…", + "starting_export": "Alustame eksportimist…", + "export_successful": "Eksport õnnestus!", + "unload_confirm": "Kas sa oled kindel, et soovid lõpetada tegevuse selle ekspordi ajal?", + "generating_zip": "Pakin ZIP faili", + "processing_event_n": "Sündmuste töötlemine %(number)s / %(total)s", + "fetched_n_events_with_total": { + "one": "Laadisin %(count)s / %(total)s sündmust", + "other": "Laadisin %(count)s / %(total)s sündmust" + }, + "fetched_n_events": { + "one": "%(count)s sündmust laaditud", + "other": "%(count)s sündmust laaditud" + }, + "fetched_n_events_in_time": { + "one": "%(count)s sündmus laaditud %(seconds)s sekundiga", + "other": "%(count)s sündmust laaditud %(seconds)s sekundiga" + }, + "exported_n_events_in_time": { + "one": "Eksporditud %(count)s sündmus %(seconds)s sekundiga", + "other": "Eksporditud %(count)s sündmust %(seconds)s sekundiga" + }, + "media_omitted": "Osa meediat jäi eksportimata", + "media_omitted_file_size": "Osa meediat jäi vahele failisuuruse piirangu tõttu", + "creator_summary": "%(creatorName)s lõi selle jututoa.", + "export_info": "See on jututoast eksporditud andmekogu. Viited: , %(exportDate)s.", + "topic": "Teema: %(topic)s", + "previous_page": "Eelmine sõnumite grupp", + "next_page": "Järgmine sõnumite grupp", + "html_title": "Eksporditud andmed", + "error_fetching_file": "Viga faili laadimisel", + "file_attached": "Fail on manustatud", + "fetching_events": "Laadime sündmusi…", + "creating_output": "Loome väljundit…" + }, + "create_room": { + "title_video_room": "Loo uus videotuba", + "title_public_room": "Loo avalik jututuba", + "title_private_room": "Loo omavaheline jututuba", + "action_create_video_room": "Loo videotuba", + "action_create_room": "Loo jututuba" + }, + "timeline": { + "m.call": { + "video_call_started": "Videokõne algas %(roomName)s jututoas.", + "video_call_started_unsupported": "Videokõne algas %(roomName)s jututoas. (ei ole selles brauseris toetatud)" + }, + "m.call.invite": { + "voice_call": "%(senderName)s alustas häälkõnet.", + "voice_call_unsupported": "%(senderName)s alustas häälkõnet. (sellel brauseril puudub niisuguste kõnede tugi)", + "video_call": "%(senderName)s alustas videokõnet.", + "video_call_unsupported": "%(senderName)s alustas videokõnet. (sellel brauseril puudub niisuguste kõnede tugi)" + }, + "m.room.member": { + "accepted_3pid_invite": "%(targetName)s võttis vastu kutse %(displayName)s nimel", + "accepted_invite": "%(targetName)s võttis kutse vastu", + "invite": "%(senderName)s saatis kutse kasutajale %(targetName)s", + "ban_reason": "%(senderName)s keelas ligipääsu kasutajale %(targetName)s: %(reason)s", + "ban": "%(senderName)s keelas ligipääsu kasutajale %(targetName)s", + "change_name_avatar": "%(oldDisplayName)s muutis oma kuvatavat nime ja tunnuspilti", + "change_name": "%(oldDisplayName)s muutis oma kuvatava nime %(displayName)s-ks", + "set_name": "%(senderName)s määras oma kuvatava nime %(displayName)s-ks", + "remove_name": "%(senderName)s eemaldas oma kuvatava nime (%(oldDisplayName)s)", + "remove_avatar": "%(senderName)s eemaldas oma profiilipildi", + "change_avatar": "%(senderName)s muutis oma profiilipilti", + "set_avatar": "%(senderName)s määras oma profiilipildi", + "no_change": "%(senderName)s ei teinud muutusi", + "join": "%(targetName)s liitus jututoaga", + "reject_invite": "%(targetName)s lükkas kutse tagasi", + "left_reason": "%(targetName)s lahkus jututoast: %(reason)s", + "left": "%(targetName)s lahkus jututoast", + "unban": "%(senderName)s taastas ligipääsu kasutajale %(targetName)s", + "withdrew_invite_reason": "%(senderName)s võttis tagasi %(targetName)s kutse: %(reason)s", + "withdrew_invite": "%(senderName)s võttis tagasi %(targetName)s kutse", + "kick_reason": "%(senderName)s eemaldas kasutaja %(targetName)s: %(reason)s", + "kick": "%(senderName)s eemaldas kasutaja %(targetName)s" + }, + "m.room.topic": "%(senderDisplayName)s muutis uueks teemaks „%(topic)s“.", + "m.room.avatar": "%(senderDisplayName)s muutis jututoa tunnuspilti.", + "m.room.name": { + "remove": "%(senderDisplayName)s eemaldas jututoa nime.", + "change": "%(senderDisplayName)s muutis jututoa vana nime %(oldRoomName)s uueks nimeks %(newRoomName)s.", + "set": "%(senderDisplayName)s muutis jututoa nimeks %(roomName)s." + }, + "m.room.tombstone": "%(senderDisplayName)s uuendas seda jututuba.", + "m.room.join_rules": { + "public": "%(senderDisplayName)s muutis selle jututoa avalikuks kõigile, kes teavad tema aadressi.", + "invite": "%(senderDisplayName)s määras, et jututuppa pääseb vaid kutsega.", + "knock": "%(senderDisplayName)s muutis liitumisreegleid nii, et liitumiseks peab luba küsima.", + "restricted_settings": "%(senderDisplayName)s muutis selle jututoaga liitumise õigusi. Vaata seadistusi.", + "restricted": "%(senderDisplayName)s muutis selle jututoaga liitumise õigusi.", + "unknown": "%(senderDisplayName)s muutis liitumisreeglid järgnevaks - %(rule)s" + }, + "m.room.guest_access": { + "can_join": "%(senderDisplayName)s on lubanud külalistel jututoaga liituda.", + "forbidden": "%(senderDisplayName)s on määranud et külalised ei saa jututoaga liituda.", + "unknown": "%(senderDisplayName)s muutis külaliste ligipääsureeglid alljärgnevaks - %(rule)s" + }, + "m.image": "%(senderDisplayName)s saatis pildi.", + "m.sticker": "%(senderDisplayName)s saatis kleepsu.", + "m.room.server_acl": { + "set": "%(senderDisplayName)s seadistas seda jututuba teenindavate koduserverite loendi.", + "changed": "%(senderDisplayName)s muutis seda jututuba teenindavate koduserverite loendit.", + "all_servers_banned": "🎉 Kõikidel serveritel on keeld seda jututuba teenindada! Seega seda jututuba ei saa enam kasutada." + }, + "m.room.canonical_alias": { + "set": "%(senderName)s muutis selle jututoa põhiaadressiks %(address)s.", + "removed": "%(senderName)s eemaldas põhiaadressi sellest jututoast." + } } } diff --git a/src/i18n/strings/eu.json b/src/i18n/strings/eu.json index 02981d11e4a..bb4d38433aa 100644 --- a/src/i18n/strings/eu.json +++ b/src/i18n/strings/eu.json @@ -74,8 +74,6 @@ "Default": "Lehenetsia", "Displays action": "Ekintza bistaratzen du", "%(items)s and %(lastItem)s": "%(items)s eta %(lastItem)s", - "%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s erabiltzaileak gelaren izena kendu du.", - "%(senderDisplayName)s changed the topic to \"%(topic)s\".": "%(senderDisplayName)s erabiltzaileak mintzagaia aldatu du beste honetara: \"%(topic)s\".", "Download %(text)s": "Deskargatu %(text)s", "Error decrypting attachment": "Errorea eranskina deszifratzean", "Failed to ban user": "Huts egin du erabiltzailea debekatzean", @@ -93,7 +91,6 @@ "Can't connect to homeserver - please check your connectivity, ensure your homeserver's SSL certificate is trusted, and that a browser extension is not blocking requests.": "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.", "Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or enable unsafe scripts.": "Ezin zara hasiera zerbitzarira HTTP bidez konektatu zure nabigatzailearen barran dagoen URLa HTTS bada. Erabili HTTPS edo gaitu script ez seguruak.", "%(senderName)s changed the power level of %(powerLevelDiffText)s.": "%(senderName)s erabiltzaileak botere mailaz aldatu du %(powerLevelDiffText)s.", - "%(senderDisplayName)s changed the room name to %(roomName)s.": "%(senderDisplayName)s erabiltzaileak gelaren izena aldatu du, orain %(roomName)s da.", "Incorrect username and/or password.": "Erabiltzaile-izen edo pasahitz okerra.", "Incorrect verification code": "Egiaztaketa kode okerra", "Invalid Email Address": "E-mail helbide baliogabea", @@ -131,7 +128,6 @@ "%(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", - "%(senderDisplayName)s sent an image.": "%(senderDisplayName)s erabiltzaileak irudi bat bidali du.", "%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": "%(senderName)s erabiltzaileak gelara elkartzeko gonbidapen bat bidali dio %(targetDisplayName)s erbiltzaileari.", "Server error": "Zerbitzari-errorea", "Server may be unavailable, overloaded, or search timed out :(": "Zerbitzaria eskuraezin edo gainezka egon daiteke, edo bilaketaren denbora muga gainditu da :(", @@ -147,7 +143,6 @@ "Unable to remove contact information": "Ezin izan da kontaktuaren informazioa kendu", "Unable to verify email address.": "Ezin izan da e-mail helbidea egiaztatu.", "Unable to enable Notifications": "Ezin izan dira jakinarazpenak gaitu", - "Unnamed Room": "Izen gabeko gela", "Uploading %(filename)s": "%(filename)s igotzen", "Uploading %(filename)s and %(count)s others": { "one": "%(filename)s eta beste %(count)s igotzen", @@ -400,11 +395,8 @@ "Failed to send logs: ": "Huts egin du egunkariak bidaltzean: ", "This Room": "Gela hau", "Noisy": "Zaratatsua", - "Messages containing my display name": "Nire pantaila-izena duten mezuak", - "Messages in one-to-one chats": "Biren arteko txatetako mezuak", "Unavailable": "Eskuraezina", "Source URL": "Iturriaren URLa", - "Messages sent by bot": "Botak bidalitako mezuak", "Filter results": "Iragazi emaitzak", "No update available.": "Ez dago eguneraketarik eskuragarri.", "Collecting app version information": "Aplikazioaren bertsio-informazioa biltzen", @@ -417,15 +409,12 @@ "Wednesday": "Asteazkena", "You cannot delete this message. (%(code)s)": "Ezin duzu mezu hau ezabatu. (%(code)s)", "All messages": "Mezu guztiak", - "Call invitation": "Dei gonbidapena", "What's new?": "Zer dago berri?", - "When I'm invited to a room": "Gela batetara gonbidatzen nautenean", "Invite to this room": "Gonbidatu gela honetara", "Thursday": "Osteguna", "Search…": "Bilatu…", "Logs sent": "Egunkariak bidalita", "Show message in desktop notification": "Erakutsi mezua mahaigaineko jakinarazpenean", - "Messages in group chats": "Talde txatetako mezuak", "Yesterday": "Atzo", "Error encountered (%(errorDetail)s).": "Errorea aurkitu da (%(errorDetail)s).", "Low Priority": "Lehentasun baxua", @@ -484,8 +473,6 @@ "Your message wasn't sent because this homeserver has exceeded a resource limit. Please contact your service administrator to continue using the service.": "Zure mezua ez da bidali zure hasiera zerbitzariak baliabide mugaren bat jo duelako. Jarri kontaktuan zerbitzuaren administratzailearekin zerbitzua erabiltzen jarraitzeko.", "Please contact your service administrator to continue using this service.": "Jarri kontaktuan zerbitzuaren administratzailearekin zerbitzu hau erabiltzen jarraitzeko.", "Forces the current outbound group session in an encrypted room to be discarded": "Uneko irteerako talde saioa zifratutako gela batean baztertzera behartzen du", - "%(senderName)s set the main address for this room to %(address)s.": "%(senderName)s erabiltzileak %(address)s ezarri du gela honetako helbide nagusi gisa.", - "%(senderName)s removed the main address for this room.": "%(senderName)s erabiltzaileak gela honen helbide nagusia kendu du.", "Before submitting logs, you must create a GitHub issue to describe your problem.": "Egunkariak bidali aurretik, GitHub arazo bat sortu behar duzu gertatzen zaizuna azaltzeko.", "%(brand)s now uses 3-5x less memory, by only loading information about other users when needed. Please wait whilst we resynchronise with the server!": "%(brand)s-ek orain 3-5 aldiz memoria gutxiago darabil, beste erabiltzaileen informazioa behar denean besterik ez kargatzen. Itxaron zerbitzariarekin sinkronizatzen garen bitartean!", "Updating %(brand)s": "%(brand)s eguneratzen", @@ -540,9 +527,6 @@ "You do not have permission to invite people to this room.": "Ez duzu jendea gela honetara gonbidatzeko baimenik.", "Unknown server error": "Zerbitzari errore ezezaguna", "Set up": "Ezarri", - "Messages containing @room": "@room duten mezuak", - "Encrypted messages in one-to-one chats": "Zifratutako mezuak bi pertsonen arteko txatetan", - "Encrypted messages in group chats": "Zifratutako mezuak talde-txatetan", "Straight rows of keys are easy to guess": "Teklatuko errenkadak asmatzeko errazak dira", "Short keyboard patterns are easy to guess": "Teklatuko eredu laburrak asmatzeko errazak dira", "General failure": "Hutsegite orokorra", @@ -562,16 +546,12 @@ "Gets or sets the room topic": "Gelaren mintzagaia jaso edo ezartzen du", "This room has no topic.": "Gela honek ez du mintzagairik.", "Sets the room name": "Gelaren izena ezartzen du", - "%(senderDisplayName)s upgraded this room.": "%(senderDisplayName)s erabiltzaileak gela hau eguneratu du.", - "%(senderDisplayName)s made the room public to whoever knows the link.": "%(senderDisplayName)s erabiltzaileak gela publikoa bihurtu du esteka dakien edonorentzat.", - "%(senderDisplayName)s made the room invite only.": "%(senderDisplayName)s erabiltzaileak gela soilik gonbidatuentzat bihurtu du.", "%(displayName)s is typing …": "%(displayName)s idazten ari da …", "%(names)s and %(count)s others are typing …": { "other": "%(names)s eta beste %(count)s idatzen ari dira …", "one": "%(names)s eta beste bat idazten ari dira …" }, "%(names)s and %(lastPerson)s are typing …": "%(names)s eta %(lastPerson)s idazten ari dira …", - "Messages containing my username": "Nire erabiltzaile-izena duten mezuak", "The other party cancelled the verification.": "Beste parteak egiaztaketa ezeztatu du.", "Verified!": "Egiaztatuta!", "You've successfully verified this user.": "Ongi egiaztatu duzu erabiltzaile hau.", @@ -672,10 +652,6 @@ "Trumpet": "Tronpeta", "Bell": "Kanpaia", "Anchor": "Aingura", - "%(senderDisplayName)s changed the join rule to %(rule)s": "%(senderDisplayName)s erabiltzaileak elkartzeko araua aldatu du: %(rule)s", - "%(senderDisplayName)s has allowed guests to join the room.": "%(senderDisplayName)s erabiltzaileak bisitariak gelara elkartzea baimendu du.", - "%(senderDisplayName)s has prevented guests from joining the room.": "%(senderDisplayName)s bisitariak gelara elkartzea eragotzi du.", - "%(senderDisplayName)s changed guest access to %(rule)s": "%(senderDisplayName)s erabiltzaileak bisitarien araua aldatu du: %(rule)s", "Secure messages with this user are end-to-end encrypted and not able to be read by third parties.": "Erabiltzaile honekin dauzkazun mezu seguruak muturretik muturrera zifratuta daude eta ezin ditu beste inork irakurri.", "Verify this user by confirming the following emoji appear on their screen.": "Egiaztatu erabiltzaile hau beheko emojiak bere pantailan agertzen direla baieztatuz.", "Verify this user by confirming the following number appears on their screen.": "Egiaztatu erabiltzaile hau honako zenbakia bere pantailan agertzen dela baieztatuz.", @@ -765,7 +741,6 @@ "Unexpected error resolving identity server configuration": "Ustekabeko errorea identitate-zerbitzariaren konfigurazioa ebaztean", "The user's homeserver does not support the version of the room.": "Erabiltzailearen hasiera-zerbitzariak ez du gelaren bertsioa onartzen.", "Show hidden events in timeline": "Erakutsi gertaera ezkutuak denbora-lerroan", - "When rooms are upgraded": "Gelak eguneratzean", "View older messages in %(roomName)s.": "Ikusi %(roomName)s gelako mezu zaharragoak.", "Uploaded sound": "Igotako soinua", "Sounds": "Soinuak", @@ -963,8 +938,6 @@ "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", "Please enter a name for the room": "Sartu gelaren izena", - "Create a public room": "Sortu gela publikoa", - "Create a private room": "Sortu gela pribatua", "Topic (optional)": "Mintzagaia (aukerakoa)", "Hide advanced": "Ezkutatu aurreratua", "Show advanced": "Erakutsi aurreratua", @@ -1016,10 +989,6 @@ "%(name)s cancelled": "%(name)s utzita", "%(name)s wants to verify": "%(name)s(e)k egiaztatu nahi du", "You sent a verification request": "Egiaztaketa eskari bat bidali duzu", - "%(senderName)s placed a voice call.": "%(senderName)s erabiltzaileak ahots-dei bat abiatu du.", - "%(senderName)s placed a voice call. (not supported by this browser)": "%(senderName)s erabiltzaileak ahots-dei bat abiatu du. (Nabigatzaile honek ez du onartzen)", - "%(senderName)s placed a video call.": "%(senderName)s erabiltzaileak bideo-dei bat abiatu du.", - "%(senderName)s placed a video call. (not supported by this browser)": "%(senderName)s erabiltzaileak bideo-dei bat abiatu du. (Nabigatzaile honek ez du onartzen)", "Match system theme": "Bat egin sistemako azalarekin", "My Ban List": "Nire debeku-zerrenda", "This is your list of users/servers you have blocked - don't leave the room!": "Hau blokeatu dituzun erabiltzaile edo zerbitzarien zerrenda da, ez atera gelatik!", @@ -1242,7 +1211,6 @@ "Mark all as read": "Markatu denak irakurrita gisa", "Not currently indexing messages for any room.": "Orain ez da inolako gelako mezurik indexatzen.", "%(doneRooms)s out of %(totalRooms)s": "%(doneRooms)s / %(totalRooms)s", - "%(senderDisplayName)s changed the room name from %(oldRoomName)s to %(newRoomName)s.": "%(senderDisplayName)s erabiltzaileak gelaren izena aldatu du%(oldRoomName)s izatetik %(newRoomName)s izatera.", "%(senderName)s added the alternative addresses %(addresses)s for this room.": { "other": "%(senderName)s erabiltzaileak %(addresses)s ordezko helbideak gehitu dizkio gela honi.", "one": "%(senderName)s erabiltzaileak %(addresses)s helbideak gehitu dizkio gela honi." @@ -1496,7 +1464,8 @@ "encrypted": "Zifratuta", "matrix": "Matrix", "trusted": "Konfiantzazkoa", - "not_trusted": "Ez konfiantzazkoa" + "not_trusted": "Ez konfiantzazkoa", + "unnamed_room": "Izen gabeko gela" }, "action": { "continue": "Jarraitu", @@ -1650,7 +1619,20 @@ "show_displayname_changes": "Erakutsi pantaila-izenen aldaketak", "big_emoji": "Gaitu emoji handiak txatean", "prompt_invite": "Galdetu baliogabeak izan daitezkeen matrix ID-eetara gonbidapenak bidali aurretik", - "start_automatically": "Hasi automatikoki sisteman saioa hasi eta gero" + "start_automatically": "Hasi automatikoki sisteman saioa hasi eta gero", + "notifications": { + "rule_contains_display_name": "Nire pantaila-izena duten mezuak", + "rule_contains_user_name": "Nire erabiltzaile-izena duten mezuak", + "rule_roomnotif": "@room duten mezuak", + "rule_room_one_to_one": "Biren arteko txatetako mezuak", + "rule_message": "Talde txatetako mezuak", + "rule_encrypted": "Zifratutako mezuak talde-txatetan", + "rule_invite_for_me": "Gela batetara gonbidatzen nautenean", + "rule_call": "Dei gonbidapena", + "rule_suppress_notices": "Botak bidalitako mezuak", + "rule_tombstone": "Gelak eguneratzean", + "rule_encrypted_room_one_to_one": "Zifratutako mezuak bi pertsonen arteko txatetan" + } }, "devtools": { "event_type": "Gertaera mota", @@ -1659,5 +1641,39 @@ "event_content": "Gertaeraren edukia", "toolbox": "Tresna-kutxa", "developer_tools": "Garatzaile-tresnak" + }, + "create_room": { + "title_public_room": "Sortu gela publikoa", + "title_private_room": "Sortu gela pribatua" + }, + "timeline": { + "m.call.invite": { + "voice_call": "%(senderName)s erabiltzaileak ahots-dei bat abiatu du.", + "voice_call_unsupported": "%(senderName)s erabiltzaileak ahots-dei bat abiatu du. (Nabigatzaile honek ez du onartzen)", + "video_call": "%(senderName)s erabiltzaileak bideo-dei bat abiatu du.", + "video_call_unsupported": "%(senderName)s erabiltzaileak bideo-dei bat abiatu du. (Nabigatzaile honek ez du onartzen)" + }, + "m.room.topic": "%(senderDisplayName)s erabiltzaileak mintzagaia aldatu du beste honetara: \"%(topic)s\".", + "m.room.name": { + "remove": "%(senderDisplayName)s erabiltzaileak gelaren izena kendu du.", + "change": "%(senderDisplayName)s erabiltzaileak gelaren izena aldatu du%(oldRoomName)s izatetik %(newRoomName)s izatera.", + "set": "%(senderDisplayName)s erabiltzaileak gelaren izena aldatu du, orain %(roomName)s da." + }, + "m.room.tombstone": "%(senderDisplayName)s erabiltzaileak gela hau eguneratu du.", + "m.room.join_rules": { + "public": "%(senderDisplayName)s erabiltzaileak gela publikoa bihurtu du esteka dakien edonorentzat.", + "invite": "%(senderDisplayName)s erabiltzaileak gela soilik gonbidatuentzat bihurtu du.", + "unknown": "%(senderDisplayName)s erabiltzaileak elkartzeko araua aldatu du: %(rule)s" + }, + "m.room.guest_access": { + "can_join": "%(senderDisplayName)s erabiltzaileak bisitariak gelara elkartzea baimendu du.", + "forbidden": "%(senderDisplayName)s bisitariak gelara elkartzea eragotzi du.", + "unknown": "%(senderDisplayName)s erabiltzaileak bisitarien araua aldatu du: %(rule)s" + }, + "m.image": "%(senderDisplayName)s erabiltzaileak irudi bat bidali du.", + "m.room.canonical_alias": { + "set": "%(senderName)s erabiltzileak %(address)s ezarri du gela honetako helbide nagusi gisa.", + "removed": "%(senderName)s erabiltzaileak gela honen helbide nagusia kendu du." + } } } diff --git a/src/i18n/strings/fa.json b/src/i18n/strings/fa.json index 7eb7d29d621..c58772fcc46 100644 --- a/src/i18n/strings/fa.json +++ b/src/i18n/strings/fa.json @@ -1,7 +1,5 @@ { - "Messages in one-to-one chats": "پیام‌های درون چت‌های یک‌به‌یک", "Sunday": "یکشنبه", - "Messages sent by bot": "پیام‌های ارسال شده توسط ربات", "Notification targets": "هدف‌های آگاه‌سازی", "Today": "امروز", "Friday": "آدینه", @@ -31,15 +29,11 @@ "Send": "ارسال", "All messages": "همه‌ی پیام‌ها", "unknown error code": "کد خطای ناشناخته", - "Call invitation": "دعوت به تماس", - "Messages containing my display name": "پیام‌های حاوی نمای‌نامِ من", "What's new?": "چه خبر؟", - "When I'm invited to a room": "وقتی من به گپی دعوت میشوم", "Invite to this room": "دعوت به این گپ", "You cannot delete this message. (%(code)s)": "شما نمی‌توانید این پیام را پاک کنید. (%(code)s)", "Thursday": "پنج‌شنبه", "Search…": "جستجو…", - "Messages in group chats": "پیام‌های درون چت‌های گروهی", "Yesterday": "دیروز", "Error encountered (%(errorDetail)s).": "خطای رخ داده (%(errorDetail)s).", "Low Priority": "کم اهمیت", @@ -85,7 +79,6 @@ "Confirm password": "تأیید گذرواژه", "Commands": "فرمان‌ها", "Command error": "خطای فرمان", - "%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s نام اتاق را حذف کرد.", "Change Password": "تغییر گذواژه", "Banned users": "کاربران مسدود شده", "Are you sure you want to reject the invitation?": "آیا مطمئن هستید که می خواهید دعوت را رد کنید؟", @@ -110,7 +103,6 @@ "We couldn't log you in": "نتوانستیم شما را وارد کنیم", "Only continue if you trust the owner of the server.": "تنها در صورتی که به صاحب سرور اطمینان دارید، ادامه دهید.", "Identity server has no terms of service": "سرور هویت هیچگونه شرایط خدمات ندارد", - "Unnamed Room": "اتاق بدون نام", "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s": "%(weekDayName)s, %(monthName)s.%(day)s.%(fullYear)s.%(time)s", "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s, %(monthName)s.%(day)s.%(fullYear)s", "%(weekDayName)s, %(monthName)s %(day)s %(time)s": "%(weekDayName)s, %(monthName)s.%(day)s.%(time)s", @@ -499,25 +491,12 @@ "See when anyone posts a sticker to your active room": "ببینید چه وقتی برچسب به اتاق فعال شما ارسال می شود", "Send stickers to your active room as you": "همانطور که هستید ، برچسب ها را به اتاق فعال خود ارسال کنید", "See when a sticker is posted in this room": "زمان نصب برچسب در این اتاق را ببینید", - "%(senderDisplayName)s upgraded this room.": "%(senderDisplayName)s این اتاق را ارتقا داد.", - "%(senderDisplayName)s changed the room name to %(roomName)s.": "%(senderDisplayName)s نام اتاق را به %(roomName)s تغییر داد.", - "%(senderDisplayName)s changed the room name from %(oldRoomName)s to %(newRoomName)s.": "%(senderDisplayName)s نام اتاق را از %(oldRoomName)s به %(newRoomName)s تغییر داد.", - "%(senderDisplayName)s changed the topic to \"%(topic)s\".": "%(senderDisplayName)s موضوع را به %(topic)s تغییر داد.", "Repeats like \"aaa\" are easy to guess": "تکرارهایی مانند بببب به راحتی قابل حدس هستند", "with an empty state key": "با یک کلید حالت خالی", - "🎉 All servers are banned from participating! This room can no longer be used.": "🎉 شرکت همه سرورها ممنوع است! دیگر نمی توان از این اتاق استفاده کرد.", "Converts the DM to a room": "DM را به اتاق تبدیل می کند", "Converts the room to a DM": "اتاق را به DM تبدیل می کند", "Takes the call in the current room off hold": "تماس را در اتاق فعلی خاموش نگه می دارد", "Sends the given emote coloured as a rainbow": "emote داده شده را به صورت رنگین کمان می فرستد", - "%(senderDisplayName)s changed the server ACLs for this room.": "%(senderDisplayName)s ACL های سرور را برای این اتاق تغییر داد.", - "%(senderDisplayName)s set the server ACLs for this room.": "%(senderDisplayName)s ACL های سرور را برای این اتاق تنظیم کرده است.", - "%(senderDisplayName)s changed guest access to %(rule)s": "%(senderDisplayName)s دسترسی مهمانان را به %(rule)s تغییر داد", - "%(senderDisplayName)s has prevented guests from joining the room.": "%(senderDisplayName)s از پیوستن مهمان به اتاق جلوگیری کرد.", - "%(senderDisplayName)s has allowed guests to join the room.": "%(senderDisplayName)s به مهمانان اجازه عضویت در اتاق را داد.", - "%(senderDisplayName)s changed the join rule to %(rule)s": "%(senderDisplayName)s قانون عضویت را به %(rule)s تغییر داد", - "%(senderDisplayName)s made the room invite only.": "%(senderDisplayName)s این اتاق را مخصوص دعوت شدگان قرار داد.", - "%(senderDisplayName)s made the room public to whoever knows the link.": "%(senderDisplayName)s اتاق را برای هر کسی که پیوند را می داند عمومی کرد.", "See when people join, leave, or are invited to this room": "ببینید که کی مردم در این اتاق عضو شده اند، ترک کرده اند یا به آن دعوت شده اند", "%(senderName)s changed the pinned messages for the room.": "%(senderName)s پیام های پین شده را برای اتاق تغییر داد.", "%(senderName)s changed the power level of %(powerLevelDiffText)s.": "%(senderName)s سطح قدرت %(powerLevelDiffText)s تغییر داد.", @@ -529,10 +508,6 @@ "%(senderName)s made future room history visible to all room members, from the point they are invited.": "%(senderName)s تاریخچه اتاق آینده را از همان جایی که دعوت شده اند برای همه اعضای اتاق قابل مشاهده کرد.", "%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": "%(senderName)s %(targetDisplayName)s را به اتاق دعوت کرد.", "%(senderName)s revoked the invitation for %(targetDisplayName)s to join the room.": "%(senderName)s دعوت نامه %(targetDisplayName)s را برای پیوستن به اتاق باطل کرد.", - "%(senderName)s placed a video call. (not supported by this browser)": "%(senderName)s تماس تصویری برقرار کرد. (توسط این مرورگر پشتیبانی نمی شود)", - "%(senderName)s placed a video call.": "%(senderName)s تماس تصویری برقرار کرد.", - "%(senderName)s placed a voice call. (not supported by this browser)": "%(senderName)s تماس صوتی برقرار کرد. (توسط این مرورگر پشتیبانی نمی شود)", - "%(senderName)s placed a voice call.": "%(senderName)s تماس صوتی برقرار کرد.", "%(senderName)s changed the addresses for this room.": "%(senderName)s آدرس های این اتاق را تغییر داد.", "%(senderName)s changed the main and alternative addresses for this room.": "%(senderName)s آدرس اصلی و جایگزین این اتاق را تغییر داد.", "%(senderName)s changed the alternative addresses for this room.": "%(senderName)s آدرس های جایگزین این اتاق را تغییر داد.", @@ -544,9 +519,6 @@ "one": "%(senderName)s آدرس جایگزین %(addresses)s را برای این اتاق اضافه کرد.", "other": "%(senderName)s آدرس های جایگزین %(addresses)s را برای این اتاق اضافه کرد." }, - "%(senderName)s removed the main address for this room.": "%(senderName)s آدرس اصلی این اتاق را حذف کرد.", - "%(senderName)s set the main address for this room to %(address)s.": "%(senderName)s آدرس اصلی این اتاق را روی %(address)s تنظیم کرد.", - "%(senderDisplayName)s sent an image.": "%(senderDisplayName)s تصویری ارسال کرد.", "Your %(brand)s is misconfigured": "%(brand)s‌ی شما به درستی پیکربندی نشده‌است", "Ensure you have a stable internet connection, or get in touch with the server admin": "از اتصال اینترنت پایدار اطمینان حاصل‌کرده و سپس با مدیر سرور ارتباط بگیرید", "Cannot reach homeserver": "دسترسی به سرور میسر نیست", @@ -705,7 +677,6 @@ "Consult first": "ابتدا مشورت کنید", "Save Changes": "ذخیره تغییرات", "Leave Space": "ترک فضای کاری", - "Unnamed Space": "فضای کاری بدون نام", "Remember this": "این را به یاد داشته باش", "Invalid URL": "آدرس URL نامعتبر", "About homeservers": "درباره سرورها", @@ -942,8 +913,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": "برای جلوگیری از دست دادن تاریخچه‌ی گفتگوی خود باید قبل از ورود به برنامه ، کلیدهای اتاق خود را استخراج (Export) کنید. برای این کار باید از نسخه جدیدتر %(brand)s استفاده کنید", "Block anyone not part of %(serverName)s from ever joining this room.": "از عضوشدن کاربرانی در این اتاق که حساب آن‌ها متعلق به سرور %(serverName)s است، جلوگیری کن.", "Topic (optional)": "موضوع (اختیاری)", - "Create a private room": "ساختن اتاق خصوصی", - "Create a public room": "ساختن اتاق عمومی", "You might disable this if the room will be used for collaborating with external teams who have their own homeserver. This cannot be changed later.": "اگر از اتاق برای همکاری با تیم های خارجی که سرور خود را دارند استفاده شود ، ممکن است این را غیرفعال کنید. این نمی‌تواند بعدا تغییر کند.", "You can't send any messages until you review and agree to our terms and conditions.": "تا زمانی که شرایط و ضوابط سرویس ما را مطالعه و با آن موافقت نکنید، نمی توانید هیچ پیامی ارسال کنید.", "Your message wasn't sent because this homeserver has hit its Monthly Active User Limit. Please contact your service administrator to continue using the service.": "پیام شما ارسال نشد زیرا این سرور به محدودیت تعداد کاربر فعال ماهانه‌ی خود رسیده است. لطفاً برای ادامه استفاده از سرویس با مدیر سرور خود تماس بگیرید .", @@ -1667,11 +1636,6 @@ "Sends the given message with confetti": "این پیام را با انیمیشن بارش کاغد شادی ارسال کن", "This is your list of users/servers you have blocked - don't leave the room!": "این لیست کاربران/اتاق‌هایی است که شما آن‌ها را بلاک کرده‌اید - اتاق را ترک نکنید!", "My Ban List": "لیست تحریم‌های من", - "When rooms are upgraded": "زمانی که اتاق‌ها به‌روزرسانی می‌گردند", - "Encrypted messages in group chats": "پیام‌های رمزشده در اتاق‌ها", - "Encrypted messages in one-to-one chats": "پیام‌های رمزشده در گفتگو‌های خصوصی", - "Messages containing @room": "پیام‌های حاوی شناسه‌ی اتاق", - "Messages containing my username": "پیام‌های حاوی نام کاربری من", "Downloading logs": "در حال دریافت لاگ‌ها", "Uploading logs": "در حال بارگذاری لاگ‌ها", "IRC display name width": "عرض نمایش نام‌های IRC", @@ -2161,13 +2125,6 @@ "Unable to transfer call": "ناتوان در انتقال تماس", "The user you called is busy.": "کاربر موردنظر مشغول است.", "User Busy": "کاربر مشغول", - "%(senderName)s set their display name to %(displayName)s": "%(senderName)s نام نمایشی خود را به %(displayName)s تنظیم کرد", - "%(oldDisplayName)s changed their display name to %(displayName)s": "%(oldDisplayName)s نام نمایشی خود را به %(displayName)s تغییر داد", - "%(senderName)s banned %(targetName)s": "%(senderName)s %(targetName)s را ممنوع کرد", - "%(senderName)s banned %(targetName)s: %(reason)s": "%(senderName)s %(targetName)s را ممنوع کرد: %(reason)s", - "%(senderName)s invited %(targetName)s": "%(senderName)s %(targetName)s را دعوت کرد", - "%(targetName)s accepted an invitation": "%(targetName)s یک دعوت نامه را پذیرفت", - "%(targetName)s accepted the invitation for %(displayName)s": "%(targetName)s دعوت %(displayName)s را پذیرفت", "We were unable to understand the given date (%(inputDate)s). Try using the format YYYY-MM-DD.": "ما قادر به درک تاریخ داده شده %(inputDate)s نبودیم. از قالب YYYY-MM-DD استفاده کنید.", "%(spaceName)s and %(count)s others": { "one": "%(spaceName)s و %(count)s دیگر", @@ -2211,8 +2168,6 @@ "other": "دعوت کردن %(user)s و %(count)s دیگر", "one": "دعوت کردن %(user)s و ۱ دیگر" }, - "Video call started in %(roomName)s. (not supported by this browser)": "تماس ویدئویی در %(roomName)s شروع شد. (توسط این مرورگر پشتیبانی نمی‌شود.)", - "Video call started in %(roomName)s.": "تماس ویدئویی در %(roomName)s شروع شد.", "No virtual room for this room": "اتاق مجازی برای این اتاق وجود ندارد", "Switches to this room's virtual room, if it has one": "جابجایی به اتاق مجازی این اتاق، اگر یکی وجود داشت", "You need to be able to kick users to do that.": "برای انجام این کار نیاز دارید که بتوانید کاربران را حذف کنید.", @@ -2231,7 +2186,6 @@ "Toggle webcam on/off": "روشن/خاموش کردن دوربین", "Hide stickers": "پنهان سازی استیکرها", "Send a sticker": "ارسال یک استیکر", - "%(senderDisplayName)s sent a sticker.": "%(senderDisplayName)s یک برچسب فرستاد.", "Navigate to previous message in composer history": "انتقال به پیام قبلی در تاریخچه نوشته ها", "Navigate to next message in composer history": "انتقال به پیام بعدی در تاریخچه نوشته ها", "Navigate to previous message to edit": "انتقال به پیام قبلی جهت ویرایش", @@ -2254,14 +2208,11 @@ "Enter your Security Phrase or to continue.": "عبارت امنیتی خود را وارد کنید و یا .", "You were disconnected from the call. (Error: %(message)s)": "شما از تماس قطع شدید.(خطا: %(message)s)", "Share anonymous data to help us identify issues. Nothing personal. No third parties. Learn More": "اطلاعات خود را به صورت ناشناس با ما به اشتراک بگذارید تا متوجه مشکلات موجود شویم. بدون استفاده شخصی توسط خود و یا شرکایادگیری بیشتر", - "%(creatorName)s created this room.": "%(creatorName)s این اتاق ساخته شده.", "In %(spaceName)s.": "در فضای %(spaceName)s.", "In %(spaceName)s and %(count)s other spaces.": { "other": "در %(spaceName)s و %(count)s دیگر فضاها." }, "In spaces %(space1Name)s and %(space2Name)s.": "در فضای %(space1Name)s و %(space2Name)s.", - "%(senderName)s withdrew %(targetName)s's invitation": "%(senderName)s رد کردن %(targetName)s's دعوت", - "%(senderName)s withdrew %(targetName)s's invitation: %(reason)s": "%(senderName)s قبول نکرد %(targetName)s's دعوت: %(reason)s", "Developer": "توسعه دهنده", "Experimental": "تجربی", "Themes": "قالب ها", @@ -2286,20 +2237,6 @@ "Help improve %(analyticsOwner)s": "بهتر کردن راهنمای کاربری %(analyticsOwner)s", "You previously consented to share anonymous usage data with us. We're updating how that works.": "شما به ارسال گزارش چگونگی استفاده از سرویس رضایت داده بودید. ما نحوه استفاده از این اطلاعات را بروز میکنیم.", "That's fine": "بسیارعالی", - "File Attached": "فایل ضمیمه شد", - "Export successful!": "استخراج موفق!", - "Error fetching file": "خطا در واکشی فایل", - "Topic: %(topic)s": "عنوان: %(topic)s", - "Media omitted - file size limit exceeded": "فایل چند رسانه ای حذف شد - حجم فایل بیش از مقدار تعیین شده است", - "Media omitted": "فایل چند رسانه ای حذف شد", - "Current Timeline": "جدول زمانی فعلی", - "Specify a number of messages": "تعیین تعداد پیام ها", - "From the beginning": "از ابتدا", - "Plain Text": "متن ساده", - "JSON": "JSON", - "HTML": "HTML", - "Generating a ZIP": "تهیه یک فایل زیپ", - "Are you sure you want to exit during this export?": "آیا میخواهید در حال استخراج خارج شوید؟", "Reset bearing to north": "بازنشانی جهت شمال", "Mapbox logo": "لوگوی جعبه نقشه", "Location not available": "مکان در دسترس نیست", @@ -2342,21 +2279,6 @@ "%(senderName)s changed the pinned messages for the room.": "%(senderName)s تغییر کرد پیام های سنجاق شده برای این اتاق.", "%(senderName)s unpinned a message from this room. See all pinned messages.": "%(senderName)s سنجاق یک پیام برداشته شد مشاهده همه پیام های سنجاق شده.", "%(senderName)s pinned a message to this room. See all pinned messages.": "%(senderName)s یک پیام به این اتاق سنجاق شد مشاهده تمام پیام های سنجاق شده.", - "%(senderDisplayName)s changed who can join this room.": "%(senderDisplayName)s افرادی که میتوانند به این اتاق وارد شوند تغییر کرد.", - "%(senderDisplayName)s changed who can join this room. View settings.": "%(senderDisplayName)s افرادی که میتوانند به این اتاق وارد شوند تغییر کرد. مشاهده تغییرات.", - "%(senderDisplayName)s changed the room avatar.": "%(senderDisplayName)s آواتار اتاق تغییر کرد.", - "%(senderName)s removed %(targetName)s": "%(senderName)s حذف شد %(targetName)s", - "%(senderName)s removed %(targetName)s: %(reason)s": "%(senderName)s حذف شد %(targetName)s: %(reason)s", - "%(senderName)s unbanned %(targetName)s": "%(senderName)s رها سازی %(targetName)s", - "%(targetName)s left the room": "%(targetName)s اتاق را ترک کرد", - "%(targetName)s left the room: %(reason)s": "%(targetName)s اتاق را ترک کرد: %(reason)s", - "%(targetName)s rejected the invitation": "%(targetName)s دعوتنامه رد شد", - "%(targetName)s joined the room": "%(targetName)s به اتاق اضافه شد", - "%(senderName)s made no change": "%(senderName)s بدون تغییر", - "%(senderName)s set a profile picture": "%(senderName)s تنظیم یک تصویر پروفایل", - "%(senderName)s changed their profile picture": "%(senderName)s تصویر پروفایل ایشان تغییر کرد", - "%(senderName)s removed their profile picture": "%(senderName)s تصویر پروفایل ایشان حذف شد", - "%(senderName)s removed their display name (%(oldDisplayName)s)": "%(senderName)s نام نمایشی ایشان حذف شد (%(oldDisplayName)s)", "Developer command: Discards the current outbound group session and sets up new Olm sessions": "فرمان توسعه دهنده: سشن گروه خارجی فعلی رد شد و یک سشن دیگر تعریف شد", "Inviting %(user1)s and %(user2)s": "دعوت کردن %(user1)s و %(user2)s", "User is not logged in": "کاربر وارد نشده است", @@ -2437,7 +2359,9 @@ "matrix": "ماتریکس", "trusted": "قابل اعتماد", "not_trusted": "غیرقابل اعتماد", - "accessibility": "دسترسی" + "accessibility": "دسترسی", + "unnamed_room": "اتاق بدون نام", + "unnamed_space": "فضای کاری بدون نام" }, "action": { "continue": "ادامه", @@ -2627,7 +2551,20 @@ "jump_to_bottom_on_send": "زمانی که پیام ارسال می‌کنید، به صورت خودکار به آخرین پیام پرش کن", "prompt_invite": "قبل از ارسال دعوت‌نامه برای کاربری که شناسه‌ی او احتمالا معتبر نیست، هشدا بده", "start_automatically": "پس از ورود به سیستم به صورت خودکار آغاز کن", - "warn_quit": "قبل از خروج هشدا بده" + "warn_quit": "قبل از خروج هشدا بده", + "notifications": { + "rule_contains_display_name": "پیام‌های حاوی نمای‌نامِ من", + "rule_contains_user_name": "پیام‌های حاوی نام کاربری من", + "rule_roomnotif": "پیام‌های حاوی شناسه‌ی اتاق", + "rule_room_one_to_one": "پیام‌های درون چت‌های یک‌به‌یک", + "rule_message": "پیام‌های درون چت‌های گروهی", + "rule_encrypted": "پیام‌های رمزشده در اتاق‌ها", + "rule_invite_for_me": "وقتی من به گپی دعوت میشوم", + "rule_call": "دعوت به تماس", + "rule_suppress_notices": "پیام‌های ارسال شده توسط ربات", + "rule_tombstone": "زمانی که اتاق‌ها به‌روزرسانی می‌گردند", + "rule_encrypted_room_one_to_one": "پیام‌های رمزشده در گفتگو‌های خصوصی" + } }, "devtools": { "event_type": "نوع رخداد", @@ -2655,5 +2592,92 @@ "active_widgets": "ابزارک‌های فعال", "toolbox": "جعبه ابزار", "developer_tools": "ابزارهای توسعه‌دهنده" + }, + "export_chat": { + "html": "HTML", + "json": "JSON", + "text": "متن ساده", + "from_the_beginning": "از ابتدا", + "number_of_messages": "تعیین تعداد پیام ها", + "current_timeline": "جدول زمانی فعلی", + "export_successful": "استخراج موفق!", + "unload_confirm": "آیا میخواهید در حال استخراج خارج شوید؟", + "generating_zip": "تهیه یک فایل زیپ", + "media_omitted": "فایل چند رسانه ای حذف شد", + "media_omitted_file_size": "فایل چند رسانه ای حذف شد - حجم فایل بیش از مقدار تعیین شده است", + "creator_summary": "%(creatorName)s این اتاق ساخته شده.", + "topic": "عنوان: %(topic)s", + "error_fetching_file": "خطا در واکشی فایل", + "file_attached": "فایل ضمیمه شد" + }, + "create_room": { + "title_public_room": "ساختن اتاق عمومی", + "title_private_room": "ساختن اتاق خصوصی" + }, + "timeline": { + "m.call": { + "video_call_started": "تماس ویدئویی در %(roomName)s شروع شد.", + "video_call_started_unsupported": "تماس ویدئویی در %(roomName)s شروع شد. (توسط این مرورگر پشتیبانی نمی‌شود.)" + }, + "m.call.invite": { + "voice_call": "%(senderName)s تماس صوتی برقرار کرد.", + "voice_call_unsupported": "%(senderName)s تماس صوتی برقرار کرد. (توسط این مرورگر پشتیبانی نمی شود)", + "video_call": "%(senderName)s تماس تصویری برقرار کرد.", + "video_call_unsupported": "%(senderName)s تماس تصویری برقرار کرد. (توسط این مرورگر پشتیبانی نمی شود)" + }, + "m.room.member": { + "accepted_3pid_invite": "%(targetName)s دعوت %(displayName)s را پذیرفت", + "accepted_invite": "%(targetName)s یک دعوت نامه را پذیرفت", + "invite": "%(senderName)s %(targetName)s را دعوت کرد", + "ban_reason": "%(senderName)s %(targetName)s را ممنوع کرد: %(reason)s", + "ban": "%(senderName)s %(targetName)s را ممنوع کرد", + "change_name": "%(oldDisplayName)s نام نمایشی خود را به %(displayName)s تغییر داد", + "set_name": "%(senderName)s نام نمایشی خود را به %(displayName)s تنظیم کرد", + "remove_name": "%(senderName)s نام نمایشی ایشان حذف شد (%(oldDisplayName)s)", + "remove_avatar": "%(senderName)s تصویر پروفایل ایشان حذف شد", + "change_avatar": "%(senderName)s تصویر پروفایل ایشان تغییر کرد", + "set_avatar": "%(senderName)s تنظیم یک تصویر پروفایل", + "no_change": "%(senderName)s بدون تغییر", + "join": "%(targetName)s به اتاق اضافه شد", + "reject_invite": "%(targetName)s دعوتنامه رد شد", + "left_reason": "%(targetName)s اتاق را ترک کرد: %(reason)s", + "left": "%(targetName)s اتاق را ترک کرد", + "unban": "%(senderName)s رها سازی %(targetName)s", + "withdrew_invite_reason": "%(senderName)s قبول نکرد %(targetName)s's دعوت: %(reason)s", + "withdrew_invite": "%(senderName)s رد کردن %(targetName)s's دعوت", + "kick_reason": "%(senderName)s حذف شد %(targetName)s: %(reason)s", + "kick": "%(senderName)s حذف شد %(targetName)s" + }, + "m.room.topic": "%(senderDisplayName)s موضوع را به %(topic)s تغییر داد.", + "m.room.avatar": "%(senderDisplayName)s آواتار اتاق تغییر کرد.", + "m.room.name": { + "remove": "%(senderDisplayName)s نام اتاق را حذف کرد.", + "change": "%(senderDisplayName)s نام اتاق را از %(oldRoomName)s به %(newRoomName)s تغییر داد.", + "set": "%(senderDisplayName)s نام اتاق را به %(roomName)s تغییر داد." + }, + "m.room.tombstone": "%(senderDisplayName)s این اتاق را ارتقا داد.", + "m.room.join_rules": { + "public": "%(senderDisplayName)s اتاق را برای هر کسی که پیوند را می داند عمومی کرد.", + "invite": "%(senderDisplayName)s این اتاق را مخصوص دعوت شدگان قرار داد.", + "restricted_settings": "%(senderDisplayName)s افرادی که میتوانند به این اتاق وارد شوند تغییر کرد. مشاهده تغییرات.", + "restricted": "%(senderDisplayName)s افرادی که میتوانند به این اتاق وارد شوند تغییر کرد.", + "unknown": "%(senderDisplayName)s قانون عضویت را به %(rule)s تغییر داد" + }, + "m.room.guest_access": { + "can_join": "%(senderDisplayName)s به مهمانان اجازه عضویت در اتاق را داد.", + "forbidden": "%(senderDisplayName)s از پیوستن مهمان به اتاق جلوگیری کرد.", + "unknown": "%(senderDisplayName)s دسترسی مهمانان را به %(rule)s تغییر داد" + }, + "m.image": "%(senderDisplayName)s تصویری ارسال کرد.", + "m.sticker": "%(senderDisplayName)s یک برچسب فرستاد.", + "m.room.server_acl": { + "set": "%(senderDisplayName)s ACL های سرور را برای این اتاق تنظیم کرده است.", + "changed": "%(senderDisplayName)s ACL های سرور را برای این اتاق تغییر داد.", + "all_servers_banned": "🎉 شرکت همه سرورها ممنوع است! دیگر نمی توان از این اتاق استفاده کرد." + }, + "m.room.canonical_alias": { + "set": "%(senderName)s آدرس اصلی این اتاق را روی %(address)s تنظیم کرد.", + "removed": "%(senderName)s آدرس اصلی این اتاق را حذف کرد." + } } } diff --git a/src/i18n/strings/fi.json b/src/i18n/strings/fi.json index ebfc51978db..9d66b50ca37 100644 --- a/src/i18n/strings/fi.json +++ b/src/i18n/strings/fi.json @@ -96,13 +96,11 @@ "This room has no local addresses": "Tällä huoneella ei ole paikallista osoitetta", "This room is not accessible by remote Matrix servers": "Tähän huoneeseen ei pääse ulkopuolisilta Matrix-palvelimilta", "Unban": "Poista porttikielto", - "Unnamed Room": "Nimeämätön huone", "Uploading %(filename)s": "Lähetetään %(filename)s", "Uploading %(filename)s and %(count)s others": { "one": "Lähetetään %(filename)s ja %(count)s muuta", "other": "Lähetetään %(filename)s ja %(count)s muuta" }, - "%(senderDisplayName)s changed the room name to %(roomName)s.": "%(senderDisplayName)s vaihtoi huoneen nimeksi %(roomName)s.", "Hangup": "Lopeta", "Historical": "Vanhat", "Home": "Etusivu", @@ -156,7 +154,6 @@ "Unknown error": "Tuntematon virhe", "Incorrect password": "Virheellinen salasana", "Unable to restore session": "Istunnon palautus epäonnistui", - "%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s poisti huoneen nimen.", "Decrypt %(text)s": "Pura %(text)s", "Displays action": "Näyttää toiminnan", "Publish this room to the public in %(domain)s's room directory?": "Julkaise tämä huone verkkotunnuksen %(domain)s huoneluettelossa?", @@ -167,7 +164,6 @@ "Room %(roomId)s not visible": "Huone %(roomId)s ei ole näkyvissä", "%(roomName)s does not exist.": "Huonetta %(roomName)s ei ole olemassa.", "%(roomName)s is not accessible at this time.": "%(roomName)s ei ole saatavilla tällä hetkellä.", - "%(senderDisplayName)s sent an image.": "%(senderDisplayName)s lähetti kuvan.", "%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": "%(senderName)s kutsui käyttäjän %(targetDisplayName)s liittymään huoneeseen.", "Signed Out": "Uloskirjautunut", "Start authentication": "Aloita tunnistus", @@ -177,7 +173,6 @@ "Unable to enable Notifications": "Ilmoitusten käyttöönotto epäonnistui", "Upload Failed": "Lähetys epäonnistui", "Usage": "Käyttö", - "%(senderDisplayName)s changed the topic to \"%(topic)s\".": "%(senderDisplayName)s vaihtoi aiheeksi \"%(topic)s\".", "Define the power level of a user": "Määritä käyttäjän oikeustaso", "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.", @@ -385,10 +380,8 @@ "Waiting for response from server": "Odotetaan vastausta palvelimelta", "This Room": "Tämä huone", "Noisy": "Äänekäs", - "Messages in one-to-one chats": "Viestit kahdenkeskisissä keskusteluissa", "Unavailable": "Ei saatavilla", "Source URL": "Lähdeosoite", - "Messages sent by bot": "Bottien lähettämät viestit", "Filter results": "Suodata tuloksia", "No update available.": "Ei päivityksiä saatavilla.", "Collecting app version information": "Haetaan sovelluksen versiotietoja", @@ -399,15 +392,11 @@ "Collecting logs": "Haetaan lokeja", "All Rooms": "Kaikki huoneet", "All messages": "Kaikki viestit", - "Call invitation": "Puhelukutsu", - "Messages containing my display name": "Viestit, jotka sisältävät näyttönimeni", "What's new?": "Mitä uutta?", - "When I'm invited to a room": "Kun minut kutsutaan huoneeseen", "Invite to this room": "Kutsu käyttäjiä", "You cannot delete this message. (%(code)s)": "Et voi poistaa tätä viestiä. (%(code)s)", "Thursday": "Torstai", "Show message in desktop notification": "Näytä viestit ilmoituskeskuksessa", - "Messages in group chats": "Viestit ryhmissä", "Yesterday": "Eilen", "Error encountered (%(errorDetail)s).": "Virhe: %(errorDetail)s.", "Low Priority": "Matala prioriteetti", @@ -425,18 +414,11 @@ "This room has no topic.": "Tässä huoneessa ei ole aihetta.", "Sets the room name": "Asettaa huoneen nimen", "Opens the Developer Tools dialog": "Avaa kehitystyökalujen dialogin", - "%(senderDisplayName)s upgraded this room.": "%(senderDisplayName)s päivitti tämän huoneen.", - "%(senderDisplayName)s has allowed guests to join the room.": "%(senderDisplayName)s salli vieraiden liittyvän huoneeseen.", - "%(senderDisplayName)s has prevented guests from joining the room.": "%(senderDisplayName)s on estänyt vieraiden liittymisen huoneeseen.", - "%(senderName)s set the main address for this room to %(address)s.": "%(senderName)s asetti tälle huoneelle pääosoitteen %(address)s.", - "%(senderName)s removed the main address for this room.": "%(senderName)s poisti tämän huoneen pääosoitteen.", "Avoid repeated words and characters": "Vältä toistettuja sanoja ja merkkejä", "Repeats like \"aaa\" are easy to guess": "Toistot, kuten ”aaa”, ovat helppoja arvata", "Repeats like \"abcabcabc\" are only slightly harder to guess than \"abc\"": "Toistot, kuten ”abcabcabe” ovat vain hieman hankalampia arvata kuin ”abc”", "A word by itself is easy to guess": "Yksittäinen sana on helppo arvata", "Please contact your homeserver administrator.": "Ota yhteyttä kotipalvelimesi ylläpitäjään.", - "Encrypted messages in one-to-one chats": "Salatut viestit kahdenkeskisissä keskusteluissa", - "Encrypted messages in group chats": "Salatut viestit ryhmissä", "The other party cancelled the verification.": "Toinen osapuoli perui varmennuksen.", "Verified!": "Varmennettu!", "You've successfully verified this user.": "Olet varmentanut tämän käyttäjän.", @@ -583,10 +565,6 @@ "Permission Required": "Lisäoikeuksia tarvitaan", "The file '%(fileName)s' exceeds this homeserver's size limit for uploads": "Tiedoston '%(fileName)s' koko ylittää tämän kotipalvelimen lähetettyjen tiedostojen ylärajan", "Unable to load! Check your network connectivity and try again.": "Lataaminen epäonnistui! Tarkista verkkoyhteytesi ja yritä uudelleen.", - "%(senderDisplayName)s made the room public to whoever knows the link.": "%(senderDisplayName)s teki tästä huoneesta julkisesti luettavan linkin kautta.", - "%(senderDisplayName)s made the room invite only.": "%(senderDisplayName)s muutti huoneeseen pääsyn vaatimaan kutsun.", - "%(senderDisplayName)s changed the join rule to %(rule)s": "%(senderDisplayName)s vaihtoi liittymisen ehdoksi säännön %(rule)s", - "%(senderDisplayName)s changed guest access to %(rule)s": "%(senderDisplayName)s vaihtoi vieraiden pääsyn tilaan %(rule)s", "%(displayName)s is typing …": "%(displayName)s kirjoittaa…", "%(names)s and %(count)s others are typing …": { "other": "%(names)s ja %(count)s muuta kirjoittavat…", @@ -620,8 +598,6 @@ "Common names and surnames are easy to guess": "Yleiset nimet ja sukunimet ovat helppoja arvata", "Straight rows of keys are easy to guess": "Näppäimistössä peräkkäin olevat merkit ovat helppoja arvata", "Short keyboard patterns are easy to guess": "Lyhyet näppäinsarjat ovat helppoja arvata", - "Messages containing my username": "Viestit, jotka sisältävät käyttäjätunnukseni", - "Messages containing @room": "Viestit, jotka sisältävät sanan ”@room”", "Secure messages with this user are end-to-end encrypted and not able to be read by third parties.": "Turvalliset viestit tämän käyttäjän kanssa ovat salattuja päästä päähän, eivätkä kolmannet osapuolet voi lukea niitä.", "Thumbs up": "Peukut ylös", "We've sent you an email to verify your address. Please follow the instructions there and then click the button below.": "Lähetimme sinulle sähköpostin osoitteesi vahvistamiseksi. Noudata sähköpostissa olevia ohjeita, ja napsauta sen jälkeen alla olevaa painiketta.", @@ -806,7 +782,6 @@ "Some characters not allowed": "Osaa merkeistä ei sallita", "Homeserver URL does not appear to be a valid Matrix homeserver": "Kotipalvelimen osoite ei näytä olevan kelvollinen Matrix-kotipalvelin", "Identity server URL does not appear to be a valid identity server": "Identiteettipalvelimen osoite ei näytä olevan kelvollinen identiteettipalvelin", - "When rooms are upgraded": "Kun huoneet päivitetään", "edited": "muokattu", "To help us prevent this in future, please send us logs.": "Voit auttaa meitä estämään tämän toistumisen lähettämällä meille lokeja.", "This file is too large to upload. The file size limit is %(limit)s but this file is %(sizeOfThisFile)s.": "Tiedosto on liian iso lähetettäväksi. Tiedostojen kokoraja on %(limit)s mutta tämä tiedosto on %(sizeOfThisFile)s.", @@ -938,8 +913,6 @@ "Link this email with your account in Settings to receive invites directly in %(brand)s.": "Linkitä tämä sähköposti tilisi kanssa asetuksissa, jotta voit saada kutsuja suoraan %(brand)sissa.", "e.g. my-room": "esim. oma-huone", "Please enter a name for the room": "Syötä huoneelle nimi", - "Create a public room": "Luo julkinen huone", - "Create a private room": "Luo yksityinen huone", "Topic (optional)": "Aihe (valinnainen)", "Clear cache and reload": "Tyhjennä välimuisti ja lataa uudelleen", "%(count)s unread messages including mentions.": { @@ -1066,10 +1039,6 @@ "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", - "%(senderName)s placed a voice call.": "%(senderName)s soitti äänipuhelun.", - "%(senderName)s placed a voice call. (not supported by this browser)": "%(senderName)s soitti äänipuhelun. (selaimesi ei tue äänipuheluita)", - "%(senderName)s placed a video call.": "%(senderName)s soitti videopuhelun.", - "%(senderName)s placed a video call. (not supported by this browser)": "%(senderName)s soitti videopuhelun (selaimesi ei tue videopuheluita)", "Error upgrading room": "Virhe päivitettäessä huonetta", "Double check that your server supports the room version chosen and try again.": "Tarkista, että palvelimesi tukee valittua huoneversiota ja yritä uudelleen.", "%(senderName)s removed the rule banning users matching %(glob)s": "%(senderName)s poisti porttikiellon käyttäjiltä, jotka täsmäsivät sääntöön %(glob)s", @@ -1178,7 +1147,6 @@ "WARNING: KEY VERIFICATION FAILED! The signing key for %(userId)s and session %(deviceId)s is \"%(fprint)s\" which does not match the provided key \"%(fingerprint)s\". This could mean your communications are being intercepted!": "VAROITUS: AVAIMEN VARMENTAMINEN EPÄONNISTUI! Käyttäjän %(userId)s ja laitteen %(deviceId)s istunnon allekirjoitusavain on ”%(fprint)s”, mikä ei täsmää annettuun avaimeen ”%(fingerprint)s”. Tämä voi tarkoittaa, että viestintäänne siepataan!", "The signing key you provided matches the signing key you received from %(userId)s's session %(deviceId)s. Session marked as verified.": "Antamasi allekirjoitusavain täsmää käyttäjältä %(userId)s saamaasi istunnon %(deviceId)s allekirjoitusavaimeen. Istunto on varmennettu.", "Displays information about a user": "Näyttää tietoa käyttäjästä", - "%(senderDisplayName)s changed the room name from %(oldRoomName)s to %(newRoomName)s.": "%(senderDisplayName)s vaihtoi huoneen nimen %(oldRoomName)s nimeksi %(newRoomName)s.", "%(senderName)s added the alternative addresses %(addresses)s for this room.": { "other": "%(senderName)s lisäsi vaihtoehtoiset osoitteet %(addresses)s tälle huoneelle.", "one": "%(senderName)s lisäsi vaihtoehtoisen osoitteen %(addresses)s tälle huoneelle." @@ -1380,7 +1348,6 @@ "%(senderName)s is calling": "%(senderName)s soittaa", "%(senderName)s: %(message)s": "%(senderName)s: %(message)s", "%(senderName)s: %(stickerName)s": "%(senderName)s: %(stickerName)s", - "%(senderName)s invited %(targetName)s": "%(senderName)s kutsui käyttäjän %(targetName)s", "Use custom size": "Käytä mukautettua kokoa", "Use a system font": "Käytä järjestelmän fonttia", "System font name": "Järjestelmän fontin nimi", @@ -1407,7 +1374,6 @@ "Unknown App": "Tuntematon sovellus", "Error leaving room": "Virhe poistuessa huoneesta", "Unexpected server error trying to leave the room": "Huoneesta poistuessa tapahtui odottamaton palvelinvirhe", - "🎉 All servers are banned from participating! This room can no longer be used.": "Kaikki palvelimet ovat saaneet porttikiellon huoneeseen! Tätä huonetta ei voi enää käyttää.", "Prepends ( ͡° ͜ʖ ͡°) to a plain-text message": "Lisää ( ͡° ͜ʖ ͡°) viestin alkuun", "Are you sure you want to cancel entering passphrase?": "Haluatko varmasti peruuttaa salasanan syöttämisen?", "The call was answered on another device.": "Puheluun vastattiin toisessa laitteessa.", @@ -1784,8 +1750,6 @@ "other": "Voit kiinnittää enintään %(count)s sovelmaa" }, "Favourited": "Suositut", - "%(senderDisplayName)s set the server ACLs for this room.": "%(senderDisplayName)s loi tämän huoneen palvelinten pääsynvalvontalistan.", - "%(senderDisplayName)s changed the server ACLs for this room.": "%(senderDisplayName)s muutti tämän huoneen palvelinten pääsynvalvontalistaa.", "Expand room list section": "Laajenna huoneluettelon osa", "Collapse room list section": "Supista huoneluettelon osa", "Use a different passphrase?": "Käytä eri salalausetta?", @@ -2000,7 +1964,6 @@ "Settings - %(spaceName)s": "Asetukset - %(spaceName)s", "Report the entire room": "Raportoi koko huone", "Search spaces": "Etsi avaruuksia", - "Unnamed Space": "Nimetön avaruus", "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ä", "Message preview": "Viestin esikatselu", @@ -2070,17 +2033,10 @@ "%(sharerName)s is presenting": "%(sharerName)s esittää", "You are presenting": "Esität parhaillaan", "Set up Secure Backup": "Määritä turvallinen varmuuskopio", - "Error fetching file": "Virhe tiedostoa noutaessa", "Review to ensure your account is safe": "Katselmoi varmistaaksesi, että tilisi on turvassa", - "%(creatorName)s created this room.": "%(creatorName)s loi tämän huoneen.", - "Plain Text": "Raakateksti", - "JSON": "JSON", - "HTML": "HTML", "Share your public space": "Jaa julkinen avaruutesi", "Invite to %(spaceName)s": "Kutsu avaruuteen %(spaceName)s", "%(senderName)s pinned a message to this room. See all pinned messages.": "%(senderName)s kiinnitti viestin tähän huoneeseen. Katso kaikki kiinnitetyt viestit.", - "%(senderDisplayName)s sent a sticker.": "%(senderDisplayName)s lähetti tarran.", - "%(senderName)s removed their display name (%(oldDisplayName)s)": "%(senderName)s poisti näyttönimensä (%(oldDisplayName)s)", "The user you called is busy.": "Käyttäjä, jolle soitit, on varattu.", "User Busy": "Käyttäjä varattu", "Decide who can join %(roomName)s.": "Päätä ketkä voivat liittyä huoneeseen %(roomName)s.", @@ -2134,17 +2090,6 @@ "Messages containing keywords": "Viestit, jotka sisältävät avainsanoja", "Enable email notifications for %(email)s": "Sähköposti-ilmoitukset osoitteeseen %(email)s", "Mentions & keywords": "Maininnat ja avainsanat", - "%(targetName)s left the room": "%(targetName)s poistui huoneesta", - "%(targetName)s left the room: %(reason)s": "%(targetName)s poistui huoneesta: %(reason)s", - "%(targetName)s rejected the invitation": "%(targetName)s hylkäsi kutsun", - "%(targetName)s joined the room": "%(targetName)s liittyi huoneeseen", - "%(senderName)s made no change": "%(senderName)s ei tehnyt muutosta", - "%(senderName)s set a profile picture": "%(senderName)s asetti profiilikuvan", - "%(senderName)s changed their profile picture": "%(senderName)s vaihtoi profiilikuvansa", - "%(senderName)s removed their profile picture": "%(senderName)s poisti profiilikuvansa", - "%(oldDisplayName)s changed their display name to %(displayName)s": "%(oldDisplayName)s vaihtoi näyttönimekseen %(displayName)s", - "%(senderName)s set their display name to %(displayName)s": "%(senderName)s asetti näyttönimekseen %(displayName)s", - "%(targetName)s accepted an invitation": "%(targetName)s hyväksyi kutsun", "Some invites couldn't be sent": "Joitain kutsuja ei voitu lähettää", "We couldn't log you in": "Emme voineet kirjata sinua sisään", "Spaces": "Avaruudet", @@ -2193,12 +2138,6 @@ "Silence call": "Hiljennä puhelu", "Sound on": "Ääni päällä", "Don't miss a reply": "Älä jätä vastauksia huomiotta", - "Current Timeline": "Nykyinen aikajana", - "Specify a number of messages": "Määritä viestien lukumäärä", - "From the beginning": "Alusta lähtien", - "Are you sure you want to exit during this export?": "Haluatko varmasti poistua tämän viennin aikana?", - "File Attached": "Tiedosto liitetty", - "Topic: %(topic)s": "Aihe: %(topic)s", "Show:": "Näytä:", "This room is suggested as a good one to join": "Tähän huoneeseen liittymistä suositellaan", "View in room": "Näytä huoneessa", @@ -2240,14 +2179,7 @@ "Message search initialisation failed": "Viestihaun alustus epäonnistui", "More": "Lisää", "Developer mode": "Kehittäjätila", - "This is the start of export of . Exported by at %(exportDate)s.": "Tämä on huoneen viennin alku. Vienyt %(exportDate)s.", - "Media omitted - file size limit exceeded": "Media jätetty pois – tiedoston kokoraja ylitetty", - "Media omitted": "Media jätetty pois", "%(senderName)s changed the pinned messages for the room.": "%(senderName)s muutti huoneen kiinnitettyjä viestejä.", - "%(senderDisplayName)s changed the room avatar.": "%(senderDisplayName)s vaihtoi huoneen kuvan.", - "%(senderName)s unbanned %(targetName)s": "%(senderName)s poisti porttikiellon käyttäjältä %(targetName)s", - "%(senderName)s banned %(targetName)s": "%(senderName)s antoi porttikiellon käyttäjälle %(targetName)s", - "%(senderName)s banned %(targetName)s: %(reason)s": "%(senderName)s antoi porttikiellon käyttäjälle %(targetName)s: %(reason)s", "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)": { @@ -2339,7 +2271,6 @@ "Report": "Ilmoita", "Collapse reply thread": "Supista vastausketju", "No active call in this room": "Huoneessa ei ole aktiivista puhelua", - "%(targetName)s accepted the invitation for %(displayName)s": "%(targetName)s hyväksyi kutsun %(displayName)s:tä", "Unable to find Matrix ID for phone number": "Puhelinnumerolla ei löydy Matrix ID:tä", "Unknown (user, session) pair: (%(userId)s, %(deviceId)s)": "Tuntematon (käyttäjä, laite) (%(userId)s, %(deviceId)s)", "Command failed: Unable to find room (%(roomId)s": "Komento epäonnistui: Huonetta %(roomId)s ei löydetty", @@ -2409,31 +2340,10 @@ "Share anonymous data to help us identify issues. Nothing personal. No third parties. Learn More": "Jaa anonyymiä tietoa ongelmien tunnistamiseksi. Ei mitään henkilökohtaista. Ei kolmansia tahoja. Lue lisää", "You previously consented to share anonymous usage data with us. We're updating how that works.": "Olet aiemmin suostunut jakamaan anonyymiä käyttötietoa kanssamme. Päivitämme jakamisen toimintaperiaatteita.", "That's fine": "Sopii", - "Exported %(count)s events in %(seconds)s seconds": { - "one": "%(count)s tapahtuma viety %(seconds)s sekunnissa", - "other": "%(count)s tapahtumaa viety %(seconds)s sekunnissa" - }, - "Export successful!": "Vienti onnistui!", - "Fetched %(count)s events in %(seconds)ss": { - "one": "%(count)s tapahtuma noudettu %(seconds)s sekunnissa", - "other": "%(count)s tapahtumaa noudettu %(seconds)s sekunnissa" - }, - "Processing event %(number)s out of %(total)s": "Käsitellään tapahtumaa %(number)s / %(total)s", - "Fetched %(count)s events so far": { - "one": "%(count)s tapahtuma noudettu tähän mennessä", - "other": "%(count)s tapahtumaa noudettu tähän mennessä" - }, - "Fetched %(count)s events out of %(total)s": { - "one": "%(count)s / %(total)s tapahtumaa noudettu", - "other": "%(count)s / %(total)s tapahtumaa noudettu" - }, - "Generating a ZIP": "Luodaan ZIPiä", "Light high contrast": "Vaalea, suuri kontrasti", "%(senderName)s has ended a poll": "%(senderName)s on lopettanut kyselyn", "%(senderName)s has started a poll - %(pollQuestion)s": "%(senderName)s on aloittanut kyselyn - %(pollQuestion)s", "%(senderName)s has shared their location": "%(senderName)s on jakanut sijaintinsa", - "%(senderName)s withdrew %(targetName)s's invitation": "%(senderName)s veti takaisin käyttäjän %(targetName)s kutsun", - "%(senderName)s withdrew %(targetName)s's invitation: %(reason)s": "%(senderName)s veti takaisin käyttäjän %(targetName)s kutsun: %(reason)s", "Failed to get room topic: Unable to find room (%(roomId)s": "Huoneen aiheen hakeminen epäonnistui: huonetta (%(roomId)s ei löydy.", "In reply to this message": "Vastauksena tähän viestiin", "Results are only revealed when you end the poll": "Tulokset paljastetaan vasta kun päätät kyselyn", @@ -2594,9 +2504,6 @@ "Spam or propaganda": "Roskapostitusta tai propagandaa", "Toxic Behaviour": "Myrkyllinen käyttäytyminen", "Feedback sent! Thanks, we appreciate it!": "Palaute lähetetty. Kiitos, arvostamme sitä!", - "Create room": "Luo huone", - "Create video room": "Luo videohuone", - "Create a video room": "Luo videohuone", "%(featureName)s Beta feedback": "Ominaisuuden %(featureName)s beetapalaute", "Including you, %(commaSeparatedMembers)s": "Mukaan lukien sinä, %(commaSeparatedMembers)s", "The beginning of the room": "Huoneen alku", @@ -2724,10 +2631,6 @@ "See messages posted to this room": "Näe tähän huoneeseen lähetetyt viestit", "See when the name changes in this room": "Näe milloin nimi muuttuu tässä huoneessa", "%(senderName)s has updated the room layout": "%(senderName)s on päivittänyt huoneen asettelun", - "%(senderDisplayName)s changed who can join this room.": "%(senderDisplayName)s muutti asetusta, ketkä voivat liittyä tähän huoneeseen.", - "%(senderDisplayName)s changed who can join this room. View settings.": "%(senderDisplayName)s muutti asetusta, ketkä voivat liittyä tähän huoneeseen. Näytä asetukset.", - "%(senderName)s removed %(targetName)s": "%(senderName)s poisti %(targetName)s", - "%(senderName)s removed %(targetName)s: %(reason)s": "%(senderName)s poisti %(targetName)s: %(reason)s", "Jump to the given date in the timeline": "Siirry annetulle päivälle aikajanalla", "Keep discussions organised with threads": "Pidä keskustelut järjestyksessä ketjuissa", "Show all threads": "Näytä kaikki ketjut", @@ -2902,8 +2805,6 @@ "Enter fullscreen": "Siirry koko näytön tilaan", "In %(spaceName)s.": "Avaruudessa %(spaceName)s.", "In spaces %(space1Name)s and %(space2Name)s.": "Avaruuksissa %(space1Name)s ja %(space2Name)s.", - "Video call started in %(roomName)s. (not supported by this browser)": "Videopuhelu alkoi huoneessa %(roomName)s. (ei tuettu selaimesi toimesta)", - "Video call started in %(roomName)s.": "Videopuhelu alkoi huoneessa %(roomName)s.", "Empty room (was %(oldName)s)": "Tyhjä huone (oli %(oldName)s)", "Inviting %(user)s and %(count)s others": { "one": "Kutsutaan %(user)s ja 1 muu", @@ -3104,11 +3005,7 @@ "Red": "Punainen", "Grey": "Harmaa", "Yes, it was me": "Kyllä, se olin minä", - "Creating output…": "Luodaan tulostetta…", - "Fetching events…": "Noudetaan tapahtumia…", "Starting export process…": "Käynnistetään vientitoimenpide…", - "Creating HTML…": "Luodaan HTML…", - "Starting export…": "Käynnistetään vienti…", "Unable to connect to Homeserver. Retrying…": "Kotipalvelimeen yhdistäminen ei onnistunut. Yritetään uudelleen…", "Could not find room": "Huonetta ei löytynyt", "WARNING: session already verified, but keys do NOT MATCH!": "VAROITUS: istunto on jo vahvistettu, mutta avaimet EIVÄT TÄSMÄÄ!", @@ -3182,7 +3079,6 @@ "WebGL is required to display maps, please enable it in your browser settings.": "Karttojen näyttäminen vaatii WebGL:n. Ota se käyttöön selaimen asetuksista.", "Send %(msgtype)s messages as you in your active room": "Lähetä %(msgtype)s-viestejä itsenäsi aktiiviseen huoneeseesi", "Send %(msgtype)s messages as you in this room": "Lähetä %(msgtype)s-viestejä itsenäsi tähän huoneeseen", - "%(oldDisplayName)s changed their display name and profile picture": "%(oldDisplayName)s vaihtoi näyttönimensä ja profiilikuvansa", "This may be caused by having the app open in multiple tabs or due to clearing browser data.": "Tämä voi johtua siitä, että sovellus on auki useissa välilehdissä tai selaimen tietojen tyhjentämisestä.", "Database unexpectedly closed": "Tietokanta sulkeutui odottamattomasti", "Identity server not set": "Identiteettipalvelinta ei ole asetettu", @@ -3273,7 +3169,9 @@ "not_trusted": "Ei-luotettu", "accessibility": "Saavutettavuus", "server": "Palvelin", - "capabilities": "Kyvykkyydet" + "capabilities": "Kyvykkyydet", + "unnamed_room": "Nimeämätön huone", + "unnamed_space": "Nimetön avaruus" }, "action": { "continue": "Jatka", @@ -3555,7 +3453,20 @@ "prompt_invite": "Kysy varmistus ennen kutsujen lähettämistä mahdollisesti epäkelpoihin Matrix ID:hin", "hardware_acceleration": "Ota laitteistokiihdytys käyttöön (käynnistä %(appName)s uudelleen, jotta asetus tulee voimaan)", "start_automatically": "Käynnistä automaattisesti käyttöjärjestelmään kirjautumisen jälkeen", - "warn_quit": "Varoita ennen lopettamista" + "warn_quit": "Varoita ennen lopettamista", + "notifications": { + "rule_contains_display_name": "Viestit, jotka sisältävät näyttönimeni", + "rule_contains_user_name": "Viestit, jotka sisältävät käyttäjätunnukseni", + "rule_roomnotif": "Viestit, jotka sisältävät sanan ”@room”", + "rule_room_one_to_one": "Viestit kahdenkeskisissä keskusteluissa", + "rule_message": "Viestit ryhmissä", + "rule_encrypted": "Salatut viestit ryhmissä", + "rule_invite_for_me": "Kun minut kutsutaan huoneeseen", + "rule_call": "Puhelukutsu", + "rule_suppress_notices": "Bottien lähettämät viestit", + "rule_tombstone": "Kun huoneet päivitetään", + "rule_encrypted_room_one_to_one": "Salatut viestit kahdenkeskisissä keskusteluissa" + } }, "devtools": { "event_type": "Tapahtuman tyyppi", @@ -3606,5 +3517,118 @@ "developer_tools": "Kehittäjätyökalut", "room_id": "Huoneen ID-tunniste: %(roomId)s", "event_id": "Tapahtuman ID-tunniste: %(eventId)s" + }, + "export_chat": { + "html": "HTML", + "json": "JSON", + "text": "Raakateksti", + "from_the_beginning": "Alusta lähtien", + "number_of_messages": "Määritä viestien lukumäärä", + "current_timeline": "Nykyinen aikajana", + "creating_html": "Luodaan HTML…", + "starting_export": "Käynnistetään vienti…", + "export_successful": "Vienti onnistui!", + "unload_confirm": "Haluatko varmasti poistua tämän viennin aikana?", + "generating_zip": "Luodaan ZIPiä", + "processing_event_n": "Käsitellään tapahtumaa %(number)s / %(total)s", + "fetched_n_events_with_total": { + "one": "%(count)s / %(total)s tapahtumaa noudettu", + "other": "%(count)s / %(total)s tapahtumaa noudettu" + }, + "fetched_n_events": { + "one": "%(count)s tapahtuma noudettu tähän mennessä", + "other": "%(count)s tapahtumaa noudettu tähän mennessä" + }, + "fetched_n_events_in_time": { + "one": "%(count)s tapahtuma noudettu %(seconds)s sekunnissa", + "other": "%(count)s tapahtumaa noudettu %(seconds)s sekunnissa" + }, + "exported_n_events_in_time": { + "one": "%(count)s tapahtuma viety %(seconds)s sekunnissa", + "other": "%(count)s tapahtumaa viety %(seconds)s sekunnissa" + }, + "media_omitted": "Media jätetty pois", + "media_omitted_file_size": "Media jätetty pois – tiedoston kokoraja ylitetty", + "creator_summary": "%(creatorName)s loi tämän huoneen.", + "export_info": "Tämä on huoneen viennin alku. Vienyt %(exportDate)s.", + "topic": "Aihe: %(topic)s", + "error_fetching_file": "Virhe tiedostoa noutaessa", + "file_attached": "Tiedosto liitetty", + "fetching_events": "Noudetaan tapahtumia…", + "creating_output": "Luodaan tulostetta…" + }, + "create_room": { + "title_video_room": "Luo videohuone", + "title_public_room": "Luo julkinen huone", + "title_private_room": "Luo yksityinen huone", + "action_create_video_room": "Luo videohuone", + "action_create_room": "Luo huone" + }, + "timeline": { + "m.call": { + "video_call_started": "Videopuhelu alkoi huoneessa %(roomName)s.", + "video_call_started_unsupported": "Videopuhelu alkoi huoneessa %(roomName)s. (ei tuettu selaimesi toimesta)" + }, + "m.call.invite": { + "voice_call": "%(senderName)s soitti äänipuhelun.", + "voice_call_unsupported": "%(senderName)s soitti äänipuhelun. (selaimesi ei tue äänipuheluita)", + "video_call": "%(senderName)s soitti videopuhelun.", + "video_call_unsupported": "%(senderName)s soitti videopuhelun (selaimesi ei tue videopuheluita)" + }, + "m.room.member": { + "accepted_3pid_invite": "%(targetName)s hyväksyi kutsun %(displayName)s:tä", + "accepted_invite": "%(targetName)s hyväksyi kutsun", + "invite": "%(senderName)s kutsui käyttäjän %(targetName)s", + "ban_reason": "%(senderName)s antoi porttikiellon käyttäjälle %(targetName)s: %(reason)s", + "ban": "%(senderName)s antoi porttikiellon käyttäjälle %(targetName)s", + "change_name_avatar": "%(oldDisplayName)s vaihtoi näyttönimensä ja profiilikuvansa", + "change_name": "%(oldDisplayName)s vaihtoi näyttönimekseen %(displayName)s", + "set_name": "%(senderName)s asetti näyttönimekseen %(displayName)s", + "remove_name": "%(senderName)s poisti näyttönimensä (%(oldDisplayName)s)", + "remove_avatar": "%(senderName)s poisti profiilikuvansa", + "change_avatar": "%(senderName)s vaihtoi profiilikuvansa", + "set_avatar": "%(senderName)s asetti profiilikuvan", + "no_change": "%(senderName)s ei tehnyt muutosta", + "join": "%(targetName)s liittyi huoneeseen", + "reject_invite": "%(targetName)s hylkäsi kutsun", + "left_reason": "%(targetName)s poistui huoneesta: %(reason)s", + "left": "%(targetName)s poistui huoneesta", + "unban": "%(senderName)s poisti porttikiellon käyttäjältä %(targetName)s", + "withdrew_invite_reason": "%(senderName)s veti takaisin käyttäjän %(targetName)s kutsun: %(reason)s", + "withdrew_invite": "%(senderName)s veti takaisin käyttäjän %(targetName)s kutsun", + "kick_reason": "%(senderName)s poisti %(targetName)s: %(reason)s", + "kick": "%(senderName)s poisti %(targetName)s" + }, + "m.room.topic": "%(senderDisplayName)s vaihtoi aiheeksi \"%(topic)s\".", + "m.room.avatar": "%(senderDisplayName)s vaihtoi huoneen kuvan.", + "m.room.name": { + "remove": "%(senderDisplayName)s poisti huoneen nimen.", + "change": "%(senderDisplayName)s vaihtoi huoneen nimen %(oldRoomName)s nimeksi %(newRoomName)s.", + "set": "%(senderDisplayName)s vaihtoi huoneen nimeksi %(roomName)s." + }, + "m.room.tombstone": "%(senderDisplayName)s päivitti tämän huoneen.", + "m.room.join_rules": { + "public": "%(senderDisplayName)s teki tästä huoneesta julkisesti luettavan linkin kautta.", + "invite": "%(senderDisplayName)s muutti huoneeseen pääsyn vaatimaan kutsun.", + "restricted_settings": "%(senderDisplayName)s muutti asetusta, ketkä voivat liittyä tähän huoneeseen. Näytä asetukset.", + "restricted": "%(senderDisplayName)s muutti asetusta, ketkä voivat liittyä tähän huoneeseen.", + "unknown": "%(senderDisplayName)s vaihtoi liittymisen ehdoksi säännön %(rule)s" + }, + "m.room.guest_access": { + "can_join": "%(senderDisplayName)s salli vieraiden liittyvän huoneeseen.", + "forbidden": "%(senderDisplayName)s on estänyt vieraiden liittymisen huoneeseen.", + "unknown": "%(senderDisplayName)s vaihtoi vieraiden pääsyn tilaan %(rule)s" + }, + "m.image": "%(senderDisplayName)s lähetti kuvan.", + "m.sticker": "%(senderDisplayName)s lähetti tarran.", + "m.room.server_acl": { + "set": "%(senderDisplayName)s loi tämän huoneen palvelinten pääsynvalvontalistan.", + "changed": "%(senderDisplayName)s muutti tämän huoneen palvelinten pääsynvalvontalistaa.", + "all_servers_banned": "Kaikki palvelimet ovat saaneet porttikiellon huoneeseen! Tätä huonetta ei voi enää käyttää." + }, + "m.room.canonical_alias": { + "set": "%(senderName)s asetti tälle huoneelle pääosoitteen %(address)s.", + "removed": "%(senderName)s poisti tämän huoneen pääosoitteen." + } } } diff --git a/src/i18n/strings/fr.json b/src/i18n/strings/fr.json index e6b7410aaa7..1b88a6016f3 100644 --- a/src/i18n/strings/fr.json +++ b/src/i18n/strings/fr.json @@ -24,8 +24,6 @@ "Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or enable unsafe scripts.": "Impossible de se connecter au serveur d'accueil en HTTP si l’URL dans la barre de votre explorateur est en HTTPS. Utilisez HTTPS ou activez la prise en charge des scripts non-vérifiés.", "Change Password": "Changer le mot de passe", "%(senderName)s changed the power level of %(powerLevelDiffText)s.": "%(senderName)s a changé le rang de %(powerLevelDiffText)s.", - "%(senderDisplayName)s changed the room name to %(roomName)s.": "%(senderDisplayName)s a changé le nom du salon en %(roomName)s.", - "%(senderDisplayName)s changed the topic to \"%(topic)s\".": "%(senderDisplayName)s a changé le sujet du salon en « %(topic)s ».", "Changes your display nickname": "Modifie votre nom d’affichage", "Command error": "Erreur de commande", "Commands": "Commandes", @@ -97,7 +95,6 @@ "Room %(roomId)s not visible": "Le salon %(roomId)s n’est pas visible", "Rooms": "Salons", "Search failed": "Échec de la recherche", - "%(senderDisplayName)s sent an image.": "%(senderDisplayName)s a envoyé une image.", "%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": "%(senderName)s a invité %(targetDisplayName)s à rejoindre le salon.", "Server error": "Erreur du serveur", "Server may be unavailable, overloaded, or search timed out :(": "Le serveur semble être inaccessible, surchargé ou la recherche a expiré :(", @@ -161,7 +158,6 @@ "This server does not support authentication with a phone number.": "Ce serveur ne prend pas en charge l’authentification avec un numéro de téléphone.", "Connectivity to the server has been lost.": "La connexion au serveur a été perdue.", "Sent messages will be stored until your connection has returned.": "Les messages envoyés seront stockés jusqu’à ce que votre connexion revienne.", - "%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s a supprimé le nom du salon.", "Passphrases must match": "Les phrases secrètes doivent être identiques", "Passphrase must not be empty": "Le mot de passe ne peut pas être vide", "Export room keys": "Exporter les clés de salon", @@ -221,7 +217,6 @@ "%(roomName)s does not exist.": "%(roomName)s n’existe pas.", "%(roomName)s is not accessible at this time.": "%(roomName)s n’est pas joignable pour le moment.", "Start authentication": "Commencer l’authentification", - "Unnamed Room": "Salon anonyme", "(~%(count)s results)": { "one": "(~%(count)s résultat)", "other": "(~%(count)s résultats)" @@ -399,11 +394,8 @@ "Waiting for response from server": "En attente d’une réponse du serveur", "This Room": "Ce salon", "Noisy": "Sonore", - "Messages containing my display name": "Messages contenant mon nom d’affichage", - "Messages in one-to-one chats": "Messages dans les conversations privées", "Unavailable": "Indisponible", "Source URL": "URL de la source", - "Messages sent by bot": "Messages envoyés par des robots", "Filter results": "Filtrer les résultats", "No update available.": "Aucune mise à jour disponible.", "Collecting app version information": "Récupération des informations de version de l’application", @@ -416,18 +408,15 @@ "Wednesday": "Mercredi", "You cannot delete this message. (%(code)s)": "Vous ne pouvez pas supprimer ce message. (%(code)s)", "All messages": "Tous les messages", - "Call invitation": "Appel entrant", "What's new?": "Nouveautés", "All Rooms": "Tous les salons", "Thursday": "Jeudi", "Show message in desktop notification": "Afficher le message dans les notifications de bureau", - "Messages in group chats": "Messages dans les discussions de groupe", "Yesterday": "Hier", "Error encountered (%(errorDetail)s).": "Erreur rencontrée (%(errorDetail)s).", "Low Priority": "Priorité basse", "Off": "Désactivé", "Thank you!": "Merci !", - "When I'm invited to a room": "Quand je suis invité dans un salon", "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", @@ -484,8 +473,6 @@ "The room upgrade could not be completed": "La mise à niveau du salon n’a pas pu être effectuée", "Upgrade this room to version %(version)s": "Mettre à niveau ce salon vers la version %(version)s", "Forces the current outbound group session in an encrypted room to be discarded": "Force la session de groupe sortante actuelle dans un salon chiffré à être rejetée", - "%(senderName)s set the main address for this room to %(address)s.": "%(senderName)s a défini l’adresse principale pour ce salon comme %(address)s.", - "%(senderName)s removed the main address for this room.": "%(senderName)s a supprimé l’adresse principale de ce salon.", "%(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 utilise maintenant 3 à 5 fois moins de mémoire, en ne chargeant les informations des autres utilisateurs que quand elles sont nécessaires. Veuillez patienter pendant que l’on se resynchronise avec le serveur !", "Updating %(brand)s": "Mise à jour de %(brand)s", "Before submitting logs, you must create a GitHub issue to describe your problem.": "Avant de soumettre vos journaux, vous devez créer une « issue » sur GitHub pour décrire votre problème.", @@ -541,9 +528,6 @@ "You do not have permission to invite people to this room.": "Vous n’avez pas la permission d’inviter des personnes dans ce salon.", "Unknown server error": "Erreur de serveur inconnue", "Set up": "Configurer", - "Messages containing @room": "Messages contenant @room", - "Encrypted messages in one-to-one chats": "Messages chiffrés dans les conversations privées", - "Encrypted messages in group chats": "Messages chiffrés dans les discussions de groupe", "Invalid identity server discovery response": "Réponse non valide lors de la découverte du serveur d'identité", "General failure": "Erreur générale", "New Recovery Method": "Nouvelle méthode de récupération", @@ -560,14 +544,12 @@ "Invite anyway": "Inviter quand même", "Upgrades a room to a new version": "Met à niveau un salon vers une nouvelle version", "Sets the room name": "Définit le nom du salon", - "%(senderDisplayName)s upgraded this room.": "%(senderDisplayName)s a mis à niveau ce salon.", "%(displayName)s is typing …": "%(displayName)s est en train d'écrire…", "%(names)s and %(count)s others are typing …": { "other": "%(names)s et %(count)s autres sont en train d’écrire…", "one": "%(names)s et un autre sont en train d’écrire…" }, "%(names)s and %(lastPerson)s are typing …": "%(names)s et %(lastPerson)s sont en train d’écrire…", - "Messages containing my username": "Messages contenant mon nom d’utilisateur", "The other party cancelled the verification.": "L’autre personne a annulé la vérification.", "Verified!": "Vérifié !", "You've successfully verified this user.": "Vous avez vérifié cet utilisateur avec succès.", @@ -625,12 +607,6 @@ "The file '%(fileName)s' exceeds this homeserver's size limit for uploads": "Le fichier « %(fileName)s » dépasse la taille limite autorisée par ce serveur pour les envois", "Gets or sets the room topic": "Récupère ou définit le sujet du salon", "This room has no topic.": "Ce salon n'a pas de sujet.", - "%(senderDisplayName)s made the room public to whoever knows the link.": "%(senderDisplayName)s a rendu le salon public à tous ceux qui en connaissent le lien.", - "%(senderDisplayName)s made the room invite only.": "%(senderDisplayName)s a rendu le salon disponible sur invitation seulement.", - "%(senderDisplayName)s changed the join rule to %(rule)s": "%(senderDisplayName)s a changé la règle d’adhésion en %(rule)s", - "%(senderDisplayName)s has allowed guests to join the room.": "%(senderDisplayName)s a autorisé les visiteurs à rejoindre le salon.", - "%(senderDisplayName)s has prevented guests from joining the room.": "%(senderDisplayName)s a empêché les visiteurs de rejoindre le salon.", - "%(senderDisplayName)s changed guest access to %(rule)s": "%(senderDisplayName)s a changé l’accès des visiteurs en %(rule)s", "Verify this user by confirming the following emoji appear on their screen.": "Vérifier cet utilisateur en confirmant que les émojis suivant apparaissent sur son écran.", "Unable to find a supported verification method.": "Impossible de trouver une méthode de vérification prise en charge.", "Dog": "Chien", @@ -778,7 +754,6 @@ "Sends the given message coloured as a rainbow": "Envoie le message coloré aux couleurs de l’arc-en-ciel", "Sends the given emote coloured as a rainbow": "Envoie la réaction colorée aux couleurs de l’arc-en-ciel", "The user's homeserver does not support the version of the room.": "Le serveur d’accueil de l’utilisateur ne prend pas en charge la version de ce salon.", - "When rooms are upgraded": "Quand les salons sont mis à niveau", "View older messages in %(roomName)s.": "Voir les messages plus anciens dans %(roomName)s.", "Join the conversation with an account": "Rejoindre la conversation avec un compte", "Sign Up": "S’inscrire", @@ -954,8 +929,6 @@ "e.g. my-room": "par ex. mon-salon", "Close dialog": "Fermer la boîte de dialogue", "Please enter a name for the room": "Veuillez renseigner un nom pour le salon", - "Create a public room": "Créer un salon public", - "Create a private room": "Créer un salon privé", "Topic (optional)": "Sujet (facultatif)", "Hide advanced": "Masquer les paramètres avancés", "Show advanced": "Afficher les paramètres avancés", @@ -1067,10 +1040,6 @@ "Manage integrations": "Gérer les intégrations", "Verification Request": "Demande de vérification", "Match system theme": "S’adapter au thème du système", - "%(senderName)s placed a voice call.": "%(senderName)s a passé un appel audio.", - "%(senderName)s placed a voice call. (not supported by this browser)": "%(senderName)s a passé un appel audio. (non pris en charge par ce navigateur)", - "%(senderName)s placed a video call.": "%(senderName)s a passé un appel vidéo.", - "%(senderName)s placed a video call. (not supported by this browser)": "%(senderName)s a passé un appel vidéo. (non pris en charge par ce navigateur)", "Error upgrading room": "Erreur lors de la mise à niveau du salon", "Double check that your server supports the room version chosen and try again.": "Vérifiez que votre serveur prend en charge la version de salon choisie et réessayez.", "Unencrypted": "Non chiffré", @@ -1256,7 +1225,6 @@ "%(senderName)s changed the alternative addresses for this room.": "%(senderName)s a modifié les adresses alternatives de ce salon.", "%(senderName)s changed the main and alternative addresses for this room.": "%(senderName)s a modifié l’adresse principale et les adresses alternatives pour ce salon.", "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.", - "%(senderDisplayName)s changed the room name from %(oldRoomName)s to %(newRoomName)s.": "%(senderDisplayName)s a changé le nom du salon de %(oldRoomName)s en %(newRoomName)s.", "%(senderName)s changed the addresses for this room.": "%(senderName)s a changé les adresses de ce salon.", "Invalid theme schema.": "Schéma du thème invalide.", "Error downloading theme information.": "Une erreur s’est produite en téléchargeant les informations du thème.", @@ -1440,7 +1408,6 @@ "%(senderName)s is calling": "%(senderName)s appelle", "%(senderName)s: %(message)s": "%(senderName)s : %(message)s", "%(senderName)s: %(stickerName)s": "%(senderName)s : %(stickerName)s", - "%(senderName)s invited %(targetName)s": "%(senderName)s a invité %(targetName)s", "Message deleted on %(date)s": "Message supprimé le %(date)s", "Wrong file type": "Mauvais type de fichier", "Security Phrase": "Phrase de sécurité", @@ -1478,8 +1445,6 @@ "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", "Unknown App": "Application inconnue", - "%(senderDisplayName)s changed the server ACLs for this room.": "%(senderDisplayName)s a changé les paramètres d’accès du serveur pour ce salon.", - "%(senderDisplayName)s set the server ACLs for this room.": "%(senderDisplayName)s a défini les paramètres d’accès du serveur pour ce salon.", "Prepends ( ͡° ͜ʖ ͡°) to a plain-text message": "Ajoute ( ͡° ͜ʖ ͡°) en préfixe du message", "The call was answered on another device.": "L’appel a été décroché sur un autre appareil.", "Answered Elsewhere": "Répondu autre-part", @@ -1495,7 +1460,6 @@ "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", - "🎉 All servers are banned from participating! This room can no longer be used.": "🎉 Tous les serveurs ont été bannis ! Ce salon ne peut plus être utilisé.", "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", @@ -2017,7 +1981,6 @@ "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.", - "Unnamed Space": "Espace sans nom", "Invite to %(spaceName)s": "Inviter à %(spaceName)s", "Create a new room": "Créer un nouveau salon", "Spaces": "Espaces", @@ -2214,24 +2177,6 @@ "Silence call": "Mettre l’appel en sourdine", "Sound on": "Son activé", "%(senderName)s changed the pinned messages for the room.": "%(senderName)s a changé les messages épinglés du salon.", - "%(senderName)s withdrew %(targetName)s's invitation": "%(senderName)s a annulé l’invitation de %(targetName)s", - "%(senderName)s withdrew %(targetName)s's invitation: %(reason)s": "%(senderName)s a annulé l’invitation de %(targetName)s : %(reason)s", - "%(senderName)s unbanned %(targetName)s": "%(senderName)s a révoqué le bannissement de %(targetName)s", - "%(targetName)s left the room": "%(targetName)s a quitté le salon", - "%(targetName)s left the room: %(reason)s": "%(targetName)s a quitté le salon : %(reason)s", - "%(targetName)s rejected the invitation": "%(targetName)s a rejeté l’invitation", - "%(targetName)s joined the room": "%(targetName)s a rejoint le salon", - "%(senderName)s made no change": "%(senderName)s n’a fait aucun changement", - "%(senderName)s set a profile picture": "%(senderName)s a défini une image de profil", - "%(senderName)s changed their profile picture": "%(senderName)s a changé son image de profil", - "%(senderName)s removed their profile picture": "%(senderName)s a supprimé son image de profil", - "%(senderName)s removed their display name (%(oldDisplayName)s)": "%(senderName)s a supprimé son nom d’affichage (%(oldDisplayName)s)", - "%(senderName)s set their display name to %(displayName)s": "%(senderName)s a défini son nom affiché comme %(displayName)s", - "%(oldDisplayName)s changed their display name to %(displayName)s": "%(oldDisplayName)s a changé son nom d’affichage en %(displayName)s", - "%(senderName)s banned %(targetName)s": "%(senderName)s a banni %(targetName)s", - "%(senderName)s banned %(targetName)s: %(reason)s": "%(senderName)s a banni %(targetName)s : %(reason)s", - "%(targetName)s accepted an invitation": "%(targetName)s a accepté une invitation", - "%(targetName)s accepted the invitation for %(displayName)s": "%(targetName)s a accepté l’invitation pour %(displayName)s", "Some invites couldn't be sent": "Certaines invitations n’ont pas pu être envoyées", "We sent the others, but the below people couldn't be invited to ": "Nous avons envoyé les invitations, mais les personnes ci-dessous n’ont pas pu être invitées à rejoindre ", "Integration manager": "Gestionnaire d’intégration", @@ -2417,22 +2362,6 @@ "Enter a number between %(min)s and %(max)s": "Entrez un nombre entre %(min)s et %(max)s", "In reply to this message": "En réponse à ce message", "Export chat": "Exporter la conversation", - "File Attached": "Fichier attaché", - "Error fetching file": "Erreur lors de la récupération du fichier", - "Topic: %(topic)s": "Sujet : %(topic)s", - "This is the start of export of . Exported by at %(exportDate)s.": "C’est le début de l’export de . Exporté par le %(exportDate)s.", - "%(creatorName)s created this room.": "%(creatorName)s a créé ce salon.", - "Media omitted - file size limit exceeded": "Média ignoré – taille limite de fichier dépassée", - "Media omitted": "Média ignorés", - "Current Timeline": "Historique actuel", - "Specify a number of messages": "Spécifiez un nombre de messages", - "From the beginning": "Depuis le début", - "Plain Text": "Texte brut", - "JSON": "JSON", - "HTML": "HTML", - "Are you sure you want to exit during this export?": "Êtes vous sûr de vouloir quitter pendant cet export ?", - "%(senderDisplayName)s sent a sticker.": "%(senderDisplayName)s a envoyé un autocollant.", - "%(senderDisplayName)s changed the room avatar.": "%(senderDisplayName)s a changé l’avatar du salon.", "Resetting your verification keys cannot be undone. After resetting, you won't have access to old encrypted messages, and any friends who have previously verified you will see security warnings until you re-verify with them.": "La réinitialisation de vos clés de vérification ne peut pas être annulé. Après la réinitialisation, vous n’aurez plus accès à vos anciens messages chiffrés, et tous les amis que vous aviez précédemment vérifiés verront des avertissement de sécurité jusqu'à ce vous les vérifiiez à nouveau.", "Downloading": "Téléchargement en cours", "I'll verify later": "Je ferai la vérification plus tard", @@ -2513,8 +2442,6 @@ "Automatically send debug logs on any error": "Envoyer automatiquement les journaux de débogage en cas d’erreur", "Use a more compact 'Modern' layout": "Utiliser une mise en page « moderne » plus compacte", "Light high contrast": "Contraste élevé clair", - "%(senderDisplayName)s changed who can join this room.": "%(senderDisplayName)s a modifié la liste des utilisateurs pouvant rejoindre ce salon. Voir les paramètres.", - "%(senderDisplayName)s changed who can join this room. View settings.": "%(senderDisplayName)s a modifié la liste des utilisateurs pouvant rejoindre ce salon. Voir les paramètres.", "Someone already has that username, please try another.": "Quelqu’un possède déjà ce nom d’utilisateur, veuillez en essayer un autre.", "Own your conversations.": "Contrôlez vos conversations.", "Someone already has that username. Try another or if it is you, sign in below.": "Quelqu’un d’autre a déjà ce nom d’utilisateur. Essayez-en un autre ou bien, si c’est vous, connecter vous ci-dessous.", @@ -2630,25 +2557,6 @@ "Spaces you're in": "Espaces où vous êtes", "Including you, %(commaSeparatedMembers)s": "Dont vous, %(commaSeparatedMembers)s", "Copy room link": "Copier le lien du salon", - "Exported %(count)s events in %(seconds)s seconds": { - "one": "%(count)s évènement exporté en %(seconds)s secondes", - "other": "%(count)s évènements exportés en %(seconds)s secondes" - }, - "Export successful!": "Export réussi !", - "Fetched %(count)s events in %(seconds)ss": { - "one": "%(count)s évènement récupéré en %(seconds)ss", - "other": "%(count)s évènements récupérés en %(seconds)ss" - }, - "Processing event %(number)s out of %(total)s": "Traitement de l’évènement %(number)s sur %(total)s", - "Fetched %(count)s events so far": { - "one": "%(count)s évènements récupéré jusqu’ici", - "other": "%(count)s évènements récupérés jusqu’ici" - }, - "Fetched %(count)s events out of %(total)s": { - "one": "%(count)s sur %(total)s évènement récupéré", - "other": "%(count)s sur %(total)s évènements récupérés" - }, - "Generating a ZIP": "Génération d’un ZIP", "We were unable to understand the given date (%(inputDate)s). Try using the format YYYY-MM-DD.": "Nous n’avons pas pu comprendre la date saisie (%(inputDate)s). Veuillez essayer en utilisant le format AAAA-MM-JJ.", "Failed to load list of rooms.": "Impossible de charger la liste des salons.", "This groups your chats with members of this space. Turning this off will hide those chats from your view of %(spaceName)s.": "Cela rassemble vos conversations privées avec les membres de cet espace. Le désactiver masquera ces conversations de votre vue de %(spaceName)s.", @@ -2714,8 +2622,6 @@ "Remove users": "Expulser des utilisateurs", "Remove, ban, or invite people to your active room, and make you leave": "Expulser, bannir ou inviter des personnes dans votre salon actif et en partir", "Remove, ban, or invite people to this room, and make you leave": "Expulser, bannir ou inviter une personne dans ce salon et vous permettre de partir", - "%(senderName)s removed %(targetName)s": "%(senderName)s a expulsé %(targetName)s", - "%(senderName)s removed %(targetName)s: %(reason)s": "%(senderName)s a expulsé %(targetName)s : %(reason)s", "Removes user with given id from this room": "Expulse l’utilisateur avec l’identifiant donné de ce salon", "Remove from %(roomName)s": "Expulser de %(roomName)s", "Keyboard": "Clavier", @@ -2867,9 +2773,6 @@ "%(brand)s is experimental on a mobile web browser. For a better experience and the latest features, use our free native app.": "%(brand)s 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.", "Threads help keep your conversations on-topic and easy to track.": "Les fils de discussion vous permettent de recentrer vos conversations et de les rendre facile à suivre.", "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", - "Create room": "Créer un salon", - "Create video room": "Crée le salon visio", - "Create a video room": "Créer un salon visio", "%(featureName)s Beta feedback": "Commentaires sur la bêta de %(featureName)s", "%(count)s participants": { "one": "1 participant", @@ -3145,8 +3048,6 @@ "Desktop session": "Session de bureau", "Video call started": "Appel vidéo commencé", "Unknown room": "Salon inconnu", - "Video call started in %(roomName)s. (not supported by this browser)": "Appel vidéo commencé dans %(roomName)s. (non pris en charge par ce navigateur)", - "Video call started in %(roomName)s.": "Appel vidéo commencé dans %(roomName)s.", "Close call": "Terminer l’appel", "Spotlight": "Projecteur", "Freedom": "Liberté", @@ -3360,11 +3261,7 @@ "Connecting to integration manager…": "Connexion au gestionnaire d’intégrations…", "Saving…": "Enregistrement…", "Creating…": "Création…", - "Creating output…": "Création du résultat…", - "Fetching events…": "Récupération des évènements…", "Starting export process…": "Démarrage du processus d’export…", - "Creating HTML…": "Création de l’HTML…", - "Starting export…": "Démarrage de l’export…", "Unable to connect to Homeserver. Retrying…": "Impossible de se connecter au serveur d’accueil. Reconnexion…", "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.", @@ -3449,20 +3346,15 @@ "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", - "%(oldDisplayName)s changed their display name and profile picture": "%(oldDisplayName)s a changé son nom d’affichage et son image de profil", "Your language": "Votre langue", "Your device ID": "Votre ID d’appareil", "Something went wrong.": "Quelque chose s’est mal passé.", "Changes your profile picture in this current room only": "Modifie votre image de profil seulement dans le salon actuel", "Changes your profile picture in all rooms": "Modifier votre image de profil dans tous les salons", "User cannot be invited until they are unbanned": "L’utilisateur ne peut pas être invité tant qu’il est banni", - "Previous group of messages": "Groupe précédent de messages", - "Next group of messages": "Groupe suivant de messages", "Try using %(server)s": "Essayer d’utiliser %(server)s", "Alternatively, you can try to use the public server at , but this will not be as reliable, and it will share your IP address with that server. You can also manage this in Settings.": "Vous pouvez sinon essayer d’utiliser le serveur public , mais ça ne sera pas aussi fiable et votre adresse IP sera partagée avec ce serveur. Vous pouvez aussi gérer ce réglage dans les paramètres.", - "%(senderDisplayName)s changed the join rule to ask to join.": "%(senderDisplayName)s a changé la règle pour venir : il faut demander à venir.", "User is not logged in": "L’utilisateur n’est pas identifié", - "Exported Data": "Données exportées", "Views room with given address": "Affiche le salon avec cette adresse", "Ask to join": "Demander à venir", "Notification Settings": "Paramètres de notification", @@ -3610,7 +3502,9 @@ "not_trusted": "Non fiable", "accessibility": "Accessibilité", "server": "Serveur", - "capabilities": "Capacités" + "capabilities": "Capacités", + "unnamed_room": "Salon anonyme", + "unnamed_space": "Espace sans nom" }, "action": { "continue": "Continuer", @@ -3915,7 +3809,20 @@ "prompt_invite": "Demander avant d’envoyer des invitations à des identifiants matrix potentiellement non valides", "hardware_acceleration": "Activer l’accélération matérielle (redémarrer %(appName)s pour appliquer)", "start_automatically": "Démarrer automatiquement après la phase d'authentification du système", - "warn_quit": "Avertir avant de quitter" + "warn_quit": "Avertir avant de quitter", + "notifications": { + "rule_contains_display_name": "Messages contenant mon nom d’affichage", + "rule_contains_user_name": "Messages contenant mon nom d’utilisateur", + "rule_roomnotif": "Messages contenant @room", + "rule_room_one_to_one": "Messages dans les conversations privées", + "rule_message": "Messages dans les discussions de groupe", + "rule_encrypted": "Messages chiffrés dans les discussions de groupe", + "rule_invite_for_me": "Quand je suis invité dans un salon", + "rule_call": "Appel entrant", + "rule_suppress_notices": "Messages envoyés par des robots", + "rule_tombstone": "Quand les salons sont mis à niveau", + "rule_encrypted_room_one_to_one": "Messages chiffrés dans les conversations privées" + } }, "devtools": { "send_custom_account_data_event": "Envoyer des événements personnalisés de données du compte", @@ -4007,5 +3914,122 @@ "room_id": "Identifiant du salon : %(roomId)s", "thread_root_id": "ID du fil de discussion racine : %(threadRootId)s", "event_id": "Identifiant d’événement : %(eventId)s" + }, + "export_chat": { + "html": "HTML", + "json": "JSON", + "text": "Texte brut", + "from_the_beginning": "Depuis le début", + "number_of_messages": "Spécifiez un nombre de messages", + "current_timeline": "Historique actuel", + "creating_html": "Création de l’HTML…", + "starting_export": "Démarrage de l’export…", + "export_successful": "Export réussi !", + "unload_confirm": "Êtes vous sûr de vouloir quitter pendant cet export ?", + "generating_zip": "Génération d’un ZIP", + "processing_event_n": "Traitement de l’évènement %(number)s sur %(total)s", + "fetched_n_events_with_total": { + "one": "%(count)s sur %(total)s évènement récupéré", + "other": "%(count)s sur %(total)s évènements récupérés" + }, + "fetched_n_events": { + "one": "%(count)s évènements récupéré jusqu’ici", + "other": "%(count)s évènements récupérés jusqu’ici" + }, + "fetched_n_events_in_time": { + "one": "%(count)s évènement récupéré en %(seconds)ss", + "other": "%(count)s évènements récupérés en %(seconds)ss" + }, + "exported_n_events_in_time": { + "one": "%(count)s évènement exporté en %(seconds)s secondes", + "other": "%(count)s évènements exportés en %(seconds)s secondes" + }, + "media_omitted": "Média ignorés", + "media_omitted_file_size": "Média ignoré – taille limite de fichier dépassée", + "creator_summary": "%(creatorName)s a créé ce salon.", + "export_info": "C’est le début de l’export de . Exporté par le %(exportDate)s.", + "topic": "Sujet : %(topic)s", + "previous_page": "Groupe précédent de messages", + "next_page": "Groupe suivant de messages", + "html_title": "Données exportées", + "error_fetching_file": "Erreur lors de la récupération du fichier", + "file_attached": "Fichier attaché", + "fetching_events": "Récupération des évènements…", + "creating_output": "Création du résultat…" + }, + "create_room": { + "title_video_room": "Créer un salon visio", + "title_public_room": "Créer un salon public", + "title_private_room": "Créer un salon privé", + "action_create_video_room": "Crée le salon visio", + "action_create_room": "Créer un salon" + }, + "timeline": { + "m.call": { + "video_call_started": "Appel vidéo commencé dans %(roomName)s.", + "video_call_started_unsupported": "Appel vidéo commencé dans %(roomName)s. (non pris en charge par ce navigateur)" + }, + "m.call.invite": { + "voice_call": "%(senderName)s a passé un appel audio.", + "voice_call_unsupported": "%(senderName)s a passé un appel audio. (non pris en charge par ce navigateur)", + "video_call": "%(senderName)s a passé un appel vidéo.", + "video_call_unsupported": "%(senderName)s a passé un appel vidéo. (non pris en charge par ce navigateur)" + }, + "m.room.member": { + "accepted_3pid_invite": "%(targetName)s a accepté l’invitation pour %(displayName)s", + "accepted_invite": "%(targetName)s a accepté une invitation", + "invite": "%(senderName)s a invité %(targetName)s", + "ban_reason": "%(senderName)s a banni %(targetName)s : %(reason)s", + "ban": "%(senderName)s a banni %(targetName)s", + "change_name_avatar": "%(oldDisplayName)s a changé son nom d’affichage et son image de profil", + "change_name": "%(oldDisplayName)s a changé son nom d’affichage en %(displayName)s", + "set_name": "%(senderName)s a défini son nom affiché comme %(displayName)s", + "remove_name": "%(senderName)s a supprimé son nom d’affichage (%(oldDisplayName)s)", + "remove_avatar": "%(senderName)s a supprimé son image de profil", + "change_avatar": "%(senderName)s a changé son image de profil", + "set_avatar": "%(senderName)s a défini une image de profil", + "no_change": "%(senderName)s n’a fait aucun changement", + "join": "%(targetName)s a rejoint le salon", + "reject_invite": "%(targetName)s a rejeté l’invitation", + "left_reason": "%(targetName)s a quitté le salon : %(reason)s", + "left": "%(targetName)s a quitté le salon", + "unban": "%(senderName)s a révoqué le bannissement de %(targetName)s", + "withdrew_invite_reason": "%(senderName)s a annulé l’invitation de %(targetName)s : %(reason)s", + "withdrew_invite": "%(senderName)s a annulé l’invitation de %(targetName)s", + "kick_reason": "%(senderName)s a expulsé %(targetName)s : %(reason)s", + "kick": "%(senderName)s a expulsé %(targetName)s" + }, + "m.room.topic": "%(senderDisplayName)s a changé le sujet du salon en « %(topic)s ».", + "m.room.avatar": "%(senderDisplayName)s a changé l’avatar du salon.", + "m.room.name": { + "remove": "%(senderDisplayName)s a supprimé le nom du salon.", + "change": "%(senderDisplayName)s a changé le nom du salon de %(oldRoomName)s en %(newRoomName)s.", + "set": "%(senderDisplayName)s a changé le nom du salon en %(roomName)s." + }, + "m.room.tombstone": "%(senderDisplayName)s a mis à niveau ce salon.", + "m.room.join_rules": { + "public": "%(senderDisplayName)s a rendu le salon public à tous ceux qui en connaissent le lien.", + "invite": "%(senderDisplayName)s a rendu le salon disponible sur invitation seulement.", + "knock": "%(senderDisplayName)s a changé la règle pour venir : il faut demander à venir.", + "restricted_settings": "%(senderDisplayName)s a modifié la liste des utilisateurs pouvant rejoindre ce salon. Voir les paramètres.", + "restricted": "%(senderDisplayName)s a modifié la liste des utilisateurs pouvant rejoindre ce salon. Voir les paramètres.", + "unknown": "%(senderDisplayName)s a changé la règle d’adhésion en %(rule)s" + }, + "m.room.guest_access": { + "can_join": "%(senderDisplayName)s a autorisé les visiteurs à rejoindre le salon.", + "forbidden": "%(senderDisplayName)s a empêché les visiteurs de rejoindre le salon.", + "unknown": "%(senderDisplayName)s a changé l’accès des visiteurs en %(rule)s" + }, + "m.image": "%(senderDisplayName)s a envoyé une image.", + "m.sticker": "%(senderDisplayName)s a envoyé un autocollant.", + "m.room.server_acl": { + "set": "%(senderDisplayName)s a défini les paramètres d’accès du serveur pour ce salon.", + "changed": "%(senderDisplayName)s a changé les paramètres d’accès du serveur pour ce salon.", + "all_servers_banned": "🎉 Tous les serveurs ont été bannis ! Ce salon ne peut plus être utilisé." + }, + "m.room.canonical_alias": { + "set": "%(senderName)s a défini l’adresse principale pour ce salon comme %(address)s.", + "removed": "%(senderName)s a supprimé l’adresse principale de ce salon." + } } } diff --git a/src/i18n/strings/ga.json b/src/i18n/strings/ga.json index f9d461241fe..522200b50c9 100644 --- a/src/i18n/strings/ga.json +++ b/src/i18n/strings/ga.json @@ -54,7 +54,6 @@ "Unignore": "Stop ag tabhairt neamhaird air", "Missing roomId.": "Comhartha aitheantais seomra ar iarraidh.", "Operation failed": "Chlis an oibríocht", - "Unnamed Room": "Seomra gan ainm", "%(weekDayName)s %(time)s": "%(weekDayName)s ar a %(time)s", "Upload Failed": "Chlis an uaslódáil", "Permission Required": "Is Teastáil Cead", @@ -340,7 +339,6 @@ "Light bulb": "Bolgán solais", "Thumbs up": "Ordógí suas", "Got It": "Tuigthe", - "Call invitation": "Nuair a fhaighim cuireadh glaoigh", "Collecting logs": "ag Bailiú logaí", "Invited": "Le cuireadh", "Demote": "Bain ceadanna", @@ -579,9 +577,6 @@ "Decrypt %(text)s": "Díchriptigh %(text)s", "Custom level": "Leibhéal saincheaptha", "Changes your display nickname": "Athraíonn sé d'ainm taispeána", - "%(senderDisplayName)s changed the topic to \"%(topic)s\".": "D'athraigh %(senderDisplayName)s an ábhar go \"%(topic)s\".", - "%(senderDisplayName)s removed the room name.": "Bhain %(senderDisplayName)s ainm an tseomra.", - "%(senderDisplayName)s changed the room name to %(roomName)s.": "D'athraigh %(senderDisplayName)s ainm an tseomra go %(roomName)s.", "%(senderName)s changed the power level of %(powerLevelDiffText)s.": "D'athraigh %(senderName)s an leibhéal cumhachta %(powerLevelDiffText)s.", "Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or enable unsafe scripts.": "Ní 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ú .", "Can't connect to homeserver - please check your connectivity, ensure your homeserver's SSL certificate is trusted, and that a browser extension is not blocking requests.": "Ní 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.", @@ -637,7 +632,8 @@ "someone": "Duine éigin", "encrypted": "Criptithe", "matrix": "Matrix", - "trusted": "Dílis" + "trusted": "Dílis", + "unnamed_room": "Seomra gan ainm" }, "action": { "continue": "Lean ar aghaidh", @@ -745,7 +741,10 @@ "mod": "Mod" }, "settings": { - "always_show_message_timestamps": "Taispeáin stampaí ama teachtaireachta i gcónaí" + "always_show_message_timestamps": "Taispeáin stampaí ama teachtaireachta i gcónaí", + "notifications": { + "rule_call": "Nuair a fhaighim cuireadh glaoigh" + } }, "devtools": { "setting_colon": "Socrú:", @@ -754,5 +753,12 @@ "value_colon": "Luach:", "value": "Luach", "toolbox": "Uirlisí" + }, + "timeline": { + "m.room.topic": "D'athraigh %(senderDisplayName)s an ábhar go \"%(topic)s\".", + "m.room.name": { + "remove": "Bhain %(senderDisplayName)s ainm an tseomra.", + "set": "D'athraigh %(senderDisplayName)s ainm an tseomra go %(roomName)s." + } } } diff --git a/src/i18n/strings/gl.json b/src/i18n/strings/gl.json index 89f3e891207..260fc97dc71 100644 --- a/src/i18n/strings/gl.json +++ b/src/i18n/strings/gl.json @@ -58,10 +58,6 @@ "You are no longer ignoring %(userId)s": "Xa non está a ignorar a %(userId)s", "Verified key": "Chave verificada", "Reason": "Razón", - "%(senderDisplayName)s changed the topic to \"%(topic)s\".": "%(senderDisplayName)s cambiou o asunto a \"%(topic)s\".", - "%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s eliminou o nome da sala.", - "%(senderDisplayName)s changed the room name to %(roomName)s.": "%(senderDisplayName)s cambiou o nome da sala a %(roomName)s.", - "%(senderDisplayName)s sent an image.": "%(senderDisplayName)s enviou unha imaxe.", "%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": "%(senderName)s enviou un convite a %(targetDisplayName)s para unirse a sala.", "%(senderName)s made future room history visible to all room members, from the point they are invited.": "%(senderName)s fixo o historial da sala visible para todos os participantes, desde o punto en que foron convidadas.", "%(senderName)s made future room history visible to all room members, from the point they joined.": "%(senderName)s estableceu o historial futuro visible a todos os participantes, desde o punto en que se uniron.", @@ -77,7 +73,6 @@ "Failure to create room": "Fallou a creación da sala", "Server may be unavailable, overloaded, or you hit a bug.": "O servidor podería non estar dispoñible, con sobrecarga ou ter un fallo.", "Send": "Enviar", - "Unnamed Room": "Sala sen nome", "Your browser does not support the required cryptography extensions": "O seu navegador non soporta as extensións de criptografía necesarias", "Not a valid %(brand)s keyfile": "Non é un ficheiro de chaves %(brand)s válido", "Authentication check failed: incorrect password?": "Fallou a comprobación de autenticación: contrasinal incorrecto?", @@ -400,11 +395,8 @@ "Failed to send logs: ": "Fallo ao enviar os informes: ", "This Room": "Esta sala", "Noisy": "Ruidoso", - "Messages containing my display name": "Mensaxes que conteñen o meu nome público", - "Messages in one-to-one chats": "Mensaxes en chats un-a-un", "Unavailable": "Non dispoñible", "Source URL": "URL fonte", - "Messages sent by bot": "Mensaxes enviadas por bot", "Filter results": "Filtrar resultados", "No update available.": "Sen actualizacións.", "Collecting app version information": "Obtendo información sobre a versión da app", @@ -417,15 +409,12 @@ "All Rooms": "Todas as Salas", "Wednesday": "Mércores", "All messages": "Todas as mensaxes", - "Call invitation": "Convite de chamada", "What's new?": "Que hai de novo?", - "When I'm invited to a room": "Cando son convidado a unha sala", "Invite to this room": "Convidar a esta sala", "You cannot delete this message. (%(code)s)": "Non pode eliminar esta mensaxe. (%(code)s)", "Thursday": "Xoves", "Logs sent": "Informes enviados", "Show message in desktop notification": "Mostrar mensaxe nas notificacións de escritorio", - "Messages in group chats": "Mensaxes en grupos de chat", "Yesterday": "Onte", "Error encountered (%(errorDetail)s).": "Houbo un erro (%(errorDetail)s).", "Low Priority": "Baixa prioridade", @@ -546,14 +535,6 @@ "Send a bug report with logs": "Envía un informe de fallos con rexistros", "Opens chat with the given user": "Abre unha conversa coa usuaria", "Sends a message to the given user": "Envía unha mensaxe a usuaria", - "%(senderDisplayName)s changed the room name from %(oldRoomName)s to %(newRoomName)s.": "%(senderDisplayName)s cambiou o nome da sala de %(oldRoomName)s a %(newRoomName)s.", - "%(senderDisplayName)s upgraded this room.": "%(senderDisplayName)s actualizou esta sala.", - "%(senderDisplayName)s made the room public to whoever knows the link.": "%(senderDisplayName)s converteu en pública a sala para calquera que teña a ligazón.", - "%(senderDisplayName)s made the room invite only.": "%(senderDisplayName)s fixo que a sala sexa só por convite.", - "%(senderDisplayName)s changed the join rule to %(rule)s": "%(senderDisplayName)s cambiou a regra de participación a %(rule)s", - "%(senderDisplayName)s has allowed guests to join the room.": "%(senderDisplayName)s permite que as convidadas se unan a sala.", - "%(senderDisplayName)s has prevented guests from joining the room.": "%(senderDisplayName)s non permite que as convidadas se unan a sala.", - "%(senderDisplayName)s changed guest access to %(rule)s": "%(senderDisplayName)s cambiou acceso de convidada a %(rule)s", "Capitalization doesn't help very much": "Escribir con maiúsculas non axuda moito", "Predictable substitutions like '@' instead of 'a' don't help very much": "Substitucións predecibles como '@' no lugar de 'a' non son de gran axuda", "General": "Xeral", @@ -577,8 +558,6 @@ "General failure": "Fallo xeral", "This homeserver does not support login using email address.": "Este servidor non soporta o acceso usando enderezos de email.", "Joins room with given address": "Unirse a sala co enderezo dado", - "%(senderName)s set the main address for this room to %(address)s.": "%(senderName)s estableceu o enderezo principal da sala %(address)s.", - "%(senderName)s removed the main address for this room.": "%(senderName)s eliminiou o enderezo principal desta sala.", "%(senderName)s added the alternative addresses %(addresses)s for this room.": { "other": "%(senderName)s engadiu os enderezos alternativos %(addresses)s para esta sala.", "one": "%(senderName)s engadiu o enderezo alternativo %(addresses)s para esta sala." @@ -590,10 +569,6 @@ "%(senderName)s changed the alternative addresses for this room.": "%(senderName)s cambiou os enderezos alternativos desta sala.", "%(senderName)s changed the main and alternative addresses for this room.": "%(senderName)s cambiou o enderezo principal e alternativo para esta sala.", "%(senderName)s changed the addresses for this room.": "%(senderName)s cambiou o enderezo desta sala.", - "%(senderName)s placed a voice call.": "%(senderName)s fixo unha chamada de voz.", - "%(senderName)s placed a voice call. (not supported by this browser)": "%(senderName)s fixo unha chamada de voz. (non soportado neste navegador)", - "%(senderName)s placed a video call.": "%(senderName)s fixo unha chamada de vídeo.", - "%(senderName)s placed a video call. (not supported by this browser)": "%(senderName)s fixo unha chamada de vídeo. (non soportado por este navegador)", "%(senderName)s revoked the invitation for %(targetDisplayName)s to join the room.": "%(senderName)s revogou o convite para que %(targetDisplayName)s se una a esta sala.", "%(senderName)s removed the rule banning users matching %(glob)s": "%(senderName)s eliminou a regra que bloqueaba usuarias con %(glob)s", "%(senderName)s removed the rule banning rooms matching %(glob)s": "%(senderName)s eliminou a regra que bloquea salas con %(glob)s", @@ -704,11 +679,6 @@ "How fast should messages be downloaded.": "Velocidade á que deberían descargarse as mensaxes.", "Manually verify all remote sessions": "Verificar manualmente todas as sesións remotas", "IRC display name width": "Ancho do nome mostrado de IRC", - "Messages containing my username": "Mensaxes que conteñen o meu nome de usuaria", - "Messages containing @room": "Mensaxes que conteñen @room", - "Encrypted messages in one-to-one chats": "Mensaxes cifradas en conversas 1:1", - "Encrypted messages in group chats": "Mensaxes cifradas en convesas en grupo", - "When rooms are upgraded": "Cando se actualizan as salas", "My Ban List": "Listaxe de bloqueo", "This is your list of users/servers you have blocked - don't leave the room!": "Esta é a listaxe de usuarias/servidores que ti bloqueaches - non deixes a sala!", "The other party cancelled the verification.": "A outra parte cancelou a verificación.", @@ -1197,8 +1167,6 @@ "Clear all data": "Eliminar todos os datos", "Please enter a name for the room": "Escribe un nome para a sala", "Enable end-to-end encryption": "Activar cifrado extremo-a-extremo", - "Create a public room": "Crear sala pública", - "Create a private room": "Crear sala privada", "Topic (optional)": "Asunto (optativo)", "Hide advanced": "Ocultar Avanzado", "Show advanced": "Mostrar Avanzado", @@ -1439,7 +1407,6 @@ "%(senderName)s is calling": "%(senderName)s está chamando", "%(senderName)s: %(message)s": "%(senderName)s: %(message)s", "%(senderName)s: %(stickerName)s": "%(senderName)s: %(stickerName)s", - "%(senderName)s invited %(targetName)s": "%(senderName)s convidou a %(targetName)s", "Message deleted on %(date)s": "Mensaxe eliminada o %(date)s", "Wrong file type": "Tipo de ficheiro erróneo", "Looks good!": "Pinta ben!", @@ -1535,9 +1502,6 @@ "Failed to save your profile": "Non se gardaron os cambios", "The operation could not be completed": "Non se puido realizar a acción", "Remove messages sent by others": "Eliminar mensaxes enviadas por outras", - "🎉 All servers are banned from participating! This room can no longer be used.": "🎉 Tódolos servidores están prohibidos! Esta sala xa non pode ser utilizada.", - "%(senderDisplayName)s changed the server ACLs for this room.": "%(senderDisplayName)s cambiou ACLs de servidor para esta sala.", - "%(senderDisplayName)s set the server ACLs for this room.": "%(senderDisplayName)s estableceu ACLs de servidor para esta sala.", "The call could not be established": "Non se puido establecer a chamada", "Move right": "Mover á dereita", "Move left": "Mover á esquerda", @@ -2017,7 +1981,6 @@ "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.", - "Unnamed Space": "Espazo sen nome", "Invite to %(spaceName)s": "Convidar a %(spaceName)s", "Create a new room": "Crear unha nova sala", "Spaces": "Espazos", @@ -2233,24 +2196,6 @@ "Silence call": "Acalar chamada", "Sound on": "Son activado", "%(senderName)s changed the pinned messages for the room.": "%(senderName)s cambiou a mensaxe fixada da sala.", - "%(senderName)s withdrew %(targetName)s's invitation": "%(senderName)s retirou o convite para %(targetName)s", - "%(senderName)s withdrew %(targetName)s's invitation: %(reason)s": "%(senderName)s retirou o convite para %(targetName)s: %(reason)s", - "%(senderName)s unbanned %(targetName)s": "%(senderName)s retiroulle o veto a %(targetName)s", - "%(targetName)s left the room": "%(targetName)s saíu da sala", - "%(targetName)s left the room: %(reason)s": "%(targetName)s saíu da sala: %(reason)s", - "%(targetName)s rejected the invitation": "%(targetName)s rexeitou o convite", - "%(targetName)s joined the room": "%(targetName)s uniuse á sala", - "%(senderName)s made no change": "%(senderName)s non fixo cambios", - "%(senderName)s set a profile picture": "%(senderName)s estableceu a foto de perfil", - "%(senderName)s changed their profile picture": "%(senderName)s cambiou a súa foto de perfil", - "%(senderName)s removed their profile picture": "%(senderName)s eliminou a súa foto de perfil", - "%(senderName)s removed their display name (%(oldDisplayName)s)": "%(senderName)s eliminou o seu nome público (%(oldDisplayName)s)", - "%(senderName)s set their display name to %(displayName)s": "%(senderName)s estableceu o seu nome público como %(displayName)s", - "%(oldDisplayName)s changed their display name to %(displayName)s": "%(oldDisplayName)s cambiou o seu nome público a %(displayName)s", - "%(senderName)s banned %(targetName)s": "%(senderName)s vetou %(targetName)s", - "%(senderName)s banned %(targetName)s: %(reason)s": "%(senderName)s vetou %(targetName)s: %(reason)s", - "%(targetName)s accepted an invitation": "%(targetName)s aceptou o convite", - "%(targetName)s accepted the invitation for %(displayName)s": "%(targetName)s aceptou o convite a %(displayName)s", "Some invites couldn't be sent": "Non se puideron enviar algúns convites", "We sent the others, but the below people couldn't be invited to ": "Convidamos as outras, pero as persoas de aquí embaixo non foron convidadas a ", "Transfer Failed": "Fallou a transferencia", @@ -2425,22 +2370,6 @@ "Enter a number between %(min)s and %(max)s": "Escribe un número entre %(min)s e %(max)s", "In reply to this message": "En resposta a esta mensaxe", "Export chat": "Exportar chat", - "File Attached": "Ficheiro anexado", - "Error fetching file": "Erro ao obter o ficheiro", - "Topic: %(topic)s": "Asunto: %(topic)s", - "This is the start of export of . Exported by at %(exportDate)s.": "Este é o inicio da exportación de . Exportada por o %(exportDate)s.", - "%(creatorName)s created this room.": "%(creatorName)s creou esta sala.", - "Media omitted - file size limit exceeded": "Multimedia omitido - excedeuse o límite de tamaño", - "Media omitted": "Omitir multimedia", - "Current Timeline": "Cronoloxía actual", - "Specify a number of messages": "Indica un número de mensaxes", - "From the beginning": "Desde o comezo", - "Plain Text": "Texto plano", - "JSON": "JSON", - "HTML": "HTML", - "Are you sure you want to exit during this export?": "Tes a certeza de querer saír durante esta exportación?", - "%(senderDisplayName)s sent a sticker.": "%(senderDisplayName)s enviou un adhesivo.", - "%(senderDisplayName)s changed the room avatar.": "%(senderDisplayName)s cambiou o avatar da sala.", "Show:": "Mostrar:", "Shows all threads from current room": "Mostra tódalas conversas da sala actual", "All threads": "Tódalas conversas", @@ -2477,8 +2406,6 @@ "See room timeline (devtools)": "Ver cronoloxía da sala (devtools)", "Developer mode": "Modo desenvolvemento", "Insert link": "Escribir ligazón", - "%(senderDisplayName)s changed who can join this room.": "%(senderDisplayName)s cambiou quen pode unirse a esta sala.", - "%(senderDisplayName)s changed who can join this room. View settings.": "%(senderDisplayName)s cambiou quen pode unirse a esta sala. Ver axustes.", "Joined": "Unícheste", "Joining": "Uníndote", "Use high contrast": "Usar alto contraste", @@ -2631,32 +2558,11 @@ }, "Copy room link": "Copiar ligazón á sala", "We were unable to understand the given date (%(inputDate)s). Try using the format YYYY-MM-DD.": "Non entendemos a data proporcionada (%(inputDate)s). Intenta usar o formato AAAA-MM-DD.", - "Exported %(count)s events in %(seconds)s seconds": { - "one": "Exportado %(count)s evento en %(seconds)s segundos", - "other": "Exportados %(count)s eventos en %(seconds)s segundos" - }, - "Export successful!": "Exportación correcta!", - "Fetched %(count)s events in %(seconds)ss": { - "one": "Obtido %(count)s evento en %(seconds)ss", - "other": "Obtidos %(count)s eventos en %(seconds)ss" - }, - "Processing event %(number)s out of %(total)s": "Procesando evento %(number)s de %(total)s", - "Fetched %(count)s events so far": { - "one": "Obtido %(count)s evento por agora", - "other": "Obtidos %(count)s eventos por agora" - }, - "Fetched %(count)s events out of %(total)s": { - "one": "Obtido %(count)s evento de %(total)s", - "other": "Obtidos %(count)s eventos de %(total)s" - }, - "Generating a ZIP": "Creando un ZIP", "Remove, ban, or invite people to your active room, and make you leave": "Eliminar, vetar ou convidar persoas á túa sala activa, e saír ti mesmo", "Remove, ban, or invite people to this room, and make you leave": "Eliminar, vetar, ou convidar persas a esta sala, e saír ti mesmo", "%(senderName)s has ended a poll": "%(senderName)s finalizou a enquisa", "%(senderName)s has started a poll - %(pollQuestion)s": "%(senderName)s publicou unha enquisa - %(pollQuestion)s", "%(senderName)s has shared their location": "%(senderName)s compartiu a súa localización", - "%(senderName)s removed %(targetName)s": "%(senderName)s eliminou %(targetName)s", - "%(senderName)s removed %(targetName)s: %(reason)s": "%(senderName)s eliminou %(targetName)s: %(reason)s", "No active call in this room": "Sen chamada activa nesta sala", "Unable to find Matrix ID for phone number": "Non se atopa un ID Matrix para o número de teléfono", "Unknown (user, session) pair: (%(userId)s, %(deviceId)s)": "Parella (usuaria, sesión) descoñecida: (%(userId)s, %(deviceId)s)", @@ -2875,9 +2781,6 @@ "Failed to invite users to %(roomName)s": "Fallou o convite das usuarias para %(roomName)s", "Threads help keep your conversations on-topic and easy to track.": "Os fíos axúdanche a manter as conversas no tema e facilitan o seguimento.", "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", - "Create room": "Crear sala", - "Create video room": "Crear sala de vídeo", - "Create a video room": "Crear sala de vídeo", "%(featureName)s Beta feedback": "Informe sobre %(featureName)s Beta", "%(count)s participants": { "one": "1 participante", @@ -3122,8 +3025,6 @@ "Sign out of this session": "Pechar esta sesión", "Rename session": "Renomear sesión", "Voice broadcasts": "Emisións de voz", - "Video call started in %(roomName)s. (not supported by this browser)": "Chamada de vídeo iniciada en %(roomName)s. (sen soporte neste navegador)", - "Video call started in %(roomName)s.": "Chamada de vídeo iniciada en %(roomName)s.", "Failed to read events": "Fallou a lectura de eventos", "Failed to send event": "Fallo ao enviar o evento", "common": { @@ -3201,7 +3102,9 @@ "not_trusted": "Non confiable", "accessibility": "Accesibilidade", "server": "Servidor", - "capabilities": "Capacidades" + "capabilities": "Capacidades", + "unnamed_room": "Sala sen nome", + "unnamed_space": "Espazo sen nome" }, "action": { "continue": "Continuar", @@ -3463,7 +3366,20 @@ "prompt_invite": "Avisar antes de enviar convites a IDs de Matrix potencialmente incorrectos", "hardware_acceleration": "Activar aceleración por hardware (reiniciar %(appName)s para aplicar)", "start_automatically": "Iniciar automaticamente despois de iniciar sesión", - "warn_quit": "Aviso antes de saír" + "warn_quit": "Aviso antes de saír", + "notifications": { + "rule_contains_display_name": "Mensaxes que conteñen o meu nome público", + "rule_contains_user_name": "Mensaxes que conteñen o meu nome de usuaria", + "rule_roomnotif": "Mensaxes que conteñen @room", + "rule_room_one_to_one": "Mensaxes en chats un-a-un", + "rule_message": "Mensaxes en grupos de chat", + "rule_encrypted": "Mensaxes cifradas en convesas en grupo", + "rule_invite_for_me": "Cando son convidado a unha sala", + "rule_call": "Convite de chamada", + "rule_suppress_notices": "Mensaxes enviadas por bot", + "rule_tombstone": "Cando se actualizan as salas", + "rule_encrypted_room_one_to_one": "Mensaxes cifradas en conversas 1:1" + } }, "devtools": { "send_custom_account_data_event": "Enviar evento de datos da conta personalizado", @@ -3529,5 +3445,113 @@ "developer_tools": "Ferramentas para desenvolver", "room_id": "ID da sala: %(roomId)s", "event_id": "ID do evento: %(eventId)s" + }, + "export_chat": { + "html": "HTML", + "json": "JSON", + "text": "Texto plano", + "from_the_beginning": "Desde o comezo", + "number_of_messages": "Indica un número de mensaxes", + "current_timeline": "Cronoloxía actual", + "export_successful": "Exportación correcta!", + "unload_confirm": "Tes a certeza de querer saír durante esta exportación?", + "generating_zip": "Creando un ZIP", + "processing_event_n": "Procesando evento %(number)s de %(total)s", + "fetched_n_events_with_total": { + "one": "Obtido %(count)s evento de %(total)s", + "other": "Obtidos %(count)s eventos de %(total)s" + }, + "fetched_n_events": { + "one": "Obtido %(count)s evento por agora", + "other": "Obtidos %(count)s eventos por agora" + }, + "fetched_n_events_in_time": { + "one": "Obtido %(count)s evento en %(seconds)ss", + "other": "Obtidos %(count)s eventos en %(seconds)ss" + }, + "exported_n_events_in_time": { + "one": "Exportado %(count)s evento en %(seconds)s segundos", + "other": "Exportados %(count)s eventos en %(seconds)s segundos" + }, + "media_omitted": "Omitir multimedia", + "media_omitted_file_size": "Multimedia omitido - excedeuse o límite de tamaño", + "creator_summary": "%(creatorName)s creou esta sala.", + "export_info": "Este é o inicio da exportación de . Exportada por o %(exportDate)s.", + "topic": "Asunto: %(topic)s", + "error_fetching_file": "Erro ao obter o ficheiro", + "file_attached": "Ficheiro anexado" + }, + "create_room": { + "title_video_room": "Crear sala de vídeo", + "title_public_room": "Crear sala pública", + "title_private_room": "Crear sala privada", + "action_create_video_room": "Crear sala de vídeo", + "action_create_room": "Crear sala" + }, + "timeline": { + "m.call": { + "video_call_started": "Chamada de vídeo iniciada en %(roomName)s.", + "video_call_started_unsupported": "Chamada de vídeo iniciada en %(roomName)s. (sen soporte neste navegador)" + }, + "m.call.invite": { + "voice_call": "%(senderName)s fixo unha chamada de voz.", + "voice_call_unsupported": "%(senderName)s fixo unha chamada de voz. (non soportado neste navegador)", + "video_call": "%(senderName)s fixo unha chamada de vídeo.", + "video_call_unsupported": "%(senderName)s fixo unha chamada de vídeo. (non soportado por este navegador)" + }, + "m.room.member": { + "accepted_3pid_invite": "%(targetName)s aceptou o convite a %(displayName)s", + "accepted_invite": "%(targetName)s aceptou o convite", + "invite": "%(senderName)s convidou a %(targetName)s", + "ban_reason": "%(senderName)s vetou %(targetName)s: %(reason)s", + "ban": "%(senderName)s vetou %(targetName)s", + "change_name": "%(oldDisplayName)s cambiou o seu nome público a %(displayName)s", + "set_name": "%(senderName)s estableceu o seu nome público como %(displayName)s", + "remove_name": "%(senderName)s eliminou o seu nome público (%(oldDisplayName)s)", + "remove_avatar": "%(senderName)s eliminou a súa foto de perfil", + "change_avatar": "%(senderName)s cambiou a súa foto de perfil", + "set_avatar": "%(senderName)s estableceu a foto de perfil", + "no_change": "%(senderName)s non fixo cambios", + "join": "%(targetName)s uniuse á sala", + "reject_invite": "%(targetName)s rexeitou o convite", + "left_reason": "%(targetName)s saíu da sala: %(reason)s", + "left": "%(targetName)s saíu da sala", + "unban": "%(senderName)s retiroulle o veto a %(targetName)s", + "withdrew_invite_reason": "%(senderName)s retirou o convite para %(targetName)s: %(reason)s", + "withdrew_invite": "%(senderName)s retirou o convite para %(targetName)s", + "kick_reason": "%(senderName)s eliminou %(targetName)s: %(reason)s", + "kick": "%(senderName)s eliminou %(targetName)s" + }, + "m.room.topic": "%(senderDisplayName)s cambiou o asunto a \"%(topic)s\".", + "m.room.avatar": "%(senderDisplayName)s cambiou o avatar da sala.", + "m.room.name": { + "remove": "%(senderDisplayName)s eliminou o nome da sala.", + "change": "%(senderDisplayName)s cambiou o nome da sala de %(oldRoomName)s a %(newRoomName)s.", + "set": "%(senderDisplayName)s cambiou o nome da sala a %(roomName)s." + }, + "m.room.tombstone": "%(senderDisplayName)s actualizou esta sala.", + "m.room.join_rules": { + "public": "%(senderDisplayName)s converteu en pública a sala para calquera que teña a ligazón.", + "invite": "%(senderDisplayName)s fixo que a sala sexa só por convite.", + "restricted_settings": "%(senderDisplayName)s cambiou quen pode unirse a esta sala. Ver axustes.", + "restricted": "%(senderDisplayName)s cambiou quen pode unirse a esta sala.", + "unknown": "%(senderDisplayName)s cambiou a regra de participación a %(rule)s" + }, + "m.room.guest_access": { + "can_join": "%(senderDisplayName)s permite que as convidadas se unan a sala.", + "forbidden": "%(senderDisplayName)s non permite que as convidadas se unan a sala.", + "unknown": "%(senderDisplayName)s cambiou acceso de convidada a %(rule)s" + }, + "m.image": "%(senderDisplayName)s enviou unha imaxe.", + "m.sticker": "%(senderDisplayName)s enviou un adhesivo.", + "m.room.server_acl": { + "set": "%(senderDisplayName)s estableceu ACLs de servidor para esta sala.", + "changed": "%(senderDisplayName)s cambiou ACLs de servidor para esta sala.", + "all_servers_banned": "🎉 Tódolos servidores están prohibidos! Esta sala xa non pode ser utilizada." + }, + "m.room.canonical_alias": { + "set": "%(senderName)s estableceu o enderezo principal da sala %(address)s.", + "removed": "%(senderName)s eliminiou o enderezo principal desta sala." + } } } diff --git a/src/i18n/strings/he.json b/src/i18n/strings/he.json index fe5ffa2c837..60509640cea 100644 --- a/src/i18n/strings/he.json +++ b/src/i18n/strings/he.json @@ -50,11 +50,8 @@ "Failed to send logs: ": "כשל במשלוח יומנים: ", "This Room": "החדר הזה", "Noisy": "התראה קולית", - "Messages containing my display name": "הודעות המכילות את שם התצוגה שלי", - "Messages in one-to-one chats": "הודעות בשיחות פרטיות", "Unavailable": "לא זמין", "Source URL": "כתובת URL אתר המקור", - "Messages sent by bot": "הודעות שנשלחו באמצעות בוט", "Filter results": "סנן התוצאות", "No update available.": "אין עדכון זמין.", "Collecting app version information": "אוסף מידע על גרסת היישום", @@ -66,16 +63,13 @@ "All Rooms": "כל החדרים", "Wednesday": "רביעי", "All messages": "כל ההודעות", - "Call invitation": "הזמנה לשיחה", "What's new?": "מה חדש?", - "When I'm invited to a room": "כאשר אני מוזמן לחדר", "Invite to this room": "הזמן לחדר זה", "You cannot delete this message. (%(code)s)": "לא ניתן למחוק הודעה זו. (%(code)s)", "Thursday": "חמישי", "Search…": "חפש…", "Logs sent": "יומנים נשלחו", "Show message in desktop notification": "הצג הודעה בהתראות שולחן עבודה", - "Messages in group chats": "הודעות בקבוצות השיחה", "Yesterday": "אתמול", "Error encountered (%(errorDetail)s).": "ארעה שגיעה %(errorDetail)s .", "Low Priority": "עדיפות נמוכה", @@ -193,7 +187,6 @@ "The call could not be established": "לא ניתן להתקשר", "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 has no terms of service": "לשרת הזיהוי אין כללי שרות", - "Unnamed Room": "חדר ללא שם", "Only continue if you trust the owner of the server.": "המשיכו רק אם הנכם בוטחים בבעלים של השרת.", "American Samoa": "סמואה האמריקאית", "Algeria": "אלג'ריה", @@ -579,10 +572,6 @@ "%(senderName)s made future room history visible to all room members, from the point they are invited.": "%(senderName)s הגדיר את תצוגת ההסטוריה של החדר כפתוחה עבור כל משתמשי החדר, מהרגע שבו הם הוזמנו.", "%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": "%(senderName)s שלח הזמנה ל%(targetDisplayName)s להצטרף אל החדר.", "%(senderName)s revoked the invitation for %(targetDisplayName)s to join the room.": "%(senderName)s דחה את ההזמנה של %(targetDisplayName)s להצטרף אל החדר.", - "%(senderName)s placed a video call. (not supported by this browser)": "%(senderName)s התחיל שיחת וידאו. (אינו נתמך בדפדפן זה)", - "%(senderName)s placed a video call.": "%(senderName)s התחיל שיחת וידאו.", - "%(senderName)s placed a voice call. (not supported by this browser)": "%(senderName)s התחיל שיחה קולית. (אינו נתמך בדפדפן זה)", - "%(senderName)s placed a voice call.": "%(senderName)s התחיל שיחה קולית.", "%(senderName)s changed the addresses for this room.": "%(senderName)s שינה את הכתובות של חדר זה.", "%(senderName)s changed the main and alternative addresses for this room.": "%(senderName)s שינה את הכתובת הראשית והמשנית של חדר זה.", "%(senderName)s changed the alternative addresses for this room.": "%(senderName)s שניה את הכתובת המשנית של חדר זה.", @@ -594,23 +583,6 @@ "one": "%(senderName)s הוסיף כתובת משנית %(addresses)s עבור חדר זה.", "other": "%(senderName)s הוסיף את הכתובת המשנית %(addresses)s עבור חדר זה." }, - "%(senderName)s removed the main address for this room.": "%(senderName)s הסיר את הכתובת הראשית עבור חדר זה.", - "%(senderName)s set the main address for this room to %(address)s.": "%(senderName)s הגדיר את הכתובת הראשית עבור חדר זה ל- %(address)s.", - "%(senderDisplayName)s sent an image.": "%(senderDisplayName)s שלח תמונה.", - "🎉 All servers are banned from participating! This room can no longer be used.": "🎉 כל השרתים חסומים מהשתתפות! החדר הזה אינו בשימוש יותר.", - "%(senderDisplayName)s changed the server ACLs for this room.": "%(senderDisplayName)s שינה את הגדרות של השרת עבור חדר זה.", - "%(senderDisplayName)s set the server ACLs for this room.": "%(senderDisplayName)s הגדיר את רשימת הכניסה של השרת עבור חדר זה.", - "%(senderDisplayName)s changed guest access to %(rule)s": "%(senderDisplayName)s שינה את כללי הכניסה לאורחים ל- %(rule)s", - "%(senderDisplayName)s has prevented guests from joining the room.": "%(senderDisplayName)s מנע אפשרות מאורחים להכנס אל החדר.", - "%(senderDisplayName)s has allowed guests to join the room.": "%(senderDisplayName)s איפשר לאורחים להכנס אל החדר.", - "%(senderDisplayName)s changed the join rule to %(rule)s": "%(senderDisplayName)s שינה את כללי ההצטרפות ל־%(rule)s", - "%(senderDisplayName)s made the room invite only.": "%(senderDisplayName)s הגדיר את החדר כ- \"הזמנה בלבד!\".", - "%(senderDisplayName)s made the room public to whoever knows the link.": "%(senderDisplayName)s הגדיר את החדר כציבורי עבור כל מי שקיבל את הקישור.", - "%(senderDisplayName)s upgraded this room.": "%(senderDisplayName)s שידרג את החדר הזה.", - "%(senderDisplayName)s changed the room name to %(roomName)s.": "%(senderDisplayName)s שינה את שם החדר ל%(roomName)s.", - "%(senderDisplayName)s changed the room name from %(oldRoomName)s to %(newRoomName)s.": "%(senderDisplayName)s שינה את שם החדר מ-%(oldRoomName)s ל%(newRoomName)s.", - "%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s הסיר את שם החדר.", - "%(senderDisplayName)s changed the topic to \"%(topic)s\".": "%(senderDisplayName)s שינה את שם הנושא ל-\"%(topic)s\".", "Reason": "סיבה", "Displays action": "הצג פעולה", "Takes the call in the current room off hold": "מחזיר את השיחה הנוכחית ממצב המתנה", @@ -778,11 +750,6 @@ "Sends the given message with confetti": "שולח הודעה זו ביחד עם קונפטי", "This is your list of users/servers you have blocked - don't leave the room!": "זוהי רשימת השרתים\\משתמשים אשר בחרתם לחסום - אל תצאו מחדר זה!", "My Ban List": "רשימת החסומים שלי", - "When rooms are upgraded": "כאשר חדרים משתדרגים", - "Encrypted messages in group chats": "הודעות מוצפנות בצאטים של קבוצות", - "Encrypted messages in one-to-one chats": "הודעות מוצפנות בחדרים של אחד-על-אחד", - "Messages containing @room": "הודעות שמכילות שם חדר כגון: room@", - "Messages containing my username": "הודעות שמכילות את שם המשתמש שלי", "Downloading logs": "מוריד לוגים", "Uploading logs": "מעלה לוגים", "IRC display name width": "רוחב תצוגת השם של IRC", @@ -872,8 +839,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 כדי לעשות זאת", "Block anyone not part of %(serverName)s from ever joining this room.": "חסום ממישהו שאינו חלק מ- %(serverName)s מלהצטרף אי פעם לחדר זה.", "Topic (optional)": "נושא (לא חובה)", - "Create a private room": "צור חדר פרטי", - "Create a public room": "צור חדר ציבורי", "You might disable this if the room will be used for collaborating with external teams who have their own homeserver. This cannot be changed later.": "ייתכן שתשבית זאת אם החדר ישמש לשיתוף פעולה עם צוותים חיצוניים שיש להם שרת בית משלהם. לא ניתן לשנות זאת מאוחר יותר.", "You might enable this if the room will only be used for collaborating with internal teams on your homeserver. This cannot be changed later.": "ייתכן שתאפשר זאת אם החדר ישמש רק לשיתוף פעולה עם צוותים פנימיים בשרת הבית שלך. לא ניתן לשנות זאת מאוחר יותר.", "Enable end-to-end encryption": "אפשר הצפנה מקצה לקצה", @@ -1988,16 +1953,6 @@ "Enter Security Phrase": "הזן ביטוי אבטחה", "Backup could not be decrypted with this Security Phrase: please verify that you entered the correct Security Phrase.": "לא ניתן לפענח גיבוי עם ביטוי אבטחה זה: אנא ודא שהזנת את ביטוי האבטחה הנכון.", "Incorrect Security Phrase": "ביטוי אבטחה שגוי", - "%(senderName)s withdrew %(targetName)s's invitation": "%(senderName)s ביטל/ה את ההזמנה של %(targetName)s לחדר", - "%(senderName)s withdrew %(targetName)s's invitation: %(reason)s": "%(senderName)s ביטל/ה את ההזמנה של %(targetName)s לחדר: %(reason)s", - "%(senderName)s unbanned %(targetName)s": "%(senderName)s הסיר/ה את החסימה של %(targetName)s", - "%(targetName)s left the room": "%(targetName)s עזב/ה את החדר", - "%(targetName)s left the room: %(reason)s": "%(targetName)s עזב/ה את החדר: %(reason)s", - "%(targetName)s joined the room": "%(targetName)s הצטרף/ה לחדר", - "%(senderName)s set their display name to %(displayName)s": "%(oldDisplayName)s קבע/ה שם תצוגה חדש: %(displayName)s", - "%(senderName)s banned %(targetName)s": "%(senderName)s חסם/ה את %(targetName)s", - "%(senderName)s banned %(targetName)s: %(reason)s": "%(senderName)s חסם/ה את %(targetName)s: %(reason)s", - "%(senderName)s invited %(targetName)s": "%(senderName)s הזמין/ה את %(targetName)s", "No active call in this room": "אין שיחה פעילה בחדר זה", "Unable to find Matrix ID for phone number": "לא ניתן למצוא מזהה משתמש למספר טלפון", "Command failed: Unable to find room (%(roomId)s": "הפעולה נכשלה: לא ניתן למצוא את החדר (%(roomId)s", @@ -2013,7 +1968,6 @@ "Connectivity to the server has been lost": "נותק החיבור מול השרת", "You cannot place calls in this browser.": "לא ניתן לבצע שיחות בדפדפן זה.", "Calls are unsupported": "שיחות לא נתמכות", - "%(oldDisplayName)s changed their display name to %(displayName)s": "%(oldDisplayName)s בחר/ה שם תצוגה חדש - %(displayName)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.": "המכשיר שלך מוגדר כעת כמאומת. יש לו גישה להודעות המוצפנות שלך ומשתמשים אחרים יראו אותו כמכשיר מהימן.", "Device verified": "המכשיר אומת", @@ -2024,10 +1978,6 @@ "Failed to remove user": "הסרת המשתמש נכשלה", "Failed to send": "השליחה נכשלה", "Message search initialisation failed": "אתחול חיפוש הודעות נכשל", - "Specify a number of messages": "ציין מספר הודעות", - "From the beginning": "מההתחלה", - "Plain Text": "טקסט רגיל", - "Are you sure you want to exit during this export?": "האם אתם בטוחים שברצונכם לצאת במהלך הייצוא הזה?", "Share your public space": "שתף את מרחב העבודה הציבורי שלך", "Command error: Unable to find rendering type (%(renderingType)s)": "שגיאת פקודה: לא ניתן למצוא את סוג העיבוד (%(renderingType)s)", "Command error: Unable to handle slash command.": "שגיאת פקודה: לא ניתן לטפל בפקודת לוכסן.", @@ -2043,10 +1993,6 @@ "Back to chat": "חזרה לצ'אט", "Sound on": "צליל דולק", "That's fine": "זה בסדר", - "File Attached": "מצורף קובץ", - "Export successful!": "הייצוא הצליח!", - "Error fetching file": "שגיאה באחזור הקובץ", - "Current Timeline": "ציר הזמן הנוכחי", "Voice Message": "הודעה קולית", "Send voice message": "שלח הודעה קולית", "Reply to thread…": "תשובה לשרשור…", @@ -2109,22 +2055,8 @@ "Other rooms": "חדרים אחרים", "Silence call": "השתקת שיחה", "You previously consented to share anonymous usage data with us. We're updating how that works.": "הסכמתם בעבר לשתף איתנו מידע אנונימי לגבי השימוש שלכם. אנחנו מעדכנים איך זה מתבצע.", - "Topic: %(topic)s": "נושא: %(topic)s", - "%(creatorName)s created this room.": "%(creatorName)s יצר/ה חדר זה.", - "Fetched %(count)s events so far": { - "other": "נטענו %(count)s אירועים עד כה", - "one": "נטענו %(count)s אירועים עד כה" - }, - "Fetched %(count)s events out of %(total)s": { - "other": "טוען %(count)s אירועים מתוך %(total)s", - "one": "טוען %(count)s אירועים מתוך %(total)s" - }, - "Generating a ZIP": "מייצר קובץ ZIP", "This homeserver has been blocked by its administrator.": "שרת זה נחסם על ידי מנהלו.", "%(senderName)s has shared their location": "%(senderName)s שיתף/ה מיקום", - "%(senderDisplayName)s changed who can join this room.": "%(senderDisplayName)s שינה את הגדרת המורשים להצטרף לחדר.", - "%(senderDisplayName)s changed who can join this room. View settings.": "%(senderDisplayName)s שינה את הגדרת המורשים להצטרף לחדר. הגדרות", - "%(senderDisplayName)s changed the room avatar.": "%(senderDisplayName)s שינה את תמונת החדר.", "The user you called is busy.": "המשתמש עסוק כרגע.", "User Busy": "המשתמש עסוק", "Great! This Security Phrase looks strong enough.": "מצוין! ביטוי אבטחה זה נראה מספיק חזק.", @@ -2181,7 +2113,6 @@ "%(count)s votes cast. Vote to see the results": { "one": "%(count)s.קולות הצביעו כדי לראות את התוצאות" }, - "Create a video room": "צרו חדר וידאו", "Verification requested": "התבקש אימות", "Verify this device by completing one of the following:": "אמתו מכשיר זה על ידי מילוי אחת מהפעולות הבאות:", "Your server doesn't support disabling sending read receipts.": "השרת שלכם לא תומך בביטול שליחת אישורי קריאה.", @@ -2282,20 +2213,6 @@ "Review to ensure your account is safe": "בידקו כדי לוודא שהחשבון שלך בטוח", "Help improve %(analyticsOwner)s": "עזרו בשיפור %(analyticsOwner)s", "Share anonymous data to help us identify issues. Nothing personal. No third parties. Learn More": "שתף נתונים אנונימיים כדי לעזור לנו לזהות בעיות. ללא אישי. אין צדדים שלישיים. למידע נוסף", - "Exported %(count)s events in %(seconds)s seconds": { - "one": "ייצא %(count)s תוך %(seconds)s שניות", - "other": "ייצא %(count)s אירועים תוך %(seconds)s שניות" - }, - "Fetched %(count)s events in %(seconds)ss": { - "one": "משך %(count)s אירועים תוך %(seconds)s שניות", - "other": "עיבד %(count)s אירועים תוך %(seconds)s שניות" - }, - "Processing event %(number)s out of %(total)s": "מעבד אירוע %(number)s מתוך %(total)s", - "This is the start of export of . Exported by at %(exportDate)s.": "זאת התחלת ייצוא של . ייצוא ע\"י ב %(exportDate)s.", - "Media omitted - file size limit exceeded": "מדיה הושמטה - גודל קובץ חרג מהמותר", - "Media omitted": "מדיה הושמטה", - "JSON": "JSON", - "HTML": "HTML", "Reset bearing to north": "נעלו את המפה לכיוון צפון", "Mapbox logo": "לוגו", "Location not available": "מיקום אינו זמין", @@ -2333,7 +2250,6 @@ "Spaces to show": "מרחבי עבודה להצגה", "Toggle webcam on/off": "הפעלת / כיבוי מצלמה", "Send a sticker": "שלח מדבקה", - "%(senderDisplayName)s sent a sticker.": "%(senderDisplayName)s שלח מדבקה", "Navigate to previous message in composer history": "עבור להודעה הקודמת בהיסטוריית התכתבות", "Navigate to next message in composer history": "עבור להודעה הבאה בהיסטוריית התכתבות", "Navigate to previous message to edit": "עבור לעריכת ההודעה הקודמת", @@ -2486,7 +2402,6 @@ "Enable notifications for this account": "אפשר קבלת התראות לחשבון זה", "Message bubbles": "בועות הודעות", "Deactivating your account is a permanent action — be careful!": "סגירת החשבון הינה פעולה שלא ניתנת לביטול - שים לב!", - "%(senderName)s set a profile picture": "%(senderName)s הגדיר/ה תמונת פרופיל", "Room info": "מידע על החדר", "You're all caught up": "אתם כבר מעודכנים בהכל", "Search users in this room…": "חיפוש משתמשים בחדר זה…", @@ -2577,7 +2492,8 @@ "not_trusted": "לא אמין", "accessibility": "נגישות", "server": "שרת", - "capabilities": "יכולות" + "capabilities": "יכולות", + "unnamed_room": "חדר ללא שם" }, "action": { "continue": "המשך", @@ -2776,7 +2692,20 @@ "jump_to_bottom_on_send": "קפוץ לתחתית השיחה בעת שליחת הודעה", "show_nsfw_content": "הצג תוכן NSFW (תוכן שלא מתאים לצפיה במקום ציבורי)", "prompt_invite": "שאלו אותי לפני שאתם שולחים הזמנה אל קוד זיהוי אפשרי של משתמש מערכת", - "start_automatically": "התחל באופן אוטומטי לאחר הכניסה" + "start_automatically": "התחל באופן אוטומטי לאחר הכניסה", + "notifications": { + "rule_contains_display_name": "הודעות המכילות את שם התצוגה שלי", + "rule_contains_user_name": "הודעות שמכילות את שם המשתמש שלי", + "rule_roomnotif": "הודעות שמכילות שם חדר כגון: room@", + "rule_room_one_to_one": "הודעות בשיחות פרטיות", + "rule_message": "הודעות בקבוצות השיחה", + "rule_encrypted": "הודעות מוצפנות בצאטים של קבוצות", + "rule_invite_for_me": "כאשר אני מוזמן לחדר", + "rule_call": "הזמנה לשיחה", + "rule_suppress_notices": "הודעות שנשלחו באמצעות בוט", + "rule_tombstone": "כאשר חדרים משתדרגים", + "rule_encrypted_room_one_to_one": "הודעות מוצפנות בחדרים של אחד-על-אחד" + } }, "devtools": { "event_type": "סוג ארוע", @@ -2799,5 +2728,98 @@ "toolbox": "תיבת כלים", "developer_tools": "כלי מפתחים", "room_id": "זיהוי חדר: %(roomId)s" + }, + "export_chat": { + "html": "HTML", + "json": "JSON", + "text": "טקסט רגיל", + "from_the_beginning": "מההתחלה", + "number_of_messages": "ציין מספר הודעות", + "current_timeline": "ציר הזמן הנוכחי", + "export_successful": "הייצוא הצליח!", + "unload_confirm": "האם אתם בטוחים שברצונכם לצאת במהלך הייצוא הזה?", + "generating_zip": "מייצר קובץ ZIP", + "processing_event_n": "מעבד אירוע %(number)s מתוך %(total)s", + "fetched_n_events_with_total": { + "other": "טוען %(count)s אירועים מתוך %(total)s", + "one": "טוען %(count)s אירועים מתוך %(total)s" + }, + "fetched_n_events": { + "other": "נטענו %(count)s אירועים עד כה", + "one": "נטענו %(count)s אירועים עד כה" + }, + "fetched_n_events_in_time": { + "one": "משך %(count)s אירועים תוך %(seconds)s שניות", + "other": "עיבד %(count)s אירועים תוך %(seconds)s שניות" + }, + "exported_n_events_in_time": { + "one": "ייצא %(count)s תוך %(seconds)s שניות", + "other": "ייצא %(count)s אירועים תוך %(seconds)s שניות" + }, + "media_omitted": "מדיה הושמטה", + "media_omitted_file_size": "מדיה הושמטה - גודל קובץ חרג מהמותר", + "creator_summary": "%(creatorName)s יצר/ה חדר זה.", + "export_info": "זאת התחלת ייצוא של . ייצוא ע\"י ב %(exportDate)s.", + "topic": "נושא: %(topic)s", + "error_fetching_file": "שגיאה באחזור הקובץ", + "file_attached": "מצורף קובץ" + }, + "create_room": { + "title_video_room": "צרו חדר וידאו", + "title_public_room": "צור חדר ציבורי", + "title_private_room": "צור חדר פרטי" + }, + "timeline": { + "m.call.invite": { + "voice_call": "%(senderName)s התחיל שיחה קולית.", + "voice_call_unsupported": "%(senderName)s התחיל שיחה קולית. (אינו נתמך בדפדפן זה)", + "video_call": "%(senderName)s התחיל שיחת וידאו.", + "video_call_unsupported": "%(senderName)s התחיל שיחת וידאו. (אינו נתמך בדפדפן זה)" + }, + "m.room.member": { + "invite": "%(senderName)s הזמין/ה את %(targetName)s", + "ban_reason": "%(senderName)s חסם/ה את %(targetName)s: %(reason)s", + "ban": "%(senderName)s חסם/ה את %(targetName)s", + "change_name": "%(oldDisplayName)s בחר/ה שם תצוגה חדש - %(displayName)s", + "set_name": "%(oldDisplayName)s קבע/ה שם תצוגה חדש: %(displayName)s", + "set_avatar": "%(senderName)s הגדיר/ה תמונת פרופיל", + "join": "%(targetName)s הצטרף/ה לחדר", + "left_reason": "%(targetName)s עזב/ה את החדר: %(reason)s", + "left": "%(targetName)s עזב/ה את החדר", + "unban": "%(senderName)s הסיר/ה את החסימה של %(targetName)s", + "withdrew_invite_reason": "%(senderName)s ביטל/ה את ההזמנה של %(targetName)s לחדר: %(reason)s", + "withdrew_invite": "%(senderName)s ביטל/ה את ההזמנה של %(targetName)s לחדר" + }, + "m.room.topic": "%(senderDisplayName)s שינה את שם הנושא ל-\"%(topic)s\".", + "m.room.avatar": "%(senderDisplayName)s שינה את תמונת החדר.", + "m.room.name": { + "remove": "%(senderDisplayName)s הסיר את שם החדר.", + "change": "%(senderDisplayName)s שינה את שם החדר מ-%(oldRoomName)s ל%(newRoomName)s.", + "set": "%(senderDisplayName)s שינה את שם החדר ל%(roomName)s." + }, + "m.room.tombstone": "%(senderDisplayName)s שידרג את החדר הזה.", + "m.room.join_rules": { + "public": "%(senderDisplayName)s הגדיר את החדר כציבורי עבור כל מי שקיבל את הקישור.", + "invite": "%(senderDisplayName)s הגדיר את החדר כ- \"הזמנה בלבד!\".", + "restricted_settings": "%(senderDisplayName)s שינה את הגדרת המורשים להצטרף לחדר. הגדרות", + "restricted": "%(senderDisplayName)s שינה את הגדרת המורשים להצטרף לחדר.", + "unknown": "%(senderDisplayName)s שינה את כללי ההצטרפות ל־%(rule)s" + }, + "m.room.guest_access": { + "can_join": "%(senderDisplayName)s איפשר לאורחים להכנס אל החדר.", + "forbidden": "%(senderDisplayName)s מנע אפשרות מאורחים להכנס אל החדר.", + "unknown": "%(senderDisplayName)s שינה את כללי הכניסה לאורחים ל- %(rule)s" + }, + "m.image": "%(senderDisplayName)s שלח תמונה.", + "m.sticker": "%(senderDisplayName)s שלח מדבקה", + "m.room.server_acl": { + "set": "%(senderDisplayName)s הגדיר את רשימת הכניסה של השרת עבור חדר זה.", + "changed": "%(senderDisplayName)s שינה את הגדרות של השרת עבור חדר זה.", + "all_servers_banned": "🎉 כל השרתים חסומים מהשתתפות! החדר הזה אינו בשימוש יותר." + }, + "m.room.canonical_alias": { + "set": "%(senderName)s הגדיר את הכתובת הראשית עבור חדר זה ל- %(address)s.", + "removed": "%(senderName)s הסיר את הכתובת הראשית עבור חדר זה." + } } } diff --git a/src/i18n/strings/hi.json b/src/i18n/strings/hi.json index 21b0740ddf4..58a6f335e5f 100644 --- a/src/i18n/strings/hi.json +++ b/src/i18n/strings/hi.json @@ -73,12 +73,6 @@ "Displays action": "कार्रवाई प्रदर्शित करता है", "Forces the current outbound group session in an encrypted room to be discarded": "एक एन्क्रिप्टेड रूम में मौजूदा आउटबाउंड समूह सत्र को त्यागने के लिए मजबूर करता है", "Reason": "कारण", - "%(senderDisplayName)s changed the topic to \"%(topic)s\".": "%(senderDisplayName)s ने विषय को \"%(topic)s\" में बदल दिया।", - "%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s ने रूम का नाम हटा दिया।", - "%(senderDisplayName)s changed the room name to %(roomName)s.": "%(senderDisplayName)s कमरे का नाम बदलकर %(roomName)s कर दिया।", - "%(senderDisplayName)s sent an image.": "%(senderDisplayName)s ने एक छवि भेजी।", - "%(senderName)s set the main address for this room to %(address)s.": "%(senderName)s ने इस कमरे के लिए मुख्य पता %(address)s पर सेट किया।", - "%(senderName)s removed the main address for this room.": "%(senderName)s ने इस कमरे के लिए मुख्य पता हटा दिया।", "%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": "%(senderName)s रूम में शामिल होने के लिए %(targetDisplayName)s को निमंत्रण भेजा।", "%(senderName)s made future room history visible to all room members, from the point they are invited.": "%(senderName)s ने भविष्य के रूम का इतिहास सभी रूम के सदस्यों के लिए प्रकाशित कर दिया जिस बिंदु से उन्हें आमंत्रित किया गया था।", "%(senderName)s made future room history visible to all room members, from the point they joined.": "%(senderName)s ने भविष्य के रूम का इतिहास सभी रूम के सदस्यों के लिए दृश्यमान किया, जिस बिंदु में वे शामिल हुए थे।", @@ -94,7 +88,6 @@ "Failure to create room": "रूम बनाने में विफलता", "Server may be unavailable, overloaded, or you hit a bug.": "सर्वर अनुपलब्ध, अधिभारित हो सकता है, या अपने एक सॉफ्टवेयर गर्बरी को पाया।", "Send": "भेजें", - "Unnamed Room": "अनाम रूम", "This homeserver has hit its Monthly Active User limit.": "इस होमसर्वर ने अपनी मासिक सक्रिय उपयोगकर्ता सीमा को प्राप्त कर लिया हैं।", "This homeserver has exceeded one of its resource limits.": "यह होम सर्वर अपनी संसाधन सीमाओं में से एक से अधिक हो गया है।", "Your browser does not support the required cryptography extensions": "आपका ब्राउज़र आवश्यक क्रिप्टोग्राफी एक्सटेंशन का समर्थन नहीं करता है", @@ -108,12 +101,6 @@ "Collecting app version information": "ऐप संस्करण जानकारी एकत्रित कर रहा हैं", "Collecting logs": "लॉग एकत्रित कर रहा हैं", "Waiting for response from server": "सर्वर से प्रतिक्रिया की प्रतीक्षा कर रहा है", - "Messages containing my display name": "मेरे प्रदर्शन नाम वाले संदेश", - "Messages in one-to-one chats": "एक-से-एक चैट में संदेश", - "Messages in group chats": "समूह चैट में संदेश", - "When I'm invited to a room": "जब मुझे एक रूम में आमंत्रित किया जाता है", - "Call invitation": "कॉल आमंत्रण", - "Messages sent by bot": "रोबॉट द्वारा भेजे गए संदेश", "Incorrect verification code": "गलत सत्यापन कोड", "Phone": "फ़ोन", "No display name": "कोई प्रदर्शन नाम नहीं", @@ -158,9 +145,6 @@ "A word by itself is easy to guess": "सिर्फ एक शब्द अनुमान लगाना आसान है", "Names and surnames by themselves are easy to guess": "खुद के नाम और उपनाम अनुमान लगाना आसान है", "Common names and surnames are easy to guess": "सामान्य नाम और उपनाम अनुमान लगाना आसान है", - "Messages containing @room": "@Room युक्त संदेश", - "Encrypted messages in one-to-one chats": "एक एक के साथ चैट में एन्क्रिप्टेड संदेश", - "Encrypted messages in group chats": "समूह चैट में एन्क्रिप्टेड संदेश", "Show message in desktop notification": "डेस्कटॉप अधिसूचना में संदेश दिखाएं", "Off": "बंद", "On": "चालू", @@ -214,13 +198,6 @@ "Gets or sets the room topic": "रूम का विषय प्राप्त या सेट करना", "This room has no topic.": "इस रूम का कोई विषय नहीं है।", "Sets the room name": "रूम का नाम सेट करता हैं", - "%(senderDisplayName)s upgraded this room.": "%(senderDisplayName)s ने रूम को अपग्रेड किया", - "%(senderDisplayName)s made the room public to whoever knows the link.": "%(senderDisplayName)s ने कमरे को सार्वजनिक कर दिया, जो कोई भी लिंक जानता है।", - "%(senderDisplayName)s made the room invite only.": "%(senderDisplayName)s ने कमरे को सिर्फ आमंत्रित रखा।", - "%(senderDisplayName)s changed the join rule to %(rule)s": "%(senderDisplayName)s ने नियम को %(rule)s में बदल दिया", - "%(senderDisplayName)s has allowed guests to join the room.": "%(senderDisplayName)s ने मेहमानों को कमरे में शामिल होने की अनुमति दी है।", - "%(senderDisplayName)s has prevented guests from joining the room.": "%(senderDisplayName)s ने मेहमानों को कमरे में शामिल होने से रोका है।", - "%(senderDisplayName)s changed guest access to %(rule)s": "%(senderDisplayName)s ने अतिथि पहुंच %(rule)s में बदल दी", "%(displayName)s is typing …": "%(displayName)s टाइप कर रहा है …", "%(names)s and %(count)s others are typing …": { "other": "%(names)s और %(count)s अन्य टाइप कर रहे हैं …", @@ -230,7 +207,6 @@ "Unrecognised address": "अपरिचित पता", "Straight rows of keys are easy to guess": "कुंजी की सीधी पंक्तियों का अनुमान लगाना आसान है", "Short keyboard patterns are easy to guess": "लघु कीबोर्ड पैटर्न का अनुमान लगाना आसान है", - "Messages containing my username": "मेरे उपयोगकर्ता नाम वाले संदेश", "The other party cancelled the verification.": "दूसरे पक्ष ने सत्यापन रद्द कर दिया।", "Verified!": "सत्यापित!", "You've successfully verified this user.": "आपने इस उपयोगकर्ता को सफलतापूर्वक सत्यापित कर लिया है।", @@ -585,7 +561,8 @@ "timeline": "समयसीमा", "camera": "कैमरा", "microphone": "माइक्रोफ़ोन", - "someone": "कोई" + "someone": "कोई", + "unnamed_room": "अनाम रूम" }, "action": { "continue": "आगे बढ़ें", @@ -646,6 +623,41 @@ "show_displayname_changes": "प्रदर्शन नाम परिवर्तन दिखाएं", "big_emoji": "चैट में बड़े इमोजी सक्षम करें", "prompt_invite": "संभावित अवैध मैट्रिक्स आईडी को निमंत्रण भेजने से पहले सूचित करें", - "start_automatically": "सिस्टम लॉगिन के बाद स्वचालित रूप से प्रारंभ करें" + "start_automatically": "सिस्टम लॉगिन के बाद स्वचालित रूप से प्रारंभ करें", + "notifications": { + "rule_contains_display_name": "मेरे प्रदर्शन नाम वाले संदेश", + "rule_contains_user_name": "मेरे उपयोगकर्ता नाम वाले संदेश", + "rule_roomnotif": "@Room युक्त संदेश", + "rule_room_one_to_one": "एक-से-एक चैट में संदेश", + "rule_message": "समूह चैट में संदेश", + "rule_encrypted": "समूह चैट में एन्क्रिप्टेड संदेश", + "rule_invite_for_me": "जब मुझे एक रूम में आमंत्रित किया जाता है", + "rule_call": "कॉल आमंत्रण", + "rule_suppress_notices": "रोबॉट द्वारा भेजे गए संदेश", + "rule_encrypted_room_one_to_one": "एक एक के साथ चैट में एन्क्रिप्टेड संदेश" + } + }, + "timeline": { + "m.room.topic": "%(senderDisplayName)s ने विषय को \"%(topic)s\" में बदल दिया।", + "m.room.name": { + "remove": "%(senderDisplayName)s ने रूम का नाम हटा दिया।", + "set": "%(senderDisplayName)s कमरे का नाम बदलकर %(roomName)s कर दिया।" + }, + "m.room.tombstone": "%(senderDisplayName)s ने रूम को अपग्रेड किया", + "m.room.join_rules": { + "public": "%(senderDisplayName)s ने कमरे को सार्वजनिक कर दिया, जो कोई भी लिंक जानता है।", + "invite": "%(senderDisplayName)s ने कमरे को सिर्फ आमंत्रित रखा।", + "unknown": "%(senderDisplayName)s ने नियम को %(rule)s में बदल दिया" + }, + "m.room.guest_access": { + "can_join": "%(senderDisplayName)s ने मेहमानों को कमरे में शामिल होने की अनुमति दी है।", + "forbidden": "%(senderDisplayName)s ने मेहमानों को कमरे में शामिल होने से रोका है।", + "unknown": "%(senderDisplayName)s ने अतिथि पहुंच %(rule)s में बदल दी" + }, + "m.image": "%(senderDisplayName)s ने एक छवि भेजी।", + "m.room.canonical_alias": { + "set": "%(senderName)s ने इस कमरे के लिए मुख्य पता %(address)s पर सेट किया।", + "removed": "%(senderName)s ने इस कमरे के लिए मुख्य पता हटा दिया।" + } } } diff --git a/src/i18n/strings/hr.json b/src/i18n/strings/hr.json index 250fddd6513..761ecf28418 100644 --- a/src/i18n/strings/hr.json +++ b/src/i18n/strings/hr.json @@ -91,7 +91,6 @@ "Only continue if you trust the owner of the server.": "Nastavite samo ako vjerujete vlasniku poslužitelja.", "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.": "Ova radnja zahtijeva pristup zadanom poslužitelju identiteta radi provjere adrese e-pošte ili telefonskog broja, no poslužitelj nema nikakve uvjete usluge.", "Identity server has no terms of service": "Poslužitelj identiteta nema uvjete usluge", - "Unnamed Room": "Neimenovana soba", "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s": "%(weekDayName)s, %(day)s. %(monthName)s %(fullYear)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 %(time)s": "%(weekDayName)s, %(day)s. %(monthName)s, %(time)s", @@ -161,7 +160,8 @@ "Could not connect to identity server": "Nije moguće spojiti se na poslužitelja identiteta", "common": { "analytics": "Analitika", - "error": "Geška" + "error": "Geška", + "unnamed_room": "Neimenovana soba" }, "action": { "continue": "Nastavi", diff --git a/src/i18n/strings/hu.json b/src/i18n/strings/hu.json index 0ba7ddedef7..5c6521f1e31 100644 --- a/src/i18n/strings/hu.json +++ b/src/i18n/strings/hu.json @@ -34,9 +34,6 @@ "Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or enable unsafe scripts.": "Nem lehet HTTP-vel csatlakozni a Matrix-kiszolgálóhoz, ha HTTPS van a böngésző címsorában. Vagy használjon HTTPS-t vagy engedélyezze a nem biztonságos parancsfájlokat.", "Change Password": "Jelszó módosítása", "%(senderName)s changed the power level of %(powerLevelDiffText)s.": "%(senderName)s megváltoztatta a hozzáférési szintet: %(powerLevelDiffText)s.", - "%(senderDisplayName)s changed the room name to %(roomName)s.": "%(senderDisplayName)s a következőre változtatta a szoba nevét: %(roomName)s.", - "%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s törölte a szoba nevét.", - "%(senderDisplayName)s changed the topic to \"%(topic)s\".": "%(senderDisplayName)s a következőre változtatta a témát: „%(topic)s”.", "Changes your display nickname": "Megváltoztatja a megjelenítendő becenevét", "Command error": "Parancshiba", "Commands": "Parancsok", @@ -116,7 +113,6 @@ "%(roomName)s is not accessible at this time.": "%(roomName)s jelenleg nem érhető el.", "Rooms": "Szobák", "Search failed": "Keresés sikertelen", - "%(senderDisplayName)s sent an image.": "%(senderDisplayName)s képet küldött.", "%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": "%(senderName)s meghívót küldött %(targetDisplayName)s számára, hogy lépjen be a szobába.", "Server error": "Kiszolgálóhiba", "Server may be unavailable, overloaded, or search timed out :(": "A kiszolgáló elérhetetlen, túlterhelt vagy a keresés túllépte az időkorlátot :(", @@ -140,7 +136,6 @@ "Unable to verify email address.": "Az e-mail cím ellenőrzése sikertelen.", "Unban": "Kitiltás visszavonása", "Unable to enable Notifications": "Az értesítések engedélyezése sikertelen", - "Unnamed Room": "Névtelen szoba", "Uploading %(filename)s": "%(filename)s feltöltése", "Uploading %(filename)s and %(count)s others": { "one": "%(filename)s és még %(count)s db másik feltöltése", @@ -399,11 +394,8 @@ "Waiting for response from server": "Várakozás a kiszolgáló válaszára", "Failed to send logs: ": "Hiba a napló küldésénél: ", "This Room": "Ebben a szobában", - "Messages containing my display name": "A saját megjelenítendő nevét tartalmazó üzenetek", - "Messages in one-to-one chats": "A közvetlen csevegések üzenetei", "Unavailable": "Elérhetetlen", "Source URL": "Forrás URL", - "Messages sent by bot": "Botok üzenetei", "Filter results": "Találatok szűrése", "No update available.": "Nincs elérhető frissítés.", "Noisy": "Hangos", @@ -415,16 +407,13 @@ "Collecting logs": "Naplók összegyűjtése", "Invite to this room": "Meghívás a szobába", "All messages": "Összes üzenet", - "Call invitation": "Hívásmeghívások", "What's new?": "Mik az újdonságok?", - "When I'm invited to a room": "Amikor meghívják egy szobába", "All Rooms": "Minden szobában", "You cannot delete this message. (%(code)s)": "Nem törölheted ezt az üzenetet. (%(code)s)", "Thursday": "Csütörtök", "Search…": "Keresés…", "Logs sent": "Napló elküldve", "Show message in desktop notification": "Üzenet megjelenítése az asztali értesítésekben", - "Messages in group chats": "A csoportos csevegések üzenetei", "Yesterday": "Tegnap", "Error encountered (%(errorDetail)s).": "Hiba történt (%(errorDetail)s).", "Low Priority": "Alacsony prioritás", @@ -484,8 +473,6 @@ "The room upgrade could not be completed": "A szoba fejlesztését nem sikerült befejezni", "Upgrade this room to version %(version)s": "A szoba fejlesztése erre a verzióra: %(version)s", "Forces the current outbound group session in an encrypted room to be discarded": "Kikényszeríti a jelenlegi kimeneti csoportos munkamenet törlését a titkosított szobában", - "%(senderName)s set the main address for this room to %(address)s.": "%(senderName)s erre állította az elsődleges szobacímet: %(address)s.", - "%(senderName)s removed the main address for this room.": "%(senderName)s törölte a szoba elsődleges címét.", "Before submitting logs, you must create a GitHub issue to describe your problem.": "Mielőtt a naplót elküldöd, egy Github jegyet kell nyitni amiben leírod a problémádat.", "%(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!": "Az %(brand)s harmad-ötöd annyi memóriát használ azáltal, hogy csak akkor tölti be a felhasználók információit, amikor az szükséges. Kis türelmet, amíg megtörténik az újbóli szinkronizálás a kiszolgálóval.", "Updating %(brand)s": "%(brand)s frissítése", @@ -541,9 +528,6 @@ "You do not have permission to invite people to this room.": "Nincs jogosultsága embereket meghívni ebbe a szobába.", "Unknown server error": "Ismeretlen kiszolgálóhiba", "Set up": "Beállítás", - "Messages containing @room": "A @room megemlítést tartalmazó üzenetek", - "Encrypted messages in one-to-one chats": "A közvetlen csevegések titkosított üzenetei", - "Encrypted messages in group chats": "A csoportos csevegések titkosított üzenetei", "Invalid identity server discovery response": "Az azonosítási kiszolgáló felderítésére érkezett válasz érvénytelen", "General failure": "Általános hiba", "New Recovery Method": "Új helyreállítási mód", @@ -560,14 +544,12 @@ "Invite anyway": "Meghívás mindenképp", "Upgrades a room to a new version": "Új verzióra fejleszti a szobát", "Sets the room name": "Szobanév beállítása", - "%(senderDisplayName)s upgraded this room.": "%(senderDisplayName)s fejlesztette a szobát.", "%(displayName)s is typing …": "%(displayName)s gépel…", "%(names)s and %(count)s others are typing …": { "other": "%(names)s és még %(count)s felhasználó gépel…", "one": "%(names)s és még valaki gépel…" }, "%(names)s and %(lastPerson)s are typing …": "%(names)s és %(lastPerson)s gépelnek…", - "Messages containing my username": "A saját felhasználónevét tartalmazó üzenetek", "The other party cancelled the verification.": "A másik fél megszakította az ellenőrzést.", "Verified!": "Ellenőrizve!", "You've successfully verified this user.": "Sikeresen ellenőrizte ezt a felhasználót.", @@ -625,12 +607,6 @@ "The file '%(fileName)s' exceeds this homeserver's size limit for uploads": "A(z) „%(fileName)s” mérete túllépi a Matrix-kiszolgáló által megengedett korlátot", "Gets or sets the room topic": "Lekérdezi vagy beállítja a szoba témáját", "This room has no topic.": "A szobának nincs témája.", - "%(senderDisplayName)s made the room public to whoever knows the link.": "%(senderDisplayName)s elérhetővé tette a szobát bárkinek, aki ismeri a hivatkozást.", - "%(senderDisplayName)s made the room invite only.": "%(senderDisplayName)s beállította, hogy a szobába csak meghívóval lehessen belépni.", - "%(senderDisplayName)s changed the join rule to %(rule)s": "%(senderDisplayName)s a belépési szabályt erre állította be: %(rule)s", - "%(senderDisplayName)s has allowed guests to join the room.": "%(senderDisplayName)s megengedte a vendégeknek, hogy beléphessenek a szobába.", - "%(senderDisplayName)s has prevented guests from joining the room.": "%(senderDisplayName)s megtiltotta a vendégeknek, hogy belépjenek a szobába.", - "%(senderDisplayName)s changed guest access to %(rule)s": "%(senderDisplayName)s a vendégek hozzáférését erre állította be: %(rule)s", "Verify this user by confirming the following emoji appear on their screen.": "Ellenőrizze ezt a felhasználót azzal, hogy megerősíti, hogy a következő emodzsi jelenik meg a képernyőjén.", "Unable to find a supported verification method.": "Nem található támogatott ellenőrzési eljárás.", "Dog": "Kutya", @@ -777,7 +753,6 @@ "Sends the given message coloured as a rainbow": "A megadott üzenetet szivárványszínben küldi el", "Sends the given emote coloured as a rainbow": "A megadott hangulatjelet szivárványszínben küldi el", "The user's homeserver does not support the version of the room.": "A felhasználó Matrix-kiszolgálója nem támogatja a megadott szobaverziót.", - "When rooms are upgraded": "Amikor a szobák fejlesztésre kerülnek", "View older messages in %(roomName)s.": "Régebbi üzenetek megjelenítése itt: %(roomName)s.", "Join the conversation with an account": "Beszélgetéshez való csatlakozás felhasználói fiókkal lehetséges", "Sign Up": "Fiók készítés", @@ -953,8 +928,6 @@ "Changes the avatar of the current room": "Megváltoztatja a profilképét a jelenlegi szobában", "e.g. my-room": "pl.: szobam", "Please enter a name for the room": "Kérlek adj meg egy nevet a szobához", - "Create a public room": "Nyilvános szoba létrehozása", - "Create a private room": "Privát szoba létrehozása", "Topic (optional)": "Téma (nem kötelező)", "Hide advanced": "Speciális beállítások elrejtése", "Show advanced": "Speciális beállítások megjelenítése", @@ -1066,10 +1039,6 @@ "Integrations not allowed": "Az integrációk nem engedélyezettek", "Manage integrations": "Integrációk kezelése", "Verification Request": "Ellenőrzési kérés", - "%(senderName)s placed a voice call.": "%(senderName)s hanghívást indított.", - "%(senderName)s placed a voice call. (not supported by this browser)": "%(senderName)s hanghívást indított. (ebben a böngészőben nem támogatott)", - "%(senderName)s placed a video call.": "%(senderName)s videóhívást indított.", - "%(senderName)s placed a video call. (not supported by this browser)": "%(senderName)s videóhívást indított. (ebben a böngészőben nem támogatott)", "Match system theme": "Rendszer témájához megfelelő", "Error upgrading room": "Hiba a szoba verziófrissítésekor", "Double check that your server supports the room version chosen and try again.": "Ellenőrizze még egyszer, hogy a kiszolgálója támogatja-e kiválasztott szobaverziót, és próbálja újra.", @@ -1245,7 +1214,6 @@ "Mark all as read": "Összes megjelölése olvasottként", "Not currently indexing messages for any room.": "Jelenleg egyik szoba indexelése sem történik.", "%(doneRooms)s out of %(totalRooms)s": "%(doneRooms)s / %(totalRooms)s", - "%(senderDisplayName)s changed the room name from %(oldRoomName)s to %(newRoomName)s.": "%(senderDisplayName)s megváltoztatta a szoba nevét erről: %(oldRoomName)s, erre: %(newRoomName)s.", "%(senderName)s added the alternative addresses %(addresses)s for this room.": { "other": "%(senderName)s hozzáadta a szoba alternatív címeit: %(addresses)s.", "one": "%(senderName)s alternatív címeket adott hozzá a szobához: %(addresses)s." @@ -1439,7 +1407,6 @@ "%(senderName)s is calling": "%(senderName)s hívja", "%(senderName)s: %(message)s": "%(senderName)s: %(message)s", "%(senderName)s: %(stickerName)s": "%(senderName)s: %(stickerName)s", - "%(senderName)s invited %(targetName)s": "%(senderName)s meghívta a következőt: %(targetName)s", "Message deleted on %(date)s": "Az üzenetet ekkor törölték: %(date)s", "Wrong file type": "A fájltípus hibás", "Security Phrase": "Biztonsági jelmondat", @@ -1535,9 +1502,6 @@ "Failed to save your profile": "A saját profil mentése sikertelen", "The operation could not be completed": "A műveletet nem lehetett befejezni", "Remove messages sent by others": "Mások által küldött üzenetek törlése", - "🎉 All servers are banned from participating! This room can no longer be used.": "🎉 Minden kiszolgáló ki van tiltva! Ezt a szobát nem lehet többet használni.", - "%(senderDisplayName)s changed the server ACLs for this room.": "%(senderDisplayName)s megváltoztatta a kiszolgálójogosultságokat a szobában.", - "%(senderDisplayName)s set the server ACLs for this room.": "%(senderDisplayName)s beállította a kiszolgálójogosultságokat a szobában.", "The call could not be established": "A hívás felépítése sikertelen", "Move right": "Mozgatás jobbra", "Move left": "Mozgatás balra", @@ -2017,7 +1981,6 @@ "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.", - "Unnamed Space": "Névtelen tér", "Invite to %(spaceName)s": "Meghívás ide: %(spaceName)s", "Create a new room": "Új szoba készítése", "Spaces": "Terek", @@ -2168,24 +2131,6 @@ "Nothing pinned, yet": "Még semmi sincs kitűzve", "End-to-end encryption isn't enabled": "Végpontok közötti titkosítás nincs engedélyezve", "%(senderName)s changed the pinned messages for the room.": "%(senderName)s megváltoztatta a szoba kitűzött üzeneteit.", - "%(senderName)s withdrew %(targetName)s's invitation": "%(senderName)s visszavonta %(targetName)s meghívóját", - "%(senderName)s withdrew %(targetName)s's invitation: %(reason)s": "%(senderName)s visszavonta %(targetName)s meghívóját, ok: %(reason)s", - "%(senderName)s unbanned %(targetName)s": "%(senderName)s visszaengedte őt: %(targetName)s", - "%(targetName)s left the room": "%(targetName)s elhagyta a szobát", - "%(targetName)s left the room: %(reason)s": "%(targetName)s elhagyta a szobát, ok: %(reason)s", - "%(targetName)s rejected the invitation": "%(targetName)s elutasította a meghívót", - "%(targetName)s joined the room": "%(targetName)s belépett a szobába", - "%(senderName)s made no change": "%(senderName)s nem változtatott semmit", - "%(senderName)s set a profile picture": "%(senderName)s profilképet állított be", - "%(senderName)s changed their profile picture": "%(senderName)s megváltoztatta a profilképét", - "%(senderName)s removed their profile picture": "%(senderName)s törölte a profilképét", - "%(senderName)s removed their display name (%(oldDisplayName)s)": "%(senderName)s törölte a megjelenítendő nevét (%(oldDisplayName)s)", - "%(senderName)s set their display name to %(displayName)s": "%(senderName)s a következőre változtatta a megjelenítendő nevét: %(displayName)s", - "%(oldDisplayName)s changed their display name to %(displayName)s": "s%(oldDisplayName)s a következőre változtatta a nevét: %(displayName)s", - "%(senderName)s banned %(targetName)s": "%(senderName)s kitiltotta a következőt: %(targetName)s", - "%(senderName)s banned %(targetName)s: %(reason)s": "%(senderName)s kitiltotta a következőt: %(targetName)s, ok: %(reason)s", - "%(targetName)s accepted an invitation": "%(targetName)s elfogadta a meghívást", - "%(targetName)s accepted the invitation for %(displayName)s": "%(targetName)s elfogadta a meghívást ide: %(displayName)s", "Some invites couldn't be sent": "Néhány meghívót nem sikerült elküldeni", "Please pick a nature and describe what makes this message abusive.": "Válassza ki az üzenet természetét, vagy írja le, hogy miért elítélendő.", "This room is dedicated to illegal or toxic content or the moderators fail to moderate illegal or toxic content.\nThis will be reported to the administrators of %(homeserver)s. The administrators will NOT be able to read the encrypted content of this room.": "Ez a szoba illegális vagy mérgező tartalmat közvetít, vagy a moderátorok képtelenek ezeket megfelelően moderálni.\nEz jelezve lesz a(z) %(homeserver)s rendszergazdái felé. Az rendszergazdák NEM tudják olvasni a szoba titkosított tartalmát.", @@ -2411,21 +2356,6 @@ "Number of messages": "Üzenetek száma", "In reply to this message": "Válasz erre az üzenetre", "Export chat": "Beszélgetés exportálása", - "File Attached": "Fájl mellékelve", - "Error fetching file": "Fájlletöltési hiba", - "Topic: %(topic)s": "Téma: %(topic)s", - "%(creatorName)s created this room.": "%(creatorName)s hozta létre ezt a szobát.", - "Media omitted - file size limit exceeded": "Média nélkül – fájlméretkorlát túllépve", - "Media omitted": "Média nélkül", - "Current Timeline": "Jelenlegi idővonal", - "Specify a number of messages": "Üzenetek számának megadása", - "From the beginning": "Az elejétől", - "Plain Text": "Egyszerű szöveg", - "JSON": "JSON", - "HTML": "HTML", - "Are you sure you want to exit during this export?": "Biztos, hogy kilép az exportálás közben?", - "%(senderDisplayName)s sent a sticker.": "%(senderDisplayName)s matricát küldött.", - "%(senderDisplayName)s changed the room avatar.": "%(senderDisplayName)s megváltoztatta a szoba profilképét.", "I'll verify later": "Később ellenőrzöm", "Proceed with reset": "Lecserélés folytatása", "Skip verification for now": "Ellenőrzés kihagyása most", @@ -2440,7 +2370,6 @@ "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.", "Select from the options below to export chats from your timeline": "Az idővonalon a beszélgetés exportálásához tartozó beállítások kiválasztása", - "This is the start of export of . Exported by at %(exportDate)s.": "Ez a(z) szoba exportálásának kezdete. Exportálta: , időpont: %(exportDate)s.", "Create poll": "Szavazás létrehozása", "Updating spaces... (%(progress)s out of %(count)s)": { "one": "Terek frissítése…", @@ -2478,8 +2407,6 @@ "Developer mode": "Fejlesztői mód", "Joined": "Csatlakozott", "Insert link": "Link beillesztése", - "%(senderDisplayName)s changed who can join this room.": "%(senderDisplayName)s megváltoztatta, hogy ki léphet be ebbe a szobába.", - "%(senderDisplayName)s changed who can join this room. View settings.": "%(senderDisplayName)s megváltoztatta, hogy ki léphet be ebbe a szobába. Beállítások megtekintése.", "Joining": "Belépés", "Use high contrast": "Nagy kontraszt használata", "Light high contrast": "Világos, nagy kontrasztú", @@ -2615,25 +2542,6 @@ "Failed to end poll": "Nem sikerült a szavazás lezárása", "The poll has ended. Top answer: %(topAnswer)s": "A szavazás le lett zárva. Nyertes válasz: %(topAnswer)s", "The poll has ended. No votes were cast.": "A szavazás le lett zárva. Nem lettek leadva szavazatok.", - "Exported %(count)s events in %(seconds)s seconds": { - "one": "%(count)s esemény exportálva %(seconds)s másodperc alatt", - "other": "%(count)s esemény exportálva %(seconds)s másodperc alatt" - }, - "Export successful!": "Sikeres exportálás!", - "Fetched %(count)s events in %(seconds)ss": { - "one": "%(count)s esemény lekérve %(seconds)s másodperc alatt", - "other": "%(count)s esemény lekérve %(seconds)s másodperc alatt" - }, - "Processing event %(number)s out of %(total)s": "Esemény feldolgozása: %(number)s. / %(total)s", - "Fetched %(count)s events so far": { - "one": "Eddig %(count)s esemény lett lekérve", - "other": "Eddig %(count)s esemény lett lekérve" - }, - "Fetched %(count)s events out of %(total)s": { - "one": "%(count)s / %(total)s esemény lekérve", - "other": "%(count)s / %(total)s esemény lekérve" - }, - "Generating a ZIP": "ZIP előállítása", "We were unable to understand the given date (%(inputDate)s). Try using the format YYYY-MM-DD.": "A megadott dátum (%(inputDate)s) nem értelmezhető. Próbálja meg az ÉÉÉÉ-HH-NN formátum használatát.", "Failed to load list of rooms.": "A szobák listájának betöltése nem sikerült.", "Open in OpenStreetMap": "Megnyitás az OpenStreetMapen", @@ -2717,8 +2625,6 @@ "Automatically send debug logs on decryption errors": "Hibakeresési naplók automatikus küldése titkosítás-visszafejtési hiba esetén", "Remove, ban, or invite people to your active room, and make you leave": "Eltávolítani, kitiltani vagy meghívni embereket az aktív szobába és, hogy ön elhagyja a szobát", "Remove, ban, or invite people to this room, and make you leave": "Eltávolítani, kitiltani vagy meghívni embereket ebbe a szobába és, hogy ön elhagyja a szobát", - "%(senderName)s removed %(targetName)s": "%(senderName)s eltávolította a következőt: %(targetName)s", - "%(senderName)s removed %(targetName)s: %(reason)s": "%(senderName)s eltávolította a következőt: %(targetName)s. Ok: %(reason)s", "Removes user with given id from this room": "Eltávolítja a megadott azonosítójú felhasználót a szobából", "%(senderName)s has ended a poll": "%(senderName)s lezárta a szavazást", "%(senderName)s has started a poll - %(pollQuestion)s": "%(senderName)s szavazást indított - %(pollQuestion)s", @@ -2892,9 +2798,6 @@ "Live location ended": "Élő pozíció megosztás befejeződött", "Live until %(expiryTime)s": "Élő eddig: %(expiryTime)s", "Updated %(humanizedUpdateTime)s": "Frissítve %(humanizedUpdateTime)s", - "Create room": "Szoba létrehozása", - "Create video room": "Videó szoba készítése", - "Create a video room": "Videó szoba készítése", "%(featureName)s Beta feedback": "%(featureName)s béta visszajelzés", "View live location": "Élő földrajzi helyzet megtekintése", "Ban from room": "Kitiltás a szobából", @@ -3146,8 +3049,6 @@ "Unknown room": "Ismeretlen szoba", "resume voice broadcast": "hangközvetítés folytatása", "pause voice broadcast": "hangközvetítés szüneteltetése", - "Video call started in %(roomName)s. (not supported by this browser)": "Videóhívás indult itt: %(roomName)s. (ebben a böngészőben ez nem támogatott)", - "Video call started in %(roomName)s.": "Videóhívás indult itt: %(roomName)s.", "Room info": "Szoba információ", "View chat timeline": "Beszélgetés idővonal megjelenítése", "Close call": "Hívás befejezése", @@ -3362,11 +3263,7 @@ "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…", - "Creating output…": "Kimenet létrehozása…", - "Fetching events…": "Események lekérése…", "Starting export process…": "Exportálási folyamat indítása…", - "Creating HTML…": "HTML létrehozása…", - "Starting export…": "Exportálás kezdése…", "Unable to connect to Homeserver. Retrying…": "A Matrix-kiszolgálóval nem lehet felvenni a kapcsolatot. Újrapróbálkozás…", "Loading polls": "Szavazások betöltése", "Ended a poll": "Lezárta a szavazást", @@ -3444,7 +3341,6 @@ "%(sender)s reacted %(reaction)s to %(message)s": "%(sender)s ezzel a reagált: %(reaction)s, a következőre: %(message)s", "You reacted %(reaction)s to %(message)s": "Ezzel a reagált: %(reaction)s, a következőre: %(message)s", "Cannot invite user by email without an identity server. You can connect to one under \"Settings\".": "Matrix-kiszolgáló nélkül nem lehet felhasználókat meghívni e-mailben. Kapcsolódjon egyhez a „Beállítások” alatt.", - "%(oldDisplayName)s changed their display name and profile picture": "%(oldDisplayName)s megváltoztatta a megjelenítendő nevét és profilképét", "Failed to download source media, no source url was found": "A forrásmédia letöltése sikertelen, nem található forráswebcím", "Unable to create room with moderation bot": "Nem hozható létre szoba moderációs bottal", "common": { @@ -3527,7 +3423,9 @@ "not_trusted": "Megbízhatatlan", "accessibility": "Akadálymentesség", "server": "Kiszolgáló", - "capabilities": "Képességek" + "capabilities": "Képességek", + "unnamed_room": "Névtelen szoba", + "unnamed_space": "Névtelen tér" }, "action": { "continue": "Folytatás", @@ -3824,7 +3722,20 @@ "prompt_invite": "Kérdés a vélhetően hibás Matrix-azonosítóknak küldött meghívók elküldése előtt", "hardware_acceleration": "Hardveres gyorsítás bekapcsolása (a(z) %(appName)s alkalmazást újra kell indítani)", "start_automatically": "Automatikus indítás rendszerindítás után", - "warn_quit": "Figyelmeztetés kilépés előtt" + "warn_quit": "Figyelmeztetés kilépés előtt", + "notifications": { + "rule_contains_display_name": "A saját megjelenítendő nevét tartalmazó üzenetek", + "rule_contains_user_name": "A saját felhasználónevét tartalmazó üzenetek", + "rule_roomnotif": "A @room megemlítést tartalmazó üzenetek", + "rule_room_one_to_one": "A közvetlen csevegések üzenetei", + "rule_message": "A csoportos csevegések üzenetei", + "rule_encrypted": "A csoportos csevegések titkosított üzenetei", + "rule_invite_for_me": "Amikor meghívják egy szobába", + "rule_call": "Hívásmeghívások", + "rule_suppress_notices": "Botok üzenetei", + "rule_tombstone": "Amikor a szobák fejlesztésre kerülnek", + "rule_encrypted_room_one_to_one": "A közvetlen csevegések titkosított üzenetei" + } }, "devtools": { "send_custom_account_data_event": "Egyedi fiókadat esemény küldése", @@ -3911,5 +3822,118 @@ "developer_tools": "Fejlesztői eszközök", "room_id": "Szoba azon.: %(roomId)s", "event_id": "Esemény azon.: %(eventId)s" + }, + "export_chat": { + "html": "HTML", + "json": "JSON", + "text": "Egyszerű szöveg", + "from_the_beginning": "Az elejétől", + "number_of_messages": "Üzenetek számának megadása", + "current_timeline": "Jelenlegi idővonal", + "creating_html": "HTML létrehozása…", + "starting_export": "Exportálás kezdése…", + "export_successful": "Sikeres exportálás!", + "unload_confirm": "Biztos, hogy kilép az exportálás közben?", + "generating_zip": "ZIP előállítása", + "processing_event_n": "Esemény feldolgozása: %(number)s. / %(total)s", + "fetched_n_events_with_total": { + "one": "%(count)s / %(total)s esemény lekérve", + "other": "%(count)s / %(total)s esemény lekérve" + }, + "fetched_n_events": { + "one": "Eddig %(count)s esemény lett lekérve", + "other": "Eddig %(count)s esemény lett lekérve" + }, + "fetched_n_events_in_time": { + "one": "%(count)s esemény lekérve %(seconds)s másodperc alatt", + "other": "%(count)s esemény lekérve %(seconds)s másodperc alatt" + }, + "exported_n_events_in_time": { + "one": "%(count)s esemény exportálva %(seconds)s másodperc alatt", + "other": "%(count)s esemény exportálva %(seconds)s másodperc alatt" + }, + "media_omitted": "Média nélkül", + "media_omitted_file_size": "Média nélkül – fájlméretkorlát túllépve", + "creator_summary": "%(creatorName)s hozta létre ezt a szobát.", + "export_info": "Ez a(z) szoba exportálásának kezdete. Exportálta: , időpont: %(exportDate)s.", + "topic": "Téma: %(topic)s", + "error_fetching_file": "Fájlletöltési hiba", + "file_attached": "Fájl mellékelve", + "fetching_events": "Események lekérése…", + "creating_output": "Kimenet létrehozása…" + }, + "create_room": { + "title_video_room": "Videó szoba készítése", + "title_public_room": "Nyilvános szoba létrehozása", + "title_private_room": "Privát szoba létrehozása", + "action_create_video_room": "Videó szoba készítése", + "action_create_room": "Szoba létrehozása" + }, + "timeline": { + "m.call": { + "video_call_started": "Videóhívás indult itt: %(roomName)s.", + "video_call_started_unsupported": "Videóhívás indult itt: %(roomName)s. (ebben a böngészőben ez nem támogatott)" + }, + "m.call.invite": { + "voice_call": "%(senderName)s hanghívást indított.", + "voice_call_unsupported": "%(senderName)s hanghívást indított. (ebben a böngészőben nem támogatott)", + "video_call": "%(senderName)s videóhívást indított.", + "video_call_unsupported": "%(senderName)s videóhívást indított. (ebben a böngészőben nem támogatott)" + }, + "m.room.member": { + "accepted_3pid_invite": "%(targetName)s elfogadta a meghívást ide: %(displayName)s", + "accepted_invite": "%(targetName)s elfogadta a meghívást", + "invite": "%(senderName)s meghívta a következőt: %(targetName)s", + "ban_reason": "%(senderName)s kitiltotta a következőt: %(targetName)s, ok: %(reason)s", + "ban": "%(senderName)s kitiltotta a következőt: %(targetName)s", + "change_name_avatar": "%(oldDisplayName)s megváltoztatta a megjelenítendő nevét és profilképét", + "change_name": "s%(oldDisplayName)s a következőre változtatta a nevét: %(displayName)s", + "set_name": "%(senderName)s a következőre változtatta a megjelenítendő nevét: %(displayName)s", + "remove_name": "%(senderName)s törölte a megjelenítendő nevét (%(oldDisplayName)s)", + "remove_avatar": "%(senderName)s törölte a profilképét", + "change_avatar": "%(senderName)s megváltoztatta a profilképét", + "set_avatar": "%(senderName)s profilképet állított be", + "no_change": "%(senderName)s nem változtatott semmit", + "join": "%(targetName)s belépett a szobába", + "reject_invite": "%(targetName)s elutasította a meghívót", + "left_reason": "%(targetName)s elhagyta a szobát, ok: %(reason)s", + "left": "%(targetName)s elhagyta a szobát", + "unban": "%(senderName)s visszaengedte őt: %(targetName)s", + "withdrew_invite_reason": "%(senderName)s visszavonta %(targetName)s meghívóját, ok: %(reason)s", + "withdrew_invite": "%(senderName)s visszavonta %(targetName)s meghívóját", + "kick_reason": "%(senderName)s eltávolította a következőt: %(targetName)s. Ok: %(reason)s", + "kick": "%(senderName)s eltávolította a következőt: %(targetName)s" + }, + "m.room.topic": "%(senderDisplayName)s a következőre változtatta a témát: „%(topic)s”.", + "m.room.avatar": "%(senderDisplayName)s megváltoztatta a szoba profilképét.", + "m.room.name": { + "remove": "%(senderDisplayName)s törölte a szoba nevét.", + "change": "%(senderDisplayName)s megváltoztatta a szoba nevét erről: %(oldRoomName)s, erre: %(newRoomName)s.", + "set": "%(senderDisplayName)s a következőre változtatta a szoba nevét: %(roomName)s." + }, + "m.room.tombstone": "%(senderDisplayName)s fejlesztette a szobát.", + "m.room.join_rules": { + "public": "%(senderDisplayName)s elérhetővé tette a szobát bárkinek, aki ismeri a hivatkozást.", + "invite": "%(senderDisplayName)s beállította, hogy a szobába csak meghívóval lehessen belépni.", + "restricted_settings": "%(senderDisplayName)s megváltoztatta, hogy ki léphet be ebbe a szobába. Beállítások megtekintése.", + "restricted": "%(senderDisplayName)s megváltoztatta, hogy ki léphet be ebbe a szobába.", + "unknown": "%(senderDisplayName)s a belépési szabályt erre állította be: %(rule)s" + }, + "m.room.guest_access": { + "can_join": "%(senderDisplayName)s megengedte a vendégeknek, hogy beléphessenek a szobába.", + "forbidden": "%(senderDisplayName)s megtiltotta a vendégeknek, hogy belépjenek a szobába.", + "unknown": "%(senderDisplayName)s a vendégek hozzáférését erre állította be: %(rule)s" + }, + "m.image": "%(senderDisplayName)s képet küldött.", + "m.sticker": "%(senderDisplayName)s matricát küldött.", + "m.room.server_acl": { + "set": "%(senderDisplayName)s beállította a kiszolgálójogosultságokat a szobában.", + "changed": "%(senderDisplayName)s megváltoztatta a kiszolgálójogosultságokat a szobában.", + "all_servers_banned": "🎉 Minden kiszolgáló ki van tiltva! Ezt a szobát nem lehet többet használni." + }, + "m.room.canonical_alias": { + "set": "%(senderName)s erre állította az elsődleges szobacímet: %(address)s.", + "removed": "%(senderName)s törölte a szoba elsődleges címét." + } } } diff --git a/src/i18n/strings/id.json b/src/i18n/strings/id.json index 557fe9ce7af..de0d381003d 100644 --- a/src/i18n/strings/id.json +++ b/src/i18n/strings/id.json @@ -78,14 +78,10 @@ "Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or enable unsafe scripts.": "Tidak dapat terhubung ke homeserver melalui HTTP ketika URL di browser berupa HTTPS. Gunakan HTTPS atau aktifkan skrip yang tidak aman.", "%(senderName)s changed the power level of %(powerLevelDiffText)s.": "%(senderName)s telah mengubah tingkat kekuatan dari %(powerLevelDiffText)s.", "Changes your display nickname": "Ubah tampilan nama tampilan Anda", - "%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s telah menghapus nama ruangan.", - "%(senderDisplayName)s changed the room name to %(roomName)s.": "%(senderDisplayName)s telah mengubah nama ruang menjadi %(roomName)s.", - "%(senderDisplayName)s changed the topic to \"%(topic)s\".": "%(senderDisplayName)s telah mengubah topik menjadi \"%(topic)s\".", "Cryptography": "Kriptografi", "Decrypt %(text)s": "Dekripsi %(text)s", "Bans user with given id": "Blokir pengguna dengan id yang dicantumkan", "Sunday": "Minggu", - "Messages sent by bot": "Pesan dikirim oleh bot", "Notification targets": "Target notifikasi", "Today": "Hari Ini", "Notifications": "Notifikasi", @@ -95,8 +91,6 @@ "Waiting for response from server": "Menunggu respon dari server", "This Room": "Ruangan ini", "Noisy": "Berisik", - "Messages containing my display name": "Pesan yang berisi nama tampilan saya", - "Messages in one-to-one chats": "Pesan di obrolan satu-ke-satu", "Unavailable": "Tidak Tersedia", "powered by Matrix": "diberdayakan oleh Matrix", "All Rooms": "Semua Ruangan", @@ -116,13 +110,10 @@ "You cannot delete this message. (%(code)s)": "Anda tidak dapat menghapus pesan ini. (%(code)s)", "Send": "Kirim", "All messages": "Semua pesan", - "Call invitation": "Undangan panggilan", "What's new?": "Apa yang baru?", - "When I'm invited to a room": "Ketika saya diundang ke ruangan", "Invite to this room": "Undang ke ruangan ini", "Thursday": "Kamis", "Show message in desktop notification": "Tampilkan pesan di notifikasi desktop", - "Messages in group chats": "Pesan di obrolan grup", "Yesterday": "Kemarin", "Error encountered (%(errorDetail)s).": "Terjadi kesalahan (%(errorDetail)s).", "Low Priority": "Prioritas Rendah", @@ -139,30 +130,9 @@ "Explore rooms": "Jelajahi ruangan", "Create Account": "Buat Akun", "Identity server": "Server identitas", - "%(senderName)s banned %(targetName)s": "%(senderName)s mencekal %(targetName)s", "Prepends ┬──┬ ノ( ゜-゜ノ) to a plain-text message": "Menambahkan ┬──┬ ノ( ゜-゜ノ) ke pesan teks biasa", "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s, %(day)s %(monthName)s %(fullYear)s", "The call was answered on another device.": "Panggilan dijawab di perangkat lainnya.", - "%(senderName)s unbanned %(targetName)s": "%(senderName)s menghilangkan cekalan %(targetName)s", - "%(targetName)s left the room": "%(targetName)s keluar dari ruangan ini", - "%(targetName)s left the room: %(reason)s": "%(targetName)s keluar dari ruangan ini: %(reason)s", - "%(targetName)s rejected the invitation": "%(targetName)s menolak undangannya", - "%(targetName)s joined the room": "%(targetName)s bergabung dengan ruangan ini", - "%(senderName)s made no change": "%(senderName)s tidak membuat perubahan", - "%(senderName)s set a profile picture": "%(senderName)s mengatur foto profil", - "%(senderName)s changed their profile picture": "%(senderName)s mengubah foto profilnya", - "%(senderName)s removed their profile picture": "%(senderName)s menghilangkan foto profilnya", - "%(senderName)s removed their display name (%(oldDisplayName)s)": "%(senderName)s menghilangkan nama tampilannya (%(oldDisplayName)s)", - "%(senderName)s set their display name to %(displayName)s": "%(senderName)s mengatur nama tampilannya ke %(displayName)s", - "%(oldDisplayName)s changed their display name to %(displayName)s": "%(oldDisplayName)s mengubah nama tampilannya ke %(displayName)s", - "%(senderName)s invited %(targetName)s": "%(senderName)s mengundang %(targetName)s", - "%(senderName)s banned %(targetName)s: %(reason)s": "%(senderName)s mencekal %(targetName)s: %(reason)s", - "%(targetName)s accepted an invitation": "%(targetName)s menerima sebuah undangan", - "%(targetName)s accepted the invitation for %(displayName)s": "%(targetName)s menerima undangan %(displayName)s", - "%(senderName)s placed a video call. (not supported by this browser)": "%(senderName)s melakukan panggilan video. (tidak didukung oleh browser ini)", - "%(senderName)s placed a video call.": "%(senderName)s melakukan panggilan video.", - "%(senderName)s placed a voice call. (not supported by this browser)": "%(senderName)s melakukan panggilan suara. (tidak didukung oleh browser ini)", - "%(senderName)s placed a voice call.": "%(senderName)s melakukan panggilan video.", "Displays action": "Menampilkan aksi", "Converts the DM to a room": "Mengubah pesan langsung ke ruangan", "Converts the room to a DM": "Mengubah ruangan ini ke pesan langsung", @@ -499,7 +469,6 @@ "Only continue if you trust the owner of the server.": "Hanya lanjutkan jika Anda mempercayai pemilik server ini.", "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.": "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 has no terms of service": "Identitas server ini tidak memiliki syarat layanan", - "Unnamed Room": "Ruangan Tanpa Nama", "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s": "%(weekDayName)s, %(day)s %(monthName)s %(fullYear)s %(time)s", "%(weekDayName)s, %(monthName)s %(day)s %(time)s": "%(weekDayName)s, %(day)s %(monthName)s %(time)s", "%(weekDayName)s %(time)s": "%(weekDayName)s %(time)s", @@ -812,8 +781,6 @@ "Privileged Users": "Pengguna Istimewa", "URL Previews": "Tampilan URL", "Upload avatar": "Unggah avatar", - "JSON": "JSON", - "HTML": "HTML", "Report": "Laporkan", "Confirm passphrase": "Konfirmasi frasa sandi", "Enter passphrase": "Masukkan frasa sandi", @@ -848,8 +815,6 @@ "Connecting": "Menghubungkan", "%(senderName)s removed the rule banning users matching %(glob)s": "%(senderName)s menghapus peraturan pencekalan pengguna yang berisi %(glob)s", "Message deleted by %(name)s": "Pesan dihapus oleh %(name)s", - "%(senderDisplayName)s changed guest access to %(rule)s": "%(senderDisplayName)s mengubah akses tamu ke %(rule)s", - "%(senderName)s withdrew %(targetName)s's invitation: %(reason)s": "%(senderName)s menghapus undangannya %(targetName)s: %(reason)s", "%(senderName)s made future room history visible to unknown (%(visibility)s).": "%(senderName)s membuat semua riwayat ruangan di masa mendatang dapat dilihat oleh orang yang tidak dikenal (%(visibility)s).", "%(senderName)s removed the alternative addresses %(addresses)s for this room.": { "one": "%(senderName)s menghapus alamat alternatif %(addresses)s untuk ruangan ini.", @@ -924,25 +889,7 @@ "other": "%(senderName)s menambahkan alamat alternatif %(addresses)s untuk ruangan ini.", "one": "%(senderName)s menambahkan alamat alternatif %(addresses)s untuk ruangan ini." }, - "%(senderName)s removed the main address for this room.": "%(senderName)s menghapus alamat utamanya untuk ruangan ini.", - "%(senderName)s set the main address for this room to %(address)s.": "%(senderName)s mengatur alamat utama untuk ruangan ini ke %(address)s.", - "%(senderDisplayName)s sent a sticker.": "%(senderDisplayName)s mengirim sebuah stiker.", - "%(senderDisplayName)s sent an image.": "%(senderDisplayName)s mengirim sebuah gambar.", "Message deleted": "Pesan dihapus", - "🎉 All servers are banned from participating! This room can no longer be used.": "🎉 Semua server telah dicekal untuk berpartisipasi! Ruangan ini tidak dapat digunakan lagi.", - "%(senderDisplayName)s changed the server ACLs for this room.": "%(senderDisplayName)s mengubah ACL server untuk ruangan ini.", - "%(senderDisplayName)s set the server ACLs for this room.": "%(senderDisplayName)s mengatur ACL server untuk ruangan ini.", - "%(senderDisplayName)s has prevented guests from joining the room.": "%(senderDisplayName)s telah mencegah tamu untuk bergabung dengan ruangan ini.", - "%(senderDisplayName)s has allowed guests to join the room.": "%(senderDisplayName)s telah mengizinkan tamu untuk bergabung dengan ruangan ini.", - "%(senderDisplayName)s changed the join rule to %(rule)s": "%(senderDisplayName)s mengubah aturan bergabung ke %(rule)s", - "%(senderDisplayName)s changed who can join this room.": "%(senderDisplayName)s mengubah siapa saja yang dapat bergabung dengan ruangan ini.", - "%(senderDisplayName)s changed who can join this room. View settings.": "%(senderDisplayName)s mengubah siapa saja yang dapat bergabung dengan ruangan ini. Lihat pengaturan.", - "%(senderDisplayName)s made the room invite only.": "%(senderDisplayName)s telah membuat ruangan ini undangan saja.", - "%(senderDisplayName)s made the room public to whoever knows the link.": "%(senderDisplayName)s telah membuat ruangan ini publik kepada siapa saja yang tahu tautannya.", - "%(senderDisplayName)s upgraded this room.": "%(senderDisplayName)s meningkatkan ruangan ini.", - "%(senderDisplayName)s changed the room name from %(oldRoomName)s to %(newRoomName)s.": "%(senderDisplayName)s mengubah nama ruangan ini dari %(oldRoomName)s ke %(newRoomName)s.", - "%(senderDisplayName)s changed the room avatar.": "%(senderDisplayName)s mengubah avatar ruangan ini.", - "%(senderName)s withdrew %(targetName)s's invitation": "%(senderName)s menghapus undangannya %(targetName)s", "Error upgrading room": "Gagal meningkatkan ruangan", "Short keyboard patterns are easy to guess": "Pola keyboard yang pendek mudah ditebak", "Straight rows of keys are easy to guess": "Deretan tombol keyboard yang lurus mudah ditebak", @@ -1207,7 +1154,6 @@ "Accept to continue:": "Terima untuk melanjutkan:", "Your server isn't responding to some requests.": "Server Anda tidak menanggapi beberapa permintaan.", "Update %(brand)s": "Perbarui %(brand)s", - "This is the start of export of . Exported by at %(exportDate)s.": "Ini adalah awalan dari ekspor . Diekspor oleh di %(exportDate)s.", "Waiting for %(displayName)s to verify…": "Menunggu %(displayName)s untuk memverifikasi…", "To be secure, do this in person or use a trusted way to communicate.": "Supaya aman, lakukan ini secara langsung atau gunakan cara lain yang terpercaya untuk berkomunikasi.", "They match": "Mereka cocok", @@ -1247,11 +1193,6 @@ "Sends the given message with confetti": "Kirim pesan dengan konfeti", "This is your list of users/servers you have blocked - don't leave the room!": "Ini adalah daftar pengguna/server Anda telah blokir — jangan tinggalkan ruangan ini!", "My Ban List": "Daftar Cekalan Saya", - "When rooms are upgraded": "Ketika ruangan telah ditingkatkan", - "Encrypted messages in group chats": "Pesan terenkripsi di grup", - "Encrypted messages in one-to-one chats": "Pesan terenkripsi di pesan langsung", - "Messages containing @room": "Pesan yang berisi @room", - "Messages containing my username": "Pesan yang berisi nama tampilan saya", "Downloading logs": "Mengunduh catatan", "Uploading logs": "Mengunggah catatan", "Automatically send debug logs on any error": "Kirim catatan pengawakutu secara otomatis saat ada kesalahan", @@ -1309,17 +1250,6 @@ "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", - "File Attached": "File Dilampirkan", - "Error fetching file": "Terjadi kesalahan saat mendapatkan file", - "Topic: %(topic)s": "Topik: %(topic)s", - "%(creatorName)s created this room.": "%(creatorName)s membuat ruangan ini.", - "Media omitted - file size limit exceeded": "Media tidak disertakan — melebihi batas ukuran file", - "Media omitted": "Media tidak disertakan", - "Current Timeline": "Lini Masa Saat Ini", - "Specify a number of messages": "Tentukan berapa pesan", - "From the beginning": "Dari awal", - "Plain Text": "Teks Biasa", - "Are you sure you want to exit during this export?": "Apakah Anda yakin untuk membatalkan ekspor ini?", "Unknown App": "Aplikasi Tidak Diketahui", "Share your public space": "Bagikan space publik Anda", "Invite to %(spaceName)s": "Undang ke %(spaceName)s", @@ -1835,8 +1765,6 @@ "Private room (invite only)": "Ruangan privat (undangan saja)", "Room visibility": "Visibilitas ruangan", "Topic (optional)": "Topik (opsional)", - "Create a private room": "Buat sebuah ruangan privat", - "Create a public room": "Buat sebuah ruangan publik", "You might disable this if the room will be used for collaborating with external teams who have their own homeserver. This cannot be changed later.": "Anda mungkin menonaktifkannya jika ruangan ini akan digunakan untuk berkolabroasi dengan tim eksternal yang mempunyai homeserver sendiri. Ini tidak dapat diubah nanti.", "You might enable this if the room will only be used for collaborating with internal teams on your homeserver. This cannot be changed later.": "Anda mungkin aktifkan jika ruangan ini hanya digunakan untuk berkolabroasi dengan tim internal di homeserver Anda. Ini tidak dapat diubah nanti.", "Enable end-to-end encryption": "Aktifkan enkripsi ujung ke ujung", @@ -2473,7 +2401,6 @@ "Invite someone using their name, username (like ) or share this space.": "Undang seseorang menggunakan namanya, nama pengguna (seperti ) atau bagikan space ini.", "Invite someone using their name, email address, username (like ) or share this space.": "Undang seseorang menggunakan namanya, alamat email, nama pengguna (seperti ) atau bagikan space ini.", "Invite to %(roomName)s": "Undang ke %(roomName)s", - "Unnamed Space": "Space Tidak Dinamai", "Or send invite link": "Atau kirim tautan undangan", "If you can't see who you're looking for, send them your invite link below.": "Jika Anda tidak dapat menemukan siapa yang Anda mencari, kirimkan tautan undangan Anda di bawah.", "Some suggestions may be hidden for privacy.": "Beberapa saran mungkin disembunyikan untuk privasi.", @@ -2631,25 +2558,6 @@ "Including you, %(commaSeparatedMembers)s": "Termasuk Anda, %(commaSeparatedMembers)s", "Copy room link": "Salin tautan ruangan", "We were unable to understand the given date (%(inputDate)s). Try using the format YYYY-MM-DD.": "Kami tidak dapat mengerti tanggal yang dicantumkan (%(inputDate)s). Coba menggunakan format TTTT-BB-HH.", - "Exported %(count)s events in %(seconds)s seconds": { - "one": "Telah mengekspor %(count)s peristiwa dalam %(seconds)s detik", - "other": "Telah mengekspor %(count)s peristiwa dalam %(seconds)s detik" - }, - "Export successful!": "Pengeksporan berhasil!", - "Fetched %(count)s events in %(seconds)ss": { - "one": "Telah mendapatkan %(count)s peristiwa dalam %(seconds)sd", - "other": "Telah mendapatkan %(count)s peristiwa dalam %(seconds)sd" - }, - "Processing event %(number)s out of %(total)s": "Memproses peristiwa %(number)s dari %(total)s peristiwa", - "Fetched %(count)s events so far": { - "one": "Telah mendapatkan %(count)s peristiwa sejauh ini", - "other": "Telah mendapatkan %(count)s peristiwa sejauh ini" - }, - "Fetched %(count)s events out of %(total)s": { - "one": "Mendapatkan %(count)s peristiwa dari %(total)s peristiwa", - "other": "Mendapatkan %(count)s peristiwa dari %(total)s peristiwa" - }, - "Generating a ZIP": "Membuat sebuah ZIP", "This groups your chats with members of this space. Turning this off will hide those chats from your view of %(spaceName)s.": "Ini mengelompokkan obrolan Anda dengan anggota space ini. Menonaktifkan ini akan menyembunyikan obrolan dari tampilan %(spaceName)s Anda.", "Sections to show": "Bagian untuk ditampilkan", "Failed to load list of rooms.": "Gagal untuk memuat daftar ruangan.", @@ -2697,8 +2605,6 @@ "Automatically send debug logs on decryption errors": "Kirim catatan pengawakutu secara otomatis ketika terjadi kesalahan pendekripsian", "Remove from %(roomName)s": "Keluarkan dari %(roomName)s", "You were removed from %(roomName)s by %(memberName)s": "Anda telah dikeluarkan dari %(roomName)s oleh %(memberName)s", - "%(senderName)s removed %(targetName)s": "%(senderName)s mengeluarkan %(targetName)s", - "%(senderName)s removed %(targetName)s: %(reason)s": "%(senderName)s mengeluarkan %(targetName)s: %(reason)s", "was removed %(count)s times": { "one": "dikeluarkan", "other": "dikeluarkan %(count)s kali" @@ -2897,9 +2803,6 @@ "You do not have permission to invite people to this space.": "Anda tidak memiliki izin untuk mengundang seseorang ke space ini.", "Failed to invite users to %(roomName)s": "Gagal mengundang pengguna ke %(roomName)s", "An error occurred while stopping your live location, please try again": "Sebuah kesalahan terjadi saat menghentikan lokasi langsung Anda, mohon coba lagi", - "Create room": "Buat ruangan", - "Create video room": "Buat ruangan video", - "Create a video room": "Buat sebuah ruangan video", "%(count)s participants": { "one": "1 perserta", "other": "%(count)s perserta" @@ -3160,8 +3063,6 @@ "Sorry — this call is currently full": "Maaf — panggilan ini saat ini penuh", "Video call started": "Panggilan video dimulai", "Unknown room": "Ruangan yang tidak diketahui", - "Video call started in %(roomName)s. (not supported by this browser)": "Panggilan video dimulai di %(roomName)s. (tidak didukung oleh peramban ini)", - "Video call started in %(roomName)s.": "Panggilan video dimulai di %(roomName)s.", "resume voice broadcast": "lanjutkan siaran suara", "pause voice broadcast": "jeda siaran suara", "Notifications silenced": "Notifikasi dibisukan", @@ -3330,7 +3231,6 @@ "Warning: upgrading a room will not automatically migrate room members to the new version of the room. We'll post a link to the new room in the old version of the room - room members will have to click this link to join the new room.": "Peringatan: meningkatkan sebuah ruangan tidak akan memindahkan anggota ruang ke versi baru ruangan secara otomatis. Kami akan mengirimkan sebuah tautan ke ruangan yang baru di versi lama ruangan - anggota ruangan harus mengeklik tautan ini untuk bergabung dengan ruangan yang baru.", "Your personal ban list holds all the users/servers you personally don't want to see messages from. After ignoring your first user/server, a new room will show up in your room list named '%(myBanList)s' - stay in this room to keep the ban list in effect.": "Daftar larangan pribadi Anda menampung semua pengguna/server yang secara pribadi tidak ingin Anda lihat pesannya. Setelah mengabaikan pengguna/server pertama Anda, sebuah ruangan yang baru akan muncul di daftar ruangan Anda yang bernama '%(myBanList)s' - tetaplah di ruangan ini agar daftar larangan tetap berlaku.", "WARNING: session already verified, but keys do NOT MATCH!": "PERINGATAN: sesi telah diverifikasi, tetapi kuncinya TIDAK COCOK!", - "Starting export…": "Memulai pengeksporan…", "Unable to connect to Homeserver. Retrying…": "Tidak dapat menghubungkan ke Homeserver. Mencoba ulang…", "Starting backup…": "Memulai pencadangan…", "Please only proceed if you're sure you've lost all of your other devices and your Security Key.": "Hanya lanjutkan jika Anda yakin Anda telah kehilangan semua perangkat lainnya dan kunci keamanan Anda.", @@ -3361,10 +3261,7 @@ "Connecting to integration manager…": "Menghubungkan ke pengelola integrasi…", "Saving…": "Menyimpan…", "Creating…": "Membuat…", - "Creating output…": "Membuat keluaran…", - "Fetching events…": "Mendapatkan peristiwa…", "Starting export process…": "Memulai proses pengeksporan…", - "Creating HTML…": "Membuat HTML…", "Enter a Security Phrase only you know, as it's used to safeguard your data. To be secure, you shouldn't re-use your account password.": "Masukkan frasa keamanan yang hanya Anda tahu, yang digunakan untuk mengamankan data Anda. Supaya aman, jangan menggunakan ulang kata sandi akun Anda.", "Secure Backup successful": "Pencadangan Aman berhasil", "Your keys are now being backed up from this device.": "Kunci Anda sekarang dicadangkan dari perangkat ini.", @@ -3449,7 +3346,6 @@ "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", - "%(oldDisplayName)s changed their display name and profile picture": "%(oldDisplayName)s mengubah nama tampilan dan foto profilnya", "Your language": "Bahasa Anda", "Your device ID": "ID perangkat Anda", "Try using %(server)s": "Coba gunakan %(server)s", @@ -3505,11 +3401,7 @@ "Something went wrong.": "Ada sesuatu yang salah.", "Changes your profile picture in this current room only": "Mengubah foto profil Anda di ruangan saat ini saja", "Changes your profile picture in all rooms": "Ubah foto profil Anda dalam semua ruangan", - "%(senderDisplayName)s changed the join rule to ask to join.": "%(senderDisplayName)s mengubah peraturan bergabung menjadi bertanya untuk bergabung.", "User cannot be invited until they are unbanned": "Pengguna tidak dapat diundang sampai dibatalkan cekalannya", - "Previous group of messages": "Grup pesan sebelumnya", - "Next group of messages": "Grup pesan berikutnya", - "Exported Data": "Data Terekspor", "Views room with given address": "Menampilkan ruangan dengan alamat yang ditentukan", "Notification Settings": "Pengaturan Notifikasi", "This homeserver doesn't offer any login flows that are supported by this client.": "Homeserver ini tidak menawarkan alur masuk yang tidak didukung oleh klien ini.", @@ -3614,7 +3506,9 @@ "not_trusted": "Tidak dipercayai", "accessibility": "Aksesibilitas", "server": "Server", - "capabilities": "Kemampuan" + "capabilities": "Kemampuan", + "unnamed_room": "Ruangan Tanpa Nama", + "unnamed_space": "Space Tidak Dinamai" }, "action": { "continue": "Lanjut", @@ -3920,7 +3814,20 @@ "prompt_invite": "Tanyakan sebelum mengirim undangan ke ID Matrix yang mungkin tidak absah", "hardware_acceleration": "Aktifkan akselerasi perangkat keras (mulai ulang %(appName)s untuk mengaktifkan)", "start_automatically": "Mulai setelah login sistem secara otomatis", - "warn_quit": "Beri tahu sebelum keluar" + "warn_quit": "Beri tahu sebelum keluar", + "notifications": { + "rule_contains_display_name": "Pesan yang berisi nama tampilan saya", + "rule_contains_user_name": "Pesan yang berisi nama tampilan saya", + "rule_roomnotif": "Pesan yang berisi @room", + "rule_room_one_to_one": "Pesan di obrolan satu-ke-satu", + "rule_message": "Pesan di obrolan grup", + "rule_encrypted": "Pesan terenkripsi di grup", + "rule_invite_for_me": "Ketika saya diundang ke ruangan", + "rule_call": "Undangan panggilan", + "rule_suppress_notices": "Pesan dikirim oleh bot", + "rule_tombstone": "Ketika ruangan telah ditingkatkan", + "rule_encrypted_room_one_to_one": "Pesan terenkripsi di pesan langsung" + } }, "devtools": { "send_custom_account_data_event": "Kirim peristiwa data akun kustom", @@ -4012,5 +3919,122 @@ "room_id": "ID ruangan: %(roomId)s", "thread_root_id": "ID Akar Utas: %(threadRootId)s", "event_id": "ID peristiwa: %(eventId)s" + }, + "export_chat": { + "html": "HTML", + "json": "JSON", + "text": "Teks Biasa", + "from_the_beginning": "Dari awal", + "number_of_messages": "Tentukan berapa pesan", + "current_timeline": "Lini Masa Saat Ini", + "creating_html": "Membuat HTML…", + "starting_export": "Memulai pengeksporan…", + "export_successful": "Pengeksporan berhasil!", + "unload_confirm": "Apakah Anda yakin untuk membatalkan ekspor ini?", + "generating_zip": "Membuat sebuah ZIP", + "processing_event_n": "Memproses peristiwa %(number)s dari %(total)s peristiwa", + "fetched_n_events_with_total": { + "one": "Mendapatkan %(count)s peristiwa dari %(total)s peristiwa", + "other": "Mendapatkan %(count)s peristiwa dari %(total)s peristiwa" + }, + "fetched_n_events": { + "one": "Telah mendapatkan %(count)s peristiwa sejauh ini", + "other": "Telah mendapatkan %(count)s peristiwa sejauh ini" + }, + "fetched_n_events_in_time": { + "one": "Telah mendapatkan %(count)s peristiwa dalam %(seconds)sd", + "other": "Telah mendapatkan %(count)s peristiwa dalam %(seconds)sd" + }, + "exported_n_events_in_time": { + "one": "Telah mengekspor %(count)s peristiwa dalam %(seconds)s detik", + "other": "Telah mengekspor %(count)s peristiwa dalam %(seconds)s detik" + }, + "media_omitted": "Media tidak disertakan", + "media_omitted_file_size": "Media tidak disertakan — melebihi batas ukuran file", + "creator_summary": "%(creatorName)s membuat ruangan ini.", + "export_info": "Ini adalah awalan dari ekspor . Diekspor oleh di %(exportDate)s.", + "topic": "Topik: %(topic)s", + "previous_page": "Grup pesan sebelumnya", + "next_page": "Grup pesan berikutnya", + "html_title": "Data Terekspor", + "error_fetching_file": "Terjadi kesalahan saat mendapatkan file", + "file_attached": "File Dilampirkan", + "fetching_events": "Mendapatkan peristiwa…", + "creating_output": "Membuat keluaran…" + }, + "create_room": { + "title_video_room": "Buat sebuah ruangan video", + "title_public_room": "Buat sebuah ruangan publik", + "title_private_room": "Buat sebuah ruangan privat", + "action_create_video_room": "Buat ruangan video", + "action_create_room": "Buat ruangan" + }, + "timeline": { + "m.call": { + "video_call_started": "Panggilan video dimulai di %(roomName)s.", + "video_call_started_unsupported": "Panggilan video dimulai di %(roomName)s. (tidak didukung oleh peramban ini)" + }, + "m.call.invite": { + "voice_call": "%(senderName)s melakukan panggilan video.", + "voice_call_unsupported": "%(senderName)s melakukan panggilan suara. (tidak didukung oleh browser ini)", + "video_call": "%(senderName)s melakukan panggilan video.", + "video_call_unsupported": "%(senderName)s melakukan panggilan video. (tidak didukung oleh browser ini)" + }, + "m.room.member": { + "accepted_3pid_invite": "%(targetName)s menerima undangan %(displayName)s", + "accepted_invite": "%(targetName)s menerima sebuah undangan", + "invite": "%(senderName)s mengundang %(targetName)s", + "ban_reason": "%(senderName)s mencekal %(targetName)s: %(reason)s", + "ban": "%(senderName)s mencekal %(targetName)s", + "change_name_avatar": "%(oldDisplayName)s mengubah nama tampilan dan foto profilnya", + "change_name": "%(oldDisplayName)s mengubah nama tampilannya ke %(displayName)s", + "set_name": "%(senderName)s mengatur nama tampilannya ke %(displayName)s", + "remove_name": "%(senderName)s menghilangkan nama tampilannya (%(oldDisplayName)s)", + "remove_avatar": "%(senderName)s menghilangkan foto profilnya", + "change_avatar": "%(senderName)s mengubah foto profilnya", + "set_avatar": "%(senderName)s mengatur foto profil", + "no_change": "%(senderName)s tidak membuat perubahan", + "join": "%(targetName)s bergabung dengan ruangan ini", + "reject_invite": "%(targetName)s menolak undangannya", + "left_reason": "%(targetName)s keluar dari ruangan ini: %(reason)s", + "left": "%(targetName)s keluar dari ruangan ini", + "unban": "%(senderName)s menghilangkan cekalan %(targetName)s", + "withdrew_invite_reason": "%(senderName)s menghapus undangannya %(targetName)s: %(reason)s", + "withdrew_invite": "%(senderName)s menghapus undangannya %(targetName)s", + "kick_reason": "%(senderName)s mengeluarkan %(targetName)s: %(reason)s", + "kick": "%(senderName)s mengeluarkan %(targetName)s" + }, + "m.room.topic": "%(senderDisplayName)s telah mengubah topik menjadi \"%(topic)s\".", + "m.room.avatar": "%(senderDisplayName)s mengubah avatar ruangan ini.", + "m.room.name": { + "remove": "%(senderDisplayName)s telah menghapus nama ruangan.", + "change": "%(senderDisplayName)s mengubah nama ruangan ini dari %(oldRoomName)s ke %(newRoomName)s.", + "set": "%(senderDisplayName)s telah mengubah nama ruang menjadi %(roomName)s." + }, + "m.room.tombstone": "%(senderDisplayName)s meningkatkan ruangan ini.", + "m.room.join_rules": { + "public": "%(senderDisplayName)s telah membuat ruangan ini publik kepada siapa saja yang tahu tautannya.", + "invite": "%(senderDisplayName)s telah membuat ruangan ini undangan saja.", + "knock": "%(senderDisplayName)s mengubah peraturan bergabung menjadi bertanya untuk bergabung.", + "restricted_settings": "%(senderDisplayName)s mengubah siapa saja yang dapat bergabung dengan ruangan ini. Lihat pengaturan.", + "restricted": "%(senderDisplayName)s mengubah siapa saja yang dapat bergabung dengan ruangan ini.", + "unknown": "%(senderDisplayName)s mengubah aturan bergabung ke %(rule)s" + }, + "m.room.guest_access": { + "can_join": "%(senderDisplayName)s telah mengizinkan tamu untuk bergabung dengan ruangan ini.", + "forbidden": "%(senderDisplayName)s telah mencegah tamu untuk bergabung dengan ruangan ini.", + "unknown": "%(senderDisplayName)s mengubah akses tamu ke %(rule)s" + }, + "m.image": "%(senderDisplayName)s mengirim sebuah gambar.", + "m.sticker": "%(senderDisplayName)s mengirim sebuah stiker.", + "m.room.server_acl": { + "set": "%(senderDisplayName)s mengatur ACL server untuk ruangan ini.", + "changed": "%(senderDisplayName)s mengubah ACL server untuk ruangan ini.", + "all_servers_banned": "🎉 Semua server telah dicekal untuk berpartisipasi! Ruangan ini tidak dapat digunakan lagi." + }, + "m.room.canonical_alias": { + "set": "%(senderName)s mengatur alamat utama untuk ruangan ini ke %(address)s.", + "removed": "%(senderName)s menghapus alamat utamanya untuk ruangan ini." + } } } diff --git a/src/i18n/strings/is.json b/src/i18n/strings/is.json index b8d317069f5..f50ed025057 100644 --- a/src/i18n/strings/is.json +++ b/src/i18n/strings/is.json @@ -46,17 +46,10 @@ "Usage": "Notkun", "Reason": "Ástæða", "Send": "Senda", - "Unnamed Room": "Nafnlaus spjallrás", "Send analytics data": "Senda greiningargögn", "Collecting app version information": "Safna upplýsingum um útgáfu smáforrits", "Collecting logs": "Safna atvikaskrám", "Waiting for response from server": "Bíð eftir svari frá vefþjóni", - "Messages containing my display name": "Skilaboð sem innihalda birtingarnafn mitt", - "Messages in one-to-one chats": "Skilaboð í maður-á-mann spjalli", - "Messages in group chats": "Skilaboð í hópaspjalli", - "When I'm invited to a room": "Þegar mér er boðið á spjallrás", - "Call invitation": "Boð um þátttöku í símtali", - "Messages sent by bot": "Skilaboð send af vélmennum", "Phone": "Sími", "Export E2E room keys": "Flytja út E2E dulritunarlykla spjallrásar", "Current password": "Núverandi lykilorð", @@ -184,10 +177,6 @@ "Missing roomId.": "Vantar spjallrásarauðkenni.", "Ignored user": "Hunsaður notandi", "Verified key": "Staðfestur dulritunarlykill", - "%(senderDisplayName)s changed the topic to \"%(topic)s\".": "%(senderDisplayName)s breytti umræðuefninu í \"%(topic)s\".", - "%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s fjarlægði heiti spjallrásarinnar.", - "%(senderDisplayName)s changed the room name to %(roomName)s.": "%(senderDisplayName)s breytti heiti spjallrásarinnar í %(roomName)s.", - "%(senderDisplayName)s sent an image.": "%(senderDisplayName)s sendi mynd.", "Delete Widget": "Eyða viðmótshluta", "Delete widget": "Eyða viðmótshluta", "Create new room": "Búa til nýja spjallrás", @@ -717,31 +706,9 @@ "Use app": "Nota smáforrit", "Later": "Seinna", "That's fine": "Það er í góðu", - "Topic: %(topic)s": "Umfjöllunarefni: %(topic)s", - "Current Timeline": "Núverandi tímalína", - "From the beginning": "Frá byrjun", - "Plain Text": "Ósniðinn texti", - "JSON": "JSON", - "HTML": "HTML", "Unknown App": "Óþekkt forrit", "%(displayName)s is typing …": "%(displayName)s er að skrifa…", "Light high contrast": "Ljóst með mikil birtuskil", - "%(targetName)s left the room": "%(targetName)s yfirgaf spjallsvæðið", - "%(targetName)s left the room: %(reason)s": "%(targetName)s yfirgaf spjallsvæðið: %(reason)s", - "%(targetName)s rejected the invitation": "%(targetName)s hafnaði boðinu", - "%(targetName)s joined the room": "%(targetName)s kom inn á spjallsvæðið", - "%(senderName)s made no change": "%(senderName)s gerði enga breytingu", - "%(senderName)s removed their display name (%(oldDisplayName)s)": "%(senderName)s fjarlægði birtingarnafn sitt (%(oldDisplayName)s)", - "%(senderName)s set their display name to %(displayName)s": "%(senderName)s setti birtingarnafn sitt sem %(displayName)s", - "%(oldDisplayName)s changed their display name to %(displayName)s": "%(oldDisplayName)s breytti birtingarnafni sínu í %(displayName)s", - "%(senderName)s banned %(targetName)s": "%(senderName)s bannaði %(targetName)s", - "%(senderName)s banned %(targetName)s: %(reason)s": "%(senderName)s bannaði %(targetName)s: %(reason)s", - "%(senderName)s invited %(targetName)s": "%(senderName)s bauð %(targetName)s", - "%(targetName)s accepted an invitation": "%(targetName)s samþykkti boð", - "%(senderName)s placed a video call. (not supported by this browser)": "%(senderName)s hringdi myndsímtal. (Ekki stutt af þessum vafra)", - "%(senderName)s placed a video call.": "%(senderName)s hringdi myndsímtal.", - "%(senderName)s placed a voice call. (not supported by this browser)": "%(senderName)s hringdi raddsímtal. (Ekki stutt af þessum vafra)", - "%(senderName)s placed a voice call.": "%(senderName)s hringdi raddsímtal.", "Use an identity server": "Nota auðkennisþjón", "Sets the room name": "Stillir heiti spjallrásar", "Effects": "Brellur", @@ -772,7 +739,6 @@ " 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", - "Messages containing my username": "Skilaboð sem innihalda notandanafn mitt", "Call failed due to misconfigured server": "Símtal mistókst vegna vanstillingar netþjóns", "The call was answered on another device.": "Símtalinu var svarað á öðru tæki.", "The call could not be established": "Ekki tókst að koma símtalinu á", @@ -854,7 +820,6 @@ "Upload completed": "Innsendingu er lokið", "User Directory": "Mappa notanda", "Transfer": "Flutningur", - "Unnamed Space": "Nafnlaust svæði", "Terms of Service": "Þjónustuskilmálar", "Message preview": "Forskoðun skilaboða", "Sent": "Sent", @@ -868,8 +833,6 @@ "Public room": "Almenningsspjallrás", "Private room (invite only)": "Einkaspjallrás (einungis gegn boði)", "Room visibility": "Sýnileiki spjallrásar", - "Create a private room": "Búa til einkaspjallrás", - "Create a public room": "Búa til opinbera almenningsspjallrás", "Notes": "Minnispunktar", "Want to add a new room instead?": "Viltu frekar bæta við nýrri spjallrás?", "Add existing rooms": "Bæta við fyrirliggjandi spjallrásum", @@ -1016,8 +979,6 @@ "Match system theme": "Samsvara þema kerfis", "Messaging": "Skilaboð", "%(senderName)s: %(stickerName)s": "%(senderName)s: %(stickerName)s", - "File Attached": "Viðhengd skrá", - "Export successful!": "Útflutningur tókst!", "Share your public space": "Deildu opinbera svæðinu þínu", "Invite to %(spaceName)s": "Bjóða inn á %(spaceName)s", "Short keyboard patterns are easy to guess": "Auðvelt er að giska á styttri mynstur á lyklaborði", @@ -1047,8 +1008,6 @@ "Send stickers into your active room": "Senda límmerki á virku spjallrásina þína", "Send stickers into this room": "Senda límmerki á þessa spjallrás", "%(senderName)s changed the pinned messages for the room.": "%(senderName)s breytti föstum skilaboðum fyrir spjallrásina.", - "%(senderDisplayName)s sent a sticker.": "%(senderDisplayName)s sendi límmerki.", - "%(targetName)s accepted the invitation for %(displayName)s": "%(targetName)s samþykkti boð um að taka þátt í %(displayName)s", "Are you sure you want to cancel entering passphrase?": "Viltu örugglega hætta við að setja inn lykilfrasa?", "Cancel entering passphrase?": "Hætta við að setja inn lykilfrasa?", "Connectivity to the server has been lost": "Tenging við vefþjón hefur rofnað", @@ -1060,19 +1019,6 @@ "%(senderName)s has ended a poll": "%(senderName)s hefur lokið könnun", "%(senderName)s has started a poll - %(pollQuestion)s": "%(senderName)s hefur sett í gang könnun - %(pollQuestion)s", "%(senderName)s has shared their location": "%(senderName)s hefur deilt staðsetningu sinni", - "%(senderDisplayName)s changed guest access to %(rule)s": "%(senderDisplayName)s breytti gestaaðgangi í %(rule)s", - "%(senderDisplayName)s made the room public to whoever knows the link.": "%(senderDisplayName)s gerði spjallrásina opinbera fyrir hverja þá sem þekkja slóðina á hana.", - "%(senderDisplayName)s upgraded this room.": "%(senderDisplayName)s uppfærði þessa spjallrás.", - "%(senderDisplayName)s changed the room name from %(oldRoomName)s to %(newRoomName)s.": "%(senderDisplayName)s breytti heiti spjallrásarinnar úr %(oldRoomName)s yfir í %(newRoomName)s.", - "%(senderDisplayName)s changed the room avatar.": "%(senderDisplayName)s breytti auðkennismynd spjallrásarinnar.", - "%(senderName)s removed %(targetName)s": "%(senderName)s fjarlægði %(targetName)s", - "%(senderName)s removed %(targetName)s: %(reason)s": "%(senderName)s fjarlægði %(targetName)s: %(reason)s", - "%(senderName)s withdrew %(targetName)s's invitation": "%(senderName)s tók til baka boð til %(targetName)s", - "%(senderName)s withdrew %(targetName)s's invitation: %(reason)s": "%(senderName)s tók til baka boð til %(targetName)s: %(reason)s", - "%(senderName)s unbanned %(targetName)s": "%(senderName)s tók bann af %(targetName)s", - "%(senderName)s set a profile picture": "%(senderName)s stillti notandamynd", - "%(senderName)s changed their profile picture": "%(senderName)s breytti notandamyndinni sinni", - "%(senderName)s removed their profile picture": "%(senderName)s fjarlægði notandamyndina sína", "You are no longer ignoring %(userId)s": "Þú ert ekki lengur að hunsa %(userId)s", "Unignored user": "Ekki-hunsaður notandi", "Ignores a user, hiding their messages from you": "Hunsar notanda, felur skilaboð viðkomandi fyrir þér", @@ -1185,8 +1131,6 @@ "Upgrading room": "Uppfæri spjallrás", "cached locally": "í staðværu skyndiminni", "Show all rooms": "Sýna allar spjallrásir", - "When rooms are upgraded": "Þegar spjallrásir eru uppfærðar", - "Messages containing @room": "Skilaboð sem innihalda @room", "Other rooms": "Aðrar spjallrásir", "Encryption upgrade available": "Uppfærsla dulritunar tiltæk", "Contact your server admin.": "Hafðu samband við kerfisstjórann þinn.", @@ -1200,30 +1144,6 @@ "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", "Help improve %(analyticsOwner)s": "Hjálpaðu okkur að bæta %(analyticsOwner)s", - "Exported %(count)s events in %(seconds)s seconds": { - "one": "Flutti út %(count)s atburð á %(seconds)ssek", - "other": "Flutti út %(count)s atburði á %(seconds)ssek" - }, - "Fetched %(count)s events in %(seconds)ss": { - "one": "Hef náð í %(count)s atburð á %(seconds)ssek", - "other": "Hef náð í %(count)s atburði á %(seconds)ssek" - }, - "Processing event %(number)s out of %(total)s": "Vinn með atburð %(number)s af %(total)s", - "Error fetching file": "Villa við að sækja skrá", - "%(creatorName)s created this room.": "%(creatorName)s bjó til þessa spjallrás.", - "Media omitted - file size limit exceeded": "Myndefni sleppt - skráastærð fer fram úr hámarki", - "Media omitted": "Myndefni sleppt", - "Fetched %(count)s events so far": { - "one": "Hef náð í %(count)s atburð að svo komnu", - "other": "Hef náð í %(count)s atburði að svo komnu" - }, - "Fetched %(count)s events out of %(total)s": { - "one": "Hef náð í %(count)s atburð af %(total)s", - "other": "Hef náð í %(count)s atburði af %(total)s" - }, - "Specify a number of messages": "Skilgreindu fjölda skilaboða", - "Generating a ZIP": "Útbý ZIP-safnskrá", - "Are you sure you want to exit during this export?": "Ertu viss um að þú viljir hætta á meðan þessum útflutningi stendur?", "Error upgrading room": "Villa við að uppfæra spjallrás", "Predictable substitutions like '@' instead of 'a' don't help very much": "Augljósar útskiptingar á borð við '@' í stað 'a' hjálpa ekki mikið", "Use a longer keyboard pattern with more turns": "Notaðu lengri lyklaborðsmynstur með fleiri beygjum", @@ -1409,9 +1329,6 @@ "Sends the given message with rainfall": "Sendir skilaboðin með rigningu", "sends fireworks": "sendir flugelda", "My Ban List": "Bannlistinn minn", - "Encrypted messages in group chats": "Dulrituð skilaboð í hópaspjalli", - "Encrypted messages in one-to-one chats": "Dulrituð skilaboð í maður-á-mann spjalli", - "🎉 All servers are banned from participating! This room can no longer be used.": "🎉 Öllum netþjónum er núna bannað að taka þátt! Þessa spjallrás er ekki lengur hægt að nota.", "Takes the call in the current room off hold": "Tekur símtalið í fyrirliggjandi spjallrás úr bið", "No active call in this room": "Ekkert virkt símtal á þessari spjallrás", "Places the call in the current room on hold": "Setur símtalið í fyrirliggjandi spjallrás í bið", @@ -1980,7 +1897,6 @@ "New version of %(brand)s is available": "Ný útgáfa %(brand)s er tiltæk", "Set up Secure Backup": "Setja upp varið öryggisafrit", "You previously consented to share anonymous usage data with us. We're updating how that works.": "Þú hefur áður samþykkt að deila nafnlausum upplýsingum um notkun forritsins með okkur. Við erum að uppfæra hvernig það virkar.", - "This is the start of export of . Exported by at %(exportDate)s.": "Þetta er upphaf útflutning á . Var flutt út af þann %(exportDate)s.", "Authentication check failed: incorrect password?": "Sannvottun auðkenningar mistókst: er lykilorðið rangt?", "Your browser does not support the required cryptography extensions": "Vafrinn þinn styður ekki nauðsynlegar dulritunarviðbætur", "This homeserver has been blocked by its administrator.": "Þessi heimaþjónn hefur verið útilokaður af kerfisstjóra hans.", @@ -2105,8 +2021,6 @@ "Change the topic of this room": "Breyta heiti þessarar spjallrásar", "Change which room, message, or user you're viewing": "Breyttu hvaða spjallrás, skilaboð eða notanda þú ert að skoða", "Change which room you're viewing": "Breyttu hvaða spjallrás þú ert að skoða", - "%(senderDisplayName)s changed the server ACLs for this room.": "%(senderDisplayName)s breytti ACL á netþjóni fyrir þessa spjallrás.", - "%(senderDisplayName)s changed the join rule to %(rule)s": "%(senderDisplayName)s breytti þátttökureglu í %(rule)s", "Verification Request": "Beiðni um sannvottun", "Save your Security Key": "Vista öryggislykilinn þinn", "Set a Security Phrase": "Setja öryggisfrasa", @@ -2436,14 +2350,6 @@ "What this user is writing is wrong.\nThis will be reported to the room moderators.": "Það sem notandinn er að skrifa sem er rangt.\nÞetta verður tilkynnt til umsjónarmanna spjallrásarinnar.", "Please fill why you're reporting.": "Fylltu út skýringu á því hvers vegna þú ert að kæra.", "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.", - "%(senderName)s removed the main address for this room.": "%(senderName)s fjarlægði aðalvistfang spjallrásarinnar.", - "%(senderName)s set the main address for this room to %(address)s.": "%(senderName)s stillti aðalvistfang spjallrásarinnar sem %(address)s.", - "%(senderDisplayName)s set the server ACLs for this room.": "%(senderDisplayName)s stillti ACL á netþjóni fyrir þessa spjallrás.", - "%(senderDisplayName)s has prevented guests from joining the room.": "%(senderDisplayName)s hefur bannað gestum að koma inn á spjallrásina.", - "%(senderDisplayName)s has allowed guests to join the room.": "%(senderDisplayName)s hefur leyft gestum að koma inn á spjallrásina.", - "%(senderDisplayName)s changed who can join this room.": "%(senderDisplayName)s breytti því hverjir geta tekið þátt í þessari spjallrás.", - "%(senderDisplayName)s changed who can join this room. View settings.": "%(senderDisplayName)s breytti því hverjir geta tekið þátt í þessari spjallrás. Skoða stillingar.", - "%(senderDisplayName)s made the room invite only.": "%(senderDisplayName)s gerði spjallrás einungis aðgengilega gegn boði.", "Displays list of commands with usages and descriptions": "Birtir lista yfir skipanir með notkunarleiðbeiningum og lýsingum", "Sends the given emote coloured as a rainbow": "Sendir uppgefna tjáningu litaða sem regnboga", "Unknown (user, session) pair: (%(userId)s, %(deviceId)s)": "Óþekkt pörun (notandi, seta): (%(userId)s, %(deviceId)s)", @@ -2651,8 +2557,6 @@ "other": "%(count)s meðlimir" }, "Ignore user": "Hunsa notanda", - "Create room": "Búa til spjallrás", - "Create video room": "Búa til myndspjallrás", "Add new server…": "Bæta við nýjum þjóni…", "%(count)s participants": { "one": "1 þáttakandi", @@ -2711,7 +2615,6 @@ "Proxy URL (optional)": "Slóð milliþjóns (valfrjálst)", "Use an identity server to invite by email. Use the default (%(defaultIdentityServerName)s) or manage in Settings.": "Notaðu auðkennisþjón til að geta boðið með tölvupósti. Notaðu sjálfgefinn auðkennisþjón (%(defaultIdentityServerName)s( eða sýslaðu með þetta í stillingunum.", "Open room": "Opin spjallrás", - "Create a video room": "Búa til myndspjallrás", "Get it on F-Droid": "Ná í á F-Droid", "Get it on Google Play": "Ná í á Google Play", "Download on the App Store": "Sækja á App Store forritasafni", @@ -2865,8 +2768,6 @@ "Can't start a new voice broadcast": "Get ekki byrjað nýja talútsendingu", "Remain on your screen while running": "Vertu áfram á skjánum á meðan þú keyrir", "Remain on your screen when viewing another room, when running": "Vertu áfram á skjánum þegar önnur spjallrás er skoðuð, á meðan þú keyrir", - "Video call started in %(roomName)s. (not supported by this browser)": "Myndsamtal er byrjað í %(roomName)s. (Ekki stutt af þessum vafra)", - "Video call started in %(roomName)s.": "Myndsamtal er byrjað í %(roomName)s.", "Verify your email to continue": "Skoðaðu tölvupóstinn þinn til að halda áfram", "Sign in instead": "Skrá inn í staðinn", "Enter your email to reset password": "Settu inn tölvupóstfangið þitt til að endurstilla lykilorðið þitt", @@ -3062,7 +2963,9 @@ "not_trusted": "Ekki treyst", "accessibility": "Auðveldað aðgengi", "server": "Netþjónn", - "capabilities": "Geta" + "capabilities": "Geta", + "unnamed_room": "Nafnlaus spjallrás", + "unnamed_space": "Nafnlaust svæði" }, "action": { "continue": "Halda áfram", @@ -3334,7 +3237,20 @@ "prompt_invite": "Spyrja áður en boð eru send á mögulega ógild matrix-auðkenni", "hardware_acceleration": "Virkja vélbúnaðarhröðun (endurræstu %(appName)s til að breytingar taki gildi)", "start_automatically": "Ræsa sjálfvirkt við innskráningu í kerfi", - "warn_quit": "Aðvara áður en hætt er" + "warn_quit": "Aðvara áður en hætt er", + "notifications": { + "rule_contains_display_name": "Skilaboð sem innihalda birtingarnafn mitt", + "rule_contains_user_name": "Skilaboð sem innihalda notandanafn mitt", + "rule_roomnotif": "Skilaboð sem innihalda @room", + "rule_room_one_to_one": "Skilaboð í maður-á-mann spjalli", + "rule_message": "Skilaboð í hópaspjalli", + "rule_encrypted": "Dulrituð skilaboð í hópaspjalli", + "rule_invite_for_me": "Þegar mér er boðið á spjallrás", + "rule_call": "Boð um þátttöku í símtali", + "rule_suppress_notices": "Skilaboð send af vélmennum", + "rule_tombstone": "Þegar spjallrásir eru uppfærðar", + "rule_encrypted_room_one_to_one": "Dulrituð skilaboð í maður-á-mann spjalli" + } }, "devtools": { "event_type": "Tegund atburðar", @@ -3396,5 +3312,113 @@ "developer_tools": "Forritunartól", "room_id": "Auðkenni spjallrásar: %(roomId)s", "event_id": "Auðkenni atburðar: %(eventId)s" + }, + "export_chat": { + "html": "HTML", + "json": "JSON", + "text": "Ósniðinn texti", + "from_the_beginning": "Frá byrjun", + "number_of_messages": "Skilgreindu fjölda skilaboða", + "current_timeline": "Núverandi tímalína", + "export_successful": "Útflutningur tókst!", + "unload_confirm": "Ertu viss um að þú viljir hætta á meðan þessum útflutningi stendur?", + "generating_zip": "Útbý ZIP-safnskrá", + "processing_event_n": "Vinn með atburð %(number)s af %(total)s", + "fetched_n_events_with_total": { + "one": "Hef náð í %(count)s atburð af %(total)s", + "other": "Hef náð í %(count)s atburði af %(total)s" + }, + "fetched_n_events": { + "one": "Hef náð í %(count)s atburð að svo komnu", + "other": "Hef náð í %(count)s atburði að svo komnu" + }, + "fetched_n_events_in_time": { + "one": "Hef náð í %(count)s atburð á %(seconds)ssek", + "other": "Hef náð í %(count)s atburði á %(seconds)ssek" + }, + "exported_n_events_in_time": { + "one": "Flutti út %(count)s atburð á %(seconds)ssek", + "other": "Flutti út %(count)s atburði á %(seconds)ssek" + }, + "media_omitted": "Myndefni sleppt", + "media_omitted_file_size": "Myndefni sleppt - skráastærð fer fram úr hámarki", + "creator_summary": "%(creatorName)s bjó til þessa spjallrás.", + "export_info": "Þetta er upphaf útflutning á . Var flutt út af þann %(exportDate)s.", + "topic": "Umfjöllunarefni: %(topic)s", + "error_fetching_file": "Villa við að sækja skrá", + "file_attached": "Viðhengd skrá" + }, + "create_room": { + "title_video_room": "Búa til myndspjallrás", + "title_public_room": "Búa til opinbera almenningsspjallrás", + "title_private_room": "Búa til einkaspjallrás", + "action_create_video_room": "Búa til myndspjallrás", + "action_create_room": "Búa til spjallrás" + }, + "timeline": { + "m.call": { + "video_call_started": "Myndsamtal er byrjað í %(roomName)s.", + "video_call_started_unsupported": "Myndsamtal er byrjað í %(roomName)s. (Ekki stutt af þessum vafra)" + }, + "m.call.invite": { + "voice_call": "%(senderName)s hringdi raddsímtal.", + "voice_call_unsupported": "%(senderName)s hringdi raddsímtal. (Ekki stutt af þessum vafra)", + "video_call": "%(senderName)s hringdi myndsímtal.", + "video_call_unsupported": "%(senderName)s hringdi myndsímtal. (Ekki stutt af þessum vafra)" + }, + "m.room.member": { + "accepted_3pid_invite": "%(targetName)s samþykkti boð um að taka þátt í %(displayName)s", + "accepted_invite": "%(targetName)s samþykkti boð", + "invite": "%(senderName)s bauð %(targetName)s", + "ban_reason": "%(senderName)s bannaði %(targetName)s: %(reason)s", + "ban": "%(senderName)s bannaði %(targetName)s", + "change_name": "%(oldDisplayName)s breytti birtingarnafni sínu í %(displayName)s", + "set_name": "%(senderName)s setti birtingarnafn sitt sem %(displayName)s", + "remove_name": "%(senderName)s fjarlægði birtingarnafn sitt (%(oldDisplayName)s)", + "remove_avatar": "%(senderName)s fjarlægði notandamyndina sína", + "change_avatar": "%(senderName)s breytti notandamyndinni sinni", + "set_avatar": "%(senderName)s stillti notandamynd", + "no_change": "%(senderName)s gerði enga breytingu", + "join": "%(targetName)s kom inn á spjallsvæðið", + "reject_invite": "%(targetName)s hafnaði boðinu", + "left_reason": "%(targetName)s yfirgaf spjallsvæðið: %(reason)s", + "left": "%(targetName)s yfirgaf spjallsvæðið", + "unban": "%(senderName)s tók bann af %(targetName)s", + "withdrew_invite_reason": "%(senderName)s tók til baka boð til %(targetName)s: %(reason)s", + "withdrew_invite": "%(senderName)s tók til baka boð til %(targetName)s", + "kick_reason": "%(senderName)s fjarlægði %(targetName)s: %(reason)s", + "kick": "%(senderName)s fjarlægði %(targetName)s" + }, + "m.room.topic": "%(senderDisplayName)s breytti umræðuefninu í \"%(topic)s\".", + "m.room.avatar": "%(senderDisplayName)s breytti auðkennismynd spjallrásarinnar.", + "m.room.name": { + "remove": "%(senderDisplayName)s fjarlægði heiti spjallrásarinnar.", + "change": "%(senderDisplayName)s breytti heiti spjallrásarinnar úr %(oldRoomName)s yfir í %(newRoomName)s.", + "set": "%(senderDisplayName)s breytti heiti spjallrásarinnar í %(roomName)s." + }, + "m.room.tombstone": "%(senderDisplayName)s uppfærði þessa spjallrás.", + "m.room.join_rules": { + "public": "%(senderDisplayName)s gerði spjallrásina opinbera fyrir hverja þá sem þekkja slóðina á hana.", + "invite": "%(senderDisplayName)s gerði spjallrás einungis aðgengilega gegn boði.", + "restricted_settings": "%(senderDisplayName)s breytti því hverjir geta tekið þátt í þessari spjallrás. Skoða stillingar.", + "restricted": "%(senderDisplayName)s breytti því hverjir geta tekið þátt í þessari spjallrás.", + "unknown": "%(senderDisplayName)s breytti þátttökureglu í %(rule)s" + }, + "m.room.guest_access": { + "can_join": "%(senderDisplayName)s hefur leyft gestum að koma inn á spjallrásina.", + "forbidden": "%(senderDisplayName)s hefur bannað gestum að koma inn á spjallrásina.", + "unknown": "%(senderDisplayName)s breytti gestaaðgangi í %(rule)s" + }, + "m.image": "%(senderDisplayName)s sendi mynd.", + "m.sticker": "%(senderDisplayName)s sendi límmerki.", + "m.room.server_acl": { + "set": "%(senderDisplayName)s stillti ACL á netþjóni fyrir þessa spjallrás.", + "changed": "%(senderDisplayName)s breytti ACL á netþjóni fyrir þessa spjallrás.", + "all_servers_banned": "🎉 Öllum netþjónum er núna bannað að taka þátt! Þessa spjallrás er ekki lengur hægt að nota." + }, + "m.room.canonical_alias": { + "set": "%(senderName)s stillti aðalvistfang spjallrásarinnar sem %(address)s.", + "removed": "%(senderName)s fjarlægði aðalvistfang spjallrásarinnar." + } } } diff --git a/src/i18n/strings/it.json b/src/i18n/strings/it.json index a36d7698460..04a199457d3 100644 --- a/src/i18n/strings/it.json +++ b/src/i18n/strings/it.json @@ -76,10 +76,6 @@ "You are no longer ignoring %(userId)s": "Non stai più ignorando %(userId)s", "Verified key": "Chiave verificata", "Reason": "Motivo", - "%(senderDisplayName)s changed the topic to \"%(topic)s\".": "%(senderDisplayName)s ha modificato l'argomento in \"%(topic)s\".", - "%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s ha rimosso il nome della stanza.", - "%(senderDisplayName)s changed the room name to %(roomName)s.": "%(senderDisplayName)s ha modificato il nome della stanza in %(roomName)s.", - "%(senderDisplayName)s sent an image.": "%(senderDisplayName)s ha inviato un'immagine.", "%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": "%(senderName)s ha mandato un invito a %(targetDisplayName)s per unirsi alla stanza.", "%(senderName)s made future room history visible to all room members, from the point they are invited.": "%(senderName)s ha reso visibile la futura cronologia della stanza a tutti i membri della stanza, dal momento del loro invito.", "%(senderName)s made future room history visible to all room members, from the point they joined.": "%(senderName)s ha reso visibile la futura cronologia della stanza a tutti i membri della stanza, dal momento in cui sono entrati.", @@ -94,7 +90,6 @@ "Failure to create room": "Creazione della stanza fallita", "Server may be unavailable, overloaded, or you hit a bug.": "Il server potrebbe essere non disponibile, sovraccarico o hai trovato un errore.", "Send": "Invia", - "Unnamed Room": "Stanza senza nome", "Your browser does not support the required cryptography extensions": "Il tuo browser non supporta l'estensione crittografica richiesta", "Not a valid %(brand)s keyfile": "Non è una chiave di %(brand)s valida", "Authentication check failed: incorrect password?": "Controllo di autenticazione fallito: password sbagliata?", @@ -397,11 +392,8 @@ "Failed to send logs: ": "Invio dei log fallito: ", "This Room": "Questa stanza", "Noisy": "Rumoroso", - "Messages containing my display name": "Messaggi contenenti il mio nome visualizzato", - "Messages in one-to-one chats": "Messaggi in chat uno-a-uno", "Unavailable": "Non disponibile", "Source URL": "URL d'origine", - "Messages sent by bot": "Messaggi inviati dai bot", "Filter results": "Filtra risultati", "No update available.": "Nessun aggiornamento disponibile.", "Collecting app version information": "Raccolta di informazioni sulla versione dell'applicazione", @@ -415,14 +407,11 @@ "Wednesday": "Mercoledì", "You cannot delete this message. (%(code)s)": "Non puoi eliminare questo messaggio. (%(code)s)", "All messages": "Tutti i messaggi", - "Call invitation": "Invito ad una chiamata", "What's new?": "Cosa c'è di nuovo?", - "When I'm invited to a room": "Quando vengo invitato/a in una stanza", "Invite to this room": "Invita in questa stanza", "Thursday": "Giovedì", "Logs sent": "Log inviati", "Show message in desktop notification": "Mostra i messaggi nelle notifiche desktop", - "Messages in group chats": "Messaggi nelle chat di gruppo", "Yesterday": "Ieri", "Error encountered (%(errorDetail)s).": "Errore riscontrato (%(errorDetail)s).", "Low Priority": "Priorità bassa", @@ -484,8 +473,6 @@ "Failed to upgrade room": "Aggiornamento stanza fallito", "The room upgrade could not be completed": "Non è stato possibile completare l'aggiornamento della stanza", "Upgrade this room to version %(version)s": "Aggiorna questa stanza alla versione %(version)s", - "%(senderName)s set the main address for this room to %(address)s.": "%(senderName)s ha messo %(address)s come indirizzo principale per questa stanza.", - "%(senderName)s removed the main address for this room.": "%(senderName)s ha rimosso l'indirizzo principale di questa stanza.", "Before submitting logs, you must create a GitHub issue to describe your problem.": "Prima di inviare i log, devi creare una segnalazione su GitHub per descrivere il tuo problema.", "%(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 ora usa da 3 a 5 volte meno memoria, caricando le informazioni degli altri utenti solo quando serve. Si prega di attendere mentre ci risincronizziamo con il server!", "Updating %(brand)s": "Aggiornamento di %(brand)s", @@ -541,9 +528,6 @@ "Go back to set it again.": "Torna per reimpostare.", "Unable to create key backup": "Impossibile creare backup della chiave", "Set up": "Imposta", - "Messages containing @room": "Messaggi contenenti @room", - "Encrypted messages in one-to-one chats": "Messaggi cifrati in chat uno-ad-uno", - "Encrypted messages in group chats": "Messaggi cifrati in chat di gruppo", "Invalid identity server discovery response": "Risposta non valida cercando server di identità", "General failure": "Guasto generale", "Straight rows of keys are easy to guess": "Sequenze di tasti in riga sono facili da indovinare", @@ -565,13 +549,6 @@ "Gets or sets the room topic": "Ottiene o imposta l'argomento della stanza", "This room has no topic.": "Questa stanza non ha un argomento.", "Sets the room name": "Imposta il nome della stanza", - "%(senderDisplayName)s upgraded this room.": "%(senderDisplayName)s ha aggiornato questa stanza.", - "%(senderDisplayName)s made the room public to whoever knows the link.": "%(senderDisplayName)s ha reso pubblica la stanza a chiunque conosca il link.", - "%(senderDisplayName)s made the room invite only.": "%(senderDisplayName)s ha reso la stanza accessibile solo su invito.", - "%(senderDisplayName)s changed the join rule to %(rule)s": "%(senderDisplayName)s ha cambiato la regola di accesso a %(rule)s", - "%(senderDisplayName)s has allowed guests to join the room.": "%(senderDisplayName)s ha attivato l'accesso per ospiti alla stanza.", - "%(senderDisplayName)s has prevented guests from joining the room.": "%(senderDisplayName)s ha disattivato l'accesso per ospiti alla stanza.", - "%(senderDisplayName)s changed guest access to %(rule)s": "%(senderDisplayName)s ha cambiato l'accesso per ospiti a %(rule)s", "%(displayName)s is typing …": "%(displayName)s sta scrivendo …", "%(names)s and %(count)s others are typing …": { "other": "%(names)s e altri %(count)s stanno scrivendo …", @@ -579,7 +556,6 @@ }, "%(names)s and %(lastPerson)s are typing …": "%(names)s e %(lastPerson)s stanno scrivendo …", "The user must be unbanned before they can be invited.": "L'utente non deve essere bandito per essere invitato.", - "Messages containing my username": "Messaggi contenenti il mio nome utente", "The other party cancelled the verification.": "L'altra parte ha annullato la verifica.", "Verified!": "Verificato!", "You've successfully verified this user.": "Hai verificato correttamente l'utente.", @@ -762,7 +738,6 @@ "Sends the given emote coloured as a rainbow": "Invia l'emoticon dato colorato come un arcobaleno", "The user's homeserver does not support the version of the room.": "L'homeserver dell'utente non supporta la versione della stanza.", "Show hidden events in timeline": "Mostra eventi nascosti nella linea temporale", - "When rooms are upgraded": "Quando le stanze vengono aggiornate", "View older messages in %(roomName)s.": "Vedi messaggi più vecchi in %(roomName)s.", "Join the conversation with an account": "Unisciti alla conversazione con un account", "Sign Up": "Registrati", @@ -948,8 +923,6 @@ "e.g. my-room": "es. mia-stanza", "Close dialog": "Chiudi finestra", "Please enter a name for the room": "Inserisci un nome per la stanza", - "Create a public room": "Crea una stanza pubblica", - "Create a private room": "Crea una stanza privata", "Topic (optional)": "Argomento (facoltativo)", "Hide advanced": "Nascondi avanzate", "Show advanced": "Mostra avanzate", @@ -1068,10 +1041,6 @@ "Ignored/Blocked": "Ignorati/Bloccati", "Verification Request": "Richiesta verifica", "Match system theme": "Usa il tema di sistema", - "%(senderName)s placed a voice call.": "%(senderName)s ha iniziato una telefonata.", - "%(senderName)s placed a voice call. (not supported by this browser)": "%(senderName)s ha iniziato una telefonata. (non supportata da questo browser)", - "%(senderName)s placed a video call.": "%(senderName)s ha iniziato una videochiamata.", - "%(senderName)s placed a video call. (not supported by this browser)": "%(senderName)s ha iniziato una videochiamata. (non supportata da questo browser)", "Error upgrading room": "Errore di aggiornamento stanza", "Double check that your server supports the room version chosen and try again.": "Controlla che il tuo server supporti la versione di stanza scelta e riprova.", "Unencrypted": "Non criptato", @@ -1246,7 +1215,6 @@ "Accepting…": "Accettazione…", "Not currently indexing messages for any room.": "Attualmente non si stanno indicizzando i messaggi di alcuna stanza.", "%(doneRooms)s out of %(totalRooms)s": "%(doneRooms)s di %(totalRooms)s", - "%(senderDisplayName)s changed the room name from %(oldRoomName)s to %(newRoomName)s.": "%(senderDisplayName)s ha cambiato il nome della stanza da %(oldRoomName)s a %(newRoomName)s.", "%(senderName)s added the alternative addresses %(addresses)s for this room.": { "other": "%(senderName)s ha aggiunto gli indirizzi alternativi %(addresses)s per questa stanza.", "one": "%(senderName)s ha aggiunto l'indirizzo alternativo %(addresses)s per questa stanza." @@ -1441,7 +1409,6 @@ "%(senderName)s is calling": "%(senderName)s sta chiamando", "%(senderName)s: %(message)s": "%(senderName)s: %(message)s", "%(senderName)s: %(stickerName)s": "%(senderName)s: %(stickerName)s", - "%(senderName)s invited %(targetName)s": "%(senderName)s ha invitato %(targetName)s", "Message deleted on %(date)s": "Messaggio eliminato il %(date)s", "Unknown caller": "Chiamante sconosciuto", "%(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.", @@ -1535,9 +1502,6 @@ "Failed to save your profile": "Salvataggio del profilo fallito", "The operation could not be completed": "Impossibile completare l'operazione", "Remove messages sent by others": "Rimuovi i messaggi inviati dagli altri", - "🎉 All servers are banned from participating! This room can no longer be used.": "🎉 Tutti i server sono banditi dalla partecipazione! Questa stanza non può più essere usata.", - "%(senderDisplayName)s changed the server ACLs for this room.": "%(senderDisplayName)s ha cambiato le ACL del server per questa stanza.", - "%(senderDisplayName)s set the server ACLs for this room.": "%(senderDisplayName)s ha impostato le ACL del server per questa stanza.", "The call could not be established": "Impossibile stabilire la chiamata", "Move right": "Sposta a destra", "Move left": "Sposta a sinistra", @@ -2017,7 +1981,6 @@ "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.", - "Unnamed Space": "Spazio senza nome", "Invite to %(spaceName)s": "Invita in %(spaceName)s", "Create a new room": "Crea nuova stanza", "Spaces": "Spazi", @@ -2190,16 +2153,7 @@ "Silence call": "Silenzia la chiamata", "Sound on": "Audio attivo", "%(senderName)s changed the pinned messages for the room.": "%(senderName)s ha cambiato i messaggi ancorati della stanza.", - "%(senderName)s withdrew %(targetName)s's invitation": "%(senderName)s ha revocato l'invito per %(targetName)s", - "%(senderName)s withdrew %(targetName)s's invitation: %(reason)s": "%(senderName)s ha revocato l'invito per %(targetName)s: %(reason)s", - "%(senderName)s unbanned %(targetName)s": "%(senderName)s ha riammesso %(targetName)s", - "%(targetName)s left the room": "%(targetName)s ha lasciato la stanza", "Collapse reply thread": "Riduci conversazione di risposta", - "%(oldDisplayName)s changed their display name to %(displayName)s": "%(oldDisplayName)s ha modificato il proprio nome in %(displayName)s", - "%(senderName)s banned %(targetName)s": "%(senderName)s ha bandito %(targetName)s", - "%(senderName)s banned %(targetName)s: %(reason)s": "%(senderName)s ha bandito %(targetName)s: %(reason)s", - "%(targetName)s accepted an invitation": "%(targetName)s ha accettato un invito", - "%(targetName)s accepted the invitation for %(displayName)s": "%(targetName)s ha accettato l'invito per %(displayName)s", "Some invites couldn't be sent": "Alcuni inviti non sono stati spediti", "We sent the others, but the below people couldn't be invited to ": "Abbiamo inviato gli altri, ma non è stato possibile invitare le seguenti persone in ", "Disagree": "Rifiuta", @@ -2226,15 +2180,6 @@ "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", - "%(targetName)s left the room: %(reason)s": "%(targetName)s ha abbandonato la stanza: %(reason)s", - "%(targetName)s rejected the invitation": "%(targetName)s ha rifiutato l'invito", - "%(targetName)s joined the room": "%(targetName)s è entrato/a nella stanza", - "%(senderName)s made no change": "%(senderName)s non ha fatto modifiche", - "%(senderName)s set a profile picture": "%(senderName)s ha impostato un'immagine del profilo", - "%(senderName)s changed their profile picture": "%(senderName)s ha cambiato la propria immagine del profilo", - "%(senderName)s removed their profile picture": "%(senderName)s ha rimosso la propria immagine del profilo", - "%(senderName)s removed their display name (%(oldDisplayName)s)": "%(senderName)s ha rimosso il proprio nome (%(oldDisplayName)s)", - "%(senderName)s set their display name to %(displayName)s": "%(senderName)s ha impostato il proprio nome a %(displayName)s", "Integration manager": "Gestore di integrazioni", "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.", @@ -2399,15 +2344,6 @@ "Leave some rooms": "Esci da alcune stanze", "Leave all rooms": "Esci da tutte le stanze", "Don't leave any rooms": "Non uscire da alcuna stanza", - "Current Timeline": "Linea temporale attuale", - "Specify a number of messages": "Specifica un numero di messaggi", - "From the beginning": "Dall'inizio", - "Plain Text": "Testo semplice", - "JSON": "JSON", - "HTML": "HTML", - "Are you sure you want to exit during this export?": "Vuoi davvero uscire durante l'esportazione?", - "%(senderDisplayName)s sent a sticker.": "%(senderDisplayName)s ha inviato uno sticker.", - "%(senderDisplayName)s changed the room avatar.": "%(senderDisplayName)s ha cambiato l'avatar della stanza.", "Displaying time": "Visualizzazione dell'ora", "Resetting your verification keys cannot be undone. After resetting, you won't have access to old encrypted messages, and any friends who have previously verified you will see security warnings until you re-verify with them.": "La reimpostazione delle chiavi di verifica non può essere annullata. Dopo averlo fatto, non avrai accesso ai vecchi messaggi cifrati, e gli amici che ti avevano verificato in precedenza vedranno avvisi di sicurezza fino a quando non ti ri-verifichi con loro.", "I'll verify later": "Verificherò dopo", @@ -2434,13 +2370,6 @@ "Enter a number between %(min)s and %(max)s": "Inserisci un numero tra %(min)s e %(max)s", "In reply to this message": "In risposta a questo messaggio", "Export chat": "Esporta conversazione", - "File Attached": "File allegato", - "Error fetching file": "Errore di recupero del file", - "Topic: %(topic)s": "Argomento: %(topic)s", - "This is the start of export of . Exported by at %(exportDate)s.": "Questo è l'inizio dell'esportazione di . Esportata da il %(exportDate)s.", - "%(creatorName)s created this room.": "%(creatorName)s ha creato questa stanza.", - "Media omitted - file size limit exceeded": "File omesso - superata dimensione massima", - "Media omitted": "File omesso", "Create poll": "Crea sondaggio", "Updating spaces... (%(progress)s out of %(count)s)": { "one": "Aggiornamento spazio...", @@ -2478,8 +2407,6 @@ "Developer mode": "Modalità sviluppatore", "Joined": "Entrato/a", "Insert link": "Inserisci collegamento", - "%(senderDisplayName)s changed who can join this room.": "%(senderDisplayName)s ha cambiato chi può entrare nella stanza.", - "%(senderDisplayName)s changed who can join this room. View settings.": "%(senderDisplayName)s ha cambiato chi può entrare nella stanza. Vedi le impostazioni.", "Joining": "Entrata in corso", "Use high contrast": "Usa contrasto alto", "Automatically send debug logs on any error": "Invia automaticamente log di debug per qualsiasi errore", @@ -2634,25 +2561,6 @@ "Failed to load list of rooms.": "Caricamento dell'elenco di stanze fallito.", "This groups your chats with members of this space. Turning this off will hide those chats from your view of %(spaceName)s.": "Ciò raggruppa le tue chat con i membri di questo spazio. Se lo disattivi le chat verranno nascoste dalla tua vista di %(spaceName)s.", "Sections to show": "Sezioni da mostrare", - "Exported %(count)s events in %(seconds)s seconds": { - "one": "Esportato %(count)s evento in %(seconds)s secondi", - "other": "Esportati %(count)s eventi in %(seconds)s secondi" - }, - "Export successful!": "Esportazione riuscita!", - "Fetched %(count)s events in %(seconds)ss": { - "one": "Ricevuto %(count)s evento in %(seconds)ss", - "other": "Ricevuti %(count)s eventi in %(seconds)ss" - }, - "Processing event %(number)s out of %(total)s": "Elaborazione evento %(number)s di %(total)s", - "Fetched %(count)s events so far": { - "one": "Ricevuto %(count)s evento finora", - "other": "Ricevuti %(count)s eventi finora" - }, - "Fetched %(count)s events out of %(total)s": { - "one": "Ricevuto %(count)s evento di %(total)s", - "other": "Ricevuti %(count)s eventi di %(total)s" - }, - "Generating a ZIP": "Generazione di uno ZIP", "Open in OpenStreetMap": "Apri in OpenStreetMap", "This address had invalid server or is already in use": "Questo indirizzo aveva un server non valido o è già in uso", "Missing room name or separator e.g. (my-room:domain.org)": "Nome o separatore della stanza mancante, es. (mia-stanza:dominio.org)", @@ -2714,8 +2622,6 @@ "Keyboard": "Tastiera", "Remove, ban, or invite people to your active room, and make you leave": "Buttare fuori, bandire o invitare persone nella tua stanza attiva e farti uscire", "Remove, ban, or invite people to this room, and make you leave": "Buttare fuori, bandire o invitare persone in questa stanza e farti uscire", - "%(senderName)s removed %(targetName)s": "%(senderName)s ha rimosso %(targetName)s", - "%(senderName)s removed %(targetName)s: %(reason)s": "%(senderName)s ha rimosso %(targetName)s: %(reason)s", "Removes user with given id from this room": "Rimuove l'utente con il dato ID da questa stanza", "Message pending moderation": "Messaggio in attesa di moderazione", "Message pending moderation: %(reason)s": "Messaggio in attesa di moderazione: %(reason)s", @@ -2897,9 +2803,6 @@ "You do not have permission to invite people to this space.": "Non hai l'autorizzazione di invitare persone in questo spazio.", "Failed to invite users to %(roomName)s": "Impossibile invitare gli utenti in %(roomName)s", "An error occurred while stopping your live location, please try again": "Si è verificato un errore fermando la tua posizione in tempo reale, riprova", - "Create room": "Crea stanza", - "Create video room": "Crea stanza video", - "Create a video room": "Crea una stanza video", "%(count)s participants": { "one": "1 partecipante", "other": "%(count)s partecipanti" @@ -3143,8 +3046,6 @@ "Web session": "Sessione web", "Mobile session": "Sessione mobile", "Desktop session": "Sessione desktop", - "Video call started in %(roomName)s. (not supported by this browser)": "Videochiamata iniziata in %(roomName)s. (non supportata da questo browser)", - "Video call started in %(roomName)s.": "Videochiamata iniziata in %(roomName)s.", "Room info": "Info stanza", "View chat timeline": "Vedi linea temporale chat", "Close call": "Chiudi chiamata", @@ -3360,11 +3261,7 @@ "Connecting to integration manager…": "Connessione al gestore di integrazioni…", "Saving…": "Salvataggio…", "Creating…": "Creazione…", - "Creating output…": "Creazione output…", - "Fetching events…": "Ricezione eventi…", "Starting export process…": "Inizio processo di esportazione…", - "Creating HTML…": "Creazione HTML…", - "Starting export…": "Inizio esportazione…", "Unable to connect to Homeserver. Retrying…": "Impossibile connettersi all'homeserver. Riprovo…", "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.", @@ -3449,7 +3346,6 @@ "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", - "%(oldDisplayName)s changed their display name and profile picture": "%(oldDisplayName)s ha cambiato il nome visualizzato e l'immagine del profilo", "Your language": "La tua lingua", "Your device ID": "L'ID del tuo dispositivo", "Try using %(server)s": "Prova ad usare %(server)s", @@ -3478,9 +3374,6 @@ "Changes your profile picture in this current room only": "Cambia la tua immagine del profilo solo nella stanza attuale", "Changes your profile picture in all rooms": "Cambia la tua immagine del profilo in tutte le stanze", "User cannot be invited until they are unbanned": "L'utente non può essere invitato finché è bandito", - "Previous group of messages": "Gruppo di messaggi precedente", - "Next group of messages": "Gruppo di messaggi successivo", - "Exported Data": "Dati esportati", "Notification Settings": "Impostazioni di notifica", "Email Notifications": "Notifiche email", "Email summary": "Riepilogo email", @@ -3514,7 +3407,6 @@ "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.", - "%(senderDisplayName)s changed the join rule to ask to join.": "%(senderDisplayName)s ha cambiato la regola di accesso in \"Chiedi di entrare\".", "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?", @@ -3614,7 +3506,9 @@ "not_trusted": "Non fidato", "accessibility": "Accessibilità", "server": "Server", - "capabilities": "Capacità" + "capabilities": "Capacità", + "unnamed_room": "Stanza senza nome", + "unnamed_space": "Spazio senza nome" }, "action": { "continue": "Continua", @@ -3920,7 +3814,20 @@ "prompt_invite": "Chiedi prima di inviare inviti a possibili ID matrix non validi", "hardware_acceleration": "Attiva accelerazione hardware (riavvia %(appName)s per applicare)", "start_automatically": "Esegui automaticamente all'avvio del sistema", - "warn_quit": "Avvisa prima di uscire" + "warn_quit": "Avvisa prima di uscire", + "notifications": { + "rule_contains_display_name": "Messaggi contenenti il mio nome visualizzato", + "rule_contains_user_name": "Messaggi contenenti il mio nome utente", + "rule_roomnotif": "Messaggi contenenti @room", + "rule_room_one_to_one": "Messaggi in chat uno-a-uno", + "rule_message": "Messaggi nelle chat di gruppo", + "rule_encrypted": "Messaggi cifrati in chat di gruppo", + "rule_invite_for_me": "Quando vengo invitato/a in una stanza", + "rule_call": "Invito ad una chiamata", + "rule_suppress_notices": "Messaggi inviati dai bot", + "rule_tombstone": "Quando le stanze vengono aggiornate", + "rule_encrypted_room_one_to_one": "Messaggi cifrati in chat uno-ad-uno" + } }, "devtools": { "send_custom_account_data_event": "Invia evento dati di account personalizzato", @@ -4012,5 +3919,122 @@ "room_id": "ID stanza: %(roomId)s", "thread_root_id": "ID root del thread: %(threadRootId)s", "event_id": "ID evento: %(eventId)s" + }, + "export_chat": { + "html": "HTML", + "json": "JSON", + "text": "Testo semplice", + "from_the_beginning": "Dall'inizio", + "number_of_messages": "Specifica un numero di messaggi", + "current_timeline": "Linea temporale attuale", + "creating_html": "Creazione HTML…", + "starting_export": "Inizio esportazione…", + "export_successful": "Esportazione riuscita!", + "unload_confirm": "Vuoi davvero uscire durante l'esportazione?", + "generating_zip": "Generazione di uno ZIP", + "processing_event_n": "Elaborazione evento %(number)s di %(total)s", + "fetched_n_events_with_total": { + "one": "Ricevuto %(count)s evento di %(total)s", + "other": "Ricevuti %(count)s eventi di %(total)s" + }, + "fetched_n_events": { + "one": "Ricevuto %(count)s evento finora", + "other": "Ricevuti %(count)s eventi finora" + }, + "fetched_n_events_in_time": { + "one": "Ricevuto %(count)s evento in %(seconds)ss", + "other": "Ricevuti %(count)s eventi in %(seconds)ss" + }, + "exported_n_events_in_time": { + "one": "Esportato %(count)s evento in %(seconds)s secondi", + "other": "Esportati %(count)s eventi in %(seconds)s secondi" + }, + "media_omitted": "File omesso", + "media_omitted_file_size": "File omesso - superata dimensione massima", + "creator_summary": "%(creatorName)s ha creato questa stanza.", + "export_info": "Questo è l'inizio dell'esportazione di . Esportata da il %(exportDate)s.", + "topic": "Argomento: %(topic)s", + "previous_page": "Gruppo di messaggi precedente", + "next_page": "Gruppo di messaggi successivo", + "html_title": "Dati esportati", + "error_fetching_file": "Errore di recupero del file", + "file_attached": "File allegato", + "fetching_events": "Ricezione eventi…", + "creating_output": "Creazione output…" + }, + "create_room": { + "title_video_room": "Crea una stanza video", + "title_public_room": "Crea una stanza pubblica", + "title_private_room": "Crea una stanza privata", + "action_create_video_room": "Crea stanza video", + "action_create_room": "Crea stanza" + }, + "timeline": { + "m.call": { + "video_call_started": "Videochiamata iniziata in %(roomName)s.", + "video_call_started_unsupported": "Videochiamata iniziata in %(roomName)s. (non supportata da questo browser)" + }, + "m.call.invite": { + "voice_call": "%(senderName)s ha iniziato una telefonata.", + "voice_call_unsupported": "%(senderName)s ha iniziato una telefonata. (non supportata da questo browser)", + "video_call": "%(senderName)s ha iniziato una videochiamata.", + "video_call_unsupported": "%(senderName)s ha iniziato una videochiamata. (non supportata da questo browser)" + }, + "m.room.member": { + "accepted_3pid_invite": "%(targetName)s ha accettato l'invito per %(displayName)s", + "accepted_invite": "%(targetName)s ha accettato un invito", + "invite": "%(senderName)s ha invitato %(targetName)s", + "ban_reason": "%(senderName)s ha bandito %(targetName)s: %(reason)s", + "ban": "%(senderName)s ha bandito %(targetName)s", + "change_name_avatar": "%(oldDisplayName)s ha cambiato il nome visualizzato e l'immagine del profilo", + "change_name": "%(oldDisplayName)s ha modificato il proprio nome in %(displayName)s", + "set_name": "%(senderName)s ha impostato il proprio nome a %(displayName)s", + "remove_name": "%(senderName)s ha rimosso il proprio nome (%(oldDisplayName)s)", + "remove_avatar": "%(senderName)s ha rimosso la propria immagine del profilo", + "change_avatar": "%(senderName)s ha cambiato la propria immagine del profilo", + "set_avatar": "%(senderName)s ha impostato un'immagine del profilo", + "no_change": "%(senderName)s non ha fatto modifiche", + "join": "%(targetName)s è entrato/a nella stanza", + "reject_invite": "%(targetName)s ha rifiutato l'invito", + "left_reason": "%(targetName)s ha abbandonato la stanza: %(reason)s", + "left": "%(targetName)s ha lasciato la stanza", + "unban": "%(senderName)s ha riammesso %(targetName)s", + "withdrew_invite_reason": "%(senderName)s ha revocato l'invito per %(targetName)s: %(reason)s", + "withdrew_invite": "%(senderName)s ha revocato l'invito per %(targetName)s", + "kick_reason": "%(senderName)s ha rimosso %(targetName)s: %(reason)s", + "kick": "%(senderName)s ha rimosso %(targetName)s" + }, + "m.room.topic": "%(senderDisplayName)s ha modificato l'argomento in \"%(topic)s\".", + "m.room.avatar": "%(senderDisplayName)s ha cambiato l'avatar della stanza.", + "m.room.name": { + "remove": "%(senderDisplayName)s ha rimosso il nome della stanza.", + "change": "%(senderDisplayName)s ha cambiato il nome della stanza da %(oldRoomName)s a %(newRoomName)s.", + "set": "%(senderDisplayName)s ha modificato il nome della stanza in %(roomName)s." + }, + "m.room.tombstone": "%(senderDisplayName)s ha aggiornato questa stanza.", + "m.room.join_rules": { + "public": "%(senderDisplayName)s ha reso pubblica la stanza a chiunque conosca il link.", + "invite": "%(senderDisplayName)s ha reso la stanza accessibile solo su invito.", + "knock": "%(senderDisplayName)s ha cambiato la regola di accesso in \"Chiedi di entrare\".", + "restricted_settings": "%(senderDisplayName)s ha cambiato chi può entrare nella stanza. Vedi le impostazioni.", + "restricted": "%(senderDisplayName)s ha cambiato chi può entrare nella stanza.", + "unknown": "%(senderDisplayName)s ha cambiato la regola di accesso a %(rule)s" + }, + "m.room.guest_access": { + "can_join": "%(senderDisplayName)s ha attivato l'accesso per ospiti alla stanza.", + "forbidden": "%(senderDisplayName)s ha disattivato l'accesso per ospiti alla stanza.", + "unknown": "%(senderDisplayName)s ha cambiato l'accesso per ospiti a %(rule)s" + }, + "m.image": "%(senderDisplayName)s ha inviato un'immagine.", + "m.sticker": "%(senderDisplayName)s ha inviato uno sticker.", + "m.room.server_acl": { + "set": "%(senderDisplayName)s ha impostato le ACL del server per questa stanza.", + "changed": "%(senderDisplayName)s ha cambiato le ACL del server per questa stanza.", + "all_servers_banned": "🎉 Tutti i server sono banditi dalla partecipazione! Questa stanza non può più essere usata." + }, + "m.room.canonical_alias": { + "set": "%(senderName)s ha messo %(address)s come indirizzo principale per questa stanza.", + "removed": "%(senderName)s ha rimosso l'indirizzo principale di questa stanza." + } } } diff --git a/src/i18n/strings/ja.json b/src/i18n/strings/ja.json index e7ff9f27658..d9fb9857550 100644 --- a/src/i18n/strings/ja.json +++ b/src/i18n/strings/ja.json @@ -25,7 +25,6 @@ "This phone number is already in use": "この電話番号は既に使用されています", "Failed to verify email address: make sure you clicked the link in the email": "メールアドレスの認証に失敗しました。電子メール内のリンクをクリックしたことを確認してください", "Thursday": "木曜日", - "Messages in one-to-one chats": "1対1のチャットでのメッセージ", "All Rooms": "全てのルーム", "You cannot delete this message. (%(code)s)": "このメッセージを削除できません。(%(code)s)", "Send": "送信", @@ -33,10 +32,8 @@ "Sunday": "日曜日", "Today": "今日", "Monday": "月曜日", - "Messages in group chats": "グループチャットでのメッセージ", "Friday": "金曜日", "Yesterday": "昨日", - "Messages sent by bot": "ボットによるメッセージ", "Low Priority": "低優先度", "Collecting logs": "ログを収集しています", "No update available.": "更新はありません。", @@ -45,13 +42,10 @@ "Invite to this room": "このルームに招待", "Waiting for response from server": "サーバーからの応答を待っています", "Wednesday": "水曜日", - "Call invitation": "通話への招待", "Tuesday": "火曜日", "Search…": "検索…", "Saturday": "土曜日", "This Room": "このルーム", - "When I'm invited to a room": "ルームに招待されたとき", - "Messages containing my display name": "自身の表示名を含むメッセージ", "Notification targets": "通知対象", "Failed to send logs: ": "ログの送信に失敗しました: ", "Unavailable": "使用できません", @@ -132,12 +126,6 @@ "Displays action": "アクションを表示", "Forces the current outbound group session in an encrypted room to be discarded": "暗号化されたルーム内の現在のアウトバウンドグループセッションを強制的に破棄", "Reason": "理由", - "%(senderDisplayName)s changed the topic to \"%(topic)s\".": "%(senderDisplayName)sがトピックを\"%(topic)s\"に変更しました。", - "%(senderDisplayName)s removed the room name.": "%(senderDisplayName)sがルーム名を削除しました。", - "%(senderDisplayName)s changed the room name to %(roomName)s.": "%(senderDisplayName)sがルーム名を%(roomName)sに変更しました。", - "%(senderDisplayName)s sent an image.": "%(senderDisplayName)sが画像を送信しました。", - "%(senderName)s set the main address for this room to %(address)s.": "%(senderName)sがこのルームのメインアドレスを%(address)sに設定しました。", - "%(senderName)s removed the main address for this room.": "%(senderName)sがこのルームのメインアドレスを削除しました。", "%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": "%(senderName)sが%(targetDisplayName)sをこのルームに招待しました。", "%(senderName)s made future room history visible to all room members, from the point they are invited.": "%(senderName)sが、今後のルームの履歴を「メンバーのみ(招待された時点以降)」閲覧可能に設定しました。", "%(senderName)s made future room history visible to all room members, from the point they joined.": "%(senderName)sが、今後のルームの履歴を「メンバーのみ(参加した時点以降)」閲覧可能に設定しました。", @@ -152,7 +140,6 @@ "%(widgetName)s widget removed by %(senderName)s": "%(widgetName)sウィジェットが%(senderName)sによって削除されました", "Failure to create room": "ルームの作成に失敗", "Server may be unavailable, overloaded, or you hit a bug.": "サーバーが使用できないか、オーバーロードしているか、または不具合が発生した可能性があります。", - "Unnamed Room": "名前のないルーム", "This homeserver has hit its Monthly Active User limit.": "このホームサーバーは月間アクティブユーザー数の上限に達しました 。", "This homeserver has exceeded one of its resource limits.": "このホームサーバーはリソースの上限に達しました。", "Your browser does not support the required cryptography extensions": "お使いのブラウザーは、必要な暗号化拡張機能をサポートしていません", @@ -544,15 +531,8 @@ "Sends the given message coloured as a rainbow": "指定したメッセージを虹色で送信", "Sends the given emote coloured as a rainbow": "指定したエモートを虹色で送信", "Displays list of commands with usages and descriptions": "使い方と説明付きのコマンド一覧を表示", - "%(senderDisplayName)s upgraded this room.": "%(senderDisplayName)sがこのルームをアップグレードしました。", - "%(senderDisplayName)s made the room public to whoever knows the link.": "%(senderDisplayName)sがこのルームを「リンクを知っている人全員」に公開しました。", - "%(senderDisplayName)s made the room invite only.": "%(senderDisplayName)sがこのルームを「招待者のみ参加可能」に変更しました。", - "%(senderDisplayName)s has allowed guests to join the room.": "%(senderDisplayName)sがこのルームへのゲストによる参加を許可しました。", "Only continue if you trust the owner of the server.": "サーバーの所有者を信頼する場合のみ続行してください。", "Use an identity server to invite by email. Manage in Settings.": "IDサーバーを使用し、メールで招待。設定画面で管理。", - "%(senderDisplayName)s changed the join rule to %(rule)s": "%(senderDisplayName)sが参加ルールを「%(rule)s」に変更しました。", - "%(senderDisplayName)s has prevented guests from joining the room.": "%(senderDisplayName)sがこのルームへのゲストによる参加を拒否しました。", - "%(senderDisplayName)s changed guest access to %(rule)s": "%(senderDisplayName)sがゲストによるアクセスを「%(rule)s」に変更しました。", "%(displayName)s is typing …": "%(displayName)sが入力しています…", "%(names)s and %(count)s others are typing …": { "other": "%(names)sと他%(count)s人が入力しています…", @@ -588,7 +568,6 @@ "Once enabled, encryption cannot be disabled.": "いったん有効にすると、暗号化を無効にすることはできません。", "Email Address": "メールアドレス", "Main address": "メインアドレス", - "Create a private room": "非公開ルームを作成", "Topic (optional)": "トピック(任意)", "Hide advanced": "高度な設定を非表示にする", "Show advanced": "高度な設定を表示", @@ -614,10 +593,6 @@ "reacted with %(shortName)s": "%(shortName)sでリアクションしました", "Create account": "アカウントを作成", "Error upgrading room": "ルームをアップグレードする際にエラーが発生しました", - "%(senderName)s placed a voice call.": "%(senderName)sが音声通話を行いました。", - "%(senderName)s placed a voice call. (not supported by this browser)": "%(senderName)sが音声通話を行いました。(このブラウザーではサポートされていません)", - "%(senderName)s placed a video call.": "%(senderName)sがビデオ通話を行いました。", - "%(senderName)s placed a video call. (not supported by this browser)": "%(senderName)sがビデオ通話を行いました。(このブラウザーではサポートされていません)", "Match system theme": "システムテーマに合わせる", "Delete Backup": "バックアップを削除", "Encrypted messages are secured with end-to-end encryption. Only you and the recipient(s) have the keys to read these messages.": "暗号化されたメッセージは、エンドツーエンドの暗号化によって保護されています。これらの暗号化されたメッセージを読むための鍵を持っているのは、あなたと受信者だけです。", @@ -655,8 +630,6 @@ "Session key": "セッションキー", "Never send encrypted messages to unverified sessions from this session": "このセッションでは、未認証のセッションに対して暗号化されたメッセージを送信しない", "Never send encrypted messages to unverified sessions in this room from this session": "このセッションでは、このルームの未認証のセッションに対して暗号化されたメッセージを送信しない", - "Encrypted messages in one-to-one chats": "1対1のチャットでの暗号化されたメッセージ", - "Encrypted messages in group chats": "グループチャットでの暗号化されたメッセージ", "Enable desktop notifications for this session": "このセッションでデスクトップ通知を有効にする", "Email addresses": "メールアドレス", "This room is end-to-end encrypted": "このルームはエンドツーエンドで暗号化されています", @@ -670,7 +643,6 @@ "Clear cross-signing keys": "クロス署名鍵を削除", "Clear all data in this session?": "このセッションの全てのデータを削除してよろしいですか?", "Clear all data": "全てのデータを消去", - "Create a public room": "公開ルームを作成", "Message edits": "メッセージの編集履歴", "Report Content to Your Homeserver Administrator": "あなたのホームサーバーの管理者にコンテンツを報告", "Reporting this message will send its unique 'event ID' to the administrator of your homeserver. If messages in this room are encrypted, your homeserver administrator will not be able to read the message text or view any files or images.": "このメッセージを報告すると、このメッセージの一意の「イベントID」があなたのホームサーバーの管理者に送信されます。このルーム内のメッセージが暗号化されている場合、ホームサーバーの管理者はメッセージのテキストを読んだり、ファイルや画像を表示したりすることはできません。", @@ -682,7 +654,6 @@ "Local address": "ローカルアドレス", "Calls": "通話", "Toggle microphone mute": "マイクのミュートを切り替える", - "%(senderDisplayName)s changed the room name from %(oldRoomName)s to %(newRoomName)s.": "%(senderDisplayName)sがルーム名を%(oldRoomName)sから%(newRoomName)sに変更しました。", "Unknown Command": "不明なコマンド", "Unrecognised command: %(commandText)s": "認識されていないコマンド:%(commandText)s", "Send as message": "メッセージとして送信", @@ -787,9 +758,6 @@ "Use custom size": "ユーザー定義のサイズを使用", "Use a system font": "システムフォントを使用", "System font name": "システムフォントの名前", - "Messages containing my username": "自身のユーザー名を含むメッセージ", - "Messages containing @room": "@roomを含むメッセージ", - "When rooms are upgraded": "ルームがアップグレードされたとき", "Hey you. You're the best!": "こんにちは、よろしくね!", "Customise your appearance": "外観のカスタマイズ", "Appearance Settings only affect this %(brand)s session.": "外観の設定はこの%(brand)sのセッションにのみ適用されます。", @@ -1238,9 +1206,6 @@ "one": "%(senderName)sがこのルームの代替アドレス %(addresses)s を追加しました。", "other": "%(senderName)sがこのルームの代替アドレス %(addresses)s を追加しました。" }, - "🎉 All servers are banned from participating! This room can no longer be used.": "🎉全てのサーバーの参加がブロックされています!このルームは使用できなくなりました。", - "%(senderDisplayName)s changed the server ACLs for this room.": "%(senderDisplayName)sがこのルームのサーバーアクセス制御リストを変更しました。", - "%(senderDisplayName)s set the server ACLs for this room.": "%(senderDisplayName)sがこのルームのサーバーアクセス制御リストを設定しました。", "Converts the DM to a room": "ダイレクトメッセージをルームに変換", "Converts the room to a DM": "ルームをダイレクトメッセージに変換", "Takes the call in the current room off hold": "現在のルームの通話を保留から外す", @@ -1741,7 +1706,6 @@ "Global": "全体", "New keyword": "新しいキーワード", "Keyword": "キーワード", - "%(targetName)s joined the room": "%(targetName)sがこのルームに参加しました", "Anyone can find and join.": "誰でも検索し、参加できます。", "Anyone in a space can find and join. You can select multiple spaces.": "スペースのメンバーが検索し、参加できます。複数のスペースを選択できます。", "Space members": "スペースのメンバー", @@ -1749,7 +1713,6 @@ "Only invited people can join.": "招待された人のみ参加できます。", "Private (invite only)": "非公開(招待者のみ参加可能)", "Decide who can join %(roomName)s.": "%(roomName)sに参加できる人を設定してください。", - "%(senderName)s invited %(targetName)s": "%(senderName)sが%(targetName)sを招待しました", "Verify your identity to access encrypted messages and prove your identity to others.": "暗号化されたメッセージにアクセスするには、本人確認が必要です。", "New? Create account": "初めてですか?アカウントを作成しましょう", "Are you sure you want to sign out?": "サインアウトしてよろしいですか?", @@ -1778,10 +1741,6 @@ "Report": "報告", "Files": "ファイル", "Number of messages": "メッセージ数", - "Plain Text": "プレーンテキスト", - "Specify a number of messages": "メッセージ数を指定", - "From the beginning": "一番最初から", - "Current Timeline": "現在のタイムライン", "Include Attachments": "添付ファイルを含める", "Size Limit": "サイズ制限", "Format": "形式", @@ -1793,10 +1752,6 @@ "You can't see earlier messages": "以前のメッセージは表示できません", "Encrypted messages before this point are unavailable.": "これ以前の暗号化されたメッセージは利用できません。", "Take a picture": "画像を撮影", - "%(senderName)s set a profile picture": "%(senderName)sがプロフィール画像を設定しました", - "%(senderName)s changed their profile picture": "%(senderName)sがプロフィール画像を変更しました", - "%(senderName)s removed their profile picture": "%(senderName)sがプロフィール画像を削除しました", - "%(targetName)s left the room": "%(targetName)sがこのルームから退出しました", "Change main address for the space": "スペースのメインアドレスの変更", "Copy room link": "ルームのリンクをコピー", "Remove users": "ユーザーの追放", @@ -1816,11 +1771,6 @@ "Copy link to thread": "スレッドへのリンクをコピー", "You're all caught up": "未読はありません", "Unable to find Matrix ID for phone number": "電話番号からMatrix IDを発見できません", - "%(senderName)s banned %(targetName)s: %(reason)s": "%(senderName)sが%(targetName)sをブロックしました。理由:%(reason)s", - "%(senderName)s set their display name to %(displayName)s": "%(senderName)sが表示名を%(displayName)sに設定しました", - "%(oldDisplayName)s changed their display name to %(displayName)s": "%(oldDisplayName)sが表示名を%(displayName)sに変更しました", - "%(senderName)s banned %(targetName)s": "%(senderName)sが%(targetName)sをブロックしました", - "%(senderName)s removed their display name (%(oldDisplayName)s)": "%(senderName)sが表示名(%(oldDisplayName)s)を削除しました", "Connecting": "接続しています", "Unmute the microphone": "マイクのミュートを解除", "Mute the microphone": "マイクをミュート", @@ -1850,7 +1800,6 @@ "Stop the camera": "カメラを停止", "sends space invaders": "スペースインベーダーを送る", "Failed to transfer call": "通話の転送に失敗しました", - "Topic: %(topic)s": "トピック:%(topic)s", "Command error: Unable to handle slash command.": "コマンドエラー:スラッシュコマンドは使えません。", "%(spaceName)s and %(count)s others": { "one": "%(spaceName)sと他%(count)s個", @@ -1860,7 +1809,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": "固定メッセージ", - "Export successful!": "エクスポートが成功しました!", "We sent the others, but the below people couldn't be invited to ": "以下の人たちをに招待できませんでした", "Widgets do not use message encryption.": "ウィジェットはメッセージの暗号化を行いません。", "Using this widget may share data with %(widgetDomain)s.": "このウィジェットを使うと、データが%(widgetDomain)sと共有される可能性があります。", @@ -2083,18 +2031,6 @@ "Be found by phone or email": "自分を電話番号か電子メールで見つけられるようにする", "Find others by phone or email": "知人を電話番号か電子メールで探す", "You were removed from %(roomName)s by %(memberName)s": "%(memberName)sにより%(roomName)sから追放されました", - "%(senderDisplayName)s sent a sticker.": "%(senderDisplayName)sがステッカーを送信しました。", - "%(senderDisplayName)s changed the room avatar.": "%(senderDisplayName)sがルームのアバターを変更しました。", - "%(senderName)s withdrew %(targetName)s's invitation": "%(senderName)sが%(targetName)sの招待を取り下げました", - "%(senderName)s withdrew %(targetName)s's invitation: %(reason)s": "%(senderName)sが%(targetName)sの招待を取り下げました。理由:%(reason)s", - "%(senderName)s unbanned %(targetName)s": "%(senderName)sが%(targetName)sのブロックを解除しました", - "%(targetName)s accepted an invitation": "%(targetName)sが招待を受け入れました", - "%(targetName)s accepted the invitation for %(displayName)s": "%(targetName)sが%(displayName)sの招待を受け入れました", - "%(targetName)s left the room: %(reason)s": "%(targetName)sがルームから退出しました。理由:%(reason)s", - "%(targetName)s rejected the invitation": "%(targetName)sが招待を拒否しました", - "%(senderName)s made no change": "%(senderName)sは変更を加えませんでした", - "%(senderName)s removed %(targetName)s": "%(senderName)sが%(targetName)sを追放しました", - "%(senderName)s removed %(targetName)s: %(reason)s": "%(senderName)sが%(targetName)sを追放しました。理由:%(reason)s", "was removed %(count)s times": { "one": "が追放されました", "other": "が%(count)s回追放されました" @@ -2228,9 +2164,6 @@ "Invalid URL": "不正なURL", "The server is offline.": "サーバーはオフラインです。", "Share anonymous data to help us identify issues. Nothing personal. No third parties. Learn More": "匿名のデータを共有すると、問題の特定に役立ちます。個人情報の収集や、第三者とのデータ共有はありません。詳細を確認", - "JSON": "JSON", - "HTML": "HTML", - "Generating a ZIP": "ZIPファイルを生成しています", "New Recovery Method": "新しい復元方法", "%(senderName)s changed the pinned messages for the room.": "%(senderName)sがこのルームの固定メッセージを変更しました。", "%(senderName)s unpinned a message from this room. See all pinned messages.": "%(senderName)sがメッセージの固定を解除しました。全ての固定メッセージを表示。", @@ -2368,8 +2301,6 @@ "Couldn't load page": "ページを読み込めませんでした", "Confirm the emoji below are displayed on both devices, in the same order:": "以下の絵文字が、両方の端末で、同じ順番で表示されているかどうか確認してください:", "Show sidebar": "サイドバーを表示", - "File Attached": "添付されたファイル", - "%(creatorName)s created this room.": "%(creatorName)sがこのルームを作成しました。", "We couldn't create your DM.": "ダイレクトメッセージを作成できませんでした。", "Confirm to continue": "確認して続行", "Failed to find the following users": "次のユーザーの発見に失敗しました", @@ -2396,7 +2327,6 @@ "Space selection": "スペースの選択", "Looks good!": "問題ありません!", "Backspace": "バックスペース", - "Unnamed Space": "名前のないスペース", "Emoji Autocomplete": "絵文字の自動補完", "Notification Autocomplete": "通知の自動補完", "Cancel All": "全てキャンセル", @@ -2406,25 +2336,6 @@ "You cancelled verification on your other device.": "他の端末で認証がキャンセルされました。", "You won't be able to rejoin unless you are re-invited.": "再び招待されない限り、再参加することはできません。", "Search %(spaceName)s": "%(spaceName)sを検索", - "Fetched %(count)s events out of %(total)s": { - "one": "計%(total)s個のうち%(count)s個のイベントを取得しました", - "other": "計%(total)s個のうち%(count)s個のイベントを取得しました" - }, - "Are you sure you want to exit during this export?": "エクスポートを中断してよろしいですか?", - "Fetched %(count)s events so far": { - "one": "%(count)s個のイベントを取得しました", - "other": "%(count)s個のイベントを取得しました" - }, - "Processing event %(number)s out of %(total)s": "計%(total)s個のうち%(number)s個のイベントを処理しています", - "Error fetching file": "ファイルの取得中にエラーが発生しました", - "Exported %(count)s events in %(seconds)s seconds": { - "one": "%(count)s個のイベントを%(seconds)s秒でエクスポートしました", - "other": "%(count)s個のイベントを%(seconds)s秒でエクスポートしました" - }, - "Fetched %(count)s events in %(seconds)ss": { - "other": "%(count)s個のイベントを%(seconds)s秒で取得しました", - "one": "%(count)s個のイベントを%(seconds)s秒で取得しました" - }, "That's fine": "問題ありません", "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.": "新しい端末が認証されました。端末は暗号化されたメッセージにアクセスすることができます。また、端末は他のユーザーに「信頼済」として表示されます。", @@ -2586,8 +2497,6 @@ "Command Autocomplete": "コマンドの自動補完", "Room Autocomplete": "ルームの自動補完", "You cannot sign in to your account. Please contact your homeserver admin for more information.": "アカウントにサインインできません。ホームサーバーの管理者に連絡して詳細を確認してください。", - "%(senderDisplayName)s changed who can join this room.": "%(senderDisplayName)sがこのルームに参加できる対象を変更しました。", - "%(senderDisplayName)s changed who can join this room. View settings.": "%(senderDisplayName)sがこのルームに参加できる対象を変更しました。設定を表示。", "Command error: Unable to find rendering type (%(renderingType)s)": "コマンドエラー:レンダリングの種類(%(renderingType)s)が見つかりません", "Error processing voice message": "音声メッセージを処理する際にエラーが発生しました", "Error loading Widget": "ウィジェットを読み込む際にエラーが発生しました", @@ -2702,9 +2611,6 @@ "Missing room name or separator e.g. (my-room:domain.org)": "ルーム名あるいはセパレーターが入力されていません。例はmy-room:domain.orgとなります", "This address had invalid server or is already in use": "このアドレスは不正なサーバーを含んでいるか、既に使用されています", "Waiting for you to verify on your other device, %(deviceName)s (%(deviceId)s)…": "端末 %(deviceName)s(%(deviceId)s)での認証を待機しています…", - "This is the start of export of . Exported by at %(exportDate)s.": "ここがのエクスポートの先頭です。により%(exportDate)sにエクスポートされました。", - "Media omitted - file size limit exceeded": "ファイルのサイズの超過により、メディアファイルは省かれました", - "Media omitted": "メディアファイルは省かれました", "See when people join, leave, or are invited to your active room": "アクティブなルームに参加、退出、招待された日時を表示", "Remove, ban, or invite people to your active room, and make you leave": "アクティブなルームから追放、ブロック、ルームに招待、また、退出を要求", "What are some things you want to discuss in %(spaceName)s?": "%(spaceName)sのテーマは何でしょうか?", @@ -2807,9 +2713,6 @@ "other": "%(count)s人の参加者", "one": "1人の参加者" }, - "Create a video room": "ビデオ通話ルームを作成", - "Create video room": "ビデオ通話ルームを作成", - "Create room": "ルームを作成", "Threads help keep your conversations on-topic and easy to track.": "スレッド機能を使うと、会話のテーマを維持したり、会話を簡単に追跡したりすることができます。", "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:": "他のセッションのユーザー設定で、以下を比較して承認してください:", @@ -2849,8 +2752,6 @@ "Turn off camera": "カメラを無効にする", "Turn on camera": "カメラを有効にする", "%(user1)s and %(user2)s": "%(user1)sと%(user2)s", - "Video call started in %(roomName)s. (not supported by this browser)": "ビデオ通話が%(roomName)sで開始しました。(このブラウザーではサポートされていません)", - "Video call started in %(roomName)s.": "ビデオ通話が%(roomName)sで開始しました。", "You need to be able to kick users to do that.": "それを行うにはユーザーをキックする権限が必要です。", "Empty room (was %(oldName)s)": "空のルーム(以前の名前は%(oldName)s)", "Inviting %(user)s and %(count)s others": { @@ -3353,11 +3254,7 @@ "Connecting to integration manager…": "インテグレーションマネージャーに接続しています…", "Saving…": "保存しています…", "Creating…": "作成しています…", - "Creating output…": "出力しています…", - "Fetching events…": "イベントを取得しています…", "Starting export process…": "エクスポートのプロセスを開始しています…", - "Creating HTML…": "HTMLファイルを作成しています…", - "Starting export…": "エクスポートを開始しています…", "Unable to connect to Homeserver. Retrying…": "ホームサーバーに接続できません。 再試行しています…", "Secure Backup successful": "セキュアバックアップに成功しました", "Your keys are now being backed up from this device.": "鍵はこの端末からバックアップされています。", @@ -3441,7 +3338,9 @@ "not_trusted": "信頼されていません", "accessibility": "アクセシビリティー", "server": "サーバー", - "capabilities": "機能" + "capabilities": "機能", + "unnamed_room": "名前のないルーム", + "unnamed_space": "名前のないスペース" }, "action": { "continue": "続行", @@ -3727,7 +3626,20 @@ "prompt_invite": "不正の可能性があるMatrix IDに招待を送信する前に確認", "hardware_acceleration": "ハードウェアアクセラレーションを有効にする(%(appName)sを再起動すると有効になります)", "start_automatically": "システムログイン後に自動的に起動", - "warn_quit": "終了する際に警告" + "warn_quit": "終了する際に警告", + "notifications": { + "rule_contains_display_name": "自身の表示名を含むメッセージ", + "rule_contains_user_name": "自身のユーザー名を含むメッセージ", + "rule_roomnotif": "@roomを含むメッセージ", + "rule_room_one_to_one": "1対1のチャットでのメッセージ", + "rule_message": "グループチャットでのメッセージ", + "rule_encrypted": "グループチャットでの暗号化されたメッセージ", + "rule_invite_for_me": "ルームに招待されたとき", + "rule_call": "通話への招待", + "rule_suppress_notices": "ボットによるメッセージ", + "rule_tombstone": "ルームがアップグレードされたとき", + "rule_encrypted_room_one_to_one": "1対1のチャットでの暗号化されたメッセージ" + } }, "devtools": { "send_custom_account_data_event": "アカウントのユーザー定義のデータイベントを送信", @@ -3807,5 +3719,117 @@ "developer_tools": "開発者ツール", "room_id": "ルームID:%(roomId)s", "event_id": "イベントID:%(eventId)s" + }, + "export_chat": { + "html": "HTML", + "json": "JSON", + "text": "プレーンテキスト", + "from_the_beginning": "一番最初から", + "number_of_messages": "メッセージ数を指定", + "current_timeline": "現在のタイムライン", + "creating_html": "HTMLファイルを作成しています…", + "starting_export": "エクスポートを開始しています…", + "export_successful": "エクスポートが成功しました!", + "unload_confirm": "エクスポートを中断してよろしいですか?", + "generating_zip": "ZIPファイルを生成しています", + "processing_event_n": "計%(total)s個のうち%(number)s個のイベントを処理しています", + "fetched_n_events_with_total": { + "one": "計%(total)s個のうち%(count)s個のイベントを取得しました", + "other": "計%(total)s個のうち%(count)s個のイベントを取得しました" + }, + "fetched_n_events": { + "one": "%(count)s個のイベントを取得しました", + "other": "%(count)s個のイベントを取得しました" + }, + "fetched_n_events_in_time": { + "other": "%(count)s個のイベントを%(seconds)s秒で取得しました", + "one": "%(count)s個のイベントを%(seconds)s秒で取得しました" + }, + "exported_n_events_in_time": { + "one": "%(count)s個のイベントを%(seconds)s秒でエクスポートしました", + "other": "%(count)s個のイベントを%(seconds)s秒でエクスポートしました" + }, + "media_omitted": "メディアファイルは省かれました", + "media_omitted_file_size": "ファイルのサイズの超過により、メディアファイルは省かれました", + "creator_summary": "%(creatorName)sがこのルームを作成しました。", + "export_info": "ここがのエクスポートの先頭です。により%(exportDate)sにエクスポートされました。", + "topic": "トピック:%(topic)s", + "error_fetching_file": "ファイルの取得中にエラーが発生しました", + "file_attached": "添付されたファイル", + "fetching_events": "イベントを取得しています…", + "creating_output": "出力しています…" + }, + "create_room": { + "title_video_room": "ビデオ通話ルームを作成", + "title_public_room": "公開ルームを作成", + "title_private_room": "非公開ルームを作成", + "action_create_video_room": "ビデオ通話ルームを作成", + "action_create_room": "ルームを作成" + }, + "timeline": { + "m.call": { + "video_call_started": "ビデオ通話が%(roomName)sで開始しました。", + "video_call_started_unsupported": "ビデオ通話が%(roomName)sで開始しました。(このブラウザーではサポートされていません)" + }, + "m.call.invite": { + "voice_call": "%(senderName)sが音声通話を行いました。", + "voice_call_unsupported": "%(senderName)sが音声通話を行いました。(このブラウザーではサポートされていません)", + "video_call": "%(senderName)sがビデオ通話を行いました。", + "video_call_unsupported": "%(senderName)sがビデオ通話を行いました。(このブラウザーではサポートされていません)" + }, + "m.room.member": { + "accepted_3pid_invite": "%(targetName)sが%(displayName)sの招待を受け入れました", + "accepted_invite": "%(targetName)sが招待を受け入れました", + "invite": "%(senderName)sが%(targetName)sを招待しました", + "ban_reason": "%(senderName)sが%(targetName)sをブロックしました。理由:%(reason)s", + "ban": "%(senderName)sが%(targetName)sをブロックしました", + "change_name": "%(oldDisplayName)sが表示名を%(displayName)sに変更しました", + "set_name": "%(senderName)sが表示名を%(displayName)sに設定しました", + "remove_name": "%(senderName)sが表示名(%(oldDisplayName)s)を削除しました", + "remove_avatar": "%(senderName)sがプロフィール画像を削除しました", + "change_avatar": "%(senderName)sがプロフィール画像を変更しました", + "set_avatar": "%(senderName)sがプロフィール画像を設定しました", + "no_change": "%(senderName)sは変更を加えませんでした", + "join": "%(targetName)sがこのルームに参加しました", + "reject_invite": "%(targetName)sが招待を拒否しました", + "left_reason": "%(targetName)sがルームから退出しました。理由:%(reason)s", + "left": "%(targetName)sがこのルームから退出しました", + "unban": "%(senderName)sが%(targetName)sのブロックを解除しました", + "withdrew_invite_reason": "%(senderName)sが%(targetName)sの招待を取り下げました。理由:%(reason)s", + "withdrew_invite": "%(senderName)sが%(targetName)sの招待を取り下げました", + "kick_reason": "%(senderName)sが%(targetName)sを追放しました。理由:%(reason)s", + "kick": "%(senderName)sが%(targetName)sを追放しました" + }, + "m.room.topic": "%(senderDisplayName)sがトピックを\"%(topic)s\"に変更しました。", + "m.room.avatar": "%(senderDisplayName)sがルームのアバターを変更しました。", + "m.room.name": { + "remove": "%(senderDisplayName)sがルーム名を削除しました。", + "change": "%(senderDisplayName)sがルーム名を%(oldRoomName)sから%(newRoomName)sに変更しました。", + "set": "%(senderDisplayName)sがルーム名を%(roomName)sに変更しました。" + }, + "m.room.tombstone": "%(senderDisplayName)sがこのルームをアップグレードしました。", + "m.room.join_rules": { + "public": "%(senderDisplayName)sがこのルームを「リンクを知っている人全員」に公開しました。", + "invite": "%(senderDisplayName)sがこのルームを「招待者のみ参加可能」に変更しました。", + "restricted_settings": "%(senderDisplayName)sがこのルームに参加できる対象を変更しました。設定を表示。", + "restricted": "%(senderDisplayName)sがこのルームに参加できる対象を変更しました。", + "unknown": "%(senderDisplayName)sが参加ルールを「%(rule)s」に変更しました。" + }, + "m.room.guest_access": { + "can_join": "%(senderDisplayName)sがこのルームへのゲストによる参加を許可しました。", + "forbidden": "%(senderDisplayName)sがこのルームへのゲストによる参加を拒否しました。", + "unknown": "%(senderDisplayName)sがゲストによるアクセスを「%(rule)s」に変更しました。" + }, + "m.image": "%(senderDisplayName)sが画像を送信しました。", + "m.sticker": "%(senderDisplayName)sがステッカーを送信しました。", + "m.room.server_acl": { + "set": "%(senderDisplayName)sがこのルームのサーバーアクセス制御リストを設定しました。", + "changed": "%(senderDisplayName)sがこのルームのサーバーアクセス制御リストを変更しました。", + "all_servers_banned": "🎉全てのサーバーの参加がブロックされています!このルームは使用できなくなりました。" + }, + "m.room.canonical_alias": { + "set": "%(senderName)sがこのルームのメインアドレスを%(address)sに設定しました。", + "removed": "%(senderName)sがこのルームのメインアドレスを削除しました。" + } } } diff --git a/src/i18n/strings/jbo.json b/src/i18n/strings/jbo.json index a81e9ca1bf3..bef0736ac61 100644 --- a/src/i18n/strings/jbo.json +++ b/src/i18n/strings/jbo.json @@ -35,7 +35,6 @@ "%(weekDayName)s, %(monthName)s %(day)s %(time)s": ".i li %(monthName)s %(day)s %(weekDayName)s %(time)s detri", "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": ".i li %(fullYear)s %(monthName)s %(day)s %(weekDayName)s detri", "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s": ".i li %(fullYear)s %(monthName)s %(day)s %(weekDayName)s %(time)s detri", - "Unnamed Room": "na da cmene", "Unable to enable Notifications": ".i na kakne lo nu co'a kakne lo nu benji lo sajgau", "This email address was not found": ".i na da zo'u facki le du'u samymri judri da", "Default": "zmiselcu'a", @@ -76,12 +75,6 @@ "Displays action": ".i mrilu lo nu do gasnu", "Forces the current outbound group session in an encrypted room to be discarded": ".i macnu vimcu lo ca barkla termifckiku gunma lo kumfa pe'a poi mifra", "Reason": "krinu", - "%(senderDisplayName)s changed the topic to \"%(topic)s\".": ".i gau la'o zoi. %(senderDisplayName)s .zoi zoi zoi. %(topic)s .zoi basti da le ka skicu lerpoi", - "%(senderDisplayName)s removed the room name.": ".i gau la'o zoi. %(senderDisplayName)s .zoi da co'u cmene le se zilbe'i", - "%(senderDisplayName)s changed the room name to %(roomName)s.": ".i gau la'o zoi. %(senderDisplayName)s .zoi zoi zoi. %(roomName)s .zoi basti da le ka cmene le se zilbe'i", - "%(senderDisplayName)s sent an image.": ".i pa pixra cu zilbe'i fi la'o zoi. %(senderDisplayName)s .zoi", - "%(senderName)s set the main address for this room to %(address)s.": ".i gau la'o zoi. %(senderName)s .zoi zoi zoi. %(address)s .zoi co'a ralju le'i judri be le ve zilbe'i", - "%(senderName)s removed the main address for this room.": ".i gau la'o zoi. %(senderName)s .zoi da co'u ralju le'i judri be le ve zilbe'i", "%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": ".i la'o zoi. %(senderName)s .zoi friti le ka ziljmina le se zilbe'i kei la'o zoi. %(targetDisplayName)s .zoi", "%(senderName)s made future room history visible to all room members, from the point they are invited.": ".i ro da poi pagbu le se zilbe'i zo'u gau la'o zoi. %(senderName)s .zoi da ka'e tcidu ro notci poi ba lo nu da te friti ba zilbe'i", "%(senderName)s made future room history visible to all room members, from the point they joined.": ".i ro da poi pagbu le se zilbe'i zo'u gau la'o zoi. %(senderName)s .zoi da ka'e tcidu ro notci poi ba lo nu da ziljmina ba zilbe'i", @@ -105,12 +98,6 @@ "Collecting app version information": ".i ca'o facki le du'u favytcinymupli", "Collecting logs": ".i ca'o facki le du'u citri", "Waiting for response from server": ".i ca'o denpa lo nu le samtcise'u cu spuda", - "Messages containing my display name": "nu pa se pagbu be le cmene be mi cu zilbe'i", - "Messages in one-to-one chats": "nu da zilbe'i pa prenu", - "Messages in group chats": "nu da zilbe'i lu'o pa prenu", - "When I'm invited to a room": "nu da friti le ka ziljmina lo se zilbe'i kei do", - "Call invitation": "nu da co'a fonjo'e do", - "Messages sent by bot": "nu da zilbe'i fi pa sampre", "Incorrect verification code": ".i na'e drani ke lacri lerpoi", "Phone": "fonxa", "No display name": ".i na da cmene", @@ -133,11 +120,6 @@ "This room has no topic.": ".i na da skicu lerpoi le ve zilbe'i", "Could not find user in room": ".i le pilno na pagbu le se zilbe'i", "Session already verified!": ".i xa'o lacri le se samtcise'u", - "%(senderDisplayName)s changed the room name from %(oldRoomName)s to %(newRoomName)s.": ".i gau la'o zoi. %(senderDisplayName)s .zoi zoi zoi. %(newRoomName)s .zoi basti zoi zoi. %(oldRoomName)s .zoi le ka cmene le se zilbe'i", - "%(senderDisplayName)s made the room public to whoever knows the link.": ".i gau la'o zoi. %(senderDisplayName)s .zoi ro djuno be le du'u judri cu ka'e ziljmina le se zilbe'i", - "%(senderDisplayName)s made the room invite only.": ".i ro da zo'u gau la'o zoi. %(senderDisplayName)s .zoi lo nu de friti le ka ziljmina le se zilbe'i kei da sarcu", - "%(senderDisplayName)s has allowed guests to join the room.": ".i la'o zoi. %(senderDisplayName)s .zoi curmi lo nu ro na te friti cu ka'e ziljmina le se zilbe'i", - "%(senderDisplayName)s has prevented guests from joining the room.": ".i la'o zoi. %(senderDisplayName)s .zoi na curmi lo nu ro na te friti cu ka'e ziljmina le se zilbe'i", "%(senderName)s added the alternative addresses %(addresses)s for this room.": { "other": ".i gau la'o zoi. %(senderName)s .zoi zoi zoi. %(addresses)s .zoi poi na ralju co'a judri le se zilbe'i", "one": ".i gau la'o zoi. %(senderName)s .zoi zoi zoi. %(addresses)s .zoi poi na ralju co'a judri le se zilbe'i" @@ -149,10 +131,6 @@ "%(senderName)s changed the alternative addresses for this room.": ".i gau la'o zoi. %(senderName)s .zoi pa na ralju cu basti da le ka judri le se zilbe'i", "%(senderName)s changed the main and alternative addresses for this room.": ".i gau la'o zoi. %(senderName)s .zoi pa ralju je pa na ralju cu basti da le ka judri le se zilbe'i", "%(senderName)s changed the addresses for this room.": ".i gau la'o zoi. %(senderName)s .zoi da basti de le ka judri le se zilbe'i", - "%(senderName)s placed a voice call.": ".i la'o zoi. %(senderName)s .zoi co'a fonjo'e", - "%(senderName)s placed a voice call. (not supported by this browser)": ".i la'o zoi. %(senderName)s .zoi co'a fonjo'e .i le do kibrbrauzero na kakne", - "%(senderName)s placed a video call.": ".i la'o zoi. %(senderName)s .zoi co'a vidvi fonjo'e", - "%(senderName)s placed a video call. (not supported by this browser)": ".i la'o zoi. %(senderName)s .zoi co'a vidvi fonjo'e .i le do kibrbrauzero na kakne", "%(senderName)s revoked the invitation for %(targetDisplayName)s to join the room.": ".i la'o zoi. %(senderName)s .zoi co'u friti le ka ziljmina le se zilbe'i kei la'o zoi. %(targetDisplayName)s .zoi", "You signed in to a new session without verifying it:": ".i fe le di'e se samtcise'u pu co'a jaspu vau je za'o na lacri", "They match": "du", @@ -256,10 +234,6 @@ "Cannot reach homeserver": ".i ca ku na da ka'e zilbe'i le samtcise'u", "Match system theme": "nu mapti le jvinu be le vanbi", "Never send encrypted messages to unverified sessions in this room from this session": "nu na pa mifra be pa notci cu zilbe'i pa se samtcise'u poi na se lanli ku'o le se samtcise'u le cei'i", - "Messages containing my username": "nu pa se pagbu be le judri be mi cu zilbe'i", - "Messages containing @room": "nu pa se pagbu be zoi zoi. @room .zoi cu zilbe'i", - "Encrypted messages in one-to-one chats": "nu pa mifra cu zilbe'i pa prenu", - "Encrypted messages in group chats": "nu pa mifra cu zilbe'i lu'o pa prenu", "The other party cancelled the verification.": ".i le na du be do co'u troci le ka co'a lacri", "Verified!": ".i mo'u co'a lacri", "You've successfully verified this user.": ".i mo'u co'a lacri le pilno", @@ -280,7 +254,6 @@ "%(senderName)s is calling": ".i la'o zoi. %(senderName)s .zoi co'a fonjo'e", "%(senderName)s: %(message)s": "%(senderName)s: %(message)s", "%(senderName)s: %(stickerName)s": "%(senderName)s: %(stickerName)s", - "%(senderName)s invited %(targetName)s": ".i la'o zoi. %(senderName)s .zoi friti le ka ziljmina kei la'o zoi. %(targetName)s .zoi", "Use a system font": "nu da pe le vanbi cu ci'artai", "System font name": "cmene le ci'artai pe le vanbi", "Never send encrypted messages to unverified sessions from this session": "nu na pa mifra be pa notci cu zilbe'i pa se samtcise'u poi na se lanli ku'o le se samtcise'u", @@ -317,8 +290,6 @@ "Revoke invite": "nu zukte le ka na ckaji le se friti", "collapse": "nu tcila be na ku viska", "expand": "nu tcila viska", - "Create a public room": "nu cupra pa ve zilbe'i poi gubni", - "Create a private room": "nu cupra pa ve zilbe'i poi na gubni", "Are you sure you want to sign out?": ".i xu do birti le du'u do kaidji le ka co'u se jaspu", "Sign out and remove encryption keys?": ".i xu do djica lo nu co'u jaspu do je lo nu tolmo'i le du'u mifra ckiku", "Upload %(count)s other files": { @@ -356,7 +327,8 @@ "emoji": "cinmo sinxa", "someone": "da", "trusted": "se lacri", - "not_trusted": "na se lacri" + "not_trusted": "na se lacri", + "unnamed_room": "na da cmene" }, "action": { "continue": "", @@ -405,6 +377,52 @@ "always_show_message_timestamps": "lo du'u xu kau do ro roi viska ka'e lo tcika be tu'a lo notci", "replace_plain_emoji": "lo du'u xu kau zmiku basti lo cinmo lerpoi", "automatic_language_detection_syntax_highlight": "lo du'u xu kau zmiku facki lo du'u ma kau bangu ku te zu'e lo nu skari ba'argau lo gensu'a", - "inline_url_previews_default": "lo zmiselcu'a pe lo du'u xu kau zmiku purzga lo se urli" + "inline_url_previews_default": "lo zmiselcu'a pe lo du'u xu kau zmiku purzga lo se urli", + "notifications": { + "rule_contains_display_name": "nu pa se pagbu be le cmene be mi cu zilbe'i", + "rule_contains_user_name": "nu pa se pagbu be le judri be mi cu zilbe'i", + "rule_roomnotif": "nu pa se pagbu be zoi zoi. @room .zoi cu zilbe'i", + "rule_room_one_to_one": "nu da zilbe'i pa prenu", + "rule_message": "nu da zilbe'i lu'o pa prenu", + "rule_encrypted": "nu pa mifra cu zilbe'i lu'o pa prenu", + "rule_invite_for_me": "nu da friti le ka ziljmina lo se zilbe'i kei do", + "rule_call": "nu da co'a fonjo'e do", + "rule_suppress_notices": "nu da zilbe'i fi pa sampre", + "rule_encrypted_room_one_to_one": "nu pa mifra cu zilbe'i pa prenu" + } + }, + "create_room": { + "title_public_room": "nu cupra pa ve zilbe'i poi gubni", + "title_private_room": "nu cupra pa ve zilbe'i poi na gubni" + }, + "timeline": { + "m.call.invite": { + "voice_call": ".i la'o zoi. %(senderName)s .zoi co'a fonjo'e", + "voice_call_unsupported": ".i la'o zoi. %(senderName)s .zoi co'a fonjo'e .i le do kibrbrauzero na kakne", + "video_call": ".i la'o zoi. %(senderName)s .zoi co'a vidvi fonjo'e", + "video_call_unsupported": ".i la'o zoi. %(senderName)s .zoi co'a vidvi fonjo'e .i le do kibrbrauzero na kakne" + }, + "m.room.member": { + "invite": ".i la'o zoi. %(senderName)s .zoi friti le ka ziljmina kei la'o zoi. %(targetName)s .zoi" + }, + "m.room.topic": ".i gau la'o zoi. %(senderDisplayName)s .zoi zoi zoi. %(topic)s .zoi basti da le ka skicu lerpoi", + "m.room.name": { + "remove": ".i gau la'o zoi. %(senderDisplayName)s .zoi da co'u cmene le se zilbe'i", + "change": ".i gau la'o zoi. %(senderDisplayName)s .zoi zoi zoi. %(newRoomName)s .zoi basti zoi zoi. %(oldRoomName)s .zoi le ka cmene le se zilbe'i", + "set": ".i gau la'o zoi. %(senderDisplayName)s .zoi zoi zoi. %(roomName)s .zoi basti da le ka cmene le se zilbe'i" + }, + "m.room.join_rules": { + "public": ".i gau la'o zoi. %(senderDisplayName)s .zoi ro djuno be le du'u judri cu ka'e ziljmina le se zilbe'i", + "invite": ".i ro da zo'u gau la'o zoi. %(senderDisplayName)s .zoi lo nu de friti le ka ziljmina le se zilbe'i kei da sarcu" + }, + "m.room.guest_access": { + "can_join": ".i la'o zoi. %(senderDisplayName)s .zoi curmi lo nu ro na te friti cu ka'e ziljmina le se zilbe'i", + "forbidden": ".i la'o zoi. %(senderDisplayName)s .zoi na curmi lo nu ro na te friti cu ka'e ziljmina le se zilbe'i" + }, + "m.image": ".i pa pixra cu zilbe'i fi la'o zoi. %(senderDisplayName)s .zoi", + "m.room.canonical_alias": { + "set": ".i gau la'o zoi. %(senderName)s .zoi zoi zoi. %(address)s .zoi co'a ralju le'i judri be le ve zilbe'i", + "removed": ".i gau la'o zoi. %(senderName)s .zoi da co'u ralju le'i judri be le ve zilbe'i" + } } } diff --git a/src/i18n/strings/kab.json b/src/i18n/strings/kab.json index 20e7438b175..4ada4a2fbd2 100644 --- a/src/i18n/strings/kab.json +++ b/src/i18n/strings/kab.json @@ -190,7 +190,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", - "Unnamed Room": "Taxxamt war isem", "The server does not support the room version specified.": "Aqeddac ur issefrek ara lqem n texxamt yettwafernen.", "Cancel entering passphrase?": "Sefsex tafyirt tuffirt n uεeddi?", "Identity server has no terms of service": "Timagit n uqeddac ulac ɣer-sen iferdisen n umeẓlu", @@ -275,13 +274,6 @@ "Opens chat with the given user": "Yeldi adiwenni d useqdac i d-yettunefken", "Sends a message to the given user": "Yuzen iznan i useqdac i d-yettunefken", "Displays action": "Yeskan tigawt", - "%(senderDisplayName)s changed the topic to \"%(topic)s\".": "%(senderDisplayName)s ibeddel asentel ɣer \"%(topic)s\".", - "%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s yekkes isem n texxamt.", - "%(senderDisplayName)s upgraded this room.": "%(senderDisplayName)s ileqqem taxxamt-a.", - "%(senderDisplayName)s made the room invite only.": "%(senderDisplayName)s yerra taxxamt s tinnubga kan.", - "%(senderDisplayName)s has allowed guests to join the room.": "%(senderDisplayName)s yefka tisirag i uttekki deg texxamt.", - "%(senderDisplayName)s sent an image.": "%(senderDisplayName)s yuzen-d tugna.", - "%(senderName)s removed the main address for this room.": "%(senderName)s yekkes tansa tagejdant n texxamt-a.", "%(senderName)s added the alternative addresses %(addresses)s for this room.": { "other": "%(senderName)s yerna tansiwin-nniḍen %(addresses)s ɣer texxamt-a.", "one": "%(senderName)s yerna tansa-nniḍen %(addresses)s i texxamt-a." @@ -313,12 +305,8 @@ "%(senderName)s is calling": "%(senderName)s yessawal", "%(senderName)s: %(message)s": "%(senderName)s: %(message)s", "%(senderName)s: %(stickerName)s": "%(senderName)s: %(stickerName)s", - "%(senderName)s invited %(targetName)s": "%(senderName)s yettusnubget %(targetName)s", "Collecting logs": "Alqaḍ n yiɣmisen", "Waiting for response from server": "Aṛaǧu n tririt sɣur aqeddac", - "Messages containing my display name": "Iznan ideg yella yisem-iw yettwaskanen", - "Messages containing my username": "Iznan ideg yella yisem-iw n useqdac", - "Messages containing @room": "Iznan ideg yella @taxxamt", "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", @@ -417,13 +405,6 @@ "Adds a custom widget by URL to the room": "Yerna awiǧit udmawan s URL ɣer texxamt", "Please supply a widget URL or embed code": "Ttxil-k·m mudd URL n uwiǧit neɣ tangalt tusliɣt", "Verifies a user, session, and pubkey tuple": "Yessenqad tagrumma-a: aseqdac, tiɣimit d tsarut tazayezt", - "%(senderDisplayName)s changed the room name from %(oldRoomName)s to %(newRoomName)s.": "%(senderDisplayName)s ibeddel isem n texxamt seg %(oldRoomName)s ɣer %(newRoomName)s.", - "%(senderDisplayName)s changed the room name to %(roomName)s.": "%(senderDisplayName)s ibeddel isem n texxamt s %(roomName)s.", - "%(senderDisplayName)s made the room public to whoever knows the link.": "%(senderDisplayName)s yerra taxxamt d tazayazt i kra n win yessnen aseɣwen.", - "%(senderDisplayName)s changed the join rule to %(rule)s": "%(senderDisplayName)s ibeddel alugen n uttekki s %(rule)s", - "%(senderDisplayName)s has prevented guests from joining the room.": "%(senderDisplayName)s ur yeǧǧi ara i yimerza ad kecmen ɣer texxamt.", - "%(senderDisplayName)s changed guest access to %(rule)s": "%(senderDisplayName)s ibeddel anekcum n yimerza s %(rule)s", - "%(senderName)s set the main address for this room to %(address)s.": "%(senderName)s yesbadu tansa tagejdant i texxamt-a s %(address)s.", "%(senderName)s removed the alternative addresses %(addresses)s for this room.": { "other": "%(senderName)s yekkes tansa-nni-nniḍen %(addresses)s i texxamt-a.", "one": "%(senderName)s yekkes tansa-nni tayeḍ %(addresses)s i texxamt-a." @@ -435,10 +416,6 @@ "Sends the given message coloured as a rainbow": "Yuzen iznan i d-yettunefken yeɣman s yiniten am teslit n Unẓar", "Sends the given emote coloured as a rainbow": "Yuzen tanfalit i d-yettunefken yeɣman s yiniten am teslit n Unẓar", "%(senderName)s changed the addresses for this room.": "%(senderName)s ibeddel tansiwin n texxamt-a.", - "%(senderName)s placed a voice call.": "%(senderName)s isɛedda asiwel s taɣect.", - "%(senderName)s placed a voice call. (not supported by this browser)": "%(senderName)s isɛedda asiwel s taɣect. (ur yettusefrak ara s yiming-a)", - "%(senderName)s placed a video call.": "%(senderName)s isɛedda asiwel s tvidyut.", - "%(senderName)s placed a video call. (not supported by this browser)": "%(senderName)s isɛedda asiwel s tvidyut. (ur yettusefrak ara s yiming-a)", "%(senderName)s made future room history visible to anyone.": "%(senderName)s yerra amazray n texxamt i d-iteddun yettban i yal amdan.", "%(senderName)s changed the pinned messages for the room.": "%(senderName)s ibeddel iznan yerzin n texxamt.", "%(widgetName)s widget modified by %(senderName)s": "%(widgetName)s awiǧit yettwabeddel sɣur %(senderName)s", @@ -458,10 +435,6 @@ "Change notification settings": "Snifel iɣewwaren n yilɣa", "Match system theme": "Asentel n unagraw yemṣadan", "Never send encrypted messages to unverified sessions from this session": "Ur ttazen ara akk iznan yettwawgelhen ɣer tɣimiyin ur nettusenqad ara seg tɣimit-a", - "Messages in group chats": "Iznan n yidiwenniyen n ugraw", - "Call invitation": "Ancad n tinnubga", - "Messages sent by bot": "Iznan yettwaznen s Bot", - "When rooms are upgraded": "Mi ara ttwaleqqment texxamin", "My Ban List": "Tabdart-inu n tigtin", "Got It": "Awi-t", "Accept to continue:": "Qbel i wakken ad tkemmleḍ:", @@ -933,7 +906,6 @@ "%(brand)s is securely caching encrypted messages locally for them to appear in search results:": "%(brand)s iteffer iznan iwgelhanen idiganen s wudem aɣelsan i wakken ad d-banen deg yigmaḍ n unadi:", "Message downloading sleep time(ms)": "Akud n usgunfu n usali n yiznan (ms)", "Dismiss read marker and jump to bottom": "Zgel ticreḍt n tɣuri, tɛeddiḍ d akessar", - "When I'm invited to a room": "Mi ara d-ttunecdeɣ ɣer texxamt", "This is your list of users/servers you have blocked - don't leave the room!": "Tagi d tabdart-ik·im n yiseqdacen/yiqeddacen i tesweḥleḍ - ur teffeɣ ara seg texxamt!", "Verified!": "Yettwasenqed!", "Scan this unique code": "Ḍumm tangalt-a tasuft", @@ -1186,9 +1158,6 @@ "Collecting app version information": "Alqaḍ n telɣa n lqem n usnas", "Uploading logs": "Asali n yiɣmisen", "Downloading logs": "Asader n yiɣmisen", - "Messages in one-to-one chats": "Iznan deg yidiwenniyen usriden", - "Encrypted messages in one-to-one chats": "Iznan yettwawgelhen deg yidiwenniyen usriden", - "Encrypted messages in group chats": "Iznan yettwawgelhen deg yidiwenniyen n ugraw", "Unknown caller": "Asiwel arussin", "The other party cancelled the verification.": "Wayeḍ issefsex asenqed.", "You've successfully verified this user.": "Tesneqdeḍ aseqdac-a akken iwata.", @@ -1414,8 +1383,6 @@ "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?", - "Create a public room": "Rnu taxxamt tazayezt", - "Create a private room": "Rnu taxxamt tusligt", "Hide advanced": "Ffer talqayt", "Show advanced": "Sken talqayt", "Incompatible Database": "Taffa n yisefka ur temada ara", @@ -1787,7 +1754,6 @@ "The call was answered on another device.": "Tiririt ɣef usiwel tella-d ɣef yibenk-nniḍen.", "Answered Elsewhere": "Yerra-d seg wadeg-nniḍen", "The call could not be established": "Asiwel ur yeqεid ara", - "%(senderDisplayName)s changed the server ACLs for this room.": "%(senderDisplayName)s isenfel iɣewwaren n unekcum ɣer texxamt-a.", "Decide where your account is hosted": "Wali anida ara yezdeɣ umiḍan-ik·im", "Host account on": "Sezdeɣ amiḍan deg", "Already have an account? Sign in here": "Tesεiḍ yakan amiḍan? Kcem ɣer da", @@ -1796,13 +1762,11 @@ "Go to Home View": "Uɣal ɣer usebter agejdan", "Send videos as you in this room": "Azen tividyutin deg texxamt-a am wakken d kečč", "See images posted to your active room": "Wali tignatin i d-yeffɣen deg texxamt-a iremden", - "%(senderDisplayName)s set the server ACLs for this room.": "%(senderDisplayName)s yesbadu ACLs n uqeddac i texxamt-a.", "Takes the call in the current room off hold": "Uɣal ɣer usiwel ara iteddun deg -texxamt-a", "Places the call in the current room on hold": "Seḥbes asiwel deg texxamt-a i kra n wakud", "Prepends ┬──┬ ノ( ゜-゜ノ) to a plain-text message": "Yerna ┬──┬ ノ( ゜-゜ノ) ɣer tazwara n yizen", "Prepends (╯°□°)╯︵ ┻━┻ to a plain-text message": "Yerna (╯°□°)╯︵ ┻━┻ ɣer tazwara n yizen", "Call failed because microphone could not be accessed. Check that a microphone is plugged in and set up correctly.": "Tawuri tecceḍ acku asawaḍ ur yessaweḍ ara ad yekcem. Senqed ma yella usawaḍ yeqqnen yerna yettusbadu akken iwata.", - "🎉 All servers are banned from participating! This room can no longer be used.": "🎉 Iqeddcen akk ttwagedlen seg uttekki! Taxxamt-a dayen ur tettuseqdac ara.", "Integration manager": "Amsefrak n umsidef", "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.", @@ -1862,7 +1826,8 @@ "encrypted": "Yettwawgelhen", "matrix": "Matrix", "trusted": "Yettwattkal", - "not_trusted": "Ur yettwattkal ara" + "not_trusted": "Ur yettwattkal ara", + "unnamed_room": "Taxxamt war isem" }, "action": { "continue": "Kemmel", @@ -2022,7 +1987,20 @@ "show_displayname_changes": "Sken isnifal n yisem yettwaskanen", "big_emoji": "Rmed imujit ameqqran deg udiwenni", "prompt_invite": "Suter send tuzna n tnubgiwin i yisulayen i izmren ad ilin d arimeɣta", - "start_automatically": "Bdu s wudem awurman seld tuqqna ɣer unagraw" + "start_automatically": "Bdu s wudem awurman seld tuqqna ɣer unagraw", + "notifications": { + "rule_contains_display_name": "Iznan ideg yella yisem-iw yettwaskanen", + "rule_contains_user_name": "Iznan ideg yella yisem-iw n useqdac", + "rule_roomnotif": "Iznan ideg yella @taxxamt", + "rule_room_one_to_one": "Iznan deg yidiwenniyen usriden", + "rule_message": "Iznan n yidiwenniyen n ugraw", + "rule_encrypted": "Iznan yettwawgelhen deg yidiwenniyen n ugraw", + "rule_invite_for_me": "Mi ara d-ttunecdeɣ ɣer texxamt", + "rule_call": "Ancad n tinnubga", + "rule_suppress_notices": "Iznan yettwaznen s Bot", + "rule_tombstone": "Mi ara ttwaleqqment texxamin", + "rule_encrypted_room_one_to_one": "Iznan yettwawgelhen deg yidiwenniyen usriden" + } }, "devtools": { "event_type": "Anaw n tedyant", @@ -2031,5 +2009,47 @@ "event_content": "Agbur n tedyant", "toolbox": "Tabewwaḍt n yifecka", "developer_tools": "Ifecka n uneflay" + }, + "create_room": { + "title_public_room": "Rnu taxxamt tazayezt", + "title_private_room": "Rnu taxxamt tusligt" + }, + "timeline": { + "m.call.invite": { + "voice_call": "%(senderName)s isɛedda asiwel s taɣect.", + "voice_call_unsupported": "%(senderName)s isɛedda asiwel s taɣect. (ur yettusefrak ara s yiming-a)", + "video_call": "%(senderName)s isɛedda asiwel s tvidyut.", + "video_call_unsupported": "%(senderName)s isɛedda asiwel s tvidyut. (ur yettusefrak ara s yiming-a)" + }, + "m.room.member": { + "invite": "%(senderName)s yettusnubget %(targetName)s" + }, + "m.room.topic": "%(senderDisplayName)s ibeddel asentel ɣer \"%(topic)s\".", + "m.room.name": { + "remove": "%(senderDisplayName)s yekkes isem n texxamt.", + "change": "%(senderDisplayName)s ibeddel isem n texxamt seg %(oldRoomName)s ɣer %(newRoomName)s.", + "set": "%(senderDisplayName)s ibeddel isem n texxamt s %(roomName)s." + }, + "m.room.tombstone": "%(senderDisplayName)s ileqqem taxxamt-a.", + "m.room.join_rules": { + "public": "%(senderDisplayName)s yerra taxxamt d tazayazt i kra n win yessnen aseɣwen.", + "invite": "%(senderDisplayName)s yerra taxxamt s tinnubga kan.", + "unknown": "%(senderDisplayName)s ibeddel alugen n uttekki s %(rule)s" + }, + "m.room.guest_access": { + "can_join": "%(senderDisplayName)s yefka tisirag i uttekki deg texxamt.", + "forbidden": "%(senderDisplayName)s ur yeǧǧi ara i yimerza ad kecmen ɣer texxamt.", + "unknown": "%(senderDisplayName)s ibeddel anekcum n yimerza s %(rule)s" + }, + "m.image": "%(senderDisplayName)s yuzen-d tugna.", + "m.room.server_acl": { + "set": "%(senderDisplayName)s yesbadu ACLs n uqeddac i texxamt-a.", + "changed": "%(senderDisplayName)s isenfel iɣewwaren n unekcum ɣer texxamt-a.", + "all_servers_banned": "🎉 Iqeddcen akk ttwagedlen seg uttekki! Taxxamt-a dayen ur tettuseqdac ara." + }, + "m.room.canonical_alias": { + "set": "%(senderName)s yesbadu tansa tagejdant i texxamt-a s %(address)s.", + "removed": "%(senderName)s yekkes tansa tagejdant n texxamt-a." + } } } diff --git a/src/i18n/strings/ko.json b/src/i18n/strings/ko.json index 9cb62d62c3b..01bff1ce8d7 100644 --- a/src/i18n/strings/ko.json +++ b/src/i18n/strings/ko.json @@ -39,9 +39,6 @@ "Can't connect to homeserver - please check your connectivity, ensure your homeserver's SSL certificate is trusted, and that a browser extension is not blocking requests.": "홈서버에 연결할 수 없음 - 연결 상태를 확인하거나, 홈서버의 SSL 인증서가 믿을 수 있는지 확인하고, 브라우저 확장 기능이 요청을 막고 있는지 확인해주세요.", "Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or enable unsafe scripts.": "주소 창에 HTTPS URL이 있을 때는 HTTP로 홈서버를 연결할 수 없습니다. HTTPS를 쓰거나 안전하지 않은 스크립트를 허용해주세요.", "%(senderName)s changed the power level of %(powerLevelDiffText)s.": "%(senderName)s님이 %(powerLevelDiffText)s의 권한 등급을 바꿨습니다.", - "%(senderDisplayName)s changed the room name to %(roomName)s.": "%(senderDisplayName)s님이 방 이름을 %(roomName)s(으)로 바꿨습니다.", - "%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s님이 방 이름을 제거했습니다.", - "%(senderDisplayName)s changed the topic to \"%(topic)s\".": "%(senderDisplayName)s님이 주제를 \"%(topic)s\"(으)로 바꿨습니다.", "Command error": "명령어 오류", "Commands": "명령어", "Cryptography": "암호화", @@ -120,7 +117,6 @@ "%(roomName)s is not accessible at this time.": "현재는 %(roomName)s에 들어갈 수 없습니다.", "Rooms": "방", "Search failed": "검색 실패함", - "%(senderDisplayName)s sent an image.": "%(senderDisplayName)s님이 사진을 보냈습니다.", "%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": "방에 들어오라고 %(senderName)s님이 %(targetDisplayName)s님에게 초대를 보냈습니다.", "Server error": "서버 오류", "Server may be unavailable, overloaded, or search timed out :(": "서버를 쓸 수 없거나 과부하거나, 검색 시간을 초과했어요 :(", @@ -144,7 +140,6 @@ "Unable to verify email address.": "이메일 주소를 인증할 수 없습니다.", "Unban": "출입 금지 풀기", "Unable to enable Notifications": "알림을 사용할 수 없음", - "Unnamed Room": "이름 없는 방", "Uploading %(filename)s": "%(filename)s을(를) 올리는 중", "Uploading %(filename)s and %(count)s others": { "one": "%(filename)s 외 %(count)s개를 올리는 중", @@ -236,7 +231,6 @@ "Do you want to set an email address?": "이메일 주소를 설정하시겠어요?", "This will allow you to reset your password and receive notifications.": "이렇게 하면 비밀번호를 다시 설정하고 알림을 받을 수 있습니다.", "Sunday": "일요일", - "Messages sent by bot": "봇에게 받은 메시지", "Notification targets": "알림 대상", "Today": "오늘", "Friday": "금요일", @@ -245,8 +239,6 @@ "Changelog": "바뀐 점", "Waiting for response from server": "서버에서 응답을 기다리는 중", "This Room": "방", - "Messages containing my display name": "내 표시 이름이 포함된 메시지", - "Messages in one-to-one chats": "1:1 대화 메시지", "Unavailable": "이용할 수 없음", "Send": "보내기", "Source URL": "출처 URL", @@ -262,14 +254,11 @@ "Collecting logs": "로그 수집 중", "All Rooms": "모든 방", "All messages": "모든 메시지", - "Call invitation": "전화 초대", "What's new?": "새로운 점은?", - "When I'm invited to a room": "방에 초대받았을 때", "Invite to this room": "이 방에 초대", "You cannot delete this message. (%(code)s)": "이 메시지를 삭제할 수 없습니다. (%(code)s)", "Thursday": "목요일", "Show message in desktop notification": "컴퓨터 알림에서 내용 보이기", - "Messages in group chats": "그룹 대화 메시지", "Yesterday": "어제", "Error encountered (%(errorDetail)s).": "오류가 일어났습니다 (%(errorDetail)s).", "Low Priority": "중요하지 않음", @@ -492,15 +481,6 @@ "Sends the given message coloured as a rainbow": "주어진 메시지를 무지개 색으로 보냅니다", "Sends the given emote coloured as a rainbow": "주어진 감정 표현을 무지개 색으로 보냅니다", "Displays list of commands with usages and descriptions": "사용법과 설명이 포함된 명령어 목록을 표시합니다", - "%(senderDisplayName)s upgraded this room.": "%(senderDisplayName)s님이 이 방을 업그레이드했습니다.", - "%(senderDisplayName)s made the room public to whoever knows the link.": "%(senderDisplayName)s님이 링크를 아는 사람들에게 방을 공개했습니다.", - "%(senderDisplayName)s made the room invite only.": "%(senderDisplayName)s님이 초대받은 사람만 방에 들어오도록 설정했습니다.", - "%(senderDisplayName)s changed the join rule to %(rule)s": "%(senderDisplayName)s님이 입장 규칙을 %(rule)s(으)로 변경했습니다", - "%(senderDisplayName)s has allowed guests to join the room.": "%(senderDisplayName)s님이 손님이 방에 들어갈 수 있도록 허용했습니다.", - "%(senderDisplayName)s has prevented guests from joining the room.": "%(senderDisplayName)s님이 손님이 방에 들어가지 못하도록 했습니다.", - "%(senderDisplayName)s changed guest access to %(rule)s": "%(senderDisplayName)s님이 손님 접근을 %(rule)s(으)로 변경했습니다", - "%(senderName)s set the main address for this room to %(address)s.": "%(senderName)s님이 이 방의 메인 주소를 %(address)s(으)로 설정했습니다.", - "%(senderName)s removed the main address for this room.": "%(senderName)s님이 이 방의 메인 주소를 제거했습니다.", "%(senderName)s revoked the invitation for %(targetDisplayName)s to join the room.": "방에 들어오라고 %(senderName)s님이 %(targetDisplayName)s님에게 보낸 초대를 취소했습니다.", "%(displayName)s is typing …": "%(displayName)s님이 적고 있습니다 …", "%(names)s and %(count)s others are typing …": { @@ -618,11 +598,6 @@ "Short keyboard patterns are easy to guess": "짧은 키보드 패턴은 추측하기 쉽습니다", "You do not have the required permissions to use this command.": "이 명령어를 사용하기 위해 필요한 권한이 없습니다.", "Show hidden events in timeline": "타임라인에서 숨겨진 이벤트 보이기", - "Messages containing my username": "내 사용자 이름이 있는 메시지", - "Messages containing @room": "@room이(가) 있는 메시지", - "Encrypted messages in one-to-one chats": "1:1 대화 암호화된 메시지", - "Encrypted messages in group chats": "그룹 대화 암호화된 메시지", - "When rooms are upgraded": "방을 업그레이드했을 때", "The other party cancelled the verification.": "상대방이 확인을 취소했습니다.", "Verified!": "인증되었습니다!", "You've successfully verified this user.": "성공적으로 이 사용자를 인증했습니다.", @@ -952,8 +927,6 @@ "Changes the avatar of the current room": "현재 방의 아바타 변경하기", "e.g. my-room": "예: my-room", "Please enter a name for the room": "방 이름을 입력해주세요", - "Create a public room": "공개 방 만들기", - "Create a private room": "개인 방 만들기", "Topic (optional)": "주제 (선택)", "Hide advanced": "고급 숨기기", "Show advanced": "고급 보이기", @@ -1118,14 +1091,6 @@ "No recently visited rooms": "최근에 방문하지 않은 방 목록", "Recently visited rooms": "최근 방문한 방 목록", "Recently viewed": "최근에 확인한", - "%(senderName)s removed their display name (%(oldDisplayName)s)": "%(senderName)s님이 표시이름을 제거했습니다 (%(oldDisplayName)s)", - "%(senderName)s changed their profile picture": "%(senderName)s님이 프로필 사진을 변경했습니다", - "%(senderName)s invited %(targetName)s": "%(senderName)s님이 %(targetName)s님을 초대했습니다", - "%(senderDisplayName)s changed the room name from %(oldRoomName)s to %(newRoomName)s.": "%(senderDisplayName)s님이 방 이름을 %(oldRoomName)s에서 %(newRoomName)s(으)로 변경했습니다.", - "%(oldDisplayName)s changed their display name to %(displayName)s": "%(oldDisplayName)s님이 표시이름을 %(displayName)s(으)로 변경했습니다", - "%(targetName)s left the room": "%(targetName)s님이 방을 떠났습니다", - "%(targetName)s joined the room": "%(targetName)s님이 방에 참여했습니다", - "%(senderName)s set a profile picture": "%(senderName)s님이 프로필 사진을 설정했습니다", "Scroll to most recent messages": "가장 최근 메세지로 스크롤", "If you can't find the room you're looking for, ask for an invite or create a new room.": "만약 찾고 있는 방이 없다면, 초대를 요청하거나 새로운 방을 만드세요.", "Unable to copy a link to the room to the clipboard.": "방 링크를 클립보드에 복사할 수 없습니다.", @@ -1192,15 +1157,12 @@ "Slovakia": "슬로바키아", "Sends the given message as a spoiler": "스포일러로서 주어진 메시지를 전송", "Prepends (╯°□°)╯︵ ┻━┻ to a plain-text message": "평문 텍스트 메시지 앞에 (╯°□°)╯︵ ┻━┻ 를 덧붙임", - "%(senderName)s banned %(targetName)s: %(reason)s": "%(senderName)s님이 %(targetName)s님을 강퇴함. 사유: %(reason)s", "Argentina": "아르헨티나", "Laos": "라오스", - "%(senderDisplayName)s sent a sticker.": "%(senderDisplayName)s님이 스티커를 전송했습니다.", "Transfer Failed": "전송 실패", "User Busy": "사용자 바쁨", "Already in call": "이미 전화중", "Ukraine": "우크라이나", - "%(senderName)s removed their profile picture": "%(senderName)s님이 프로필 사진을 삭제함", "United Kingdom": "영국", "Converts the DM to a room": "DM을 방으로 변환", "Sends a message as html, without interpreting it as markdown": "메시지를 마크다운으로서 해석하지 않고 html로서 전송", @@ -1224,7 +1186,6 @@ "The call was answered on another device.": "이 전화는 다른 기기에서 응답했습니다.", "Answered Elsewhere": "다른 기기에서 응답함", "No active call in this room": "이 방에 진행중인 통화 없음", - "%(senderName)s banned %(targetName)s": "%(senderName)s님이 %(targetName)s님을 강퇴함", "Prepends ┬──┬ ノ( ゜-゜ノ) to a plain-text message": "평문 텍스트 메시지 앞에 ┬──┬ ノ( ゜-゜ノ) 를 덧붙임", "Your current session is ready for secure messaging.": "현재 세션에서 보안 메세지를 사용할 수 있습니다.", "Last activity": "최근 활동", @@ -1289,7 +1250,8 @@ "unverified": "검증 되지 않음", "trusted": "신뢰함", "not_trusted": "신뢰하지 않음", - "accessibility": "접근성" + "accessibility": "접근성", + "unnamed_room": "이름 없는 방" }, "action": { "continue": "계속하기", @@ -1410,7 +1372,20 @@ "show_displayname_changes": "표시 이름 변경 사항 보이기", "big_emoji": "대화에서 큰 이모지 켜기", "prompt_invite": "잠재적으로 올바르지 않은 Matrix ID로 초대를 보내기 전에 확인", - "start_automatically": "컴퓨터를 시작할 때 자동으로 실행하기" + "start_automatically": "컴퓨터를 시작할 때 자동으로 실행하기", + "notifications": { + "rule_contains_display_name": "내 표시 이름이 포함된 메시지", + "rule_contains_user_name": "내 사용자 이름이 있는 메시지", + "rule_roomnotif": "@room이(가) 있는 메시지", + "rule_room_one_to_one": "1:1 대화 메시지", + "rule_message": "그룹 대화 메시지", + "rule_encrypted": "그룹 대화 암호화된 메시지", + "rule_invite_for_me": "방에 초대받았을 때", + "rule_call": "전화 초대", + "rule_suppress_notices": "봇에게 받은 메시지", + "rule_tombstone": "방을 업그레이드했을 때", + "rule_encrypted_room_one_to_one": "1:1 대화 암호화된 메시지" + } }, "devtools": { "event_type": "이벤트 종류", @@ -1420,5 +1395,46 @@ "threads_timeline": "스레드 타임라인", "toolbox": "도구 상자", "developer_tools": "개발자 도구" + }, + "create_room": { + "title_public_room": "공개 방 만들기", + "title_private_room": "개인 방 만들기" + }, + "timeline": { + "m.room.member": { + "invite": "%(senderName)s님이 %(targetName)s님을 초대했습니다", + "ban_reason": "%(senderName)s님이 %(targetName)s님을 강퇴함. 사유: %(reason)s", + "ban": "%(senderName)s님이 %(targetName)s님을 강퇴함", + "change_name": "%(oldDisplayName)s님이 표시이름을 %(displayName)s(으)로 변경했습니다", + "remove_name": "%(senderName)s님이 표시이름을 제거했습니다 (%(oldDisplayName)s)", + "remove_avatar": "%(senderName)s님이 프로필 사진을 삭제함", + "change_avatar": "%(senderName)s님이 프로필 사진을 변경했습니다", + "set_avatar": "%(senderName)s님이 프로필 사진을 설정했습니다", + "join": "%(targetName)s님이 방에 참여했습니다", + "left": "%(targetName)s님이 방을 떠났습니다" + }, + "m.room.topic": "%(senderDisplayName)s님이 주제를 \"%(topic)s\"(으)로 바꿨습니다.", + "m.room.name": { + "remove": "%(senderDisplayName)s님이 방 이름을 제거했습니다.", + "change": "%(senderDisplayName)s님이 방 이름을 %(oldRoomName)s에서 %(newRoomName)s(으)로 변경했습니다.", + "set": "%(senderDisplayName)s님이 방 이름을 %(roomName)s(으)로 바꿨습니다." + }, + "m.room.tombstone": "%(senderDisplayName)s님이 이 방을 업그레이드했습니다.", + "m.room.join_rules": { + "public": "%(senderDisplayName)s님이 링크를 아는 사람들에게 방을 공개했습니다.", + "invite": "%(senderDisplayName)s님이 초대받은 사람만 방에 들어오도록 설정했습니다.", + "unknown": "%(senderDisplayName)s님이 입장 규칙을 %(rule)s(으)로 변경했습니다" + }, + "m.room.guest_access": { + "can_join": "%(senderDisplayName)s님이 손님이 방에 들어갈 수 있도록 허용했습니다.", + "forbidden": "%(senderDisplayName)s님이 손님이 방에 들어가지 못하도록 했습니다.", + "unknown": "%(senderDisplayName)s님이 손님 접근을 %(rule)s(으)로 변경했습니다" + }, + "m.image": "%(senderDisplayName)s님이 사진을 보냈습니다.", + "m.sticker": "%(senderDisplayName)s님이 스티커를 전송했습니다.", + "m.room.canonical_alias": { + "set": "%(senderName)s님이 이 방의 메인 주소를 %(address)s(으)로 설정했습니다.", + "removed": "%(senderName)s님이 이 방의 메인 주소를 제거했습니다." + } } } diff --git a/src/i18n/strings/lo.json b/src/i18n/strings/lo.json index 65d7f637ee4..7b7beb4951d 100644 --- a/src/i18n/strings/lo.json +++ b/src/i18n/strings/lo.json @@ -1297,52 +1297,6 @@ "one": "%(senderName)s ໄດ້ເພີ່ມທີ່ຢູ່ສຳຮອງ%(addresses)sສໍາລັບຫ້ອງນີ້.", "other": "%(senderName)s ໄດ້ເພີ່ມທີ່ຢູ່ສຳຮອງ%(addresses)s ສໍາລັບຫ້ອງນີ້." }, - "%(senderName)s removed the main address for this room.": "%(senderName)s ໄດ້ລຶບທີ່ຢູ່ຂອງຫ້ອງນີ້ອອກ.", - "%(senderName)s set the main address for this room to %(address)s.": "%(senderName)s ກຳນົດທີ່ຢູ່ຂອງຫ້ອງນີ້ເປັນ %(address)s.", - "%(senderDisplayName)s sent a sticker.": "%(senderDisplayName)s ສົ່ງສະຕິກເກີ.", - "%(senderDisplayName)s sent an image.": "%(senderDisplayName)s ສົ່ງຮູບ.", - "🎉 All servers are banned from participating! This room can no longer be used.": "🎉 ເຊີບເວີທັງໝົດຖືກຫ້າມບໍ່ໃຫ້ເຂົ້າຮ່ວມ! ຫ້ອງນີ້ບໍ່ສາມາດໃຊ້ໄດ້ອີກຕໍ່ໄປ.", - "%(senderDisplayName)s changed the server ACLs for this room.": "%(senderDisplayName)s ໄດ້ປ່ຽນເຊີບເວີ ACLs ສໍາລັບຫ້ອງນີ້.", - "%(senderDisplayName)s set the server ACLs for this room.": "%(senderDisplayName)s ຕັ້ງ ACL ຂອງເຊີບເວີສໍາລັບຫ້ອງນີ້.", - "%(senderDisplayName)s changed guest access to %(rule)s": "%(senderDisplayName)s ໄດ້ປ່ຽນການເຂົ້າເຖິງຂອງແຂກເປັນ %(rule)s", - "%(senderDisplayName)s has prevented guests from joining the room.": "%(senderDisplayName)s ໄດ້ປ້ອງກັນບໍ່ໃຫ້ແຂກເຂົ້າຮ່ວມຫ້ອງ.", - "%(senderDisplayName)s has allowed guests to join the room.": "%(senderDisplayName)s ໄດ້ອະນຸຍາດໃຫ້ແຂກເຂົ້າຮ່ວມຫ້ອງແລ້ວ.", - "%(senderDisplayName)s changed the join rule to %(rule)s": "%(senderDisplayName)s ໄດ້ປ່ຽນກົດ ການເຂົ້າຮ່ວມເປັນ %(rule)s", - "%(senderDisplayName)s changed who can join this room.": "%(senderDisplayName)s ໄດ້ປ່ຽນຜູ້ທີ່ສາມາດເຂົ້າຮ່ວມຫ້ອງນີ້ໄດ້.", - "%(senderDisplayName)s changed who can join this room. View settings.": "%(senderDisplayName)s ໄດ້ປ່ຽນຜູ້ທີ່ເຂົ້າຮ່ວມຫ້ອງນີ້ໄດ້. ເບິ່ງການຕັ້ງຄ່າ.", - "%(senderDisplayName)s made the room invite only.": "%(senderDisplayName)s ກຳນົດສະເພາະຫ້ອງທີ່ເຊີນເທົ່ານັ້ນ.", - "%(senderDisplayName)s made the room public to whoever knows the link.": "%(senderDisplayName)s ໄດ້ເປີດຫ້ອງສາທາລະນະໃຫ້ກັບຄົນໃດຄົນໜຶ່ງທີ່ຮູ້ຈັກລິ້ງ.", - "%(senderDisplayName)s upgraded this room.": "%(senderDisplayName)s ຍົກລະດັບຫ້ອງນີ້ແລ້ວ.", - "%(senderDisplayName)s changed the room name to %(roomName)s.": "%(senderDisplayName)s ໄດ້ປ່ຽນຊື່ຫ້ອງເປັນ %(roomName)s.", - "%(senderDisplayName)s changed the room name from %(oldRoomName)s to %(newRoomName)s.": "%(senderDisplayName)s ໄດ້ປ່ຽນຊື່ຫ້ອງຈາກ %(oldRoomName)s ເປັນ %(newRoomName)s.", - "%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s ລຶບຊື່ຫ້ອງອອກ.", - "%(senderDisplayName)s changed the room avatar.": "%(senderDisplayName)s ໄດ້ປ່ຽນແປງຮູບແທນຕົວຂອງຫ້ອງ.", - "%(senderDisplayName)s changed the topic to \"%(topic)s\".": "%(senderDisplayName)s ໄດ້ປ່ຽນຫົວຂໍ້ເປັນ \"%(topic)s\".", - "%(senderName)s removed %(targetName)s": "%(senderName)s ເອົາອອກ %(targetName)s", - "%(senderName)s removed %(targetName)s: %(reason)s": "%(senderName)s ເອົາອອກ %(targetName)s: %(reason)s", - "%(senderName)s withdrew %(targetName)s's invitation": "%(senderName)s ຖອນຄຳເຊີນຂອງ %(targetName)s", - "%(senderName)s withdrew %(targetName)s's invitation: %(reason)s": "%(senderName)s ຖອນຄຳເຊີນຂອງ %(targetName)s: %(reason)s", - "%(senderName)s unbanned %(targetName)s": "%(senderName)s ຍົກເລີກການຫ້າມ %(targetName)s", - "%(targetName)s left the room": "%(targetName)s ອອກຈາກຫ້ອງ", - "%(targetName)s left the room: %(reason)s": "%(targetName)s ອອກຈາກຫ້ອງ: %(reason)s", - "%(targetName)s rejected the invitation": "%(targetName)s ປະຕິເສດຄຳເຊີນ", - "%(targetName)s joined the room": "%(targetName)s ເຂົ້າຮ່ວມຫ້ອງ", - "%(senderName)s made no change": "%(senderName)s ບໍ່ມີການປ່ຽນແປງ", - "%(senderName)s set a profile picture": "%(senderName)s ຕັ້ງຮູບໂປຣໄຟລ໌", - "%(senderName)s changed their profile picture": "%(senderName)s ປ່ຽນຮູບໂປຣໄຟລ໌ຂອງເຂົາເຈົ້າ", - "%(senderName)s removed their profile picture": "%(senderName)s ໄດ້ລຶບຮູບໂປຣໄຟລ໌ຂອງເຂົາເຈົ້າອອກແລ້ວ", - "%(senderName)s removed their display name (%(oldDisplayName)s)": "%(senderName)s ລຶບການສະແດງຊື່ຂອງເຂົາເຈົ້າອອກ (%(oldDisplayName)s)", - "%(senderName)s set their display name to %(displayName)s": "%(senderName)s ກຳນົດການສະແດງຂອງເຂົາເຈົ້າເປັນ %(displayName)s", - "%(oldDisplayName)s changed their display name to %(displayName)s": "%(oldDisplayName)s ໄດ້ປ່ຽນຊື່ສະແດງຂອງເຂົາເຈົ້າເປັນ %(displayName)s", - "%(senderName)s banned %(targetName)s": "%(senderName)s ຫ້າມ %(targetName)s", - "%(senderName)s banned %(targetName)s: %(reason)s": "%(senderName)s ຖືກຫ້າມ %(targetName)s: %(reason)s", - "%(senderName)s invited %(targetName)s": "%(senderName)s ໄດ້ເຊີນ %(targetName)s", - "%(targetName)s accepted an invitation": "%(targetName)s ຍອມຮັບຄຳເຊີນ", - "%(targetName)s accepted the invitation for %(displayName)s": "%(targetName)s ຍອມຮັບຄຳເຊີນສຳລັບ %(displayName)s", - "%(senderName)s placed a voice call. (not supported by this browser)": "%(senderName)s ການໂທດ້ວຍສຽງ. (ບຣາວເຊີນີ້ບໍ່ຮອງຮັບ)", - "%(senderName)s placed a video call. (not supported by this browser)": "%(senderName)s ໄດ້ໂທດ້ວຍວິດີໂອ. (ບຣາວເຊີນີ້ບໍ່ຮອງຮັບ)", - "%(senderName)s placed a video call.": "%(senderName)s ໂທດ້ວຍວິດີໂອ.", - "%(senderName)s placed a voice call.": "%(senderName)s ໂທອອກ.", "Displays action": "ສະແດງການດຳເນີນການ", "Converts the DM to a room": "ປ່ຽນ DM ເປັນຫ້ອງ", "Converts the room to a DM": "ປ່ຽນຫ້ອງເປັນ DM", @@ -1700,9 +1654,7 @@ "Invite someone using their name, email address, username (like ) or share this room.": "ເຊີນຄົນທີ່ໃຊ້ຊື່ຂອງເຂົາເຈົ້າ, ທີ່ຢູ່ອີເມວ, ຊື່ຜູ້ໃຊ້ (ເຊັ່ນ ) ຫຼື ແບ່ງປັນຫ້ອງນີ້.", "Invite someone using their name, username (like ) or share this space.": "ເຊີນຄົນທີ່ໃຊ້ຊື່ຂອງເຂົາເຈົ້າ, ຊື່ຜູ້ໃຊ້ (ເຊັ່ນ ) ຫຼື ແບ່ງປັນພື້ນທີ່ນີ້.", "Invite someone using their name, email address, username (like ) or share this space.": "ເຊີນບຸຄົນອຶ່ນໂດຍໃຊ້ຊື່, ທີ່ຢູ່ອີເມວ, ຊື່ຜູ້ໃຊ້ (ເຊັ່ນ ຫຼື share this space.", - "Unnamed Room": "ບໍ່ມີຊື່ຫ້ອງ", "Invite to %(roomName)s": "ຊີນໄປຫາ %(roomName)s", - "Unnamed Space": "ພື້ນທີ່ບໍ່ລະບຸຊື່", "Or send invite link": "ຫຼື ສົ່ງລິ້ງເຊີນ", "If you can't see who you're looking for, send them your invite link below.": "ຖ້າທ່ານບໍ່ສາມາດເຫັນຜູ້ທີ່ທ່ານກໍາລັງຊອກຫາ, ໃຫ້ສົ່ງລິ້ງເຊີນຂອງເຈົ້າຢູ່ລຸ່ມນີ້ໃຫ້ເຂົາເຈົ້າ.", "Some suggestions may be hidden for privacy.": "ບາງຄໍາແນະນໍາອາດຈະຖືກເຊື່ອງໄວ້ເພື່ອຄວາມເປັນສ່ວນຕົວ.", @@ -1959,17 +1911,12 @@ "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.": "ທຸກຄົນໃນ ຈະສາມາດຊອກຫາ ແລະ ເຂົ້າຮ່ວມໄດ້.", - "Create room": "ສ້າງຫ້ອງ", - "Create video room": "ສ້າງຫ້ອງວິດີໂອ", "Block anyone not part of %(serverName)s from ever joining this room.": "ບລັອກຜູ້ທີ່ບໍ່ມີສ່ວນຮ່ວມ %(serverName)s ບໍ່ໃຫ້ເຂົ້າຮ່ວມຫ້ອງນີ້.", "Visible to space members": "ເບິ່ງເຫັນພື້ນທີ່ຂອງສະມາຊິກ", "Public room": "ຫ້ອງສາທາລະນະ", "Private room (invite only)": "ຫ້ອງສ່ວນຕົວ (ເຊີນເທົ່ານັ້ນ)", "Room visibility": "ການເບິ່ງເຫັນຫ້ອງ", "Topic (optional)": "ຫົວຂໍ້ (ທາງເລືອກ)", - "Create a private room": "ສ້າງຫ້ອງສ່ວນຕົວ", - "Create a public room": "ສ້າງຫ້ອງສາທາລະນະ", - "Create a video room": "ສ້າງຫ້ອງວິດີໂອ", "You might disable this if the room will be used for collaborating with external teams who have their own homeserver. This cannot be changed later.": "ທ່ານອາດຈະປິດການທໍາງານນີ້ຖ້າຫ້ອງຈະຖືກໃຊ້ສໍາລັບການຮ່ວມມືກັບທີມງານພາຍນອກທີ່ມີ homeserver ເປັນຂອງຕົນເອງ. ອັນນີ້ບໍ່ສາມາດປ່ຽນແປງໄດ້ໃນພາຍຫຼັງ.", "You might enable this if the room will only be used for collaborating with internal teams on your homeserver. This cannot be changed later.": "ທ່ານອາດຈະເປີດໃຊ້ງານຫ້ອງນີ້ຖ້າຫາກຈະໃຊ້ເພື່ອຮ່ວມມືກັບທີມງານພາຍໃນຢູ່ໃນເຊີບເວີຂອງທ່ານເທົ່ານັ້ນ. ອັນນີ້ບໍ່ສາມາດປ່ຽນແປງໄດ້ໃນພາຍຫຼັງ.", "Enable end-to-end encryption": "ເປີດໃຊ້ການເຂົ້າລະຫັດແຕ່ຕົ້ນທາງເຖິງປາຍທາງ", @@ -2008,17 +1955,6 @@ "Sends the given message with confetti": "ສົ່ງຂໍ້ຄວາມພ້ອມດ້ວຍ confetti", "This is your list of users/servers you have blocked - don't leave the room!": "ນີ້ແມ່ນບັນຊີລາຍຊື່ຜູ້ໃຊ້ / ເຊີບເວີຂອງທ່ານທີ່ທ່ານໄດ້ບລັອກ - ຢ່າອອກຈາກຫ້ອງ!", "My Ban List": "ບັນຊີລາຍຊື່ການຫ້າມຂອງຂ້ອຍ", - "When rooms are upgraded": "ເມື່ອມີການຍົກລະດັບຫ້ອງ", - "Messages sent by bot": "ຂໍ້ຄວາມທີ່ສົ່ງໂດຍ bot", - "Call invitation": "ແຈ້ງເຊີນໂທ", - "When I'm invited to a room": "ເມື່ອຂ້ອຍຖືກເຊີນໄປຫ້ອງ", - "Encrypted messages in group chats": "ຂໍ້ຄວາມເຂົ້າລະຫັດໃນການສົນທະນາກຸ່ມ", - "Messages in group chats": "ຂໍ້ຄວາມໃນກຸ່ມສົນທະນາ", - "Encrypted messages in one-to-one chats": "ຂໍ້ຄວາມທີ່ເຂົ້າລະຫັດໃນການສົນທະນາແບບຫນຶ່ງຕໍ່ຫນຶ່ງ", - "Messages in one-to-one chats": "ຂໍ້ຄວາມໃນການສົນທະນາຫນຶ່ງຕໍ່ຫນຶ່ງ", - "Messages containing @room": "ຂໍ້ຄວາມທີ່ບັນຈຸ @room", - "Messages containing my username": "ຂໍ້ຄວາມບັນຈຸຊື່ຜູ້ໃຊ້ຂອງຂ້ອຍ", - "Messages containing my display name": "ຂໍ້ຄວາມທີ່ມີຊື່ສະແດງຂອງຂ້ອຍ", "Waiting for response from server": "ກຳລັງລໍຖ້າການຕອບສະໜອງຈາກເຊີບເວີ", "Downloading logs": "ບັນທຶກການດາວໂຫຼດ", "Uploading logs": "ກຳລັງບັນທຶກການອັບໂຫຼດ", @@ -2214,39 +2150,6 @@ "You previously consented to share anonymous usage data with us. We're updating how that works.": "ກ່ອນໜ້ານີ້ທ່ານໄດ້ຍິນຍອມທີ່ຈະແບ່ງປັນຂໍ້ມູນການນຳໃຊ້ທີ່ບໍ່ເປີດເຜີຍຊື່ກັບພວກເຮົາ. ພວກເຮົາກຳລັງອັບເດດວິທີການເຮັດວຽກນັ້ນ.", "Help improve %(analyticsOwner)s": "ຊ່ວຍປັບປຸງ %(analyticsOwner)s", "That's fine": "ບໍ່ເປັນຫຍັງ", - "File Attached": "ແນບໄຟລ໌", - "Exported %(count)s events in %(seconds)s seconds": { - "one": "ສົ່ງອອກ %(count)s ເຫດການໃນ %(seconds)sວິນາທີ", - "other": "ສົ່ງອອກ %(count)s ເຫດການໃນ %(seconds)s ວິນາທີ" - }, - "Export successful!": "ສົ່ງອອກສຳເລັດ!", - "Fetched %(count)s events in %(seconds)ss": { - "one": "ດຶງເອົາ %(count)s ໃນເຫດການ%(seconds)ss", - "other": "ດຶງເອົາເຫດການ %(count)s ໃນ %(seconds)s" - }, - "Processing event %(number)s out of %(total)s": "ກຳລັງປະມວນຜົນເຫດການ %(number)s ຈາກທັງໝົດ %(total)s", - "Error fetching file": "ເກີດຄວາມຜິດພາດໃນການດຶງໄຟລ໌", - "Topic: %(topic)s": "ຫົວຂໍ້: %(topic)s", - "This is the start of export of . Exported by at %(exportDate)s.": "ນີ້ແມ່ນຈຸດເລີ່ມຕົ້ນຂອງການສົ່ງອອກຂອງ . ສົ່ງອອກໂດຍ ທີ່ %(exportDate)s.", - "%(creatorName)s created this room.": "%(creatorName)s ສ້າງຫ້ອງນີ້.", - "Media omitted - file size limit exceeded": "ລະເວັ້ນສື່ - ຂະໜາດໄຟລ໌ເກີນຂີດຈຳກັດ", - "Media omitted": "ລະເວັ້ນສື່ມິເດຍ", - "Current Timeline": "ທາມລາຍປັດຈຸບັນ", - "Specify a number of messages": "ກຳນົດຈໍານວນຂໍ້ຄວາມ", - "From the beginning": "ຕັ້ງແຕ່ເລີ່ມຕົ້ນ", - "Plain Text": "ຂໍ້ຄວາມທຳມະດາ", - "JSON": "JSON", - "HTML": "HTML", - "Fetched %(count)s events so far": { - "one": "ດຶງເອົາເຫດການ %(count)s ຈົນເຖິງຕອນນັ້ນ", - "other": "ດຶງເອົາເຫດການ %(count)s ຈົນເຖິງຕອນນັ້ນ" - }, - "Fetched %(count)s events out of %(total)s": { - "one": "ດຶງເອົາເຫດການ %(count)s ອອກຈາກ %(total)s ແລ້ວ", - "other": "ດຶງເອົາ %(count)sunt)s ເຫດການອອກຈາກ %(total)s" - }, - "Generating a ZIP": "ການສ້າງ ZIP", - "Are you sure you want to exit during this export?": "ທ່ານແນ່ໃຈບໍ່ວ່າຕ້ອງການອອກໃນລະຫວ່າງການສົ່ງອອກນີ້?", "This homeserver is not configured correctly to display maps, or the configured map server may be unreachable.": "homeserver ນີ້ບໍ່ໄດ້ຖືກຕັ້ງຄ່າຢ່າງຖືກຕ້ອງເພື່ອສະແດງແຜນທີ່, ຫຼື ເຊີບເວີແຜນທີ່ ທີ່ຕັ້ງໄວ້ອາດຈະບໍ່ສາມາດຕິດຕໍ່ໄດ້.", "This homeserver is not configured to display maps.": "homeserver ນີ້ບໍ່ໄດ້ຕັ້ງຄ່າເພື່ອສະແດງແຜນທີ່.", "Unknown App": "ແອັບທີ່ບໍ່ຮູ້ຈັກ", @@ -3058,7 +2961,9 @@ "not_trusted": "ເຊື່ອຖືບໍ່ໄດ້", "accessibility": "ການເຂົ້າເຖິງ", "server": "ເຊີບເວີ", - "capabilities": "ຄວາມສາມາດ" + "capabilities": "ຄວາມສາມາດ", + "unnamed_room": "ບໍ່ມີຊື່ຫ້ອງ", + "unnamed_space": "ພື້ນທີ່ບໍ່ລະບຸຊື່" }, "action": { "continue": "ສືບຕໍ່", @@ -3267,7 +3172,20 @@ "prompt_invite": "ເຕືອນກ່ອນທີ່ຈະສົ່ງຄໍາເຊີນໄປຫາ ID matrix ທີ່ອາດຈະບໍ່ຖືກຕ້ອງ", "hardware_acceleration": "ເພີ່ມຂີດຄວາມສາມາດຂອງອຸປະກອນ (ບູສແອັບ %(appName)s ນີ້ໃໝ່ເພື່ອເຫັນຜົນ)", "start_automatically": "ເລີ່ມອັດຕະໂນມັດຫຼັງຈາກເຂົ້າສູ່ລະບົບ", - "warn_quit": "ເຕືອນກ່ອນຢຸດຕິ" + "warn_quit": "ເຕືອນກ່ອນຢຸດຕິ", + "notifications": { + "rule_contains_display_name": "ຂໍ້ຄວາມທີ່ມີຊື່ສະແດງຂອງຂ້ອຍ", + "rule_contains_user_name": "ຂໍ້ຄວາມບັນຈຸຊື່ຜູ້ໃຊ້ຂອງຂ້ອຍ", + "rule_roomnotif": "ຂໍ້ຄວາມທີ່ບັນຈຸ @room", + "rule_room_one_to_one": "ຂໍ້ຄວາມໃນການສົນທະນາຫນຶ່ງຕໍ່ຫນຶ່ງ", + "rule_message": "ຂໍ້ຄວາມໃນກຸ່ມສົນທະນາ", + "rule_encrypted": "ຂໍ້ຄວາມເຂົ້າລະຫັດໃນການສົນທະນາກຸ່ມ", + "rule_invite_for_me": "ເມື່ອຂ້ອຍຖືກເຊີນໄປຫ້ອງ", + "rule_call": "ແຈ້ງເຊີນໂທ", + "rule_suppress_notices": "ຂໍ້ຄວາມທີ່ສົ່ງໂດຍ bot", + "rule_tombstone": "ເມື່ອມີການຍົກລະດັບຫ້ອງ", + "rule_encrypted_room_one_to_one": "ຂໍ້ຄວາມທີ່ເຂົ້າລະຫັດໃນການສົນທະນາແບບຫນຶ່ງຕໍ່ຫນຶ່ງ" + } }, "devtools": { "send_custom_account_data_event": "ສົ່ງຂໍ້ມູນບັນຊີແບບກຳນົດເອງທຸກເຫດການ", @@ -3333,5 +3251,109 @@ "developer_tools": "ເຄື່ອງມືພັດທະນາ", "room_id": "ID ຫ້ອງ: %(roomId)s", "event_id": "ກໍລິນີ ID %(eventId)s" + }, + "export_chat": { + "html": "HTML", + "json": "JSON", + "text": "ຂໍ້ຄວາມທຳມະດາ", + "from_the_beginning": "ຕັ້ງແຕ່ເລີ່ມຕົ້ນ", + "number_of_messages": "ກຳນົດຈໍານວນຂໍ້ຄວາມ", + "current_timeline": "ທາມລາຍປັດຈຸບັນ", + "export_successful": "ສົ່ງອອກສຳເລັດ!", + "unload_confirm": "ທ່ານແນ່ໃຈບໍ່ວ່າຕ້ອງການອອກໃນລະຫວ່າງການສົ່ງອອກນີ້?", + "generating_zip": "ການສ້າງ ZIP", + "processing_event_n": "ກຳລັງປະມວນຜົນເຫດການ %(number)s ຈາກທັງໝົດ %(total)s", + "fetched_n_events_with_total": { + "one": "ດຶງເອົາເຫດການ %(count)s ອອກຈາກ %(total)s ແລ້ວ", + "other": "ດຶງເອົາ %(count)sunt)s ເຫດການອອກຈາກ %(total)s" + }, + "fetched_n_events": { + "one": "ດຶງເອົາເຫດການ %(count)s ຈົນເຖິງຕອນນັ້ນ", + "other": "ດຶງເອົາເຫດການ %(count)s ຈົນເຖິງຕອນນັ້ນ" + }, + "fetched_n_events_in_time": { + "one": "ດຶງເອົາ %(count)s ໃນເຫດການ%(seconds)ss", + "other": "ດຶງເອົາເຫດການ %(count)s ໃນ %(seconds)s" + }, + "exported_n_events_in_time": { + "one": "ສົ່ງອອກ %(count)s ເຫດການໃນ %(seconds)sວິນາທີ", + "other": "ສົ່ງອອກ %(count)s ເຫດການໃນ %(seconds)s ວິນາທີ" + }, + "media_omitted": "ລະເວັ້ນສື່ມິເດຍ", + "media_omitted_file_size": "ລະເວັ້ນສື່ - ຂະໜາດໄຟລ໌ເກີນຂີດຈຳກັດ", + "creator_summary": "%(creatorName)s ສ້າງຫ້ອງນີ້.", + "export_info": "ນີ້ແມ່ນຈຸດເລີ່ມຕົ້ນຂອງການສົ່ງອອກຂອງ . ສົ່ງອອກໂດຍ ທີ່ %(exportDate)s.", + "topic": "ຫົວຂໍ້: %(topic)s", + "error_fetching_file": "ເກີດຄວາມຜິດພາດໃນການດຶງໄຟລ໌", + "file_attached": "ແນບໄຟລ໌" + }, + "create_room": { + "title_video_room": "ສ້າງຫ້ອງວິດີໂອ", + "title_public_room": "ສ້າງຫ້ອງສາທາລະນະ", + "title_private_room": "ສ້າງຫ້ອງສ່ວນຕົວ", + "action_create_video_room": "ສ້າງຫ້ອງວິດີໂອ", + "action_create_room": "ສ້າງຫ້ອງ" + }, + "timeline": { + "m.call.invite": { + "voice_call": "%(senderName)s ໂທອອກ.", + "voice_call_unsupported": "%(senderName)s ການໂທດ້ວຍສຽງ. (ບຣາວເຊີນີ້ບໍ່ຮອງຮັບ)", + "video_call": "%(senderName)s ໂທດ້ວຍວິດີໂອ.", + "video_call_unsupported": "%(senderName)s ໄດ້ໂທດ້ວຍວິດີໂອ. (ບຣາວເຊີນີ້ບໍ່ຮອງຮັບ)" + }, + "m.room.member": { + "accepted_3pid_invite": "%(targetName)s ຍອມຮັບຄຳເຊີນສຳລັບ %(displayName)s", + "accepted_invite": "%(targetName)s ຍອມຮັບຄຳເຊີນ", + "invite": "%(senderName)s ໄດ້ເຊີນ %(targetName)s", + "ban_reason": "%(senderName)s ຖືກຫ້າມ %(targetName)s: %(reason)s", + "ban": "%(senderName)s ຫ້າມ %(targetName)s", + "change_name": "%(oldDisplayName)s ໄດ້ປ່ຽນຊື່ສະແດງຂອງເຂົາເຈົ້າເປັນ %(displayName)s", + "set_name": "%(senderName)s ກຳນົດການສະແດງຂອງເຂົາເຈົ້າເປັນ %(displayName)s", + "remove_name": "%(senderName)s ລຶບການສະແດງຊື່ຂອງເຂົາເຈົ້າອອກ (%(oldDisplayName)s)", + "remove_avatar": "%(senderName)s ໄດ້ລຶບຮູບໂປຣໄຟລ໌ຂອງເຂົາເຈົ້າອອກແລ້ວ", + "change_avatar": "%(senderName)s ປ່ຽນຮູບໂປຣໄຟລ໌ຂອງເຂົາເຈົ້າ", + "set_avatar": "%(senderName)s ຕັ້ງຮູບໂປຣໄຟລ໌", + "no_change": "%(senderName)s ບໍ່ມີການປ່ຽນແປງ", + "join": "%(targetName)s ເຂົ້າຮ່ວມຫ້ອງ", + "reject_invite": "%(targetName)s ປະຕິເສດຄຳເຊີນ", + "left_reason": "%(targetName)s ອອກຈາກຫ້ອງ: %(reason)s", + "left": "%(targetName)s ອອກຈາກຫ້ອງ", + "unban": "%(senderName)s ຍົກເລີກການຫ້າມ %(targetName)s", + "withdrew_invite_reason": "%(senderName)s ຖອນຄຳເຊີນຂອງ %(targetName)s: %(reason)s", + "withdrew_invite": "%(senderName)s ຖອນຄຳເຊີນຂອງ %(targetName)s", + "kick_reason": "%(senderName)s ເອົາອອກ %(targetName)s: %(reason)s", + "kick": "%(senderName)s ເອົາອອກ %(targetName)s" + }, + "m.room.topic": "%(senderDisplayName)s ໄດ້ປ່ຽນຫົວຂໍ້ເປັນ \"%(topic)s\".", + "m.room.avatar": "%(senderDisplayName)s ໄດ້ປ່ຽນແປງຮູບແທນຕົວຂອງຫ້ອງ.", + "m.room.name": { + "remove": "%(senderDisplayName)s ລຶບຊື່ຫ້ອງອອກ.", + "change": "%(senderDisplayName)s ໄດ້ປ່ຽນຊື່ຫ້ອງຈາກ %(oldRoomName)s ເປັນ %(newRoomName)s.", + "set": "%(senderDisplayName)s ໄດ້ປ່ຽນຊື່ຫ້ອງເປັນ %(roomName)s." + }, + "m.room.tombstone": "%(senderDisplayName)s ຍົກລະດັບຫ້ອງນີ້ແລ້ວ.", + "m.room.join_rules": { + "public": "%(senderDisplayName)s ໄດ້ເປີດຫ້ອງສາທາລະນະໃຫ້ກັບຄົນໃດຄົນໜຶ່ງທີ່ຮູ້ຈັກລິ້ງ.", + "invite": "%(senderDisplayName)s ກຳນົດສະເພາະຫ້ອງທີ່ເຊີນເທົ່ານັ້ນ.", + "restricted_settings": "%(senderDisplayName)s ໄດ້ປ່ຽນຜູ້ທີ່ເຂົ້າຮ່ວມຫ້ອງນີ້ໄດ້. ເບິ່ງການຕັ້ງຄ່າ.", + "restricted": "%(senderDisplayName)s ໄດ້ປ່ຽນຜູ້ທີ່ສາມາດເຂົ້າຮ່ວມຫ້ອງນີ້ໄດ້.", + "unknown": "%(senderDisplayName)s ໄດ້ປ່ຽນກົດ ການເຂົ້າຮ່ວມເປັນ %(rule)s" + }, + "m.room.guest_access": { + "can_join": "%(senderDisplayName)s ໄດ້ອະນຸຍາດໃຫ້ແຂກເຂົ້າຮ່ວມຫ້ອງແລ້ວ.", + "forbidden": "%(senderDisplayName)s ໄດ້ປ້ອງກັນບໍ່ໃຫ້ແຂກເຂົ້າຮ່ວມຫ້ອງ.", + "unknown": "%(senderDisplayName)s ໄດ້ປ່ຽນການເຂົ້າເຖິງຂອງແຂກເປັນ %(rule)s" + }, + "m.image": "%(senderDisplayName)s ສົ່ງຮູບ.", + "m.sticker": "%(senderDisplayName)s ສົ່ງສະຕິກເກີ.", + "m.room.server_acl": { + "set": "%(senderDisplayName)s ຕັ້ງ ACL ຂອງເຊີບເວີສໍາລັບຫ້ອງນີ້.", + "changed": "%(senderDisplayName)s ໄດ້ປ່ຽນເຊີບເວີ ACLs ສໍາລັບຫ້ອງນີ້.", + "all_servers_banned": "🎉 ເຊີບເວີທັງໝົດຖືກຫ້າມບໍ່ໃຫ້ເຂົ້າຮ່ວມ! ຫ້ອງນີ້ບໍ່ສາມາດໃຊ້ໄດ້ອີກຕໍ່ໄປ." + }, + "m.room.canonical_alias": { + "set": "%(senderName)s ກຳນົດທີ່ຢູ່ຂອງຫ້ອງນີ້ເປັນ %(address)s.", + "removed": "%(senderName)s ໄດ້ລຶບທີ່ຢູ່ຂອງຫ້ອງນີ້ອອກ." + } } } diff --git a/src/i18n/strings/lt.json b/src/i18n/strings/lt.json index 34926398206..5f4049ab65a 100644 --- a/src/i18n/strings/lt.json +++ b/src/i18n/strings/lt.json @@ -13,18 +13,15 @@ "Failed to change password. Is your password correct?": "Nepavyko pakeisti slaptažodžio. Ar jūsų slaptažodis teisingas?", "Operation failed": "Operacija nepavyko", "This Room": "Šis pokalbių kambarys", - "Messages in one-to-one chats": "Žinutės privačiuose pokalbiuose", "Unavailable": "Neprieinamas", "powered by Matrix": "veikia su Matrix", "Favourite": "Mėgstamas", "All Rooms": "Visi pokalbių kambariai", "Source URL": "Šaltinio URL adresas", - "Messages sent by bot": "Boto siųstos žinutės", "Filter results": "Išfiltruoti rezultatus", "No update available.": "Nėra galimų atnaujinimų.", "Noisy": "Triukšmingas", "Collecting app version information": "Renkama programos versijos informacija", - "When I'm invited to a room": "Kai mane pakviečia į kambarį", "Tuesday": "Antradienis", "Search…": "Paieška…", "Unnamed room": "Kambarys be pavadinimo", @@ -39,14 +36,11 @@ "Send": "Siųsti", "All messages": "Visos žinutės", "unknown error code": "nežinomas klaidos kodas", - "Call invitation": "Skambučio pakvietimas", - "Messages containing my display name": "Žinutės, kuriose yra mano rodomas vardas", "What's new?": "Kas naujo?", "Invite to this room": "Pakviesti į šį kambarį", "You cannot delete this message. (%(code)s)": "Jūs negalite trinti šios žinutės. (%(code)s)", "Thursday": "Ketvirtadienis", "Show message in desktop notification": "Rodyti žinutę darbalaukio pranešime", - "Messages in group chats": "Žinutės grupiniuose pokalbiuose", "Yesterday": "Vakar", "Error encountered (%(errorDetail)s).": "Susidurta su klaida (%(errorDetail)s).", "Low Priority": "Žemo prioriteto", @@ -100,10 +94,6 @@ "Verified key": "Patvirtintas raktas", "Displays action": "Rodo veiksmą", "Reason": "Priežastis", - "%(senderDisplayName)s changed the topic to \"%(topic)s\".": "%(senderDisplayName)s pakeitė temą į \"%(topic)s\".", - "%(senderDisplayName)s changed the room name to %(roomName)s.": "%(senderDisplayName)s pakeitė kambario pavadinimą į %(roomName)s.", - "%(senderDisplayName)s sent an image.": "%(senderDisplayName)s išsiuntė vaizdą.", - "Unnamed Room": "Bevardis Kambarys", "Incorrect verification code": "Neteisingas patvirtinimo kodas", "Phone": "Telefonas", "No display name": "Nėra rodomo vardo", @@ -199,7 +189,6 @@ "You do not have permission to start a conference call in this room": "Jūs neturite leidimo šiame kambaryje pradėti konferencinį pokalbį", "Missing room_id in request": "Užklausoje trūksta room_id", "Missing user_id in request": "Užklausoje trūksta user_id", - "%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s pašalino kambario pavadinimą.", "%(widgetName)s widget modified by %(senderName)s": "%(senderName)s modifikavo %(widgetName)s valdiklį", "%(widgetName)s widget added by %(senderName)s": "%(senderName)s pridėjo %(widgetName)s valdiklį", "%(widgetName)s widget removed by %(senderName)s": "%(senderName)s pašalino %(widgetName)s valdiklį", @@ -315,8 +304,6 @@ "Ignores a user, hiding their messages from you": "Ignoruoja vartotoją, slepiant nuo jūsų jo žinutes", "Stops ignoring a user, showing their messages going forward": "Sustabdo vartotojo ignoravimą, rodant jums jo tolimesnes žinutes", "Historical": "Istoriniai", - "%(senderName)s set the main address for this room to %(address)s.": "%(senderName)s nustatė pagrindinį šio kambario adresą į %(address)s.", - "%(senderName)s removed the main address for this room.": "%(senderName)s pašalino pagrindinį šio kambario adresą.", "Unknown for %(duration)s": "Nežinoma jau %(duration)s", "Unable to load! Check your network connectivity and try again.": "Nepavyko įkelti! Patikrinkite savo tinklo ryšį ir bandykite dar kartą.", "Unknown server error": "Nežinoma serverio klaida", @@ -346,7 +333,6 @@ "Avoid repeated words and characters": "Venkite pasikartojančių žodžių ir simbolių", "Use a few words, avoid common phrases": "Naudokite keletą žodžių, venkite dažnai naudojamų frazių", "No need for symbols, digits, or uppercase letters": "Nereikia simbolių, skaitmenų ar didžiųjų raidžių", - "Encrypted messages in group chats": "Šifruotos žinutės grupiniuose pokalbiuose", "Delete Backup": "Ištrinti Atsarginę Kopiją", "Set up": "Nustatyti", "Publish this room to the public in %(domain)s's room directory?": "Paskelbti šį kambarį viešai %(domain)s kambarių kataloge?", @@ -410,13 +396,6 @@ "Sends the given message coloured as a rainbow": "Išsiunčia nurodytą žinutę nuspalvintą kaip vaivorykštė", "Sends the given emote coloured as a rainbow": "Išsiunčia nurodytą emociją nuspalvintą kaip vaivorykštė", "Displays list of commands with usages and descriptions": "Parodo komandų sąrašą su naudojimo būdais ir aprašymais", - "%(senderDisplayName)s upgraded this room.": "%(senderDisplayName)s atnaujino šį kambarį.", - "%(senderDisplayName)s made the room public to whoever knows the link.": "%(senderDisplayName)s padarė kambarį viešą visiems žinantiems nuorodą.", - "%(senderDisplayName)s made the room invite only.": "%(senderDisplayName)s padarė kambarį tik pakviestiems.", - "%(senderDisplayName)s changed the join rule to %(rule)s": "%(senderDisplayName)s pakeitė prisijungimo taisyklę į %(rule)s", - "%(senderDisplayName)s has allowed guests to join the room.": "%(senderDisplayName)s leido svečiams prisijungti prie kambario.", - "%(senderDisplayName)s has prevented guests from joining the room.": "%(senderDisplayName)s uždraudė svečiams prisijungti prie kambario.", - "%(senderDisplayName)s changed guest access to %(rule)s": "%(senderDisplayName)s pakeitė svečių prieigą prie %(rule)s", "%(senderName)s revoked the invitation for %(targetDisplayName)s to join the room.": "%(senderName)s atšaukė pakvietimą %(targetDisplayName)s prisijungti prie kambario.", "%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": "%(senderName)s išsiuntė pakvietimą %(targetDisplayName)s prisijungti prie kambario.", "%(senderName)s made future room history visible to all room members, from the point they joined.": "%(senderName)s padarė būsimą kambario istoriją matomą visiems kambario dalyviams, nuo jų prisijungimo momento.", @@ -461,7 +440,6 @@ " invited you": " jus pakvietė", "You're previewing %(roomName)s. Want to join it?": "Jūs peržiūrite %(roomName)s. Norite prie jo prisijungti?", "%(roomName)s can't be previewed. Do you want to join it?": "%(roomName)s negali būti peržiūrėtas. Ar jūs norite prie jo prisijungti?", - "Create a public room": "Sukurti viešą kambarį", "Room Settings - %(roomName)s": "Kambario nustatymai - %(roomName)s", "Upgrade public room": "Atnaujinti viešą kambarį", "Upload files (%(current)s of %(total)s)": "Įkelti failus (%(current)s iš %(total)s)", @@ -480,7 +458,6 @@ "Are you sure you want to leave the room '%(roomName)s'?": "Ar tikrai norite išeiti iš kambario %(roomName)s?", "%(creator)s created and configured the room.": "%(creator)s sukūrė ir sukonfigūravo kambarį.", "General failure": "Bendras triktis", - "Messages containing my username": "Žinutės, kuriose yra mano vartotojo vardas", "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (galia %(powerLevelNumber)s)", "Enter username": "Įveskite vartotojo vardą", "Create account": "Sukurti paskyrą", @@ -586,7 +563,6 @@ "Room List": "Kambarių Sąrašas", "Autocomplete": "Autorašymas", "Verify this session": "Patvirtinti šį seansą", - "%(senderDisplayName)s changed the room name from %(oldRoomName)s to %(newRoomName)s.": "%(senderDisplayName)s pakeitė kambario pavadinimą iš %(oldRoomName)s į %(newRoomName)s.", "The other party cancelled the verification.": "Kita šalis atšaukė patvirtinimą.", "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.", @@ -611,7 +587,6 @@ "Enter the name of a new server you want to explore.": "Įveskite naujo, norimo žvalgyti serverio pavadinimą.", "Server name": "Serverio pavadinimas", "Please enter a name for the room": "Įveskite kambario pavadinimą", - "Create a private room": "Sukurti privatų kambarį", "Topic (optional)": "Tema (nebūtina)", "Hide advanced": "Paslėpti išplėstinius", "Show advanced": "Rodyti išplėstinius", @@ -658,12 +633,7 @@ "Explore Public Rooms": "Žvalgyti viešus kambarius", "Create a Group Chat": "Sukurti grupės pokalbį", "New login. Was this you?": "Naujas prisijungimas. Ar tai jūs?", - "%(senderName)s placed a voice call.": "%(senderName)s pradėjo balso skambutį.", - "%(senderName)s placed a voice call. (not supported by this browser)": "%(senderName)s pradėjo vaizdo skambutį. (nepalaikoma šios naršyklės)", - "%(senderName)s placed a video call.": "%(senderName)s pradėjo vaizdo skambutį.", - "%(senderName)s placed a video call. (not supported by this browser)": "%(senderName)s pradėjo vaizdo skambutį. (nepalaikoma šios naršyklės)", "Verify your other session using one of the options below.": "Patvirtinkite savo kitą seansą naudodami vieną iš žemiau esančių parinkčių.", - "Messages containing @room": "Žinutės, kuriose yra @kambarys", "To be secure, do this in person or use a trusted way to communicate.": "Norėdami užtikrinti saugumą, darykite tai asmeniškai arba naudokite patikimą komunikacijos būdą.", "Restore from Backup": "Atkurti iš Atsarginės Kopijos", "Cryptography": "Kriptografija", @@ -867,8 +837,6 @@ "Almost there! Is %(displayName)s showing the same shield?": "Beveik atlikta! Ar %(displayName)s rodo tokį patį skydą?", "Mirror local video feed": "Atkartoti lokalų video tiekimą", "IRC display name width": "IRC rodomo vardo plotis", - "Encrypted messages in one-to-one chats": "Šifruotos žinutės privačiuose pokalbiuose", - "When rooms are upgraded": "Kai atnaujinami kambariai", "My Ban List": "Mano Draudimų Sąrašas", "This is your list of users/servers you have blocked - don't leave the room!": "Tai yra jūsų užblokuotų vartotojų/serverių sąrašas - neišeikite iš kambario!", "Verify this user by confirming the following emoji appear on their screen.": "Patvirtinkite šį vartotoją, įsitikindami, kad jo ekrane rodomas toliau esantis jaustukas.", @@ -1105,14 +1073,11 @@ "The call was answered on another device.": "Į skambutį buvo atsiliepta kitame įrenginyje.", "Answered Elsewhere": "Atsiliepta Kitur", "The call could not be established": "Nepavyko pradėti skambučio", - "🎉 All servers are banned from participating! This room can no longer be used.": "🎉 Visiems serveriams uždrausta dalyvauti! Šis kambarys nebegali būti naudojamas.", "%(senderName)s removed a ban rule matching %(glob)s": "%(senderName)s pašalino draudimo taisyklę, sutampančią su %(glob)s", "%(senderName)s removed the rule banning servers matching %(glob)s": "%(senderName)s pašalino taisyklę, draudžiančią serverius, sutampančius su %(glob)s", "%(senderName)s removed the rule banning rooms matching %(glob)s": "%(senderName)s pašalino taisyklę, draudžiančią kambarius, sutampančius su %(glob)s", "%(senderName)s removed the rule banning users matching %(glob)s": "%(senderName)s pašalino taisyklę, draudžiančią vartotojus, sutampančius su %(glob)s", "%(senderName)s updated an invalid ban rule": "%(senderName)s atnaujino klaidingą draudimo taisyklę", - "%(senderDisplayName)s changed the server ACLs for this room.": "%(senderDisplayName)s pakeitė serverio prieigos kontrolės sąrašus šiam kambariui.", - "%(senderDisplayName)s set the server ACLs for this room.": "%(senderDisplayName)s nustatė serverio prieigos kontrolės sąrašus šiam kambariui.", "Sends a message to the given user": "Siunčia žinutę nurodytam vartotojui", "Opens chat with the given user": "Atidaro pokalbį su nurodytu vartotoju", "Send a bug report with logs": "Siųsti pranešimą apie klaidą kartu su žurnalu", @@ -1584,8 +1549,6 @@ "Could not connect to identity server": "Nepavyko prisijungti prie tapatybės serverio", "Not a valid identity server (status code %(code)s)": "Netinkamas tapatybės serveris (statuso kodas %(code)s)", "Identity server URL must be HTTPS": "Tapatybės serverio URL privalo būti HTTPS", - "From the beginning": "Nuo pradžios", - "Plain Text": "Paprastas Tekstas", "Invite to %(spaceName)s": "Pakvietimas į %(spaceName)s", "This homeserver has been blocked by its administrator.": "Šis namų serveris buvo užblokuotas jo administratoriaus.", "See when the name changes in your active room": "Matyti kada jūsų aktyvaus kambario pavadinimas pasikeičia", @@ -1599,25 +1562,6 @@ "%(senderName)s unpinned a message from this room. See all pinned messages.": "%(senderName)s atsegė žinutę nuo šio kambario. Žiūrėkite visas prisegtas žinutes.", "%(senderName)s pinned a message to this room. See all pinned messages.": "%(senderName)s prisegė žinutę prie šio kambario. Žiūrėkite visas prisegtas žinutes.", "%(senderName)s pinned a message to this room. See all pinned messages.": "%(senderName)s prisegė žinutė prie šio kambario. Žiūrėkite visas prisegtas žinutes.", - "%(senderDisplayName)s sent a sticker.": "%(senderDisplayName)s nusiuntė lipduką.", - "%(senderDisplayName)s changed who can join this room.": "%(senderDisplayName)s pakeitė kas gali prisijungti prie šio kambario.", - "%(senderDisplayName)s changed who can join this room. View settings.": "%(senderDisplayName)s pakeitė kas gali prisijungti prie šio kambario. Peržiūrėti nustatymus.", - "%(senderDisplayName)s changed the room avatar.": "%(senderDisplayName)s pakeitė kambario avatarą.", - "%(senderName)s withdrew %(targetName)s's invitation": "%(senderName)s atšaukė %(targetName)s's kvietimą", - "%(senderName)s withdrew %(targetName)s's invitation: %(reason)s": "%(senderName)s atšaukė %(targetName)s's kvietimą: %(reason)s", - "%(senderName)s unbanned %(targetName)s": "%(senderName)s atblokavo %(targetName)s", - "%(targetName)s left the room": "%(targetName)s išėjo iš kambario", - "%(targetName)s left the room: %(reason)s": "%(targetName)s išėjo iš kambario: %(reason)s", - "%(targetName)s rejected the invitation": "%(targetName)s atmetė kvietimą", - "%(targetName)s joined the room": "%(targetName)s prisijungė prie kambario", - "%(senderName)s made no change": "%(senderName)s nepadarė jokių pakeitimų", - "%(senderName)s set a profile picture": "%(senderName)s nustatė savo profilio nuotrauką", - "%(senderName)s changed their profile picture": "%(senderName)s pakeitė savo profilio nuotrauką", - "%(senderName)s removed their profile picture": "%(senderName)s pašalino savo profilio nuotrauką", - "%(senderName)s removed their display name (%(oldDisplayName)s)": "%(senderName)s pašalino savo rodomą vardą (%(oldDisplayName)s)", - "%(senderName)s set their display name to %(displayName)s": "%(senderName)s nustatė savo rodomą vardą į %(displayName)s", - "%(oldDisplayName)s changed their display name to %(displayName)s": "%(oldDisplayName)s pasikeitė savo rodomą vardą į %(displayName)s", - "%(senderName)s banned %(targetName)s": "%(senderName)s užblokavo %(targetName)s", "Northern Mariana Islands": "Šiaurės Marianų salos", "Norfolk Island": "Norfolko sala", "Nepal": "Nepalas", @@ -1983,15 +1927,6 @@ "Share anonymous data to help us identify issues. Nothing personal. No third parties. Learn More": "Dalinkitės anoniminiais duomenimis, kurie padės mums nustatyti problemas. Nieko asmeniško. Jokių trečiųjų šalių. Sužinokite daugiau", "You previously consented to share anonymous usage data with us. We're updating how that works.": "Anksčiau sutikote su mumis dalytis anoniminiais naudojimo duomenimis. Atnaujiname, kaip tai veikia.", "That's fine": "Tai gerai", - "File Attached": "Failas pridėtas", - "Exported %(count)s events in %(seconds)s seconds": { - "one": "Eksportavome %(count)s įvyki per %(seconds)s sekundes", - "other": "Eksportavome %(count)s įvykius per %(seconds)s sekundes" - }, - "Export successful!": "Eksportas sėkmingas!", - "Fetched %(count)s events in %(seconds)ss": { - "one": "Surinkome %(count)s įvykius per %(seconds)ss" - }, "Preview Space": "Peržiūrėti erdvę", "Failed to update the visibility of this space": "Nepavyko atnaujinti šios erdvės matomumo", "Access": "Prieiga", @@ -2072,8 +2007,6 @@ "Automatically send debug logs on decryption errors": "Automatiškai siųsti derinimo žurnalus apie iššifravimo klaidas", "Automatically send debug logs on any error": "Automatiškai siųsti derinimo žurnalus esant bet kokiai klaidai", "Developer mode": "Kūrėjo režimas", - "%(senderName)s removed %(targetName)s": "%(senderName)s pašalino %(targetName)s", - "%(senderName)s removed %(targetName)s: %(reason)s": "%(senderName)s pašalino %(targetName)s: %(reason)s", "Vietnam": "Vietnamas", "United Arab Emirates": "Jungtiniai Arabų Emiratai", "Ukraine": "Ukraina", @@ -2231,8 +2164,6 @@ "Live": "Gyvai", "Stop live broadcasting?": "Sustabdyti transliaciją gyvai?", "Yes, stop broadcast": "Taip, sustabdyti transliaciją", - "JSON": "JSON", - "HTML": "HTML", "common": { "about": "Apie", "analytics": "Analitika", @@ -2294,7 +2225,8 @@ "verified": "Patvirtinta", "unverified": "Nepatvirtinta", "trusted": "Patikimas", - "not_trusted": "Nepatikimas" + "not_trusted": "Nepatikimas", + "unnamed_room": "Bevardis Kambarys" }, "action": { "continue": "Tęsti", @@ -2534,7 +2466,20 @@ "prompt_invite": "Klausti prieš siunčiant pakvietimus galimai netinkamiems matrix ID", "hardware_acceleration": "Įjungti aparatinį pagreitinimą (kad įsigaliotų, iš naujo paleiskite %(appName)s)", "start_automatically": "Pradėti automatiškai prisijungus prie sistemos", - "warn_quit": "Įspėti prieš išeinant" + "warn_quit": "Įspėti prieš išeinant", + "notifications": { + "rule_contains_display_name": "Žinutės, kuriose yra mano rodomas vardas", + "rule_contains_user_name": "Žinutės, kuriose yra mano vartotojo vardas", + "rule_roomnotif": "Žinutės, kuriose yra @kambarys", + "rule_room_one_to_one": "Žinutės privačiuose pokalbiuose", + "rule_message": "Žinutės grupiniuose pokalbiuose", + "rule_encrypted": "Šifruotos žinutės grupiniuose pokalbiuose", + "rule_invite_for_me": "Kai mane pakviečia į kambarį", + "rule_call": "Skambučio pakvietimas", + "rule_suppress_notices": "Boto siųstos žinutės", + "rule_tombstone": "Kai atnaujinami kambariai", + "rule_encrypted_room_one_to_one": "Šifruotos žinutės privačiuose pokalbiuose" + } }, "devtools": { "event_type": "Įvykio tipas", @@ -2549,5 +2494,82 @@ "active_widgets": "Aktyvūs Valdikliai", "toolbox": "Įrankinė", "developer_tools": "Programuotojo Įrankiai" + }, + "export_chat": { + "html": "HTML", + "json": "JSON", + "text": "Paprastas Tekstas", + "from_the_beginning": "Nuo pradžios", + "export_successful": "Eksportas sėkmingas!", + "fetched_n_events_in_time": { + "one": "Surinkome %(count)s įvykius per %(seconds)ss" + }, + "exported_n_events_in_time": { + "one": "Eksportavome %(count)s įvyki per %(seconds)s sekundes", + "other": "Eksportavome %(count)s įvykius per %(seconds)s sekundes" + }, + "file_attached": "Failas pridėtas" + }, + "create_room": { + "title_public_room": "Sukurti viešą kambarį", + "title_private_room": "Sukurti privatų kambarį" + }, + "timeline": { + "m.call.invite": { + "voice_call": "%(senderName)s pradėjo balso skambutį.", + "voice_call_unsupported": "%(senderName)s pradėjo vaizdo skambutį. (nepalaikoma šios naršyklės)", + "video_call": "%(senderName)s pradėjo vaizdo skambutį.", + "video_call_unsupported": "%(senderName)s pradėjo vaizdo skambutį. (nepalaikoma šios naršyklės)" + }, + "m.room.member": { + "ban": "%(senderName)s užblokavo %(targetName)s", + "change_name": "%(oldDisplayName)s pasikeitė savo rodomą vardą į %(displayName)s", + "set_name": "%(senderName)s nustatė savo rodomą vardą į %(displayName)s", + "remove_name": "%(senderName)s pašalino savo rodomą vardą (%(oldDisplayName)s)", + "remove_avatar": "%(senderName)s pašalino savo profilio nuotrauką", + "change_avatar": "%(senderName)s pakeitė savo profilio nuotrauką", + "set_avatar": "%(senderName)s nustatė savo profilio nuotrauką", + "no_change": "%(senderName)s nepadarė jokių pakeitimų", + "join": "%(targetName)s prisijungė prie kambario", + "reject_invite": "%(targetName)s atmetė kvietimą", + "left_reason": "%(targetName)s išėjo iš kambario: %(reason)s", + "left": "%(targetName)s išėjo iš kambario", + "unban": "%(senderName)s atblokavo %(targetName)s", + "withdrew_invite_reason": "%(senderName)s atšaukė %(targetName)s's kvietimą: %(reason)s", + "withdrew_invite": "%(senderName)s atšaukė %(targetName)s's kvietimą", + "kick_reason": "%(senderName)s pašalino %(targetName)s: %(reason)s", + "kick": "%(senderName)s pašalino %(targetName)s" + }, + "m.room.topic": "%(senderDisplayName)s pakeitė temą į \"%(topic)s\".", + "m.room.avatar": "%(senderDisplayName)s pakeitė kambario avatarą.", + "m.room.name": { + "remove": "%(senderDisplayName)s pašalino kambario pavadinimą.", + "change": "%(senderDisplayName)s pakeitė kambario pavadinimą iš %(oldRoomName)s į %(newRoomName)s.", + "set": "%(senderDisplayName)s pakeitė kambario pavadinimą į %(roomName)s." + }, + "m.room.tombstone": "%(senderDisplayName)s atnaujino šį kambarį.", + "m.room.join_rules": { + "public": "%(senderDisplayName)s padarė kambarį viešą visiems žinantiems nuorodą.", + "invite": "%(senderDisplayName)s padarė kambarį tik pakviestiems.", + "restricted_settings": "%(senderDisplayName)s pakeitė kas gali prisijungti prie šio kambario. Peržiūrėti nustatymus.", + "restricted": "%(senderDisplayName)s pakeitė kas gali prisijungti prie šio kambario.", + "unknown": "%(senderDisplayName)s pakeitė prisijungimo taisyklę į %(rule)s" + }, + "m.room.guest_access": { + "can_join": "%(senderDisplayName)s leido svečiams prisijungti prie kambario.", + "forbidden": "%(senderDisplayName)s uždraudė svečiams prisijungti prie kambario.", + "unknown": "%(senderDisplayName)s pakeitė svečių prieigą prie %(rule)s" + }, + "m.image": "%(senderDisplayName)s išsiuntė vaizdą.", + "m.sticker": "%(senderDisplayName)s nusiuntė lipduką.", + "m.room.server_acl": { + "set": "%(senderDisplayName)s nustatė serverio prieigos kontrolės sąrašus šiam kambariui.", + "changed": "%(senderDisplayName)s pakeitė serverio prieigos kontrolės sąrašus šiam kambariui.", + "all_servers_banned": "🎉 Visiems serveriams uždrausta dalyvauti! Šis kambarys nebegali būti naudojamas." + }, + "m.room.canonical_alias": { + "set": "%(senderName)s nustatė pagrindinį šio kambario adresą į %(address)s.", + "removed": "%(senderName)s pašalino pagrindinį šio kambario adresą." + } } } diff --git a/src/i18n/strings/lv.json b/src/i18n/strings/lv.json index bdf7956678f..8233a1a575a 100644 --- a/src/i18n/strings/lv.json +++ b/src/i18n/strings/lv.json @@ -22,9 +22,6 @@ "Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or enable unsafe scripts.": "Neizdodas savienoties ar bāzes serveri izmantojot HTTP protokolu, kad pārlūka adreses laukā norādīts HTTPS protokols. Tā vietā izmanto HTTPS vai iespējo nedrošos skriptus.", "Change Password": "Nomainīt paroli", "%(senderName)s changed the power level of %(powerLevelDiffText)s.": "%(senderName)s nomainīja statusa līmeni %(powerLevelDiffText)s.", - "%(senderDisplayName)s changed the room name to %(roomName)s.": "%(senderDisplayName)s nomainīja istabas nosaukumu uz %(roomName)s.", - "%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s dzēsa istabas nosaukumu.", - "%(senderDisplayName)s changed the topic to \"%(topic)s\".": "%(senderDisplayName)s nomainīja istabas tematu uz \"%(topic)s\".", "Changes your display nickname": "Maina jūsu parādāmo vārdu", "Command error": "Komandas kļūda", "Commands": "Komandas", @@ -111,7 +108,6 @@ "Room %(roomId)s not visible": "Istaba %(roomId)s nav redzama", "%(roomName)s does not exist.": "%(roomName)s neeksistē.", "%(roomName)s is not accessible at this time.": "%(roomName)s šobrīd nav pieejama.", - "%(senderDisplayName)s sent an image.": "%(senderDisplayName)s nosūtīja attēlu.", "%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": "%(senderName)s nosūtīja uzaicinājumu %(targetDisplayName)s pievienoties istabai.", "Uploading %(filename)s": "Tiek augšupielādēts %(filename)s", "Uploading %(filename)s and %(count)s others": { @@ -154,7 +150,6 @@ "Unable to verify email address.": "Neizdevās apstiprināt epasta adresi.", "Unban": "Atcelt pieejas liegumu", "unknown error code": "nezināms kļūdas kods", - "Unnamed Room": "Istaba bez nosaukuma", "Create new room": "Izveidot jaunu istabu", "You have enabled URL previews by default.": "URL priekšskatījumi pēc noklusējuma jums iriespējoti .", "Upload avatar": "Augšupielādēt avataru", @@ -398,11 +393,8 @@ "Failed to send logs: ": "Neizdevās nosūtīt logfailus: ", "This Room": "Šajā istabā", "Noisy": "Ar skaņu", - "Messages containing my display name": "Ziņas, kuras satur manu parādāmo vārdu", - "Messages in one-to-one chats": "Ziņas viens-pret-vienu čatos", "Unavailable": "Nesasniedzams", "Source URL": "Avota URL adrese", - "Messages sent by bot": "Botu nosūtītās ziņas", "Filter results": "Filtrēt rezultātus", "No update available.": "Nav atjauninājumu.", "Collecting app version information": "Tiek iegūta programmas versijas informācija", @@ -416,14 +408,11 @@ "Wednesday": "Trešdiena", "You cannot delete this message. (%(code)s)": "Tu nevari dzēst šo ziņu. (%(code)s)", "All messages": "Visas ziņas", - "Call invitation": "Uzaicinājuma zvans", "What's new?": "Kas jauns?", - "When I'm invited to a room": "Kad esmu uzaicināts/a istabā", "Invite to this room": "Uzaicināt uz šo istabu", "Thursday": "Ceturtdiena", "Logs sent": "Logfaili nosūtīti", "Show message in desktop notification": "Parādīt ziņu darbvirsmas paziņojumos", - "Messages in group chats": "Ziņas grupas čatos", "Yesterday": "Vakardien", "Error encountered (%(errorDetail)s).": "Gadījās kļūda (%(errorDetail)s).", "Low Priority": "Zema prioritāte", @@ -525,7 +514,6 @@ "%(senderName)s removed the rule banning servers matching %(glob)s": "%(senderName)s dzēsa noteikumu pieejas liegšanai serveriem, kas atbilst %(glob)s", "%(senderName)s removed the rule banning rooms matching %(glob)s": "%(senderName)s dzēsa noteikumu pieejas liegšanai istabām, kas atbilst %(glob)s", "%(senderName)s removed the rule banning users matching %(glob)s": "%(senderName)s dzēsa noteikumu pieejas liegšanai lietotājiem, kas atbilst %(glob)s", - "🎉 All servers are banned from participating! This room can no longer be used.": "🎉 Visiem serveriem ir liegta pieeja dalībai! Šī istaba vairs nevar tikt izmantota.", "Unbans user with given ID": "Atceļ pieejas liegumu lietotājam ar norādīto id", "Lebanon": "Libāna", "Bangladesh": "Bangladeša", @@ -546,15 +534,6 @@ "Click the button below to confirm adding this email address.": "Nospiest zemāk esošo pogu, lai apstiprinātu šīs e-pasta adreses pievienošanu.", "Single Sign On": "Vienotā pieteikšanās", "Use Single Sign On to continue": "Izmantot vienoto pieteikšanos, lai turpinātu", - "%(senderDisplayName)s changed the server ACLs for this room.": "%(senderDisplayName)s nomainīja servera ACL piekļuves šai istabai.", - "%(senderDisplayName)s set the server ACLs for this room.": "%(senderDisplayName)s iestatīja servera ACL piekļuves šai istabai.", - "%(senderDisplayName)s changed guest access to %(rule)s": "%(senderDisplayName)s nomainīja viesu piekļuvi uz %(rule)s", - "%(senderDisplayName)s has prevented guests from joining the room.": "%(senderDisplayName)s aizliedza viesiem pievienoties istabai.", - "%(senderDisplayName)s has allowed guests to join the room.": "%(senderDisplayName)s atļāva viesiem pievienoties istabai.", - "%(senderDisplayName)s changed the join rule to %(rule)s": "%(senderDisplayName)s nomainīja pievienošanās noteikumu uz %(rule)s", - "%(senderDisplayName)s made the room invite only.": "%(senderDisplayName)s padarīja istabu pieejamu tikai ar ielūgumiem.", - "%(senderDisplayName)s made the room public to whoever knows the link.": "%(senderDisplayName)s padarīja istabu publiski pieejamu visiem, kas zina saiti.", - "%(senderDisplayName)s changed the room name from %(oldRoomName)s to %(newRoomName)s.": "%(senderDisplayName)s nomainīja istabas nosaukumu no %(oldRoomName)s uz %(newRoomName)s.", "Welcome %(name)s": "Laipni lūdzam %(name)s", "Welcome to %(appName)s": "Laipni lūdzam %(appName)s", "%(doneRooms)s out of %(totalRooms)s": "%(doneRooms)s no %(totalRooms)s", @@ -579,8 +558,6 @@ "You do not have permission to invite people to this room.": "Jums nav atļaujas uzaicināt cilvēkus šajā istabā.", "%(senderName)s revoked the invitation for %(targetDisplayName)s to join the room.": "%(senderName)s atsauca uzaicinājumu %(targetDisplayName)s pievienoties istabai.", "%(senderName)s changed the addresses for this room.": "%(senderName)s nomainīja istabas adreses.", - "%(senderName)s removed the main address for this room.": "%(senderName)s dzēsa galveno adresi šai istabai.", - "%(senderName)s set the main address for this room to %(address)s.": "%(senderName)s iestatīja istabas galveno adresi kā %(address)s.", "Afghanistan": "Afganistāna", "United States": "Amerikas Savienotās Valstis", "United Kingdom": "Lielbritānija", @@ -616,12 +593,6 @@ "You accepted": "Jūs akceptējāt", "Rotate Right": "Rotēt pa labi", "Rotate Left": "Rotēt pa kreisi", - "%(senderName)s placed a video call. (not supported by this browser)": "%(senderName)s uzsāka video zvanu. (Netiek atbalstīts šajā pārlūkā)", - "%(senderName)s placed a video call.": "%(senderName)s uzsāka video zvanu.", - "Encrypted messages in group chats": "Šifrētas ziņas grupas čatos", - "Encrypted messages in one-to-one chats": "Šifrētas ziņas viens-pret-vienu čatos", - "Messages containing @room": "Ziņas, kuras satur @room", - "Messages containing my username": "Ziņas, kuras satur manu lietotājvārdu", "%(displayName)s created this room.": "%(displayName)s izveidoja šo istabu.", "IRC display name width": "IRC parādāmā vārda platums", "%(displayName)s cancelled verification.": "%(displayName)s atcēla verificēšanu.", @@ -708,8 +679,6 @@ "Hide advanced": "Slēpt papildu iestatījumus", "Your server requires encryption to be enabled in private rooms.": "Jūsu serveris pieprasa iespējotu šifrēšānu privātās istabās.", "Enable end-to-end encryption": "Iespējot pilnīgu šifrēšanu", - "Create a private room": "Izveidot privātu istabu", - "Create a public room": "Izveidot publisku istabu", "Add a new server": "Pievienot jaunu serveri", "Your homeserver": "Jūsu bāzes serveris", "Your server": "Jūsu serveris", @@ -719,8 +688,6 @@ "Share room": "Dalīties ar istabu", "Help & About": "Palīdzība un par lietotni", "About homeservers": "Par bāzes serveriem", - "%(senderName)s placed a voice call. (not supported by this browser)": "%(senderName)s uzsāka balss zvanu. (Netiek atbalstīts šajā pārlūkā)", - "%(senderName)s placed a voice call.": "%(senderName)s uzsāka balss zvanu.", "Enable message search in encrypted rooms": "Iespējot ziņu meklēšanu šifrētās istabās", "Search (must be enabled)": "Meklēšana (jābūt iespējotai)", "Jump to room search": "Pāriet uz istabu meklēšanu", @@ -1079,26 +1046,6 @@ "%(senderName)s changed a rule that was banning rooms matching %(oldGlob)s to matching %(newGlob)s for %(reason)s": "%(senderName)s izmainīja noteikumu, kurš liedz pieeju istabām, kas atbilst %(oldGlob)s pazīmei pret %(newGlob)s dēļ %(reason)s", "%(senderName)s changed a rule that was banning users matching %(oldGlob)s to matching %(newGlob)s for %(reason)s": "%(senderName)s aizstāja noteikumu, kurš liedza pieeju lietotājiem %(oldGlob)s ar jaunu noteikumu, kurš aizliedz %(newGlob)s dēļ %(reason)s", "%(senderName)s changed the pinned messages for the room.": "%(senderName)s nomainīja piespraustās ziņas šai istabai.", - "%(senderDisplayName)s upgraded this room.": "%(senderDisplayName)s atjaunināja šo istabu.", - "%(senderName)s withdrew %(targetName)s's invitation": "%(senderName)s atsauca %(targetName)s paredzēto uzaicinājumu", - "%(senderName)s withdrew %(targetName)s's invitation: %(reason)s": "%(senderName)s atsauca %(targetName)s paredzēto uzaicinājumu: %(reason)s", - "%(senderName)s unbanned %(targetName)s": "%(senderName)s noņēma liegumu/atbanoja %(targetName)s", - "%(targetName)s left the room": "%(targetName)s pameta istabu", - "%(targetName)s left the room: %(reason)s": "%(targetName)s pameta istabu: %(reason)s", - "%(targetName)s rejected the invitation": "%(targetName)s noraidīja uzaicinājumu", - "%(targetName)s joined the room": "%(targetName)s pievienojās istabai", - "%(senderName)s made no change": "%(senderName)s neizdarīja izmaiņas", - "%(senderName)s set a profile picture": "%(senderName)s iestatīja profila attēlu", - "%(senderName)s changed their profile picture": "%(senderName)s nomainīja savu profila attēlu", - "%(senderName)s removed their profile picture": "%(senderName)s dzēsa savu profila attēlu", - "%(senderName)s removed their display name (%(oldDisplayName)s)": "%(senderName)s dzēsa savu redzamo vārdu (%(oldDisplayName)s)", - "%(senderName)s set their display name to %(displayName)s": "%(senderName)s iestatīja %(displayName)s kā savu redzamo vārdu", - "%(oldDisplayName)s changed their display name to %(displayName)s": "%(oldDisplayName)s nomainīja savu redzamo vārdu uz %(displayName)s", - "%(senderName)s banned %(targetName)s": "%(senderName)s liedza pieeju %(targetName)s", - "%(senderName)s banned %(targetName)s: %(reason)s": "%(senderName)s liedza pieeju %(targetName)s: %(reason)s", - "%(senderName)s invited %(targetName)s": "%(senderName)s uzaicināja %(targetName)s", - "%(targetName)s accepted an invitation": "%(targetName)s pieņēma uzaicinājumu", - "%(targetName)s accepted the invitation for %(displayName)s": "%(targetName)s pieņēma uzaicinājumu uz %(displayName)s", "Converts the DM to a room": "Pārveido DM par istabu", "Converts the room to a DM": "Pārveido istabu par DM", "Places the call in the current room on hold": "Iepauzē sazvanu šajā istabā", @@ -1602,10 +1549,6 @@ "Let's create a room for each of them.": "Izveidojam katram no tiem savu istabu!", "We'll create rooms for each of them.": "Mēs izveidosim istabas katram no tiem.", "Failed to create initial space rooms": "Neizdevās izveidot sākotnējās vietas istabas", - "Create a video room": "Izveidot video istabu", - "%(creatorName)s created this room.": "%(creatorName)s izveidoja šo istabu.", - "Create room": "Izveidot istabu", - "Create video room": "Izveidot video istabu", "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", "Unrecognised room address: %(roomAlias)s": "Neatpazīta istabas adrese: %(roomAlias)s", "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.", @@ -1706,7 +1649,8 @@ "someone": "Kāds", "encrypted": "Šifrēts", "trusted": "Uzticama", - "not_trusted": "Neuzticama" + "not_trusted": "Neuzticama", + "unnamed_room": "Istaba bez nosaukuma" }, "action": { "continue": "Turpināt", @@ -1846,7 +1790,19 @@ "show_displayname_changes": "Rādīt parādāmā vārda izmaiņas", "big_emoji": "Iespējot lielas emocijzīmes čatā", "jump_to_bottom_on_send": "Nosūtot ziņu, pāriet uz laika skalas beigām", - "start_automatically": "Startēt pie ierīces ielādes" + "start_automatically": "Startēt pie ierīces ielādes", + "notifications": { + "rule_contains_display_name": "Ziņas, kuras satur manu parādāmo vārdu", + "rule_contains_user_name": "Ziņas, kuras satur manu lietotājvārdu", + "rule_roomnotif": "Ziņas, kuras satur @room", + "rule_room_one_to_one": "Ziņas viens-pret-vienu čatos", + "rule_message": "Ziņas grupas čatos", + "rule_encrypted": "Šifrētas ziņas grupas čatos", + "rule_invite_for_me": "Kad esmu uzaicināts/a istabā", + "rule_call": "Uzaicinājuma zvans", + "rule_suppress_notices": "Botu nosūtītās ziņas", + "rule_encrypted_room_one_to_one": "Šifrētas ziņas viens-pret-vienu čatos" + } }, "devtools": { "event_type": "Notikuma tips", @@ -1855,5 +1811,71 @@ "event_content": "Notikuma saturs", "toolbox": "Instrumentārijs", "developer_tools": "Izstrādātāja rīki" + }, + "export_chat": { + "creator_summary": "%(creatorName)s izveidoja šo istabu." + }, + "create_room": { + "title_video_room": "Izveidot video istabu", + "title_public_room": "Izveidot publisku istabu", + "title_private_room": "Izveidot privātu istabu", + "action_create_video_room": "Izveidot video istabu", + "action_create_room": "Izveidot istabu" + }, + "timeline": { + "m.call.invite": { + "voice_call": "%(senderName)s uzsāka balss zvanu.", + "voice_call_unsupported": "%(senderName)s uzsāka balss zvanu. (Netiek atbalstīts šajā pārlūkā)", + "video_call": "%(senderName)s uzsāka video zvanu.", + "video_call_unsupported": "%(senderName)s uzsāka video zvanu. (Netiek atbalstīts šajā pārlūkā)" + }, + "m.room.member": { + "accepted_3pid_invite": "%(targetName)s pieņēma uzaicinājumu uz %(displayName)s", + "accepted_invite": "%(targetName)s pieņēma uzaicinājumu", + "invite": "%(senderName)s uzaicināja %(targetName)s", + "ban_reason": "%(senderName)s liedza pieeju %(targetName)s: %(reason)s", + "ban": "%(senderName)s liedza pieeju %(targetName)s", + "change_name": "%(oldDisplayName)s nomainīja savu redzamo vārdu uz %(displayName)s", + "set_name": "%(senderName)s iestatīja %(displayName)s kā savu redzamo vārdu", + "remove_name": "%(senderName)s dzēsa savu redzamo vārdu (%(oldDisplayName)s)", + "remove_avatar": "%(senderName)s dzēsa savu profila attēlu", + "change_avatar": "%(senderName)s nomainīja savu profila attēlu", + "set_avatar": "%(senderName)s iestatīja profila attēlu", + "no_change": "%(senderName)s neizdarīja izmaiņas", + "join": "%(targetName)s pievienojās istabai", + "reject_invite": "%(targetName)s noraidīja uzaicinājumu", + "left_reason": "%(targetName)s pameta istabu: %(reason)s", + "left": "%(targetName)s pameta istabu", + "unban": "%(senderName)s noņēma liegumu/atbanoja %(targetName)s", + "withdrew_invite_reason": "%(senderName)s atsauca %(targetName)s paredzēto uzaicinājumu: %(reason)s", + "withdrew_invite": "%(senderName)s atsauca %(targetName)s paredzēto uzaicinājumu" + }, + "m.room.topic": "%(senderDisplayName)s nomainīja istabas tematu uz \"%(topic)s\".", + "m.room.name": { + "remove": "%(senderDisplayName)s dzēsa istabas nosaukumu.", + "change": "%(senderDisplayName)s nomainīja istabas nosaukumu no %(oldRoomName)s uz %(newRoomName)s.", + "set": "%(senderDisplayName)s nomainīja istabas nosaukumu uz %(roomName)s." + }, + "m.room.tombstone": "%(senderDisplayName)s atjaunināja šo istabu.", + "m.room.join_rules": { + "public": "%(senderDisplayName)s padarīja istabu publiski pieejamu visiem, kas zina saiti.", + "invite": "%(senderDisplayName)s padarīja istabu pieejamu tikai ar ielūgumiem.", + "unknown": "%(senderDisplayName)s nomainīja pievienošanās noteikumu uz %(rule)s" + }, + "m.room.guest_access": { + "can_join": "%(senderDisplayName)s atļāva viesiem pievienoties istabai.", + "forbidden": "%(senderDisplayName)s aizliedza viesiem pievienoties istabai.", + "unknown": "%(senderDisplayName)s nomainīja viesu piekļuvi uz %(rule)s" + }, + "m.image": "%(senderDisplayName)s nosūtīja attēlu.", + "m.room.server_acl": { + "set": "%(senderDisplayName)s iestatīja servera ACL piekļuves šai istabai.", + "changed": "%(senderDisplayName)s nomainīja servera ACL piekļuves šai istabai.", + "all_servers_banned": "🎉 Visiem serveriem ir liegta pieeja dalībai! Šī istaba vairs nevar tikt izmantota." + }, + "m.room.canonical_alias": { + "set": "%(senderName)s iestatīja istabas galveno adresi kā %(address)s.", + "removed": "%(senderName)s dzēsa galveno adresi šai istabai." + } } } diff --git a/src/i18n/strings/ml.json b/src/i18n/strings/ml.json index 20ad454dee6..f3863a134c9 100644 --- a/src/i18n/strings/ml.json +++ b/src/i18n/strings/ml.json @@ -8,7 +8,6 @@ "unknown error code": "അപരിചിത എറര്‍ കോഡ്", "Failed to change password. Is your password correct?": "രഹസ്യവാക്ക് മാറ്റാന്‍ സാധിച്ചില്ല. രഹസ്യവാക്ക് ശരിയാണോ ?", "Sunday": "ഞായര്‍", - "Messages sent by bot": "ബോട്ട് അയയ്ക്കുന്ന സന്ദേശങ്ങള്‍ക്ക്", "Notification targets": "നോട്ടിഫിക്കേഷന്‍ ടാര്‍ഗെറ്റുകള്‍", "Today": "ഇന്ന്", "Friday": "വെള്ളി", @@ -18,8 +17,6 @@ "Waiting for response from server": "സെര്‍വറില്‍ നിന്നുള്ള പ്രതികരണത്തിന് കാക്കുന്നു", "This Room": "ഈ മുറി", "Noisy": "ഉച്ചത്തില്‍", - "Messages containing my display name": "എന്റെ പേര് അടങ്ങിയിരിക്കുന്ന സന്ദേശങ്ങള്‍ക്ക്", - "Messages in one-to-one chats": "നേര്‍ക്കുനേര്‍ ചാറ്റിലെ സന്ദേശങ്ങള്‍ക്ക്", "Unavailable": "ലഭ്യമല്ല", "Source URL": "സോഴ്സ് യു ആര്‍ എല്‍", "Failed to add tag %(tagName)s to room": "റൂമിന് %(tagName)s എന്ന ടാഗ് ആഡ് ചെയ്യുവാന്‍ സാധിച്ചില്ല", @@ -35,13 +32,10 @@ "You cannot delete this message. (%(code)s)": "നിങ്ങള്‍ക്ക് ഈ സന്ദേശം നീക്കം ചെയ്യാനാകില്ല. (%(code)s)", "Send": "അയയ്ക്കുക", "All messages": "എല്ലാ സന്ദേശങ്ങളും", - "Call invitation": "വിളിയ്ക്കുന്നു", "What's new?": "എന്തൊക്കെ പുതിയ വിശേഷങ്ങള്‍ ?", - "When I'm invited to a room": "ഞാന്‍ ഒരു റൂമിലേക്ക് ക്ഷണിക്കപ്പെടുമ്പോള്‍", "Invite to this room": "ഈ റൂമിലേക്ക് ക്ഷണിക്കുക", "Thursday": "വ്യാഴം", "Search…": "തിരയുക…", - "Messages in group chats": "ഗ്രൂപ്പ് ചാറ്റുകളിലെ സന്ദേശങ്ങള്‍ക്ക്", "Yesterday": "ഇന്നലെ", "Error encountered (%(errorDetail)s).": "എറര്‍ നേരിട്ടു (%(errorDetail)s).", "Low Priority": "താഴ്ന്ന പരിഗണന", @@ -79,5 +73,15 @@ }, "bug_reporting": { "send_logs": "നാള്‍വഴി അയയ്ക്കുക" + }, + "settings": { + "notifications": { + "rule_contains_display_name": "എന്റെ പേര് അടങ്ങിയിരിക്കുന്ന സന്ദേശങ്ങള്‍ക്ക്", + "rule_room_one_to_one": "നേര്‍ക്കുനേര്‍ ചാറ്റിലെ സന്ദേശങ്ങള്‍ക്ക്", + "rule_message": "ഗ്രൂപ്പ് ചാറ്റുകളിലെ സന്ദേശങ്ങള്‍ക്ക്", + "rule_invite_for_me": "ഞാന്‍ ഒരു റൂമിലേക്ക് ക്ഷണിക്കപ്പെടുമ്പോള്‍", + "rule_call": "വിളിയ്ക്കുന്നു", + "rule_suppress_notices": "ബോട്ട് അയയ്ക്കുന്ന സന്ദേശങ്ങള്‍ക്ക്" + } } } diff --git a/src/i18n/strings/nb_NO.json b/src/i18n/strings/nb_NO.json index b56b2123af4..d8e9366ec62 100644 --- a/src/i18n/strings/nb_NO.json +++ b/src/i18n/strings/nb_NO.json @@ -3,32 +3,26 @@ "This phone number is already in use": "Dette mobilnummeret er allerede i bruk", "Failed to verify email address: make sure you clicked the link in the email": "Klarte ikke verifisere e-postadressen: dobbelsjekk at du trykket på lenken i e-posten", "Sunday": "Søndag", - "Messages sent by bot": "Meldinger sendt av bot", "Notification targets": "Mål for varsel", "Today": "I dag", "Friday": "Fredag", "Notifications": "Varsler", "On": "På", "Source URL": "Kilde URL", - "Messages in one-to-one chats": "Meldinger i en-til-en samtaler", "Favourite": "Favoritt", "Failed to add tag %(tagName)s to room": "Kunne ikke legge til tagg %(tagName)s til rom", "Noisy": "Bråkete", - "When I'm invited to a room": "Når jeg blir invitert til et rom", "Tuesday": "Tirsdag", "Unnamed room": "Rom uten navn", "Monday": "Mandag", "Failed to forget room %(errCode)s": "Kunne ikke glemme rommet %(errCode)s", "Wednesday": "Onsdag", "unknown error code": "ukjent feilkode", - "Call invitation": "Anropsinvitasjon", - "Messages containing my display name": "Meldinger som inneholder mitt visningsnavn", "powered by Matrix": "Drevet av Matrix", "Invite to this room": "Inviter til dette rommet", "You cannot delete this message. (%(code)s)": "Du kan ikke slette denne meldingen. (%(code)s)", "Thursday": "Torsdag", "All messages": "Alle meldinger", - "Messages in group chats": "Meldinger i gruppesamtaler", "Yesterday": "I går", "Low Priority": "Lav Prioritet", "Off": "Av", @@ -68,7 +62,6 @@ "%(weekDayName)s, %(monthName)s %(day)s %(time)s": "%(weekDayName)s %(day)s. %(monthName)s kl. %(time)s", "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s %(day)s. %(monthName)s %(fullYear)s", "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s": "%(weekDayName)s %(day)s. %(monthName)s %(fullYear)s kl. %(time)s", - "Unnamed Room": "Navnløst rom", "Unable to load! Check your network connectivity and try again.": "Klarte ikke laste! Sjekk nettverstilkoblingen din og prøv igjen.", "%(brand)s does not have permission to send you notifications - please check your browser settings": "%(brand)s har ikke tillatelse til å sende deg varsler - vennligst sjekk nettleserinnstillingene", "%(brand)s was not given permission to send notifications - please try again": "%(brand)s fikk ikke tillatelse til å sende deg varsler - vennligst prøv igjen", @@ -134,7 +127,6 @@ "Reason": "Årsak", "Add Email Address": "Legg til E-postadresse", "Add Phone Number": "Legg til telefonnummer", - "%(senderDisplayName)s sent an image.": "%(senderDisplayName)s sendte et bilde.", "%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": "%(senderName)s sendte en invitasjon til %(targetDisplayName)s om å bli med i rommet.", "%(displayName)s is typing …": "%(displayName)s skriver …", "%(names)s and %(count)s others are typing …": { @@ -267,11 +259,6 @@ "Match system theme": "Bind fast til systemtemaet", "Send analytics data": "Send analytiske data", "Show hidden events in timeline": "Vis skjulte hendelser i tidslinjen", - "Messages containing my username": "Meldinger som nevner brukernavnet mitt", - "Messages containing @room": "Medlinger som inneholder @room", - "Encrypted messages in one-to-one chats": "Krypterte meldinger i samtaler under fire øyne", - "Encrypted messages in group chats": "Krypterte meldinger i gruppesamtaler", - "When rooms are upgraded": "Når rom blir oppgradert", "My Ban List": "Min bannlysningsliste", "Verified!": "Verifisert!", "Got It": "Skjønner", @@ -461,8 +448,6 @@ "Indexed rooms:": "Indekserte rom:", "Verify this session": "Verifiser denne økten", "Create Account": "Opprett konto", - "%(senderDisplayName)s changed the room name from %(oldRoomName)s to %(newRoomName)s.": "%(senderDisplayName)s endret rommets navn fra %(oldRoomName)s til %(newRoomName)s.", - "%(senderDisplayName)s changed the room name to %(roomName)s.": "%(senderDisplayName)s endret rommets navn til %(roomName)s.", "Not Trusted": "Ikke betrodd", "%(items)s and %(count)s others": { "other": "%(items)s og %(count)s andre", @@ -568,8 +553,6 @@ }, "Logs sent": "Loggbøkene ble sendt", "Please enter a name for the room": "Vennligst skriv inn et navn for rommet", - "Create a public room": "Opprett et offentlig rom", - "Create a private room": "Opprett et privat rom", "Topic (optional)": "Tema (valgfritt)", "Hide advanced": "Skjul avansert", "Show advanced": "Vis avansert", @@ -670,13 +653,6 @@ "Could not find user in room": "Klarte ikke å finne brukeren i rommet", "Session already verified!": "Økten er allerede verifisert!", "Displays information about a user": "Viser informasjon om en bruker", - "%(senderDisplayName)s changed the topic to \"%(topic)s\".": "%(senderDisplayName)s endret temaet til «%(topic)s».", - "%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s fjernet rommets navn.", - "%(senderDisplayName)s upgraded this room.": "%(senderDisplayName)s oppgraderte dette rommet.", - "%(senderDisplayName)s made the room public to whoever knows the link.": "%(senderDisplayName)s gjorde rommet offentlig for alle som kjenner til denne lenken.", - "%(senderDisplayName)s has allowed guests to join the room.": "%(senderDisplayName)s har tillatt gjester å bli med i rommet.", - "%(senderDisplayName)s has prevented guests from joining the room.": "%(senderDisplayName)s har hindret gjester fra å bli med i rommet.", - "%(senderName)s removed the main address for this room.": "%(senderName)s fjernet hovedadressen til dette rommet.", "%(senderName)s changed the addresses for this room.": "%(senderName)s endret adressene til dette rommet.", "%(userId)s from %(fromPowerLevel)s to %(toPowerLevel)s": "%(userId)s gikk fra %(fromPowerLevel)s til %(toPowerLevel)s", "%(widgetName)s widget modified by %(senderName)s": "%(widgetName)s-modulen ble endret på av %(senderName)s", @@ -1341,31 +1317,7 @@ "Stop the camera": "Stopp kameraet", "Start the camera": "Start kameraet", "Connecting": "Kobler til", - "Plain Text": "Ren tekst", - "JSON": "JSON", - "HTML": "HTML", "Change the name of this room": "Endre rommets navn", - "%(senderDisplayName)s changed guest access to %(rule)s": "%(senderDisplayName)s endret gjestetilgangen til %(rule)s", - "%(senderDisplayName)s made the room invite only.": "%(senderDisplayName)s merket rommet som kun for inviterte.", - "%(senderDisplayName)s changed the room avatar.": "%(senderDisplayName)s endret rommets avatar.", - "%(senderName)s withdrew %(targetName)s's invitation: %(reason)s": "%(senderName)s trakk tilbake invitasjonen til %(targetName)s: %(reason)s", - "%(senderName)s unbanned %(targetName)s": "%(senderName)s opphevde bannlysningen av %(targetName)s", - "%(targetName)s left the room": "%(targetName)s forlot rommet", - "%(targetName)s left the room: %(reason)s": "%(targetName)s forlot rommet: %(reason)s", - "%(targetName)s rejected the invitation": "%(targetName)s avslo invitasjonen", - "%(targetName)s joined the room": "%(targetName)s ble med i rommet", - "%(senderName)s made no change": "%(senderName)s gjorde ingen endringer", - "%(senderName)s set a profile picture": "%(senderName)s valgte seg et profilbilde", - "%(senderName)s changed their profile picture": "%(senderName)s endret profilbildet sitt", - "%(senderName)s removed their profile picture": "%(senderName)s fjernet profilbildet sitt", - "%(senderName)s removed their display name (%(oldDisplayName)s)": "%(senderName)s fjernet visningsnavnet sitt (%(oldDisplayName)s)", - "%(senderName)s set their display name to %(displayName)s": "%(senderName)s satte visningsnavnet sitt til %(displayName)s", - "%(oldDisplayName)s changed their display name to %(displayName)s": "%(oldDisplayName)s endret visningsnavnet sitt til %(displayName)s", - "%(senderName)s banned %(targetName)s": "%(senderName)s bannlyste %(targetName)s", - "%(senderName)s banned %(targetName)s: %(reason)s": "%(senderName)s bannlyste %(targetName)s: %(reason)s", - "%(senderName)s invited %(targetName)s": "%(senderName)s inviterte %(targetName)s", - "%(targetName)s accepted an invitation": "%(targetName)s aksepterte en invitasjon", - "%(targetName)s accepted the invitation for %(displayName)s": "%(targetName)s aksepterte invitasjonen til %(displayName)s", "St. Pierre & Miquelon": "Saint-Pierre og Miquelon", "St. Martin": "Saint Martin", "St. Barthélemy": "Saint Barthélemy", @@ -1437,7 +1389,8 @@ "encrypted": "Kryptert", "matrix": "Matrix", "trusted": "Betrodd", - "not_trusted": "Ikke betrodd" + "not_trusted": "Ikke betrodd", + "unnamed_room": "Navnløst rom" }, "action": { "continue": "Fortsett", @@ -1600,7 +1553,20 @@ "show_displayname_changes": "Vis visningsnavnendringer", "big_emoji": "Skru på store emojier i chatrom", "prompt_invite": "Si ifra før det sendes invitasjoner til potensielt ugyldige Matrix-ID-er", - "warn_quit": "Advar før avslutning" + "warn_quit": "Advar før avslutning", + "notifications": { + "rule_contains_display_name": "Meldinger som inneholder mitt visningsnavn", + "rule_contains_user_name": "Meldinger som nevner brukernavnet mitt", + "rule_roomnotif": "Medlinger som inneholder @room", + "rule_room_one_to_one": "Meldinger i en-til-en samtaler", + "rule_message": "Meldinger i gruppesamtaler", + "rule_encrypted": "Krypterte meldinger i gruppesamtaler", + "rule_invite_for_me": "Når jeg blir invitert til et rom", + "rule_call": "Anropsinvitasjon", + "rule_suppress_notices": "Meldinger sendt av bot", + "rule_tombstone": "Når rom blir oppgradert", + "rule_encrypted_room_one_to_one": "Krypterte meldinger i samtaler under fire øyne" + } }, "devtools": { "event_type": "Hendelsestype", @@ -1613,5 +1579,57 @@ "active_widgets": "Aktive moduler", "toolbox": "Verktøykasse", "developer_tools": "Utviklerverktøy" + }, + "export_chat": { + "html": "HTML", + "json": "JSON", + "text": "Ren tekst" + }, + "create_room": { + "title_public_room": "Opprett et offentlig rom", + "title_private_room": "Opprett et privat rom" + }, + "timeline": { + "m.room.member": { + "accepted_3pid_invite": "%(targetName)s aksepterte invitasjonen til %(displayName)s", + "accepted_invite": "%(targetName)s aksepterte en invitasjon", + "invite": "%(senderName)s inviterte %(targetName)s", + "ban_reason": "%(senderName)s bannlyste %(targetName)s: %(reason)s", + "ban": "%(senderName)s bannlyste %(targetName)s", + "change_name": "%(oldDisplayName)s endret visningsnavnet sitt til %(displayName)s", + "set_name": "%(senderName)s satte visningsnavnet sitt til %(displayName)s", + "remove_name": "%(senderName)s fjernet visningsnavnet sitt (%(oldDisplayName)s)", + "remove_avatar": "%(senderName)s fjernet profilbildet sitt", + "change_avatar": "%(senderName)s endret profilbildet sitt", + "set_avatar": "%(senderName)s valgte seg et profilbilde", + "no_change": "%(senderName)s gjorde ingen endringer", + "join": "%(targetName)s ble med i rommet", + "reject_invite": "%(targetName)s avslo invitasjonen", + "left_reason": "%(targetName)s forlot rommet: %(reason)s", + "left": "%(targetName)s forlot rommet", + "unban": "%(senderName)s opphevde bannlysningen av %(targetName)s", + "withdrew_invite_reason": "%(senderName)s trakk tilbake invitasjonen til %(targetName)s: %(reason)s" + }, + "m.room.topic": "%(senderDisplayName)s endret temaet til «%(topic)s».", + "m.room.avatar": "%(senderDisplayName)s endret rommets avatar.", + "m.room.name": { + "remove": "%(senderDisplayName)s fjernet rommets navn.", + "change": "%(senderDisplayName)s endret rommets navn fra %(oldRoomName)s til %(newRoomName)s.", + "set": "%(senderDisplayName)s endret rommets navn til %(roomName)s." + }, + "m.room.tombstone": "%(senderDisplayName)s oppgraderte dette rommet.", + "m.room.join_rules": { + "public": "%(senderDisplayName)s gjorde rommet offentlig for alle som kjenner til denne lenken.", + "invite": "%(senderDisplayName)s merket rommet som kun for inviterte." + }, + "m.room.guest_access": { + "can_join": "%(senderDisplayName)s har tillatt gjester å bli med i rommet.", + "forbidden": "%(senderDisplayName)s har hindret gjester fra å bli med i rommet.", + "unknown": "%(senderDisplayName)s endret gjestetilgangen til %(rule)s" + }, + "m.image": "%(senderDisplayName)s sendte et bilde.", + "m.room.canonical_alias": { + "removed": "%(senderName)s fjernet hovedadressen til dette rommet." + } } } diff --git a/src/i18n/strings/nl.json b/src/i18n/strings/nl.json index 653ba43804a..a73ee90263a 100644 --- a/src/i18n/strings/nl.json +++ b/src/i18n/strings/nl.json @@ -17,8 +17,6 @@ "Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or enable unsafe scripts.": "Kan geen verbinding maken met de homeserver via HTTP wanneer er een HTTPS-URL in je browserbalk staat. Gebruik HTTPS of schakel onveilige scripts in.", "Change Password": "Wachtwoord wijzigen", "%(senderName)s changed the power level of %(powerLevelDiffText)s.": "%(senderName)s heeft het machtsniveau van %(powerLevelDiffText)s gewijzigd.", - "%(senderDisplayName)s changed the room name to %(roomName)s.": "%(senderDisplayName)s heeft de kamernaam gewijzigd naar %(roomName)s.", - "%(senderDisplayName)s changed the topic to \"%(topic)s\".": "%(senderDisplayName)s heeft het onderwerp gewijzigd naar ‘%(topic)s’.", "Changes your display nickname": "Verandert je weergavenaam", "Command error": "Opdrachtfout", "Commands": "Opdrachten", @@ -78,7 +76,6 @@ "Can't connect to homeserver - please check your connectivity, ensure your homeserver's SSL certificate is trusted, and that a browser extension is not blocking requests.": "Geen verbinding met de homeserver - controleer je verbinding, zorg ervoor dat het SSL-certificaat van de homeserver vertrouwd is en dat er geen browserextensies verzoeken blokkeren.", "Cryptography": "Cryptografie", "Current password": "Huidig wachtwoord", - "%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s heeft de kamernaam verwijderd.", "Deactivate Account": "Account Sluiten", "Decrypt %(text)s": "%(text)s ontsleutelen", "Download %(text)s": "%(text)s downloaden", @@ -140,7 +137,6 @@ "%(roomName)s is not accessible at this time.": "%(roomName)s is op dit moment niet toegankelijk.", "Rooms": "Kamers", "Search failed": "Zoeken mislukt", - "%(senderDisplayName)s sent an image.": "%(senderDisplayName)s heeft een afbeelding gestuurd.", "%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": "%(senderName)s heeft %(targetDisplayName)s in deze kamer uitgenodigd.", "Server error": "Serverfout", "Server may be unavailable, overloaded, or search timed out :(": "De server is misschien onbereikbaar of overbelast, of het zoeken duurde te lang :(", @@ -163,7 +159,6 @@ "Unable to verify email address.": "Kan e-mailadres niet verifiëren.", "Unban": "Ontbannen", "Unable to enable Notifications": "Kan meldingen niet inschakelen", - "Unnamed Room": "Naamloze Kamer", "Uploading %(filename)s": "%(filename)s wordt geüpload", "Uploading %(filename)s and %(count)s others": { "one": "%(filename)s en %(count)s ander worden geüpload", @@ -398,11 +393,8 @@ "Changelog": "Wijzigingslogboek", "Waiting for response from server": "Wachten op antwoord van de server", "This Room": "Deze kamer", - "Messages containing my display name": "Berichten die mijn weergavenaam bevatten", - "Messages in one-to-one chats": "Berichten in één-op-één chats", "Unavailable": "Niet beschikbaar", "Source URL": "Bron-URL", - "Messages sent by bot": "Berichten verzonden door een bot", "Filter results": "Resultaten filteren", "No update available.": "Geen update beschikbaar.", "Noisy": "Luid", @@ -414,14 +406,11 @@ "Collecting logs": "Logs worden verzameld", "Invite to this room": "Uitnodigen voor deze kamer", "All messages": "Alle berichten", - "Call invitation": "Oproep-uitnodiging", "What's new?": "Wat is er nieuw?", - "When I'm invited to a room": "Wanneer ik uitgenodigd word in een kamer", "All Rooms": "Alle kamers", "You cannot delete this message. (%(code)s)": "Je kan dit bericht niet verwijderen. (%(code)s)", "Thursday": "Donderdag", "Show message in desktop notification": "Bericht in bureaubladmelding tonen", - "Messages in group chats": "Berichten in groepsgesprekken", "Yesterday": "Gisteren", "Error encountered (%(errorDetail)s).": "Er is een fout opgetreden (%(errorDetail)s).", "Low Priority": "Lage prioriteit", @@ -476,15 +465,6 @@ "Gets or sets the room topic": "Verkrijgt het onderwerp van de kamer of stelt het in", "This room has no topic.": "Deze kamer heeft geen onderwerp.", "Sets the room name": "Stelt de kamernaam in", - "%(senderDisplayName)s upgraded this room.": "%(senderDisplayName)s heeft deze kamer geüpgraded.", - "%(senderDisplayName)s made the room public to whoever knows the link.": "%(senderDisplayName)s heeft de kamer toegankelijk gemaakt voor iedereen die het adres weet.", - "%(senderDisplayName)s made the room invite only.": "%(senderDisplayName)s heeft de kamer enkel op uitnodiging toegankelijk gemaakt.", - "%(senderDisplayName)s changed the join rule to %(rule)s": "%(senderDisplayName)s heeft de toegangsregel veranderd naar ‘%(rule)s’", - "%(senderDisplayName)s has allowed guests to join the room.": "%(senderDisplayName)s heeft gasten toegestaan de kamer te betreden.", - "%(senderDisplayName)s has prevented guests from joining the room.": "%(senderDisplayName)s heeft gasten de toegang tot de kamer ontzegd.", - "%(senderDisplayName)s changed guest access to %(rule)s": "%(senderDisplayName)s heeft de toegangsregel voor gasten op ‘%(rule)s’ ingesteld", - "%(senderName)s set the main address for this room to %(address)s.": "%(senderName)s heeft %(address)s als hoofdadres voor deze kamer ingesteld.", - "%(senderName)s removed the main address for this room.": "%(senderName)s heeft het hoofdadres voor deze kamer verwijderd.", "%(displayName)s is typing …": "%(displayName)s is aan het typen…", "%(names)s and %(count)s others are typing …": { "other": "%(names)s en %(count)s anderen zijn aan het typen…", @@ -523,10 +503,6 @@ "Straight rows of keys are easy to guess": "Zo’n aaneengesloten rijtje toetsen is eenvoudig te raden", "Short keyboard patterns are easy to guess": "Korte patronen op het toetsenbord worden gemakkelijk geraden", "Please contact your homeserver administrator.": "Gelieve contact op te nemen met de beheerder van jouw homeserver.", - "Messages containing my username": "Berichten die mijn inlognaam bevatten", - "Messages containing @room": "Berichten die ‘@room’ bevatten", - "Encrypted messages in one-to-one chats": "Versleutelde berichten in één-op-één chats", - "Encrypted messages in group chats": "Versleutelde berichten in groepsgesprekken", "The other party cancelled the verification.": "De tegenpartij heeft de verificatie geannuleerd.", "Verified!": "Geverifieerd!", "You've successfully verified this user.": "Je hebt deze persoon geverifieerd.", @@ -781,7 +757,6 @@ "Unexpected error resolving homeserver configuration": "Onverwachte fout bij het controleren van de homeserver-configuratie", "The user's homeserver does not support the version of the room.": "De homeserver van de persoon biedt geen ondersteuning voor deze kamerversie.", "Show hidden events in timeline": "Verborgen gebeurtenissen op de tijdslijn weergeven", - "When rooms are upgraded": "Wanneer kamers geüpgraded worden", "View older messages in %(roomName)s.": "Bekijk oudere berichten in %(roomName)s.", "Join the conversation with an account": "Neem deel aan de kamer met een account", "Sign Up": "Registreren", @@ -965,8 +940,6 @@ "e.g. my-room": "bv. mijn-kamer", "Close dialog": "Dialoog sluiten", "Please enter a name for the room": "Geef een naam voor de kamer op", - "Create a public room": "Maak een publieke kamer aan", - "Create a private room": "Maak een privékamer aan", "Topic (optional)": "Onderwerp (optioneel)", "Hide advanced": "Geavanceerde info verbergen", "Show advanced": "Geavanceerde info tonen", @@ -993,10 +966,6 @@ "Session already verified!": "Sessie al geverifieerd!", "WARNING: KEY VERIFICATION FAILED! The signing key for %(userId)s and session %(deviceId)s is \"%(fprint)s\" which does not match the provided key \"%(fingerprint)s\". This could mean your communications are being intercepted!": "PAS OP: sleutelverificatie MISLUKT! De combinatie %(userId)s + sessie %(deviceId)s is ondertekend met ‘%(fprint)s’ - maar de opgegeven sleutel is ‘%(fingerprint)s’. Wellicht worden jouw berichten onderschept!", "The signing key you provided matches the signing key you received from %(userId)s's session %(deviceId)s. Session marked as verified.": "De door jou verschafte sleutel en de van %(userId)ss sessie %(deviceId)s verkregen sleutels komen overeen. De sessie is daarmee geverifieerd.", - "%(senderName)s placed a voice call.": "%(senderName)s probeert je te bellen.", - "%(senderName)s placed a voice call. (not supported by this browser)": "%(senderName)s poogt je te bellen, maar jouw browser ondersteunt dat niet", - "%(senderName)s placed a video call.": "%(senderName)s doet een video-oproep.", - "%(senderName)s placed a video call. (not supported by this browser)": "%(senderName)s doet een video-oproep, maar jouw browser ondersteunt dat niet", "%(senderName)s removed the rule banning users matching %(glob)s": "%(senderName)s heeft de banregel voor personen die met %(glob)s stroken verwijderd", "%(senderName)s removed the rule banning rooms matching %(glob)s": "%(senderName)s heeft de banregel voor kamers met %(glob)s verwijderd", "%(senderName)s removed the rule banning servers matching %(glob)s": "%(senderName)s heeft de banregel voor servers die met %(glob)s stroken verwijderd", @@ -1259,7 +1228,6 @@ "Could not find user in room": "Kan die persoon in de kamer niet vinden", "Please supply a widget URL or embed code": "Gelieve een widgetURL of in te bedden code te geven", "Send a bug report with logs": "Stuur een bugrapport met logs", - "%(senderDisplayName)s changed the room name from %(oldRoomName)s to %(newRoomName)s.": "%(senderDisplayName)s heeft de kamer %(oldRoomName)s hernoemd tot %(newRoomName)s.", "%(senderName)s added the alternative addresses %(addresses)s for this room.": { "other": "%(senderName)s heeft dit kamer de nevenadressen %(addresses)s toegekend.", "one": "%(senderName)s heeft deze kamer het nevenadres %(addresses)s toegekend." @@ -1764,9 +1732,6 @@ "Send stickers into this room": "Stuur stickers in deze kamer", "Remain on your screen while running": "Blijft op jouw scherm terwijl het beschikbaar is", "Remain on your screen when viewing another room, when running": "Blijft op jouw scherm wanneer je een andere kamer bekijkt, zolang het bezig is", - "🎉 All servers are banned from participating! This room can no longer be used.": "🎉 Alle servers zijn verbannen van deelname! Deze kamer kan niet langer gebruikt worden.", - "%(senderDisplayName)s changed the server ACLs for this room.": "%(senderDisplayName)s veranderde de server ACL's voor deze kamer.", - "%(senderDisplayName)s set the server ACLs for this room.": "%(senderDisplayName)s stelde de server ACL's voor deze kamer in.", "Converts the room to a DM": "Verandert deze kamer in een directe chat", "Converts the DM to a room": "Verandert deze directe chat in een kamer", "Takes the call in the current room off hold": "De huidige oproep in huidige kamer in de wacht zetten", @@ -2015,7 +1980,6 @@ "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.", - "Unnamed Space": "Naamloze Space", "Invite to %(spaceName)s": "Voor %(spaceName)s uitnodigen", "Create a new room": "Nieuwe kamer aanmaken", "Spaces": "Spaces", @@ -2214,25 +2178,6 @@ "Silence call": "Oproep dempen", "Sound on": "Geluid aan", "%(senderName)s changed the pinned messages for the room.": "%(senderName)s heeft de vastgeprikte berichten voor de kamer gewijzigd.", - "%(senderName)s withdrew %(targetName)s's invitation": "%(senderName)s heeft de uitnodiging van %(targetName)s ingetrokken", - "%(senderName)s withdrew %(targetName)s's invitation: %(reason)s": "%(senderName)s heeft de uitnodiging van %(targetName)s ingetrokken: %(reason)s", - "%(senderName)s unbanned %(targetName)s": "%(senderName)s heeft %(targetName)s ontbannen", - "%(targetName)s left the room": "%(targetName)s heeft de kamer verlaten", - "%(targetName)s left the room: %(reason)s": "%(targetName)s heeft de kamer verlaten: %(reason)s", - "%(targetName)s rejected the invitation": "%(targetName)s heeft de uitnodiging geweigerd", - "%(targetName)s joined the room": "%(targetName)s is tot de kamer toegetreden", - "%(senderName)s made no change": "%(senderName)s maakte geen wijziging", - "%(senderName)s set a profile picture": "%(senderName)s profielfoto is ingesteld", - "%(senderName)s changed their profile picture": "%(senderName)s profielfoto is gewijzigd", - "%(senderName)s removed their profile picture": "%(senderName)s profielfoto is verwijderd", - "%(senderName)s removed their display name (%(oldDisplayName)s)": "%(senderName)s weergavenaam (%(oldDisplayName)s) is verwijderd", - "%(senderName)s set their display name to %(displayName)s": "%(senderName)s heeft de weergavenaam %(displayName)s aangenomen", - "%(oldDisplayName)s changed their display name to %(displayName)s": "%(oldDisplayName)s heeft %(displayName)s als weergavenaam aangenomen", - "%(senderName)s banned %(targetName)s": "%(senderName)s verbande %(targetName)s", - "%(senderName)s banned %(targetName)s: %(reason)s": "%(senderName)s verbande %(targetName)s: %(reason)s", - "%(senderName)s invited %(targetName)s": "%(senderName)s nodigde %(targetName)s uit", - "%(targetName)s accepted an invitation": "%(targetName)s accepteerde de uitnodiging", - "%(targetName)s accepted the invitation for %(displayName)s": "%(targetName)s accepteerde de uitnodiging voor %(displayName)s", "Some invites couldn't be sent": "Sommige uitnodigingen konden niet verstuurd worden", "We sent the others, but the below people couldn't be invited to ": "De anderen zijn verstuurd, maar de volgende personen konden niet worden uitgenodigd voor ", "Unnamed audio": "Naamloze audio", @@ -2400,8 +2345,6 @@ "Leave some rooms": "Sommige kamers verlaten", "Leave all rooms": "Alle kamers verlaten", "Don't leave any rooms": "Geen kamers verlaten", - "%(senderDisplayName)s sent a sticker.": "%(senderDisplayName)s Verstuurde een sticker.", - "%(senderDisplayName)s changed the room avatar.": "%(senderDisplayName)s veranderde de kamerafbeelding.", "Include Attachments": "Bijlages toevoegen", "Size Limit": "Bestandsgrootte", "Format": "Formaat", @@ -2419,20 +2362,6 @@ "Enter a number between %(min)s and %(max)s": "Voer een nummer tussen %(min)s en %(max)s in", "In reply to this message": "In antwoord op dit bericht", "Export chat": "Chat exporteren", - "File Attached": "Bijgevoegd bestand", - "Error fetching file": "Fout bij bestand opvragen", - "Topic: %(topic)s": "Onderwerp: %(topic)s", - "This is the start of export of . Exported by at %(exportDate)s.": "Dit is de start van de export van . Geëxporteerd door op %(exportDate)s.", - "%(creatorName)s created this room.": "%(creatorName)s heeft deze kamer gemaakt.", - "Media omitted - file size limit exceeded": "Media weggelaten - limiet bestandsgrootte overschreden", - "Media omitted": "Media weglaten", - "Current Timeline": "Huidige tijdlijn", - "Specify a number of messages": "Kies het aantal berichten", - "From the beginning": "Van het begin", - "Plain Text": "Platte tekst", - "JSON": "JSON", - "HTML": "HTML", - "Are you sure you want to exit during this export?": "Weet je zeker dat je wilt afsluiten tijdens een export?", "See room timeline (devtools)": "Kamer tijdlijn bekijken (dev tools)", "View in room": "In kamer bekijken", "Enter your Security Phrase or to continue.": "Voer uw veiligheidswachtwoord in of om door te gaan.", @@ -2478,8 +2407,6 @@ "What projects are your team working on?": "Aan welke projecten werkt jouw team?", "Joined": "Toegetreden", "Insert link": "Koppeling invoegen", - "%(senderDisplayName)s changed who can join this room.": "%(senderDisplayName)s veranderde wie lid kan worden van deze kamer.", - "%(senderDisplayName)s changed who can join this room. View settings.": "%(senderDisplayName)s veranderde wie lid kan worden van deze kamer. Bekijk instellingen.", "Joining": "Toetreden", "Use high contrast": "Hoog contrast inschakelen", "Light high contrast": "Lichte hoog contrast", @@ -2635,25 +2562,6 @@ "Link to room": "Link naar kamer", "Including you, %(commaSeparatedMembers)s": "Inclusief jij, %(commaSeparatedMembers)s", "Copy room link": "Kamerlink kopiëren", - "Exported %(count)s events in %(seconds)s seconds": { - "one": "%(count)s gebeurtenis geëxporteerd in %(seconds)s seconden", - "other": "%(count)s gebeurtenissen geëxporteerd in %(seconds)s seconden" - }, - "Export successful!": "Export gelukt!", - "Fetched %(count)s events in %(seconds)ss": { - "one": "%(count)s gebeurtenis opgehaald in %(seconds)s", - "other": "%(count)s gebeurtenissen opgehaald in %(seconds)s" - }, - "Processing event %(number)s out of %(total)s": "%(number)s gebeurtenis verwerkt van de %(total)s", - "Fetched %(count)s events so far": { - "one": "%(count)s gebeurtenis opgehaald zover", - "other": "%(count)s gebeurtenissen opgehaald zover" - }, - "Fetched %(count)s events out of %(total)s": { - "one": "%(count)s gebeurtenis opgehaald van de %(total)s", - "other": "%(count)s gebeurtenissen opgehaald van de %(total)s" - }, - "Generating a ZIP": "Genereer een ZIP", "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", @@ -2724,8 +2632,6 @@ "%(senderName)s has ended a poll": "%(senderName)s heeft een poll beëindigd", "%(senderName)s has started a poll - %(pollQuestion)s": "%(senderName)s is een poll gestart - %(pollQuestion)s", "%(senderName)s has shared their location": "%(senderName)s heeft zijn locatie gedeeld", - "%(senderName)s removed %(targetName)s": "%(senderName)s verwijderd %(targetName)s", - "%(senderName)s removed %(targetName)s: %(reason)s": "%(senderName)s verwijderd %(targetName)s: %(reason)s", "Removes user with given id from this room": "Verwijder persoon met opgegeven ID uit deze kamer", "Previous autocomplete suggestion": "Vorige suggestie voor automatisch aanvullen", "Next autocomplete suggestion": "Volgende suggestie voor automatisch aanvullen", @@ -2799,9 +2705,6 @@ "Search Dialog": "Dialoogvenster Zoeken", "Join %(roomAddress)s": "%(roomAddress)s toetreden", "Export Cancelled": "Export geannuleerd", - "Create room": "Ruimte aanmaken", - "Create video room": "Videokamer maken", - "Create a video room": "Creëer een videokamer", "Uncheck if you also want to remove system messages on this user (e.g. membership change, profile change…)": "Schakel het vinkje uit als je ook systeemberichten van deze persoon wil verwijderen (bijv. lidmaatschapswijziging, profielwijziging...)", "Preserve system messages": "Systeemberichten behouden", "You are about to remove %(count)s messages by %(user)s. This will remove them permanently for everyone in the conversation. Do you wish to continue?": { @@ -3205,8 +3108,6 @@ "You don't have the required permissions to start a voice broadcast in this room. Contact a room administrator to upgrade your permissions.": "U heeft niet de vereiste rechten om een spraakuitzending in deze kamer te starten. Neem contact op met een kamer beheerder om uw machtiging aan te passen.", "You are already recording a voice broadcast. Please end your current voice broadcast to start a new one.": "U neemt al een spraakuitzending op. Beëindig uw huidige spraakuitzending om een nieuwe te starten.", "Can't start a new voice broadcast": "Kan geen nieuwe spraakuitzending starten", - "Video call started in %(roomName)s. (not supported by this browser)": "Videogesprek gestart in %(roomName)s. (niet ondersteund door deze browser)", - "Video call started in %(roomName)s.": "Videogesprek gestart in %(roomName)s.", "You need to be able to kick users to do that.": "U moet in staat zijn om gebruikers te verwijderen om dit te doen.", "common": { "about": "Over", @@ -3286,7 +3187,9 @@ "not_trusted": "Niet vertrouwd", "accessibility": "Toegankelijkheid", "server": "Server", - "capabilities": "Mogelijkheden" + "capabilities": "Mogelijkheden", + "unnamed_room": "Naamloze Kamer", + "unnamed_space": "Naamloze Space" }, "action": { "continue": "Doorgaan", @@ -3546,7 +3449,20 @@ "prompt_invite": "Uitnodigingen naar mogelijk ongeldige Matrix-ID’s bevestigen", "hardware_acceleration": "Schakel hardwareversnelling in (start %(appName)s opnieuw op)", "start_automatically": "Automatisch starten na systeemlogin", - "warn_quit": "Waarschuwen voordat je afsluit" + "warn_quit": "Waarschuwen voordat je afsluit", + "notifications": { + "rule_contains_display_name": "Berichten die mijn weergavenaam bevatten", + "rule_contains_user_name": "Berichten die mijn inlognaam bevatten", + "rule_roomnotif": "Berichten die ‘@room’ bevatten", + "rule_room_one_to_one": "Berichten in één-op-één chats", + "rule_message": "Berichten in groepsgesprekken", + "rule_encrypted": "Versleutelde berichten in groepsgesprekken", + "rule_invite_for_me": "Wanneer ik uitgenodigd word in een kamer", + "rule_call": "Oproep-uitnodiging", + "rule_suppress_notices": "Berichten verzonden door een bot", + "rule_tombstone": "Wanneer kamers geüpgraded worden", + "rule_encrypted_room_one_to_one": "Versleutelde berichten in één-op-één chats" + } }, "devtools": { "send_custom_account_data_event": "Aangepaste accountgegevens gebeurtenis versturen", @@ -3612,5 +3528,113 @@ "developer_tools": "Ontwikkelgereedschap", "room_id": "Kamer ID: %(roomId)s", "event_id": "Gebeurtenis ID: %(eventId)s" + }, + "export_chat": { + "html": "HTML", + "json": "JSON", + "text": "Platte tekst", + "from_the_beginning": "Van het begin", + "number_of_messages": "Kies het aantal berichten", + "current_timeline": "Huidige tijdlijn", + "export_successful": "Export gelukt!", + "unload_confirm": "Weet je zeker dat je wilt afsluiten tijdens een export?", + "generating_zip": "Genereer een ZIP", + "processing_event_n": "%(number)s gebeurtenis verwerkt van de %(total)s", + "fetched_n_events_with_total": { + "one": "%(count)s gebeurtenis opgehaald van de %(total)s", + "other": "%(count)s gebeurtenissen opgehaald van de %(total)s" + }, + "fetched_n_events": { + "one": "%(count)s gebeurtenis opgehaald zover", + "other": "%(count)s gebeurtenissen opgehaald zover" + }, + "fetched_n_events_in_time": { + "one": "%(count)s gebeurtenis opgehaald in %(seconds)s", + "other": "%(count)s gebeurtenissen opgehaald in %(seconds)s" + }, + "exported_n_events_in_time": { + "one": "%(count)s gebeurtenis geëxporteerd in %(seconds)s seconden", + "other": "%(count)s gebeurtenissen geëxporteerd in %(seconds)s seconden" + }, + "media_omitted": "Media weglaten", + "media_omitted_file_size": "Media weggelaten - limiet bestandsgrootte overschreden", + "creator_summary": "%(creatorName)s heeft deze kamer gemaakt.", + "export_info": "Dit is de start van de export van . Geëxporteerd door op %(exportDate)s.", + "topic": "Onderwerp: %(topic)s", + "error_fetching_file": "Fout bij bestand opvragen", + "file_attached": "Bijgevoegd bestand" + }, + "create_room": { + "title_video_room": "Creëer een videokamer", + "title_public_room": "Maak een publieke kamer aan", + "title_private_room": "Maak een privékamer aan", + "action_create_video_room": "Videokamer maken", + "action_create_room": "Ruimte aanmaken" + }, + "timeline": { + "m.call": { + "video_call_started": "Videogesprek gestart in %(roomName)s.", + "video_call_started_unsupported": "Videogesprek gestart in %(roomName)s. (niet ondersteund door deze browser)" + }, + "m.call.invite": { + "voice_call": "%(senderName)s probeert je te bellen.", + "voice_call_unsupported": "%(senderName)s poogt je te bellen, maar jouw browser ondersteunt dat niet", + "video_call": "%(senderName)s doet een video-oproep.", + "video_call_unsupported": "%(senderName)s doet een video-oproep, maar jouw browser ondersteunt dat niet" + }, + "m.room.member": { + "accepted_3pid_invite": "%(targetName)s accepteerde de uitnodiging voor %(displayName)s", + "accepted_invite": "%(targetName)s accepteerde de uitnodiging", + "invite": "%(senderName)s nodigde %(targetName)s uit", + "ban_reason": "%(senderName)s verbande %(targetName)s: %(reason)s", + "ban": "%(senderName)s verbande %(targetName)s", + "change_name": "%(oldDisplayName)s heeft %(displayName)s als weergavenaam aangenomen", + "set_name": "%(senderName)s heeft de weergavenaam %(displayName)s aangenomen", + "remove_name": "%(senderName)s weergavenaam (%(oldDisplayName)s) is verwijderd", + "remove_avatar": "%(senderName)s profielfoto is verwijderd", + "change_avatar": "%(senderName)s profielfoto is gewijzigd", + "set_avatar": "%(senderName)s profielfoto is ingesteld", + "no_change": "%(senderName)s maakte geen wijziging", + "join": "%(targetName)s is tot de kamer toegetreden", + "reject_invite": "%(targetName)s heeft de uitnodiging geweigerd", + "left_reason": "%(targetName)s heeft de kamer verlaten: %(reason)s", + "left": "%(targetName)s heeft de kamer verlaten", + "unban": "%(senderName)s heeft %(targetName)s ontbannen", + "withdrew_invite_reason": "%(senderName)s heeft de uitnodiging van %(targetName)s ingetrokken: %(reason)s", + "withdrew_invite": "%(senderName)s heeft de uitnodiging van %(targetName)s ingetrokken", + "kick_reason": "%(senderName)s verwijderd %(targetName)s: %(reason)s", + "kick": "%(senderName)s verwijderd %(targetName)s" + }, + "m.room.topic": "%(senderDisplayName)s heeft het onderwerp gewijzigd naar ‘%(topic)s’.", + "m.room.avatar": "%(senderDisplayName)s veranderde de kamerafbeelding.", + "m.room.name": { + "remove": "%(senderDisplayName)s heeft de kamernaam verwijderd.", + "change": "%(senderDisplayName)s heeft de kamer %(oldRoomName)s hernoemd tot %(newRoomName)s.", + "set": "%(senderDisplayName)s heeft de kamernaam gewijzigd naar %(roomName)s." + }, + "m.room.tombstone": "%(senderDisplayName)s heeft deze kamer geüpgraded.", + "m.room.join_rules": { + "public": "%(senderDisplayName)s heeft de kamer toegankelijk gemaakt voor iedereen die het adres weet.", + "invite": "%(senderDisplayName)s heeft de kamer enkel op uitnodiging toegankelijk gemaakt.", + "restricted_settings": "%(senderDisplayName)s veranderde wie lid kan worden van deze kamer. Bekijk instellingen.", + "restricted": "%(senderDisplayName)s veranderde wie lid kan worden van deze kamer.", + "unknown": "%(senderDisplayName)s heeft de toegangsregel veranderd naar ‘%(rule)s’" + }, + "m.room.guest_access": { + "can_join": "%(senderDisplayName)s heeft gasten toegestaan de kamer te betreden.", + "forbidden": "%(senderDisplayName)s heeft gasten de toegang tot de kamer ontzegd.", + "unknown": "%(senderDisplayName)s heeft de toegangsregel voor gasten op ‘%(rule)s’ ingesteld" + }, + "m.image": "%(senderDisplayName)s heeft een afbeelding gestuurd.", + "m.sticker": "%(senderDisplayName)s Verstuurde een sticker.", + "m.room.server_acl": { + "set": "%(senderDisplayName)s stelde de server ACL's voor deze kamer in.", + "changed": "%(senderDisplayName)s veranderde de server ACL's voor deze kamer.", + "all_servers_banned": "🎉 Alle servers zijn verbannen van deelname! Deze kamer kan niet langer gebruikt worden." + }, + "m.room.canonical_alias": { + "set": "%(senderName)s heeft %(address)s als hoofdadres voor deze kamer ingesteld.", + "removed": "%(senderName)s heeft het hoofdadres voor deze kamer verwijderd." + } } } diff --git a/src/i18n/strings/nn.json b/src/i18n/strings/nn.json index 19880d697e5..04cc008905d 100644 --- a/src/i18n/strings/nn.json +++ b/src/i18n/strings/nn.json @@ -70,10 +70,6 @@ "Verified key": "Godkjend nøkkel", "Displays action": "Visar handlingar", "Reason": "Grunnlag", - "%(senderDisplayName)s changed the topic to \"%(topic)s\".": "%(senderDisplayName)s gjorde emnet om til \"%(topic)s\".", - "%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s fjerna romnamnet.", - "%(senderDisplayName)s changed the room name to %(roomName)s.": "%(senderDisplayName)s gjorde romnamnet om til %(roomName)s.", - "%(senderDisplayName)s sent an image.": "%(senderDisplayName)s sende eit bilete.", "%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": "%(senderName)s inviterte %(targetDisplayName)s til å bli med i rommet.", "%(senderName)s made future room history visible to all room members, from the point they are invited.": "%(senderName)s gjorde slik at den framtidige romhistoria er tilgjengeleg for alle rommedlemmar frå då dei vart invitert.", "%(senderName)s made future room history visible to all room members, from the point they joined.": "%(senderName)s gjorde slik at framtidig romhistorie er tilgjengeleg for alle rommedlemmar frå då dei kom inn.", @@ -89,7 +85,6 @@ "Failure to create room": "Klarte ikkje å laga rommet", "Server may be unavailable, overloaded, or you hit a bug.": "Tenaren er kanskje utilgjengeleg, overlasta elles så traff du ein bug.", "Send": "Send", - "Unnamed Room": "Rom utan namn", "Your browser does not support the required cryptography extensions": "Nettlesaren din støttar ikkje dei naudsynte kryptografiske utvidingane", "Not a valid %(brand)s keyfile": "Ikkje ei gyldig %(brand)s-nykelfil", "Authentication check failed: incorrect password?": "Authentiseringsforsøk mislukkast: feil passord?", @@ -101,12 +96,6 @@ "Collecting app version information": "Samlar versjonsinfo for programmet", "Collecting logs": "Samlar loggar", "Waiting for response from server": "Ventar på svar frå tenaren", - "Messages containing my display name": "Meldingar som inneheld visingsnamnet mitt", - "Messages in one-to-one chats": "Meldingar i ein-til-ein-samtalar", - "Messages in group chats": "Meldingar i gruppesamtalar", - "When I'm invited to a room": "Når eg blir invitert til eit rom", - "Call invitation": "Samtaleinvitasjonar", - "Messages sent by bot": "Meldingar sendt frå ein bot", "Incorrect verification code": "Urett stadfestingskode", "Phone": "Telefon", "No display name": "Ingen visningsnamn", @@ -549,7 +538,6 @@ "Forces the current outbound group session in an encrypted room to be discarded": "Tvingar i eit kryptert rom kassering av gjeldande utgåande gruppe-økt", "Sends the given message coloured as a rainbow": "Sender den bestemte meldinga farga som ein regnboge", "Displays list of commands with usages and descriptions": "Viser ei liste over kommandoar med bruksområde og skildringar", - "%(senderDisplayName)s upgraded this room.": "%(senderDisplayName)s oppgraderte dette rommet.", "Cancel entering passphrase?": "Avbryte inntasting av passfrase ?", "Setting up keys": "Setter opp nøklar", "Verify this session": "Stadfest denne økta", @@ -563,18 +551,6 @@ "Session already verified!": "Sesjon er tidligare verifisert!", "WARNING: KEY VERIFICATION FAILED! The signing key for %(userId)s and session %(deviceId)s is \"%(fprint)s\" which does not match the provided key \"%(fingerprint)s\". This could mean your communications are being intercepted!": "ÅTVARING: NØKKELVERIFIKASJON FEILA! Signeringsnøkkel for %(userId)s og økt %(deviceId)s er \"%(fprint)s\" stemmer ikkje med innsendt nøkkel \"%(fingerprint)s\". Dette kan vere teikn på at kommunikasjonen er avlytta!", "The signing key you provided matches the signing key you received from %(userId)s's session %(deviceId)s. Session marked as verified.": "Innsendt signeringsnøkkel er lik nøkkelen du mottok frå %(userId)s med økt %(deviceId)s. Sesjonen no er verifisert.", - "%(senderDisplayName)s made the room public to whoever knows the link.": "%(senderDisplayName)s satte rommet til offentleg for alle som har linken.", - "%(senderDisplayName)s made the room invite only.": "%(senderDisplayName)s avgrensa romtilgang til inviterte deltakarar.", - "%(senderDisplayName)s changed the join rule to %(rule)s": "%(senderDisplayName)s satte tilgangsregelen til %(rule)s", - "%(senderDisplayName)s has allowed guests to join the room.": "%(senderDisplayName)s har opna for gjestetilgang i rommet.", - "%(senderDisplayName)s has prevented guests from joining the room.": "%(senderDisplayName)s har hindra gjestetilgang i rommet.", - "%(senderDisplayName)s changed guest access to %(rule)s": "%(senderDisplayName)s endra gjestetilgang til %(rule)s", - "%(senderName)s set the main address for this room to %(address)s.": "%(senderName)s satte standardadressa for dette rommet til %(address)s.", - "%(senderName)s removed the main address for this room.": "%(senderName)s fjerna standardadressa for dette rommet.", - "%(senderName)s placed a voice call.": "%(senderName)s starta ein talesamtale.", - "%(senderName)s placed a voice call. (not supported by this browser)": "%(senderName)s starta ein talesamtale. (ikkje støtta av denne nettlesaren)", - "%(senderName)s placed a video call.": "%(senderName)s starta ein videosamtale.", - "%(senderName)s placed a video call. (not supported by this browser)": "%(senderName)s starta ein videosamtale. (ikkje støtta av denne nettlesaren)", "%(senderName)s revoked the invitation for %(targetDisplayName)s to join the room.": "%(senderName)s trekte tilbake invitasjonen for at %(targetDisplayName)s kan bli medlem i rommet.", "Sign In or Create Account": "Logg inn eller opprett konto", "Create Account": "Opprett konto", @@ -717,11 +693,6 @@ }, "%(names)s and %(lastPerson)s are typing …": "%(names)s og %(lastPerson)s skriv…", "Manually verify all remote sessions": "Manuelt verifiser alle eksterne økter", - "Messages containing my username": "Meldingar som inneheld mitt brukarnamn", - "Messages containing @room": "Meldingar som inneheld @room", - "Encrypted messages in one-to-one chats": "Krypterte meldingar i ein-til-ein-samtalar", - "Encrypted messages in group chats": "Krypterte meldingar i gruppesamtalar", - "When rooms are upgraded": "Når rom blir oppgraderte", "My Ban List": "Mi blokkeringsliste", "Enable desktop notifications for this session": "Aktiver skrivebordsvarslingar for denne øka", "Enable audible notifications for this session": "Aktiver høyrbare varslingar for denne økta", @@ -769,7 +740,6 @@ "Send a bug report with logs": "Send ein feilrapport med loggar", "Opens chat with the given user": "Opna ein samtale med den spesifiserte brukaren", "Sends a message to the given user": "Send ein melding til den spesifiserte brukaren", - "%(senderDisplayName)s changed the room name from %(oldRoomName)s to %(newRoomName)s.": "%(senderDisplayName)s endra romnamnet frå %(oldRoomName)s til %(newRoomName)s.", "%(senderName)s added the alternative addresses %(addresses)s for this room.": { "other": "%(senderName)s la til dei alternative adressene %(addresses)s for dette rommet.", "one": "%(senderName)s la til ei alternativ adresse %(addresses)s for dette rommet." @@ -803,7 +773,6 @@ "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.", "Enable end-to-end encryption": "Skru på ende-til-ende kryptering", - "Create a private room": "Lag eit privat rom", "Hide advanced": "Gøym avanserte alternativ", "Show advanced": "Vis avanserte alternativ", "I don't want my encrypted messages": "Eg treng ikkje mine krypterte meldingar", @@ -932,7 +901,6 @@ "Match system": "Følg systemet", "You can change this at any time from room settings.": "Du kan endra dette kva tid som helst frå rominnstillingar.", "Room settings": "Rominnstillingar", - "%(senderDisplayName)s changed who can join this room. View settings.": "%(senderDisplayName)s endra kven som kan bli med i rommet. Vis innstillingar.", "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": { "one": "Endeleg resultat basert etter %(count)s stemme", @@ -991,7 +959,8 @@ "emoji": "Emoji", "someone": "Nokon", "encrypted": "Kryptert", - "matrix": "Matrix" + "matrix": "Matrix", + "unnamed_room": "Rom utan namn" }, "action": { "continue": "Fortset", @@ -1111,7 +1080,20 @@ "big_emoji": "Aktiver store emolji-ar i samtalen", "jump_to_bottom_on_send": "Hopp til botn av tidslinja når du sender ei melding", "prompt_invite": "Spør før utsending av invitasjonar til potensielle ugyldige Matrix-IDar", - "start_automatically": "Start automatisk etter systeminnlogging" + "start_automatically": "Start automatisk etter systeminnlogging", + "notifications": { + "rule_contains_display_name": "Meldingar som inneheld visingsnamnet mitt", + "rule_contains_user_name": "Meldingar som inneheld mitt brukarnamn", + "rule_roomnotif": "Meldingar som inneheld @room", + "rule_room_one_to_one": "Meldingar i ein-til-ein-samtalar", + "rule_message": "Meldingar i gruppesamtalar", + "rule_encrypted": "Krypterte meldingar i gruppesamtalar", + "rule_invite_for_me": "Når eg blir invitert til eit rom", + "rule_call": "Samtaleinvitasjonar", + "rule_suppress_notices": "Meldingar sendt frå ein bot", + "rule_tombstone": "Når rom blir oppgraderte", + "rule_encrypted_room_one_to_one": "Krypterte meldingar i ein-til-ein-samtalar" + } }, "devtools": { "event_type": "Hendingsort", @@ -1120,5 +1102,39 @@ "event_content": "Hendingsinnhald", "toolbox": "Verktøykasse", "developer_tools": "Utviklarverktøy" + }, + "create_room": { + "title_private_room": "Lag eit privat rom" + }, + "timeline": { + "m.call.invite": { + "voice_call": "%(senderName)s starta ein talesamtale.", + "voice_call_unsupported": "%(senderName)s starta ein talesamtale. (ikkje støtta av denne nettlesaren)", + "video_call": "%(senderName)s starta ein videosamtale.", + "video_call_unsupported": "%(senderName)s starta ein videosamtale. (ikkje støtta av denne nettlesaren)" + }, + "m.room.topic": "%(senderDisplayName)s gjorde emnet om til \"%(topic)s\".", + "m.room.name": { + "remove": "%(senderDisplayName)s fjerna romnamnet.", + "change": "%(senderDisplayName)s endra romnamnet frå %(oldRoomName)s til %(newRoomName)s.", + "set": "%(senderDisplayName)s gjorde romnamnet om til %(roomName)s." + }, + "m.room.tombstone": "%(senderDisplayName)s oppgraderte dette rommet.", + "m.room.join_rules": { + "public": "%(senderDisplayName)s satte rommet til offentleg for alle som har linken.", + "invite": "%(senderDisplayName)s avgrensa romtilgang til inviterte deltakarar.", + "restricted_settings": "%(senderDisplayName)s endra kven som kan bli med i rommet. Vis innstillingar.", + "unknown": "%(senderDisplayName)s satte tilgangsregelen til %(rule)s" + }, + "m.room.guest_access": { + "can_join": "%(senderDisplayName)s har opna for gjestetilgang i rommet.", + "forbidden": "%(senderDisplayName)s har hindra gjestetilgang i rommet.", + "unknown": "%(senderDisplayName)s endra gjestetilgang til %(rule)s" + }, + "m.image": "%(senderDisplayName)s sende eit bilete.", + "m.room.canonical_alias": { + "set": "%(senderName)s satte standardadressa for dette rommet til %(address)s.", + "removed": "%(senderName)s fjerna standardadressa for dette rommet." + } } } diff --git a/src/i18n/strings/pl.json b/src/i18n/strings/pl.json index 02feddd0cc5..b8c5e9e88d2 100644 --- a/src/i18n/strings/pl.json +++ b/src/i18n/strings/pl.json @@ -67,9 +67,6 @@ "Can't connect to homeserver - please check your connectivity, ensure your homeserver's SSL certificate is trusted, and that a browser extension is not blocking requests.": "Nie można nawiązać połączenia z serwerem - proszę sprawdź twoje połączenie, upewnij się, że certyfikat SSL serwera jest zaufany, i że dodatki przeglądarki nie blokują żądania.", "Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or enable unsafe scripts.": "Nie można nawiązać połączenia z serwerem przy użyciu HTTP podczas korzystania z HTTPS dla bieżącej strony. Użyj HTTPS lub włącz niebezpieczne skrypty.", "%(senderName)s changed the power level of %(powerLevelDiffText)s.": "%(senderName)s zmienił poziom uprawnień %(powerLevelDiffText)s.", - "%(senderDisplayName)s changed the room name to %(roomName)s.": "%(senderDisplayName)s zmienił nazwę pokoju na %(roomName)s.", - "%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s usunął nazwę pokoju.", - "%(senderDisplayName)s changed the topic to \"%(topic)s\".": "%(senderDisplayName)s zmienił temat na \"%(topic)s\".", "Changes your display nickname": "Zmienia Twój wyświetlany pseudonim", "Command error": "Błąd polecenia", "Commands": "Polecenia", @@ -152,7 +149,6 @@ "%(roomName)s is not accessible at this time.": "%(roomName)s nie jest dostępny w tym momencie.", "Rooms": "Pokoje", "Search failed": "Wyszukiwanie nie powiodło się", - "%(senderDisplayName)s sent an image.": "%(senderDisplayName)s wysłał obraz.", "%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": "%(senderName)s wysłał zaproszenie do %(targetDisplayName)s do dołączenia do pokoju.", "Server error": "Błąd serwera", "Server may be unavailable, overloaded, or search timed out :(": "Serwer może być niedostępny, przeciążony, lub upłynął czas wyszukiwania :(", @@ -174,7 +170,6 @@ "Unable to remove contact information": "Nie można usunąć informacji kontaktowych", "Unable to verify email address.": "Weryfikacja adresu e-mail nie powiodła się.", "Unable to enable Notifications": "Nie można włączyć powiadomień", - "Unnamed Room": "Pokój bez nazwy", "Uploading %(filename)s": "Przesyłanie %(filename)s", "Uploading %(filename)s and %(count)s others": { "one": "Przesyłanie %(filename)s oraz %(count)s innych", @@ -276,11 +271,8 @@ "Waiting for response from server": "Czekam na odpowiedź serwera", "Failed to send logs: ": "Nie udało się wysłać dzienników: ", "This Room": "Ten pokój", - "Messages containing my display name": "Wiadomości zawierające moją wyświetlaną nazwę", - "Messages in one-to-one chats": "Wiadomości w rozmowach jeden-na-jeden", "Unavailable": "Niedostępny", "Source URL": "Źródłowy URL", - "Messages sent by bot": "Wiadomości wysłane przez bota", "Filter results": "Filtruj wyniki", "No update available.": "Brak aktualizacji.", "Noisy": "Głośny", @@ -294,15 +286,12 @@ "Wednesday": "Środa", "You cannot delete this message. (%(code)s)": "Nie możesz usunąć tej wiadomości. (%(code)s)", "All messages": "Wszystkie wiadomości", - "Call invitation": "Zaproszenie do rozmowy", "What's new?": "Co nowego?", - "When I'm invited to a room": "Kiedy zostanę zaproszony do pokoju", "Invite to this room": "Zaproś do tego pokoju", "Thursday": "Czwartek", "Search…": "Szukaj…", "Logs sent": "Wysłano dzienniki", "Show message in desktop notification": "Pokaż wiadomość w notyfikacji na pulpicie", - "Messages in group chats": "Wiadomości w czatach grupowych", "Yesterday": "Wczoraj", "Error encountered (%(errorDetail)s).": "Wystąpił błąd (%(errorDetail)s).", "Low Priority": "Niski priorytet", @@ -380,8 +369,6 @@ "You do not have permission to start a conference call in this room": "Nie posiadasz uprawnień do rozpoczęcia rozmowy grupowej w tym pokoju", "Unignored user": "Nieignorowany użytkownik", "Forces the current outbound group session in an encrypted room to be discarded": "Wymusza odrzucenie bieżącej sesji grupowej wychodzącej z zaszyfrowanego pokoju", - "%(senderName)s set the main address for this room to %(address)s.": "%(senderName)s ustawił główny adres dla tego pokoju na %(address)s.", - "%(senderName)s removed the main address for this room.": "%(senderName)s usunął główny adres tego pokoju.", "This homeserver has hit its Monthly Active User limit.": "Ten serwer osiągnął miesięczny limit aktywnego użytkownika.", "This homeserver has exceeded one of its resource limits.": "Ten serwer przekroczył jeden z limitów.", "Please contact your homeserver administrator.": "Proszę o kontakt z administratorem serwera.", @@ -509,7 +496,6 @@ "other": "zostali odbanowani %(count)s razy" }, "Please review and accept the policies of this homeserver:": "Przeczytaj i zaakceptuj zasady tego serwera domowego:", - "Messages containing @room": "Wiadomości zawierające @room", "This is similar to a commonly used password": "Jest to podobne do powszechnie stosowanego hasła", "That doesn't match.": "To się nie zgadza.", "Go to Settings": "Przejdź do ustawień", @@ -522,7 +508,6 @@ "Unrecognised address": "Nierozpoznany adres", "Short keyboard patterns are easy to guess": "Krótkie wzory klawiszowe są łatwe do odgadnięcia", "This room has no topic.": "Ten pokój nie ma tematu.", - "%(senderDisplayName)s upgraded this room.": "%(senderDisplayName)s ulepszył ten pokój.", "I don't want my encrypted messages": "Nie chcę moich zaszyfrowanych wiadomości", "You'll lose access to your encrypted messages": "Utracisz dostęp do zaszyfrowanych wiadomości", "Verified!": "Zweryfikowano!", @@ -659,12 +644,6 @@ "Please ask the administrator of your homeserver (%(homeserverDomain)s) to configure a TURN server in order for calls to work reliably.": "Poproś administratora swojego serwera głównego (%(homeserverDomain)s) by skonfigurował serwer TURN aby rozmowy działały bardziej niezawodnie.", "Sends the given emote coloured as a rainbow": "Wysyła podaną emotkę w kolorach tęczy", "Displays list of commands with usages and descriptions": "Wyświetla listę komend z przykładami i opisami", - "%(senderDisplayName)s made the room public to whoever knows the link.": "%(senderDisplayName)s ustawił pokój jako publiczny dla każdego znającego link.", - "%(senderDisplayName)s made the room invite only.": "%(senderDisplayName)s ustawił pokój jako tylko dla zaproszonych.", - "%(senderDisplayName)s changed the join rule to %(rule)s": "%(senderDisplayName)s zmienił zasadę dołączania na %(rule)s", - "%(senderDisplayName)s has allowed guests to join the room.": "%(senderDisplayName)s pozwolił, by goście dołączali do pokoju.", - "%(senderDisplayName)s has prevented guests from joining the room.": "%(senderDisplayName)s zabronił gościom dołączać do pokoju.", - "%(senderDisplayName)s changed guest access to %(rule)s": "%(senderDisplayName)s zmienił dostęp dla gości dla %(rule)s", "%(senderName)s revoked the invitation for %(targetDisplayName)s to join the room.": "%(senderName)s odwołał zaproszenie dla %(targetDisplayName)s, aby dołączył do pokoju.", "Cannot reach homeserver": "Błąd połączenia z serwerem domowym", "Ensure you have a stable internet connection, or get in touch with the server admin": "Upewnij się, że posiadasz stabilne połączenie internetowe lub skontaktuj się z administratorem serwera", @@ -677,10 +656,6 @@ "All-uppercase is almost as easy to guess as all-lowercase": "Same wielkie litery w haśle powodują, iż są one łatwe do zgadnięcia, podobnie jak w przypadku samych małych", "Straight rows of keys are easy to guess": "Proste rzędy klawiszy są łatwe do odgadnięcia", "Show hidden events in timeline": "Pokaż ukryte wydarzenia na linii czasowej", - "Messages containing my username": "Wiadomości zawierające moją nazwę użytkownika", - "Encrypted messages in one-to-one chats": "Zaszyfrowane wiadomości w rozmowach jeden-do-jednego", - "Encrypted messages in group chats": "Zaszyfrowane wiadomości w rozmowach grupowych", - "When rooms are upgraded": "Kiedy pokoje są uaktualniane", "The other party cancelled the verification.": "Druga strona anulowała weryfikację.", "You've successfully verified this user.": "Pomyślnie zweryfikowałeś tego użytkownika.", "Secure messages with this user are end-to-end encrypted and not able to be read by third parties.": "Bezpieczne wiadomości z tym użytkownikiem są szyfrowane end-to-end i nie mogą zostać odczytane przez osoby trzecie.", @@ -844,8 +819,6 @@ "Server name": "Nazwa serwera", "Please enter a name for the room": "Proszę podać nazwę pokoju", "Enable end-to-end encryption": "Włącz szyfrowanie end-to-end", - "Create a public room": "Utwórz publiczny pokój", - "Create a private room": "Utwórz prywatny pokój", "Topic (optional)": "Temat (opcjonalnie)", "Hide advanced": "Ukryj zaawansowane", "Show advanced": "Pokaż zaawansowane", @@ -893,7 +866,6 @@ "Setting up keys": "Konfigurowanie kluczy", "Verify this session": "Zweryfikuj tę sesję", "%(name)s is requesting verification": "%(name)s prosi o weryfikację", - "%(senderDisplayName)s changed the room name from %(oldRoomName)s to %(newRoomName)s.": "%(senderDisplayName)s zmienił nazwę pokoju z %(oldRoomName)s na %(newRoomName)s.", "%(senderName)s added the alternative addresses %(addresses)s for this room.": { "other": "%(senderName)s dodał alternatywne adresy %(addresses)s dla tego pokoju.", "one": "%(senderName)s dodał alternatywny adres %(addresses)s dla tego pokoju." @@ -901,10 +873,6 @@ "%(senderName)s changed the alternative addresses for this room.": "%(senderName)s zmienił alternatywne adresy dla tego pokoju.", "%(senderName)s changed the main and alternative addresses for this room.": "%(senderName)s zmienił główne i alternatywne adresy dla tego pokoju.", "%(senderName)s changed the addresses for this room.": "%(senderName)s zmienił adresy dla tego pokoju.", - "%(senderName)s placed a voice call.": "%(senderName)s wykonał połączenie głosowe.", - "%(senderName)s placed a voice call. (not supported by this browser)": "%(senderName)s wykonał połączenie głosowe. (nie wspierane przez tę przeglądarkę)", - "%(senderName)s placed a video call.": "%(senderName)s wykonał połączenie wideo.", - "%(senderName)s placed a video call. (not supported by this browser)": "%(senderName)s wykonał połączenie wideo. (nie obsługiwane przez tę przeglądarkę)", "Italics": "Kursywa", "Reason: %(reason)s": "Powód: %(reason)s", "Reject & Ignore user": "Odrzuć i zignoruj użytkownika", @@ -1365,7 +1333,6 @@ "one": "%(senderName)s usunął alternatywny adres %(addresses)s tego pokoju.", "other": "%(senderName)s usunął alternatywny adres %(addresses)s tego pokoju." }, - "🎉 All servers are banned from participating! This room can no longer be used.": "🎉 Wszystkie serwery zostały wykluczone z uczestnictwa! Ten pokój nie może być już używany.", "Effects": "Efekty", "Japan": "Japonia", "Jamaica": "Jamajka", @@ -1495,7 +1462,6 @@ "See %(eventType)s events posted to your active room": "Zobacz wydarzenia %(eventType)s opublikowane w Twoim aktywnym pokoju", "See %(eventType)s events posted to this room": "Zobacz wydarzenia %(eventType)s opublikowane w tym pokoju", "Send %(eventType)s events as you in this room": "Wysyłaj zdarzenia %(eventType)s jako Ty w tym pokoju", - "%(senderDisplayName)s set the server ACLs for this room.": "%(senderDisplayName)s ustawił ACLe serwera dla pokoju.", "Change the avatar of your active room": "Zmień awatar swojego aktywnego pokoju", "See when the avatar changes in this room": "Zobacz, gdy awatar tego pokoju zmienia się", "Change the avatar of this room": "Zmień awatar tego pokoju", @@ -1611,10 +1577,7 @@ "There was an error looking up the phone number": "Podczas wyszukiwania numeru telefonu wystąpił błąd", "Unable to look up phone number": "Nie można wyszukać numeru telefonu", "We sent the others, but the below people couldn't be invited to ": "Wysłaliśmy pozostałym, ale osoby poniżej nie mogły zostać zaproszone do ", - "%(senderDisplayName)s changed the server ACLs for this room.": "%(senderDisplayName)s zmienił ACLe serwera dla pokoju.", "Prepends ┬──┬ ノ( ゜-゜ノ) to a plain-text message": "Dodaje ┬──┬ ノ( ゜-゜ノ) na początku wiadomości tekstowej", - "%(targetName)s accepted an invitation": "%(targetName)s zaakceptował zaproszenie", - "%(targetName)s accepted the invitation for %(displayName)s": "%(targetName)s zaakceptował zaproszenie do %(displayName)s", "Takes the call in the current room off hold": "Odwiesza połączenie w obecnym pokoju", "No active call in this room": "Brak aktywnych połączeń w tym pokoju", "Places the call in the current room on hold": "Zawiesza połączenie w obecnym pokoju", @@ -1636,21 +1599,6 @@ "Connectivity to the server has been lost": "Połączenie z serwerem zostało przerwane", "You cannot place calls in this browser.": "Nie możesz wykonywać połączeń z tej przeglądarki.", "Calls are unsupported": "Rozmowy nie są obsługiwane", - "%(senderName)s removed their display name (%(oldDisplayName)s)": "%(senderName)s usunął swoją widoczną nazwę (%(oldDisplayName)s)", - "%(senderName)s set their display name to %(displayName)s": "%(senderName)s ustawił widoczną nazwę jako %(displayName)s", - "%(oldDisplayName)s changed their display name to %(displayName)s": "%(oldDisplayName)s zmienił wyświetlaną nazwę na %(displayName)s", - "%(senderName)s banned %(targetName)s": "%(senderName)s zbanował %(targetName)s", - "%(senderName)s banned %(targetName)s: %(reason)s": "%(senderName)s zbanował %(targetName)s: %(reason)s", - "%(senderName)s invited %(targetName)s": "%(senderName)s zaprosił %(targetName)s", - "%(senderName)s changed their profile picture": "%(senderName)s zmienił swoje zdjęcie profilowe", - "%(senderName)s removed their profile picture": "%(senderName)s usunął swoje zdjęcie profilowe", - "%(senderName)s set a profile picture": "%(senderName)s ustawił zdjęcie profilowe", - "%(senderName)s made no change": "%(senderName)s nie dokonał żadnych zmian", - "%(targetName)s joined the room": "%(targetName)s dołączył do pokoju", - "%(targetName)s rejected the invitation": "%(targetName)s odrzucił zaproszenie", - "%(targetName)s left the room: %(reason)s": "%(targetName)s opuścił pokój: %(reason)s", - "%(targetName)s left the room": "%(targetName)s opuścił pokój", - "%(senderName)s unbanned %(targetName)s": "%(senderName)s odbanował %(targetName)s", "Developer": "Developer", "Experimental": "Eksperymentalne", "Themes": "Motywy", @@ -1672,39 +1620,6 @@ "You previously consented to share anonymous usage data with us. We're updating how that works.": "Wcześniej wyraziłeś zgodę na udostępnianie zanonimizowanych danych z nami. Teraz aktualizujemy jak to działa.", "Help improve %(analyticsOwner)s": "Pomóż poprawić %(analyticsOwner)s", "That's fine": "To jest w porządku", - "File Attached": "Plik załączony", - "Exported %(count)s events in %(seconds)s seconds": { - "one": "Wyeksportowano %(count)s wydarzenie w %(seconds)s sekund", - "other": "Wyeksportowano %(count)s wydarzeń w %(seconds)s sekund" - }, - "Export successful!": "Eksport zakończony pomyślnie!", - "Fetched %(count)s events in %(seconds)ss": { - "one": "Pobrano %(count)s wydarzenie w %(seconds)ss", - "other": "Pobrano %(count)s wydarzeń w %(seconds)ss" - }, - "Processing event %(number)s out of %(total)s": "Przetwarzanie wydarzenia %(number)s z %(total)s", - "Error fetching file": "Wystąpił błąd przy pobieraniu pliku", - "Topic: %(topic)s": "Temat: %(topic)s", - "This is the start of export of . Exported by at %(exportDate)s.": "To rozpocznie eksport . Wyeksportowano przez o %(exportDate)s.", - "%(creatorName)s created this room.": "%(creatorName)s stworzył ten pokój.", - "Media omitted - file size limit exceeded": "Media pominięte - przekroczono limit wielkości pliku", - "Media omitted": "Media pominięte", - "Current Timeline": "Obecna linia czasu", - "Specify a number of messages": "Podaj ilość wiadomości", - "From the beginning": "Od początku", - "Plain Text": "Tekst", - "JSON": "JSON", - "HTML": "HTML", - "Fetched %(count)s events so far": { - "one": "Pobrano %(count)s wydarzenie", - "other": "Pobrano %(count)s wydarzeń" - }, - "Fetched %(count)s events out of %(total)s": { - "one": "Pobrano %(count)s wydarzenie z %(total)s", - "other": "Pobrano %(count)s wydarzeń z %(total)s" - }, - "Generating a ZIP": "Generowanie pliku ZIP", - "Are you sure you want to exit during this export?": "Czy na pewno chcesz wyjść podczas tego eksportu?", "Share your public space": "Zaproś do swojej publicznej przestrzeni", "Invite to %(spaceName)s": "Zaproś do %(spaceName)s", "Use a longer keyboard pattern with more turns": "Użyj wzoru z klawiatury z większą ilością zakrętów", @@ -1759,16 +1674,8 @@ "%(senderName)s unpinned a message from this room. See all pinned messages.": "%(senderName)s odpiął wiadomość w tym pokoju. Zobacz wszystkie przypięte wiadomości.", "%(senderName)s pinned a message to this room. See all pinned messages.": "%(senderName)s przypiął wiadomość do pokoju. Zobacz wszystkie przypięte wiadomości.", "%(senderName)s pinned a message to this room. See all pinned messages.": "%(senderName)s przypiął wiadomość do pokoju. Zobacz wszystkie przypięte wiadomości.", - "%(senderDisplayName)s sent a sticker.": "%(senderDisplayName)s wysłał naklejkę.", "Message deleted by %(name)s": "Wiadomość usunięta przez %(name)s", "Message deleted": "Wiadomość usunięta", - "%(senderDisplayName)s changed who can join this room.": "%(senderDisplayName)s zmienił kto może dołączyć do pokoju.", - "%(senderDisplayName)s changed who can join this room. View settings.": "%(senderDisplayName)s zmienił kto może dołączyć do pokoju. Zobacz ustawienia.", - "%(senderDisplayName)s changed the room avatar.": "%(senderDisplayName)s zmienił awatar pokoju.", - "%(senderName)s removed %(targetName)s": "%(senderName)s usunął %(targetName)s", - "%(senderName)s removed %(targetName)s: %(reason)s": "%(senderName)s usunął %(targetName)s: %(reason)s", - "%(senderName)s withdrew %(targetName)s's invitation": "%(senderName)s cofnął zaproszenie %(targetName)s", - "%(senderName)s withdrew %(targetName)s's invitation: %(reason)s": "%(senderName)s cofnął zaproszenie %(targetName)s: %(reason)s", "%(senderName)s has ended a poll": "%(senderName)s zakończył ankietę", "%(senderName)s has started a poll - %(pollQuestion)s": "%(senderName)s utworzył ankietę - %(pollQuestion)s", "Add users and servers you want to ignore here. Use asterisks to have %(brand)s match any characters. For example, @bot:* would ignore all users that have the name 'bot' on any server.": "Dodaj użytkowników i serwery tutaj które chcesz ignorować. Użyj znaku gwiazdki (*) żeby %(brand)s zgadzał się z każdym znakiem. Na przykład, @bot:* może ignorować wszystkich użytkowników którzy mają nazwę 'bot' na każdym serwerze.", @@ -2128,7 +2035,6 @@ "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:", - "Video call started in %(roomName)s.": "Rozmowa wideo rozpoczęta w %(roomName)s.", "Could not find room": "Nie udało się znaleźć pokoju", "You need to be able to kick users to do that.": "Aby to zrobić, musisz móc wyrzucać użytkowników.", "WARNING: session already verified, but keys do NOT MATCH!": "OSTRZEŻENIE: sesja została już zweryfikowana, ale klucze NIE PASUJĄ!", @@ -2158,11 +2064,7 @@ "Video call started": "Rozpoczęto rozmowę wideo", "Unknown room": "Nieznany pokój", "You have unverified sessions": "Masz niezweryfikowane sesje", - "Creating output…": "Tworzenie danych wyjściowych…", - "Fetching events…": "Pobieranie wydarzeń…", "Starting export process…": "Rozpoczynanie procesu eksportowania…", - "Creating HTML…": "Tworzenie HTML…", - "Starting export…": "Rozpoczynam eksportowanie…", "Unknown error fetching location. Please try again later.": "Wystąpił nieznany błąd podczas pobierania lokalizacji. Spróbuj ponownie później.", "Timed out trying to fetch your location. Please try again later.": "Upłynął czas oczekiwania podczas pobierania lokalizacji. Spróbuj ponownie później.", "Failed to fetch your location. Please try again later.": "Nie udało się pobrać Twojej lokalizacji. Spróbuj ponownie później.", @@ -2205,7 +2107,6 @@ "You don't have the required permissions to start a voice broadcast in this room. Contact a room administrator to upgrade your permissions.": "Nie posiadasz wymaganych uprawnień, aby rozpocząć transmisję głosową w tym pokoju. Skontaktuj się z administratorem pokoju, aby zwiększyć swoje uprawnienia.", "You are already recording a voice broadcast. Please end your current voice broadcast to start a new one.": "Już nagrywasz transmisję głosową. Zakończ bieżącą transmisję głosową, aby rozpocząć nową.", "Can't start a new voice broadcast": "Nie można rozpocząć nowej transmisji głosowej", - "Video call started in %(roomName)s. (not supported by this browser)": "Rozmowa wideo rozpoczęła się w %(roomName)s. (brak wsparcia w tej przeglądarce)", "Consulting with %(transferTarget)s. Transfer to %(transferee)s": "Konsultowanie z %(transferTarget)s. Transfer do %(transferee)s", "Log out and back in to disable": "Zaloguj się ponownie, aby wyłączyć", "Can currently only be enabled via config.json": "Można go tylko włączyć przez config.json", @@ -2750,7 +2651,6 @@ "Edit widgets, bridges & bots": "Edytuj widżety, mostki i boty", "Set my room layout for everyone": "Ustaw mój układ pokoju dla wszystkich", "Close this widget to view it in this panel": "Zamknij widżet, aby wyświetlić go w tym panelu", - "%(oldDisplayName)s changed their display name and profile picture": "%(oldDisplayName)s zmienił swoją wyświetlaną nazwę i zdjęcie profilowe", "My live location": "Moja lokalizacja na żywo", "My current location": "Moja aktualna lokalizacja", "%(displayName)s's live location": "Lokalizacja na żywo użytkownika %(displayName)s", @@ -2904,8 +2804,6 @@ "Only people invited will be able to find and join this space.": "Tylko osoby zaproszone będą mogły znaleźć i dołączyć do tej przestrzeni.", "Anyone will be able to find and join this space, not just members of .": "Każdy będzie mógł znaleźć i dołączyć do tej przestrzeni, nie tylko członkowie .", "Anyone in will be able to find and join.": "Każdy w będzie mógł znaleźć i dołączyć.", - "Create room": "Utwórz pokój", - "Create video room": "Utwórz pokój wideo", "Visible to space members": "Widoczne dla członków przestrzeni", "Online community members": "Członkowie społeczności online", "View all %(count)s members": { @@ -2914,7 +2812,6 @@ }, "Private room (invite only)": "Pokój prywatny (tylko na zaproszenie)", "Room visibility": "Widoczność pokoju", - "Create a video room": "Utwórz pokój wideo", "You might disable this if the room will be used for collaborating with external teams who have their own homeserver. This cannot be changed later.": "Możesz wyłączyć tę opcję, jeśli pokój będzie wykorzystywany jedynie do współpracy z wewnętrznymi zespołami, które posiadają swój serwer domowy. Nie będzie można zmienić tej opcji.", "Your server requires encryption to be enabled in private rooms.": "Twój serwer wymaga włączenia szyfrowania w pokojach prywatnych.", "You can't disable this later. The room will be encrypted but the embedded call will not.": "Nie będzie można tego później wyłączyć. Pokój zostanie zaszyfrowany, lecz wbudowane połączenia nie.", @@ -2923,7 +2820,6 @@ "Anyone will be able to find and join this room.": "Każdy będzie mógł znaleźć i dołączyć do tego pokoju.", "Anyone will be able to find and join this room, not just members of .": "Każdy będzie mógł znaleźć i dołączyć do tego pokoju, nie tylko członkowie .", "You can change this at any time from room settings.": "Możesz to zmienić w każdym momencie w ustawieniach pokoju.", - "Unnamed Space": "Przestrzeń bez nazwy", "Everyone in will be able to find and join this room.": "Każdy w będzie mógł znaleźć i dołączyć do tego pokoju.", "Clearing all data from this session is permanent. Encrypted messages will be lost unless their keys have been backed up.": "Wyczyszczenie wszystkich danych z tej sesji jest permanentne. Wiadomości szyfrowane zostaną utracone, jeśli nie zabezpieczono ich kluczy.", "Clear all data in this session?": "Wyczyścić wszystkie dane w tej sesji?", @@ -3466,11 +3362,7 @@ "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", "Something went wrong.": "Coś poszło nie tak.", "Changes your profile picture in all rooms": "Zdjęcie profilowe zostanie zmienione we wszystkich pokojach", - "%(senderDisplayName)s changed the join rule to ask to join.": "%(senderDisplayName)s zmienił zasady dołączenia do pokoju.", "User cannot be invited until they are unbanned": "Nie można zaprosić użytkownika, dopóki nie zostanie odbanowany", - "Previous group of messages": "Poprzednia grupa wiadomości", - "Next group of messages": "Następna grupa wiadomości", - "Exported Data": "Eksportowane dane", "Views room with given address": "Przegląda pokój z podanym adresem", "Notification Settings": "Ustawienia powiadomień", "Mentions and Keywords only": "Wyłącznie wzmianki i słowa kluczowe", @@ -3592,7 +3484,9 @@ "not_trusted": "Nie zaufane", "accessibility": "Ułatwienia dostępu", "server": "Serwer", - "capabilities": "Możliwości" + "capabilities": "Możliwości", + "unnamed_room": "Pokój bez nazwy", + "unnamed_space": "Przestrzeń bez nazwy" }, "action": { "continue": "Kontynuuj", @@ -3897,7 +3791,20 @@ "prompt_invite": "Powiadamiaj przed wysłaniem zaproszenia do potencjalnie nieprawidłowych ID matrix", "hardware_acceleration": "Włącz akceleracje sprzętową (uruchom ponownie %(appName)s, aby zastosować zmiany)", "start_automatically": "Uruchom automatycznie po zalogowaniu się do systemu", - "warn_quit": "Ostrzeż przed wyjściem" + "warn_quit": "Ostrzeż przed wyjściem", + "notifications": { + "rule_contains_display_name": "Wiadomości zawierające moją wyświetlaną nazwę", + "rule_contains_user_name": "Wiadomości zawierające moją nazwę użytkownika", + "rule_roomnotif": "Wiadomości zawierające @room", + "rule_room_one_to_one": "Wiadomości w rozmowach jeden-na-jeden", + "rule_message": "Wiadomości w czatach grupowych", + "rule_encrypted": "Zaszyfrowane wiadomości w rozmowach grupowych", + "rule_invite_for_me": "Kiedy zostanę zaproszony do pokoju", + "rule_call": "Zaproszenie do rozmowy", + "rule_suppress_notices": "Wiadomości wysłane przez bota", + "rule_tombstone": "Kiedy pokoje są uaktualniane", + "rule_encrypted_room_one_to_one": "Zaszyfrowane wiadomości w rozmowach jeden-do-jednego" + } }, "devtools": { "send_custom_account_data_event": "Wyślij własne wydarzenie danych konta", @@ -3989,5 +3896,122 @@ "room_id": "ID pokoju: %(roomId)s", "thread_root_id": "ID Root Wątku:%(threadRootId)s", "event_id": "ID wydarzenia: %(eventId)s" + }, + "export_chat": { + "html": "HTML", + "json": "JSON", + "text": "Tekst", + "from_the_beginning": "Od początku", + "number_of_messages": "Podaj ilość wiadomości", + "current_timeline": "Obecna linia czasu", + "creating_html": "Tworzenie HTML…", + "starting_export": "Rozpoczynam eksportowanie…", + "export_successful": "Eksport zakończony pomyślnie!", + "unload_confirm": "Czy na pewno chcesz wyjść podczas tego eksportu?", + "generating_zip": "Generowanie pliku ZIP", + "processing_event_n": "Przetwarzanie wydarzenia %(number)s z %(total)s", + "fetched_n_events_with_total": { + "one": "Pobrano %(count)s wydarzenie z %(total)s", + "other": "Pobrano %(count)s wydarzeń z %(total)s" + }, + "fetched_n_events": { + "one": "Pobrano %(count)s wydarzenie", + "other": "Pobrano %(count)s wydarzeń" + }, + "fetched_n_events_in_time": { + "one": "Pobrano %(count)s wydarzenie w %(seconds)ss", + "other": "Pobrano %(count)s wydarzeń w %(seconds)ss" + }, + "exported_n_events_in_time": { + "one": "Wyeksportowano %(count)s wydarzenie w %(seconds)s sekund", + "other": "Wyeksportowano %(count)s wydarzeń w %(seconds)s sekund" + }, + "media_omitted": "Media pominięte", + "media_omitted_file_size": "Media pominięte - przekroczono limit wielkości pliku", + "creator_summary": "%(creatorName)s stworzył ten pokój.", + "export_info": "To rozpocznie eksport . Wyeksportowano przez o %(exportDate)s.", + "topic": "Temat: %(topic)s", + "previous_page": "Poprzednia grupa wiadomości", + "next_page": "Następna grupa wiadomości", + "html_title": "Eksportowane dane", + "error_fetching_file": "Wystąpił błąd przy pobieraniu pliku", + "file_attached": "Plik załączony", + "fetching_events": "Pobieranie wydarzeń…", + "creating_output": "Tworzenie danych wyjściowych…" + }, + "create_room": { + "title_video_room": "Utwórz pokój wideo", + "title_public_room": "Utwórz publiczny pokój", + "title_private_room": "Utwórz prywatny pokój", + "action_create_video_room": "Utwórz pokój wideo", + "action_create_room": "Utwórz pokój" + }, + "timeline": { + "m.call": { + "video_call_started": "Rozmowa wideo rozpoczęta w %(roomName)s.", + "video_call_started_unsupported": "Rozmowa wideo rozpoczęła się w %(roomName)s. (brak wsparcia w tej przeglądarce)" + }, + "m.call.invite": { + "voice_call": "%(senderName)s wykonał połączenie głosowe.", + "voice_call_unsupported": "%(senderName)s wykonał połączenie głosowe. (nie wspierane przez tę przeglądarkę)", + "video_call": "%(senderName)s wykonał połączenie wideo.", + "video_call_unsupported": "%(senderName)s wykonał połączenie wideo. (nie obsługiwane przez tę przeglądarkę)" + }, + "m.room.member": { + "accepted_3pid_invite": "%(targetName)s zaakceptował zaproszenie do %(displayName)s", + "accepted_invite": "%(targetName)s zaakceptował zaproszenie", + "invite": "%(senderName)s zaprosił %(targetName)s", + "ban_reason": "%(senderName)s zbanował %(targetName)s: %(reason)s", + "ban": "%(senderName)s zbanował %(targetName)s", + "change_name_avatar": "%(oldDisplayName)s zmienił swoją wyświetlaną nazwę i zdjęcie profilowe", + "change_name": "%(oldDisplayName)s zmienił wyświetlaną nazwę na %(displayName)s", + "set_name": "%(senderName)s ustawił widoczną nazwę jako %(displayName)s", + "remove_name": "%(senderName)s usunął swoją widoczną nazwę (%(oldDisplayName)s)", + "remove_avatar": "%(senderName)s usunął swoje zdjęcie profilowe", + "change_avatar": "%(senderName)s zmienił swoje zdjęcie profilowe", + "set_avatar": "%(senderName)s ustawił zdjęcie profilowe", + "no_change": "%(senderName)s nie dokonał żadnych zmian", + "join": "%(targetName)s dołączył do pokoju", + "reject_invite": "%(targetName)s odrzucił zaproszenie", + "left_reason": "%(targetName)s opuścił pokój: %(reason)s", + "left": "%(targetName)s opuścił pokój", + "unban": "%(senderName)s odbanował %(targetName)s", + "withdrew_invite_reason": "%(senderName)s cofnął zaproszenie %(targetName)s: %(reason)s", + "withdrew_invite": "%(senderName)s cofnął zaproszenie %(targetName)s", + "kick_reason": "%(senderName)s usunął %(targetName)s: %(reason)s", + "kick": "%(senderName)s usunął %(targetName)s" + }, + "m.room.topic": "%(senderDisplayName)s zmienił temat na \"%(topic)s\".", + "m.room.avatar": "%(senderDisplayName)s zmienił awatar pokoju.", + "m.room.name": { + "remove": "%(senderDisplayName)s usunął nazwę pokoju.", + "change": "%(senderDisplayName)s zmienił nazwę pokoju z %(oldRoomName)s na %(newRoomName)s.", + "set": "%(senderDisplayName)s zmienił nazwę pokoju na %(roomName)s." + }, + "m.room.tombstone": "%(senderDisplayName)s ulepszył ten pokój.", + "m.room.join_rules": { + "public": "%(senderDisplayName)s ustawił pokój jako publiczny dla każdego znającego link.", + "invite": "%(senderDisplayName)s ustawił pokój jako tylko dla zaproszonych.", + "knock": "%(senderDisplayName)s zmienił zasady dołączenia do pokoju.", + "restricted_settings": "%(senderDisplayName)s zmienił kto może dołączyć do pokoju. Zobacz ustawienia.", + "restricted": "%(senderDisplayName)s zmienił kto może dołączyć do pokoju.", + "unknown": "%(senderDisplayName)s zmienił zasadę dołączania na %(rule)s" + }, + "m.room.guest_access": { + "can_join": "%(senderDisplayName)s pozwolił, by goście dołączali do pokoju.", + "forbidden": "%(senderDisplayName)s zabronił gościom dołączać do pokoju.", + "unknown": "%(senderDisplayName)s zmienił dostęp dla gości dla %(rule)s" + }, + "m.image": "%(senderDisplayName)s wysłał obraz.", + "m.sticker": "%(senderDisplayName)s wysłał naklejkę.", + "m.room.server_acl": { + "set": "%(senderDisplayName)s ustawił ACLe serwera dla pokoju.", + "changed": "%(senderDisplayName)s zmienił ACLe serwera dla pokoju.", + "all_servers_banned": "🎉 Wszystkie serwery zostały wykluczone z uczestnictwa! Ten pokój nie może być już używany." + }, + "m.room.canonical_alias": { + "set": "%(senderName)s ustawił główny adres dla tego pokoju na %(address)s.", + "removed": "%(senderName)s usunął główny adres tego pokoju." + } } } diff --git a/src/i18n/strings/pt.json b/src/i18n/strings/pt.json index a12edec23d2..0e89666fbf2 100644 --- a/src/i18n/strings/pt.json +++ b/src/i18n/strings/pt.json @@ -7,7 +7,6 @@ "Are you sure you want to reject the invitation?": "Você tem certeza que deseja rejeitar este convite?", "Banned users": "Usuárias/os banidas/os", "Bans user with given id": "Banir usuários com o identificador informado", - "%(senderDisplayName)s changed the topic to \"%(topic)s\".": "%(senderDisplayName)s mudou o tópico para \"%(topic)s\".", "Changes your display nickname": "Troca o seu apelido", "Commands": "Comandos", "Confirm password": "Confirmar palavra-passe", @@ -86,7 +85,6 @@ "%(weekDayName)s, %(monthName)s %(day)s %(time)s": "%(weekDayName)s, %(day)s de %(monthName)s às %(time)s", "%(weekDayName)s %(time)s": "%(weekDayName)s às %(time)s", "%(senderName)s changed the power level of %(powerLevelDiffText)s.": "%(senderName)s alterou o nível de permissões de %(powerLevelDiffText)s.", - "%(senderDisplayName)s changed the room name to %(roomName)s.": "%(senderDisplayName)s alterou o nome da sala para %(roomName)s.", "Failed to send request.": "Não foi possível mandar requisição.", "Failed to verify email address: make sure you clicked the link in the email": "Não foi possível verificar o endereço de email: verifique se você realmente clicou no link que está no seu email", "Failure to create room": "Não foi possível criar a sala", @@ -103,7 +101,6 @@ "%(brand)s does not have permission to send you notifications - please check your browser settings": "%(brand)s não tem permissões para enviar notificações a você - por favor, verifique as configurações do seu navegador", "%(brand)s was not given permission to send notifications - please try again": "%(brand)s não tem permissões para enviar notificações a você - por favor, tente novamente", "Room %(roomId)s not visible": "A sala %(roomId)s não está visível", - "%(senderDisplayName)s sent an image.": "%(senderDisplayName)s enviou uma imagem.", "%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": "%(senderName)s enviou um convite para %(targetDisplayName)s entrar na sala.", "This email address is already in use": "Este endereço de email já está sendo usado", "This email address was not found": "Este endereço de email não foi encontrado", @@ -161,7 +158,6 @@ "Operation failed": "A operação falhou", "%(brand)s version:": "versão do %(brand)s:", "Warning!": "Atenção!", - "%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s apagou o nome da sala.", "Passphrases must match": "As frases-passe devem coincidir", "Passphrase must not be empty": "A frase-passe não pode estar vazia", "Export room keys": "Exportar chaves de sala", @@ -224,7 +220,6 @@ "Start authentication": "Iniciar autenticação", "New Password": "Nova Palavra-Passe", "Can't connect to homeserver - please check your connectivity, ensure your homeserver's SSL certificate is trusted, and that a browser extension is not blocking requests.": "Não foi possível conectar ao Servidor de Base. Por favor, confira sua conectividade à internet, garanta que o certificado SSL do Servidor de Base é confiável, e que uma extensão do navegador não esteja bloqueando as requisições de rede.", - "Unnamed Room": "Sala sem nome", "Home": "Início", "Something went wrong!": "Algo deu errado!", "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (nível de permissão %(powerLevelNumber)s)", @@ -258,7 +253,6 @@ "Ignores a user, hiding their messages from you": "Ignora um utilizador, deixando de mostrar as mensagens dele", "Banned by %(displayName)s": "Banido por %(displayName)s", "Sunday": "Domingo", - "Messages sent by bot": "Mensagens enviadas por bots", "Notification targets": "Alvos de notificação", "Today": "Hoje", "Friday": "Sexta-feira", @@ -267,8 +261,6 @@ "Changelog": "Histórico de alterações", "Waiting for response from server": "À espera de resposta do servidor", "This Room": "Esta sala", - "Messages containing my display name": "Mensagens contendo o meu nome público", - "Messages in one-to-one chats": "Mensagens em conversas pessoais", "Unavailable": "Indisponível", "Source URL": "URL fonte", "Failed to add tag %(tagName)s to room": "Falha ao adicionar %(tagName)s à sala", @@ -285,13 +277,10 @@ "Invite to this room": "Convidar para esta sala", "Send": "Enviar", "All messages": "Todas as mensagens", - "Call invitation": "Convite para chamada", "What's new?": "O que há de novo?", - "When I'm invited to a room": "Quando sou convidado para uma sala", "All Rooms": "Todas as salas", "You cannot delete this message. (%(code)s)": "Não pode apagar esta mensagem. (%(code)s)", "Thursday": "Quinta-feira", - "Messages in group chats": "Mensagens em salas", "Yesterday": "Ontem", "Error encountered (%(errorDetail)s).": "Erro encontrado (%(errorDetail)s).", "Low Priority": "Baixa prioridade", @@ -491,7 +480,6 @@ "Use email or phone to optionally be discoverable by existing contacts.": "Use email ou telefone para, opcionalmente, ser detectável por contactos existentes.", "Invite by username": "Convidar por nome de utilizador", "Already have an account? Sign in here": "Já tem uma conta? Entre aqui", - "Messages containing my username": "Mensagens contendo o meu nome de utilizador", "Use an email address to recover your account": "Usar um endereço de email para recuperar a sua conta", "Malta": "Malta", "Other": "Outros", @@ -704,7 +692,8 @@ "camera": "Câmera de vídeo", "microphone": "Microfone", "emoji": "Emoji", - "someone": "Alguém" + "someone": "Alguém", + "unnamed_room": "Sala sem nome" }, "action": { "continue": "Continuar", @@ -777,7 +766,16 @@ "always_show_message_timestamps": "Sempre mostrar as datas das mensagens", "replace_plain_emoji": "Substituir Emoji de texto automaticamente", "automatic_language_detection_syntax_highlight": "Ativar deteção automática da linguagem para realce da sintaxe", - "start_automatically": "Iniciar automaticamente ao iniciar o sistema" + "start_automatically": "Iniciar automaticamente ao iniciar o sistema", + "notifications": { + "rule_contains_display_name": "Mensagens contendo o meu nome público", + "rule_contains_user_name": "Mensagens contendo o meu nome de utilizador", + "rule_room_one_to_one": "Mensagens em conversas pessoais", + "rule_message": "Mensagens em salas", + "rule_invite_for_me": "Quando sou convidado para uma sala", + "rule_call": "Convite para chamada", + "rule_suppress_notices": "Mensagens enviadas por bots" + } }, "devtools": { "event_type": "Tipo de evento", @@ -785,5 +783,13 @@ "event_sent": "Evento enviado!", "event_content": "Conteúdo do evento", "developer_tools": "Ferramentas de desenvolvedor" + }, + "timeline": { + "m.room.topic": "%(senderDisplayName)s mudou o tópico para \"%(topic)s\".", + "m.room.name": { + "remove": "%(senderDisplayName)s apagou o nome da sala.", + "set": "%(senderDisplayName)s alterou o nome da sala para %(roomName)s." + }, + "m.image": "%(senderDisplayName)s enviou uma imagem." } } diff --git a/src/i18n/strings/pt_BR.json b/src/i18n/strings/pt_BR.json index 944573dd41d..47015fde745 100644 --- a/src/i18n/strings/pt_BR.json +++ b/src/i18n/strings/pt_BR.json @@ -7,7 +7,6 @@ "Are you sure you want to reject the invitation?": "Tem certeza de que deseja recusar o convite?", "Banned users": "Usuários banidos", "Bans user with given id": "Bane o usuário com o ID indicado", - "%(senderDisplayName)s changed the topic to \"%(topic)s\".": "%(senderDisplayName)s alterou a descrição para \"%(topic)s\".", "Changes your display nickname": "Altera o seu nome e sobrenome", "Commands": "Comandos", "Confirm password": "Confirme a nova senha", @@ -86,7 +85,6 @@ "%(weekDayName)s, %(monthName)s %(day)s %(time)s": "%(weekDayName)s, %(day)s de %(monthName)s às %(time)s", "%(weekDayName)s %(time)s": "%(weekDayName)s às %(time)s", "%(senderName)s changed the power level of %(powerLevelDiffText)s.": "%(senderName)s alterou o nível de permissão de %(powerLevelDiffText)s.", - "%(senderDisplayName)s changed the room name to %(roomName)s.": "%(senderDisplayName)s alterou o nome da sala para %(roomName)s.", "Failed to send request.": "Não foi possível mandar requisição.", "Failed to verify email address: make sure you clicked the link in the email": "Falha ao confirmar o endereço de e-mail: certifique-se de clicar no link do e-mail", "Failure to create room": "Não foi possível criar a sala", @@ -103,7 +101,6 @@ "%(brand)s does not have permission to send you notifications - please check your browser settings": "%(brand)s não tem permissão para lhe enviar notificações - confirme as configurações do seu navegador", "%(brand)s was not given permission to send notifications - please try again": "%(brand)s não tem permissão para lhe enviar notificações - tente novamente", "Room %(roomId)s not visible": "A sala %(roomId)s não está visível", - "%(senderDisplayName)s sent an image.": "%(senderDisplayName)s enviou uma imagem.", "%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": "%(senderName)s enviou um convite para %(targetDisplayName)s entrar na sala.", "This email address is already in use": "Este endereço de email já está em uso", "This email address was not found": "Este endereço de e-mail não foi encontrado", @@ -161,7 +158,6 @@ "Operation failed": "A operação falhou", "%(brand)s version:": "versão do %(brand)s:", "Warning!": "Atenção!", - "%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s apagou o nome da sala.", "Passphrases must match": "As senhas têm que ser iguais", "Passphrase must not be empty": "A frase não pode estar em branco", "Export room keys": "Exportar chaves de sala", @@ -223,7 +219,6 @@ "%(roomName)s does not exist.": "%(roomName)s não existe.", "%(roomName)s is not accessible at this time.": "%(roomName)s não está acessível neste momento.", "Start authentication": "Iniciar autenticação", - "Unnamed Room": "Sala sem nome", "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (nível de permissão %(powerLevelNumber)s)", "(~%(count)s results)": { "one": "(~%(count)s resultado)", @@ -394,11 +389,8 @@ "Changelog": "Registro de alterações", "Waiting for response from server": "Aguardando a resposta do servidor", "This Room": "Esta sala", - "Messages containing my display name": "Mensagens contendo meu nome e sobrenome", - "Messages in one-to-one chats": "Mensagens em conversas individuais", "Unavailable": "Indisponível", "Source URL": "Link do código-fonte", - "Messages sent by bot": "Mensagens enviadas por bots", "Filter results": "Filtrar resultados", "No update available.": "Nenhuma atualização disponível.", "Noisy": "Ativado com som", @@ -410,14 +402,11 @@ "Collecting logs": "Coletando logs", "Invite to this room": "Convidar para esta sala", "All messages": "Todas as mensagens novas", - "Call invitation": "Recebendo chamada", "What's new?": "O que há de novidades?", - "When I'm invited to a room": "Quando eu for convidada(o) a uma sala", "All Rooms": "Todas as salas", "You cannot delete this message. (%(code)s)": "Você não pode apagar esta mensagem. (%(code)s)", "Thursday": "Quinta-feira", "Show message in desktop notification": "Mostrar a mensagem na notificação da área de trabalho", - "Messages in group chats": "Mensagens em salas", "Yesterday": "Ontem", "Error encountered (%(errorDetail)s).": "Erro encontrado (%(errorDetail)s).", "Low Priority": "Baixa prioridade", @@ -430,8 +419,6 @@ "Missing roomId.": "RoomId ausente.", "Opens the Developer Tools dialog": "Abre a caixa de diálogo Ferramentas do desenvolvedor", "Forces the current outbound group session in an encrypted room to be discarded": "Força a atual sessão da comunidade em uma sala criptografada a ser descartada", - "%(senderName)s set the main address for this room to %(address)s.": "%(senderName)s definiu o endereço principal desta sala como %(address)s.", - "%(senderName)s removed the main address for this room.": "%(senderName)s removeu o endereço principal desta sala.", "This homeserver has hit its Monthly Active User limit.": "Este homeserver atingiu seu limite de usuário ativo mensal.", "This homeserver has exceeded one of its resource limits.": "Este servidor local ultrapassou um dos seus limites de recursos.", "You do not have permission to invite people to this room.": "Você não tem permissão para convidar pessoas para esta sala.", @@ -465,9 +452,6 @@ "Please contact your homeserver administrator.": "Por favor, entre em contato com o administrador do seu homeserver.", "Send analytics data": "Enviar dados analíticos", "Enable widget screenshots on supported widgets": "Ativar capturas de tela do widget em widgets suportados", - "Messages containing @room": "Mensagens contendo @room", - "Encrypted messages in one-to-one chats": "Mensagens criptografadas em conversas individuais", - "Encrypted messages in group chats": "Mensagens criptografadas em salas", "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", @@ -563,20 +547,12 @@ "Sets the room name": "Altera o nome da sala", "The file '%(fileName)s' exceeds this homeserver's size limit for uploads": "O arquivo '%(fileName)s' excede o limite de tamanho deste homeserver para uploads", "Changes your display nickname in the current room only": "Altera o seu nome e sobrenome apenas nesta sala", - "%(senderDisplayName)s upgraded this room.": "%(senderDisplayName)s atualizou esta sala.", - "%(senderDisplayName)s made the room public to whoever knows the link.": "%(senderDisplayName)s tornou a sala pública para quem conhece o link.", - "%(senderDisplayName)s made the room invite only.": "%(senderDisplayName)s tornou a sala disponível apenas por convite.", - "%(senderDisplayName)s changed the join rule to %(rule)s": "%(senderDisplayName)s alterou a regra de entrada para %(rule)s", - "%(senderDisplayName)s has allowed guests to join the room.": "%(senderDisplayName)s permitiu que os convidados entrem na sala.", - "%(senderDisplayName)s has prevented guests from joining the room.": "%(senderDisplayName)s impediu que convidados entrassem na sala.", - "%(senderDisplayName)s changed guest access to %(rule)s": "%(senderDisplayName)s alterou a permissão de acesso de convidados para %(rule)s", "%(displayName)s is typing …": "%(displayName)s está digitando…", "%(names)s and %(count)s others are typing …": { "other": "%(names)s e %(count)s outras pessoas estão digitando…", "one": "%(names)s e outra pessoa estão digitando…" }, "%(names)s and %(lastPerson)s are typing …": "%(names)s e %(lastPerson)s estão digitando…", - "Messages containing my username": "Mensagens contendo meu nome de usuário", "The other party cancelled the verification.": "Seu contato cancelou a confirmação.", "Verified!": "Confirmado!", "You've successfully verified this user.": "Você confirmou este usuário com sucesso.", @@ -746,7 +722,6 @@ "Send a bug report with logs": "Envia um relatório de erro", "Opens chat with the given user": "Abre um chat com determinada pessoa", "Sends a message to the given user": "Envia uma mensagem para determinada pessoa", - "%(senderDisplayName)s changed the room name from %(oldRoomName)s to %(newRoomName)s.": "%(senderDisplayName)s alterou o nome da sala de %(oldRoomName)s para %(newRoomName)s.", "%(senderName)s added the alternative addresses %(addresses)s for this room.": { "other": "%(senderName)s adicionou os endereços alternativos %(addresses)s desta sala.", "one": "%(senderName)s adicionou o endereço alternativo %(addresses)s desta sala." @@ -758,10 +733,6 @@ "%(senderName)s changed the alternative addresses for this room.": "%(senderName)s alterou os endereços alternativos desta sala.", "%(senderName)s changed the main and alternative addresses for this room.": "%(senderName)s alterou os endereços principal e alternativos desta sala.", "%(senderName)s changed the addresses for this room.": "%(senderName)s alterou os endereços desta sala.", - "%(senderName)s placed a voice call.": "%(senderName)s iniciou uma chamada de voz.", - "%(senderName)s placed a voice call. (not supported by this browser)": "%(senderName)s iniciou uma chamada de voz. (não suportada por este navegador)", - "%(senderName)s placed a video call.": "%(senderName)s iniciou uma chamada de vídeo.", - "%(senderName)s placed a video call. (not supported by this browser)": "%(senderName)s iniciou uma chamada de vídeo. (não suportada por este navegador)", "%(senderName)s revoked the invitation for %(targetDisplayName)s to join the room.": "%(senderName)s cancelou o convite para %(targetDisplayName)s entrar na sala.", "%(senderName)s removed the rule banning users matching %(glob)s": "%(senderName)s removeu a regra que bane usuários que correspondem a %(glob)s", "%(senderName)s removed the rule banning rooms matching %(glob)s": "%(senderName)s removeu a regra que bane salas que correspondem a %(glob)s", @@ -830,7 +801,6 @@ "How fast should messages be downloaded.": "Com qual rapidez as mensagens devem ser baixadas.", "Manually verify all remote sessions": "Verificar manualmente todas as sessões remotas", "IRC display name width": "Largura do nome e sobrenome nas mensagens", - "When rooms are upgraded": "Quando a versão da sala é atualizada", "My Ban List": "Minha lista de banidos", "This is your list of users/servers you have blocked - don't leave the room!": "Esta é a sua lista de usuárias(os)/servidores que você bloqueou - não saia da sala!", "Unknown caller": "Pessoa desconhecida ligando", @@ -921,8 +891,6 @@ "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.", "Enable end-to-end encryption": "Ativar a criptografia de ponta a ponta", - "Create a public room": "Criar uma sala pública", - "Create a private room": "Criar uma sala privada", "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.": "Você já usou uma versão mais recente do %(brand)s nesta sessão. Para usar esta versão novamente com a criptografia de ponta a ponta, você terá que se desconectar e entrar novamente.", "Verify this user to mark them as trusted. Trusting users gives you extra peace of mind when using end-to-end encrypted messages.": "Confirme este usuário para torná-lo confiável. Confiar nos usuários fornece segurança adicional ao trocar mensagens criptografadas de ponta a ponta.", "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.": "Confirme este aparelho para torná-lo confiável. Confiar neste aparelho fornecerá segurança adicional para você e aos outros ao trocarem mensagens criptografadas de ponta a ponta.", @@ -1533,10 +1501,7 @@ "Activate selected button": "Apertar no botão selecionado", "Toggle right panel": "Alternar o painel na direita", "Cancel autocomplete": "Cancelar o preenchimento automático", - "%(senderDisplayName)s changed the server ACLs for this room.": "%(senderDisplayName)s alterou a lista de controle de acesso do servidor para esta sala.", - "%(senderDisplayName)s set the server ACLs for this room.": "%(senderDisplayName)s definiu a lista de controle de acesso do servidor para esta sala.", "The call could not be established": "Não foi possível iniciar a chamada", - "🎉 All servers are banned from participating! This room can no longer be used.": "🎉 Todos os servidores foram banidos desta sala! Esta sala não pode mais ser utilizada.", "You can only pin up to %(count)s widgets": { "other": "Você pode fixar até %(count)s widgets" }, @@ -2010,7 +1975,6 @@ "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.", - "Unnamed Space": "Espaço sem nome", "Invite to %(spaceName)s": "Convidar para %(spaceName)s", "Create a new room": "Criar uma nova sala", "Spaces": "Espaços", @@ -2041,11 +2005,6 @@ "Could not connect to identity server": "Não foi possível conectar-se ao servidor de identidade", "Not a valid identity server (status code %(code)s)": "Servidor de identidade inválido (código de status %(code)s)", "Identity server URL must be HTTPS": "O link do servidor de identidade deve começar com HTTPS", - "%(senderName)s banned %(targetName)s": "%(senderName)s baniu %(targetName)s", - "%(senderName)s banned %(targetName)s: %(reason)s": "%(senderName)s baniu %(targetName)s: %(reason)s", - "%(senderName)s invited %(targetName)s": "%(senderName)s convidou %(targetName)s", - "%(targetName)s accepted an invitation": "%(targetName)s aceitou o convite", - "%(targetName)s accepted the invitation for %(displayName)s": "%(targetName)s aceitou o convite para %(displayName)s", "Sends the given message as a spoiler": "Envia esta mensagem como spoiler", "Some invites couldn't be sent": "Alguns convites não puderam ser enviados", "We sent the others, but the below people couldn't be invited to ": "Nós enviamos aos outros, mas as pessoas abaixo não puderam ser convidadas para ", @@ -2111,20 +2070,6 @@ "See when people join, leave, or are invited to your active room": "Ver quando as pessoas entram, saem, ou são convidadas para sua sala ativa", "See when people join, leave, or are invited to this room": "Ver quando as pessoas entrarem, sairem ou são convidadas para esta sala", "%(senderName)s changed the pinned messages for the room.": "%(senderName)s mudou a mensagem fixada da sala.", - "%(senderName)s withdrew %(targetName)s's invitation": "%(senderName)s recusou o convite de %(targetName)s", - "%(senderName)s withdrew %(targetName)s's invitation: %(reason)s": "%(senderName)s recusou o convite de %(targetName)s: %(reason)s", - "%(senderName)s unbanned %(targetName)s": "%(senderName)s desbaniu %(targetName)s", - "%(targetName)s left the room": "%(targetName)s saiu da sala", - "%(targetName)s left the room: %(reason)s": "%(targetName)s saiu da sala: %(reason)s", - "%(targetName)s rejected the invitation": "%(targetName)s rejeitou o convite", - "%(targetName)s joined the room": "%(targetName)s entrou na sala", - "%(senderName)s made no change": "%(senderName)s não fez mudanças", - "%(senderName)s set a profile picture": "%(senderName)s definiu sua foto de perfil", - "%(senderName)s changed their profile picture": "%(senderName)s mudou sua foto de perfil", - "%(senderName)s removed their profile picture": "%(senderName)s removeu sua foto de perfil", - "%(senderName)s removed their display name (%(oldDisplayName)s)": "%(senderName)s removeu seu nome de exibição (%(oldDisplayName)s)", - "%(senderName)s set their display name to %(displayName)s": "%(senderName)s definiu seu nome de exibição para %(displayName)s", - "%(oldDisplayName)s changed their display name to %(displayName)s": "%(oldDisplayName)s mudou seu nome de exibição para %(displayName)s", "Your access token gives full access to your account. Do not share it with anyone.": "Seu token de acesso dá acesso total à sua conta. Não o compartilhe com ninguém.", "Olm version:": "Versão do Olm:", "There was an error loading your notification settings.": "Um erro ocorreu ao carregar suas configurações de notificação.", @@ -2248,19 +2193,9 @@ "Enter a number between %(min)s and %(max)s": "Insira um número entre %(min)s e %(max)s", "In reply to this message": "Em resposta a esta mensagem", "Export chat": "Exportar conversa", - "File Attached": "Arquivo Anexado", - "Topic: %(topic)s": "Tópico: %(topic)s", - "%(creatorName)s created this room.": "%(creatorName)s criou esta sala.", - "Plain Text": "Texto Simples", - "JSON": "JSON", - "HTML": "HTML", - "%(senderDisplayName)s sent a sticker.": "%(senderDisplayName)s enviou uma figurinha.", "Light high contrast": "Claro (alto contraste)", - "%(senderDisplayName)s changed who can join this room.": "%(senderDisplayName)s modificou quem pode se juntar a esta sala.", - "%(senderDisplayName)s changed who can join this room. View settings.": "%(senderDisplayName)s modificou quem pode se juntar a esta sala. Ver configurações.", "Space selection": "Seleção de Espaços", "Use a more compact 'Modern' layout": "Usar um layout \"moderno\" mais compacto", - "%(senderDisplayName)s changed the room avatar.": "%(senderDisplayName)s mudou a foto da sala.", "%(spaceName)s and %(count)s others": { "one": "%(spaceName)s e %(count)s outro", "other": "%(spaceName)s e %(count)s outros" @@ -2268,9 +2203,6 @@ "Experimental": "Experimental", "Themes": "Temas", "Moderation": "Moderação", - "This is the start of export of . Exported by at %(exportDate)s.": "Este é o início da exportação da sala . Exportado por às %(exportDate)s.", - "Media omitted - file size limit exceeded": "Mídia omitida - tamanho do arquivo excede o limite", - "Media omitted": "Mídia omitida", "Developer": "Desenvolvedor", "Messaging": "Mensagens", "Other rooms": "Outras salas", @@ -2278,10 +2210,6 @@ "You previously consented to share anonymous usage data with us. We're updating how that works.": "Você consentiu anteriormente em compartilhar dados de uso anônimos conosco. Estamos atualizando como isso funciona.", "Help improve %(analyticsOwner)s": "Ajude a melhorar %(analyticsOwner)s", "That's fine": "Isso é bom", - "Current Timeline": "Linha do tempo atual", - "Specify a number of messages": "Especifique um número de mensagens", - "From the beginning": "Do começo", - "Are you sure you want to exit during this export?": "Tem certeza de que deseja sair durante esta exportação?", "The above, but in as well": "O de cima, mas em também", "The above, but in any room you are joined or invited to as well": "Acima, mas em qualquer sala em que você participe ou seja convidado também", "%(senderName)s has updated the room layout": "%(senderName)s atualizou o layout da sala", @@ -2291,7 +2219,6 @@ "Connectivity to the server has been lost": "A conectividade com o servidor foi perdida", "You cannot place calls in this browser.": "Você não pode fazer chamadas neste navegador.", "Calls are unsupported": "Chamadas não suportadas", - "Error fetching file": "Erro ao buscar arquivo", "Cross-signing is ready but keys are not backed up.": "A verificação está pronta mas as chaves não tem um backup configurado.", "Sends the given message with a space themed effect": "Envia a mensagem com um efeito com tema espacial", "Search %(spaceName)s": "Pesquisar %(spaceName)s", @@ -2453,9 +2380,6 @@ "Public rooms": "Salas públicas", "%(qrCode)s or %(appLinks)s": "%(qrCode)s ou %(appLinks)s", "%(qrCode)s or %(emojiCompare)s": "%(qrCode)s ou %(emojiCompare)s", - "Create a video room": "Criar uma sala de vídeo", - "Create video room": "Criar sala de vídeo", - "Create room": "Criar sala", "Add new server…": "Adicionar um novo servidor…", "were removed %(count)s times": { "other": "foram removidos %(count)s vezes", @@ -2498,8 +2422,6 @@ "Turn off camera": "Desligar câmera", "Turn on camera": "Ligar câmera", "Enable hardware acceleration": "Habilitar aceleração de hardware", - "Export successful!": "Exportação realizada com sucesso!", - "Generating a ZIP": "Gerando um ZIP", "User is already in the space": "O usuário já está no espaço", "User is already in the room": "O usuário já está na sala", "User does not exist": "O usuário não existe", @@ -2509,10 +2431,6 @@ "%(senderName)s has ended a poll": "%(senderName)s encerrou uma enquete", "%(senderName)s has started a poll - %(pollQuestion)s": "%(senderName)s começou uma enquete - %(pollQuestion)s", "%(senderName)s has shared their location": "%(senderName)s compartilhou sua localização", - "%(senderName)s removed %(targetName)s": "%(senderName)s removeu %(targetName)s", - "%(senderName)s removed %(targetName)s: %(reason)s": "%(senderName)s removeu %(targetName)s: %(reason)s", - "Video call started in %(roomName)s. (not supported by this browser)": "Chamada de vídeo iniciada em %(roomName)s. (não compatível com este navegador)", - "Video call started in %(roomName)s.": "Chamada de vídeo iniciada em %(roomName)s.", "No active call in this room": "Nenhuma chamada ativa nesta sala", "Unable to find Matrix ID for phone number": "Não foi possível encontrar o ID Matrix pelo número de telefone", "Unknown (user, session) pair: (%(userId)s, %(deviceId)s)": "Par desconhecido (usuário, sessão): (%(userId)s, %(deviceId)s)", @@ -2579,11 +2497,6 @@ }, "Current session": "Sessão atual", "Developer tools": "Ferramentas de desenvolvimento", - "Processing event %(number)s out of %(total)s": "Processando evento %(number)s de %(total)s", - "Exported %(count)s events in %(seconds)s seconds": { - "one": "%(count)s evento exportado em %(seconds)s segundos", - "other": "%(count)s eventos exportados em %(seconds)s segundos" - }, "Yes, stop broadcast": "Sim, interromper a transmissão", "Stop live broadcasting?": "Parar a transmissão ao vivo?", "Someone else is already recording a voice broadcast. Wait for their voice broadcast to end to start a new one.": "Outra pessoa já está gravando uma transmissão de voz. Aguarde o término da transmissão de voz para iniciar uma nova.", @@ -2685,7 +2598,9 @@ "ios": "iOS", "android": "Android", "trusted": "Confiável", - "not_trusted": "Não confiável" + "not_trusted": "Não confiável", + "unnamed_room": "Sala sem nome", + "unnamed_space": "Espaço sem nome" }, "action": { "continue": "Continuar", @@ -2897,7 +2812,20 @@ "jump_to_bottom_on_send": "Vá para o final da linha do tempo ao enviar uma mensagem", "prompt_invite": "Avisar antes de enviar convites para IDs da Matrix potencialmente inválidas", "start_automatically": "Iniciar automaticamente ao iniciar o sistema", - "warn_quit": "Avisar antes de sair" + "warn_quit": "Avisar antes de sair", + "notifications": { + "rule_contains_display_name": "Mensagens contendo meu nome e sobrenome", + "rule_contains_user_name": "Mensagens contendo meu nome de usuário", + "rule_roomnotif": "Mensagens contendo @room", + "rule_room_one_to_one": "Mensagens em conversas individuais", + "rule_message": "Mensagens em salas", + "rule_encrypted": "Mensagens criptografadas em salas", + "rule_invite_for_me": "Quando eu for convidada(o) a uma sala", + "rule_call": "Recebendo chamada", + "rule_suppress_notices": "Mensagens enviadas por bots", + "rule_tombstone": "Quando a versão da sala é atualizada", + "rule_encrypted_room_one_to_one": "Mensagens criptografadas em conversas individuais" + } }, "devtools": { "event_type": "Tipo do Evento", @@ -2926,5 +2854,101 @@ "toolbox": "Ferramentas", "developer_tools": "Ferramentas do desenvolvedor", "room_id": "ID da sala: %(roomId)s" + }, + "export_chat": { + "html": "HTML", + "json": "JSON", + "text": "Texto Simples", + "from_the_beginning": "Do começo", + "number_of_messages": "Especifique um número de mensagens", + "current_timeline": "Linha do tempo atual", + "export_successful": "Exportação realizada com sucesso!", + "unload_confirm": "Tem certeza de que deseja sair durante esta exportação?", + "generating_zip": "Gerando um ZIP", + "processing_event_n": "Processando evento %(number)s de %(total)s", + "exported_n_events_in_time": { + "one": "%(count)s evento exportado em %(seconds)s segundos", + "other": "%(count)s eventos exportados em %(seconds)s segundos" + }, + "media_omitted": "Mídia omitida", + "media_omitted_file_size": "Mídia omitida - tamanho do arquivo excede o limite", + "creator_summary": "%(creatorName)s criou esta sala.", + "export_info": "Este é o início da exportação da sala . Exportado por às %(exportDate)s.", + "topic": "Tópico: %(topic)s", + "error_fetching_file": "Erro ao buscar arquivo", + "file_attached": "Arquivo Anexado" + }, + "create_room": { + "title_video_room": "Criar uma sala de vídeo", + "title_public_room": "Criar uma sala pública", + "title_private_room": "Criar uma sala privada", + "action_create_video_room": "Criar sala de vídeo", + "action_create_room": "Criar sala" + }, + "timeline": { + "m.call": { + "video_call_started": "Chamada de vídeo iniciada em %(roomName)s.", + "video_call_started_unsupported": "Chamada de vídeo iniciada em %(roomName)s. (não compatível com este navegador)" + }, + "m.call.invite": { + "voice_call": "%(senderName)s iniciou uma chamada de voz.", + "voice_call_unsupported": "%(senderName)s iniciou uma chamada de voz. (não suportada por este navegador)", + "video_call": "%(senderName)s iniciou uma chamada de vídeo.", + "video_call_unsupported": "%(senderName)s iniciou uma chamada de vídeo. (não suportada por este navegador)" + }, + "m.room.member": { + "accepted_3pid_invite": "%(targetName)s aceitou o convite para %(displayName)s", + "accepted_invite": "%(targetName)s aceitou o convite", + "invite": "%(senderName)s convidou %(targetName)s", + "ban_reason": "%(senderName)s baniu %(targetName)s: %(reason)s", + "ban": "%(senderName)s baniu %(targetName)s", + "change_name": "%(oldDisplayName)s mudou seu nome de exibição para %(displayName)s", + "set_name": "%(senderName)s definiu seu nome de exibição para %(displayName)s", + "remove_name": "%(senderName)s removeu seu nome de exibição (%(oldDisplayName)s)", + "remove_avatar": "%(senderName)s removeu sua foto de perfil", + "change_avatar": "%(senderName)s mudou sua foto de perfil", + "set_avatar": "%(senderName)s definiu sua foto de perfil", + "no_change": "%(senderName)s não fez mudanças", + "join": "%(targetName)s entrou na sala", + "reject_invite": "%(targetName)s rejeitou o convite", + "left_reason": "%(targetName)s saiu da sala: %(reason)s", + "left": "%(targetName)s saiu da sala", + "unban": "%(senderName)s desbaniu %(targetName)s", + "withdrew_invite_reason": "%(senderName)s recusou o convite de %(targetName)s: %(reason)s", + "withdrew_invite": "%(senderName)s recusou o convite de %(targetName)s", + "kick_reason": "%(senderName)s removeu %(targetName)s: %(reason)s", + "kick": "%(senderName)s removeu %(targetName)s" + }, + "m.room.topic": "%(senderDisplayName)s alterou a descrição para \"%(topic)s\".", + "m.room.avatar": "%(senderDisplayName)s mudou a foto da sala.", + "m.room.name": { + "remove": "%(senderDisplayName)s apagou o nome da sala.", + "change": "%(senderDisplayName)s alterou o nome da sala de %(oldRoomName)s para %(newRoomName)s.", + "set": "%(senderDisplayName)s alterou o nome da sala para %(roomName)s." + }, + "m.room.tombstone": "%(senderDisplayName)s atualizou esta sala.", + "m.room.join_rules": { + "public": "%(senderDisplayName)s tornou a sala pública para quem conhece o link.", + "invite": "%(senderDisplayName)s tornou a sala disponível apenas por convite.", + "restricted_settings": "%(senderDisplayName)s modificou quem pode se juntar a esta sala. Ver configurações.", + "restricted": "%(senderDisplayName)s modificou quem pode se juntar a esta sala.", + "unknown": "%(senderDisplayName)s alterou a regra de entrada para %(rule)s" + }, + "m.room.guest_access": { + "can_join": "%(senderDisplayName)s permitiu que os convidados entrem na sala.", + "forbidden": "%(senderDisplayName)s impediu que convidados entrassem na sala.", + "unknown": "%(senderDisplayName)s alterou a permissão de acesso de convidados para %(rule)s" + }, + "m.image": "%(senderDisplayName)s enviou uma imagem.", + "m.sticker": "%(senderDisplayName)s enviou uma figurinha.", + "m.room.server_acl": { + "set": "%(senderDisplayName)s definiu a lista de controle de acesso do servidor para esta sala.", + "changed": "%(senderDisplayName)s alterou a lista de controle de acesso do servidor para esta sala.", + "all_servers_banned": "🎉 Todos os servidores foram banidos desta sala! Esta sala não pode mais ser utilizada." + }, + "m.room.canonical_alias": { + "set": "%(senderName)s definiu o endereço principal desta sala como %(address)s.", + "removed": "%(senderName)s removeu o endereço principal desta sala." + } } } diff --git a/src/i18n/strings/ru.json b/src/i18n/strings/ru.json index 677c68a5e1b..4196482fcbf 100644 --- a/src/i18n/strings/ru.json +++ b/src/i18n/strings/ru.json @@ -50,8 +50,6 @@ "Who can read history?": "Кто может читать историю?", "You do not have permission to post to this room": "Вы не можете писать в эту комнату", "%(senderName)s changed the power level of %(powerLevelDiffText)s.": "%(senderName)s изменил(а) уровни прав %(powerLevelDiffText)s.", - "%(senderDisplayName)s changed the room name to %(roomName)s.": "%(senderDisplayName)s изменил(а) название комнаты на %(roomName)s.", - "%(senderDisplayName)s changed the topic to \"%(topic)s\".": "%(senderDisplayName)s изменил(а) тему комнаты на \"%(topic)s\".", "Failed to send request.": "Не удалось отправить запрос.", "Failed to verify email address: make sure you clicked the link in the email": "Не удалось проверить email: убедитесь, что вы перешли по ссылке в письме", "Failure to create room": "Не удалось создать комнату", @@ -132,7 +130,6 @@ "Room %(roomId)s not visible": "Комната %(roomId)s невидима", "Rooms": "Комнаты", "Search failed": "Поиск не удался", - "%(senderDisplayName)s sent an image.": "%(senderDisplayName)s отправил(а) изображение.", "%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": "%(senderName)s пригласил(а) %(targetDisplayName)s в комнату.", "This email address is already in use": "Этот адрес электронной почты уже используется", "This email address was not found": "Этот адрес электронной почты не найден", @@ -153,7 +150,6 @@ "You may need to manually permit %(brand)s to access your microphone/webcam": "Вам необходимо предоставить %(brand)s доступ к микрофону или веб-камере вручную", "Anyone": "Все", "Are you sure you want to leave the room '%(roomName)s'?": "Уверены, что хотите покинуть '%(roomName)s'?", - "%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s удалил(а) название комнаты.", "Custom level": "Специальные права", "Email address": "Электронная почта", "Error decrypting attachment": "Ошибка расшифровки вложения", @@ -226,7 +222,6 @@ }, "%(roomName)s does not exist.": "%(roomName)s не существует.", "%(roomName)s is not accessible at this time.": "%(roomName)s на данный момент недоступна.", - "Unnamed Room": "Комната без названия", "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (уровень прав %(powerLevelNumber)s)", "Can't connect to homeserver - please check your connectivity, ensure your homeserver's SSL certificate is trusted, and that a browser extension is not blocking requests.": "Не удается подключиться к домашнему серверу — проверьте подключение, убедитесь, что ваш SSL-сертификат домашнего сервера является доверенным и что расширение браузера не блокирует запросы.", "Not a valid %(brand)s keyfile": "Недействительный файл ключей %(brand)s", @@ -399,11 +394,8 @@ "Failed to send logs: ": "Не удалось отправить журналы: ", "This Room": "В этой комнате", "Noisy": "Вкл. (со звуком)", - "Messages containing my display name": "Сообщения с моим именем", - "Messages in one-to-one chats": "Сообщения в 1:1 чатах", "Unavailable": "Недоступен", "Source URL": "Исходная ссылка", - "Messages sent by bot": "Сообщения от ботов", "Filter results": "Фильтрация результатов", "No update available.": "Нет доступных обновлений.", "Collecting app version information": "Сбор информации о версии приложения", @@ -415,15 +407,12 @@ "Collecting logs": "Сбор журналов", "Invite to this room": "Пригласить в комнату", "All messages": "Все сообщения", - "Call invitation": "Звонки", "What's new?": "Что нового?", - "When I'm invited to a room": "Приглашения в комнаты", "All Rooms": "Везде", "You cannot delete this message. (%(code)s)": "Это сообщение нельзя удалить. (%(code)s)", "Thursday": "Четверг", "Logs sent": "Журналы отправлены", "Show message in desktop notification": "Показывать текст сообщения в уведомлениях на рабочем столе", - "Messages in group chats": "Сообщения в конференциях", "Yesterday": "Вчера", "Error encountered (%(errorDetail)s).": "Обнаружена ошибка (%(errorDetail)s).", "Low Priority": "Маловажные", @@ -475,9 +464,6 @@ "Upgrades a room to a new version": "Обновляет комнату до новой версии", "Sets the room name": "Устанавливает название комнаты", "Forces the current outbound group session in an encrypted room to be discarded": "Принудительно отбрасывает текущий групповой сеанс для отправки сообщений в зашифрованную комнату", - "%(senderDisplayName)s upgraded this room.": "%(senderDisplayName)s обновил(а) эту комнату.", - "%(senderName)s set the main address for this room to %(address)s.": "%(senderName)s установил(а) %(address)s в качестве главного адреса комнаты.", - "%(senderName)s removed the main address for this room.": "%(senderName)s удалил главный адрес комнаты.", "%(displayName)s is typing …": "%(displayName)s печатает…", "%(names)s and %(count)s others are typing …": { "other": "%(names)s и %(count)s других печатают…", @@ -517,10 +503,6 @@ "Straight rows of keys are easy to guess": "Прямые ряды клавиш легко угадываемы", "Short keyboard patterns are easy to guess": "Короткие клавиатурные шаблоны легко угадываемы", "Please contact your homeserver administrator.": "Пожалуйста, свяжитесь с администратором вашего сервера.", - "Messages containing my username": "Сообщения, содержащие имя моего пользователя", - "Messages containing @room": "Сообщения, содержащие @room", - "Encrypted messages in one-to-one chats": "Зашифрованные сообщения в персональных чатах", - "Encrypted messages in group chats": "Зашифрованные сообщения в групповых чатах", "The other party cancelled the verification.": "Другая сторона отменила проверку.", "Verified!": "Верифицировано!", "You've successfully verified this user.": "Вы успешно подтвердили этого пользователя.", @@ -650,12 +632,6 @@ "Prepends ¯\\_(ツ)_/¯ to a plain-text message": "Добавляет смайл ¯\\_(ツ)_/¯ в начало сообщения", "Changes your display nickname in the current room only": "Изменяет ваш псевдоним только для текущей комнаты", "Gets or sets the room topic": "Читает или устанавливает тему комнаты", - "%(senderDisplayName)s made the room public to whoever knows the link.": "%(senderDisplayName)s сделал(а) комнату публичной для всех, кто знает ссылку.", - "%(senderDisplayName)s made the room invite only.": "%(senderDisplayName)s сделал(а) комнату доступной только по приглашению.", - "%(senderDisplayName)s changed the join rule to %(rule)s": "%(senderDisplayName)s изменил(а) правило входа на \"%(rule)s\"", - "%(senderDisplayName)s has allowed guests to join the room.": "%(senderDisplayName)s разрешил(а) гостям входить в комнату.", - "%(senderDisplayName)s has prevented guests from joining the room.": "%(senderDisplayName)s запретил(а) гостям входить в комнату.", - "%(senderDisplayName)s changed guest access to %(rule)s": "%(senderDisplayName)s изменил(а) гостевой доступ на \"%(rule)s\"", "The user must be unbanned before they can be invited.": "Пользователь должен быть разблокирован прежде чем может быть приглашён.", "Verify this user by confirming the following emoji appear on their screen.": "Проверьте собеседника, убедившись, что на его экране отображаются следующие символы (смайлы).", "Unable to find a supported verification method.": "Невозможно определить поддерживаемый метод верификации.", @@ -702,7 +678,6 @@ "Unexpected error resolving homeserver configuration": "Неожиданная ошибка в настройках домашнего сервера", "The user's homeserver does not support the version of the room.": "Домашний сервер пользователя не поддерживает версию комнаты.", "Show hidden events in timeline": "Показывать скрытые события в ленте сообщений", - "When rooms are upgraded": "При обновлении комнат", "Bulk options": "Основные опции", "Upgrade this room to the recommended room version": "Модернизируйте комнату до рекомендованной версии", "View older messages in %(roomName)s.": "Просмотр старых сообщений в %(roomName)s.", @@ -895,8 +870,6 @@ "Add Phone Number": "Добавить номер телефона", "Changes the avatar of the current room": "Меняет аватар текущей комнаты", "Change identity server": "Изменить сервер идентификации", - "Create a public room": "Создать публичную комнату", - "Create a private room": "Создать приватную комнату", "Topic (optional)": "Тема (опционально)", "Disconnect from the identity server and connect to instead?": "Отключиться от сервера идентификации и вместо этого подключиться к ?", "Disconnect identity server": "Отключить идентификационный сервер", @@ -1038,10 +1011,6 @@ "Double check that your server supports the room version chosen and try again.": "Убедитесь, что ваш сервер поддерживает выбранную версию комнаты и попробуйте снова.", "WARNING: KEY VERIFICATION FAILED! The signing key for %(userId)s and session %(deviceId)s is \"%(fprint)s\" which does not match the provided key \"%(fingerprint)s\". This could mean your communications are being intercepted!": "ВНИМАНИЕ: ПРОВЕРКА КЛЮЧА НЕ ПРОШЛА! Ключом подписи для %(userId)s и сеанса %(deviceId)s является \"%(fprint)s\", что не соответствует указанному ключу \"%(fingerprint)s\". Это может означать, что ваши сообщения перехватываются!", "The signing key you provided matches the signing key you received from %(userId)s's session %(deviceId)s. Session marked as verified.": "Ключ подписи, который вы предоставили, соответствует ключу подписи, который вы получили от пользователя %(userId)s через сеанс %(deviceId)s. Сеанс отмечен как подтверждённый.", - "%(senderName)s placed a voice call.": "%(senderName)s сделал голосовой вызов.", - "%(senderName)s placed a voice call. (not supported by this browser)": "%(senderName)s сделал голосовой вызов. (не поддерживается этим браузером)", - "%(senderName)s placed a video call.": "%(senderName)s сделал видео вызов.", - "%(senderName)s placed a video call. (not supported by this browser)": "%(senderName)s сделал видео вызов. (не поддерживается этим браузером)", "%(senderName)s removed the rule banning users matching %(glob)s": "%(senderName)s удалил(а) правило блокировки пользователей по шаблону %(glob)s", "%(senderName)s removed the rule banning rooms matching %(glob)s": "%(senderName)s удалил правило блокировки комнат по шаблону %(glob)s", "Enable message search in encrypted rooms": "Включить поиск сообщений в зашифрованных комнатах", @@ -1067,7 +1036,6 @@ "Create Account": "Создать учётную запись", "Sends a message as html, without interpreting it as markdown": "Отправить сообщение как html, не интерпретируя его как markdown", "Displays information about a user": "Показать информацию о пользователе", - "%(senderDisplayName)s changed the room name from %(oldRoomName)s to %(newRoomName)s.": "%(senderDisplayName)s изменил(а) название комнаты с %(oldRoomName)s на %(newRoomName)s.", "%(senderName)s added the alternative addresses %(addresses)s for this room.": { "other": "%(senderName)s добавил(а) альтернативные адреса %(addresses)s для этой комнаты.", "one": "%(senderName)s добавил(а) альтернативные адреса %(addresses)s для этой комнаты." @@ -1307,7 +1275,6 @@ "Country Dropdown": "Выпадающий список стран", "%(senderName)s: %(message)s": "%(senderName)s: %(message)s", "%(senderName)s: %(stickerName)s": "%(senderName)s: %(stickerName)s", - "%(senderName)s invited %(targetName)s": "%(senderName)s пригласил(а) %(targetName)s", "Font size": "Размер шрифта", "Use custom size": "Использовать другой размер", "Use a system font": "Использовать системный шрифт", @@ -1532,7 +1499,6 @@ "Video conference started by %(senderName)s": "%(senderName)s начал(а) видеоконференцию", "Failed to save your profile": "Не удалось сохранить ваш профиль", "The operation could not be completed": "Операция не может быть выполнена", - "🎉 All servers are banned from participating! This room can no longer be used.": "🎉 Все серверы запрещены к участию! Эта комната больше не может быть использована.", "Remove messages sent by others": "Удалить сообщения, отправленные другими", "Move right": "Сдвинуть вправо", "Move left": "Сдвинуть влево", @@ -1545,8 +1511,6 @@ }, "Show Widgets": "Показать виджеты", "Hide Widgets": "Скрыть виджеты", - "%(senderDisplayName)s changed the server ACLs for this room.": "%(senderDisplayName)s изменил(а) серверные разрешения для этой комнаты.", - "%(senderDisplayName)s set the server ACLs for this room.": "%(senderDisplayName)s устанавливает серверные разрешения для этой комнаты.", "The call was answered on another device.": "На звонок ответили на другом устройстве.", "Answered Elsewhere": "Ответил в другом месте", "The call could not be established": "Звонок не может быть установлен", @@ -2013,7 +1977,6 @@ "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", - "Unnamed Space": "Безымянное пространство", "Invite to %(spaceName)s": "Пригласить в %(spaceName)s", "Create a new room": "Создать новую комнату", "Spaces": "Пространства", @@ -2337,24 +2300,6 @@ "See when people join, leave, or are invited to your active room": "Просмотрите, когда люди присоединяются, уходят или приглашают в вашу активную комнату", "See when people join, leave, or are invited to this room": "Посмотрите, когда люди присоединяются, покидают или приглашают в эту комнату", "%(senderName)s changed the pinned messages for the room.": "%(senderName)s изменил(а) закреплённые сообщения в этой комнате.", - "%(senderName)s withdrew %(targetName)s's invitation": "%(senderName)s отозвал(а) приглашение %(targetName)s", - "%(senderName)s withdrew %(targetName)s's invitation: %(reason)s": "%(senderName)s отозвал(а) приглашение %(targetName)s: %(reason)s", - "%(senderName)s unbanned %(targetName)s": "%(senderName)s разблокировал(а) %(targetName)s", - "%(targetName)s left the room": "%(targetName)s покинул(а) комнату", - "%(targetName)s left the room: %(reason)s": "%(targetName)s покинул(а) комнату: %(reason)s", - "%(targetName)s rejected the invitation": "%(targetName)s отклонил(а) приглашение", - "%(targetName)s joined the room": "%(targetName)s теперь с нами", - "%(senderName)s made no change": "%(senderName)s не сделал(а) изменений", - "%(senderName)s set a profile picture": "%(senderName)s установил(а) аватар", - "%(senderName)s changed their profile picture": "%(senderName)s изменил(а) аватар", - "%(senderName)s removed their profile picture": "%(senderName)s удалил(а) аватар", - "%(senderName)s removed their display name (%(oldDisplayName)s)": "%(senderName)s удалил(а) отображаемое имя (%(oldDisplayName)s)", - "%(senderName)s set their display name to %(displayName)s": "%(senderName)s установил(а) отображаемое имя %(displayName)s", - "%(oldDisplayName)s changed their display name to %(displayName)s": "%(oldDisplayName)s изменил(а) имя на %(displayName)s", - "%(senderName)s banned %(targetName)s": "%(senderName)s заблокировал(а) %(targetName)s", - "%(senderName)s banned %(targetName)s: %(reason)s": "%(senderName)s заблокировал(а) %(targetName)s: %(reason)s", - "%(targetName)s accepted the invitation for %(displayName)s": "%(targetName)s принял(а) приглашение для %(displayName)s", - "%(targetName)s accepted an invitation": "%(targetName)s принял(а) приглашение", "Some invites couldn't be sent": "Некоторые приглашения не могут быть отправлены", "We sent the others, but the below people couldn't be invited to ": "Мы отправили остальных, но нижеперечисленные люди не могут быть приглашены в ", "Transfer Failed": "Перевод не удался", @@ -2414,23 +2359,7 @@ "Enter a number between %(min)s and %(max)s": "Введите число между %(min)s и %(max)s", "In reply to this message": "В ответ на это сообщение", "Export chat": "Экспорт чата", - "File Attached": "Файл прикреплен", - "Error fetching file": "Ошибка при получении файла", - "Topic: %(topic)s": "Тема: %(topic)s", - "This is the start of export of . Exported by at %(exportDate)s.": "Это начало экспорта . Экспортировано в %(exportDate)s.", - "%(creatorName)s created this room.": "%(creatorName)s создал(а) эту комнату.", - "Media omitted - file size limit exceeded": "Медиа пропущены — превышен лимит размера файла", - "Media omitted": "Медиа пропущены", - "Specify a number of messages": "Укажите количество сообщений", - "From the beginning": "С начала", - "Plain Text": "Текст", - "JSON": "JSON", - "HTML": "HTML", - "Are you sure you want to exit during this export?": "Вы уверены, что хотите выйти во время экспорта?", - "%(senderDisplayName)s sent a sticker.": "%(senderDisplayName)s отправил(а) наклейку.", - "%(senderDisplayName)s changed the room avatar.": "%(senderDisplayName)s изменил(а) аватар комнаты.", "Select from the options below to export chats from your timeline": "Выберите один из приведенных ниже вариантов экспорта чатов из вашей временной шкалы", - "Current Timeline": "Текущая лента сообщений", "Resetting your verification keys cannot be undone. After resetting, you won't have access to old encrypted messages, and any friends who have previously verified you will see security warnings until you re-verify with them.": "Сброс ключей проверки нельзя отменить. После сброса вы не сможете получить доступ к старым зашифрованным сообщениям, а друзья, которые ранее проверили вас, будут видеть предупреждения о безопасности, пока вы не пройдете повторную проверку.", "Skip verification for now": "Пока пропустить проверку", "I'll verify later": "Я заверю позже", @@ -2477,8 +2406,6 @@ "Joined": "Присоединился", "Insert link": "Вставить ссылку", "Developer mode": "Режим разработчика", - "%(senderDisplayName)s changed who can join this room.": "%(senderDisplayName)s изменил(а), кто может присоединиться к этой комнате.", - "%(senderDisplayName)s changed who can join this room. View settings.": "%(senderDisplayName)s изменил(а), кто может присоединиться к этой комнате. Просмотр настроек.", "Back to thread": "Вернуться к обсуждению", "Redo edit": "Повторить изменения", "Force complete": "Принудительно завершить", @@ -2722,33 +2649,12 @@ "You previously consented to share anonymous usage data with us. We're updating how that works.": "Ранее вы давали согласие на передачу нам анонимных данных об использовании. Мы изменили порядок предоставления этих данных.", "Help improve %(analyticsOwner)s": "Помогите улучшить %(analyticsOwner)s", "That's fine": "Всё в порядке", - "Exported %(count)s events in %(seconds)s seconds": { - "one": "Экспортировано %(count)s событие за %(seconds)s секунд", - "other": "Экспортировано %(count)s событий за %(seconds)s секунд" - }, - "Export successful!": "Успешно экспортировано!", - "Fetched %(count)s events in %(seconds)ss": { - "one": "Получено %(count)s событие за %(seconds)sс", - "other": "Получено %(count)s событий за %(seconds)sс" - }, - "Fetched %(count)s events so far": { - "one": "Получено %(count)s событие", - "other": "Получено %(count)s событий" - }, - "Fetched %(count)s events out of %(total)s": { - "one": "Извлечено %(count)s из %(total)s события", - "other": "Получено %(count)s из %(total)s событий" - }, - "Processing event %(number)s out of %(total)s": "Обработано %(number)s из %(total)s событий", - "Generating a ZIP": "Генерация ZIP-файла", "Remove, ban, or invite people to your active room, and make you leave": "Удалять, блокировать или приглашать людей в вашей активной комнате, в частности, вас", "Remove, ban, or invite people to this room, and make you leave": "Удалять, блокировать или приглашать людей в этой комнате, в частности, вас", "Light high contrast": "Контрастная светлая", "%(senderName)s has started a poll - %(pollQuestion)s": "%(senderName)s начал(а) опрос — %(pollQuestion)s", "%(senderName)s has shared their location": "%(senderName)s поделился(-ась) своим местоположением", "%(senderName)s has updated the room layout": "%(senderName)s обновил(а) макет комнаты", - "%(senderName)s removed %(targetName)s": "%(senderName)s удалил(а) %(targetName)s", - "%(senderName)s removed %(targetName)s: %(reason)s": "%(senderName)s удалил(а) %(targetName)s: %(reason)s", "%(senderName)s has ended a poll": "%(senderName)s завершил(а) опрос", "No active call in this room": "Нет активного вызова в этой комнате", "Unable to find Matrix ID for phone number": "Не удалось найти Matrix ID для номера телефона", @@ -2964,9 +2870,6 @@ "Confirm that you would like to deactivate your account. If you proceed:": "Подтвердите, что вы хотите деактивировать свою учётную запись. Если продолжите:", "You will not be able to reactivate your account": "Вы не сможете повторно активировать свою учётную запись", "To continue, please enter your account password:": "Для продолжения введите пароль учётной записи:", - "Create room": "Создать комнату", - "Create video room": "Создать видеокомнату", - "Create a video room": "Создайте видеокомнату", "Uncheck if you also want to remove system messages on this user (e.g. membership change, profile change…)": "Отключите, чтобы удалить системные сообщения о пользователе (изменения членства, редактирование профиля…)", "Preserve system messages": "Оставить системные сообщения", "You are about to remove %(count)s messages by %(user)s. This will remove them permanently for everyone in the conversation. Do you wish to continue?": { @@ -3124,8 +3027,6 @@ "Voice broadcasts": "Голосовые трансляции", "Voice broadcast": "Голосовая трансляция", "Video call started": "Начался видеозвонок", - "Video call started in %(roomName)s. (not supported by this browser)": "Видеовызов начался в %(roomName)s. (не поддерживается этим браузером)", - "Video call started in %(roomName)s.": "Видеовызов начался в %(roomName)s.", "You need to be able to kick users to do that.": "Вы должны иметь возможность пинать пользователей, чтобы сделать это.", "Inviting %(user)s and %(count)s others": { "one": "Приглашающий %(user)s и 1 других", @@ -3248,7 +3149,6 @@ "Active polls": "Активные опросы", "Checking for an update…": "Проверка наличия обновлений…", "Formatting": "Форматирование", - "%(oldDisplayName)s changed their display name and profile picture": "%(oldDisplayName)s изменил(а) имя и аватар", "WARNING: session already verified, but keys do NOT MATCH!": "ВНИМАНИЕ: сеанс уже заверен, но ключи НЕ СОВПАДАЮТ!", "Edit link": "Изменить ссылку", "Signing In…": "Выполняется вход…", @@ -3345,7 +3245,9 @@ "not_trusted": "Незаверенный", "accessibility": "Доступность", "server": "Сервер", - "capabilities": "Возможности" + "capabilities": "Возможности", + "unnamed_room": "Комната без названия", + "unnamed_space": "Безымянное пространство" }, "action": { "continue": "Продолжить", @@ -3625,7 +3527,20 @@ "prompt_invite": "Подтверждать отправку приглашений на потенциально недействительные matrix ID", "hardware_acceleration": "Включить аппаратное ускорение (перезапустите %(appName)s, чтобы изменение вступило в силу)", "start_automatically": "Автозапуск при входе в систему", - "warn_quit": "Предупредить перед выходом" + "warn_quit": "Предупредить перед выходом", + "notifications": { + "rule_contains_display_name": "Сообщения с моим именем", + "rule_contains_user_name": "Сообщения, содержащие имя моего пользователя", + "rule_roomnotif": "Сообщения, содержащие @room", + "rule_room_one_to_one": "Сообщения в 1:1 чатах", + "rule_message": "Сообщения в конференциях", + "rule_encrypted": "Зашифрованные сообщения в групповых чатах", + "rule_invite_for_me": "Приглашения в комнаты", + "rule_call": "Звонки", + "rule_suppress_notices": "Сообщения от ботов", + "rule_tombstone": "При обновлении комнат", + "rule_encrypted_room_one_to_one": "Зашифрованные сообщения в персональных чатах" + } }, "devtools": { "send_custom_account_data_event": "Отправить пользовательское событие данных учётной записи", @@ -3694,5 +3609,114 @@ "developer_tools": "Инструменты разработчика", "room_id": "ID комнаты: %(roomId)s", "event_id": "ID события: %(eventId)s" + }, + "export_chat": { + "html": "HTML", + "json": "JSON", + "text": "Текст", + "from_the_beginning": "С начала", + "number_of_messages": "Укажите количество сообщений", + "current_timeline": "Текущая лента сообщений", + "export_successful": "Успешно экспортировано!", + "unload_confirm": "Вы уверены, что хотите выйти во время экспорта?", + "generating_zip": "Генерация ZIP-файла", + "processing_event_n": "Обработано %(number)s из %(total)s событий", + "fetched_n_events_with_total": { + "one": "Извлечено %(count)s из %(total)s события", + "other": "Получено %(count)s из %(total)s событий" + }, + "fetched_n_events": { + "one": "Получено %(count)s событие", + "other": "Получено %(count)s событий" + }, + "fetched_n_events_in_time": { + "one": "Получено %(count)s событие за %(seconds)sс", + "other": "Получено %(count)s событий за %(seconds)sс" + }, + "exported_n_events_in_time": { + "one": "Экспортировано %(count)s событие за %(seconds)s секунд", + "other": "Экспортировано %(count)s событий за %(seconds)s секунд" + }, + "media_omitted": "Медиа пропущены", + "media_omitted_file_size": "Медиа пропущены — превышен лимит размера файла", + "creator_summary": "%(creatorName)s создал(а) эту комнату.", + "export_info": "Это начало экспорта . Экспортировано в %(exportDate)s.", + "topic": "Тема: %(topic)s", + "error_fetching_file": "Ошибка при получении файла", + "file_attached": "Файл прикреплен" + }, + "create_room": { + "title_video_room": "Создайте видеокомнату", + "title_public_room": "Создать публичную комнату", + "title_private_room": "Создать приватную комнату", + "action_create_video_room": "Создать видеокомнату", + "action_create_room": "Создать комнату" + }, + "timeline": { + "m.call": { + "video_call_started": "Видеовызов начался в %(roomName)s.", + "video_call_started_unsupported": "Видеовызов начался в %(roomName)s. (не поддерживается этим браузером)" + }, + "m.call.invite": { + "voice_call": "%(senderName)s сделал голосовой вызов.", + "voice_call_unsupported": "%(senderName)s сделал голосовой вызов. (не поддерживается этим браузером)", + "video_call": "%(senderName)s сделал видео вызов.", + "video_call_unsupported": "%(senderName)s сделал видео вызов. (не поддерживается этим браузером)" + }, + "m.room.member": { + "accepted_3pid_invite": "%(targetName)s принял(а) приглашение для %(displayName)s", + "accepted_invite": "%(targetName)s принял(а) приглашение", + "invite": "%(senderName)s пригласил(а) %(targetName)s", + "ban_reason": "%(senderName)s заблокировал(а) %(targetName)s: %(reason)s", + "ban": "%(senderName)s заблокировал(а) %(targetName)s", + "change_name_avatar": "%(oldDisplayName)s изменил(а) имя и аватар", + "change_name": "%(oldDisplayName)s изменил(а) имя на %(displayName)s", + "set_name": "%(senderName)s установил(а) отображаемое имя %(displayName)s", + "remove_name": "%(senderName)s удалил(а) отображаемое имя (%(oldDisplayName)s)", + "remove_avatar": "%(senderName)s удалил(а) аватар", + "change_avatar": "%(senderName)s изменил(а) аватар", + "set_avatar": "%(senderName)s установил(а) аватар", + "no_change": "%(senderName)s не сделал(а) изменений", + "join": "%(targetName)s теперь с нами", + "reject_invite": "%(targetName)s отклонил(а) приглашение", + "left_reason": "%(targetName)s покинул(а) комнату: %(reason)s", + "left": "%(targetName)s покинул(а) комнату", + "unban": "%(senderName)s разблокировал(а) %(targetName)s", + "withdrew_invite_reason": "%(senderName)s отозвал(а) приглашение %(targetName)s: %(reason)s", + "withdrew_invite": "%(senderName)s отозвал(а) приглашение %(targetName)s", + "kick_reason": "%(senderName)s удалил(а) %(targetName)s: %(reason)s", + "kick": "%(senderName)s удалил(а) %(targetName)s" + }, + "m.room.topic": "%(senderDisplayName)s изменил(а) тему комнаты на \"%(topic)s\".", + "m.room.avatar": "%(senderDisplayName)s изменил(а) аватар комнаты.", + "m.room.name": { + "remove": "%(senderDisplayName)s удалил(а) название комнаты.", + "change": "%(senderDisplayName)s изменил(а) название комнаты с %(oldRoomName)s на %(newRoomName)s.", + "set": "%(senderDisplayName)s изменил(а) название комнаты на %(roomName)s." + }, + "m.room.tombstone": "%(senderDisplayName)s обновил(а) эту комнату.", + "m.room.join_rules": { + "public": "%(senderDisplayName)s сделал(а) комнату публичной для всех, кто знает ссылку.", + "invite": "%(senderDisplayName)s сделал(а) комнату доступной только по приглашению.", + "restricted_settings": "%(senderDisplayName)s изменил(а), кто может присоединиться к этой комнате. Просмотр настроек.", + "restricted": "%(senderDisplayName)s изменил(а), кто может присоединиться к этой комнате.", + "unknown": "%(senderDisplayName)s изменил(а) правило входа на \"%(rule)s\"" + }, + "m.room.guest_access": { + "can_join": "%(senderDisplayName)s разрешил(а) гостям входить в комнату.", + "forbidden": "%(senderDisplayName)s запретил(а) гостям входить в комнату.", + "unknown": "%(senderDisplayName)s изменил(а) гостевой доступ на \"%(rule)s\"" + }, + "m.image": "%(senderDisplayName)s отправил(а) изображение.", + "m.sticker": "%(senderDisplayName)s отправил(а) наклейку.", + "m.room.server_acl": { + "set": "%(senderDisplayName)s устанавливает серверные разрешения для этой комнаты.", + "changed": "%(senderDisplayName)s изменил(а) серверные разрешения для этой комнаты.", + "all_servers_banned": "🎉 Все серверы запрещены к участию! Эта комната больше не может быть использована." + }, + "m.room.canonical_alias": { + "set": "%(senderName)s установил(а) %(address)s в качестве главного адреса комнаты.", + "removed": "%(senderName)s удалил главный адрес комнаты." + } } } diff --git a/src/i18n/strings/sk.json b/src/i18n/strings/sk.json index 0fd0b7efbcb..b98fd5e0d1b 100644 --- a/src/i18n/strings/sk.json +++ b/src/i18n/strings/sk.json @@ -56,10 +56,6 @@ "You are no longer ignoring %(userId)s": "Od teraz viac neignorujete používateľa %(userId)s", "Verified key": "Kľúč overený", "Reason": "Dôvod", - "%(senderDisplayName)s changed the topic to \"%(topic)s\".": "%(senderDisplayName)s zmenil tému na \"%(topic)s\".", - "%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s odstránil názov miestnosti.", - "%(senderDisplayName)s changed the room name to %(roomName)s.": "%(senderDisplayName)s zmenil názov miestnosti na %(roomName)s.", - "%(senderDisplayName)s sent an image.": "%(senderDisplayName)s poslal obrázok.", "%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": "%(senderName)s pozval %(targetDisplayName)s vstúpiť do miestnosti.", "%(senderName)s made future room history visible to all room members, from the point they are invited.": "%(senderName)s sprístupnil budúcu históriu miestnosti pre všetkých členov, od kedy boli pozvaní.", "%(senderName)s made future room history visible to all room members, from the point they joined.": "%(senderName)s sprístupnil budúcu históriu miestnosti pre všetkých členov, od kedy vstúpili.", @@ -74,7 +70,6 @@ "%(widgetName)s widget removed by %(senderName)s": "%(senderName)s odstránil widget %(widgetName)s", "Failure to create room": "Nepodarilo sa vytvoriť miestnosť", "Server may be unavailable, overloaded, or you hit a bug.": "Server môže byť nedostupný, preťažený, alebo ste narazili na chybu.", - "Unnamed Room": "Nepomenovaná miestnosť", "Your browser does not support the required cryptography extensions": "Váš prehliadač nepodporuje požadované kryptografické rozšírenia", "Not a valid %(brand)s keyfile": "Toto nie je správny súbor s kľúčmi %(brand)s", "Authentication check failed: incorrect password?": "Kontrola overenia zlyhala: Nesprávne heslo?", @@ -396,10 +391,8 @@ "Waiting for response from server": "Čakanie na odpoveď zo servera", "Failed to send logs: ": "Nepodarilo sa odoslať záznamy: ", "This Room": "V tejto miestnosti", - "Messages in one-to-one chats": "Správy v priamych konverzáciách", "Unavailable": "Nedostupné", "Source URL": "Pôvodná URL", - "Messages sent by bot": "Správy odosielané robotmi", "Filter results": "Filtrovať výsledky", "No update available.": "K dispozícii nie je žiadna aktualizácia.", "Noisy": "Hlasné", @@ -413,16 +406,12 @@ "All Rooms": "Vo všetkých miestnostiach", "Wednesday": "Streda", "All messages": "Všetky správy", - "Call invitation": "Pozvánka na telefonát", - "Messages containing my display name": "Správy obsahujúce moje zobrazované meno", "What's new?": "Čo je nové?", - "When I'm invited to a room": "Keď ma pozvú do miestnosti", "Invite to this room": "Pozvať do tejto miestnosti", "You cannot delete this message. (%(code)s)": "Nemôžete vymazať túto správu. (%(code)s)", "Thursday": "Štvrtok", "Logs sent": "Záznamy boli odoslané", "Show message in desktop notification": "Zobraziť text správy v oznámení na pracovnej ploche", - "Messages in group chats": "Správy v skupinových konverzáciách", "Yesterday": "Včera", "Error encountered (%(errorDetail)s).": "Vyskytla sa chyba (%(errorDetail)s).", "Low Priority": "Nízka priorita", @@ -482,8 +471,6 @@ "Stop users from speaking in the old version of the room, and post a message advising users to move to the new room": "V pôvodnej miestnosti bude zverejnené odporúčanie prejsť do novej miestnosti a posielanie do pôvodnej miestnosti bude zakázané pre všetkých používateľov", "Put a link back to the old room at the start of the new room so people can see old messages": "História novej miestnosti sa začne odkazom do pôvodnej miestnosti, aby si členovia vedeli zobraziť staršie správy", "Forces the current outbound group session in an encrypted room to be discarded": "Vynúti zrušenie aktuálnej relácie odchádzajúcej skupiny v zašifrovanej miestnosti", - "%(senderName)s set the main address for this room to %(address)s.": "%(senderName)s nastavil hlavnú adresu tejto miestnosti %(address)s.", - "%(senderName)s removed the main address for this room.": "%(senderName)s odstránil hlavnú adresu tejto miestnosti.", "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", @@ -518,9 +505,6 @@ "Common names and surnames are easy to guess": "Bežné mená a priezviská je ľahké uhádnuť", "Straight rows of keys are easy to guess": "Po sebe nasledujúce rady klávesov je ľahké uhádnuť", "Short keyboard patterns are easy to guess": "Krátke vzory z klávesov je ľahké uhádnuť", - "Messages containing @room": "Správy obsahujúce @miestnosť", - "Encrypted messages in one-to-one chats": "Šifrované správy v priamych konverzáciách", - "Encrypted messages in group chats": "Šifrované správy v skupinových konverzáciách", "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ť", @@ -563,13 +547,6 @@ "Gets or sets the room topic": "Zobrazí alebo nastaví tému miestnosti", "This room has no topic.": "Táto miestnosť nemá nastavenú tému.", "Sets the room name": "Nastaví názov miestnosti", - "%(senderDisplayName)s upgraded this room.": "%(senderDisplayName)s aktualizoval túto miestnosť.", - "%(senderDisplayName)s made the room public to whoever knows the link.": "%(senderDisplayName)s zverejnil túto miestnosť pre všetkých, ktorí poznajú jej odkaz.", - "%(senderDisplayName)s made the room invite only.": "%(senderDisplayName)s nastavil vstup do miestnosti len pre pozvaných.", - "%(senderDisplayName)s changed the join rule to %(rule)s": "%(senderDisplayName)s zmenil podmienku vstupu na %(rule)s", - "%(senderDisplayName)s has allowed guests to join the room.": "%(senderDisplayName)s umožnil hosťom vstúpiť do miestnosti.", - "%(senderDisplayName)s has prevented guests from joining the room.": "%(senderDisplayName)s zamedzil hosťom vstúpiť do miestnosti.", - "%(senderDisplayName)s changed guest access to %(rule)s": "%(senderDisplayName)s zmenil prístup hostí na %(rule)s", "%(displayName)s is typing …": "%(displayName)s píše …", "%(names)s and %(count)s others are typing …": { "other": "%(names)s a %(count)s ďalší píšu …", @@ -577,7 +554,6 @@ }, "%(names)s and %(lastPerson)s are typing …": "%(names)s a %(lastPerson)s píšu …", "The user must be unbanned before they can be invited.": "Tomuto používateľovi musíte pred odoslaním pozvania povoliť vstup.", - "Messages containing my username": "Správy obsahujúce moje meno používateľa", "The other party cancelled the verification.": "Proti strana zrušila overovanie.", "Verified!": "Overený!", "You've successfully verified this user.": "Úspešne ste overili tohoto používateľa.", @@ -763,7 +739,6 @@ "Unexpected error resolving identity server configuration": "Neočakávaná chyba pri zisťovaní nastavení servera totožností", "The user's homeserver does not support the version of the room.": "Používateľov domovský server nepodporuje verziu miestnosti.", "Show hidden events in timeline": "Zobrazovať skryté udalosti v histórii obsahu miestností", - "When rooms are upgraded": "Keď sú miestnosti aktualizované", "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.", @@ -781,10 +756,6 @@ "Use an identity server": "Použiť server totožností", "Use an identity server to invite by email. Click continue to use the default identity server (%(defaultIdentityServerName)s) or manage in Settings.": "Na pozvanie e-mailom použite server identity. Kliknite na tlačidlo Pokračovať, ak chcete použiť predvolený server identity (%(defaultIdentityServerName)s) alebo ho upravte v Nastaveniach.", "Use an identity server to invite by email. Manage in Settings.": "Server totožností sa použije na pozývanie používateľov zadaním emailovej adresy. Spravujte v nastaveniach.", - "%(senderName)s placed a voice call.": "%(senderName)s uskutočnil telefonát.", - "%(senderName)s placed a voice call. (not supported by this browser)": "%(senderName)s uskutočnil telefonát. (Nepodporované týmto prehliadačom)", - "%(senderName)s placed a video call.": "%(senderName)s uskutočnil video hovor.", - "%(senderName)s placed a video call. (not supported by this browser)": "%(senderName)s uskutočnil video hovor. (Nepodporované týmto prehliadačom)", "%(senderName)s removed the rule banning users matching %(glob)s": "%(senderName)s odstránil pravidlo zákazu vstúpiť používateľom zhodujúcich sa s %(glob)s", "%(senderName)s removed the rule banning rooms matching %(glob)s": "%(senderName)s odstránil pravidlo zákaz vstúpiť do miestností zhodujúcich sa s %(glob)s", "%(senderName)s removed the rule banning servers matching %(glob)s": "%(senderName)s odstránil pravidlo zakázať vstúpiť z domovského servera zhodnými s %(glob)s", @@ -872,7 +843,6 @@ "Send a bug report with logs": "Zaslať chybové hlásenie so záznamami", "Opens chat with the given user": "Otvorí konverzáciu s daným používateľom", "Sends a message to the given user": "Pošle správu danému používateľovi", - "%(senderDisplayName)s changed the room name from %(oldRoomName)s to %(newRoomName)s.": "%(senderDisplayName)s zmenil/a meno miestnosti z %(oldRoomName)s na %(newRoomName)s.", "%(senderName)s added the alternative addresses %(addresses)s for this room.": { "other": "%(senderName)s pridal/a alternatívne adresy %(addresses)s pre túto miestnosť.", "one": "%(senderName)s pridal/a alternatívnu adresu %(addresses)s pre túto miestnosť." @@ -978,7 +948,6 @@ "%(senderName)s is calling": "%(senderName)s volá", "%(senderName)s: %(message)s": "%(senderName)s: %(message)s", "%(senderName)s: %(stickerName)s": "%(senderName)s: %(stickerName)s", - "%(senderName)s invited %(targetName)s": "%(senderName)s pozval/a používateľa %(targetName)s", "Use custom size": "Použiť vlastnú veľkosť", "Use a system font": "Použiť systémové písmo", "System font name": "Meno systémového písma", @@ -1364,17 +1333,6 @@ "%(creator)s created this DM.": "%(creator)s vytvoril/a túto priamu správu.", "Only the two of you are in this conversation, unless either of you invites anyone to join.": "V tejto konverzácii ste len vy dvaja, pokiaľ niektorý z vás nepozve niekoho iného, aby sa pripojil.", "This is the beginning of your direct message history with .": "Toto je začiatok histórie vašich priamych správ s používateľom .", - "%(senderName)s unbanned %(targetName)s": "%(senderName)s zrušil/a zákaz pre %(targetName)s", - "%(targetName)s left the room": "%(targetName)s opustil/a miestnosť", - "%(targetName)s rejected the invitation": "%(targetName)s odmietol/a pozvánku", - "%(targetName)s left the room: %(reason)s": "%(targetName)s opustil/a miestnosť: %(reason)s", - "%(targetName)s joined the room": "%(targetName)s vstúpil do miestnosti", - "%(senderName)s removed their profile picture": "%(senderName)s odstránil/a svoj profilový obrázok", - "%(senderName)s changed their profile picture": "%(senderName)s zmenil/a svoj profilový obrázok", - "%(senderName)s set their display name to %(displayName)s": "%(senderName)s nastavil/a svoje zobrazované meno na %(displayName)s", - "%(senderName)s banned %(targetName)s": "%(senderName)s zakázal používateľa %(targetName)s", - "%(senderName)s banned %(targetName)s: %(reason)s": "%(senderName)s zakázal používateľa %(targetName)s: %(reason)s", - "%(targetName)s accepted an invitation": "%(targetName)s prijal/a pozvanie", "Effects": "Efekty", "You cannot place calls in this browser.": "V tomto prehliadači nie je možné uskutočňovať hovory.", "Calls are unsupported": "Volania nie sú podporované", @@ -1406,9 +1364,7 @@ "Notification options": "Možnosti oznámenia", "Enable desktop notifications": "Povoliť oznámenia na ploche", "List options": "Možnosti zoznamu", - "%(senderName)s set a profile picture": "%(senderName)s nastavil/a svoj profilový obrázok", "You sent a verification request": "Odoslali ste žiadosť o overenie", - "%(oldDisplayName)s changed their display name to %(displayName)s": "%(oldDisplayName)s zmenil/a svoje meno na %(displayName)s", "Remove %(count)s messages": { "other": "Odstrániť %(count)s správ", "one": "Odstrániť 1 správu" @@ -1459,7 +1415,6 @@ "Private room (invite only)": "Súkromná miestnosť (len pre pozvaných)", "Private (invite only)": "Súkromné (len pre pozvaných)", "Invite only, best for yourself or teams": "Len pre pozvaných, najlepšie pre seba alebo tímy", - "%(senderDisplayName)s changed who can join this room. View settings.": "%(senderDisplayName)s zmenil/a, kto sa môže pripojiť k tejto miestnosti. Zobraziť nastavenia.", "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.", @@ -1540,8 +1495,6 @@ "Downloading": "Preberanie", "Show:": "Zobraziť:", "MB": "MB", - "JSON": "JSON", - "HTML": "HTML", "Results": "Výsledky", "More": "Viac", "Decrypting": "Dešifrovanie", @@ -1580,7 +1533,6 @@ "Quick Reactions": "Rýchle reakcie", "Manage & explore rooms": "Spravovať a preskúmať miestnosti", "Enter the name of a new server you want to explore.": "Zadajte názov nového servera, ktorý chcete preskúmať.", - "%(targetName)s accepted the invitation for %(displayName)s": "%(targetName)s prijal/a pozvanie pre %(displayName)s", "You have %(count)s unread notifications in a prior version of this room.": { "one": "V predchádzajúcej verzii tejto miestnosti máte %(count)s neprečítané oznámenie.", "other": "V predchádzajúcej verzii tejto miestnosti máte %(count)s neprečítaných oznámení." @@ -1593,13 +1545,11 @@ "Backup version:": "Verzia zálohy:", "New version of %(brand)s is available": "K dispozícii je nová verzia %(brand)s", "Role in ": "Rola v ", - "Plain Text": "Obyčajný text", "To publish an address, it needs to be set as a local address first.": "Ak chcete zverejniť adresu, je potrebné ju najprv nastaviť ako lokálnu adresu.", "A private space for you and your teammates": "Súkromný priestor pre vás a vašich spolupracovníkov", "A private space to organise your rooms": "Súkromný priestor na usporiadanie vašich miestností", "Private space": "Súkromný priestor", "Upgrade private room": "Aktualizovať súkromnú miestnosť", - "Create a private room": "Vytvoriť súkromnú miestnosť", "Master private key:": "Hlavný súkromný kľúč:", "Your private space": "Váš súkromný priestor", "This space is not public. You will not be able to rejoin without an invite.": "Tento priestor nie je verejný. Bez pozvánky sa doň nebudete môcť opätovne pripojiť.", @@ -1608,7 +1558,6 @@ "Public rooms": "Verejné miestnosti", "Upgrade public room": "Aktualizovať verejnú miestnosť", "Public room": "Verejná miestnosť", - "Create a public room": "Vytvoriť verejnú miestnosť", "Join public room": "Pripojiť sa k verejnej miestnosti", "Explore public rooms": "Preskúmajte verejné miestnosti", "Are you sure you want to add encryption to this public room?": "Ste si istí, že chcete pridať šifrovanie do tejto verejnej miestnosti?", @@ -1634,7 +1583,6 @@ "To join a space you'll need an invite.": "Ak sa chcete pripojiť k priestoru, budete potrebovať pozvánku.", "Great, that'll help people know it's you": "Skvelé, to pomôže ľuďom zistiť, že ste to vy", "This is the start of .": "Toto je začiatok miestnosti .", - "This is the start of export of . Exported by at %(exportDate)s.": "Toto je začiatok exportu miestnosti . Exportované dňa %(exportDate)s.", "You created this room.": "Túto miestnosť ste vytvorili vy.", "Hide sessions": "Skryť relácie", "%(count)s sessions": { @@ -1732,7 +1680,6 @@ "one": "Zobraziť 1 člena", "other": "Zobraziť všetkých %(count)s členov" }, - "Topic: %(topic)s": "Téma: %(topic)s", "Server isn't responding": "Server neodpovedá", "Edited at %(date)s": "Upravené %(date)s", "Confirm Security Phrase": "Potvrdiť bezpečnostnú frázu", @@ -1857,11 +1804,8 @@ "Only people invited will be able to find and join this room.": "Len pozvaní ľudia budú môcť nájsť túto miestnosť a pripojiť sa k nej.", "You can't disable this later. Bridges & most bots won't work yet.": "Toto neskôr nemôžete vypnúť. Premostenia a väčšina botov zatiaľ nebudú fungovať.", "Specify a homeserver": "Zadajte domovský server", - "Specify a number of messages": "Zadajte počet správ", - "From the beginning": "Od začiatku", "See room timeline (devtools)": "Pozrite si časovú os miestnosti (devtools)", "Try scrolling up in the timeline to see if there are any earlier ones.": "Skúste sa posunúť nahor na časovej osi a pozrite sa, či tam nie sú nejaké skoršie.", - "Current Timeline": "Aktuálna časová os", "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.", @@ -1958,7 +1902,6 @@ "Remember my selection for this widget": "Zapamätať si môj výber pre tento widget", "Invited by %(sender)s": "Pozvaný používateľom %(sender)s", "Upgrading this room will shut down the current instance of the room and create an upgraded room with the same name.": "Aktualizáciou tejto miestnosti sa vypne aktuálna inštancia miestnosti a vytvorí sa aktualizovaná miestnosť s rovnakým názvom.", - "Export successful!": "Export úspešný!", "Open in OpenStreetMap": "Otvoriť v OpenStreetMap", "Upgrade this session to allow it to verify other sessions, granting them access to encrypted messages and marking them as trusted for other users.": "Aktualizujte túto reláciu, aby mohla overovať ostatné relácie, udeľovať im prístup k zašifrovaným správam a označovať ich ako dôveryhodné pre ostatných používateľov.", "You'll need to authenticate with the server to confirm the upgrade.": "Na potvrdenie aktualizácie sa budete musieť overiť na serveri.", @@ -2130,7 +2073,6 @@ "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.", - "Unnamed Space": "Nepomenovaný priestor", "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äť.", @@ -2231,15 +2173,7 @@ "Use your preferred Matrix homeserver if you have one, or host your own.": "Použite preferovaný domovský server Matrixu, ak ho máte, alebo si vytvorte vlastný.", "Other homeserver": "Iný domovský server", "Matrix.org is the biggest public homeserver in the world, so it's a good place for many.": "Matrix.org je najväčší verejný domovský server na svete, takže je vhodným miestom pre mnohých.", - "%(senderDisplayName)s sent a sticker.": "%(senderDisplayName)s poslal nálepku.", "Message deleted by %(name)s": "Správa vymazaná používateľom %(name)s", - "🎉 All servers are banned from participating! This room can no longer be used.": "🎉 Všetky servery majú zákaz účasti! Túto miestnosť už nie je možné používať.", - "%(senderDisplayName)s changed who can join this room.": "%(senderDisplayName)s zmenil, kto sa môže pripojiť k tejto miestnosti.", - "%(senderDisplayName)s changed the room avatar.": "%(senderDisplayName)s zmenil obrázok miestnosti.", - "%(senderName)s withdrew %(targetName)s's invitation": "%(senderName)s odvolal pozvanie od %(targetName)s", - "%(senderName)s withdrew %(targetName)s's invitation: %(reason)s": "%(senderName)s odvolal pozvanie od %(targetName)s: %(reason)s", - "%(senderName)s made no change": "%(senderName)s neurobil žiadne zmeny", - "%(senderName)s removed their display name (%(oldDisplayName)s)": "%(senderName)s odstránil svoje zobrazované meno (%(oldDisplayName)s)", "Converts the DM to a room": "Premení priamu správu na miestnosť", "Converts the room to a DM": "Premení miestnosť na priamu správu", "%(spaceName)s and %(count)s others": { @@ -2258,8 +2192,6 @@ "PRO TIP: If you start a bug, please submit debug logs to help us track down the problem.": "PRO TIP: Ak napíšete príspevok o chybe, odošlite prosím ladiace záznamy, aby ste nám pomohli vystopovať problém.", "Unknown (user, session) pair: (%(userId)s, %(deviceId)s)": "Neznámy pár (používateľ, relácia): (%(userId)s, %(deviceId)s)", "Automatically send debug logs on decryption errors": "Automatické odosielanie záznamov ladenia pri chybe dešifrovania", - "%(senderName)s removed %(targetName)s: %(reason)s": "%(senderName)s odstránil používateľa %(targetName)s: %(reason)s", - "%(senderName)s removed %(targetName)s": "%(senderName)s odstránil používateľa %(targetName)s", "Remove users": "Odstrániť používateľov", "You were removed from %(roomName)s by %(memberName)s": "Boli ste odstránení z %(roomName)s používateľom %(memberName)s", "Remove from %(roomName)s": "Odstrániť z %(roomName)s", @@ -2311,7 +2243,6 @@ "The operation could not be completed": "Operáciu nebolo možné dokončiť", "Force complete": "Nútené dokončenie", "You might disable this if the room will be used for collaborating with external teams who have their own homeserver. This cannot be changed later.": "Túto funkciu môžete vypnúť, ak sa miestnosť bude používať na spoluprácu s externými tímami, ktoré majú vlastný domovský server. Neskôr sa to nedá zmeniť.", - "%(senderDisplayName)s changed the server ACLs for this room.": "%(senderDisplayName)s zmenil ACL servera pre túto miestnosť.", "%(severalUsers)schanged the server ACLs %(count)s times": { "other": "%(severalUsers)szmenilo ACL servera %(count)s krát", "one": "%(severalUsers)s zmenilo ACL servera" @@ -2504,8 +2435,6 @@ "Review to ensure your account is safe": "Skontrolujte, či je vaše konto bezpečné", "You previously consented to share anonymous usage data with us. We're updating how that works.": "Predtým ste nám udelili súhlas so zdieľaním anonymných údajov o používaní. Aktualizujeme spôsob, akým to funguje.", "That's fine": "To je v poriadku", - "%(creatorName)s created this room.": "%(creatorName)s vytvoril túto miestnosť.", - "Are you sure you want to exit during this export?": "Ste si istí, že chcete odísť počas tohto exportu?", "This homeserver has been blocked by its administrator.": "Tento domovský server bol zablokovaný jeho správcom.", "See general files posted to your active room": "Zobraziť všeobecné súbory zverejnené vo vašej aktívnej miestnosti", "See videos posted to your active room": "Zobraziť videá zverejnené vo vašej aktívnej miestnosti", @@ -2537,7 +2466,6 @@ "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", - "%(senderDisplayName)s set the server ACLs for this room.": "%(senderDisplayName)s nastavil ACL servera pre túto miestnosť.", "You can only pin up to %(count)s widgets": { "other": "Môžete pripnúť iba %(count)s widgetov" }, @@ -2667,15 +2595,6 @@ "Move left": "Presun doľava", "The export was cancelled successfully": "Export bol úspešne zrušený", "Size can only be a number between %(min)s MB and %(max)s MB": "Veľkosť môže byť len medzi %(min)s MB a %(max)s MB", - "Fetched %(count)s events in %(seconds)ss": { - "one": "Načítaná %(count)s udalosť za %(seconds)ss", - "other": "Načítaných %(count)s udalostí za %(seconds)ss" - }, - "Exported %(count)s events in %(seconds)s seconds": { - "one": "Exportovaná %(count)s udalosť za %(seconds)s sekúnd", - "other": "Exportovaných %(count)s udalostí za %(seconds)s sekúnd" - }, - "File Attached": "Priložený súbor", "Unban from %(roomName)s": "Zrušiť zákaz vstup do %(roomName)s", "Ban from %(roomName)s": "Zakázať vstup do %(roomName)s", "Decide where your account is hosted": "Rozhodnite sa, kde bude váš účet hostovaný", @@ -2729,8 +2648,6 @@ "sends rainfall": "odošle dážď", "Sends the given message with rainfall": "Odošle danú správu s dažďom", "Automatically send debug logs when key backup is not functioning": "Automaticky odosielať záznamy o ladení, ak zálohovanie kľúčov nefunguje", - "Error fetching file": "Chyba pri načítaní súboru", - "Generating a ZIP": "Vytváranie súboru ZIP", "See %(msgtype)s messages posted to your active room": "Zobraziť %(msgtype)s správy zverejnené vo vašej aktívnej miestnosti", "See %(msgtype)s messages posted to this room": "Zobraziť %(msgtype)s správy zverejnené v tejto miestnosti", "Send %(msgtype)s messages as you in your active room": "Odoslať %(msgtype)s správy pod vaším menom vo vašej aktívnej miestnosti", @@ -2768,17 +2685,6 @@ "No virtual room for this room": "Žiadna virtuálna miestnosť pre túto miestnosť", "Switches to this room's virtual room, if it has one": "Prepne do virtuálnej miestnosti tejto miestnosti, ak ju má", "Sends the given message as a spoiler": "Odošle danú správu ako spojler", - "Processing event %(number)s out of %(total)s": "Spracovanie udalosti %(number)s z %(total)s", - "Media omitted": "Médium vynechané", - "Media omitted - file size limit exceeded": "Médium vynechané - prekročený limit veľkosti súboru", - "Fetched %(count)s events so far": { - "one": "Zatiaľ získaná %(count)s udalosť", - "other": "Zatiaľ získané %(count)s udalosti" - }, - "Fetched %(count)s events out of %(total)s": { - "one": "Získaná %(count)s udalosť z %(total)s", - "other": "Získané %(count)s udalosti z %(total)s" - }, "Command error: Unable to find rendering type (%(renderingType)s)": "Chyba príkazu: Nie je možné nájsť typ vykresľovania (%(renderingType)s)", "Command error: Unable to handle slash command.": "Chyba príkazu: Nie je možné spracovať lomkový príkaz.", "Already in call": "Hovor už prebieha", @@ -2897,9 +2803,6 @@ "You do not have permission to invite people to this space.": "Nemáte povolenie pozývať ľudí do tohto priestoru.", "Failed to invite users to %(roomName)s": "Nepodarilo pozvať používateľov do %(roomName)s", "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", - "Create room": "Vytvoriť miestnosť", - "Create video room": "Vytvoriť video miestnosť", - "Create a video room": "Vytvoriť video miestnosť", "%(count)s participants": { "one": "1 účastník", "other": "%(count)s účastníkov" @@ -3145,8 +3048,6 @@ "Desktop session": "Relácia stolného počítača", "Video call started": "Videohovor bol spustený", "Unknown room": "Neznáma miestnosť", - "Video call started in %(roomName)s. (not supported by this browser)": "Videohovor sa začal v %(roomName)s. (nie je podporované v tomto prehliadači)", - "Video call started in %(roomName)s.": "Videohovor sa začal v %(roomName)s.", "Close call": "Zavrieť hovor", "Room info": "Informácie o miestnosti", "View chat timeline": "Zobraziť časovú os konverzácie", @@ -3359,11 +3260,7 @@ "Connecting to integration manager…": "Pripájanie k správcovi integrácie…", "Saving…": "Ukladanie…", "Creating…": "Vytváranie…", - "Creating output…": "Vytváranie výstupu…", - "Fetching events…": "Získavanie udalostí…", "Starting export process…": "Spustenie procesu exportu…", - "Creating HTML…": "Vytváranie HTML…", - "Starting export…": "Začína sa exportovanie…", "Unable to connect to Homeserver. Retrying…": "Nie je možné sa pripojiť k domovskému serveru. Prebieha pokus o opätovné pripojenie…", "WARNING: session already verified, but keys do NOT MATCH!": "VAROVANIE: Relácia je už overená, ale kľúče sa NEZHODUJÚ!", "Secure Backup successful": "Bezpečné zálohovanie bolo úspešné", @@ -3449,7 +3346,6 @@ "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", - "%(oldDisplayName)s changed their display name and profile picture": "%(oldDisplayName)s zmenil/a svoje zobrazované meno a profilový obrázok", "Your language": "Váš jazyk", "Your device ID": "ID vášho zariadenia", "Alternatively, you can try to use the public server at , but this will not be as reliable, and it will share your IP address with that server. You can also manage this in Settings.": "Prípadne môžete skúsiť použiť verejný server na adrese , ale nebude to tak spoľahlivé a vaša IP adresa bude zdieľaná s týmto serverom. Môžete to spravovať aj v nastaveniach.", @@ -3470,11 +3366,7 @@ "Something went wrong.": "Niečo sa pokazilo.", "Changes your profile picture in this current room only": "Zmení váš profilový obrázok len pre túto miestnosť", "Changes your profile picture in all rooms": "Zmení váš profilový obrázok vo všetkých miestnostiach", - "%(senderDisplayName)s changed the join rule to ask to join.": "%(senderDisplayName)s zmenil/a pravidlo pripojenia na žiadosť o vstup.", "User cannot be invited until they are unbanned": "Používateľ nemôže byť pozvaný, kým nie je zrušený jeho zákaz", - "Previous group of messages": "Predchádzajúca skupina správ", - "Next group of messages": "Ďalšia skupina správ", - "Exported Data": "Exportované údaje", "Views room with given address": "Zobrazí miestnosti s danou adresou", "Notification Settings": "Nastavenia oznámení", "Ask to join": "Požiadať o pripojenie", @@ -3610,7 +3502,9 @@ "not_trusted": "Nedôveryhodné", "accessibility": "Prístupnosť", "server": "Server", - "capabilities": "Schopnosti" + "capabilities": "Schopnosti", + "unnamed_room": "Nepomenovaná miestnosť", + "unnamed_space": "Nepomenovaný priestor" }, "action": { "continue": "Pokračovať", @@ -3915,7 +3809,20 @@ "prompt_invite": "Upozorniť pred odoslaním pozvánok na potenciálne neplatné Matrix ID", "hardware_acceleration": "Povoliť hardvérovú akceleráciu (reštartujte %(appName)s, aby sa to prejavilo)", "start_automatically": "Spustiť automaticky po prihlásení do systému", - "warn_quit": "Upozorniť pred ukončením" + "warn_quit": "Upozorniť pred ukončením", + "notifications": { + "rule_contains_display_name": "Správy obsahujúce moje zobrazované meno", + "rule_contains_user_name": "Správy obsahujúce moje meno používateľa", + "rule_roomnotif": "Správy obsahujúce @miestnosť", + "rule_room_one_to_one": "Správy v priamych konverzáciách", + "rule_message": "Správy v skupinových konverzáciách", + "rule_encrypted": "Šifrované správy v skupinových konverzáciách", + "rule_invite_for_me": "Keď ma pozvú do miestnosti", + "rule_call": "Pozvánka na telefonát", + "rule_suppress_notices": "Správy odosielané robotmi", + "rule_tombstone": "Keď sú miestnosti aktualizované", + "rule_encrypted_room_one_to_one": "Šifrované správy v priamych konverzáciách" + } }, "devtools": { "send_custom_account_data_event": "Odoslať vlastnú udalosť s údajmi o účte", @@ -4007,5 +3914,122 @@ "room_id": "ID miestnosti: %(roomId)s", "thread_root_id": "ID koreňového vlákna: %(threadRootId)s", "event_id": "ID udalosti: %(eventId)s" + }, + "export_chat": { + "html": "HTML", + "json": "JSON", + "text": "Obyčajný text", + "from_the_beginning": "Od začiatku", + "number_of_messages": "Zadajte počet správ", + "current_timeline": "Aktuálna časová os", + "creating_html": "Vytváranie HTML…", + "starting_export": "Začína sa exportovanie…", + "export_successful": "Export úspešný!", + "unload_confirm": "Ste si istí, že chcete odísť počas tohto exportu?", + "generating_zip": "Vytváranie súboru ZIP", + "processing_event_n": "Spracovanie udalosti %(number)s z %(total)s", + "fetched_n_events_with_total": { + "one": "Získaná %(count)s udalosť z %(total)s", + "other": "Získané %(count)s udalosti z %(total)s" + }, + "fetched_n_events": { + "one": "Zatiaľ získaná %(count)s udalosť", + "other": "Zatiaľ získané %(count)s udalosti" + }, + "fetched_n_events_in_time": { + "one": "Načítaná %(count)s udalosť za %(seconds)ss", + "other": "Načítaných %(count)s udalostí za %(seconds)ss" + }, + "exported_n_events_in_time": { + "one": "Exportovaná %(count)s udalosť za %(seconds)s sekúnd", + "other": "Exportovaných %(count)s udalostí za %(seconds)s sekúnd" + }, + "media_omitted": "Médium vynechané", + "media_omitted_file_size": "Médium vynechané - prekročený limit veľkosti súboru", + "creator_summary": "%(creatorName)s vytvoril túto miestnosť.", + "export_info": "Toto je začiatok exportu miestnosti . Exportované dňa %(exportDate)s.", + "topic": "Téma: %(topic)s", + "previous_page": "Predchádzajúca skupina správ", + "next_page": "Ďalšia skupina správ", + "html_title": "Exportované údaje", + "error_fetching_file": "Chyba pri načítaní súboru", + "file_attached": "Priložený súbor", + "fetching_events": "Získavanie udalostí…", + "creating_output": "Vytváranie výstupu…" + }, + "create_room": { + "title_video_room": "Vytvoriť video miestnosť", + "title_public_room": "Vytvoriť verejnú miestnosť", + "title_private_room": "Vytvoriť súkromnú miestnosť", + "action_create_video_room": "Vytvoriť video miestnosť", + "action_create_room": "Vytvoriť miestnosť" + }, + "timeline": { + "m.call": { + "video_call_started": "Videohovor sa začal v %(roomName)s.", + "video_call_started_unsupported": "Videohovor sa začal v %(roomName)s. (nie je podporované v tomto prehliadači)" + }, + "m.call.invite": { + "voice_call": "%(senderName)s uskutočnil telefonát.", + "voice_call_unsupported": "%(senderName)s uskutočnil telefonát. (Nepodporované týmto prehliadačom)", + "video_call": "%(senderName)s uskutočnil video hovor.", + "video_call_unsupported": "%(senderName)s uskutočnil video hovor. (Nepodporované týmto prehliadačom)" + }, + "m.room.member": { + "accepted_3pid_invite": "%(targetName)s prijal/a pozvanie pre %(displayName)s", + "accepted_invite": "%(targetName)s prijal/a pozvanie", + "invite": "%(senderName)s pozval/a používateľa %(targetName)s", + "ban_reason": "%(senderName)s zakázal používateľa %(targetName)s: %(reason)s", + "ban": "%(senderName)s zakázal používateľa %(targetName)s", + "change_name_avatar": "%(oldDisplayName)s zmenil/a svoje zobrazované meno a profilový obrázok", + "change_name": "%(oldDisplayName)s zmenil/a svoje meno na %(displayName)s", + "set_name": "%(senderName)s nastavil/a svoje zobrazované meno na %(displayName)s", + "remove_name": "%(senderName)s odstránil svoje zobrazované meno (%(oldDisplayName)s)", + "remove_avatar": "%(senderName)s odstránil/a svoj profilový obrázok", + "change_avatar": "%(senderName)s zmenil/a svoj profilový obrázok", + "set_avatar": "%(senderName)s nastavil/a svoj profilový obrázok", + "no_change": "%(senderName)s neurobil žiadne zmeny", + "join": "%(targetName)s vstúpil do miestnosti", + "reject_invite": "%(targetName)s odmietol/a pozvánku", + "left_reason": "%(targetName)s opustil/a miestnosť: %(reason)s", + "left": "%(targetName)s opustil/a miestnosť", + "unban": "%(senderName)s zrušil/a zákaz pre %(targetName)s", + "withdrew_invite_reason": "%(senderName)s odvolal pozvanie od %(targetName)s: %(reason)s", + "withdrew_invite": "%(senderName)s odvolal pozvanie od %(targetName)s", + "kick_reason": "%(senderName)s odstránil používateľa %(targetName)s: %(reason)s", + "kick": "%(senderName)s odstránil používateľa %(targetName)s" + }, + "m.room.topic": "%(senderDisplayName)s zmenil tému na \"%(topic)s\".", + "m.room.avatar": "%(senderDisplayName)s zmenil obrázok miestnosti.", + "m.room.name": { + "remove": "%(senderDisplayName)s odstránil názov miestnosti.", + "change": "%(senderDisplayName)s zmenil/a meno miestnosti z %(oldRoomName)s na %(newRoomName)s.", + "set": "%(senderDisplayName)s zmenil názov miestnosti na %(roomName)s." + }, + "m.room.tombstone": "%(senderDisplayName)s aktualizoval túto miestnosť.", + "m.room.join_rules": { + "public": "%(senderDisplayName)s zverejnil túto miestnosť pre všetkých, ktorí poznajú jej odkaz.", + "invite": "%(senderDisplayName)s nastavil vstup do miestnosti len pre pozvaných.", + "knock": "%(senderDisplayName)s zmenil/a pravidlo pripojenia na žiadosť o vstup.", + "restricted_settings": "%(senderDisplayName)s zmenil/a, kto sa môže pripojiť k tejto miestnosti. Zobraziť nastavenia.", + "restricted": "%(senderDisplayName)s zmenil, kto sa môže pripojiť k tejto miestnosti.", + "unknown": "%(senderDisplayName)s zmenil podmienku vstupu na %(rule)s" + }, + "m.room.guest_access": { + "can_join": "%(senderDisplayName)s umožnil hosťom vstúpiť do miestnosti.", + "forbidden": "%(senderDisplayName)s zamedzil hosťom vstúpiť do miestnosti.", + "unknown": "%(senderDisplayName)s zmenil prístup hostí na %(rule)s" + }, + "m.image": "%(senderDisplayName)s poslal obrázok.", + "m.sticker": "%(senderDisplayName)s poslal nálepku.", + "m.room.server_acl": { + "set": "%(senderDisplayName)s nastavil ACL servera pre túto miestnosť.", + "changed": "%(senderDisplayName)s zmenil ACL servera pre túto miestnosť.", + "all_servers_banned": "🎉 Všetky servery majú zákaz účasti! Túto miestnosť už nie je možné používať." + }, + "m.room.canonical_alias": { + "set": "%(senderName)s nastavil hlavnú adresu tejto miestnosti %(address)s.", + "removed": "%(senderName)s odstránil hlavnú adresu tejto miestnosti." + } } } diff --git a/src/i18n/strings/sq.json b/src/i18n/strings/sq.json index f093b066391..156658f7892 100644 --- a/src/i18n/strings/sq.json +++ b/src/i18n/strings/sq.json @@ -32,7 +32,6 @@ "Nov": "Nën", "Dec": "Dhj", "%(weekDayName)s %(time)s": "%(weekDayName)s %(time)s", - "Unnamed Room": "Dhomë e Paemërtuar", "%(brand)s does not have permission to send you notifications - please check your browser settings": "%(brand)s-i s’ka leje t’ju dërgojë njoftime - Ju lutemi, kontrolloni rregullimet e shfletuesit tuaj", "%(brand)s was not given permission to send notifications - please try again": "%(brand)s-it s’iu dha leje të dërgojë njoftime - ju lutemi, riprovoni", "Unable to enable Notifications": "S’arrihet të aktivizohen njoftimet", @@ -67,13 +66,11 @@ "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ë", - "Messages in one-to-one chats": "Mesazhe në fjalosje tek për tek", "Unavailable": "Jo i passhëm", "powered by Matrix": "bazuar në Matrix", "Favourite": "Bëje të parapëlqyer", "All Rooms": "Krejt Dhomat", "Source URL": "URL Burimi", - "Messages sent by bot": "Mesazhe të dërguar nga boti", "Filter results": "Filtroni përfundimet", "No update available.": "S’ka përditësim gati.", "Noisy": "I zhurmshëm", @@ -90,17 +87,13 @@ "Wednesday": "E mërkurë", "All messages": "Krejt mesazhet", "unknown error code": "kod gabimi të panjohur", - "Call invitation": "Ftesë për thirrje", "Thank you!": "Faleminderit!", - "Messages containing my display name": "Mesazhe që përmbajnë emrin tim të ekranit", "What's new?": "Ç’ka të re?", - "When I'm invited to a room": "Kur ftohem në një dhomë", "Invite to this room": "Ftojeni te kjo dhomë", "You cannot delete this message. (%(code)s)": "S’mund ta fshini këtë mesazh. (%(code)s)", "Thursday": "E enjte", "Logs sent": "Regjistrat u dërguan", "Show message in desktop notification": "Shfaq mesazh në njoftim për desktop", - "Messages in group chats": "Mesazhe në fjalosje në grup", "Yesterday": "Dje", "Error encountered (%(errorDetail)s).": "U has gabim (%(errorDetail)s).", "Low Priority": "Përparësi e Ulët", @@ -292,9 +285,6 @@ "Invites user with given id to current room": "Fton te dhoma e tanishme përdoruesin me ID-në e dhënë", "Ignores a user, hiding their messages from you": "Shpërfill një përdorues, duke ju fshehur krejt mesazhet prej tij", "File to import": "Kartelë për importim", - "%(senderDisplayName)s changed the topic to \"%(topic)s\".": "%(senderDisplayName)s ndryshoi temën në \"%(topic)s\".", - "%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s hoqi emrin e dhomës.", - "%(senderDisplayName)s sent an image.": "%(senderDisplayName)s dërgoi një figurë.", "Failed to set display name": "S’u arrit të caktohej emër ekrani", "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (pushtet %(powerLevelNumber)si)", "(~%(count)s results)": { @@ -341,7 +331,6 @@ "Deops user with given id": "I heq cilësinë e operatorit përdoruesit me ID-në e dhënë", "Changes your display nickname": "Ndryshon nofkën tuaj në ekran", "You are no longer ignoring %(userId)s": "Nuk e shpërfillni më %(userId)s", - "%(senderDisplayName)s changed the room name to %(roomName)s.": "%(senderDisplayName)s ndryshoi emrin e dhomës në %(roomName)s.", "%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": "%(senderName)s dërgoi një ftesë për %(targetDisplayName)s që të marrë pjesë në dhomë.", "%(senderName)s made future room history visible to unknown (%(visibility)s).": "%(senderName)s e kaloi historikun e ardhshëm të dhomës të dukshëm për të panjohurit (%(visibility)s).", "%(widgetName)s widget removed by %(senderName)s": "Widget-i %(widgetName)s u hoq nga %(senderName)s", @@ -380,7 +369,6 @@ "other": "Për %(severalUsers)s u hodhën poshtë ftesat e tyre %(count)s herë" }, "You seem to be uploading files, are you sure you want to quit?": "Duket se jeni duke ngarkuar kartela, jeni i sigurt se doni të dilet?", - "%(senderName)s set the main address for this room to %(address)s.": "%(senderName)s caktoi %(address)s si adresë kryesore për këtë dhomë.", "%(widgetName)s widget modified by %(senderName)s": "Widget-i %(widgetName)s u modifikua nga %(senderName)s", "%(widgetName)s widget added by %(senderName)s": "Widget-i %(widgetName)s u shtua nga %(senderName)s", "Add some now": "Shtohen ca tani", @@ -413,7 +401,6 @@ "Please contact your service administrator to continue using this service.": "Ju lutemi, që të vazhdoni të përdorni këtë shërbim, lidhuni me përgjegjësin e shërbimit tuaj.", "You do not have permission to start a conference call in this room": "S’keni leje për të nisur një thirrje konferencë këtë në këtë dhomë", "Missing roomId.": "Mungon roomid.", - "%(senderName)s removed the main address for this room.": "%(senderName)s hoqi adresën kryesore për këtë dhomë.", "This room has been replaced and is no longer active.": "Kjo dhomë është zëvendësuar dhe s’është më aktive.", "Share room": "Ndani dhomë me të tjerë", "You don't currently have any stickerpacks enabled": "Hëpërhë, s’keni të aktivizuar ndonjë pako ngjitësesh", @@ -539,9 +526,6 @@ "You do not have permission to invite people to this room.": "S’keni leje të ftoni njerëz në këtë dhomë.", "Unknown server error": "Gabim i panjohur shërbyesi", "Set up": "Rregulloje", - "Messages containing @room": "Mesazhe që përmbajnë @room", - "Encrypted messages in one-to-one chats": "Mesazhe të fshehtëzuar në fjalosje tek-për-tek", - "Encrypted messages in group chats": "Mesazhe të fshehtëzuar në fjalosje në grup", "Invalid identity server discovery response": "Përgjigje e pavlefshme zbulimi identiteti shërbyesi", "New Recovery Method": "Metodë e Re Rimarrjesh", "If you didn't set the new recovery method, an attacker may be trying to access your account. Change your account password and set a new recovery method immediately in Settings.": "Nëse metodën e re të rimarrjeve s’e keni caktuar ju, dikush mund të jetë duke u rrekur të hyjë në llogarinë tuaj. Ndryshoni menjëherë fjalëkalimin e llogarisë tuaj, te Rregullimet, dhe caktoni një metodë të re rimarrjesh.", @@ -557,14 +541,12 @@ "Invite anyway": "Ftoji sido qoftë", "Upgrades a room to a new version": "E kalon një dhomë te një version i ri i përmirësuar", "Sets the room name": "Cakton emrin e dhomës", - "%(senderDisplayName)s upgraded this room.": "%(senderDisplayName)s e përmirësoi këtë dhomë.", "%(displayName)s is typing …": "%(displayName)s po shtyp …", "%(names)s and %(count)s others are typing …": { "other": "%(names)s dhe %(count)s të tjerë po shtypin …", "one": "%(names)s dhe një tjetër po shtypin …" }, "%(names)s and %(lastPerson)s are typing …": "%(names)s dhe %(lastPerson)s të tjerë po shtypin …", - "Messages containing my username": "Mesazhe që përmbajnë emrin tim të përdoruesit", "The other party cancelled the verification.": "Pala tjetër e anuloi verifikimin.", "Verified!": "U verifikua!", "You've successfully verified this user.": "E verifikuat me sukses këtë përdorues.", @@ -687,12 +669,6 @@ "This homeserver does not support login using email address.": "Ky shërbyes Home nuk mbulon hyrje përmes adresash email.", "Registration has been disabled on this homeserver.": "Në këtë shërbyes Home regjistrimi është çaktivizuar.", "Unable to query for supported registration methods.": "S’arrihet të kërkohet për metoda regjistrimi që mbulohen.", - "%(senderDisplayName)s made the room public to whoever knows the link.": "%(senderDisplayName)s e bëri dhomën publike për këdo që di lidhjen.", - "%(senderDisplayName)s made the room invite only.": "%(senderDisplayName)s e bëri dhomën vetëm me ftesa.", - "%(senderDisplayName)s changed the join rule to %(rule)s": "%(senderDisplayName)s ndryshoi rregullin e pjesëmarrjes në %(rule)s", - "%(senderDisplayName)s has allowed guests to join the room.": "%(senderDisplayName)s ka lejuar vizitorë të marrin pjesë në dhomë.", - "%(senderDisplayName)s has prevented guests from joining the room.": "%(senderDisplayName)s ka penguar vizitorë të marrin pjesë në dhomë.", - "%(senderDisplayName)s changed guest access to %(rule)s": "%(senderDisplayName)s ndryshoi hyrjen për vizitorë në %(rule)s", "Unable to find a supported verification method.": "S’arrihet të gjendet metodë verifikimi e mbuluar.", "Santa": "Babagjyshi i Vitit të Ri", "Hourglass": "Klepsidër", @@ -741,7 +717,6 @@ "You cannot modify widgets in this room.": "S’mund të ndryshoni widget-e në këtë dhomë.", "%(senderName)s revoked the invitation for %(targetDisplayName)s to join the room.": "%(senderName)s shfuqizoi ftesën për %(targetDisplayName)s që të marrë pjesë në dhomë.", "No homeserver URL provided": "S’u dha URL shërbyesi Home", - "When rooms are upgraded": "Kur përmirësohen dhomat", "Upgrade this room to the recommended room version": "Përmirësojeni këtë dhomë me versionin e rekomanduar të dhomës", "View older messages in %(roomName)s.": "Shihni mesazhe më të vjetër në %(roomName)s.", "Join the conversation with an account": "Merrni pjesë në bisedë me një llogari", @@ -950,8 +925,6 @@ "e.g. my-room": "p.sh., dhoma-ime", "Close dialog": "Mbylle dialogun", "Please enter a name for the room": "Ju lutemi, jepni një emër për dhomën", - "Create a public room": "Krijoni një dhomë publike", - "Create a private room": "Krijoni një dhomë private", "Topic (optional)": "Temë (në daçi)", "Hide advanced": "Fshihi të mëtejshmet", "Show advanced": "Shfaqi të mëtejshmet", @@ -1068,10 +1041,6 @@ "Verification Request": "Kërkesë Verifikimi", "Error upgrading room": "Gabim në përditësim dhome", "Double check that your server supports the room version chosen and try again.": "Rikontrolloni që shërbyesi juaj e mbulon versionin e zgjedhur për dhomën dhe riprovoni.", - "%(senderName)s placed a voice call.": "%(senderName)s bëri një thirrje zanore.", - "%(senderName)s placed a voice call. (not supported by this browser)": "%(senderName)s bëri një thirrje zanore. (e pambuluar nga ky shfletues)", - "%(senderName)s placed a video call.": "%(senderName)s bëri një thirrje video.", - "%(senderName)s placed a video call. (not supported by this browser)": "%(senderName)s bëri një thirrje video. (e pambuluar nga ky shfletues)", "Match system theme": "Përputhe me temën e sistemit", "Cross-signing public keys:": "Kyçe publikë për cross-signing:", "not found": "s’u gjet", @@ -1252,7 +1221,6 @@ }, "%(senderName)s changed the alternative addresses for this room.": "%(senderName)s ndryshoi adresat alternative për këtë dhomë.", "%(senderName)s changed the main and alternative addresses for this room.": "%(senderName)s ndryshoi adresat kryesore dhe alternative për këtë dhomë.", - "%(senderDisplayName)s changed the room name from %(oldRoomName)s to %(newRoomName)s.": "%(senderDisplayName)s ndryshoi emrin e dhomës nga %(oldRoomName)s në %(newRoomName)s.", "%(senderName)s changed the addresses for this room.": "%(senderName)s ndryshoi adresat për këtë dhomë.", "Invalid theme schema.": "Skemë e pavlefshme teme.", "Error downloading theme information.": "Gabim në shkarkim të dhënash teme.", @@ -1439,7 +1407,6 @@ "%(senderName)s is calling": "%(senderName)s po thërret", "%(senderName)s: %(message)s": "%(senderName)s: %(message)s", "%(senderName)s: %(stickerName)s": "%(senderName)s: %(stickerName)s", - "%(senderName)s invited %(targetName)s": "%(senderName)s ftoi %(targetName)s", "The authenticity of this encrypted message can't be guaranteed on this device.": "Mirëfilltësia e këtij mesazhi të fshehtëzuar s’mund të garantohet në këtë pajisje.", "Message deleted on %(date)s": "Mesazh i fshirë më %(date)s", "Wrong file type": "Lloj i gabuar kartele", @@ -1532,9 +1499,6 @@ "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", - "🎉 All servers are banned from participating! This room can no longer be used.": "🎉 Janë dëbuar nga pjesëmarrja krejt shërbyesit! Kjo dhomë s’mund të përdoret më.", - "%(senderDisplayName)s changed the server ACLs for this room.": "%(senderDisplayName)s ndryshoi ACL-ra shërbyesi për këtë dhomë.", - "%(senderDisplayName)s set the server ACLs for this room.": "%(senderDisplayName)s caktoi ACL-ra shërbyesi për këtë dhomë.", "The call could not be established": "Thirrja s’u nis dot", "Move right": "Lëvize djathtas", "Move left": "Lëvize majtas", @@ -2011,7 +1975,6 @@ "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ë.", - "Unnamed Space": "Hapësirë e Paemërtuar", "Invite to %(spaceName)s": "Ftojeni te %(spaceName)s", "Create a new room": "Krijoni dhomë të re", "Spaces": "Hapësira", @@ -2207,24 +2170,6 @@ "e.g. my-space": "p.sh., hapësira-ime", "Silence call": "Heshtoje thirrjen", "%(senderName)s changed the pinned messages for the room.": "%(senderName)s ndryshoi mesazhin e fiksuar për këtë dhomë.", - "%(senderName)s withdrew %(targetName)s's invitation": "%(senderName)s tërhoqi mbrapsht ftesën për %(targetName)s", - "%(senderName)s withdrew %(targetName)s's invitation: %(reason)s": "%(senderName)s tërhoqi mbrapsht ftesën për %(targetName)s: %(reason)s", - "%(senderName)s unbanned %(targetName)s": "%(senderName)s hoqi dëbimin për %(targetName)s", - "%(targetName)s left the room": "%(targetName)s doli nga dhoma", - "%(targetName)s left the room: %(reason)s": "%(targetName)s doli nga dhoma: %(reason)s", - "%(targetName)s rejected the invitation": "%(targetName)s hodhi tej ftesën", - "%(targetName)s joined the room": "%(targetName)s hyri në dhomë", - "%(senderName)s made no change": "%(senderName)s s’bëri ndryshime", - "%(senderName)s set a profile picture": "%(senderName)s caktoi një foto profili", - "%(senderName)s changed their profile picture": "%(senderName)s ndryshoi foton e vet të profilit", - "%(senderName)s removed their profile picture": "%(senderName)s hoqi foton e vet të profilit", - "%(senderName)s removed their display name (%(oldDisplayName)s)": "%(senderName)s hoqi emrin e vet në ekran (%(oldDisplayName)s)", - "%(senderName)s set their display name to %(displayName)s": "%(senderName)s caktoi për veten emër ekrani %(displayName)s", - "%(oldDisplayName)s changed their display name to %(displayName)s": "%(oldDisplayName)s ndryshoi emrin e vet në ekran si %(displayName)s", - "%(senderName)s banned %(targetName)s": "%(senderName)s dëboi %(targetName)s", - "%(senderName)s banned %(targetName)s: %(reason)s": "%(senderName)s dëboi %(targetName)s: %(reason)s", - "%(targetName)s accepted an invitation": "%(targetName)s pranoi një ftesë", - "%(targetName)s accepted the invitation for %(displayName)s": "%(targetName)s pranoi ftesën për %(displayName)s", "Some invites couldn't be sent": "S’u dërguan dot disa nga ftesat", "We sent the others, but the below people couldn't be invited to ": "I dërguam të tjerat, por personat më poshtë s’u ftuan dot te ", "Unnamed audio": "Audio pa emër", @@ -2397,8 +2342,6 @@ "Don't leave any rooms": "Mos braktis ndonjë dhomë", "Format": "Format", "MB": "MB", - "JSON": "JSON", - "HTML": "HTML", "Include Attachments": "Përfshi Bashkëngjitje", "Size Limit": "Kufi Madhësie", "Select from the options below to export chats from your timeline": "Që të eksportohen fjalosje prej rrjedhës tuaj kohore, përzgjidhni prej mundësive më poshtë", @@ -2414,20 +2357,6 @@ "Enter a number between %(min)s and %(max)s": "Jepni një numër mes %(min)s dhe %(max)s", "In reply to this message": "Në përgjigje të këtij mesazhi", "Export chat": "Eksportoni fjalosje", - "File Attached": "Kartelë Bashkëngjitur", - "Error fetching file": "Gabim në sjellje kartele", - "Topic: %(topic)s": "Temë: %(topic)s", - "This is the start of export of . Exported by at %(exportDate)s.": "Ky është fillimi i eksportimit të . Eksportuar nga më %(exportDate)s.", - "%(creatorName)s created this room.": "%(creatorName)s krijoi këtë dhomë.", - "Media omitted - file size limit exceeded": "U la jashtë media - u tejkalua kufi madhësie kartele", - "Media omitted": "U la jashtë media", - "Current Timeline": "Rrjedhë Kohore e Tanishme", - "Specify a number of messages": "Përcaktoni një numër mesazhesh", - "From the beginning": "Që nga fillimi", - "Plain Text": "Tekst i Thjeshtë", - "Are you sure you want to exit during this export?": "Jeni i sigurt se doni të dilet gjatë këtij eksportimi?", - "%(senderDisplayName)s sent a sticker.": "%(senderDisplayName)s dërgoi një ngjitës.", - "%(senderDisplayName)s changed the room avatar.": "%(senderDisplayName)s ndryshoi avatarin e dhomës.", "I'll verify later": "Do ta verifikoj më vonë", "Verify with Security Key": "Verifikoje me Kyç Sigurie", "Verify with Security Key or Phrase": "Verifikojeni me Kyç ose Frazë Sigurie", @@ -2473,8 +2402,6 @@ "Developer mode": "Mënyra zhvillues", "Joined": "Hyri", "Insert link": "Futni lidhje", - "%(senderDisplayName)s changed who can join this room.": "%(senderDisplayName)s ndryshoi cilët mund të hyjnë në këtë dhomë.", - "%(senderDisplayName)s changed who can join this room. View settings.": "%(senderDisplayName)s ndryshoi cilët mund të hyjnë në këtë dhomë. Shihni rregullimet.", "Use high contrast": "Përdor kontrast të lartë", "Light high contrast": "Kontrast i fortë drite", "Store your Security Key somewhere safe, like a password manager or a safe, as it's used to safeguard your encrypted data.": "Depozitojeni Kyçin tuaj të Sigurisë diku të parrezik, bie fjala në një përgjegjës fjalëkalimesh, ose në një kasafortë, ngaqë përdoret për të mbrojtur të dhënat tuaja të fshehtëzuara.", @@ -2634,25 +2561,6 @@ "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", - "Exported %(count)s events in %(seconds)s seconds": { - "one": "U eksportua %(count)s veprimtari për %(seconds)s sekonda", - "other": "U eksportuan %(count)s veprimtari për %(seconds)s sekonda" - }, - "Export successful!": "Eksportim i suksesshëm!", - "Fetched %(count)s events in %(seconds)ss": { - "one": "U pru %(count)s veprimtari për %(seconds)ss", - "other": "U prunë %(count)s veprimtari për %(seconds)ss" - }, - "Processing event %(number)s out of %(total)s": "Po përpunohet veprimtaria %(number)s nga %(total)s gjithsej", - "Fetched %(count)s events so far": { - "one": "U pru %(count)s veprimtari deri tani", - "other": "U prunë %(count)s veprimtari deri tani" - }, - "Fetched %(count)s events out of %(total)s": { - "one": "U pru %(count)s veprimtari nga %(total)s gjithsej", - "other": "U prunë %(count)s veprimtari nga %(total)s gjithsej" - }, - "Generating a ZIP": "Po prodhohet një ZIP", "We were unable to understand the given date (%(inputDate)s). Try using the format YYYY-MM-DD.": "S’qemë në gjendje të kuptojmë datën e dhënë (%(inputDate)s). Provoni të përdorni formatin YYYY-MM-DD.", "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)", @@ -2708,8 +2616,6 @@ "Remove users": "Hiqni përdorues", "Remove, ban, or invite people to your active room, and make you leave": "Hiqni, dëboni, ose ftoni persona te dhoma juaj aktive dhe bëni largimin tuaj", "Remove, ban, or invite people to this room, and make you leave": "Hiqni, dëboni, ose ftoni persona në këtë dhomë dhe bëni largimin tuaj", - "%(senderName)s removed %(targetName)s": "%(senderName)s hoqi %(targetName)s", - "%(senderName)s removed %(targetName)s: %(reason)s": "%(senderName)s hoqi %(targetName)s: %(reason)s", "Removes user with given id from this room": "Heq prej kësaj dhome përdoruesin me ID-në e dhënë", "Open this settings tab": "Hap këtë skedë rregullimesh", "Message pending moderation": "Mesazh në pritje të moderimit", @@ -2893,9 +2799,6 @@ "You do not have permission to invite people to this space.": "S’keni leje të ftoni njerëz në këtë hapësirë.", "Failed to invite users to %(roomName)s": "S’u arrit të ftoheshin përdoruesit te %(roomName)s", "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", - "Create room": "Krijoje dhomën", - "Create video room": "Krijoni dhomë me video", - "Create a video room": "Krijoni një dhomë me video", "%(count)s participants": { "one": "1 pjesëmarrës", "other": "%(count)s pjesëmarrës" @@ -3057,8 +2960,6 @@ "Fill screen": "Mbushe ekranin", "Download %(brand)s": "Shkarko %(brand)s", "Toggle attribution": "Shfaq/fshih atribut", - "Video call started in %(roomName)s. (not supported by this browser)": "Nisi thirrje me video te %(roomName)s. (e pambuluar nga ky shfletues)", - "Video call started in %(roomName)s.": "Nisi thirrje me video në %(roomName)s.", "Empty room (was %(oldName)s)": "Dhomë e zbrazët (qe %(oldName)s)", "Inviting %(user)s and %(count)s others": { "one": "Po ftohet %(user)s dhe 1 tjetër", @@ -3352,10 +3253,7 @@ "Connecting to integration manager…": "Po lidhet me përgjegjës integrimesh…", "Saving…": "Po ruhet…", "Creating…": "Po krijohet…", - "Fetching events…": "Po sillen veprimtari…", "Starting export process…": "Po niset procesi i eksportimit…", - "Creating HTML…": "Po krijohet HTML…", - "Starting export…": "Po niset eksportimi…", "Unable to connect to Homeserver. Retrying…": "S’u arrit të lidhej me shërbyesin Home. Po riprovohet…", "WARNING: session already verified, but keys do NOT MATCH!": "KUJDES: sesion tashmë i verifikuar, por kyçet NUK PËRPUTHEN!", "Your email address does not appear to be associated with a Matrix ID on this homeserver.": "Adresa juaj email s’duket të jetë e përshoqëruar me ndonjë ID Matrix në këtë shërbyes Home.", @@ -3440,7 +3338,6 @@ "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", - "%(oldDisplayName)s changed their display name and profile picture": "%(oldDisplayName)s ndryshoi emrin e vet në ekran dhe foton e profilit", "common": { "about": "Mbi", "analytics": "Analiza", @@ -3521,7 +3418,9 @@ "not_trusted": "Jo e besuar", "accessibility": "Përdorim nga persona me aftësi të kufizuara", "server": "Shërbyes", - "capabilities": "Aftësi" + "capabilities": "Aftësi", + "unnamed_room": "Dhomë e Paemërtuar", + "unnamed_space": "Hapësirë e Paemërtuar" }, "action": { "continue": "Vazhdo", @@ -3815,7 +3714,20 @@ "prompt_invite": "Pyet, përpara se të dërgohen ftesa te ID Matrix potencialisht të pavlefshme", "hardware_acceleration": "Aktivizoni përshpejtim hardware (që kjo të hyjë në fuqi, rinisni %(appName)s)", "start_automatically": "Nisu vetvetiu pas hyrjes në sistem", - "warn_quit": "Sinjalizo përpara daljes" + "warn_quit": "Sinjalizo përpara daljes", + "notifications": { + "rule_contains_display_name": "Mesazhe që përmbajnë emrin tim të ekranit", + "rule_contains_user_name": "Mesazhe që përmbajnë emrin tim të përdoruesit", + "rule_roomnotif": "Mesazhe që përmbajnë @room", + "rule_room_one_to_one": "Mesazhe në fjalosje tek për tek", + "rule_message": "Mesazhe në fjalosje në grup", + "rule_encrypted": "Mesazhe të fshehtëzuar në fjalosje në grup", + "rule_invite_for_me": "Kur ftohem në një dhomë", + "rule_call": "Ftesë për thirrje", + "rule_suppress_notices": "Mesazhe të dërguar nga boti", + "rule_tombstone": "Kur përmirësohen dhomat", + "rule_encrypted_room_one_to_one": "Mesazhe të fshehtëzuar në fjalosje tek-për-tek" + } }, "devtools": { "send_custom_account_data_event": "Dërgoni akt vetjak të dhënash llogarie", @@ -3900,5 +3812,117 @@ "developer_tools": "Mjete Zhvilluesi", "room_id": "ID Dhome: %(roomId)s", "event_id": "ID Veprimtarie: %(eventId)s" + }, + "export_chat": { + "html": "HTML", + "json": "JSON", + "text": "Tekst i Thjeshtë", + "from_the_beginning": "Që nga fillimi", + "number_of_messages": "Përcaktoni një numër mesazhesh", + "current_timeline": "Rrjedhë Kohore e Tanishme", + "creating_html": "Po krijohet HTML…", + "starting_export": "Po niset eksportimi…", + "export_successful": "Eksportim i suksesshëm!", + "unload_confirm": "Jeni i sigurt se doni të dilet gjatë këtij eksportimi?", + "generating_zip": "Po prodhohet një ZIP", + "processing_event_n": "Po përpunohet veprimtaria %(number)s nga %(total)s gjithsej", + "fetched_n_events_with_total": { + "one": "U pru %(count)s veprimtari nga %(total)s gjithsej", + "other": "U prunë %(count)s veprimtari nga %(total)s gjithsej" + }, + "fetched_n_events": { + "one": "U pru %(count)s veprimtari deri tani", + "other": "U prunë %(count)s veprimtari deri tani" + }, + "fetched_n_events_in_time": { + "one": "U pru %(count)s veprimtari për %(seconds)ss", + "other": "U prunë %(count)s veprimtari për %(seconds)ss" + }, + "exported_n_events_in_time": { + "one": "U eksportua %(count)s veprimtari për %(seconds)s sekonda", + "other": "U eksportuan %(count)s veprimtari për %(seconds)s sekonda" + }, + "media_omitted": "U la jashtë media", + "media_omitted_file_size": "U la jashtë media - u tejkalua kufi madhësie kartele", + "creator_summary": "%(creatorName)s krijoi këtë dhomë.", + "export_info": "Ky është fillimi i eksportimit të . Eksportuar nga më %(exportDate)s.", + "topic": "Temë: %(topic)s", + "error_fetching_file": "Gabim në sjellje kartele", + "file_attached": "Kartelë Bashkëngjitur", + "fetching_events": "Po sillen veprimtari…" + }, + "create_room": { + "title_video_room": "Krijoni një dhomë me video", + "title_public_room": "Krijoni një dhomë publike", + "title_private_room": "Krijoni një dhomë private", + "action_create_video_room": "Krijoni dhomë me video", + "action_create_room": "Krijoje dhomën" + }, + "timeline": { + "m.call": { + "video_call_started": "Nisi thirrje me video në %(roomName)s.", + "video_call_started_unsupported": "Nisi thirrje me video te %(roomName)s. (e pambuluar nga ky shfletues)" + }, + "m.call.invite": { + "voice_call": "%(senderName)s bëri një thirrje zanore.", + "voice_call_unsupported": "%(senderName)s bëri një thirrje zanore. (e pambuluar nga ky shfletues)", + "video_call": "%(senderName)s bëri një thirrje video.", + "video_call_unsupported": "%(senderName)s bëri një thirrje video. (e pambuluar nga ky shfletues)" + }, + "m.room.member": { + "accepted_3pid_invite": "%(targetName)s pranoi ftesën për %(displayName)s", + "accepted_invite": "%(targetName)s pranoi një ftesë", + "invite": "%(senderName)s ftoi %(targetName)s", + "ban_reason": "%(senderName)s dëboi %(targetName)s: %(reason)s", + "ban": "%(senderName)s dëboi %(targetName)s", + "change_name_avatar": "%(oldDisplayName)s ndryshoi emrin e vet në ekran dhe foton e profilit", + "change_name": "%(oldDisplayName)s ndryshoi emrin e vet në ekran si %(displayName)s", + "set_name": "%(senderName)s caktoi për veten emër ekrani %(displayName)s", + "remove_name": "%(senderName)s hoqi emrin e vet në ekran (%(oldDisplayName)s)", + "remove_avatar": "%(senderName)s hoqi foton e vet të profilit", + "change_avatar": "%(senderName)s ndryshoi foton e vet të profilit", + "set_avatar": "%(senderName)s caktoi një foto profili", + "no_change": "%(senderName)s s’bëri ndryshime", + "join": "%(targetName)s hyri në dhomë", + "reject_invite": "%(targetName)s hodhi tej ftesën", + "left_reason": "%(targetName)s doli nga dhoma: %(reason)s", + "left": "%(targetName)s doli nga dhoma", + "unban": "%(senderName)s hoqi dëbimin për %(targetName)s", + "withdrew_invite_reason": "%(senderName)s tërhoqi mbrapsht ftesën për %(targetName)s: %(reason)s", + "withdrew_invite": "%(senderName)s tërhoqi mbrapsht ftesën për %(targetName)s", + "kick_reason": "%(senderName)s hoqi %(targetName)s: %(reason)s", + "kick": "%(senderName)s hoqi %(targetName)s" + }, + "m.room.topic": "%(senderDisplayName)s ndryshoi temën në \"%(topic)s\".", + "m.room.avatar": "%(senderDisplayName)s ndryshoi avatarin e dhomës.", + "m.room.name": { + "remove": "%(senderDisplayName)s hoqi emrin e dhomës.", + "change": "%(senderDisplayName)s ndryshoi emrin e dhomës nga %(oldRoomName)s në %(newRoomName)s.", + "set": "%(senderDisplayName)s ndryshoi emrin e dhomës në %(roomName)s." + }, + "m.room.tombstone": "%(senderDisplayName)s e përmirësoi këtë dhomë.", + "m.room.join_rules": { + "public": "%(senderDisplayName)s e bëri dhomën publike për këdo që di lidhjen.", + "invite": "%(senderDisplayName)s e bëri dhomën vetëm me ftesa.", + "restricted_settings": "%(senderDisplayName)s ndryshoi cilët mund të hyjnë në këtë dhomë. Shihni rregullimet.", + "restricted": "%(senderDisplayName)s ndryshoi cilët mund të hyjnë në këtë dhomë.", + "unknown": "%(senderDisplayName)s ndryshoi rregullin e pjesëmarrjes në %(rule)s" + }, + "m.room.guest_access": { + "can_join": "%(senderDisplayName)s ka lejuar vizitorë të marrin pjesë në dhomë.", + "forbidden": "%(senderDisplayName)s ka penguar vizitorë të marrin pjesë në dhomë.", + "unknown": "%(senderDisplayName)s ndryshoi hyrjen për vizitorë në %(rule)s" + }, + "m.image": "%(senderDisplayName)s dërgoi një figurë.", + "m.sticker": "%(senderDisplayName)s dërgoi një ngjitës.", + "m.room.server_acl": { + "set": "%(senderDisplayName)s caktoi ACL-ra shërbyesi për këtë dhomë.", + "changed": "%(senderDisplayName)s ndryshoi ACL-ra shërbyesi për këtë dhomë.", + "all_servers_banned": "🎉 Janë dëbuar nga pjesëmarrja krejt shërbyesit! Kjo dhomë s’mund të përdoret më." + }, + "m.room.canonical_alias": { + "set": "%(senderName)s caktoi %(address)s si adresë kryesore për këtë dhomë.", + "removed": "%(senderName)s hoqi adresën kryesore për këtë dhomë." + } } } diff --git a/src/i18n/strings/sr.json b/src/i18n/strings/sr.json index 6ffa66a5aec..62923aab725 100644 --- a/src/i18n/strings/sr.json +++ b/src/i18n/strings/sr.json @@ -59,10 +59,6 @@ "You are no longer ignoring %(userId)s": "Више не занемарујете корисника %(userId)s", "Verified key": "Проверени кључ", "Reason": "Разлог", - "%(senderDisplayName)s changed the topic to \"%(topic)s\".": "%(senderDisplayName)s је променио тему у „%(topic)s“.", - "%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s је уклонио назив собе.", - "%(senderDisplayName)s changed the room name to %(roomName)s.": "%(senderDisplayName)s је променио назив собе у %(roomName)s.", - "%(senderDisplayName)s sent an image.": "%(senderDisplayName)s је послао слику.", "%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": "%(senderName)s је послао позивницу за приступ соби ка %(targetDisplayName)s.", "%(senderName)s made future room history visible to all room members, from the point they are invited.": "%(senderName)s је учинио будући историјат собе видљивим свим члановима собе, од тренутка позивања у собу.", "%(senderName)s made future room history visible to all room members, from the point they joined.": "%(senderName)s је учинио будући историјат собе видљивим свим члановима собе, од тренутка приступања соби.", @@ -78,7 +74,6 @@ "Failure to create room": "Неуспех при прављењу собе", "Server may be unavailable, overloaded, or you hit a bug.": "Сервер је можда недоступан, преоптерећен или сте нашли грешку.", "Send": "Пошаљи", - "Unnamed Room": "Неименована соба", "Your browser does not support the required cryptography extensions": "Ваш прегледач не подржава потребна криптографска проширења", "Not a valid %(brand)s keyfile": "Није исправана %(brand)s кључ-датотека", "Authentication check failed: incorrect password?": "Провера идентитета није успела: нетачна лозинка?", @@ -395,10 +390,8 @@ "Waiting for response from server": "Чекам на одговор са сервера", "Off": "Искључено", "This Room": "Ова соба", - "Messages in one-to-one chats": "Поруке у један-на-један ћаскањима", "Unavailable": "Недоступан", "Source URL": "Адреса извора", - "Messages sent by bot": "Поруке послате од бота", "Filter results": "Филтрирај резултате", "No update available.": "Нема нових ажурирања.", "Noisy": "Бучно", @@ -411,15 +404,11 @@ "All Rooms": "Све собе", "Wednesday": "Среда", "All messages": "Све поруке", - "Call invitation": "Позивница за позив", - "Messages containing my display name": "Поруке које садрже моје приказно име", "What's new?": "Шта је ново?", - "When I'm invited to a room": "Када сам позван у собу", "Invite to this room": "Позови у ову собу", "You cannot delete this message. (%(code)s)": "Не можете обрисати ову поруку. (%(code)s)", "Thursday": "Четвртак", "Show message in desktop notification": "Прикажи поруку у стоном обавештењу", - "Messages in group chats": "Поруке у групним ћаскањима", "Yesterday": "Јуче", "Error encountered (%(errorDetail)s).": "Догодила се грешка (%(errorDetail)s).", "Low Priority": "Најмања важност", @@ -467,11 +456,9 @@ "This room has no topic.": "Ова соба нема тему.", "Sets the room name": "Поставља назив собе", "Forces the current outbound group session in an encrypted room to be discarded": "Присиљава одбацивање тренутне одлазне сесије групе у шифрованој соби", - "%(senderDisplayName)s upgraded this room.": "%(senderDisplayName)s је надоградио ову собу.", "Join millions for free on the largest public server": "Придружите се милионима других бесплатно на највећем јавном серверу", "Create account": "Направи налог", "Email (optional)": "Мејл (изборно)", - "Messages containing my username": "Поруке које садрже моје корисничко", "Are you sure you want to sign out?": "Заиста желите да се одјавите?", "Call failed due to misconfigured server": "Позив неуспешан због лоше подешеног сервера", "Please ask the administrator of your homeserver (%(homeserverDomain)s) to configure a TURN server in order for calls to work reliably.": "Замолите администратора вашег сервера (%(homeserverDomain)s) да подеси „TURN“ сервер како би позиви радили поуздано.", @@ -482,10 +469,6 @@ "Click the button below to confirm adding this email address.": "Кликните на дугме испод за потврђивање додавања ове е-адресе.", "Add Email Address": "Додај адресу е-поште", "Identity server has no terms of service": "Идентитетски сервер нема услове коришћења", - "%(senderName)s placed a voice call.": "%(senderName)s је започео гласовни позив.", - "%(senderName)s placed a voice call. (not supported by this browser)": "%(senderName)s је започео гласовни позив. (није подржано од стране овог прегледача)", - "%(senderName)s placed a video call.": "%(senderName)s је започео видео позив.", - "%(senderName)s placed a video call. (not supported by this browser)": "%(senderName)s је започео видео позив. (није подржано од стране овог прегледача)", "You do not have permission to invite people to this room.": "Немате дозволу за позивање људи у ову собу.", "Encryption upgrade available": "Надоградња шифровања је доступна", "Show more": "Прикажи више", @@ -888,16 +871,6 @@ "other": "%(senderName)s је додао алтернативну адресу %(addresses)s за ову собу.", "one": "%(senderName)s је додао алтернативну адресу %(addresses)s за ову собу." }, - "%(senderName)s removed the main address for this room.": "%(senderName)s је уклони главну адресу за ову собу.", - "%(senderName)s set the main address for this room to %(address)s.": "%(senderName)s је постави главну адресу собе на %(address)s.", - "🎉 All servers are banned from participating! This room can no longer be used.": "🎉 Свим серверима је забрањено да учествују! Ова соба се више не може користити.", - "%(senderDisplayName)s changed guest access to %(rule)s": "%(senderDisplayName)s је изменио гостински приступ на %(rule)s", - "%(senderDisplayName)s has prevented guests from joining the room.": "%(senderDisplayName)s је спречио госте да се придруже у соби.", - "%(senderDisplayName)s has allowed guests to join the room.": "%(senderDisplayName)s је дозволи гостима да се придруже у собу.", - "%(senderDisplayName)s changed the join rule to %(rule)s": "%(senderDisplayName)s је измени правило придруживања на %(rule)s", - "%(senderDisplayName)s made the room invite only.": "%(senderDisplayName)s је учини собу доступном само позивницом.", - "%(senderDisplayName)s made the room public to whoever knows the link.": "%(senderDisplayName)s је учини собу јавном за све који знају везу.", - "%(senderDisplayName)s changed the room name from %(oldRoomName)s to %(newRoomName)s.": "%(senderDisplayName)s је изменио назив собе из %(oldRoomName)s у %(newRoomName)s.", "Takes the call in the current room off hold": "Узима позив са чекања у тренутној соби", "Places the call in the current room on hold": "Ставља позив на чекање у тренутној соби", "Sends a message to the given user": "Шаље поруку наведеном кориснику", @@ -1199,8 +1172,6 @@ "%(senderName)s updated an invalid ban rule": "%(senderName)s је аужурирао неважеће правило о забрани", "%(senderName)s removed a ban rule matching %(glob)s": "%(senderName)s је уклонио правило о забрани које подудара са %(glob)s", "Use an identity server to invite by email. Click continue to use the default identity server (%(defaultIdentityServerName)s) or manage in Settings.": "Користите сервер за идентитет да бисте послали позивнице е-поштом. Кликните на даље да бисте користили уобичајни сервер идентитета %(defaultIdentityServerName)s или управљајте у подешавањима.", - "%(senderDisplayName)s changed the server ACLs for this room.": "%(senderDisplayName)s је променио ACL сервере за ову собу.", - "%(senderDisplayName)s set the server ACLs for this room.": "%(senderDisplayName)s је подесио ACL сервере за ову собу.", "Sends the given emote coloured as a rainbow": "Шаље дату емоцију обојену као дуга", "The signing key you provided matches the signing key you received from %(userId)s's session %(deviceId)s. Session marked as verified.": "Кључ за потписивање који сте навели поклапа се са кључем за потписивање који сте добили од %(userId)s сесије %(deviceId)s. Сесија је означена као проверена.", "WARNING: KEY VERIFICATION FAILED! The signing key for %(userId)s and session %(deviceId)s is \"%(fprint)s\" which does not match the provided key \"%(fingerprint)s\". This could mean your communications are being intercepted!": "УПОЗОРЕЊЕ: ПРОВЕРА КЉУЧА НИЈЕ УСПЕЛА! Кључ за потписивање за %(userId)s и сесију %(deviceId)s је \"%(fprint)s\", који се не подудара са наведеним кључем \"%(fingerprint)s\". То може значити да су ваше комуникације пресретнуте!", @@ -1250,7 +1221,8 @@ "someone": "Неко", "matrix": "Матрикс", "trusted": "поуздан", - "not_trusted": "није поуздан" + "not_trusted": "није поуздан", + "unnamed_room": "Неименована соба" }, "action": { "continue": "Настави", @@ -1352,7 +1324,16 @@ "show_stickers_button": "Прикажи дугме за налепнице", "automatic_language_detection_syntax_highlight": "Омогући самостално препознавање језика за истицање синтаксе", "inline_url_previews_default": "Подразумевано укључи УРЛ прегледе", - "start_automatically": "Самостално покрећи након пријаве на систем" + "start_automatically": "Самостално покрећи након пријаве на систем", + "notifications": { + "rule_contains_display_name": "Поруке које садрже моје приказно име", + "rule_contains_user_name": "Поруке које садрже моје корисничко", + "rule_room_one_to_one": "Поруке у један-на-један ћаскањима", + "rule_message": "Поруке у групним ћаскањима", + "rule_invite_for_me": "Када сам позван у собу", + "rule_call": "Позивница за позив", + "rule_suppress_notices": "Поруке послате од бота" + } }, "devtools": { "event_type": "Врста догађаја", @@ -1362,5 +1343,40 @@ "caution_colon": "Опрез:", "toolbox": "Алатница", "developer_tools": "Програмерске алатке" + }, + "timeline": { + "m.call.invite": { + "voice_call": "%(senderName)s је започео гласовни позив.", + "voice_call_unsupported": "%(senderName)s је започео гласовни позив. (није подржано од стране овог прегледача)", + "video_call": "%(senderName)s је започео видео позив.", + "video_call_unsupported": "%(senderName)s је започео видео позив. (није подржано од стране овог прегледача)" + }, + "m.room.topic": "%(senderDisplayName)s је променио тему у „%(topic)s“.", + "m.room.name": { + "remove": "%(senderDisplayName)s је уклонио назив собе.", + "change": "%(senderDisplayName)s је изменио назив собе из %(oldRoomName)s у %(newRoomName)s.", + "set": "%(senderDisplayName)s је променио назив собе у %(roomName)s." + }, + "m.room.tombstone": "%(senderDisplayName)s је надоградио ову собу.", + "m.room.join_rules": { + "public": "%(senderDisplayName)s је учини собу јавном за све који знају везу.", + "invite": "%(senderDisplayName)s је учини собу доступном само позивницом.", + "unknown": "%(senderDisplayName)s је измени правило придруживања на %(rule)s" + }, + "m.room.guest_access": { + "can_join": "%(senderDisplayName)s је дозволи гостима да се придруже у собу.", + "forbidden": "%(senderDisplayName)s је спречио госте да се придруже у соби.", + "unknown": "%(senderDisplayName)s је изменио гостински приступ на %(rule)s" + }, + "m.image": "%(senderDisplayName)s је послао слику.", + "m.room.server_acl": { + "set": "%(senderDisplayName)s је подесио ACL сервере за ову собу.", + "changed": "%(senderDisplayName)s је променио ACL сервере за ову собу.", + "all_servers_banned": "🎉 Свим серверима је забрањено да учествују! Ова соба се више не може користити." + }, + "m.room.canonical_alias": { + "set": "%(senderName)s је постави главну адресу собе на %(address)s.", + "removed": "%(senderName)s је уклони главну адресу за ову собу." + } } } diff --git a/src/i18n/strings/sr_Latn.json b/src/i18n/strings/sr_Latn.json index 93feff06ab0..9939a636463 100644 --- a/src/i18n/strings/sr_Latn.json +++ b/src/i18n/strings/sr_Latn.json @@ -30,7 +30,6 @@ "Dec": "Dec", "PM": "poslepodne", "AM": "prepodne", - "Unnamed Room": "Soba bez imena", "Unable to load! Check your network connectivity and try again.": "Neuspelo učitavanje! Proverite vašu mrežu i pokušajte ponovo.", "%(brand)s does not have permission to send you notifications - please check your browser settings": "%(brand)s nema dozvolu da vam šalje obaveštenja. Molim proverite podešavanja vašeg internet pregledača", "%(brand)s was not given permission to send notifications - please try again": "%(brand)s nije dobio dozvolu da šalje obaveštenja. Molim pokušajte ponovo", @@ -86,7 +85,8 @@ "User is already in the room": "Korisnik je već u sobi", "common": { "error": "Greška", - "attachment": "Prilog" + "attachment": "Prilog", + "unnamed_room": "Soba bez imena" }, "action": { "confirm": "Potvrdi", diff --git a/src/i18n/strings/sv.json b/src/i18n/strings/sv.json index b8841fc4a1e..4950f0c2ede 100644 --- a/src/i18n/strings/sv.json +++ b/src/i18n/strings/sv.json @@ -23,9 +23,6 @@ "Bans user with given id": "Bannar användaren med givet ID", "Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or enable unsafe scripts.": "Kan inte ansluta till en hemserver via HTTP då adressen i webbläsaren är HTTPS. Använd HTTPS, eller aktivera osäkra skript.", "Change Password": "Byt lösenord", - "%(senderDisplayName)s changed the room name to %(roomName)s.": "%(senderDisplayName)s bytte rummets namn till %(roomName)s.", - "%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s tog bort rummets namn.", - "%(senderDisplayName)s changed the topic to \"%(topic)s\".": "%(senderDisplayName)s bytte rummets ämne till \"%(topic)s\".", "Changes your display nickname": "Byter ditt visningsnamn", "Command error": "Kommandofel", "Commands": "Kommandon", @@ -113,7 +110,6 @@ "%(roomName)s is not accessible at this time.": "%(roomName)s är inte tillgängligt för tillfället.", "Rooms": "Rum", "Search failed": "Sökning misslyckades", - "%(senderDisplayName)s sent an image.": "%(senderDisplayName)s skickade en bild.", "%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": "%(senderName)s bjöd in %(targetDisplayName)s att gå med i rummet.", "Server error": "Serverfel", "Server may be unavailable, overloaded, or search timed out :(": "Servern kan vara otillgänglig eller överbelastad, eller så tog sökningen för lång tid :(", @@ -166,7 +162,6 @@ "You are not in this room.": "Du är inte i det här rummet.", "You do not have permission to do that in this room.": "Du har inte behörighet att göra det i det här rummet.", "Sunday": "söndag", - "Messages sent by bot": "Meddelanden från bottar", "Notification targets": "Aviseringsmål", "Today": "idag", "Friday": "fredag", @@ -176,8 +171,6 @@ "Waiting for response from server": "Väntar på svar från servern", "This Room": "Det här rummet", "Noisy": "Högljudd", - "Messages containing my display name": "Meddelanden som innehåller mitt visningsnamn", - "Messages in one-to-one chats": "Meddelanden i en-till-en-chattar", "Unavailable": "Otillgänglig", "Source URL": "Käll-URL", "Failed to add tag %(tagName)s to room": "Misslyckades att lägga till etiketten %(tagName)s till rummet", @@ -194,13 +187,10 @@ "You cannot delete this message. (%(code)s)": "Du kan inte radera det här meddelandet. (%(code)s)", "Send": "Skicka", "All messages": "Alla meddelanden", - "Call invitation": "Inbjudan till samtal", "What's new?": "Vad är nytt?", - "When I'm invited to a room": "När jag bjuds in till ett rum", "Invite to this room": "Bjud in till rummet", "Thursday": "torsdag", "Show message in desktop notification": "Visa meddelande i skrivbordsavisering", - "Messages in group chats": "Meddelanden i gruppchattar", "Yesterday": "igår", "Error encountered (%(errorDetail)s).": "Fel påträffat (%(errorDetail)s).", "Low Priority": "Låg prioritet", @@ -222,7 +212,6 @@ "%(widgetName)s widget modified by %(senderName)s": "%(widgetName)s-widget har ändrats av %(senderName)s", "%(widgetName)s widget added by %(senderName)s": "%(widgetName)s-widget har lagts till av %(senderName)s", "%(widgetName)s widget removed by %(senderName)s": "%(widgetName)s-widget har tagits bort av %(senderName)s", - "Unnamed Room": "Namnlöst rum", "Your browser does not support the required cryptography extensions": "Din webbläsare stödjer inte nödvändiga kryptografitillägg", "Unignore": "Avignorera", "Voice call": "Röstsamtal", @@ -484,8 +473,6 @@ "Stop users from speaking in the old version of the room, and post a message advising users to move to the new room": "Hindra användare från att prata i den gamla rumsversionen och posta ett meddelande som rekommenderar användare att flytta till det nya rummet", "Put a link back to the old room at the start of the new room so people can see old messages": "Sätta en länk tillbaka till det gamla rummet i början av det nya rummet så att folk kan se gamla meddelanden", "Forces the current outbound group session in an encrypted room to be discarded": "Tvingar den aktuella externa gruppsessionen i ett krypterat rum att överges", - "%(senderName)s set the main address for this room to %(address)s.": "%(senderName)s satte huvudadressen för detta rum till %(address)s.", - "%(senderName)s removed the main address for this room.": "%(senderName)s tog bort huvudadressen för detta rum.", "Add some now": "Lägg till några nu", "Please review and accept the policies of this homeserver:": "Granska och acceptera policyn för denna hemserver:", "Before submitting logs, you must create a GitHub issue to describe your problem.": "Innan du skickar in loggar måste du skapa ett GitHub-ärende för att beskriva problemet.", @@ -496,12 +483,6 @@ "Gets or sets the room topic": "Hämtar eller sätter ämnet för ett rum", "This room has no topic.": "Det här rummet har inget ämne.", "Sets the room name": "Sätter rumsnamnet", - "%(senderDisplayName)s upgraded this room.": "%(senderDisplayName)s uppgraderade det här rummet.", - "%(senderDisplayName)s made the room public to whoever knows the link.": "%(senderDisplayName)s gjorde rummet publikt för alla som har länken.", - "%(senderDisplayName)s has allowed guests to join the room.": "%(senderDisplayName)s har tillåtit gäster att gå med i rummet.", - "%(senderDisplayName)s changed the join rule to %(rule)s": "%(senderDisplayName)s ändrade regeln för att gå med till %(rule)s", - "%(senderDisplayName)s has prevented guests from joining the room.": "%(senderDisplayName)s har nekat gäster att gå med i rummet.", - "%(senderDisplayName)s changed guest access to %(rule)s": "%(senderDisplayName)s ändrade gäståtkomst till %(rule)s", "%(displayName)s is typing …": "%(displayName)s skriver …", "%(names)s and %(count)s others are typing …": { "other": "%(names)s och %(count)s andra skriver …", @@ -539,10 +520,6 @@ "Short keyboard patterns are easy to guess": "Korta tangentbordsmönster är enkla att gissa", "Changes your display nickname in the current room only": "Byter ditt visningsnamn endast i detta rum", "Use a longer keyboard pattern with more turns": "Använd ett längre tangentbordsmönster med fler riktningsbyten", - "Messages containing my username": "Meddelanden som innehåller mitt användarnamn", - "Messages containing @room": "Meddelanden som innehåller @room", - "Encrypted messages in one-to-one chats": "Krypterade meddelanden i en-till-en-chattar", - "Encrypted messages in group chats": "Krypterade meddelanden i gruppchattar", "Dog": "Hund", "Cat": "Katt", "Lion": "Lejon", @@ -641,7 +618,6 @@ "Registration has been disabled on this homeserver.": "Registrering har inaktiverats på denna hemserver.", "Unable to query for supported registration methods.": "Kunde inte fråga efter stödda registreringsmetoder.", "Prepends ¯\\_(ツ)_/¯ to a plain-text message": "Lägger till ¯\\_(ツ)_/¯ i början på ett textmeddelande", - "%(senderDisplayName)s made the room invite only.": "%(senderDisplayName)s begränsade rummet till endast inbjudna.", "The user must be unbanned before they can be invited.": "Användaren behöver avbannas innan den kan bjudas in.", "Missing media permissions, click the button below to request.": "Saknar mediebehörigheter, klicka på knappen nedan för att begära.", "Request media permissions": "Begär mediebehörigheter", @@ -756,7 +732,6 @@ "No homeserver URL provided": "Ingen hemserver-URL angiven", "The user's homeserver does not support the version of the room.": "Användarens hemserver stöder inte versionen av rummet.", "Show hidden events in timeline": "Visa dolda händelser i tidslinjen", - "When rooms are upgraded": "När rum uppgraderas", "Accept to continue:": "Acceptera för att fortsätta:", "Checking server": "Kontrollerar servern", "Change identity server": "Byt identitetsserver", @@ -824,10 +799,6 @@ "%(name)s (%(userId)s)": "%(name)s (%(userId)s)", "Error upgrading room": "Fel vid uppgradering av rum", "Double check that your server supports the room version chosen and try again.": "Dubbelkolla att din server stöder den valda rumsversionen och försök igen.", - "%(senderName)s placed a voice call.": "%(senderName)s ringde ett röstsamtal.", - "%(senderName)s placed a voice call. (not supported by this browser)": "%(senderName)s ringde ett röstsamtal. (stöds inte av denna webbläsare)", - "%(senderName)s placed a video call.": "%(senderName)s ringde ett videosamtal.", - "%(senderName)s placed a video call. (not supported by this browser)": "%(senderName)s ringde ett videosamtal. (stöds inte av denna webbläsare)", "%(senderName)s removed the rule banning users matching %(glob)s": "%(senderName)s tog bort regeln som bannar användare som matchar %(glob)s", "%(senderName)s removed the rule banning rooms matching %(glob)s": "%(senderName)s tog bort regeln som bannar rum som matchar %(glob)s", "%(senderName)s removed the rule banning servers matching %(glob)s": "%(senderName)s tog bort regeln som bannar servrar som matchar %(glob)s", @@ -978,7 +949,6 @@ "Send a bug report with logs": "Skicka en buggrapport med loggar", "Opens chat with the given user": "Öppnar en chatt med den valda användaren", "Sends a message to the given user": "Skickar ett meddelande till den valda användaren", - "%(senderDisplayName)s changed the room name from %(oldRoomName)s to %(newRoomName)s.": "%(senderDisplayName)s bytte rummets namn från %(oldRoomName)s till %(newRoomName)s.", "%(senderName)s added the alternative addresses %(addresses)s for this room.": { "other": "%(senderName)s lade till de alternativa adresserna %(addresses)s till det här rummet.", "one": "%(senderName)s lade till den alternativa adressen %(addresses)s till det här rummet." @@ -1309,8 +1279,6 @@ "Enable end-to-end encryption": "Aktivera totalsträckskryptering", "You might enable this if the room will only be used for collaborating with internal teams on your homeserver. This cannot be changed later.": "Du kanske vill aktivera detta om rummet endast kommer att användas för samarbete med interna lag på din hemserver. Detta kan inte ändras senare.", "You might disable this if the room will be used for collaborating with external teams who have their own homeserver. This cannot be changed later.": "Du kanske vill inaktivera detta om rummet kommer att användas för samarbete med externa lag som har sin egen hemserver. Detta kan inte ändras senare.", - "Create a public room": "Skapa ett offentligt rum", - "Create a private room": "Skapa ett privat rum", "Topic (optional)": "Ämne (valfritt)", "Hide advanced": "Dölj avancerat", "Show advanced": "Visa avancerat", @@ -1533,9 +1501,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", - "🎉 All servers are banned from participating! This room can no longer be used.": "🎉 Alla servrar har bannats från att delta! Det här rummet kan inte längre användas.", - "%(senderDisplayName)s changed the server ACLs for this room.": "%(senderDisplayName)s ändrade server-ACL:erna för det här rummet.", - "%(senderDisplayName)s set the server ACLs for this room.": "%(senderDisplayName)s ställde in server-ACL:er för det här rummet.", "The call could not be established": "Samtalet kunde inte etableras", "Move right": "Flytta till höger", "Move left": "Flytta till vänster", @@ -2015,7 +1980,6 @@ "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.", - "Unnamed Space": "Namnlöst utrymme", "Invite to %(spaceName)s": "Bjud in till %(spaceName)s", "Create a new room": "Skapa ett nytt rum", "Spaces": "Utrymmen", @@ -2167,25 +2131,6 @@ "Nothing pinned, yet": "Inget fäst än", "End-to-end encryption isn't enabled": "Totalsträckskryptering är inte aktiverat", "%(senderName)s changed the pinned messages for the room.": "%(senderName)s ändrade fästa meddelanden för rummet.", - "%(senderName)s withdrew %(targetName)s's invitation": "%(senderName)s drog tillbaka inbjudan för %(targetName)s", - "%(senderName)s withdrew %(targetName)s's invitation: %(reason)s": "%(senderName)s drog tillbaka inbjudan för %(targetName)s: %(reason)s", - "%(senderName)s unbanned %(targetName)s": "%(senderName)s avbannade %(targetName)s", - "%(targetName)s left the room": "%(targetName)s lämnade rummet", - "%(targetName)s left the room: %(reason)s": "%(targetName)s lämnade rummet: %(reason)s", - "%(targetName)s rejected the invitation": "%(targetName)s avböjde inbjudan", - "%(targetName)s joined the room": "%(targetName)s gick med i rummet", - "%(senderName)s made no change": "%(senderName)s gjorde ingen ändring", - "%(senderName)s set a profile picture": "%(senderName)s satte en profilbild", - "%(senderName)s changed their profile picture": "%(senderName)s bytte sin profilbild", - "%(senderName)s removed their profile picture": "%(senderName)s tog bort sin profilbild", - "%(senderName)s removed their display name (%(oldDisplayName)s)": "%(senderName)s tog bort sitt visningsnamn %(oldDisplayName)s", - "%(senderName)s set their display name to %(displayName)s": "%(senderName)s satte sitt visningsnamn till %(displayName)s", - "%(oldDisplayName)s changed their display name to %(displayName)s": "%(oldDisplayName)s bytte sitt visningsnamn till %(displayName)s", - "%(senderName)s banned %(targetName)s": "%(senderName)s bannade %(targetName)s", - "%(senderName)s banned %(targetName)s: %(reason)s": "%(senderName)s bannade %(targetName)s: %(reason)s", - "%(senderName)s invited %(targetName)s": "%(senderName)s bjöd in %(targetName)s", - "%(targetName)s accepted an invitation": "%(targetName)s accepterade inbjudan", - "%(targetName)s accepted the invitation for %(displayName)s": "%(targetName)s accepterade inbjudan för %(displayName)s", "Some invites couldn't be sent": "Vissa inbjudningar kunde inte skickas", "We sent the others, but the below people couldn't be invited to ": "Vi skickade de andra, men personerna nedan kunde inte bjudas in till ", "What this user is writing is wrong.\nThis will be reported to the room moderators.": "Vad användaren skriver är fel.\nDetta kommer att anmälas till rumsmoderatorerna.", @@ -2400,21 +2345,6 @@ "Leave some rooms": "Lämna vissa rum", "Leave all rooms": "Lämna alla rum", "Don't leave any rooms": "Lämna inga rum", - "%(senderDisplayName)s sent a sticker.": "%(senderDisplayName)s skickade en dekal.", - "%(senderDisplayName)s changed the room avatar.": "%(senderDisplayName)s bytte rummets avatar.", - "Error fetching file": "Fel vid hämtning av fil", - "Topic: %(topic)s": "Ämne: %(topic)s", - "This is the start of export of . Exported by at %(exportDate)s.": "Det här är början på exporten av . Exporterad av vid %(exportDate)s.", - "%(creatorName)s created this room.": "%(creatorName)s skapade det här rummet.", - "Media omitted - file size limit exceeded": "Media uteslutet - filstorleksgräns överskriden", - "Media omitted": "Media uteslutet", - "Current Timeline": "Nuvarande tidslinje", - "Specify a number of messages": "Specificera ett antal meddelanden", - "From the beginning": "Från början", - "Plain Text": "Vanlig text", - "JSON": "JSON", - "HTML": "HTML", - "Are you sure you want to exit during this export?": "Är du säker på att du vill avsluta under den här exporten?", "In reply to this message": "Som svar på detta meddelande", "Downloading": "Laddar ner", "They won't be able to access whatever you're not an admin of.": "Personen kommer inte kunna komma åt saker du inte är admin för.", @@ -2442,7 +2372,6 @@ }, "Loading new room": "Laddar nytt rum", "Upgrading room": "Uppgraderar rum", - "File Attached": "Fil bifogad", "What projects are your team working on?": "Vilka projekt jobbar ditt team på?", "See room timeline (devtools)": "Se rummets tidslinje (utvecklingsverktyg)", "View in room": "Visa i rum", @@ -2481,8 +2410,6 @@ "Joining": "Går med", "Use high contrast": "Använd högkontrast", "Light high contrast": "Ljust högkontrast", - "%(senderDisplayName)s changed who can join this room.": "%(senderDisplayName)s ändrade vilka som kan gå med i det här rummet.", - "%(senderDisplayName)s changed who can join this room. View settings.": "%(senderDisplayName)s ändrade vilka som kan gå med i det här rummet. Se inställningar.", "Automatically send debug logs on any error": "Skicka automatiskt felsökningsloggar vid fel", "Use a more compact 'Modern' layout": "Använd ett mer kompakt 'modernt' arrangemang", "Store your Security Key somewhere safe, like a password manager or a safe, as it's used to safeguard your encrypted data.": "Lagra din säkerhetsnyckel någonstans säkert, som en lösenordshanterare eller ett kassaskåp, eftersom den används för att säkra din krypterade data.", @@ -2559,30 +2486,9 @@ "Show tray icon and minimise window to it on close": "Visa ikon i systembrickan och minimera programmet till den när fönstret stängs", "Large": "Stor", "Image size in the timeline": "Bildstorlek i tidslinjen", - "Exported %(count)s events in %(seconds)s seconds": { - "one": "Exporterade %(count)s händelse på %(seconds)s sekunder", - "other": "Exporterade %(count)s händelser på %(seconds)s sekunder" - }, - "Export successful!": "Export lyckades!", - "Fetched %(count)s events in %(seconds)ss": { - "one": "Hämtade %(count)s händelse på %(seconds)s s", - "other": "Hämtade %(count)s händelser på %(seconds)s s" - }, - "Processing event %(number)s out of %(total)s": "Hanterade händelse %(number)s av %(total)s", - "Fetched %(count)s events so far": { - "one": "Hämtade %(count)s händelse än så länge", - "other": "Hämtade %(count)s händelser än så länge" - }, - "Fetched %(count)s events out of %(total)s": { - "one": "Hämtade %(count)s händelse av %(total)s", - "other": "Hämtade %(count)s händelser av %(total)s" - }, - "Generating a ZIP": "Genererar en ZIP", "%(senderName)s has ended a poll": "%(senderName)s har avslutat en omröstning", "%(senderName)s has started a poll - %(pollQuestion)s": "%(senderName)s har startat en omröstning - %(pollQuestion)s", "%(senderName)s has shared their location": "%(senderName)s har delat sin plats", - "%(senderName)s removed %(targetName)s": "%(senderName)s tog bort %(targetName)s", - "%(senderName)s removed %(targetName)s: %(reason)s": "%(senderName)s tog bort %(targetName)s: %(reason)s", "No active call in this room": "Inget aktivt samtal i det här rummet", "Unable to find Matrix ID for phone number": "Kunde inte hitta Matrix-ID för telefonnumret", "Unknown (user, session) pair: (%(userId)s, %(deviceId)s)": "Okänt (användare, session)-par: (%(userId)s, %(deviceId)s)", @@ -2907,9 +2813,6 @@ "Updated %(humanizedUpdateTime)s": "Uppdaterade %(humanizedUpdateTime)s", "Unsent": "Ej skickat", "Export Cancelled": "Exportering avbruten", - "Create room": "Skapa rum", - "Create video room": "Skapa videorum", - "Create a video room": "Skapa ett videorum", "Uncheck if you also want to remove system messages on this user (e.g. membership change, profile change…)": "Bocka ur om du även vill ta bort systemmeddelanden för denna användaren (förändrat medlemskap, ny profilbild, m.m.)", "Preserve system messages": "Bevara systemmeddelanden", "You are about to remove %(count)s messages by %(user)s. This will remove them permanently for everyone in the conversation. Do you wish to continue?": { @@ -3052,8 +2955,6 @@ "Map feedback": "Kartuåterkoppling", "Toggle attribution": "Växla tillskrivning", "Can't start a new voice broadcast": "Kan inte starta en ny röstsändning", - "Video call started in %(roomName)s. (not supported by this browser)": "Videosamtal startade i %(roomName)s. (stöds inte av den här webbläsaren)", - "Video call started in %(roomName)s.": "Videosamtal startade i %(roomName)s.", "You need to be able to kick users to do that.": "Du behöver kunna kicka användare för att göra det.", "Empty room (was %(oldName)s)": "Tomt rum (var %(oldName)s)", "Inviting %(user)s and %(count)s others": { @@ -3332,10 +3233,6 @@ "WARNING: session already verified, but keys do NOT MATCH!": "VARNING: sessionen är redan verifierad, men nycklarna MATCHAR INTE!", "Unable to connect to Homeserver. Retrying…": "Kunde inte kontakta hemservern. Försöker igen …", "This room is dedicated to illegal or toxic content or the moderators fail to moderate illegal or toxic content.\nThis will be reported to the administrators of %(homeserver)s.": "Det här rummet är dedikerat till olagligt eller stötande innehåll eller så har moderatorerna misslyckats med att moderera olagligt eller stötande innehåll.\nDet här kommer att rapporteras till %(homeserver)ss administratörer.", - "Creating output…": "Skapar utdata …", - "Fetching events…": "Hämtar händelser …", - "Creating HTML…": "Skapar HTML …", - "Starting export…": "Påbörjar export …", "Secure Backup successful": "Säkerhetskopiering lyckades", "Your keys are now being backed up from this device.": "Dina nycklar säkerhetskopieras nu från denna enhet.", "Enter a Security Phrase only you know, as it's used to safeguard your data. To be secure, you shouldn't re-use your account password.": "Ange en säkerhetsfras som bara du känner till, eftersom den används för att säkra din data. För att vara säker, bör du inte återanvända ditt kontolösenord.", @@ -3418,7 +3315,6 @@ "%(sender)s reacted %(reaction)s to %(message)s": "%(sender)s reagerade med %(reaction)s till %(message)s", "You reacted %(reaction)s to %(message)s": "Du reagerade med %(reaction)s till %(message)s", "WebGL is required to display maps, please enable it in your browser settings.": "WebGL krävs för att visa kartor, aktivera det i dina webbläsarinställningar.", - "%(oldDisplayName)s changed their display name and profile picture": "%(oldDisplayName)s bytte sitt visningsnamn och sin profilbild", "Cannot invite user by email without an identity server. You can connect to one under \"Settings\".": "Kan inte bjuda in användare via e-post utan en identitetsserver. Du kan ansluta till en under \"Inställningar\".", "The add / bind with MSISDN flow is misconfigured": "Flöde för tilläggning/bindning med MSISDN är felkonfigurerat", "No identity access token found": "Ingen identitetsåtkomsttoken hittades", @@ -3466,11 +3362,7 @@ "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", "Changes your profile picture in all rooms": "Byter din profilbild i alla rum", - "%(senderDisplayName)s changed the join rule to ask to join.": "%(senderDisplayName)s ändrade regeln för att gå med till att kräva att man frågar om att gå med.", "User cannot be invited until they are unbanned": "Användaren kan inte bjudas in förrän den avbannas", - "Previous group of messages": "Föregående grupp meddelanden", - "Next group of messages": "Nästa grupp meddelanden", - "Exported Data": "Exportera data", "Notification Settings": "Aviseringsinställningar", "People cannot join unless access is granted.": "Personer kan inte gå med om inte åtkomst ges.", "Failed to cancel": "Misslyckades att avbryta", @@ -3556,7 +3448,9 @@ "not_trusted": "Inte betrodd", "accessibility": "Tillgänglighet", "server": "Server", - "capabilities": "Förmågor" + "capabilities": "Förmågor", + "unnamed_room": "Namnlöst rum", + "unnamed_space": "Namnlöst utrymme" }, "action": { "continue": "Fortsätt", @@ -3860,7 +3754,20 @@ "prompt_invite": "Fråga innan inbjudningar skickas till potentiellt ogiltiga Matrix-ID:n", "hardware_acceleration": "Aktivera hårdvaruacceleration (starta om %(appName)s för att det ska börja gälla)", "start_automatically": "Starta automatiskt vid systeminloggning", - "warn_quit": "Varna innan avslutning" + "warn_quit": "Varna innan avslutning", + "notifications": { + "rule_contains_display_name": "Meddelanden som innehåller mitt visningsnamn", + "rule_contains_user_name": "Meddelanden som innehåller mitt användarnamn", + "rule_roomnotif": "Meddelanden som innehåller @room", + "rule_room_one_to_one": "Meddelanden i en-till-en-chattar", + "rule_message": "Meddelanden i gruppchattar", + "rule_encrypted": "Krypterade meddelanden i gruppchattar", + "rule_invite_for_me": "När jag bjuds in till ett rum", + "rule_call": "Inbjudan till samtal", + "rule_suppress_notices": "Meddelanden från bottar", + "rule_tombstone": "När rum uppgraderas", + "rule_encrypted_room_one_to_one": "Krypterade meddelanden i en-till-en-chattar" + } }, "devtools": { "send_custom_account_data_event": "Skicka event med anpassad kontodata", @@ -3947,5 +3854,122 @@ "developer_tools": "Utvecklarverktyg", "room_id": "Rums-ID: %(roomId)s", "event_id": "Händelse-ID: %(eventId)s" + }, + "export_chat": { + "html": "HTML", + "json": "JSON", + "text": "Vanlig text", + "from_the_beginning": "Från början", + "number_of_messages": "Specificera ett antal meddelanden", + "current_timeline": "Nuvarande tidslinje", + "creating_html": "Skapar HTML …", + "starting_export": "Påbörjar export …", + "export_successful": "Export lyckades!", + "unload_confirm": "Är du säker på att du vill avsluta under den här exporten?", + "generating_zip": "Genererar en ZIP", + "processing_event_n": "Hanterade händelse %(number)s av %(total)s", + "fetched_n_events_with_total": { + "one": "Hämtade %(count)s händelse av %(total)s", + "other": "Hämtade %(count)s händelser av %(total)s" + }, + "fetched_n_events": { + "one": "Hämtade %(count)s händelse än så länge", + "other": "Hämtade %(count)s händelser än så länge" + }, + "fetched_n_events_in_time": { + "one": "Hämtade %(count)s händelse på %(seconds)s s", + "other": "Hämtade %(count)s händelser på %(seconds)s s" + }, + "exported_n_events_in_time": { + "one": "Exporterade %(count)s händelse på %(seconds)s sekunder", + "other": "Exporterade %(count)s händelser på %(seconds)s sekunder" + }, + "media_omitted": "Media uteslutet", + "media_omitted_file_size": "Media uteslutet - filstorleksgräns överskriden", + "creator_summary": "%(creatorName)s skapade det här rummet.", + "export_info": "Det här är början på exporten av . Exporterad av vid %(exportDate)s.", + "topic": "Ämne: %(topic)s", + "previous_page": "Föregående grupp meddelanden", + "next_page": "Nästa grupp meddelanden", + "html_title": "Exportera data", + "error_fetching_file": "Fel vid hämtning av fil", + "file_attached": "Fil bifogad", + "fetching_events": "Hämtar händelser …", + "creating_output": "Skapar utdata …" + }, + "create_room": { + "title_video_room": "Skapa ett videorum", + "title_public_room": "Skapa ett offentligt rum", + "title_private_room": "Skapa ett privat rum", + "action_create_video_room": "Skapa videorum", + "action_create_room": "Skapa rum" + }, + "timeline": { + "m.call": { + "video_call_started": "Videosamtal startade i %(roomName)s.", + "video_call_started_unsupported": "Videosamtal startade i %(roomName)s. (stöds inte av den här webbläsaren)" + }, + "m.call.invite": { + "voice_call": "%(senderName)s ringde ett röstsamtal.", + "voice_call_unsupported": "%(senderName)s ringde ett röstsamtal. (stöds inte av denna webbläsare)", + "video_call": "%(senderName)s ringde ett videosamtal.", + "video_call_unsupported": "%(senderName)s ringde ett videosamtal. (stöds inte av denna webbläsare)" + }, + "m.room.member": { + "accepted_3pid_invite": "%(targetName)s accepterade inbjudan för %(displayName)s", + "accepted_invite": "%(targetName)s accepterade inbjudan", + "invite": "%(senderName)s bjöd in %(targetName)s", + "ban_reason": "%(senderName)s bannade %(targetName)s: %(reason)s", + "ban": "%(senderName)s bannade %(targetName)s", + "change_name_avatar": "%(oldDisplayName)s bytte sitt visningsnamn och sin profilbild", + "change_name": "%(oldDisplayName)s bytte sitt visningsnamn till %(displayName)s", + "set_name": "%(senderName)s satte sitt visningsnamn till %(displayName)s", + "remove_name": "%(senderName)s tog bort sitt visningsnamn %(oldDisplayName)s", + "remove_avatar": "%(senderName)s tog bort sin profilbild", + "change_avatar": "%(senderName)s bytte sin profilbild", + "set_avatar": "%(senderName)s satte en profilbild", + "no_change": "%(senderName)s gjorde ingen ändring", + "join": "%(targetName)s gick med i rummet", + "reject_invite": "%(targetName)s avböjde inbjudan", + "left_reason": "%(targetName)s lämnade rummet: %(reason)s", + "left": "%(targetName)s lämnade rummet", + "unban": "%(senderName)s avbannade %(targetName)s", + "withdrew_invite_reason": "%(senderName)s drog tillbaka inbjudan för %(targetName)s: %(reason)s", + "withdrew_invite": "%(senderName)s drog tillbaka inbjudan för %(targetName)s", + "kick_reason": "%(senderName)s tog bort %(targetName)s: %(reason)s", + "kick": "%(senderName)s tog bort %(targetName)s" + }, + "m.room.topic": "%(senderDisplayName)s bytte rummets ämne till \"%(topic)s\".", + "m.room.avatar": "%(senderDisplayName)s bytte rummets avatar.", + "m.room.name": { + "remove": "%(senderDisplayName)s tog bort rummets namn.", + "change": "%(senderDisplayName)s bytte rummets namn från %(oldRoomName)s till %(newRoomName)s.", + "set": "%(senderDisplayName)s bytte rummets namn till %(roomName)s." + }, + "m.room.tombstone": "%(senderDisplayName)s uppgraderade det här rummet.", + "m.room.join_rules": { + "public": "%(senderDisplayName)s gjorde rummet publikt för alla som har länken.", + "invite": "%(senderDisplayName)s begränsade rummet till endast inbjudna.", + "knock": "%(senderDisplayName)s ändrade regeln för att gå med till att kräva att man frågar om att gå med.", + "restricted_settings": "%(senderDisplayName)s ändrade vilka som kan gå med i det här rummet. Se inställningar.", + "restricted": "%(senderDisplayName)s ändrade vilka som kan gå med i det här rummet.", + "unknown": "%(senderDisplayName)s ändrade regeln för att gå med till %(rule)s" + }, + "m.room.guest_access": { + "can_join": "%(senderDisplayName)s har tillåtit gäster att gå med i rummet.", + "forbidden": "%(senderDisplayName)s har nekat gäster att gå med i rummet.", + "unknown": "%(senderDisplayName)s ändrade gäståtkomst till %(rule)s" + }, + "m.image": "%(senderDisplayName)s skickade en bild.", + "m.sticker": "%(senderDisplayName)s skickade en dekal.", + "m.room.server_acl": { + "set": "%(senderDisplayName)s ställde in server-ACL:er för det här rummet.", + "changed": "%(senderDisplayName)s ändrade server-ACL:erna för det här rummet.", + "all_servers_banned": "🎉 Alla servrar har bannats från att delta! Det här rummet kan inte längre användas." + }, + "m.room.canonical_alias": { + "set": "%(senderName)s satte huvudadressen för detta rum till %(address)s.", + "removed": "%(senderName)s tog bort huvudadressen för detta rum." + } } } diff --git a/src/i18n/strings/ta.json b/src/i18n/strings/ta.json index 1ef64c51f51..0876bf240b7 100644 --- a/src/i18n/strings/ta.json +++ b/src/i18n/strings/ta.json @@ -4,17 +4,12 @@ "Changelog": "மாற்றப்பதிவு", "Collecting app version information": "செயலியின் பதிப்பு தகவல்கள் சேகரிக்கப்படுகிறது", "Collecting logs": "பதிவுகள் சேகரிக்கப்படுகிறது", - "Call invitation": "அழைப்பிற்கான விண்ணப்பம்", "Failed to add tag %(tagName)s to room": "%(tagName)s எனும் குறிச்சொல்லை அறையில் சேர்ப்பதில் தோல்வி", "Failed to forget room %(errCode)s": "அறையை மறப்பதில் தோல்வி %(errCode)s", "Favourite": "விருப்பமான", "Invite to this room": "இந்த அறைக்கு அழை", "Low Priority": "குறைந்த முன்னுரிமை", "Failed to remove tag %(tagName)s from room": "அறையில் இருந்து குறிச்சொல் %(tagName)s களை அகற்றுவது தோல்வியடைந்தது", - "Messages containing my display name": "என் காட்சி பெயர் கொண்ட செய்திகள்", - "Messages in group chats": "குழு அரட்டைகளில் உள்ள செய்திகள்", - "Messages in one-to-one chats": "ஒரு-க்கு-ஒரு அரட்டைகளில் உள்ள செய்திகள்", - "Messages sent by bot": "bot மூலம் அனுப்பிய செய்திகள்", "Noisy": "சத்தம்", "Notification targets": "அறிவிப்பு இலக்குகள்", "Notifications": "அறிவிப்புகள்", @@ -32,7 +27,6 @@ "What's New": "புதிதாக வந்தவை", "What's new?": "புதிதாக என்ன?", "Waiting for response from server": "வழங்கியின் பதிலுக்காக காத்திருக்கிறது", - "When I'm invited to a room": "நான் அறைக்கு அழைக்கப்பட்ட போது", "You cannot delete this message. (%(code)s)": "இந்த செய்தியை நீங்கள் அழிக்க முடியாது. (%(code)s)", "Show message in desktop notification": "திரை அறிவிப்புகளில் செய்தியை காண்பிக்கவும்", "Sunday": "ஞாயிறு", @@ -152,5 +146,15 @@ "event_type": "நிகழ்வு வகை", "event_sent": "நிகழ்வு அனுப்பப்பட்டது", "event_content": "நிகழ்வு உள்ளடக்கம்" + }, + "settings": { + "notifications": { + "rule_contains_display_name": "என் காட்சி பெயர் கொண்ட செய்திகள்", + "rule_room_one_to_one": "ஒரு-க்கு-ஒரு அரட்டைகளில் உள்ள செய்திகள்", + "rule_message": "குழு அரட்டைகளில் உள்ள செய்திகள்", + "rule_invite_for_me": "நான் அறைக்கு அழைக்கப்பட்ட போது", + "rule_call": "அழைப்பிற்கான விண்ணப்பம்", + "rule_suppress_notices": "bot மூலம் அனுப்பிய செய்திகள்" + } } } diff --git a/src/i18n/strings/te.json b/src/i18n/strings/te.json index 06d0f4f309b..78d33d719a1 100644 --- a/src/i18n/strings/te.json +++ b/src/i18n/strings/te.json @@ -19,7 +19,6 @@ "Bans user with given id": "ఇచ్చిన ఐడి తో వినియోగదారుని నిషేధించారు", "Can't connect to homeserver - please check your connectivity, ensure your homeserver's SSL certificate is trusted, and that a browser extension is not blocking requests.": "గృహనిర్వాహకులకు కనెక్ట్ చేయలేరు - దయచేసి మీ కనెక్టివిటీని తనిఖీ చేయండి, మీ 1 హోమరుసు యొక్క ఎస్ఎస్ఎల్ సర్టిఫికేట్ 2 ని విశ్వసనీయపరుచుకొని, బ్రౌజర్ పొడిగింపు అభ్యర్థనలను నిరోధించబడదని నిర్ధారించుకోండి.", "Change Password": "పాస్వర్డ్ మార్చండి", - "%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s గది పేరు తొలగించబడింది.", "Changes your display nickname": "మీ ప్రదర్శన మారుపేరుని మారుస్తుంది", "You cannot place a call with yourself.": "మీకు మీరే కాల్ చేయలేరు.", "You need to be able to invite users to do that.": "మీరు దీన్ని చేయడానికి వినియోగదారులను ఆహ్వానించగలరు.", @@ -71,7 +70,6 @@ "Notifications": "ప్రకటనలు", "Operation failed": "కార్యం విఫలమైంది", "Sunday": "ఆదివారం", - "Messages sent by bot": "బాట్ పంపిన సందేశాలు", "Notification targets": "తాఖీదు లక్ష్యాలు", "Today": "ఈ రోజు", "Friday": "శుక్రువారం", @@ -79,8 +77,6 @@ "Changelog": "మార్పు వివరణ", "Source URL": "మూల URL", "Noisy": "శబ్దం", - "Messages containing my display name": "నా ప్రదర్శన పేరును కలిగి ఉన్న సందేశాలు", - "Messages in one-to-one chats": "సందేశాలు నుండి ఒకరికి ఒకటి మాటామంతి", "Failed to add tag %(tagName)s to room": "%(tagName)s ను బొందు జోడించడంలో విఫలమైంది", "No update available.": "ఏ నవీకరణ అందుబాటులో లేదు.", "Collecting app version information": "అనువర్తన సంస్కరణ సమాచారాన్ని సేకరించడం", @@ -91,11 +87,9 @@ "Wednesday": "బుధవారం", "Send": "పంపండి", "All messages": "అన్ని సందేశాలు", - "Call invitation": "మాట్లాడడానికి ఆహ్వానం", "Invite to this room": "ఈ గదికి ఆహ్వానించండి", "Thursday": "గురువారం", "Search…": "శోధన…", - "Messages in group chats": "సమూహ మాటామంతిలో సందేశాలు", "Yesterday": "నిన్న", "Error encountered (%(errorDetail)s).": "లోపం సంభవించింది (%(errorDetail)s).", "Low Priority": "తక్కువ ప్రాధాన్యత", @@ -139,6 +133,18 @@ "send_logs": "నమోదును పంపు" }, "settings": { - "always_show_message_timestamps": "ఎల్లప్పుడూ సందేశాల సమయ ముద్రలు చూపించు" + "always_show_message_timestamps": "ఎల్లప్పుడూ సందేశాల సమయ ముద్రలు చూపించు", + "notifications": { + "rule_contains_display_name": "నా ప్రదర్శన పేరును కలిగి ఉన్న సందేశాలు", + "rule_room_one_to_one": "సందేశాలు నుండి ఒకరికి ఒకటి మాటామంతి", + "rule_message": "సమూహ మాటామంతిలో సందేశాలు", + "rule_call": "మాట్లాడడానికి ఆహ్వానం", + "rule_suppress_notices": "బాట్ పంపిన సందేశాలు" + } + }, + "timeline": { + "m.room.name": { + "remove": "%(senderDisplayName)s గది పేరు తొలగించబడింది." + } } } diff --git a/src/i18n/strings/th.json b/src/i18n/strings/th.json index ab3c4011010..8b8efaf781c 100644 --- a/src/i18n/strings/th.json +++ b/src/i18n/strings/th.json @@ -5,7 +5,6 @@ "Change Password": "เปลี่ยนรหัสผ่าน", "Default": "ค่าเริ่มต้น", "Default Device": "อุปกรณ์เริ่มต้น", - "%(senderDisplayName)s changed the topic to \"%(topic)s\".": "%(senderDisplayName)s เปลี่ยนหัวข้อเป็น \"%(topic)s\"", "Decrypt %(text)s": "ถอดรหัส %(text)s", "Download %(text)s": "ดาวน์โหลด %(text)s", "Low priority": "ความสำคัญต่ำ", @@ -35,8 +34,6 @@ "Are you sure you want to reject the invitation?": "คุณแน่ใจหรือว่าต้องการจะปฏิเสธคำเชิญ?", "Banned users": "ผู้ใช้ที่ถูกแบน", "Bans user with given id": "ผู้ใช้และ id ที่ถูกแบน", - "%(senderDisplayName)s changed the room name to %(roomName)s.": "%(senderDisplayName)s เปลี่ยนชื่อห้องไปเป็น %(roomName)s", - "%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s ลบชื่อห้อง", "Changes your display nickname": "เปลี่ยนชื่อเล่นที่แสดงของคุณ", "Command error": "คำสั่งผิดพลาด", "Commands": "คำสั่ง", @@ -88,7 +85,6 @@ "%(brand)s was not given permission to send notifications - please try again": "%(brand)s ไม่ได้รับสิทธิ์ส่งการแจ้งเตือน - กรุณาลองใหม่อีกครั้ง", "Rooms": "ห้องสนทนา", "Search failed": "การค้นหาล้มเหลว", - "%(senderDisplayName)s sent an image.": "%(senderDisplayName)s ได้ส่งรูป", "%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": "%(senderName)s ได้ส่งคำเชิญให้ %(targetDisplayName)s เข้าร่วมห้อง", "Server error": "เซิร์ฟเวอร์ผิดพลาด", "Server may be unavailable, overloaded, or search timed out :(": "เซิร์ฟเวอร์อาจไม่พร้อมใช้งาน ทำงานหนักเกินไป หรือการค้นหาหมดเวลา :(", @@ -153,7 +149,6 @@ "Unknown error": "ข้อผิดพลาดที่ไม่รู้จัก", "Incorrect password": "รหัสผ่านไม่ถูกต้อง", "Home": "เมนูหลัก", - "Unnamed Room": "ห้องที่ยังไม่ได้ตั้งชื่อ", "(~%(count)s results)": { "one": "(~%(count)s ผลลัพท์)", "other": "(~%(count)s ผลลัพท์)" @@ -181,12 +176,9 @@ "Changelog": "บันทึกการเปลี่ยนแปลง", "Waiting for response from server": "กำลังรอการตอบสนองจากเซิร์ฟเวอร์", "This Room": "ห้องนี้", - "Messages containing my display name": "ข้อความที่มีชื่อของฉัน", - "Messages in one-to-one chats": "ข้อความในแชทตัวต่อตัว", "Unavailable": "ไม่มี", "Send": "ส่ง", "Source URL": "URL ต้นฉบับ", - "Messages sent by bot": "ข้อความจากบอท", "No update available.": "ไม่มีอัปเดตที่ใหม่กว่า", "Noisy": "เสียงดัง", "Collecting app version information": "กำลังรวบรวมข้อมูลเวอร์ชันแอป", @@ -199,13 +191,10 @@ "All Rooms": "ทุกห้อง", "Wednesday": "วันพุธ", "All messages": "ทุกข้อความ", - "Call invitation": "คำเชิญเข้าร่วมการโทร", "What's new?": "มีอะไรใหม่?", - "When I'm invited to a room": "เมื่อฉันได้รับคำเชิญเข้าห้อง", "Invite to this room": "เชิญเข้าห้องนี้", "You cannot delete this message. (%(code)s)": "คุณไม่สามารถลบข้อความนี้ได้ (%(code)s)", "Thursday": "วันพฤหัสบดี", - "Messages in group chats": "ข้อความในแชทกลุ่ม", "Yesterday": "เมื่อวานนี้", "Error encountered (%(errorDetail)s).": "เกิดข้อผิดพลาด (%(errorDetail)s)", "Low Priority": "ความสำคัญต่ำ", @@ -427,7 +416,8 @@ "someone": "ใครบางคน", "application": "แอปพลิเคชัน", "version": "รุ่น", - "device": "อุปกรณ์" + "device": "อุปกรณ์", + "unnamed_room": "ห้องที่ยังไม่ได้ตั้งชื่อ" }, "action": { "continue": "ดำเนินการต่อ", @@ -498,6 +488,22 @@ }, "settings": { "use_12_hour_format": "แสดงเวลาในแชทในรูปแบบ 12 ชั่วโมง (เช่น 2:30pm)", - "always_show_message_timestamps": "แสดงเวลาในแชทเสมอ" + "always_show_message_timestamps": "แสดงเวลาในแชทเสมอ", + "notifications": { + "rule_contains_display_name": "ข้อความที่มีชื่อของฉัน", + "rule_room_one_to_one": "ข้อความในแชทตัวต่อตัว", + "rule_message": "ข้อความในแชทกลุ่ม", + "rule_invite_for_me": "เมื่อฉันได้รับคำเชิญเข้าห้อง", + "rule_call": "คำเชิญเข้าร่วมการโทร", + "rule_suppress_notices": "ข้อความจากบอท" + } + }, + "timeline": { + "m.room.topic": "%(senderDisplayName)s เปลี่ยนหัวข้อเป็น \"%(topic)s\"", + "m.room.name": { + "remove": "%(senderDisplayName)s ลบชื่อห้อง", + "set": "%(senderDisplayName)s เปลี่ยนชื่อห้องไปเป็น %(roomName)s" + }, + "m.image": "%(senderDisplayName)s ได้ส่งรูป" } } diff --git a/src/i18n/strings/tr.json b/src/i18n/strings/tr.json index 68f279737d5..f1bc51d0481 100644 --- a/src/i18n/strings/tr.json +++ b/src/i18n/strings/tr.json @@ -26,9 +26,6 @@ "Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or enable unsafe scripts.": "Tarayıcı çubuğunuzda bir HTTPS URL'si olduğunda Ana Sunusuna HTTP üzerinden bağlanılamıyor . Ya HTTPS kullanın veya güvensiz komut dosyalarını etkinleştirin.", "Change Password": "Şifre Değiştir", "%(senderName)s changed the power level of %(powerLevelDiffText)s.": "%(senderName)s %(powerLevelDiffText)s'nin güç düzeyini değiştirdi.", - "%(senderDisplayName)s changed the room name to %(roomName)s.": "%(senderDisplayName)s odanın ismini %(roomName)s olarak değiştirdi.", - "%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s oda adını kaldırdı.", - "%(senderDisplayName)s changed the topic to \"%(topic)s\".": "%(senderDisplayName)s konuyu \"%(topic)s\" olarak değiştirdi.", "Changes your display nickname": "Görünen takma adınızı değiştirir", "Command error": "Komut Hatası", "Commands": "Komutlar", @@ -114,7 +111,6 @@ "%(roomName)s is not accessible at this time.": "%(roomName)s şu anda erişilebilir değil.", "Rooms": "Odalar", "Search failed": "Arama başarısız", - "%(senderDisplayName)s sent an image.": "%(senderDisplayName)s bir resim gönderdi.", "%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": "%(senderName)s %(targetDisplayName)s' a odaya katılması için bir davet gönderdi.", "Server error": "Sunucu Hatası", "Server may be unavailable, overloaded, or search timed out :(": "Sunucu kullanılamıyor , aşırı yüklenmiş veya arama zaman aşımına uğramış olabilir :(", @@ -139,7 +135,6 @@ "Unban": "Yasağı Kaldır", "Unable to enable Notifications": "Bildirimler aktif edilemedi", "unknown error code": "bilinmeyen hata kodu", - "Unnamed Room": "İsimsiz Oda", "Uploading %(filename)s": "%(filename)s yükleniyor", "Uploading %(filename)s and %(count)s others": { "one": "%(filename)s ve %(count)s kadarı yükleniyor", @@ -235,7 +230,6 @@ "Do you want to set an email address?": "Bir e-posta adresi ayarlamak ister misiniz ?", "This will allow you to reset your password and receive notifications.": "Bu şifrenizi sıfırlamanızı ve bildirimler almanızı sağlayacak.", "Sunday": "Pazar", - "Messages sent by bot": "Bot tarafından gönderilen mesajlar", "Notification targets": "Bildirim hedefleri", "Today": "Bugün", "Friday": "Cuma", @@ -245,7 +239,6 @@ "Waiting for response from server": "Sunucudan yanıt bekleniyor", "This Room": "Bu Oda", "Noisy": "Gürültülü", - "Messages in one-to-one chats": "Bire bir sohbetlerdeki mesajlar", "Unavailable": "Kullanım dışı", "Source URL": "Kaynak URL", "Failed to add tag %(tagName)s to room": "%(tagName)s etiketi odaya eklenemedi", @@ -259,15 +252,11 @@ "Wednesday": "Çarşamba", "Send": "Gönder", "All messages": "Tüm mesajlar", - "Call invitation": "Arama davetiyesi", - "Messages containing my display name": "İsmimi içeren mesajlar", "What's new?": "Yeni olan ne ?", - "When I'm invited to a room": "Bir odaya davet edildiğimde", "Invite to this room": "Bu odaya davet et", "You cannot delete this message. (%(code)s)": "Bu mesajı silemezsiniz (%(code)s)", "Thursday": "Perşembe", "Search…": "Arama…", - "Messages in group chats": "Grup sohbetlerindeki mesajlar", "Yesterday": "Dün", "Low Priority": "Düşük Öncelikli", "Off": "Kapalı", @@ -296,10 +285,6 @@ "Use an identity server": "Bir kimlik sunucusu kullan", "Define the power level of a user": "Bir kullanıcının güç düzeyini tanımla", "Opens the Developer Tools dialog": "Geliştirici Araçları kutucuğunu açar", - "%(senderDisplayName)s upgraded this room.": "Odayı güncelleyen %(senderDisplayName)s.", - "%(senderDisplayName)s made the room invite only.": "Odayı sadece davetle yapan %(senderDisplayName)s.", - "%(senderDisplayName)s has prevented guests from joining the room.": "Odaya misafirlerin girişini engelleyen %(senderDisplayName)s.", - "%(senderName)s removed the main address for this room.": "Bu oda için ana adresi silen %(senderName)s.", "%(displayName)s is typing …": "%(displayName)s yazıyor…", "%(names)s and %(count)s others are typing …": { "one": "%(names)s ve bir diğeri yazıyor…", @@ -377,7 +362,6 @@ "Removing…": "Siliniyor…", "Clear all data": "Bütün verileri sil", "Please enter a name for the room": "Lütfen oda için bir ad girin", - "Create a private room": "Özel bir oda oluştur", "Hide advanced": "Gelişmiş gizle", "Show advanced": "Gelişmiş göster", "Incompatible Database": "Uyumsuz Veritabanı", @@ -536,8 +520,6 @@ "Change identity server": "Kimlik sunucu değiştir", "Please contact your homeserver administrator.": "Lütfen anasunucu yöneticiniz ile bağlantıya geçin.", "Send analytics data": "Analiz verilerini gönder", - "Messages containing my username": "Kullanıcı adımı içeren mesajlar", - "When rooms are upgraded": "Odalar güncellendiğinde", "My Ban List": "Yasaklı Listem", "Verified!": "Doğrulandı!", "You've successfully verified this user.": "Bu kullanıcıyı başarılı şekilde doğruladınız.", @@ -769,7 +751,6 @@ "You are now ignoring %(userId)s": "Şimdi %(userId)s yı yoksayıyorsunuz", "Stops ignoring a user, showing their messages going forward": "Sonraki mesajlarını göstererek, bir kullanıcıyı yoksaymaktan vazgeç", "Adds a custom widget by URL to the room": "URL ile odaya özel bir görsel bileşen ekle", - "%(senderDisplayName)s has allowed guests to join the room.": "%(senderDisplayName)s misafirlerin odaya katılmasına izin verdi.", "%(senderName)s updated an invalid ban rule": "%(senderName)s bir geçersiz yasaklama kuralını güncelledi", "%(senderName)s updated a ban rule matching %(glob)s for %(reason)s": "%(senderName)s, %(reason)s nedeniyle %(glob)s ile eşleşen yasaklama kuralını güncelledi", "%(senderName)s created a rule banning users matching %(glob)s for %(reason)s": "%(senderName)s, %(reason)s nedeniyle %(glob)s ile eşleşen kullanıcıları yasaklama kuralı oluşturdu", @@ -866,21 +847,12 @@ "Unable to find profiles for the Matrix IDs listed below - would you like to invite them anyway?": "Altta belirtilen Matrix ID li profiller bulunamıyor - Onları yinede davet etmek ister misiniz?", "Please tell us what went wrong or, better, create a GitHub issue that describes the problem.": "Lütfen neyin yanlış gittiğini bize bildirin ya da en güzeli problemi tanımlayan bir GitHub talebi oluşturun.", "Before submitting logs, you must create a GitHub issue to describe your problem.": "Logları göndermeden önce, probleminizi betimleyen bir GitHub talebi oluşturun.", - "Create a public room": "Halka açık bir oda 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", "The file '%(fileName)s' exceeds this homeserver's size limit for uploads": "%(fileName)s dosyası anasunucunun yükleme boyutu limitini aşıyor", "Double check that your server supports the room version chosen and try again.": "Seçtiğiniz oda sürümünün sunucunuz tarafından desteklenip desteklenmediğini iki kez kontrol edin ve yeniden deneyin.", "Please supply a https:// or http:// widget URL": "Lütfen bir https:// ya da http:// olarak bir görsel bileşen URL i belirtin", "Sends the given emote coloured as a rainbow": "Verilen ifadeyi bir gökkuşağı gibi renklendirilmiş olarak gönderin", - "%(senderDisplayName)s made the room public to whoever knows the link.": "%(senderDisplayName)s odayı adresi bilen herkesin girebileceği şekilde halka açık hale getirdi.", - "%(senderDisplayName)s changed the join rule to %(rule)s": "%(senderDisplayName)s katılma kuralını %(rule)s şeklinde değiştirdi", - "%(senderDisplayName)s changed guest access to %(rule)s": "%(senderDisplayName)s misafir erişim kuralını %(rule)s şeklinde değiştirdi", - "%(senderName)s set the main address for this room to %(address)s.": "%(senderName)s bu odanın ana adresini %(address)s olarak ayarladı.", - "%(senderName)s placed a voice call.": "%(senderName)s bir çağrı yaptı.", - "%(senderName)s placed a voice call. (not supported by this browser)": "%(senderName)s bir çağrı başlattı. (Bu tarayıcı tarafından desteklenmiyor)", - "%(senderName)s placed a video call.": "%(senderName)s bir görüntülü çağrı yaptı.", - "%(senderName)s placed a video call. (not supported by this browser)": "%(senderName)s bir görüntülü çağrı yaptı. (bu tarayıcı tarafından desteklenmiyor)", "Ask your %(brand)s admin to check your config for incorrect or duplicate entries.": "%(brand)s yöneticinize yapılandırmanızın hatalı ve mükerrer girdilerini kontrol etmesi için talepte bulunun.", "You can register, but some features will be unavailable until the identity server is back online. If you keep seeing this warning, check your configuration or contact a server admin.": "Kayıt olabilirsiniz, fakat kimlik sunucunuz çevrimiçi olana kadar bazı özellikler mevcut olmayacak. Bu uyarıyı sürekli görüyorsanız, yapılandırmanızı kontrol edin veya sunucu yöneticinizle iletişime geçin.", "You can reset your password, but some features will be unavailable until the identity server is back online. If you keep seeing this warning, check your configuration or contact a server admin.": "Parolanızı sıfırlayabilirsiniz, fakat kimlik sunucunuz çevrimiçi olana kadar bazı özellikler mevcut olmayacak. Bu uyarıyı sürekli görüyorsanız, yapılandırmanızı kontrol edin veya sunucu yöneticinizle iletişime geçin.", @@ -893,8 +865,6 @@ "Enable URL previews by default for participants in this room": "Bu odadaki katılımcılar için URL önizlemeyi varsayılan olarak açık hale getir", "Enable widget screenshots on supported widgets": "Desteklenen görsel bileşenlerde anlık görüntüleri aç", "Show hidden events in timeline": "Zaman çizelgesinde gizli olayları göster", - "Encrypted messages in one-to-one chats": "Birebir sohbetlerdeki şifrelenmiş mesajlar", - "Encrypted messages in group chats": "Grup sohbetlerdeki şifrelenmiş mesajlar", "This is your list of users/servers you have blocked - don't leave the room!": "Bu sizin engellediğiniz kullanıcılar/sunucular listeniz - odadan ayrılmayın!", "Got It": "Anlaşıldı", "Subscribing to a ban list will cause you to join it!": "Bir yasak listesine abonelik ona katılmanıza yol açar!", @@ -995,7 +965,6 @@ "Add another word or two. Uncommon words are better.": "Bir iki kelime daha ekleyin. Yaygın olmayan kelimeler daha iyi olur.", "Recent years are easy to guess": "Güncel yılların tahmini kolaydır", "Enable message search in encrypted rooms": "Şifrelenmiş odalardaki mesaj aramayı aktifleştir", - "Messages containing @room": "@room odasındaki mesajlar", "Scan this unique code": "Bu eşsiz kodu tara", "Cancelling…": "İptal ediliyor…", "Lock": "Kilit", @@ -1073,7 +1042,6 @@ "WARNING: KEY VERIFICATION FAILED! The signing key for %(userId)s and session %(deviceId)s is \"%(fprint)s\" which does not match the provided key \"%(fingerprint)s\". This could mean your communications are being intercepted!": "UYARI: ANAHTAR DOĞRULAMASI BAŞARISIZ! %(userld)s'nin/nın %(deviceId)s oturumu için imza anahtarı \"%(fprint)s\" verilen anahtar ile uyuşmuyor \"%(fingerprint)s\". Bu iletişiminizin engellendiği anlamına gelebilir!", "The signing key you provided matches the signing key you received from %(userId)s's session %(deviceId)s. Session marked as verified.": "Verilen imza anahtarı %(userld)s'nin/nın %(deviceld)s oturumundan gelen anahtar ile uyumlu. Oturum doğrulanmış olarak işaretlendi.", "Forces the current outbound group session in an encrypted room to be discarded": "Şifreli bir odadaki geçerli giden grup oturumunun atılmasını zorlar", - "%(senderDisplayName)s changed the room name from %(oldRoomName)s to %(newRoomName)s.": "%(senderDisplayName)s oda ismini %(oldRoomName)s bununla değiştirdi %(newRoomName)s.", "%(senderName)s removed the alternative addresses %(addresses)s for this room.": { "other": "%(senderName)s bu oda için alternatif adresleri %(addresses)s sildi.", "one": "%(senderName)s bu oda için alternatif adresi %(addresses)s sildi." @@ -1162,15 +1130,12 @@ "Change the avatar of your active room": "Aktif odanın avatarını değiştir", "Change the avatar of this room": "Bu odanın avatarını değiştir", "Change the name of your active room": "Aktif odanızın ismini değiştirin", - "🎉 All servers are banned from participating! This room can no longer be used.": "🎉 Tüm sunucuların katılımı yasaklanmıştır! Bu oda artık kullanılamaz.", "Change the name of this room": "Bu odanın ismini değiştirin", "Change the topic of your active room": "Aktif odanızın konusunu değiştirin", "Change the topic of this room": "Bu odanın konusunu değiştirin", "Change which room you're viewing": "Görüntülediğiniz odayı değiştirin", "Send stickers into your active room": "Aktif odanıza çıkartma gönderin", "Send stickers into this room": "Bu odaya çıkartma gönderin", - "%(senderDisplayName)s changed the server ACLs for this room.": "%(senderDisplayName)s bu oda için sunucu ACL'lerini değiştirdi.", - "%(senderDisplayName)s set the server ACLs for this room.": "%(senderDisplayName)s bu oda için sunucu ACL'lerini ayarladı.", "Takes the call in the current room off hold": "Mevcut odadaki aramayı beklemeden çıkarır", "Places the call in the current room on hold": "Mevcut odadaki aramayı beklemeye alır", "Please supply a widget URL or embed code": "Lütfen bir widget URL'si veya yerleşik kod girin", @@ -1733,23 +1698,6 @@ "Use app for a better experience": "Daha iyi bir deneyim için uygulamayı kullanın", "Remain on your screen while running": "Uygulama çalışırken lütfen başka uygulamaya geçmeyin", "%(senderName)s changed the pinned messages for the room.": "%(senderName)s odadaki ileti sabitlemelerini değiştirdi.", - "%(senderName)s withdrew %(targetName)s's invitation": "%(senderName)s, %(targetName)s kullanıcısının davetini geri çekti", - "%(senderName)s withdrew %(targetName)s's invitation: %(reason)s": "%(senderName)s,%(targetName)s kullanıcısının davetini geri çekti: %(reason)s", - "%(targetName)s left the room": "%(targetName)s odadan çıktı", - "%(targetName)s left the room: %(reason)s": "%(targetName)s odadan çıktı: %(reason)s", - "%(targetName)s rejected the invitation": "%(targetName)s daveti geri çevirdi", - "%(targetName)s joined the room": "%(targetName)s odaya katıldı", - "%(senderName)s made no change": " ", - "%(senderName)s set a profile picture": "%(senderName)s profil resmi belirledi", - "%(senderName)s changed their profile picture": "%(senderName)s profil resmini değiştirdi", - "%(senderName)s removed their profile picture": "%(senderName)s profil resmini kaldırdı", - "%(senderName)s removed their display name (%(oldDisplayName)s)": "%(senderName)s, %(oldDisplayName)s görünür adını kaldırdı", - "%(senderName)s set their display name to %(displayName)s": "%(senderName)s görünür adını %(displayName)s yaptı", - "%(oldDisplayName)s changed their display name to %(displayName)s": "%(oldDisplayName)s görünür adını %(displayName)s yaptı", - "%(senderName)s invited %(targetName)s": "%(targetName)s kullanıcılarını %(senderName)s davet etti", - "%(senderName)s unbanned %(targetName)s": "%(targetName) tarafından %(senderName)s yasakları kaldırıldı", - "%(senderName)s banned %(targetName)s": "%(senderName)s %(targetName)s kullanıcısını yasakladı: %(reason)s", - "%(senderName)s banned %(targetName)s: %(reason)s": "%(senderName)s %(targetName) kullanıcısını yasakladı: %(reason)s", "Some invites couldn't be sent": "Bazı davetler gönderilemiyor", "We sent the others, but the below people couldn't be invited to ": "Başkalarına davetler iletilmekle beraber, aşağıdakiler odasına davet edilemedi", "We asked the browser to remember which homeserver you use to let you sign in, but unfortunately your browser has forgotten it. Go to the sign in page and try again.": "Tarayıcınıza bağlandığınız ana sunucuyu anımsamasını söyledik ama ne yazık ki tarayıcınız bunu unutmuş. Lütfen giriş sayfasına gidip tekrar deneyin.", @@ -1780,8 +1728,6 @@ "Click to copy": "Kopyalamak için tıklayın", "You can change these anytime.": "Bunları istediğiniz zaman değiştirebilirsiniz.", "Change which room, message, or user you're viewing": "Görüntülediğiniz odayı, mesajı veya kullanıcıyı değiştirin", - "%(targetName)s accepted an invitation": "%(targetName)s daveti kabul etti", - "%(targetName)s accepted the invitation for %(displayName)s": "%(targetName)s, %(displayName)s kişisinin davetini kabul etti", "Integration manager": "Bütünleştirme Yöneticisi", "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": "Kimlik sunucusu", @@ -1800,7 +1746,6 @@ "%(senderName)s unpinned a message from this room. See all pinned messages.": "%(senderName)s Bu odadan bir mesajın sabitlemesini kaldırdı. Bütün sabitlenmiş mesajları görün.", "%(senderName)s pinned a message to this room. See all pinned messages.": "%(senderName)s bu odaya bir mesaj sabitledi, Bütün sabitlenmiş mesajları görün.", "Failed to transfer call": "Arama aktarılırken hata oluştu", - "Plain Text": "Düz Metin", "For best security, sign out from any session that you don't recognize or use anymore.": "En iyi güvenlik için, tanımadığın ya da artık kullanmadığın oturumlardan çıkış yap.", "Security recommendations": "Güvenlik önerileri", "Filter devices": "Cihazları filtrele", @@ -1881,7 +1826,8 @@ "unverified": "Doğrulanmamış", "matrix": "Matrix", "trusted": "Güvenilir", - "not_trusted": "Güvenilir değil" + "not_trusted": "Güvenilir değil", + "unnamed_room": "İsimsiz Oda" }, "action": { "continue": "Devam Et", @@ -2047,7 +1993,20 @@ "show_displayname_changes": "Ekran isim değişikliklerini göster", "big_emoji": "Sohbette büyük emojileri aç", "prompt_invite": "Potansiyel olarak geçersiz matrix kimliği olanlara davet gönderirken uyarı ver", - "start_automatically": "Sisteme giriş yaptıktan sonra otomatik başlat" + "start_automatically": "Sisteme giriş yaptıktan sonra otomatik başlat", + "notifications": { + "rule_contains_display_name": "İsmimi içeren mesajlar", + "rule_contains_user_name": "Kullanıcı adımı içeren mesajlar", + "rule_roomnotif": "@room odasındaki mesajlar", + "rule_room_one_to_one": "Bire bir sohbetlerdeki mesajlar", + "rule_message": "Grup sohbetlerindeki mesajlar", + "rule_encrypted": "Grup sohbetlerdeki şifrelenmiş mesajlar", + "rule_invite_for_me": "Bir odaya davet edildiğimde", + "rule_call": "Arama davetiyesi", + "rule_suppress_notices": "Bot tarafından gönderilen mesajlar", + "rule_tombstone": "Odalar güncellendiğinde", + "rule_encrypted_room_one_to_one": "Birebir sohbetlerdeki şifrelenmiş mesajlar" + } }, "devtools": { "event_type": "Olay Tipi", @@ -2056,5 +2015,68 @@ "event_content": "Olay İçeriği", "toolbox": "Araç Kutusu", "developer_tools": "Geliştirici Araçları" + }, + "export_chat": { + "text": "Düz Metin" + }, + "create_room": { + "title_public_room": "Halka açık bir oda oluşturun", + "title_private_room": "Özel bir oda oluştur" + }, + "timeline": { + "m.call.invite": { + "voice_call": "%(senderName)s bir çağrı yaptı.", + "voice_call_unsupported": "%(senderName)s bir çağrı başlattı. (Bu tarayıcı tarafından desteklenmiyor)", + "video_call": "%(senderName)s bir görüntülü çağrı yaptı.", + "video_call_unsupported": "%(senderName)s bir görüntülü çağrı yaptı. (bu tarayıcı tarafından desteklenmiyor)" + }, + "m.room.member": { + "accepted_3pid_invite": "%(targetName)s, %(displayName)s kişisinin davetini kabul etti", + "accepted_invite": "%(targetName)s daveti kabul etti", + "invite": "%(targetName)s kullanıcılarını %(senderName)s davet etti", + "ban_reason": "%(senderName)s %(targetName) kullanıcısını yasakladı: %(reason)s", + "ban": "%(senderName)s %(targetName)s kullanıcısını yasakladı: %(reason)s", + "change_name": "%(oldDisplayName)s görünür adını %(displayName)s yaptı", + "set_name": "%(senderName)s görünür adını %(displayName)s yaptı", + "remove_name": "%(senderName)s, %(oldDisplayName)s görünür adını kaldırdı", + "remove_avatar": "%(senderName)s profil resmini kaldırdı", + "change_avatar": "%(senderName)s profil resmini değiştirdi", + "set_avatar": "%(senderName)s profil resmi belirledi", + "no_change": " ", + "join": "%(targetName)s odaya katıldı", + "reject_invite": "%(targetName)s daveti geri çevirdi", + "left_reason": "%(targetName)s odadan çıktı: %(reason)s", + "left": "%(targetName)s odadan çıktı", + "unban": "%(targetName) tarafından %(senderName)s yasakları kaldırıldı", + "withdrew_invite_reason": "%(senderName)s,%(targetName)s kullanıcısının davetini geri çekti: %(reason)s", + "withdrew_invite": "%(senderName)s, %(targetName)s kullanıcısının davetini geri çekti" + }, + "m.room.topic": "%(senderDisplayName)s konuyu \"%(topic)s\" olarak değiştirdi.", + "m.room.name": { + "remove": "%(senderDisplayName)s oda adını kaldırdı.", + "change": "%(senderDisplayName)s oda ismini %(oldRoomName)s bununla değiştirdi %(newRoomName)s.", + "set": "%(senderDisplayName)s odanın ismini %(roomName)s olarak değiştirdi." + }, + "m.room.tombstone": "Odayı güncelleyen %(senderDisplayName)s.", + "m.room.join_rules": { + "public": "%(senderDisplayName)s odayı adresi bilen herkesin girebileceği şekilde halka açık hale getirdi.", + "invite": "Odayı sadece davetle yapan %(senderDisplayName)s.", + "unknown": "%(senderDisplayName)s katılma kuralını %(rule)s şeklinde değiştirdi" + }, + "m.room.guest_access": { + "can_join": "%(senderDisplayName)s misafirlerin odaya katılmasına izin verdi.", + "forbidden": "Odaya misafirlerin girişini engelleyen %(senderDisplayName)s.", + "unknown": "%(senderDisplayName)s misafir erişim kuralını %(rule)s şeklinde değiştirdi" + }, + "m.image": "%(senderDisplayName)s bir resim gönderdi.", + "m.room.server_acl": { + "set": "%(senderDisplayName)s bu oda için sunucu ACL'lerini ayarladı.", + "changed": "%(senderDisplayName)s bu oda için sunucu ACL'lerini değiştirdi.", + "all_servers_banned": "🎉 Tüm sunucuların katılımı yasaklanmıştır! Bu oda artık kullanılamaz." + }, + "m.room.canonical_alias": { + "set": "%(senderName)s bu odanın ana adresini %(address)s olarak ayarladı.", + "removed": "Bu oda için ana adresi silen %(senderName)s." + } } } diff --git a/src/i18n/strings/tzm.json b/src/i18n/strings/tzm.json index e5e7868fa5a..1c7f0fe4d9c 100644 --- a/src/i18n/strings/tzm.json +++ b/src/i18n/strings/tzm.json @@ -1,5 +1,4 @@ { - "%(senderDisplayName)s sent an image.": "yuzen %(senderDisplayName)s yat twelaft.", "Other": "Yaḍn", "Actions": "Tugawin", "Messages": "Tuzinin", @@ -146,5 +145,8 @@ "end": "End", "control": "Ctrl", "shift": "Shift" + }, + "timeline": { + "m.image": "yuzen %(senderDisplayName)s yat twelaft." } } diff --git a/src/i18n/strings/uk.json b/src/i18n/strings/uk.json index 9b4686921d0..20a4fca556c 100644 --- a/src/i18n/strings/uk.json +++ b/src/i18n/strings/uk.json @@ -33,15 +33,11 @@ "Can't connect to homeserver - please check your connectivity, ensure your homeserver's SSL certificate is trusted, and that a browser extension is not blocking requests.": "Не вдалося під'єднатися до домашнього сервера — перевірте з'єднання, переконайтесь, що ваш SSL-сертифікат домашнього сервера довірений і що розширення браузера не блокує запити.", "Change Password": "Змінити пароль", "%(senderName)s changed the power level of %(powerLevelDiffText)s.": "%(senderName)s змінює рівень повноважень %(powerLevelDiffText)s.", - "%(senderDisplayName)s changed the room name to %(roomName)s.": "%(senderDisplayName)s змінює назву кімнати на %(roomName)s.", - "%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s видалив ім'я кімнати.", - "%(senderDisplayName)s changed the topic to \"%(topic)s\".": "%(senderDisplayName)s змінює тему на %(topic)s.", "Email": "Е-пошта", "Email address": "Адреса е-пошти", "Rooms": "Кімнати", "This email address is already in use": "Ця е-пошта вже використовується", "This phone number is already in use": "Цей телефонний номер вже використовується", - "Messages in one-to-one chats": "Повідомлення у бесідах віч-на-віч", "Sunday": "Неділя", "Failed to add tag %(tagName)s to room": "Не вдалось додати до кімнати мітку %(tagName)s", "Notification targets": "Цілі сповіщень", @@ -54,14 +50,11 @@ "Failed to send logs: ": "Не вдалося надіслати журнали: ", "This Room": "Ця кімната", "Noisy": "Шумно", - "Messages containing my display name": "Повідомлення з моїм псевдонімом", "Unavailable": "Недоступний", "Source URL": "Початкова URL-адреса", - "Messages sent by bot": "Повідомлення, надіслані ботом", "Filter results": "Відфільтрувати результати", "No update available.": "Оновлення відсутні.", "Collecting app version information": "Збір інформації про версію застосунку", - "When I'm invited to a room": "Коли мене запрошено до кімнати", "Tuesday": "Вівторок", "Preparing to send logs": "Приготування до надсилання журланла", "Unnamed room": "Неназвана кімната", @@ -73,14 +66,12 @@ "You cannot delete this message. (%(code)s)": "Ви не можете видалити це повідомлення. (%(code)s)", "Send": "Надіслати", "All messages": "Усі повідомлення", - "Call invitation": "Запрошення до виклику", "What's new?": "Що нового?", "Invite to this room": "Запросити до цієї кімнати", "Thursday": "Четвер", "Search…": "Пошук…", "Logs sent": "Журнали надіслані", "Show message in desktop notification": "Показувати повідомлення у стільничних сповіщеннях", - "Messages in group chats": "Повідомлення у групових бесідах", "Yesterday": "Вчора", "Error encountered (%(errorDetail)s).": "Трапилась помилка (%(errorDetail)s).", "Low Priority": "Неважливі", @@ -157,9 +148,6 @@ "Verified key": "Звірений ключ", "Displays action": "Показ дій", "Reason": "Причина", - "%(senderDisplayName)s sent an image.": "%(senderDisplayName)s надсилає зображення.", - "%(senderName)s set the main address for this room to %(address)s.": "%(senderName)s встановлює основною адресою цієї кімнати %(address)s.", - "%(senderName)s removed the main address for this room.": "%(senderName)s вилучає основу адресу цієї кімнати.", "%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": "%(senderName)s надсилає запрошення %(targetDisplayName)s приєднатися до кімнати.", "Default": "Типовий", "%(senderName)s made future room history visible to all room members, from the point they are invited.": "%(senderName)s робить майбутню історію кімнати видимою для всіх учасників з моменту, коли вони приєдналися.", @@ -174,7 +162,6 @@ "%(widgetName)s widget removed by %(senderName)s": "%(senderName)s вилучає віджет %(widgetName)s", "Failure to create room": "Не вдалося створити кімнату", "Server may be unavailable, overloaded, or you hit a bug.": "Сервер може бути недоступний, перевантажений, або ж ви натрапили на ваду.", - "Unnamed Room": "Кімната без назви", "This homeserver has hit its Monthly Active User limit.": "Цей домашній сервер досягнув свого ліміту щомісячних активних користувачів.", "This homeserver has exceeded one of its resource limits.": "Цей домашній сервер досягнув одного зі своїх лімітів ресурсів.", "Your browser does not support the required cryptography extensions": "Ваш браузер не підтримує необхідних криптографічних функцій", @@ -363,14 +350,6 @@ "Send a bug report with logs": "Надіслати звіт про ваду разом з журналами", "Opens chat with the given user": "Відкриває бесіду з вказаним користувачем", "Sends a message to the given user": "Надсилає повідомлення вказаному користувачеві", - "%(senderDisplayName)s changed the room name from %(oldRoomName)s to %(newRoomName)s.": "%(senderDisplayName)s змінює назву кімнати з %(oldRoomName)s на %(newRoomName)s.", - "%(senderDisplayName)s upgraded this room.": "%(senderDisplayName)s поліпшує цю кімнату.", - "%(senderDisplayName)s made the room public to whoever knows the link.": "%(senderDisplayName)s робить кімнату відкритою для всіх, хто має посилання.", - "%(senderDisplayName)s made the room invite only.": "%(senderDisplayName)s робить кімнату доступною лише за запрошеннями.", - "%(senderDisplayName)s changed the join rule to %(rule)s": "%(senderDisplayName)s змінює правило приєднування на \"%(rule)s\"", - "%(senderDisplayName)s has allowed guests to join the room.": "%(senderDisplayName)s дозволяє гостям приєднуватися до кімнати.", - "%(senderDisplayName)s has prevented guests from joining the room.": "%(senderDisplayName)s забороняє гостям приєднуватися до кімнати.", - "%(senderDisplayName)s changed guest access to %(rule)s": "%(senderDisplayName)s змінює гостьовий доступ на \"%(rule)s\"", "%(senderName)s added the alternative addresses %(addresses)s for this room.": { "other": "%(senderName)s додає альтернативні адреси %(addresses)s для цієї кімнати.", "one": "%(senderName)s додає альтернативні адреси %(addresses)s для цієї кімнати." @@ -382,10 +361,6 @@ "%(senderName)s changed the alternative addresses for this room.": "%(senderName)s змінює альтернативні адреси для цієї кімнати.", "%(senderName)s changed the main and alternative addresses for this room.": "%(senderName)s змінює головні та альтернативні адреси для цієї кімнати.", "%(senderName)s changed the addresses for this room.": "%(senderName)s змінює адреси для цієї кімнати.", - "%(senderName)s placed a voice call.": "%(senderName)s розпочинає голосовий виклик.", - "%(senderName)s placed a voice call. (not supported by this browser)": "%(senderName)s розпочинає голосовий виклик. (не підтримується цим браузером)", - "%(senderName)s placed a video call.": "%(senderName)s розпочинає відеовиклик.", - "%(senderName)s placed a video call. (not supported by this browser)": "%(senderName)s розпочинає відеовиклик. (не підтримується цим браузером)", "%(senderName)s revoked the invitation for %(targetDisplayName)s to join the room.": "%(senderName)s відкликає запрошення %(targetDisplayName)s приєднання до кімнати.", "%(senderName)s removed the rule banning users matching %(glob)s": "%(senderName)s вилучає правило заборони користувачів зі збігом з %(glob)s", "%(senderName)s removed the rule banning rooms matching %(glob)s": "%(senderName)s вилучає правило блокування кімнат зі збігом з %(glob)s", @@ -683,8 +658,6 @@ "Never send encrypted messages to unverified sessions in this room from this session": "Ніколи не надсилати зашифровані повідомлення до незвірених сеансів у цій кімнаті з цього сеансу", "Enable message search in encrypted rooms": "Увімкнути шукання повідомлень у зашифрованих кімнатах", "IRC display name width": "Ширина псевдоніма IRC", - "Encrypted messages in one-to-one chats": "Зашифровані повідомлення у бесідах віч-на-віч", - "Encrypted messages in group chats": "Зашифровані повідомлення у групових бесідах", "Secure messages with this user are end-to-end encrypted and not able to be read by third parties.": "Захищені повідомлення з цим користувачем є наскрізно зашифрованими та непрочитними для сторонніх осіб.", "Securely cache encrypted messages locally for them to appear in search results.": "Безпечно локально кешувати зашифровані повідомлення щоб вони з'являлись у результатах пошуку.", "%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with search components added.": "%(brand)s'ові бракує деяких складників, необхідних для безпечного локального кешування зашифрованих повідомлень. Якщо ви хочете поекспериментувати з цією властивістю, зберіть спеціальну збірку %(brand)s Desktop із доданням пошукових складників.", @@ -726,9 +699,6 @@ "%(senderName)s changed a rule that was banning rooms matching %(oldGlob)s to matching %(newGlob)s for %(reason)s": "%(senderName)s змінює правило блокування кімнат зі збігу з %(oldGlob)s на збіг з %(newGlob)s через %(reason)s", "%(senderName)s changed a rule that was banning servers matching %(oldGlob)s to matching %(newGlob)s for %(reason)s": "%(senderName)s змінює правило блокування серверів зі збігу з %(oldGlob)s на збіг з %(newGlob)s через %(reason)s", "%(senderName)s updated a ban rule that was matching %(oldGlob)s to matching %(newGlob)s for %(reason)s": "%(senderName)s змінює правило блокування зі збігу з %(oldGlob)s на збіг з %(newGlob)s через %(reason)s", - "Messages containing my username": "Повідомлення, що містять моє користувацьке ім'я", - "Messages containing @room": "Повідомлення, що містять @room", - "When rooms are upgraded": "Коли кімнати поліпшено", "Unknown caller": "Невідомий викликач", "The integration manager is offline or it cannot reach your homeserver.": "Менеджер інтеграцій не під'єднаний або не може зв'язатися з вашим домашнім сервером.", "Enable desktop notifications for this session": "Увімкнути стільничні сповіщення для цього сеансу", @@ -846,8 +816,6 @@ "Cook Islands": "Острови Кука", "Congo - Kinshasa": "Демократична Республіка Конго", "Congo - Brazzaville": "Конго", - "%(senderDisplayName)s changed the server ACLs for this room.": "%(senderDisplayName)s змінює серверні права доступу для цієї кімнати.", - "%(senderDisplayName)s set the server ACLs for this room.": "%(senderDisplayName)s встановлює серверні права доступу для цієї кімнати.", "Takes the call in the current room off hold": "Знімає виклик у поточній кімнаті з утримання", "Places the call in the current room on hold": "Переводить виклик у поточній кімнаті на утримання", "Zimbabwe": "Зімбабве", @@ -1032,7 +1000,6 @@ "Capitalization doesn't help very much": "Великі букви не дуже допомагають", "You're all caught up.": "Все готово.", "Hey you. You're the best!": "Агов, ти, так, ти. Ти найкращий!", - "🎉 All servers are banned from participating! This room can no longer be used.": "🎉 Всім серверам заборонено доступ до кімнати! Нею більше не можна користуватися.", "Call failed because microphone could not be accessed. Check that a microphone is plugged in and set up correctly.": "Збій виклику, оскільки не вдалося отримати доступ до мікрофона. Переконайтеся, що мікрофон під'єднано та налаштовано правильно.", "Effects": "Ефекти", "You've reached the maximum number of simultaneous calls.": "Ви досягли максимальної кількості одночасних викликів.", @@ -1151,23 +1118,6 @@ "Terms of service not accepted or the identity server is invalid.": "Умови користування не прийнято або сервер ідентифікації недійсний.", "About homeservers": "Про домашні сервери", "%(senderName)s changed the pinned messages for the room.": "%(senderName)s змінює прикріплене повідомлення для кімнати.", - "%(senderName)s withdrew %(targetName)s's invitation": "%(senderName)s відкликає запрошення %(targetName)s", - "%(senderName)s withdrew %(targetName)s's invitation: %(reason)s": "%(senderName)s відкликає запрошення %(targetName)s: %(reason)s", - "%(senderName)s unbanned %(targetName)s": "%(senderName)s розблоковує %(targetName)s", - "%(targetName)s left the room": "%(targetName)s виходить з кімнати", - "%(targetName)s left the room: %(reason)s": "%(targetName)s виходить з кімнати: %(reason)s", - "%(targetName)s rejected the invitation": "%(targetName)s відхиляє запрошення", - "%(senderName)s made no change": "%(senderName)s нічого не змінює", - "%(senderName)s set a profile picture": "%(senderName)s встановлює зображення профілю", - "%(senderName)s removed their profile picture": "%(senderName)s вилучає своє зображення профілю", - "%(senderName)s removed their display name (%(oldDisplayName)s)": "%(senderName)s вилучає свій псевдонім (%(oldDisplayName)s)", - "%(senderName)s set their display name to %(displayName)s": "%(senderName)s встановлює псевдонімом %(displayName)s", - "%(oldDisplayName)s changed their display name to %(displayName)s": "%(oldDisplayName)s змінює псевдонім на %(displayName)s", - "%(senderName)s banned %(targetName)s": "%(senderName)s блокує %(targetName)s", - "%(senderName)s banned %(targetName)s: %(reason)s": "%(senderName)s блокує %(targetName)s: %(reason)s", - "%(senderName)s invited %(targetName)s": "%(senderName)s запрошує %(targetName)s", - "%(targetName)s accepted an invitation": "%(targetName)s приймає запрошення", - "%(targetName)s accepted the invitation for %(displayName)s": "%(targetName)s приймає запрошення до %(displayName)s", "Converts the DM to a room": "Перетворює приватну бесіду на кімнату", "Converts the room to a DM": "Перетворює кімнату на приватну бесіду", "Some invites couldn't be sent": "Деякі запрошення неможливо надіслати", @@ -1178,11 +1128,9 @@ "Join the conference from the room information card on the right": "Приєднуйтесь до групового виклику з інформаційної картки кімнати праворуч", "Room information": "Відомості про кімнату", "Send voice message": "Надіслати голосове повідомлення", - "%(targetName)s joined the room": "%(targetName)s приєднується до кімнати", "edited": "змінено", "Edited at %(date)s. Click to view edits.": "Змінено %(date)s. Натисніть, щоб переглянути зміни.", "Edited at %(date)s": "Змінено %(date)s", - "%(senderName)s changed their profile picture": "%(senderName)s змінює зображення профілю", "Phone Number": "Телефонний номер", "%(oneUser)sleft %(count)s times": { "one": "%(oneUser)sвиходить", @@ -1409,8 +1357,6 @@ "Private room (invite only)": "Приватна кімната (лише за запрошенням)", "Room visibility": "Видимість кімнати", "Topic (optional)": "Тема (не обов'язково)", - "Create a private room": "Створити приватну кімнату", - "Create a public room": "Створити загальнодоступну кімнату", "Everyone in will be able to find and join this room.": "Усі в зможуть знайти та приєднатися до цієї кімнати.", "Please enter a name for the room": "Введіть назву кімнати", "Reason (optional)": "Причина (не обов'язково)", @@ -1646,8 +1592,6 @@ "reacted with %(shortName)s": "додає реакцію %(shortName)s", "%(reactors)s reacted with %(content)s": "%(reactors)s додає реакцію %(content)s", "Add reaction": "Додати реакцію", - "%(senderDisplayName)s sent a sticker.": "%(senderDisplayName)s надсилає наліпку.", - "%(senderDisplayName)s changed the room avatar.": "%(senderDisplayName)s змінює аватар кімнати.", "Manually export keys": "Експорт ключів власноруч", "Don't leave any rooms": "Не виходити з будь-якої кімнати", "Updating %(brand)s": "Оновлення %(brand)s", @@ -1811,8 +1755,6 @@ "with state key %(stateKey)s": "з ключем стану %(stateKey)s", "with an empty state key": "з порожнім ключем стану", "Light high contrast": "Контрастна світла", - "%(senderDisplayName)s changed who can join this room.": "%(senderDisplayName)s змінює, хто може приєднатися до цієї кімнати.", - "%(senderDisplayName)s changed who can join this room. View settings.": "%(senderDisplayName)s змінює, хто може приєднатися до цієї кімнати. Переглянути налаштування.", "%(oneUser)shad their invitation withdrawn %(count)s times": { "one": "%(oneUser)s відкликали запрошення", "other": "%(oneUser)s відкликали запрошення %(count)s разів" @@ -1913,7 +1855,6 @@ "Reply to thread…": "Відповісти в гілці…", "Reply to encrypted thread…": "Відповісти в зашифрованій гілці…", "Reply in thread": "Відповісти у гілці", - "%(creatorName)s created this room.": "%(creatorName)s створює цю кімнату.", "See when people join, leave, or are invited to this room": "Бачити, коли хтось додається, виходить чи запрошується до цієї кімнати", "You cannot place calls without a connection to the server.": "Неможливо здійснювати виклики без з'єднання з сервером.", "You cannot place calls in this browser.": "Цей браузер не підтримує викликів.", @@ -2018,12 +1959,6 @@ "Select the roles required to change various parts of the space": "Оберіть ролі, потрібні для зміни різних частин простору", "To join a space you'll need an invite.": "Щоб приєднатись до простору, вам потрібне запрошення.", "You are about to leave .": "Ви збираєтеся вийти з .", - "HTML": "HTML", - "JSON": "JSON", - "Plain Text": "Текстові дані", - "From the beginning": "З самого початку", - "Specify a number of messages": "Вказати кількість повідомлень", - "Current Timeline": "Ця стрічка", "Enter a number between %(min)s and %(max)s": "Введіть число між %(min)s і %(max)s", "Size can only be a number between %(min)s MB and %(max)s MB": "Розмір може бути лише числом між %(min)s МБ і %(max)s МБ", "Number of messages can only be a number between %(min)s and %(max)s": "Кількість повідомлень може бути лише числом між %(min)s і %(max)s", @@ -2166,7 +2101,6 @@ "Jump to first unread message.": "Перейти до першого непрочитаного повідомлення.", "a new cross-signing key signature": "новий підпис ключа перехресного підписування", "a new master key signature": "новий підпис головного ключа", - "Unnamed Space": "Простір без назви", "Or send invite link": "Або надішліть запрошувальне посилання", "Spaces you're in": "Ваші простори", "Other rooms in %(spaceName)s": "Інші кімнати в %(spaceName)s", @@ -2401,13 +2335,6 @@ "Sends the given message with rainfall": "Надсилає це повідомлення з дощем", "Other rooms": "Інші кімнати", "That's fine": "Гаразд", - "File Attached": "Файл прикріплено", - "Error fetching file": "Збій отримання файлу", - "Topic: %(topic)s": "Тема: %(topic)s", - "This is the start of export of . Exported by at %(exportDate)s.": "Експорт починає о %(exportDate)s.", - "Media omitted - file size limit exceeded": "Медіа пропущено — перевищує обмеження розміру файлу", - "Media omitted": "Медіа пропущено", - "Are you sure you want to exit during this export?": "Точно вийти, поки триває експорт?", "You can log in, but some features will be unavailable until the identity server is back online. If you keep seeing this warning, check your configuration or contact a server admin.": "Можете ввійти, але деякі можливості будуть недоступні, поки сервер ідентифікації не відновить роботу. Якщо часто бачите це застереження, перевірте свої параметри чи зв'яжіться з адміністратором сервера.", "You can reset your password, but some features will be unavailable until the identity server is back online. If you keep seeing this warning, check your configuration or contact a server admin.": "Можете скинути пароль, але деякі можливості будуть недоступні, поки сервер ідентифікації не відновить роботу. Якщо часто бачите це застереження, перевірте свої параметри чи зв'яжіться з адміністратором сервера.", "Continue with %(ssoButtons)s": "Продовжити з %(ssoButtons)s", @@ -2623,25 +2550,6 @@ "Recent Conversations": "Недавні бесіди", "A call can only be transferred to a single user.": "Виклик можна переадресувати лише на одного користувача.", "Search for rooms or people": "Пошук кімнат або людей", - "Exported %(count)s events in %(seconds)s seconds": { - "one": "Експортовано %(count)s подій за %(seconds)s секунд", - "other": "Експортовано %(count)s подій за %(seconds)s секунд" - }, - "Export successful!": "Успішно експортовано!", - "Fetched %(count)s events in %(seconds)ss": { - "one": "Знайдено %(count)s подій за %(seconds)sс", - "other": "Знайдено %(count)s подій за %(seconds)sс" - }, - "Processing event %(number)s out of %(total)s": "Оброблено %(number)s з %(total)s подій", - "Fetched %(count)s events so far": { - "one": "Знайдено %(count)s подій", - "other": "Знайдено %(count)s подій" - }, - "Fetched %(count)s events out of %(total)s": { - "one": "Знайдено %(count)s з %(total)s подій", - "other": "Знайдено %(count)s з %(total)s подій" - }, - "Generating a ZIP": "Генерування ZIP-файлу", "Failed to load list of rooms.": "Не вдалося отримати список кімнат.", "This groups your chats with members of this space. Turning this off will hide those chats from your view of %(spaceName)s.": "Це групує ваші бесіди з учасниками цього простору. Вимкніть, щоб сховати ці бесіди з вашого огляду %(spaceName)s.", "Disagree": "Відхилити", @@ -2712,8 +2620,6 @@ "Remove users": "Вилучити користувачів", "Remove, ban, or invite people to your active room, and make you leave": "Вилучати, блокувати чи запрошувати людей у вашій активній кімнаті, зокрема вас", "Remove, ban, or invite people to this room, and make you leave": "Вилучати, блокувати чи запрошувати людей у цій кімнаті, зокрема вас", - "%(senderName)s removed %(targetName)s": "%(senderName)s вилучає %(targetName)s", - "%(senderName)s removed %(targetName)s: %(reason)s": "%(senderName)s вилучає %(targetName)s: %(reason)s", "Removes user with given id from this room": "Вилучає користувача з указаним ID з цієї кімнати", "Open this settings tab": "Відкрити цю вкладку налаштувань", "Keyboard": "Клавіатура", @@ -2897,9 +2803,6 @@ "You do not have permission to invite people to this space.": "Ви не маєте дозволу запрошувати людей у цей простір.", "Failed to invite users to %(roomName)s": "Не вдалося запросити користувачів до %(roomName)s", "An error occurred while stopping your live location, please try again": "Сталася помилка припинення надсилання вашого місцеперебування, повторіть спробу", - "Create room": "Створити кімнату", - "Create video room": "Створити відеокімнату", - "Create a video room": "Створити відеокімнату", "%(count)s participants": { "one": "1 учасник", "other": "%(count)s учасників" @@ -3145,8 +3048,6 @@ "Desktop session": "Сеанс на комп'ютері", "Video call started": "Відеовиклик розпочато", "Unknown room": "Невідома кімната", - "Video call started in %(roomName)s. (not supported by this browser)": "Відеовиклик розпочато о %(roomName)s. (не підтримується цим браузером)", - "Video call started in %(roomName)s.": "Відеовиклик розпочато о %(roomName)s.", "Room info": "Відомості про кімнату", "View chat timeline": "Переглянути стрічку бесіди", "Close call": "Закрити виклик", @@ -3360,11 +3261,7 @@ "Connecting to integration manager…": "Під'єднання до менеджера інтеграцій…", "Saving…": "Збереження…", "Creating…": "Створення…", - "Creating output…": "Створення виводу…", - "Fetching events…": "Отримання подій…", "Starting export process…": "Початок процесу експорту…", - "Creating HTML…": "Створення HTML…", - "Starting export…": "Початок експорту…", "Unable to connect to Homeserver. Retrying…": "Не вдалося під'єднатися до домашнього сервера. Повторна спроба…", "Secure Backup successful": "Безпечне резервне копіювання виконано успішно", "Your keys are now being backed up from this device.": "На цьому пристрої створюється резервна копія ваших ключів.", @@ -3449,7 +3346,6 @@ "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": "У вас немає дозволу запрошувати користувачів", - "%(oldDisplayName)s changed their display name and profile picture": "%(oldDisplayName)s змінює своє ім'я та зображення профілю", "Your language": "Ваша мова", "Your device ID": "ID вашого пристрою", "Alternatively, you can try to use the public server at , but this will not be as reliable, and it will share your IP address with that server. You can also manage this in Settings.": "Як альтернативу, ви можете спробувати публічний сервер на , але він не буде надто надійним, а також поширюватиме вашу IP-адресу на тому сервері. Ви також можете керувати цим у налаштуваннях.", @@ -3457,11 +3353,8 @@ "User is not logged in": "Користувач не увійшов", "Allow fallback call assist server (%(server)s)": "Дозволити резервний сервер підтримки викликів (%(server)s)", "Changes your profile picture in this current room only": "Змінює ваше зображення профілю лише для поточної кімнати", - "Exported Data": "Експортовані дані", "Notification Settings": "Налаштування сповіщень", "Something went wrong.": "Щось пішло не так.", - "Previous group of messages": "Попередня група повідомлень", - "Next group of messages": "Наступна група повідомлень", "Changes your profile picture in all rooms": "Змінює зображення профілю в усіх кімнатах", "Views room with given address": "Перегляд кімнати з вказаною адресою", "Ask to join": "Запит на приєднання", @@ -3499,7 +3392,6 @@ "Messages sent by bots": "Повідомлення від ботів", "New room activity, upgrades and status messages occur": "Нова діяльність у кімнаті, поліпшення та повідомлення про стан", "Unable to find user by email": "Не вдалося знайти користувача за адресою електронної пошти", - "%(senderDisplayName)s changed the join rule to ask to join.": "%(senderDisplayName)s змінює правило приєднання на запит на приєднання.", "User cannot be invited until they are unbanned": "Не можна запросити користувача до його розблокування", "Enable new native OIDC flows (Under active development)": "Увімкнути нові вбудовані потоки OIDC (в активній розробці)", "People cannot join unless access is granted.": "Люди не можуть приєднатися, якщо їм не надано доступ.", @@ -3610,7 +3502,9 @@ "not_trusted": "Не довірений", "accessibility": "Доступність", "server": "Сервер", - "capabilities": "Можливості" + "capabilities": "Можливості", + "unnamed_room": "Кімната без назви", + "unnamed_space": "Простір без назви" }, "action": { "continue": "Продовжити", @@ -3915,7 +3809,20 @@ "prompt_invite": "Запитувати перед надсиланням запрошень на потенційно недійсні matrix ID", "hardware_acceleration": "Увімкнути апаратне прискорення (перезапустіть %(appName)s для застосування змін)", "start_automatically": "Автозапуск при вході в систему", - "warn_quit": "Застерігати перед виходом" + "warn_quit": "Застерігати перед виходом", + "notifications": { + "rule_contains_display_name": "Повідомлення з моїм псевдонімом", + "rule_contains_user_name": "Повідомлення, що містять моє користувацьке ім'я", + "rule_roomnotif": "Повідомлення, що містять @room", + "rule_room_one_to_one": "Повідомлення у бесідах віч-на-віч", + "rule_message": "Повідомлення у групових бесідах", + "rule_encrypted": "Зашифровані повідомлення у групових бесідах", + "rule_invite_for_me": "Коли мене запрошено до кімнати", + "rule_call": "Запрошення до виклику", + "rule_suppress_notices": "Повідомлення, надіслані ботом", + "rule_tombstone": "Коли кімнати поліпшено", + "rule_encrypted_room_one_to_one": "Зашифровані повідомлення у бесідах віч-на-віч" + } }, "devtools": { "send_custom_account_data_event": "Надіслати нетипову подію даних облікового запису", @@ -4007,5 +3914,122 @@ "room_id": "ID кімнати: %(roomId)s", "thread_root_id": "ID кореневої гілки: %(threadRootId)s", "event_id": "ID події: %(eventId)s" + }, + "export_chat": { + "html": "HTML", + "json": "JSON", + "text": "Текстові дані", + "from_the_beginning": "З самого початку", + "number_of_messages": "Вказати кількість повідомлень", + "current_timeline": "Ця стрічка", + "creating_html": "Створення HTML…", + "starting_export": "Початок експорту…", + "export_successful": "Успішно експортовано!", + "unload_confirm": "Точно вийти, поки триває експорт?", + "generating_zip": "Генерування ZIP-файлу", + "processing_event_n": "Оброблено %(number)s з %(total)s подій", + "fetched_n_events_with_total": { + "one": "Знайдено %(count)s з %(total)s подій", + "other": "Знайдено %(count)s з %(total)s подій" + }, + "fetched_n_events": { + "one": "Знайдено %(count)s подій", + "other": "Знайдено %(count)s подій" + }, + "fetched_n_events_in_time": { + "one": "Знайдено %(count)s подій за %(seconds)sс", + "other": "Знайдено %(count)s подій за %(seconds)sс" + }, + "exported_n_events_in_time": { + "one": "Експортовано %(count)s подій за %(seconds)s секунд", + "other": "Експортовано %(count)s подій за %(seconds)s секунд" + }, + "media_omitted": "Медіа пропущено", + "media_omitted_file_size": "Медіа пропущено — перевищує обмеження розміру файлу", + "creator_summary": "%(creatorName)s створює цю кімнату.", + "export_info": "Експорт починає о %(exportDate)s.", + "topic": "Тема: %(topic)s", + "previous_page": "Попередня група повідомлень", + "next_page": "Наступна група повідомлень", + "html_title": "Експортовані дані", + "error_fetching_file": "Збій отримання файлу", + "file_attached": "Файл прикріплено", + "fetching_events": "Отримання подій…", + "creating_output": "Створення виводу…" + }, + "create_room": { + "title_video_room": "Створити відеокімнату", + "title_public_room": "Створити загальнодоступну кімнату", + "title_private_room": "Створити приватну кімнату", + "action_create_video_room": "Створити відеокімнату", + "action_create_room": "Створити кімнату" + }, + "timeline": { + "m.call": { + "video_call_started": "Відеовиклик розпочато о %(roomName)s.", + "video_call_started_unsupported": "Відеовиклик розпочато о %(roomName)s. (не підтримується цим браузером)" + }, + "m.call.invite": { + "voice_call": "%(senderName)s розпочинає голосовий виклик.", + "voice_call_unsupported": "%(senderName)s розпочинає голосовий виклик. (не підтримується цим браузером)", + "video_call": "%(senderName)s розпочинає відеовиклик.", + "video_call_unsupported": "%(senderName)s розпочинає відеовиклик. (не підтримується цим браузером)" + }, + "m.room.member": { + "accepted_3pid_invite": "%(targetName)s приймає запрошення до %(displayName)s", + "accepted_invite": "%(targetName)s приймає запрошення", + "invite": "%(senderName)s запрошує %(targetName)s", + "ban_reason": "%(senderName)s блокує %(targetName)s: %(reason)s", + "ban": "%(senderName)s блокує %(targetName)s", + "change_name_avatar": "%(oldDisplayName)s змінює своє ім'я та зображення профілю", + "change_name": "%(oldDisplayName)s змінює псевдонім на %(displayName)s", + "set_name": "%(senderName)s встановлює псевдонімом %(displayName)s", + "remove_name": "%(senderName)s вилучає свій псевдонім (%(oldDisplayName)s)", + "remove_avatar": "%(senderName)s вилучає своє зображення профілю", + "change_avatar": "%(senderName)s змінює зображення профілю", + "set_avatar": "%(senderName)s встановлює зображення профілю", + "no_change": "%(senderName)s нічого не змінює", + "join": "%(targetName)s приєднується до кімнати", + "reject_invite": "%(targetName)s відхиляє запрошення", + "left_reason": "%(targetName)s виходить з кімнати: %(reason)s", + "left": "%(targetName)s виходить з кімнати", + "unban": "%(senderName)s розблоковує %(targetName)s", + "withdrew_invite_reason": "%(senderName)s відкликає запрошення %(targetName)s: %(reason)s", + "withdrew_invite": "%(senderName)s відкликає запрошення %(targetName)s", + "kick_reason": "%(senderName)s вилучає %(targetName)s: %(reason)s", + "kick": "%(senderName)s вилучає %(targetName)s" + }, + "m.room.topic": "%(senderDisplayName)s змінює тему на %(topic)s.", + "m.room.avatar": "%(senderDisplayName)s змінює аватар кімнати.", + "m.room.name": { + "remove": "%(senderDisplayName)s видалив ім'я кімнати.", + "change": "%(senderDisplayName)s змінює назву кімнати з %(oldRoomName)s на %(newRoomName)s.", + "set": "%(senderDisplayName)s змінює назву кімнати на %(roomName)s." + }, + "m.room.tombstone": "%(senderDisplayName)s поліпшує цю кімнату.", + "m.room.join_rules": { + "public": "%(senderDisplayName)s робить кімнату відкритою для всіх, хто має посилання.", + "invite": "%(senderDisplayName)s робить кімнату доступною лише за запрошеннями.", + "knock": "%(senderDisplayName)s змінює правило приєднання на запит на приєднання.", + "restricted_settings": "%(senderDisplayName)s змінює, хто може приєднатися до цієї кімнати. Переглянути налаштування.", + "restricted": "%(senderDisplayName)s змінює, хто може приєднатися до цієї кімнати.", + "unknown": "%(senderDisplayName)s змінює правило приєднування на \"%(rule)s\"" + }, + "m.room.guest_access": { + "can_join": "%(senderDisplayName)s дозволяє гостям приєднуватися до кімнати.", + "forbidden": "%(senderDisplayName)s забороняє гостям приєднуватися до кімнати.", + "unknown": "%(senderDisplayName)s змінює гостьовий доступ на \"%(rule)s\"" + }, + "m.image": "%(senderDisplayName)s надсилає зображення.", + "m.sticker": "%(senderDisplayName)s надсилає наліпку.", + "m.room.server_acl": { + "set": "%(senderDisplayName)s встановлює серверні права доступу для цієї кімнати.", + "changed": "%(senderDisplayName)s змінює серверні права доступу для цієї кімнати.", + "all_servers_banned": "🎉 Всім серверам заборонено доступ до кімнати! Нею більше не можна користуватися." + }, + "m.room.canonical_alias": { + "set": "%(senderName)s встановлює основною адресою цієї кімнати %(address)s.", + "removed": "%(senderName)s вилучає основу адресу цієї кімнати." + } } } diff --git a/src/i18n/strings/vi.json b/src/i18n/strings/vi.json index a962185ba09..cab30e589fe 100644 --- a/src/i18n/strings/vi.json +++ b/src/i18n/strings/vi.json @@ -38,7 +38,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", - "Unnamed Room": "Phòng Không tên", "Unable to load! Check your network connectivity and try again.": "Không thể tải dữ liệu! Kiểm tra kết nối mạng và thử lại.", "%(brand)s does not have permission to send you notifications - please check your browser settings": "%(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", "%(brand)s was not given permission to send notifications - please try again": "%(brand)s vẫn chưa được cấp quyền để gửi thông báo - vui lòng thử lại", @@ -90,19 +89,6 @@ "Sends the given message coloured as a rainbow": "Gửi nội dung tin nhắn được tô màu cầu vồng", "Sends the given emote coloured as a rainbow": "Gửi hình emote được tô màu cầu vồng", "Reason": "Lý do", - "%(senderDisplayName)s changed the topic to \"%(topic)s\".": "%(senderDisplayName)s đổi chủ đề thành \"%(topic)s\".", - "%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s loại bỏ tên phòng chat.", - "%(senderDisplayName)s changed the room name to %(roomName)s.": "%(senderDisplayName)s đổi tên phòng thành %(roomName)s.", - "%(senderDisplayName)s upgraded this room.": "%(senderDisplayName)s đã nâng cấp phòng này.", - "%(senderDisplayName)s made the room public to whoever knows the link.": "%(senderDisplayName)s đã chỉnh phòng thành phòng mở cho người biết link tham gia.", - "%(senderDisplayName)s made the room invite only.": "%(senderDisplayName)s đã chỉnh phòng chỉ tham gia khi được mời.", - "%(senderDisplayName)s changed the join rule to %(rule)s": "%(senderDisplayName)s đổi quy thắc tham gia thành %(rule)s", - "%(senderDisplayName)s has allowed guests to join the room.": "%(senderDisplayName)s vừa cho phép khách có thể tham gia phòng.", - "%(senderDisplayName)s has prevented guests from joining the room.": "%(senderDisplayName)s vừa cấm khách có thể tham gia phòng.", - "%(senderDisplayName)s changed guest access to %(rule)s": "%(senderDisplayName)s vừa đổi chính sách tham gia của khách thành %(rule)s", - "%(senderDisplayName)s sent an image.": "%(senderDisplayName)s đã gửi một hình.", - "%(senderName)s set the main address for this room to %(address)s.": "%(senderName)s thiết lập địa chỉ chính cho phòng thành %(address)s.", - "%(senderName)s removed the main address for this room.": "%(senderName)s đã loại địa chỉ chính của phòng.", "%(senderName)s revoked the invitation for %(targetDisplayName)s to join the room.": "%(senderName)s đã thu hồi lời mời %(targetDisplayName)s tham gia phòng.", "%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": "%(senderName)s đã mời %(targetDisplayName)s tham gia phòng.", "%(senderName)s made future room history visible to all room members, from the point they are invited.": "%(senderName)s đã đặt lịch sử phòng chat xem được bởi thành viên, tính từ lúc thành viên được mời.", @@ -627,7 +613,6 @@ "Invite someone using their name, username (like ) or share this space.": "Mời ai đó sử dụng tên hiển thị, tên đăng nhập của họ (như ) hoặc chia sẻ space này.", "Invite someone using their name, email address, username (like ) or share this space.": "Mời ai đó bằng tên, địa chỉ thư điện tử, tên người dùng của họ (như ) hoặc chia sẻ space này.", "Invite to %(roomName)s": "Mời tham gia %(roomName)s", - "Unnamed Space": "space không tên", "Or send invite link": "Hoặc gửi liên kết mời", "Some suggestions may be hidden for privacy.": "Một số đề xuất có thể được ẩn để bảo mật.", "Start a conversation with someone using their name or username (like ).": "Bắt đầu cuộc trò chuyện với ai đó bằng tên hoặc tên người dùng của họ (như ).", @@ -741,8 +726,6 @@ "Private room (invite only)": "Phòng riêng (chỉ mời)", "Room visibility": "Khả năng hiển thị phòng", "Topic (optional)": "Chủ đề (không bắt buộc)", - "Create a private room": "Tạo một phòng riêng", - "Create a public room": "Tạo một phòng công cộng", "You might disable this if the room will be used for collaborating with external teams who have their own homeserver. This cannot be changed later.": "Bạn có thể tắt tính năng này nếu phòng sẽ được sử dụng để cộng tác với các nhóm bên ngoài có máy chủ của riêng họ. Điều này không thể được thay đổi sau này.", "You might enable this if the room will only be used for collaborating with internal teams on your homeserver. This cannot be changed later.": "Bạn có thể bật điều này nếu phòng sẽ chỉ được sử dụng để cộng tác với các nhóm nội bộ trên nhà của bạn. Điều này không thể thay đổi sau này.", "Enable end-to-end encryption": "Bật mã hóa đầu cuối", @@ -1806,17 +1789,6 @@ "Change permissions": "Thay đổi quyền hạn", "Change history visibility": "Thay đổi xem lịch sử phòng", "Change main address for the room": "Thay đổi địa chỉ chính của phòng", - "When rooms are upgraded": "Khi phòng được nâng cấp phiên bản", - "Messages sent by bot": "Tin nhắn được gửi bởi bot", - "Call invitation": "Lời mời cuộc gọi", - "When I'm invited to a room": "Khi tôi được mời vào phòng", - "Encrypted messages in group chats": "Tin nhắn mã hóa trong phòng chat nhóm", - "Messages in group chats": "Tin nhắn trong cuộc trò chuyện nhóm", - "Encrypted messages in one-to-one chats": "Tin nhắn mã hóa trong phòng chat 1–1", - "Messages in one-to-one chats": "Tin nhắn trong cuộc trò chuyện 1-1", - "Messages containing @room": "Tin nhắn chứa @room", - "Messages containing my username": "Tin nhắn có tên người dùng của tôi", - "Messages containing my display name": "Tin nhắn chứa tên hiển thị của tôi", "Waiting for response from server": "Đang chờ phản hồi từ máy chủ", "Downloading logs": "Đang tải nhật ký xuống", "Uploading logs": "Tải lên nhật ký", @@ -1850,20 +1822,6 @@ "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", - "File Attached": "Tệp được đính kèm", - "Error fetching file": "Lỗi lấy tệp", - "Topic: %(topic)s": "Chủ đề: %(topic)s", - "This is the start of export of . Exported by at %(exportDate)s.": "Đây là khởi đầu của việc xuất . Xuất bởi lúc %(exportDate)s.", - "%(creatorName)s created this room.": "%(creatorName)s đã tạo phòng này.", - "Media omitted - file size limit exceeded": "Phương tiện bị bỏ qua - kích thước tệp vượt quá giới hạn", - "Media omitted": "Phương tiện bị bỏ qua", - "Current Timeline": "Dòng thời gian hiện tại", - "Specify a number of messages": "Chỉ rõ một số tin nhắn", - "From the beginning": "Ngày từ đầu", - "Plain Text": "Văn bản thuần", - "JSON": "JSON", - "HTML": "HTML", - "Are you sure you want to exit during this export?": "Bạn có chắc muốn thoát trong quá trinh xuất này?", "Unknown App": "Ứng dụng không xác định", "Share your public space": "Chia sẻ space công cộng của bạn", "Invite to %(spaceName)s": "Mời tham gia %(spaceName)s", @@ -1970,21 +1928,8 @@ "one": "%(senderName)s đã thêm địa chỉ thay thế %(addresses)s cho phòng này.", "other": "%(senderName)s đã thêm các địa chỉ thay thế %(addresses)s cho phòng này." }, - "%(senderDisplayName)s sent a sticker.": "%(senderDisplayName)s đã gửi một sticker.", "Message deleted by %(name)s": "Tin nhắn đã bị %(name)s xóa", "Message deleted": "Tin nhắn đã xóa", - "🎉 All servers are banned from participating! This room can no longer be used.": "🎉 Tất cả máy chủ bị cấm không được tham gia! Phòng này không thể được sử dụng nữa.", - "%(senderDisplayName)s changed the server ACLs for this room.": "%(senderDisplayName)s đã thay đổi danh sách truy cập máy chủ cho phòng này.", - "%(senderDisplayName)s set the server ACLs for this room.": "%(senderDisplayName)s đặt danh sách truy cập máy chủ cho phòng này.", - "%(senderDisplayName)s changed the room name from %(oldRoomName)s to %(newRoomName)s.": "%(senderDisplayName)s đã đổi tên phòng từ %(oldRoomName)s thành %(newRoomName)s.", - "%(senderDisplayName)s changed the room avatar.": "%(senderDisplayName)s đã thay đổi avatar phòng.", - "%(senderName)s withdrew %(targetName)s's invitation": "%(senderName)s đã rút lại lời mời của %(targetName)s", - "%(senderName)s withdrew %(targetName)s's invitation: %(reason)s": "%(senderName)s đã rút lại lời mời của %(targetName)s: %(reason)s", - "%(senderName)s unbanned %(targetName)s": "%(senderName)s đã bỏ cấm %(targetName)s", - "%(targetName)s left the room": "%(targetName)s đã rời khỏi phòng", - "%(targetName)s left the room: %(reason)s": "%(targetName)s đã rời khỏi phòng: %(reason)s", - "%(targetName)s rejected the invitation": "%(targetName)s đã từ chối lời mời", - "%(targetName)s joined the room": "%(targetName)s đã tham gia phòng", "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.", @@ -2094,22 +2039,6 @@ "Export E2E room keys": "Xuất các mã khoá phòng E2E", "Warning!": "Cảnh báo!", "No display name": "Không có tên hiển thị", - "%(senderName)s made no change": "%(senderName)s không thực hiện thay đổi", - "%(senderName)s set a profile picture": "%(senderName)s đặt ảnh hồ sơ", - "%(senderName)s changed their profile picture": "%(senderName)s đã thay đổi ảnh hồ sơ", - "%(senderName)s removed their profile picture": "%(senderName)s đã xóa ảnh hồ sơ", - "%(senderName)s removed their display name (%(oldDisplayName)s)": "%(senderName)s đã xóa tên hiển thị (%(oldDisplayName)s)", - "%(senderName)s set their display name to %(displayName)s": "%(senderName)s đã đặt tên hiển thị thành %(displayName)s", - "%(oldDisplayName)s changed their display name to %(displayName)s": "%(oldDisplayName)s đã thay đổi tên hiển thị thành %(displayName)s", - "%(senderName)s banned %(targetName)s": "%(senderName)s đã cấm %(targetName)s", - "%(senderName)s banned %(targetName)s: %(reason)s": "%(senderName)s đã cấm %(targetName)s: %(reason)s", - "%(senderName)s invited %(targetName)s": "%(senderName)s đã mời %(targetName)s", - "%(targetName)s accepted an invitation": "%(targetName)s đã chấp nhận một lời mời", - "%(targetName)s accepted the invitation for %(displayName)s": "%(targetName)s đã chấp nhận lời mời cho %(displayName)s", - "%(senderName)s placed a video call. (not supported by this browser)": "%(senderName)s đã thực hiện một cuộc gọi điện video. (không được hỗ trợ bởi trình duyệt này)", - "%(senderName)s placed a video call.": "%(senderName)s đã thực hiện một cuộc gọi điện video.", - "%(senderName)s placed a voice call. (not supported by this browser)": "%(senderName)s đã thực hiện một cuộc gọi thoại. (không được hỗ trợ bởi trình duyệt này)", - "%(senderName)s placed a voice call.": "%(senderName)s đã thực hiện một cuộc gọi thoại.", "Converts the DM to a room": "Chuyển đổi chat trực tiếp DM thành một phòng", "Converts the room to a DM": "Chuyển đổi phòng thành tin nhắn chat trực tiếp DM", "Takes the call in the current room off hold": "Nối lại cuộc gọi trong phòng hiện tại", @@ -2598,8 +2527,6 @@ "That's fine": "Không sao cả", "Light high contrast": "Độ tương phản ánh sáng cao", "%(senderName)s has updated the room layout": "%(senderName)s đã cập nhật bố trí của phòng", - "%(senderDisplayName)s changed who can join this room.": "%(senderDisplayName)s đã thay đổi ai có thể tham gia phòng này.", - "%(senderDisplayName)s changed who can join this room. View settings.": "%(senderDisplayName)s đã thay đổi ai có thể tham gia phòng này. Xem cài đặt .", "The signing key you provided matches the signing key you received from %(userId)s's session %(deviceId)s. Session marked as verified.": "Khóa đăng nhập bạn cung cấp khớp với khóa đăng nhập bạn nhận từ thiết bị %(deviceId)s của %(userId)s. Thiết bị được đánh dấu là đã được xác minh.", "Use an identity server to invite by email. Click continue to use the default identity server (%(defaultIdentityServerName)s) or manage in Settings.": "Sử dụng máy chủ định danh để mời qua thư điện tử. Bấm Tiếp tục để sử dụng máy chủ định danh mặc định (%(defaultIdentityServerName)s) hoặc quản lý trong Cài đặt.", "%(spaceName)s and %(count)s others": { @@ -2660,25 +2587,6 @@ "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", - "Exported %(count)s events in %(seconds)s seconds": { - "one": "Đã xuất %(count)s sự kiện trong %(seconds)s giây", - "other": "Đã xuất %(count)s sự kiện trong %(seconds)s giây" - }, - "Export successful!": "Xuất thành công!", - "Fetched %(count)s events in %(seconds)ss": { - "one": "Đã tìm thấy %(count)s sự kiện trong %(seconds)s giây", - "other": "Đã tìm thấy %(count)s sự kiện trong %(seconds)s giây" - }, - "Processing event %(number)s out of %(total)s": "Đang sử lý %(number)s sự kiện trong %(total)s", - "Fetched %(count)s events so far": { - "one": "Đã tìm thấy %(count)s sự kiện đến hiện tại", - "other": "Đã tìm thấy %(count)s sự kiện đến hiện tại" - }, - "Fetched %(count)s events out of %(total)s": { - "one": "Đã tìm thấy %(count)s sự kiện trong %(total)s", - "other": "Đã tìm thấy %(count)s sự kiện trong %(total)s" - }, - "Generating a ZIP": "Tạo ZIP", "We were unable to understand the given date (%(inputDate)s). Try using the format YYYY-MM-DD.": "Chúng tôi không thể hiểu ngày được nhập (%(inputDate)s). Hãy thử dùng định dạng YYYY-MM-DD.", "Command failed: Unable to find room (%(roomId)s": "Lỗi khi thực hiện lệnh: Không tìm thấy phòng (%(roomId)s)", "Failed to get room topic: Unable to find room (%(roomId)s": "Không thể lấy chủ đề phòng: Không tìm thấy phòng (%(roomId)s)", @@ -2727,8 +2635,6 @@ "%(senderName)s has ended a poll": "%(senderName)s vừa kết thúc một cuộc bình chọn", "%(senderName)s has started a poll - %(pollQuestion)s": "%(senderName)s vừa bắt đầu một cuộc bình chọn - %(pollQuestion)s", "%(senderName)s has shared their location": "%(senderName)s đã chia sẻ vị trí của họ", - "%(senderName)s removed %(targetName)s": "%(senderName)s đã xóa %(targetName)s", - "%(senderName)s removed %(targetName)s: %(reason)s": "%(senderName)s đã xóa %(targetName)s: %(reason)s", "No active call in this room": "Không có cuộc gọi đang hoạt động trong phòng này", "Unable to find Matrix ID for phone number": "Không thể tìm thấy Matrix ID của số điện thoại", "No virtual room for this room": "Không có phòng ảo của phòng này", @@ -2852,13 +2758,11 @@ "You ended a voice broadcast": "Bạn đã kết thúc một cuộc phát thanh", "You ended a voice broadcast": "Bạn đã kết thúc một cuộc phát thanh", "Can’t start a call": "Không thể bắt đầu cuộc gọi", - "%(oldDisplayName)s changed their display name and profile picture": "%(oldDisplayName)s đã thay đổi tên hiển thị và ảnh đại diện", "Can't start a new voice broadcast": "Không thể bắt đầu cuộc phát thanh mới", "You don't have the required permissions to start a voice broadcast in this room. Contact a room administrator to upgrade your permissions.": "Bạn không có quyền để phát thanh trong phòng này. Hỏi một quản trị viên của phòng để nâng quyền của bạn.", "Someone else is already recording a voice broadcast. Wait for their voice broadcast to end to start a new one.": "Một người khác đang phát thanh. Hãy chờ cho đến khi họ ngừng rồi bạn mới bắt đầu phát thanh.", "Connection error": "Lỗi kết nối", "Open user settings": "Mở cài đặt người dùng", - "Video call started in %(roomName)s.": "Cuộc gọi truyền hình đã bắt đầu trong %(roomName)s.", "Could not find room": "Không tìm thấy phòng", "WARNING: session already verified, but keys do NOT MATCH!": "CẢNH BÁO: phiên đã được xác thực, nhưng các khóa KHÔNG KHỚP!", "30s forward": "30 giây kế tiếp", @@ -2868,11 +2772,8 @@ "Video call started": "Cuộc gọi truyền hình đã bắt đầu", "Unknown room": "Phòng không xác định", "Starting export process…": "Bắt đầu trích xuất…", - "Creating HTML…": "Đang tạo HTML…", - "Starting export…": "Bắt đầu trích xuất…", "Yes, stop broadcast": "Đúng rồi, dừng phát thanh", "You are already recording a voice broadcast. Please end your current voice broadcast to start a new one.": "Bạn hiện đang ghi một cuộc phát thanh. Kết thúc phát thanh để thực hiện một cái mới.", - "Video call started in %(roomName)s. (not supported by this browser)": "Cuộc gọi truyền hình đã được bắt đầu ở %(roomName)s. (không được trình duyệt này hỗ trợ)", "iframe has no src attribute": "Thẻ iframe (khung) không có thuộc tính src (nguồn)", "Check your email to continue": "Kiểm tra hòm thư để tiếp tục", "This invite was sent to %(email)s": "Lời mời này đã được gửi tới %(email)s", @@ -2896,7 +2797,6 @@ "Fill screen": "Vừa màn hình", "Show polls button": "Hiện nút thăm dò ý kiến", "Unsent": "Chưa gửi", - "Fetching events…": "Đang tìm các sự kiện…", "Unknown error fetching location. Please try again later.": "Lỗi không xác định khi tìm vị trí của bạn. Hãy thử lại sau.", "Timed out trying to fetch your location. Please try again later.": "Tìm vị trí của bạn mất quá lâu. Hãy thử lại sau.", "Failed to fetch your location. Please try again later.": "Không tìm được vị trí của bạn. Hãy thử lại sau.", @@ -3113,7 +3013,6 @@ "Are you sure you want to stop your live broadcast? This will end the broadcast and the full recording will be available in the room.": "Bạn có chắc chắn muốn dừng phát sóng trực tiếp của mình không? Điều này sẽ kết thúc chương trình phát sóng và bản ghi đầy đủ sẽ có sẵn trong phòng.", "If you start listening to this live broadcast, your current live broadcast recording will be ended.": "Nếu bạn bắt đầu nghe chương trình phát thanh trực tiếp này, quá trình ghi chương trình phát thanh trực tiếp hiện tại của bạn sẽ kết thúc.", "Live": "Trực tiếp", - "Creating output…": "Đang tạo kết quả…", "Listen to live broadcast?": "Nghe phát thanh trực tiếp không?", "%(brand)s was denied permission to fetch your location. Please allow location access in your browser settings.": "%(brand)s không được cho phép để tìm vị trí của bạn. Vui lòng cho phép truy cập vị trí trong cài đặt trình duyệt của bạn.", "Notifications silenced": "Thông báo đã được tắt tiếng", @@ -3245,7 +3144,6 @@ }, "Error downloading image": "Lỗi khi tải hình ảnh", "Unable to show image due to error": "Không thể hiển thị hình ảnh do lỗi", - "Create room": "Tạo phòng", "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:", "were removed %(count)s times": { "one": "", @@ -3254,18 +3152,13 @@ "Closed poll": "Bỏ phiếu kín", "Edit poll": "Chỉnh sửa bỏ phiếu", "Declining…": "Đang từ chối…", - "Create a video room": "Tạo một phòng truyền hình", "Image view": "Xem ảnh", "Get it on Google Play": "Tải trên CH Play", - "Create video room": "Tạo phòng truyền hình", "People cannot join unless access is granted.": "Người khác không thể tham gia khi chưa có phép.", "Something went wrong.": "Đã xảy ra lỗi.", "Changes your profile picture in this current room only": "Đổi ảnh hồ sơ của bạn chỉ trong phòng này", "Changes your profile picture in all rooms": "Đổi ảnh hồ sơ của bạn trong tất cả phòng", "User cannot be invited until they are unbanned": "Người dùng không thể được mời nếu không được bỏ cấm", - "Previous group of messages": "Nhóm tin nhắn trước", - "Next group of messages": "Nhóm tin nhắn sau", - "Exported Data": "Dữ liệu được trích xuất", "Views room with given address": "Phòng truyền hình với địa chỉ đã cho", "Notification Settings": "Cài đặt thông báo", "Your server requires encryption to be disabled.": "Máy chủ của bạn yêu cầu mã hóa phải được vô hiệu hóa.", @@ -3274,7 +3167,6 @@ "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", - "%(senderDisplayName)s changed the join rule to ask to join.": "%(senderDisplayName)s thay đổi quy tắc tham gia thành yêu cầu để tham gia.", "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", @@ -3360,7 +3252,9 @@ "android": "Android", "trusted": "Tin cậy", "not_trusted": "Không đáng tin cậy", - "server": "Máy chủ" + "server": "Máy chủ", + "unnamed_room": "Phòng Không tên", + "unnamed_space": "space không tên" }, "action": { "continue": "Tiếp tục", @@ -3658,7 +3552,20 @@ "prompt_invite": "Nhắc trước khi gửi lời mời đến các ID Matrix có khả năng không hợp lệ", "hardware_acceleration": "Bật tăng tốc phần cứng (khởi động lại %(appName)s để có hiệu lực)", "start_automatically": "Tự động khởi động sau khi đăng nhập hệ thống", - "warn_quit": "Cảnh báo trước khi bỏ thuốc lá" + "warn_quit": "Cảnh báo trước khi bỏ thuốc lá", + "notifications": { + "rule_contains_display_name": "Tin nhắn chứa tên hiển thị của tôi", + "rule_contains_user_name": "Tin nhắn có tên người dùng của tôi", + "rule_roomnotif": "Tin nhắn chứa @room", + "rule_room_one_to_one": "Tin nhắn trong cuộc trò chuyện 1-1", + "rule_message": "Tin nhắn trong cuộc trò chuyện nhóm", + "rule_encrypted": "Tin nhắn mã hóa trong phòng chat nhóm", + "rule_invite_for_me": "Khi tôi được mời vào phòng", + "rule_call": "Lời mời cuộc gọi", + "rule_suppress_notices": "Tin nhắn được gửi bởi bot", + "rule_tombstone": "Khi phòng được nâng cấp phiên bản", + "rule_encrypted_room_one_to_one": "Tin nhắn mã hóa trong phòng chat 1–1" + } }, "devtools": { "send_custom_account_data_event": "Gửi sự kiện tài khoản tùy chỉnh", @@ -3710,5 +3617,122 @@ "developer_tools": "Những công cụ phát triển", "room_id": "Định danh phòng: %(roomId)s", "event_id": "Định danh (ID) sự kiện: %(eventId)s" + }, + "export_chat": { + "html": "HTML", + "json": "JSON", + "text": "Văn bản thuần", + "from_the_beginning": "Ngày từ đầu", + "number_of_messages": "Chỉ rõ một số tin nhắn", + "current_timeline": "Dòng thời gian hiện tại", + "creating_html": "Đang tạo HTML…", + "starting_export": "Bắt đầu trích xuất…", + "export_successful": "Xuất thành công!", + "unload_confirm": "Bạn có chắc muốn thoát trong quá trinh xuất này?", + "generating_zip": "Tạo ZIP", + "processing_event_n": "Đang sử lý %(number)s sự kiện trong %(total)s", + "fetched_n_events_with_total": { + "one": "Đã tìm thấy %(count)s sự kiện trong %(total)s", + "other": "Đã tìm thấy %(count)s sự kiện trong %(total)s" + }, + "fetched_n_events": { + "one": "Đã tìm thấy %(count)s sự kiện đến hiện tại", + "other": "Đã tìm thấy %(count)s sự kiện đến hiện tại" + }, + "fetched_n_events_in_time": { + "one": "Đã tìm thấy %(count)s sự kiện trong %(seconds)s giây", + "other": "Đã tìm thấy %(count)s sự kiện trong %(seconds)s giây" + }, + "exported_n_events_in_time": { + "one": "Đã xuất %(count)s sự kiện trong %(seconds)s giây", + "other": "Đã xuất %(count)s sự kiện trong %(seconds)s giây" + }, + "media_omitted": "Phương tiện bị bỏ qua", + "media_omitted_file_size": "Phương tiện bị bỏ qua - kích thước tệp vượt quá giới hạn", + "creator_summary": "%(creatorName)s đã tạo phòng này.", + "export_info": "Đây là khởi đầu của việc xuất . Xuất bởi lúc %(exportDate)s.", + "topic": "Chủ đề: %(topic)s", + "previous_page": "Nhóm tin nhắn trước", + "next_page": "Nhóm tin nhắn sau", + "html_title": "Dữ liệu được trích xuất", + "error_fetching_file": "Lỗi lấy tệp", + "file_attached": "Tệp được đính kèm", + "fetching_events": "Đang tìm các sự kiện…", + "creating_output": "Đang tạo kết quả…" + }, + "create_room": { + "title_video_room": "Tạo một phòng truyền hình", + "title_public_room": "Tạo một phòng công cộng", + "title_private_room": "Tạo một phòng riêng", + "action_create_video_room": "Tạo phòng truyền hình", + "action_create_room": "Tạo phòng" + }, + "timeline": { + "m.call": { + "video_call_started": "Cuộc gọi truyền hình đã bắt đầu trong %(roomName)s.", + "video_call_started_unsupported": "Cuộc gọi truyền hình đã được bắt đầu ở %(roomName)s. (không được trình duyệt này hỗ trợ)" + }, + "m.call.invite": { + "voice_call": "%(senderName)s đã thực hiện một cuộc gọi thoại.", + "voice_call_unsupported": "%(senderName)s đã thực hiện một cuộc gọi thoại. (không được hỗ trợ bởi trình duyệt này)", + "video_call": "%(senderName)s đã thực hiện một cuộc gọi điện video.", + "video_call_unsupported": "%(senderName)s đã thực hiện một cuộc gọi điện video. (không được hỗ trợ bởi trình duyệt này)" + }, + "m.room.member": { + "accepted_3pid_invite": "%(targetName)s đã chấp nhận lời mời cho %(displayName)s", + "accepted_invite": "%(targetName)s đã chấp nhận một lời mời", + "invite": "%(senderName)s đã mời %(targetName)s", + "ban_reason": "%(senderName)s đã cấm %(targetName)s: %(reason)s", + "ban": "%(senderName)s đã cấm %(targetName)s", + "change_name_avatar": "%(oldDisplayName)s đã thay đổi tên hiển thị và ảnh đại diện", + "change_name": "%(oldDisplayName)s đã thay đổi tên hiển thị thành %(displayName)s", + "set_name": "%(senderName)s đã đặt tên hiển thị thành %(displayName)s", + "remove_name": "%(senderName)s đã xóa tên hiển thị (%(oldDisplayName)s)", + "remove_avatar": "%(senderName)s đã xóa ảnh hồ sơ", + "change_avatar": "%(senderName)s đã thay đổi ảnh hồ sơ", + "set_avatar": "%(senderName)s đặt ảnh hồ sơ", + "no_change": "%(senderName)s không thực hiện thay đổi", + "join": "%(targetName)s đã tham gia phòng", + "reject_invite": "%(targetName)s đã từ chối lời mời", + "left_reason": "%(targetName)s đã rời khỏi phòng: %(reason)s", + "left": "%(targetName)s đã rời khỏi phòng", + "unban": "%(senderName)s đã bỏ cấm %(targetName)s", + "withdrew_invite_reason": "%(senderName)s đã rút lại lời mời của %(targetName)s: %(reason)s", + "withdrew_invite": "%(senderName)s đã rút lại lời mời của %(targetName)s", + "kick_reason": "%(senderName)s đã xóa %(targetName)s: %(reason)s", + "kick": "%(senderName)s đã xóa %(targetName)s" + }, + "m.room.topic": "%(senderDisplayName)s đổi chủ đề thành \"%(topic)s\".", + "m.room.avatar": "%(senderDisplayName)s đã thay đổi avatar phòng.", + "m.room.name": { + "remove": "%(senderDisplayName)s loại bỏ tên phòng chat.", + "change": "%(senderDisplayName)s đã đổi tên phòng từ %(oldRoomName)s thành %(newRoomName)s.", + "set": "%(senderDisplayName)s đổi tên phòng thành %(roomName)s." + }, + "m.room.tombstone": "%(senderDisplayName)s đã nâng cấp phòng này.", + "m.room.join_rules": { + "public": "%(senderDisplayName)s đã chỉnh phòng thành phòng mở cho người biết link tham gia.", + "invite": "%(senderDisplayName)s đã chỉnh phòng chỉ tham gia khi được mời.", + "knock": "%(senderDisplayName)s thay đổi quy tắc tham gia thành yêu cầu để tham gia.", + "restricted_settings": "%(senderDisplayName)s đã thay đổi ai có thể tham gia phòng này. Xem cài đặt .", + "restricted": "%(senderDisplayName)s đã thay đổi ai có thể tham gia phòng này.", + "unknown": "%(senderDisplayName)s đổi quy thắc tham gia thành %(rule)s" + }, + "m.room.guest_access": { + "can_join": "%(senderDisplayName)s vừa cho phép khách có thể tham gia phòng.", + "forbidden": "%(senderDisplayName)s vừa cấm khách có thể tham gia phòng.", + "unknown": "%(senderDisplayName)s vừa đổi chính sách tham gia của khách thành %(rule)s" + }, + "m.image": "%(senderDisplayName)s đã gửi một hình.", + "m.sticker": "%(senderDisplayName)s đã gửi một sticker.", + "m.room.server_acl": { + "set": "%(senderDisplayName)s đặt danh sách truy cập máy chủ cho phòng này.", + "changed": "%(senderDisplayName)s đã thay đổi danh sách truy cập máy chủ cho phòng này.", + "all_servers_banned": "🎉 Tất cả máy chủ bị cấm không được tham gia! Phòng này không thể được sử dụng nữa." + }, + "m.room.canonical_alias": { + "set": "%(senderName)s thiết lập địa chỉ chính cho phòng thành %(address)s.", + "removed": "%(senderName)s đã loại địa chỉ chính của phòng." + } } } diff --git a/src/i18n/strings/vls.json b/src/i18n/strings/vls.json index 372a20d388b..e49ebffe0c5 100644 --- a/src/i18n/strings/vls.json +++ b/src/i18n/strings/vls.json @@ -38,7 +38,6 @@ "%(weekDayName)s, %(monthName)s %(day)s %(time)s": "%(weekDayName)s %(day)s %(monthName)s, %(time)s", "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(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", - "Unnamed Room": "Noamloos gesprek", "Unable to load! Check your network connectivity and try again.": "Loadn mislukt! Controleer je netwerktoegang en herprobeer ’t e ki.", "%(brand)s does not have permission to send you notifications - please check your browser settings": "%(brand)s èt geen toestemmienge vo je meldiengn te verstuurn - controleert je browserinstelliengn", "%(brand)s was not given permission to send notifications - please try again": "%(brand)s èt geen toestemmienge gekreegn ghed vo joun meldiengn te verstuurn - herprobeer ’t e ki", @@ -91,19 +90,6 @@ "Sends the given message coloured as a rainbow": "Verstuurt ’t gegeevn bericht in regenboogkleurn", "Sends the given emote coloured as a rainbow": "Verstuurt de gegeevn emoticon in regenboogkleurn", "Reason": "Reedn", - "%(senderDisplayName)s changed the topic to \"%(topic)s\".": "%(senderDisplayName)s èt ’t ounderwerp gewyzigd noa ‘%(topic)s’.", - "%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s èt de gespreksnoame verwyderd.", - "%(senderDisplayName)s changed the room name to %(roomName)s.": "%(senderDisplayName)s èt de gespreksnoame gewyzigd noa %(roomName)s.", - "%(senderDisplayName)s upgraded this room.": "%(senderDisplayName)s èt da gesprek hier geactualiseerd.", - "%(senderDisplayName)s made the room public to whoever knows the link.": "%(senderDisplayName)s èt ’t gesprek toegankelik gemakt voor iedereen da de verwyzienge kent.", - "%(senderDisplayName)s made the room invite only.": "%(senderDisplayName)s èt ’t gesprek alleene moa ip uutnodigienge toegankelik gemakt.", - "%(senderDisplayName)s changed the join rule to %(rule)s": "%(senderDisplayName)s èt de toegangsregel veranderd noa ‘%(rule)s’", - "%(senderDisplayName)s has allowed guests to join the room.": "%(senderDisplayName)s èt gastn toegeloatn van ’t gesprek te betreedn.", - "%(senderDisplayName)s has prevented guests from joining the room.": "%(senderDisplayName)s èt gastn den toegank tout ’t gesprek ountzeid.", - "%(senderDisplayName)s changed guest access to %(rule)s": "%(senderDisplayName)s èt de toegangsregel vo gastn ip ‘%(rule)s’ ingesteld", - "%(senderDisplayName)s sent an image.": "%(senderDisplayName)s èt e fotootje gestuurd.", - "%(senderName)s set the main address for this room to %(address)s.": "%(senderName)s èt %(address)s als hoofdadresse vo dit gesprek ingesteld.", - "%(senderName)s removed the main address for this room.": "%(senderName)s èt ’t hoofdadresse vo dit gesprek verwyderd.", "%(senderName)s revoked the invitation for %(targetDisplayName)s to join the room.": "%(senderName)s èt d’uutnodigienge vo %(targetDisplayName)s vo toe te treedn tout ’t gesprek ingetrokkn.", "%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": "%(senderName)s èt %(targetDisplayName)s in ’t gesprek uutgenodigd.", "%(senderName)s made future room history visible to all room members, from the point they are invited.": "%(senderName)s èt de toekomstige gespreksgeschiedenisse zichtboar gemakt voor alle gespreksleedn, vanaf de moment dan ze uutgenodigd gewist zyn.", @@ -177,17 +163,6 @@ "Collecting app version information": "App-versieinformoasje wor verzoameld", "Collecting logs": "Logboekn worden verzoameld", "Waiting for response from server": "Wachtn ip antwoord van de server", - "Messages containing my display name": "Berichtn da myn weergavenoame bevattn", - "Messages containing my username": "Berichtn da myn gebruukersnoame bevattn", - "Messages containing @room": "Berichtn da ‘@room’ bevattn", - "Messages in one-to-one chats": "Berichtn in twigesprekkn", - "Encrypted messages in one-to-one chats": "Versleuterde berichtn in twigesprekkn", - "Messages in group chats": "Berichtn in groepsgesprekkn", - "Encrypted messages in group chats": "Versleuterde berichtn in groepsgesprekkn", - "When I'm invited to a room": "Wanneer da ’kik uutgenodigd wordn in e gesprek", - "Call invitation": "Iproep-uutnodigienge", - "Messages sent by bot": "Berichtn verzoundn deur e robot", - "When rooms are upgraded": "Wanneer da gesprekkn ipgewoardeerd wordn", "The other party cancelled the verification.": "De tegenparty èt de verificoasje geannuleerd.", "Verified!": "Geverifieerd!", "You've successfully verified this user.": "J’èt deze gebruuker geverifieerd.", @@ -940,7 +915,8 @@ "microphone": "Microfoon", "emoji": "Emoticons", "someone": "Etwien", - "encrypted": "Versleuterd" + "encrypted": "Versleuterd", + "unnamed_room": "Noamloos gesprek" }, "action": { "continue": "Verdergoan", @@ -1034,7 +1010,20 @@ "show_displayname_changes": "Veranderiengn van weergavenoamn toogn", "big_emoji": "Grote emoticons in gesprekkn inschoakeln", "prompt_invite": "Bevestigienge vroagn voda uutnodigiengn noar meuglik oungeldige Matrix-ID’s wordn verstuurd", - "start_automatically": "Automatisch startn achter systeemanmeldienge" + "start_automatically": "Automatisch startn achter systeemanmeldienge", + "notifications": { + "rule_contains_display_name": "Berichtn da myn weergavenoame bevattn", + "rule_contains_user_name": "Berichtn da myn gebruukersnoame bevattn", + "rule_roomnotif": "Berichtn da ‘@room’ bevattn", + "rule_room_one_to_one": "Berichtn in twigesprekkn", + "rule_message": "Berichtn in groepsgesprekkn", + "rule_encrypted": "Versleuterde berichtn in groepsgesprekkn", + "rule_invite_for_me": "Wanneer da ’kik uutgenodigd wordn in e gesprek", + "rule_call": "Iproep-uutnodigienge", + "rule_suppress_notices": "Berichtn verzoundn deur e robot", + "rule_tombstone": "Wanneer da gesprekkn ipgewoardeerd wordn", + "rule_encrypted_room_one_to_one": "Versleuterde berichtn in twigesprekkn" + } }, "devtools": { "event_type": "Gebeurtenistype", @@ -1043,5 +1032,28 @@ "event_content": "Gebeurtenisinhoud", "toolbox": "Gereedschap", "developer_tools": "Ountwikkeliengsgereedschap" + }, + "timeline": { + "m.room.topic": "%(senderDisplayName)s èt ’t ounderwerp gewyzigd noa ‘%(topic)s’.", + "m.room.name": { + "remove": "%(senderDisplayName)s èt de gespreksnoame verwyderd.", + "set": "%(senderDisplayName)s èt de gespreksnoame gewyzigd noa %(roomName)s." + }, + "m.room.tombstone": "%(senderDisplayName)s èt da gesprek hier geactualiseerd.", + "m.room.join_rules": { + "public": "%(senderDisplayName)s èt ’t gesprek toegankelik gemakt voor iedereen da de verwyzienge kent.", + "invite": "%(senderDisplayName)s èt ’t gesprek alleene moa ip uutnodigienge toegankelik gemakt.", + "unknown": "%(senderDisplayName)s èt de toegangsregel veranderd noa ‘%(rule)s’" + }, + "m.room.guest_access": { + "can_join": "%(senderDisplayName)s èt gastn toegeloatn van ’t gesprek te betreedn.", + "forbidden": "%(senderDisplayName)s èt gastn den toegank tout ’t gesprek ountzeid.", + "unknown": "%(senderDisplayName)s èt de toegangsregel vo gastn ip ‘%(rule)s’ ingesteld" + }, + "m.image": "%(senderDisplayName)s èt e fotootje gestuurd.", + "m.room.canonical_alias": { + "set": "%(senderName)s èt %(address)s als hoofdadresse vo dit gesprek ingesteld.", + "removed": "%(senderName)s èt ’t hoofdadresse vo dit gesprek verwyderd." + } } } diff --git a/src/i18n/strings/zh_Hans.json b/src/i18n/strings/zh_Hans.json index 588745272a6..5dcc5928330 100644 --- a/src/i18n/strings/zh_Hans.json +++ b/src/i18n/strings/zh_Hans.json @@ -40,7 +40,6 @@ "Room %(roomId)s not visible": "房间%(roomId)s不可见", "Rooms": "房间", "Search failed": "搜索失败", - "%(senderDisplayName)s sent an image.": "%(senderDisplayName)s 发送了一张图片。", "%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": "%(senderName)s 向 %(targetDisplayName)s 发了加入房间的邀请。", "Server error": "服务器错误", "Server may be unavailable, overloaded, or search timed out :(": "服务器可能不可用、超载,或者搜索超时 :(", @@ -79,9 +78,6 @@ "Can't connect to homeserver - please check your connectivity, ensure your homeserver's SSL certificate is trusted, and that a browser extension is not blocking requests.": "无法连接家服务器 - 请检查网络连接,确保你的家服务器 SSL 证书被信任,且没有浏览器插件拦截请求。", "Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or enable unsafe scripts.": "当浏览器地址栏里有 HTTPS 的 URL 时,不能使用 HTTP 连接家服务器。请使用 HTTPS 或者允许不安全的脚本。", "Change Password": "修改密码", - "%(senderDisplayName)s changed the room name to %(roomName)s.": "%(senderDisplayName)s 将房间名称改为 %(roomName)s。", - "%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s 移除了房间名称。", - "%(senderDisplayName)s changed the topic to \"%(topic)s\".": "%(senderDisplayName)s 将话题修改为 “%(topic)s”。", "Changes your display nickname": "修改显示昵称", "Command error": "命令错误", "Commands": "命令", @@ -150,7 +146,6 @@ "Unable to create widget.": "无法创建挂件。", "Unban": "解除封禁", "Unable to enable Notifications": "无法启用通知", - "Unnamed Room": "未命名的房间", "Upload avatar": "上传头像", "Upload Failed": "上传失败", "Usage": "用法", @@ -391,11 +386,8 @@ "Failed to send logs: ": "无法发送日志: ", "This Room": "此房间", "Noisy": "响铃", - "Messages containing my display name": "当消息包含我的显示名称时", - "Messages in one-to-one chats": "私聊中的消息", "Unavailable": "无法获得", "Source URL": "源网址", - "Messages sent by bot": "由机器人发出的消息", "Filter results": "过滤结果", "No update available.": "没有可用更新。", "Collecting app version information": "正在收集应用版本信息", @@ -408,15 +400,12 @@ "Wednesday": "星期三", "You cannot delete this message. (%(code)s)": "你无法删除这条消息。(%(code)s)", "All messages": "全部消息", - "Call invitation": "当受到通话邀请时", "What's new?": "有何新变动?", - "When I'm invited to a room": "当我被邀请进入房间", "Invite to this room": "邀请到此房间", "Thursday": "星期四", "Search…": "搜索…", "Logs sent": "日志已发送", "Show message in desktop notification": "在桌面通知中显示消息", - "Messages in group chats": "群聊中的消息", "Yesterday": "昨天", "Error encountered (%(errorDetail)s).": "遇到错误 (%(errorDetail)s)。", "Low Priority": "低优先级", @@ -483,10 +472,7 @@ "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.": "请 联系你的家服务器管理员。", - "%(senderName)s set the main address for this room to %(address)s.": "%(senderName)s 将此房间的主要地址设为了 %(address)s。", - "%(senderName)s removed the main address for this room.": "%(senderName)s 移除了此房间的主要地址。", "Unable to load! Check your network connectivity and try again.": "无法加载!请检查你的网络连接并重试。", - "Messages containing @room": "当消息包含 @room 时", "Delete Backup": "删除备份", "Set up": "设置", "Incompatible local cache": "本地缓存不兼容", @@ -515,10 +501,6 @@ "Gets or sets the room topic": "获取或设置房间话题", "This room has no topic.": "此房间没有话题。", "Sets the room name": "设置房间名称", - "%(senderDisplayName)s upgraded this room.": "%(senderDisplayName)s 升级了此房间。", - "%(senderDisplayName)s made the room public to whoever knows the link.": "%(senderDisplayName)s 将此房间对知道此房间链接的人公开。", - "%(senderDisplayName)s made the room invite only.": "%(senderDisplayName)s 将此房间改为仅限邀请。", - "%(senderDisplayName)s changed the join rule to %(rule)s": "%(senderDisplayName)s 将加入规则改为 %(rule)s", "%(displayName)s is typing …": "%(displayName)s 正在输入…", "%(names)s and %(count)s others are typing …": { "other": "%(names)s 与其他 %(count)s 位正在输入…", @@ -528,9 +510,6 @@ "Unrecognised address": "无法识别地址", "Predictable substitutions like '@' instead of 'a' don't help very much": "可预见的替换如将 '@' 替换为 'a' 并不会有太大效果", "Changes your display nickname in the current room only": "仅更改当前房间中的显示昵称", - "%(senderDisplayName)s has allowed guests to join the room.": "%(senderDisplayName)s 将此房间改为允许游客加入。", - "%(senderDisplayName)s has prevented guests from joining the room.": "%(senderDisplayName)s 将此房间改为游客禁入。", - "%(senderDisplayName)s changed guest access to %(rule)s": "%(senderDisplayName)s 将此房间的游客加入规则改为 %(rule)s", "Use a few words, avoid common phrases": "用一些字符,避免常用短语", "Add another word or two. Uncommon words are better.": "再加一两个词。不常见的词更好。", "Repeats like \"aaa\" are easy to guess": "像 “aaa” 这样的重复字符很容易被猜到", @@ -547,9 +526,6 @@ "Common names and surnames are easy to guess": "常用姓名和姓氏很容易被猜到", "Straight rows of keys are easy to guess": "键位在一条直线上的组合很容易被猜到", "Short keyboard patterns are easy to guess": "键位短序列很容易被猜到", - "Messages containing my username": "当消息包含我的用户名时", - "Encrypted messages in one-to-one chats": "私聊中的加密消息", - "Encrypted messages in group chats": "群聊中的加密消息", "The other party cancelled the verification.": "另一方取消了验证。", "Verified!": "已验证!", "You've successfully verified this user.": "你已成功验证此用户。", @@ -805,7 +781,6 @@ "Send a bug report with logs": "发送带日志的错误报告", "Opens chat with the given user": "与指定用户发起聊天", "Sends a message to the given user": "向指定用户发消息", - "%(senderDisplayName)s changed the room name from %(oldRoomName)s to %(newRoomName)s.": "%(senderDisplayName)s 将房间名称从 %(oldRoomName)s 改为 %(newRoomName)s。", "%(senderName)s added the alternative addresses %(addresses)s for this room.": { "other": "%(senderName)s 为此房间添加备用地址 %(addresses)s。", "one": "%(senderName)s 为此房间添加了备用地址 %(addresses)s。" @@ -817,10 +792,6 @@ "%(senderName)s changed the alternative addresses for this room.": "%(senderName)s 更改了此房间的备用地址。", "%(senderName)s changed the main and alternative addresses for this room.": "%(senderName)s 更改了此房间的主要地址与备用地址。", "%(senderName)s changed the addresses for this room.": "%(senderName)s 更改了此房间的地址。", - "%(senderName)s placed a voice call.": "%(senderName)s 发起了语音通话。", - "%(senderName)s placed a voice call. (not supported by this browser)": "%(senderName)s 发起了语音通话。(此浏览器不支持)", - "%(senderName)s placed a video call.": "%(senderName)s 发起了视频通话。", - "%(senderName)s placed a video call. (not supported by this browser)": "%(senderName)s 发起了视频通话。(此浏览器不支持)", "%(senderName)s removed the rule banning users matching %(glob)s": "%(senderName)s 移除了禁止匹配 %(glob)s 的用户的规则", "%(senderName)s removed the rule banning servers matching %(glob)s": "%(senderName)s 移除了禁止匹配 %(glob)s 的服务器的规则", "%(senderName)s removed a ban rule matching %(glob)s": "%(senderName)s 移除了禁止匹配 %(glob)s 的规则", @@ -1250,8 +1221,6 @@ "Clear all data": "清除所有数据", "Please enter a name for the room": "请输入房间名称", "Enable end-to-end encryption": "启用端到端加密", - "Create a public room": "创建一个公共房间", - "Create a private room": "创建一个私人房间", "Topic (optional)": "话题(可选)", "Hide advanced": "隐藏高级", "Show advanced": "显示高级", @@ -1450,7 +1419,6 @@ "Cancel autocomplete": "取消自动补全", "How fast should messages be downloaded.": "消息下载速度。", "IRC display name width": "IRC 显示名称宽度", - "When rooms are upgraded": "当房间升级时", "Unexpected server error trying to leave the room": "试图离开房间时发生意外服务器错误", "Error leaving room": "离开房间时出错", "Uploading logs": "正在上传日志", @@ -1512,9 +1480,6 @@ "Unable to access microphone": "无法使用麦克风", "The call was answered on another device.": "已在另一台设备上接听了此通话。", "The call could not be established": "无法建立通话", - "🎉 All servers are banned from participating! This room can no longer be used.": "🎉 所有服务器都已禁止参与!此房间不再可用。", - "%(senderDisplayName)s changed the server ACLs for this room.": "%(senderDisplayName)s 为此房间更改了服务器 ACL。", - "%(senderDisplayName)s set the server ACLs for this room.": "%(senderDisplayName)s 为此房间设置了服务器 ACL。", "Hong Kong": "香港", "Cook Islands": "库克群岛", "Congo - Kinshasa": "刚果 - 金沙萨", @@ -1637,7 +1602,6 @@ "Other homeserver": "其他家服务器", "Specify a homeserver": "指定家服务器", "Transfer": "传输", - "Unnamed Space": "未命名空间", "Send feedback": "发送反馈", "Reason (optional)": "理由(可选)", "Create a new room": "创建新房间", @@ -2214,25 +2178,6 @@ "Silence call": "通话静音", "Sound on": "开启声音", "%(senderName)s changed the pinned messages for the room.": "%(senderName)s 已更改此房间的固定消息。", - "%(senderName)s withdrew %(targetName)s's invitation": "%(senderName)s 已撤回向 %(targetName)s 的邀请", - "%(senderName)s withdrew %(targetName)s's invitation: %(reason)s": "%(senderName)s 已撤回向 %(targetName)s 的邀请:%(reason)s", - "%(senderName)s unbanned %(targetName)s": "%(senderName)s 已取消封禁 %(targetName)s", - "%(targetName)s left the room": "%(targetName)s 已离开房间", - "%(targetName)s left the room: %(reason)s": "%(targetName)s 已离开房间:%(reason)s", - "%(targetName)s rejected the invitation": "%(targetName)s 已拒绝邀请", - "%(targetName)s joined the room": "%(targetName)s 已加入房间", - "%(senderName)s made no change": "%(senderName)s 未发生更改", - "%(senderName)s set a profile picture": "%(senderName)s 已设置资料图片", - "%(senderName)s changed their profile picture": "%(senderName)s 已更改他们的资料图片", - "%(senderName)s removed their profile picture": "%(senderName)s 已移除他们的资料图片", - "%(senderName)s removed their display name (%(oldDisplayName)s)": "%(senderName)s已移除他们的显示名称(%(oldDisplayName)s)", - "%(senderName)s set their display name to %(displayName)s": "%(senderName)s已将他们的显示名称设置为%(displayName)s", - "%(oldDisplayName)s changed their display name to %(displayName)s": "%(oldDisplayName)s将其显示名称改为%(displayName)s", - "%(senderName)s banned %(targetName)s": "%(senderName)s 已封禁 %(targetName)s", - "%(senderName)s banned %(targetName)s: %(reason)s": "%(senderName)s 已封禁 %(targetName)s: %(reason)s", - "%(senderName)s invited %(targetName)s": "%(senderName)s 已邀请 %(targetName)s", - "%(targetName)s accepted an invitation": "%(targetName)s 已接受邀请", - "%(targetName)s accepted the invitation for %(displayName)s": "%(targetName)s 已接受 %(displayName)s 的邀请", "Some invites couldn't be sent": "部分邀请无法发送", "We sent the others, but the below people couldn't be invited to ": "我们已向其他人发送邀请,但无法邀请以下人员至", "Integration manager": "集成管理器", @@ -2417,22 +2362,6 @@ "Enter a number between %(min)s and %(max)s": "输入一个 %(min)s 和 %(max)s 之间的数字", "In reply to this message": "答复此消息", "Export chat": "导出聊天", - "File Attached": "已附加文件", - "Error fetching file": "获取文件出错", - "Topic: %(topic)s": "话题:%(topic)s", - "This is the start of export of . Exported by at %(exportDate)s.": "这是 导出的开始。导出人 ,导出日期 %(exportDate)s。", - "%(creatorName)s created this room.": "%(creatorName)s 创建了此房间。", - "Media omitted - file size limit exceeded": "省略了媒体文件 - 超出了文件大小限制", - "Media omitted": "省略了媒体文件", - "Current Timeline": "当前时间线", - "Specify a number of messages": "指定消息数", - "From the beginning": "从开头", - "Plain Text": "纯文本", - "JSON": "JSON", - "HTML": "HTML", - "Are you sure you want to exit during this export?": "你确定要在导出过程中退出吗?", - "%(senderDisplayName)s sent a sticker.": "%(senderDisplayName)s 发送了一张贴纸。", - "%(senderDisplayName)s changed the room avatar.": "%(senderDisplayName)s 更改了房间头像。", "Verify with Security Key or Phrase": "使用安全密钥或短语进行验证", "Resetting your verification keys cannot be undone. After resetting, you won't have access to old encrypted messages, and any friends who have previously verified you will see security warnings until you re-verify with them.": "无法撤消重置验证密钥的操作。重置后,你将无法访问旧的加密消息,任何之前验证过你的朋友将看到安全警告,直到你再次和他们进行验证。", "I'll verify later": "我稍后进行验证", @@ -2478,8 +2407,6 @@ "Developer mode": "开发者模式", "Insert link": "插入链接", "Joined": "已加入", - "%(senderDisplayName)s changed who can join this room.": "%(senderDisplayName)s 更改了谁能加入这个房间。", - "%(senderDisplayName)s changed who can join this room. View settings.": "%(senderDisplayName)s 更改了谁能加入这个房间。查看设置。", "Use high contrast": "使用高对比度", "Light high contrast": "浅色高对比", "Joining": "加入中", @@ -2631,27 +2558,8 @@ "Including you, %(commaSeparatedMembers)s": "包括你,%(commaSeparatedMembers)s", "Copy room link": "复制房间链接", "We were unable to understand the given date (%(inputDate)s). Try using the format YYYY-MM-DD.": "我们无法理解给定日期 (%(inputDate)s)。尝试使用如下格式 YYYY-MM-DD。", - "Fetched %(count)s events out of %(total)s": { - "one": "已获取总共 %(total)s 事件中的 %(count)s 个", - "other": "已获取 %(total)s 事件中的 %(count)s 个" - }, "This groups your chats with members of this space. Turning this off will hide those chats from your view of %(spaceName)s.": "将您与该空间的成员的聊天进行分组。关闭这个后你将无法在 %(spaceName)s 内看到这些聊天。", "Sections to show": "要显示的部分", - "Exported %(count)s events in %(seconds)s seconds": { - "one": "在 %(seconds)s 秒内导出了 %(count)s 个事件", - "other": "在 %(seconds)s 秒内导出了 %(count)s 个事件" - }, - "Export successful!": "成功导出!", - "Fetched %(count)s events in %(seconds)ss": { - "one": "%(seconds)s 秒内获取了 %(count)s 个事件", - "other": "%(seconds)s 秒内获取了 %(count)s 个事件" - }, - "Processing event %(number)s out of %(total)s": "正在处理总共 %(total)s 事件中的事件 %(number)s", - "Fetched %(count)s events so far": { - "one": "迄今获取了 %(count)s 事件", - "other": "迄今获取了 %(count)s 事件" - }, - "Generating a ZIP": "生成 ZIP", "Failed to load list of rooms.": "加载房间列表失败。", "Open in OpenStreetMap": "在 OpenStreetMap 中打开", "Jump to the given date in the timeline": "跳转到时间线中的给定日期", @@ -2698,8 +2606,6 @@ "%(senderName)s has ended a poll": "%(senderName)s 结束了投票", "%(senderName)s has started a poll - %(pollQuestion)s": "%(senderName)s 发起了投票:%(pollQuestion)s", "%(senderName)s has shared their location": "%(senderName)s 分享了他们的位置", - "%(senderName)s removed %(targetName)s": "%(senderName)s 移除了 %(targetName)s", - "%(senderName)s removed %(targetName)s: %(reason)s": "%(senderName)s 移除了 %(targetName)s:%(reason)s", "No active call in this room": "此房间未有活跃中的通话", "Unable to find Matrix ID for phone number": "未能找到与此手机号码关联的 Matrix ID", "No virtual room for this room": "此房间未有虚拟房间", @@ -3068,9 +2974,6 @@ "one": "%(oneUser)s移除了一条消息", "other": "%(oneUser)s移除了%(count)s条消息" }, - "Create room": "创建房间", - "Create video room": "创建视频房间", - "Create a video room": "创建视频房间", "%(user1)s and %(user2)s": "%(user1)s和%(user2)s", "Choose a locale": "选择区域设置", "Empty room (was %(oldName)s)": "空房间(曾是%(oldName)s)", @@ -3099,8 +3002,6 @@ "There's no one here to call": "这里没有人可以打电话", "You do not have permission to start voice calls": "你没有权限开始语音通话", "Can't start a new voice broadcast": "无法开始新的语音广播", - "Video call started in %(roomName)s. (not supported by this browser)": "%(roomName)s里的视频通话开始了。(此浏览器不支持)", - "Video call started in %(roomName)s.": "%(roomName)s里的视频通话开始了。", "You need to be able to kick users to do that.": "你需要能够移除用户才能做到那件事。", "Inviting %(user)s and %(count)s others": { "one": "正在邀请%(user)s和另外1个人", @@ -3169,7 +3070,6 @@ "Can’t start a call": "无法开始通话", "Unfortunately we're unable to start a recording right now. Please try again later.": "很遗憾,我们现在无法开始录音。请稍后再试。", "Connection error": "连接错误", - "%(oldDisplayName)s changed their display name and profile picture": "%(oldDisplayName)s更改了其显示名称和用户资料图片", "Could not find room": "无法找到房间", "WARNING: session already verified, but keys do NOT MATCH!": "警告:会话已验证,然而密钥不匹配!", "iframe has no src attribute": "iframe无src属性", @@ -3260,7 +3160,9 @@ "android": "Android", "trusted": "受信任的", "not_trusted": "不受信任的", - "server": "服务器" + "server": "服务器", + "unnamed_room": "未命名的房间", + "unnamed_space": "未命名空间" }, "action": { "continue": "继续", @@ -3536,7 +3438,20 @@ "prompt_invite": "在发送邀请之前提示可能无效的 Matrix ID", "hardware_acceleration": "启用硬件加速(重启%(appName)s生效)", "start_automatically": "开机自启", - "warn_quit": "退出前警告" + "warn_quit": "退出前警告", + "notifications": { + "rule_contains_display_name": "当消息包含我的显示名称时", + "rule_contains_user_name": "当消息包含我的用户名时", + "rule_roomnotif": "当消息包含 @room 时", + "rule_room_one_to_one": "私聊中的消息", + "rule_message": "群聊中的消息", + "rule_encrypted": "群聊中的加密消息", + "rule_invite_for_me": "当我被邀请进入房间", + "rule_call": "当受到通话邀请时", + "rule_suppress_notices": "由机器人发出的消息", + "rule_tombstone": "当房间升级时", + "rule_encrypted_room_one_to_one": "私聊中的加密消息" + } }, "devtools": { "send_custom_account_data_event": "发送自定义账户数据事件", @@ -3596,5 +3511,114 @@ "developer_tools": "开发者工具", "room_id": "房间ID: %(roomId)s", "event_id": "事件ID:%(eventId)s" + }, + "export_chat": { + "html": "HTML", + "json": "JSON", + "text": "纯文本", + "from_the_beginning": "从开头", + "number_of_messages": "指定消息数", + "current_timeline": "当前时间线", + "export_successful": "成功导出!", + "unload_confirm": "你确定要在导出过程中退出吗?", + "generating_zip": "生成 ZIP", + "processing_event_n": "正在处理总共 %(total)s 事件中的事件 %(number)s", + "fetched_n_events_with_total": { + "one": "已获取总共 %(total)s 事件中的 %(count)s 个", + "other": "已获取 %(total)s 事件中的 %(count)s 个" + }, + "fetched_n_events": { + "one": "迄今获取了 %(count)s 事件", + "other": "迄今获取了 %(count)s 事件" + }, + "fetched_n_events_in_time": { + "one": "%(seconds)s 秒内获取了 %(count)s 个事件", + "other": "%(seconds)s 秒内获取了 %(count)s 个事件" + }, + "exported_n_events_in_time": { + "one": "在 %(seconds)s 秒内导出了 %(count)s 个事件", + "other": "在 %(seconds)s 秒内导出了 %(count)s 个事件" + }, + "media_omitted": "省略了媒体文件", + "media_omitted_file_size": "省略了媒体文件 - 超出了文件大小限制", + "creator_summary": "%(creatorName)s 创建了此房间。", + "export_info": "这是 导出的开始。导出人 ,导出日期 %(exportDate)s。", + "topic": "话题:%(topic)s", + "error_fetching_file": "获取文件出错", + "file_attached": "已附加文件" + }, + "create_room": { + "title_video_room": "创建视频房间", + "title_public_room": "创建一个公共房间", + "title_private_room": "创建一个私人房间", + "action_create_video_room": "创建视频房间", + "action_create_room": "创建房间" + }, + "timeline": { + "m.call": { + "video_call_started": "%(roomName)s里的视频通话开始了。", + "video_call_started_unsupported": "%(roomName)s里的视频通话开始了。(此浏览器不支持)" + }, + "m.call.invite": { + "voice_call": "%(senderName)s 发起了语音通话。", + "voice_call_unsupported": "%(senderName)s 发起了语音通话。(此浏览器不支持)", + "video_call": "%(senderName)s 发起了视频通话。", + "video_call_unsupported": "%(senderName)s 发起了视频通话。(此浏览器不支持)" + }, + "m.room.member": { + "accepted_3pid_invite": "%(targetName)s 已接受 %(displayName)s 的邀请", + "accepted_invite": "%(targetName)s 已接受邀请", + "invite": "%(senderName)s 已邀请 %(targetName)s", + "ban_reason": "%(senderName)s 已封禁 %(targetName)s: %(reason)s", + "ban": "%(senderName)s 已封禁 %(targetName)s", + "change_name_avatar": "%(oldDisplayName)s更改了其显示名称和用户资料图片", + "change_name": "%(oldDisplayName)s将其显示名称改为%(displayName)s", + "set_name": "%(senderName)s已将他们的显示名称设置为%(displayName)s", + "remove_name": "%(senderName)s已移除他们的显示名称(%(oldDisplayName)s)", + "remove_avatar": "%(senderName)s 已移除他们的资料图片", + "change_avatar": "%(senderName)s 已更改他们的资料图片", + "set_avatar": "%(senderName)s 已设置资料图片", + "no_change": "%(senderName)s 未发生更改", + "join": "%(targetName)s 已加入房间", + "reject_invite": "%(targetName)s 已拒绝邀请", + "left_reason": "%(targetName)s 已离开房间:%(reason)s", + "left": "%(targetName)s 已离开房间", + "unban": "%(senderName)s 已取消封禁 %(targetName)s", + "withdrew_invite_reason": "%(senderName)s 已撤回向 %(targetName)s 的邀请:%(reason)s", + "withdrew_invite": "%(senderName)s 已撤回向 %(targetName)s 的邀请", + "kick_reason": "%(senderName)s 移除了 %(targetName)s:%(reason)s", + "kick": "%(senderName)s 移除了 %(targetName)s" + }, + "m.room.topic": "%(senderDisplayName)s 将话题修改为 “%(topic)s”。", + "m.room.avatar": "%(senderDisplayName)s 更改了房间头像。", + "m.room.name": { + "remove": "%(senderDisplayName)s 移除了房间名称。", + "change": "%(senderDisplayName)s 将房间名称从 %(oldRoomName)s 改为 %(newRoomName)s。", + "set": "%(senderDisplayName)s 将房间名称改为 %(roomName)s。" + }, + "m.room.tombstone": "%(senderDisplayName)s 升级了此房间。", + "m.room.join_rules": { + "public": "%(senderDisplayName)s 将此房间对知道此房间链接的人公开。", + "invite": "%(senderDisplayName)s 将此房间改为仅限邀请。", + "restricted_settings": "%(senderDisplayName)s 更改了谁能加入这个房间。查看设置。", + "restricted": "%(senderDisplayName)s 更改了谁能加入这个房间。", + "unknown": "%(senderDisplayName)s 将加入规则改为 %(rule)s" + }, + "m.room.guest_access": { + "can_join": "%(senderDisplayName)s 将此房间改为允许游客加入。", + "forbidden": "%(senderDisplayName)s 将此房间改为游客禁入。", + "unknown": "%(senderDisplayName)s 将此房间的游客加入规则改为 %(rule)s" + }, + "m.image": "%(senderDisplayName)s 发送了一张图片。", + "m.sticker": "%(senderDisplayName)s 发送了一张贴纸。", + "m.room.server_acl": { + "set": "%(senderDisplayName)s 为此房间设置了服务器 ACL。", + "changed": "%(senderDisplayName)s 为此房间更改了服务器 ACL。", + "all_servers_banned": "🎉 所有服务器都已禁止参与!此房间不再可用。" + }, + "m.room.canonical_alias": { + "set": "%(senderName)s 将此房间的主要地址设为了 %(address)s。", + "removed": "%(senderName)s 移除了此房间的主要地址。" + } } } diff --git a/src/i18n/strings/zh_Hant.json b/src/i18n/strings/zh_Hant.json index 383b28c6d52..70ad9ff2b88 100644 --- a/src/i18n/strings/zh_Hant.json +++ b/src/i18n/strings/zh_Hant.json @@ -54,7 +54,6 @@ "Room %(roomId)s not visible": "聊天室 %(roomId)s 已隱藏", "Rooms": "聊天室", "Search failed": "無法搜尋", - "%(senderDisplayName)s sent an image.": "%(senderDisplayName)s 傳了一張圖片。", "%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": "%(senderName)s 向 %(targetDisplayName)s 傳送了加入聊天室的邀請。", "Server error": "伺服器錯誤", "Server may be unavailable, overloaded, or search timed out :(": "伺服器可能無法使用、超載,或搜尋時間過長 :(", @@ -101,9 +100,6 @@ "Bans user with given id": "封鎖特定 ID 的使用者", "Can't connect to homeserver - please check your connectivity, ensure your homeserver's SSL certificate is trusted, and that a browser extension is not blocking requests.": "無法連線到家伺服器 - 請檢查您的連線,確保您的家伺服器的 SSL 憑證可被信任,而瀏覽器擴充套件也沒有阻擋請求。", "%(senderName)s changed the power level of %(powerLevelDiffText)s.": "%(senderName)s 變更了 %(powerLevelDiffText)s 權限等級。", - "%(senderDisplayName)s changed the room name to %(roomName)s.": "%(senderDisplayName)s 將聊天室名稱變更為 %(roomName)s。", - "%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s 移除了聊天室名稱。", - "%(senderDisplayName)s changed the topic to \"%(topic)s\".": "%(senderDisplayName)s 將主題變更為「%(topic)s」。", "Changes your display nickname": "變更您的顯示暱稱", "Custom level": "自訂等級", "Deops user with given id": "取消指定 ID 使用者的管理員權限", @@ -151,7 +147,6 @@ "Unable to remove contact information": "無法移除聯絡人資訊", "Unable to verify email address.": "無法驗證電子郵件。", "Unban": "解除封鎖", - "Unnamed Room": "未命名的聊天室", "Uploading %(filename)s": "正在上傳 %(filename)s", "Uploading %(filename)s and %(count)s others": { "one": "正在上傳 %(filename)s 與另 %(count)s 個檔案", @@ -397,16 +392,12 @@ "Waiting for response from server": "正在等待來自伺服器的回應", "Failed to send logs: ": "無法傳送除錯訊息: ", "This Room": "這個聊天室", - "Messages containing my display name": "包含我顯示名稱的訊息", - "Messages in one-to-one chats": "來自私訊的訊息", "Unavailable": "無法取得", "Source URL": "來源網址", - "Messages sent by bot": "收到聊天機器人送出的訊息時", "Filter results": "過濾結果", "No update available.": "沒有可用的更新。", "Noisy": "吵鬧", "Collecting app version information": "收集應用程式版本資訊", - "When I'm invited to a room": "當我被邀請加入聊天室時", "Tuesday": "星期二", "Preparing to send logs": "準備傳送除錯訊息", "Saturday": "星期六", @@ -415,7 +406,6 @@ "All Rooms": "所有聊天室", "What's New": "新鮮事", "All messages": "所有訊息", - "Call invitation": "接到通話邀請時", "What's new?": "有何新變動嗎?", "Invite to this room": "邀請加入這個聊天室", "You cannot delete this message. (%(code)s)": "您無法刪除此訊息。(%(code)s)", @@ -423,7 +413,6 @@ "Search…": "搜尋…", "Logs sent": "記錄檔已經傳送", "Show message in desktop notification": "在桌面通知中顯示訊息", - "Messages in group chats": "群組聊天中的訊息", "Yesterday": "昨天", "Error encountered (%(errorDetail)s).": "遇到錯誤 (%(errorDetail)s)。", "Low Priority": "低優先度", @@ -483,8 +472,6 @@ "The room upgrade could not be completed": "聊天室升級可能不完整", "Upgrade this room to version %(version)s": "升級此聊天室到版本 %(version)s", "Forces the current outbound group session in an encrypted room to be discarded": "強制丟棄目前在已加密聊天室中的外發群組工作階段", - "%(senderName)s set the main address for this room to %(address)s.": "%(senderName)s 將此聊天室的主要位址設定為 %(address)s。", - "%(senderName)s removed the main address for this room.": "%(senderName)s 移除了此聊天室的主要位址。", "Before submitting logs, you must create a GitHub issue to describe your problem.": "在遞交紀錄檔前,您必須建立 GitHub 議題以描述您的問題。", "%(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 現在僅使用低於原本3-5倍的記憶體,僅在需要時才會載入其他使用者的資訊。請等待我們與伺服器重新同步!", "Updating %(brand)s": "正在更新 %(brand)s", @@ -538,9 +525,6 @@ "Common names and surnames are easy to guess": "常見的名字與姓氏易於猜測", "You do not have permission to invite people to this room.": "您沒有權限邀請夥伴到此聊天室。", "Unknown server error": "未知的伺服器錯誤", - "Messages containing @room": "包含 @room 的訊息", - "Encrypted messages in one-to-one chats": "來自私訊的加密訊息", - "Encrypted messages in group chats": "群組聊天中的加密訊息", "Set up": "設定", "Invalid identity server discovery response": "身份伺服器探索回應無效", "General failure": "一般錯誤", @@ -558,14 +542,12 @@ "Invite anyway": "無論如何都要邀請", "Upgrades a room to a new version": "升級聊天室到新版本", "Sets the room name": "設定聊天室名稱", - "%(senderDisplayName)s upgraded this room.": "%(senderDisplayName)s 升級了此聊天室。", "%(displayName)s is typing …": "%(displayName)s 正在打字…", "%(names)s and %(count)s others are typing …": { "other": "%(names)s 與其他 %(count)s 個人正在打字…", "one": "%(names)s 與另一個人正在打字…" }, "%(names)s and %(lastPerson)s are typing …": "%(names)s 與 %(lastPerson)s 正在打字…", - "Messages containing my username": "包含我使用者名稱的訊息", "The other party cancelled the verification.": "另一方取消了驗證。", "Verified!": "已驗證!", "You've successfully verified this user.": "您已經成功驗證此使用者。", @@ -623,12 +605,6 @@ "The file '%(fileName)s' exceeds this homeserver's size limit for uploads": "檔案 %(fileName)s 超過家伺服器的上傳限制", "Gets or sets the room topic": "取得或設定聊天室主題", "This room has no topic.": "此聊天室沒有主題。", - "%(senderDisplayName)s made the room public to whoever knows the link.": "%(senderDisplayName)s 將此聊天室對知道連結的人公開。", - "%(senderDisplayName)s made the room invite only.": "%(senderDisplayName)s 將聊天室更改為邀請制。", - "%(senderDisplayName)s changed the join rule to %(rule)s": "%(senderDisplayName)s 變更加入規則為 %(rule)s", - "%(senderDisplayName)s has allowed guests to join the room.": "%(senderDisplayName)s 已允許訪客加入聊天室。", - "%(senderDisplayName)s has prevented guests from joining the room.": "%(senderDisplayName)s 已拒絕訪客加入聊天室。", - "%(senderDisplayName)s changed guest access to %(rule)s": "%(senderDisplayName)s 將訪客存取權限更改為 %(rule)s", "Verify this user by confirming the following emoji appear on their screen.": "透過確認對方畫面上顯示的下列表情符號來確認使用者。", "Unable to find a supported verification method.": "找不到支援的驗證方式。", "Dog": "狗", @@ -779,7 +755,6 @@ "Unexpected error resolving homeserver configuration": "解析家伺服器設定時發生錯誤", "The user's homeserver does not support the version of the room.": "使用者的家伺服器不支援此聊天室版本。", "Show hidden events in timeline": "顯示時間軸中隱藏的活動", - "When rooms are upgraded": "當聊天室升級時", "View older messages in %(roomName)s.": "檢視 %(roomName)s 中較舊的訊息。", "Join the conversation with an account": "加入與某個帳號的對話", "Sign Up": "註冊", @@ -951,8 +926,6 @@ "Read Marker off-screen lifetime (ms)": "畫面外讀取標記的生命週期(毫秒)", "e.g. my-room": "例如:my-room", "Please enter a name for the room": "請輸入聊天室名稱", - "Create a public room": "建立公開聊天室", - "Create a private room": "建立私密聊天室", "Topic (optional)": "主題(選擇性)", "Hide advanced": "隱藏進階設定", "Show advanced": "顯示進階設定", @@ -1066,10 +1039,6 @@ "Manage integrations": "管理整合功能", "Verification Request": "驗證請求", "Match system theme": "符合系統佈景主題", - "%(senderName)s placed a voice call.": "%(senderName)s 撥打了語音通話。", - "%(senderName)s placed a voice call. (not supported by this browser)": "%(senderName)s 撥打了語音通話。(不被此瀏覽器支援)", - "%(senderName)s placed a video call.": "%(senderName)s 撥打了視訊通話。", - "%(senderName)s placed a video call. (not supported by this browser)": "%(senderName)s 撥打了視訊通話。(不被此瀏覽器支援)", "Error upgrading room": "升級聊天室時遇到錯誤", "Double check that your server supports the room version chosen and try again.": "仔細檢查您的伺服器是否支援選定的聊天室版本,然後再試一次。", "Unencrypted": "未加密", @@ -1255,7 +1224,6 @@ "%(senderName)s changed the alternative addresses for this room.": "%(senderName)s 為此聊天室變更了替代位址。", "%(senderName)s changed the main and alternative addresses for this room.": "%(senderName)s 為此聊天室變更了主要及替代位址。", "There was an error updating the room's alternative addresses. It may not be allowed by the server or a temporary failure occurred.": "更新聊天室的替代位址時發生錯誤。伺服器可能不允許這麼做,或是遇到暫時性的錯誤。", - "%(senderDisplayName)s changed the room name from %(oldRoomName)s to %(newRoomName)s.": "%(senderDisplayName)s 將聊天室名稱從 %(oldRoomName)s 變更為 %(newRoomName)s。", "%(senderName)s changed the addresses for this room.": "%(senderName)s 變更了此聊天室的位址。", "Invalid theme schema.": "無效的佈景主題架構。", "Error downloading theme information.": "下載佈景主題資訊時發生錯誤。", @@ -1439,7 +1407,6 @@ "%(senderName)s is calling": "%(senderName)s 正在通話", "%(senderName)s: %(message)s": "%(senderName)s:%(message)s", "%(senderName)s: %(stickerName)s": "%(senderName)s:%(stickerName)s", - "%(senderName)s invited %(targetName)s": "%(senderName)s 已邀請 %(targetName)s", "Message deleted on %(date)s": "訊息刪除於 %(date)s", "Wrong file type": "錯誤的檔案類型", "Security Phrase": "安全密語", @@ -1535,9 +1502,6 @@ "Failed to save your profile": "無法儲存您的設定檔", "The operation could not be completed": "無法完成操作", "Remove messages sent by others": "移除其他人傳送的訊息", - "🎉 All servers are banned from participating! This room can no longer be used.": "🎉 所有伺服器都已被封鎖! 這間聊天室無法使用。", - "%(senderDisplayName)s changed the server ACLs for this room.": "%(senderDisplayName)s 已為此聊天室更改伺服器的存取控制列表。", - "%(senderDisplayName)s set the server ACLs for this room.": "%(senderDisplayName)s 已為此聊天室設置伺服器的存取控制列表。", "The call could not be established": "無法建立通話", "Move right": "向右移動", "Move left": "向左移動", @@ -2017,7 +1981,6 @@ "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.": "使用某人的名字、電子郵件地址、使用者名稱(如 )或分享此聊天空間來邀請人。", - "Unnamed Space": "未命名聊天空間", "Invite to %(spaceName)s": "邀請加入 %(spaceName)s", "Create a new room": "建立新聊天室", "Spaces": "聊天空間", @@ -2215,24 +2178,6 @@ "Silence call": "通話靜音", "Sound on": "開啟聲音", "%(senderName)s changed the pinned messages for the room.": "%(senderName)s 變更了聊天室的釘選訊息。", - "%(senderName)s withdrew %(targetName)s's invitation": "%(senderName)s 撤回了 %(targetName)s 的邀請", - "%(senderName)s withdrew %(targetName)s's invitation: %(reason)s": "%(senderName)s 撤回了 %(targetName)s 的邀請:%(reason)s", - "%(senderName)s unbanned %(targetName)s": "%(senderName)s 取消封鎖了 %(targetName)s", - "%(targetName)s left the room": "%(targetName)s 離開聊天室", - "%(targetName)s left the room: %(reason)s": "%(targetName)s 離開了聊天室:%(reason)s", - "%(targetName)s rejected the invitation": "%(targetName)s 拒絕了邀請", - "%(targetName)s joined the room": "%(targetName)s 已加入聊天室", - "%(senderName)s made no change": "%(senderName)s 未變更", - "%(senderName)s set a profile picture": "%(senderName)s 設定了個人檔案照片", - "%(senderName)s changed their profile picture": "%(senderName)s 變更了他們的個人檔案照片", - "%(senderName)s removed their profile picture": "%(senderName)s 移除了他們的個人檔案照片", - "%(senderName)s removed their display name (%(oldDisplayName)s)": "%(senderName)s 移除了他們的顯示名稱 ( %(oldDisplayName)s )", - "%(senderName)s set their display name to %(displayName)s": "%(senderName)s 將他們的顯示名稱設定為 %(displayName)s", - "%(oldDisplayName)s changed their display name to %(displayName)s": "%(oldDisplayName)s 將顯示名稱變更為 %(displayName)s", - "%(senderName)s banned %(targetName)s": "%(senderName)s 封鎖了 %(targetName)s", - "%(senderName)s banned %(targetName)s: %(reason)s": "%(senderName)s 封鎖了 %(targetName)s:%(reason)s", - "%(targetName)s accepted an invitation": "%(targetName)s 接受了邀請", - "%(targetName)s accepted the invitation for %(displayName)s": "%(targetName)s 已接受 %(displayName)s 的邀請", "Some invites couldn't be sent": "部份邀請無法傳送", "We sent the others, but the below people couldn't be invited to ": "我們已將邀請傳送給其他人,但以下的人無法邀請加入 ", "Unnamed audio": "未命名的音訊", @@ -2417,22 +2362,6 @@ "Enter a number between %(min)s and %(max)s": "輸入介於 %(min)s 至 %(max)s 間的數字", "In reply to this message": "回覆此訊息", "Export chat": "匯出聊天", - "File Attached": "已附加檔案", - "Error fetching file": "取得檔案錯誤", - "Topic: %(topic)s": "主題:%(topic)s", - "This is the start of export of . Exported by at %(exportDate)s.": "這是 匯出的開始。由 於 %(exportDate)s 匯出。", - "%(creatorName)s created this room.": "%(creatorName)s 建立了此聊天室。", - "Media omitted - file size limit exceeded": "媒體省略 - 超過檔案大小限制", - "Media omitted": "媒體省略", - "Current Timeline": "目前時間軸", - "Specify a number of messages": "指定訊息數量", - "From the beginning": "從一開始", - "Plain Text": "純文字", - "JSON": "JSON", - "HTML": "HTML", - "Are you sure you want to exit during this export?": "您確定要從此匯出流程中退出嗎?", - "%(senderDisplayName)s sent a sticker.": "%(senderDisplayName)s 傳送了貼圖。", - "%(senderDisplayName)s changed the room avatar.": "%(senderDisplayName)s 變更了聊天室大頭照。", "Resetting your verification keys cannot be undone. After resetting, you won't have access to old encrypted messages, and any friends who have previously verified you will see security warnings until you re-verify with them.": "重設您的驗證金鑰將無法復原。重設後,您將無法存取舊的加密訊息,之前任何驗證過您的朋友也會看到安全警告,直到您重新驗證。", "I'll verify later": "我稍後驗證", "Verify with Security Key": "使用安全金鑰進行驗證", @@ -2478,8 +2407,6 @@ "Developer mode": "開發者模式", "Joined": "已加入", "Insert link": "插入連結", - "%(senderDisplayName)s changed who can join this room.": "%(senderDisplayName)s 變更了誰可以加入此聊天室。", - "%(senderDisplayName)s changed who can join this room. View settings.": "%(senderDisplayName)s 變更了誰可以加入此聊天室。檢視設定。", "Joining": "正在加入", "Use high contrast": "使用高對比", "Light high contrast": "亮色高對比", @@ -2634,25 +2561,6 @@ "Failed to load list of rooms.": "無法載入聊天室清單。", "This groups your chats with members of this space. Turning this off will hide those chats from your view of %(spaceName)s.": "將您與此空間成員的聊天進行分組。關閉此功能,將會在您的 %(spaceName)s 畫面中隱藏那些聊天室。", "Sections to show": "要顯示的部份", - "Exported %(count)s events in %(seconds)s seconds": { - "one": "已在 %(seconds)s 秒內匯出 %(count)s 個事件", - "other": "已在 %(seconds)s 秒內匯出 %(count)s 個事件" - }, - "Export successful!": "匯出成功!", - "Fetched %(count)s events in %(seconds)ss": { - "one": "已在 %(seconds)s 秒內取得 %(count)s 個事件", - "other": "已在 %(seconds)s 秒內取得 %(count)s 個事件" - }, - "Processing event %(number)s out of %(total)s": "正在處理 %(total)s 個事件中的第 %(number)s 個", - "Fetched %(count)s events so far": { - "one": "到目前為止已取得 %(count)s 個事件", - "other": "到目前為止已成功取得 %(count)s 個事件" - }, - "Fetched %(count)s events out of %(total)s": { - "one": "已取得 %(total)s 個事件中的 %(count)s 個", - "other": "從 %(total)s 個事件中取得了 %(count)s 個" - }, - "Generating a ZIP": "產生 ZIP", "Open in OpenStreetMap": "在 OpenStreetMap 中開啟", "toggle event": "切換事件", "This address had invalid server or is already in use": "此位址的伺服器無效或已被使用", @@ -2712,8 +2620,6 @@ "Remove users": "移除使用者", "Remove, ban, or invite people to your active room, and make you leave": "移除、封鎖或邀請夥伴加入您的活躍聊天室,然後讓您離開", "Remove, ban, or invite people to this room, and make you leave": "移除、封鎖或邀請他人進入此聊天室,然後讓您離開", - "%(senderName)s removed %(targetName)s": "%(senderName)s 已移除 %(targetName)s", - "%(senderName)s removed %(targetName)s: %(reason)s": "%(senderName)s 已移除 %(targetName)s:%(reason)s", "Removes user with given id from this room": "從此聊天室中移除特定 ID 的使用者", "Open this settings tab": "開啟此設定分頁", "Message pending moderation": "待審核的訊息", @@ -2898,9 +2804,6 @@ "Failed to invite users to %(roomName)s": "邀請使用者加入 %(roomName)s 失敗", "An error occurred while stopping your live location, please try again": "停止您的即時位置時發生錯誤,請再試一次", "Threads help keep your conversations on-topic and easy to track.": "「討論串」功能可以協助您的對話不離題且易於追蹤。", - "Create room": "建立聊天室", - "Create video room": "建立視訊聊天室", - "Create a video room": "建立視訊聊天室", "%(featureName)s Beta feedback": "%(featureName)s Beta 測試回饋", "%(count)s participants": { "one": "1 位成員", @@ -3145,8 +3048,6 @@ "Desktop session": "桌面工作階段", "Video call started": "視訊通話已開始", "Unknown room": "未知的聊天室", - "Video call started in %(roomName)s. (not supported by this browser)": "視訊通話在 %(roomName)s 開始。(此瀏覽器不支援)", - "Video call started in %(roomName)s.": "視訊通話在 %(roomName)s 開始。", "Room info": "聊天室資訊", "View chat timeline": "檢視聊天時間軸", "Close call": "關閉通話", @@ -3360,11 +3261,7 @@ "Connecting to integration manager…": "正在連線至整合管理員…", "Saving…": "正在儲存…", "Creating…": "正在建立…", - "Creating output…": "正在建立輸出…", - "Fetching events…": "正在取得事件…", "Starting export process…": "正在開始匯出流程…", - "Creating HTML…": "正在建立 HTML…", - "Starting export…": "開始匯入…", "Unable to connect to Homeserver. Retrying…": "無法連線至家伺服器。正在重試…", "Secure Backup successful": "安全備份成功", "Your keys are now being backed up from this device.": "您已備份此裝置的金鑰。", @@ -3449,7 +3346,6 @@ "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": "您沒有權限邀請使用者", - "%(oldDisplayName)s changed their display name and profile picture": "%(oldDisplayName)s 更改了顯示名稱與大頭照", "Your language": "您的語言", "Your device ID": "您的裝置 ID", "Alternatively, you can try to use the public server at , but this will not be as reliable, and it will share your IP address with that server. You can also manage this in Settings.": "或是您也可以試著使用公開伺服器 ,但可能不夠可靠,而且會跟該伺服器分享您的 IP 位址。您也可以在設定中管理此設定。", @@ -3459,9 +3355,6 @@ "Something went wrong.": "出了點問題。", "Changes your profile picture in this current room only": "僅變更目前房間中的個人檔案圖片", "Changes your profile picture in all rooms": "變更您在所有聊天室中的個人檔案圖片", - "%(senderDisplayName)s changed the join rule to ask to join.": "%(senderDisplayName)s 變更了加入規則以要求加入。", - "Next group of messages": "下一組訊息", - "Exported Data": "已匯出的資料", "Views room with given address": "檢視指定聊天室的地址", "Notification Settings": "通知設定", "Enable new native OIDC flows (Under active development)": "啟用新的原生 OIDC 流程(正在積極開發中)", @@ -3477,7 +3370,6 @@ "People, Mentions and Keywords": "人們、提及與關鍵字", "This setting will be applied by default to all your rooms.": "預設情況下,此設定將會套用於您所有的聊天室。", "User cannot be invited until they are unbanned": "在解除封鎖前,無法邀請使用者", - "Previous group of messages": "上一組訊息", "Receive an email summary of missed notifications": "接收錯過通知的電子郵件摘要", "Update:We’ve simplified Notifications Settings to make options easier to find. Some custom settings you’ve chosen in the past are not shown here, but they’re still active. If you proceed, some of your settings may change. Learn more": "更新:我們簡化了通知設定,讓選項更容易找到。您過去選擇的一些自訂設定未在此處顯示,但它們仍然作用中。若繼續,您的某些設定可能會發生變化。取得更多資訊", "Other things we think you might be interested in:": "我們認為您可能感興趣的其他事情:", @@ -3610,7 +3502,9 @@ "not_trusted": "未受信任", "accessibility": "可近用性", "server": "伺服器", - "capabilities": "功能" + "capabilities": "功能", + "unnamed_room": "未命名的聊天室", + "unnamed_space": "未命名聊天空間" }, "action": { "continue": "繼續", @@ -3915,7 +3809,20 @@ "prompt_invite": "在傳送邀請給潛在的無效 Matrix ID 前提示", "hardware_acceleration": "啟用硬體加速(重新啟動 %(appName)s 才會生效)", "start_automatically": "在系統登入後自動開始", - "warn_quit": "離開前警告" + "warn_quit": "離開前警告", + "notifications": { + "rule_contains_display_name": "包含我顯示名稱的訊息", + "rule_contains_user_name": "包含我使用者名稱的訊息", + "rule_roomnotif": "包含 @room 的訊息", + "rule_room_one_to_one": "來自私訊的訊息", + "rule_message": "群組聊天中的訊息", + "rule_encrypted": "群組聊天中的加密訊息", + "rule_invite_for_me": "當我被邀請加入聊天室時", + "rule_call": "接到通話邀請時", + "rule_suppress_notices": "收到聊天機器人送出的訊息時", + "rule_tombstone": "當聊天室升級時", + "rule_encrypted_room_one_to_one": "來自私訊的加密訊息" + } }, "devtools": { "send_custom_account_data_event": "傳送自訂帳號資料事件", @@ -4007,5 +3914,122 @@ "room_id": "聊天室 ID:%(roomId)s", "thread_root_id": "討論串 Root ID:%(threadRootId)s", "event_id": "事件 ID:%(eventId)s" + }, + "export_chat": { + "html": "HTML", + "json": "JSON", + "text": "純文字", + "from_the_beginning": "從一開始", + "number_of_messages": "指定訊息數量", + "current_timeline": "目前時間軸", + "creating_html": "正在建立 HTML…", + "starting_export": "開始匯入…", + "export_successful": "匯出成功!", + "unload_confirm": "您確定要從此匯出流程中退出嗎?", + "generating_zip": "產生 ZIP", + "processing_event_n": "正在處理 %(total)s 個事件中的第 %(number)s 個", + "fetched_n_events_with_total": { + "one": "已取得 %(total)s 個事件中的 %(count)s 個", + "other": "從 %(total)s 個事件中取得了 %(count)s 個" + }, + "fetched_n_events": { + "one": "到目前為止已取得 %(count)s 個事件", + "other": "到目前為止已成功取得 %(count)s 個事件" + }, + "fetched_n_events_in_time": { + "one": "已在 %(seconds)s 秒內取得 %(count)s 個事件", + "other": "已在 %(seconds)s 秒內取得 %(count)s 個事件" + }, + "exported_n_events_in_time": { + "one": "已在 %(seconds)s 秒內匯出 %(count)s 個事件", + "other": "已在 %(seconds)s 秒內匯出 %(count)s 個事件" + }, + "media_omitted": "媒體省略", + "media_omitted_file_size": "媒體省略 - 超過檔案大小限制", + "creator_summary": "%(creatorName)s 建立了此聊天室。", + "export_info": "這是 匯出的開始。由 於 %(exportDate)s 匯出。", + "topic": "主題:%(topic)s", + "previous_page": "上一組訊息", + "next_page": "下一組訊息", + "html_title": "已匯出的資料", + "error_fetching_file": "取得檔案錯誤", + "file_attached": "已附加檔案", + "fetching_events": "正在取得事件…", + "creating_output": "正在建立輸出…" + }, + "create_room": { + "title_video_room": "建立視訊聊天室", + "title_public_room": "建立公開聊天室", + "title_private_room": "建立私密聊天室", + "action_create_video_room": "建立視訊聊天室", + "action_create_room": "建立聊天室" + }, + "timeline": { + "m.call": { + "video_call_started": "視訊通話在 %(roomName)s 開始。", + "video_call_started_unsupported": "視訊通話在 %(roomName)s 開始。(此瀏覽器不支援)" + }, + "m.call.invite": { + "voice_call": "%(senderName)s 撥打了語音通話。", + "voice_call_unsupported": "%(senderName)s 撥打了語音通話。(不被此瀏覽器支援)", + "video_call": "%(senderName)s 撥打了視訊通話。", + "video_call_unsupported": "%(senderName)s 撥打了視訊通話。(不被此瀏覽器支援)" + }, + "m.room.member": { + "accepted_3pid_invite": "%(targetName)s 已接受 %(displayName)s 的邀請", + "accepted_invite": "%(targetName)s 接受了邀請", + "invite": "%(senderName)s 已邀請 %(targetName)s", + "ban_reason": "%(senderName)s 封鎖了 %(targetName)s:%(reason)s", + "ban": "%(senderName)s 封鎖了 %(targetName)s", + "change_name_avatar": "%(oldDisplayName)s 更改了顯示名稱與大頭照", + "change_name": "%(oldDisplayName)s 將顯示名稱變更為 %(displayName)s", + "set_name": "%(senderName)s 將他們的顯示名稱設定為 %(displayName)s", + "remove_name": "%(senderName)s 移除了他們的顯示名稱 ( %(oldDisplayName)s )", + "remove_avatar": "%(senderName)s 移除了他們的個人檔案照片", + "change_avatar": "%(senderName)s 變更了他們的個人檔案照片", + "set_avatar": "%(senderName)s 設定了個人檔案照片", + "no_change": "%(senderName)s 未變更", + "join": "%(targetName)s 已加入聊天室", + "reject_invite": "%(targetName)s 拒絕了邀請", + "left_reason": "%(targetName)s 離開了聊天室:%(reason)s", + "left": "%(targetName)s 離開聊天室", + "unban": "%(senderName)s 取消封鎖了 %(targetName)s", + "withdrew_invite_reason": "%(senderName)s 撤回了 %(targetName)s 的邀請:%(reason)s", + "withdrew_invite": "%(senderName)s 撤回了 %(targetName)s 的邀請", + "kick_reason": "%(senderName)s 已移除 %(targetName)s:%(reason)s", + "kick": "%(senderName)s 已移除 %(targetName)s" + }, + "m.room.topic": "%(senderDisplayName)s 將主題變更為「%(topic)s」。", + "m.room.avatar": "%(senderDisplayName)s 變更了聊天室大頭照。", + "m.room.name": { + "remove": "%(senderDisplayName)s 移除了聊天室名稱。", + "change": "%(senderDisplayName)s 將聊天室名稱從 %(oldRoomName)s 變更為 %(newRoomName)s。", + "set": "%(senderDisplayName)s 將聊天室名稱變更為 %(roomName)s。" + }, + "m.room.tombstone": "%(senderDisplayName)s 升級了此聊天室。", + "m.room.join_rules": { + "public": "%(senderDisplayName)s 將此聊天室對知道連結的人公開。", + "invite": "%(senderDisplayName)s 將聊天室更改為邀請制。", + "knock": "%(senderDisplayName)s 變更了加入規則以要求加入。", + "restricted_settings": "%(senderDisplayName)s 變更了誰可以加入此聊天室。檢視設定。", + "restricted": "%(senderDisplayName)s 變更了誰可以加入此聊天室。", + "unknown": "%(senderDisplayName)s 變更加入規則為 %(rule)s" + }, + "m.room.guest_access": { + "can_join": "%(senderDisplayName)s 已允許訪客加入聊天室。", + "forbidden": "%(senderDisplayName)s 已拒絕訪客加入聊天室。", + "unknown": "%(senderDisplayName)s 將訪客存取權限更改為 %(rule)s" + }, + "m.image": "%(senderDisplayName)s 傳了一張圖片。", + "m.sticker": "%(senderDisplayName)s 傳送了貼圖。", + "m.room.server_acl": { + "set": "%(senderDisplayName)s 已為此聊天室設置伺服器的存取控制列表。", + "changed": "%(senderDisplayName)s 已為此聊天室更改伺服器的存取控制列表。", + "all_servers_banned": "🎉 所有伺服器都已被封鎖! 這間聊天室無法使用。" + }, + "m.room.canonical_alias": { + "set": "%(senderName)s 將此聊天室的主要位址設定為 %(address)s。", + "removed": "%(senderName)s 移除了此聊天室的主要位址。" + } } } diff --git a/src/notifications/VectorPushRulesDefinitions.ts b/src/notifications/VectorPushRulesDefinitions.ts index 37c6b7a60f0..fb81ac799ee 100644 --- a/src/notifications/VectorPushRulesDefinitions.ts +++ b/src/notifications/VectorPushRulesDefinitions.ts @@ -93,7 +93,7 @@ export type { VectorPushRuleDefinition }; export const VectorPushRulesDefinitions: Record = { // Messages containing user's display name ".m.rule.contains_display_name": new VectorPushRuleDefinition({ - description: _td("Messages containing my display name"), // passed through _t() translation in src/components/views/settings/Notifications.js + description: _td("settings|notifications|rule_contains_display_name"), // passed through _t() translation in src/components/views/settings/Notifications.js vectorStateToActions: { // The actions for each vector state, or null to disable the rule. [VectorState.On]: StandardActions.ACTION_NOTIFY, @@ -104,7 +104,7 @@ export const VectorPushRulesDefinitions: Record { @@ -91,7 +91,7 @@ export default class HTMLExporter extends Exporter { const topic = this.room.currentState.getStateEvents(EventType.RoomTopic, "")?.getContent()?.topic || ""; const safeCreatedText = escapeHtml( - _t("%(creatorName)s created this room.", { + _t("export_chat|creator_summary", { creatorName, }), ); @@ -101,7 +101,7 @@ export default class HTMLExporter extends Exporter { const safeExportedText = renderToStaticMarkup(

{_t( - "This is the start of export of . Exported by at %(exportDate)s.", + "export_chat|export_info", { exportDate, }, @@ -127,12 +127,12 @@ export default class HTMLExporter extends Exporter {

, ); - const safeTopicText = topic ? _t("Topic: %(topic)s", { topic: safeTopic }) : ""; + const safeTopicText = topic ? _t("export_chat|topic", { topic: safeTopic }) : ""; const previousMessagesLink = renderToStaticMarkup( currentPage !== 0 ? ( ) : ( @@ -144,7 +144,7 @@ export default class HTMLExporter extends Exporter { currentPage < nbPages - 1 ? ( ) : ( @@ -161,7 +161,7 @@ export default class HTMLExporter extends Exporter { - ${_t("Exported Data")} + ${_t("export_chat|html_title")}
{ - this.updateProgress(_t("Starting export…")); + this.updateProgress(_t("export_chat|starting_export")); const fetchStart = performance.now(); const res = await this.getRequiredEvents(); const fetchEnd = performance.now(); this.updateProgress( - _t("Fetched %(count)s events in %(seconds)ss", { + _t("export_chat|fetched_n_events_in_time", { count: res.length, seconds: (fetchEnd - fetchStart) / 1000, }), @@ -459,7 +459,7 @@ export default class HTMLExporter extends Exporter { false, ); - this.updateProgress(_t("Creating HTML…")); + this.updateProgress(_t("export_chat|creating_html")); const usedClasses = new Set(); for (let page = 0; page < res.length / 1000; page++) { @@ -482,9 +482,9 @@ export default class HTMLExporter extends Exporter { if (this.cancelled) { logger.info("Export cancelled successfully"); } else { - this.updateProgress(_t("Export successful!")); + this.updateProgress(_t("export_chat|export_successful")); this.updateProgress( - _t("Exported %(count)s events in %(seconds)s seconds", { + _t("export_chat|exported_n_events_in_time", { count: res.length, seconds: (exportEnd - fetchStart) / 1000, }), diff --git a/src/utils/exportUtils/JSONExport.ts b/src/utils/exportUtils/JSONExport.ts index f3289800a24..d0470576d23 100644 --- a/src/utils/exportUtils/JSONExport.ts +++ b/src/utils/exportUtils/JSONExport.ts @@ -83,7 +83,7 @@ export default class JSONExporter extends Exporter { for (let i = 0; i < events.length; i++) { const event = events[i]; this.updateProgress( - _t("Processing event %(number)s out of %(total)s", { + _t("export_chat|processing_event_n", { number: i + 1, total: events.length, }), diff --git a/src/utils/exportUtils/PlainTextExport.ts b/src/utils/exportUtils/PlainTextExport.ts index edf2a6e1a0d..4c4471340f5 100644 --- a/src/utils/exportUtils/PlainTextExport.ts +++ b/src/utils/exportUtils/PlainTextExport.ts @@ -39,8 +39,8 @@ export default class PlainTextExporter extends Exporter { super(room, exportType, exportOptions, setProgressText); this.totalSize = 0; this.mediaOmitText = !this.exportOptions.attachmentsIncluded - ? _t("Media omitted") - : _t("Media omitted - file size limit exceeded"); + ? _t("export_chat|media_omitted") + : _t("export_chat|media_omitted_file_size"); } public get destinationFileName(): string { @@ -92,14 +92,14 @@ export default class PlainTextExporter extends Exporter { } else { this.totalSize += blob.size; const filePath = this.getFilePath(mxEv); - mediaText = " (" + _t("File Attached") + ")"; + mediaText = " (" + _t("export_chat|file_attached") + ")"; this.addFile(filePath, blob); if (this.totalSize == this.exportOptions.maxSize) { this.exportOptions.attachmentsIncluded = false; } } } catch (error) { - mediaText = " (" + _t("Error fetching file") + ")"; + mediaText = " (" + _t("export_chat|error_fetching_file") + ")"; logger.log("Error fetching file " + error); } } else mediaText = ` (${this.mediaOmitText})`; @@ -113,7 +113,7 @@ export default class PlainTextExporter extends Exporter { for (let i = 0; i < events.length; i++) { const event = events[i]; this.updateProgress( - _t("Processing event %(number)s out of %(total)s", { + _t("export_chat|processing_event_n", { number: i + 1, total: events.length, }), @@ -134,8 +134,8 @@ export default class PlainTextExporter extends Exporter { } public async export(): Promise { - this.updateProgress(_t("Starting export process…")); - this.updateProgress(_t("Fetching events…")); + this.updateProgress(_t("export_chat|starting_export")); + this.updateProgress(_t("export_chat|fetching_events")); const fetchStart = performance.now(); const res = await this.getRequiredEvents(); @@ -143,7 +143,7 @@ export default class PlainTextExporter extends Exporter { logger.log(`Fetched ${res.length} events in ${(fetchEnd - fetchStart) / 1000}s`); - this.updateProgress(_t("Creating output…")); + this.updateProgress(_t("export_chat|creating_output")); const text = await this.createOutput(res); if (this.files.length) { diff --git a/src/utils/exportUtils/exportUtils.ts b/src/utils/exportUtils/exportUtils.ts index c6f3d4a6c75..7fc7fe8007e 100644 --- a/src/utils/exportUtils/exportUtils.ts +++ b/src/utils/exportUtils/exportUtils.ts @@ -36,11 +36,11 @@ export type ExportTypeKey = "Timeline" | "Beginning" | "LastNMessages"; export const textForFormat = (format: ExportFormat): string => { switch (format) { case ExportFormat.Html: - return _t("HTML"); + return _t("export_chat|html"); case ExportFormat.Json: - return _t("JSON"); + return _t("export_chat|json"); case ExportFormat.PlainText: - return _t("Plain Text"); + return _t("export_chat|text"); default: throw new Error("Unknown format"); } @@ -49,11 +49,11 @@ export const textForFormat = (format: ExportFormat): string => { export const textForType = (type: ExportType): string => { switch (type) { case ExportType.Beginning: - return _t("From the beginning"); + return _t("export_chat|from_the_beginning"); case ExportType.LastNMessages: - return _t("Specify a number of messages"); + return _t("export_chat|number_of_messages"); case ExportType.Timeline: - return _t("Current Timeline"); + return _t("export_chat|current_timeline"); default: throw new Error("Unknown type: " + type); // case exportTypes.START_DATE: