Migrate more strings to translation keys (#11532)

This commit is contained in:
Michael Telatynski 2023-09-05 17:52:06 +01:00 committed by GitHub
parent c853257d54
commit 85be845f16
No known key found for this signature in database
GPG key ID: 4AEE18F83AFDEB23
89 changed files with 5313 additions and 4434 deletions

View file

@ -567,7 +567,7 @@ export default class LegacyCallHandler extends EventEmitter {
} }
Modal.createDialog(ErrorDialog, { Modal.createDialog(ErrorDialog, {
title: _t("Call Failed"), title: _t("voip|call_failed"),
description: err.message, description: err.message,
}); });
}); });
@ -708,7 +708,7 @@ export default class LegacyCallHandler extends EventEmitter {
title = _t("User Busy"); title = _t("User Busy");
description = _t("The user you called is busy."); description = _t("The user you called is busy.");
} else { } else {
title = _t("Call Failed"); title = _t("voip|call_failed");
description = _t("The call could not be established"); description = _t("The call could not be established");
} }
@ -856,23 +856,17 @@ export default class LegacyCallHandler extends EventEmitter {
let description; let description;
if (call.type === CallType.Voice) { if (call.type === CallType.Voice) {
title = _t("Unable to access microphone"); title = _t("voip|unable_to_access_microphone");
description = ( description = <div>{_t("voip|call_failed_microphone")}</div>;
<div>
{_t(
"Call failed because microphone could not be accessed. Check that a microphone is plugged in and set up correctly.",
)}
</div>
);
} else if (call.type === CallType.Video) { } else if (call.type === CallType.Video) {
title = _t("Unable to access webcam / microphone"); title = _t("voip|unable_to_access_media");
description = ( description = (
<div> <div>
{_t("Call failed because webcam or microphone could not be accessed. Check that:")} {_t("voip|call_failed_media")}
<ul> <ul>
<li>{_t("A microphone and webcam are plugged in and set up correctly")}</li> <li>{_t("voip|call_failed_media_connected")}</li>
<li>{_t("Permission is granted to use the webcam")}</li> <li>{_t("voip|call_failed_media_permissions")}</li>
<li>{_t("No other application is using the webcam")}</li> <li>{_t("voip|call_failed_media_applications")}</li>
</ul> </ul>
</div> </div>
); );
@ -914,8 +908,8 @@ export default class LegacyCallHandler extends EventEmitter {
this.addCallForRoom(roomId, call); this.addCallForRoom(roomId, call);
} catch (e) { } catch (e) {
Modal.createDialog(ErrorDialog, { Modal.createDialog(ErrorDialog, {
title: _t("Already in call"), title: _t("voip|already_in_call"),
description: _t("You're already in a call with this person."), description: _t("voip|already_in_call_person"),
}); });
return; return;
} }
@ -956,8 +950,8 @@ export default class LegacyCallHandler extends EventEmitter {
// if the runtime env doesn't do VoIP, whine. // if the runtime env doesn't do VoIP, whine.
if (!cli.supportsVoip()) { if (!cli.supportsVoip()) {
Modal.createDialog(ErrorDialog, { Modal.createDialog(ErrorDialog, {
title: _t("Calls are unsupported"), title: _t("voip|unsupported"),
description: _t("You cannot place calls in this browser."), description: _t("voip|unsupported_browser"),
}); });
return; return;
} }

View file

@ -43,7 +43,7 @@ const getUIOnlyShortcuts = (): IKeyboardShortcuts => {
key: Key.ENTER, key: Key.ENTER,
ctrlOrCmdKey: ctrlEnterToSend, ctrlOrCmdKey: ctrlEnterToSend,
}, },
displayName: _td("Send message"), displayName: _td("composer|send_button_title"),
}, },
[KeyBindingAction.NewLine]: { [KeyBindingAction.NewLine]: {
default: { default: {

View file

@ -72,7 +72,7 @@ const RoomCallBannerInner: React.FC<RoomCallBannerProps> = ({ roomId, call }) =>
return ( return (
<div className="mx_RoomCallBanner" onClick={onClick}> <div className="mx_RoomCallBanner" onClick={onClick}>
<div className="mx_RoomCallBanner_text"> <div className="mx_RoomCallBanner_text">
<span className="mx_RoomCallBanner_label">{_t("Video call")}</span> <span className="mx_RoomCallBanner_label">{_t("voip|video_call")}</span>
<GroupCallDuration groupCall={call.groupCall} /> <GroupCallDuration groupCall={call.groupCall} />
</div> </div>

View file

@ -41,8 +41,8 @@ enum Category {
} }
const categoryLabels: Record<Category, TranslationKey> = { const categoryLabels: Record<Category, TranslationKey> = {
[Category.Room]: _td("common|room"), [Category.Room]: _td("devtools|category_room"),
[Category.Other]: _td("Other"), [Category.Other]: _td("devtools|category_other"),
}; };
export type Tool = React.FC<IDevtoolsProps> | ((props: IDevtoolsProps) => JSX.Element); export type Tool = React.FC<IDevtoolsProps> | ((props: IDevtoolsProps) => JSX.Element);

View file

@ -71,7 +71,7 @@ const ActiveCallEvent = forwardRef<any, ActiveCallEventProps>(
</span> </span>
<LiveContentSummary <LiveContentSummary
type={LiveContentType.Video} type={LiveContentType.Video}
text={_t("Video call")} text={_t("voip|video_call")}
active={false} active={false}
participantCount={participatingMembers.length} participantCount={participatingMembers.length}
/> />

View file

@ -117,7 +117,7 @@ export default class LegacyCallEvent extends React.PureComponent<IProps, IState>
<AccessibleTooltipButton <AccessibleTooltipButton
className={silenceClass} className={silenceClass}
onClick={this.props.callEventGrouper.toggleSilenced} onClick={this.props.callEventGrouper.toggleSilenced}
title={this.state.silenced ? _t("Sound on") : _t("Silence call")} title={this.state.silenced ? _t("voip|unsilence") : _t("voip|silence")}
/> />
); );
} }
@ -185,7 +185,7 @@ export default class LegacyCallEvent extends React.PureComponent<IProps, IState>
// Also the correct hangup code as of VoIP v1 (with underscore) // Also the correct hangup code as of VoIP v1 (with underscore)
// Also, if we don't have a reason // Also, if we don't have a reason
const duration = this.props.callEventGrouper.duration!; const duration = this.props.callEventGrouper.duration!;
let text = _t("Call ended"); let text = _t("timeline|m.call.hangup|dm");
if (duration) { if (duration) {
text += " • " + formatPreciseDuration(duration); text += " • " + formatPreciseDuration(duration);
} }
@ -268,7 +268,7 @@ export default class LegacyCallEvent extends React.PureComponent<IProps, IState>
const event = this.props.mxEvent; const event = this.props.mxEvent;
const sender = event.sender ? event.sender.name : event.getSender(); const sender = event.sender ? event.sender.name : event.getSender();
const isVoice = this.props.callEventGrouper.isVoice; const isVoice = this.props.callEventGrouper.isVoice;
const callType = isVoice ? _t("Voice call") : _t("Video call"); const callType = isVoice ? _t("voip|voice_call") : _t("voip|video_call");
const callState = this.state.callState; const callState = this.state.callState;
const hangupReason = this.props.callEventGrouper.hangupReason; const hangupReason = this.props.callEventGrouper.hangupReason;
const content = this.renderContent(); const content = this.renderContent();

View file

@ -112,8 +112,8 @@ const VoiceCallButton: FC<VoiceCallButtonProps> = ({ room, busy, setBusy, behavi
<AccessibleTooltipButton <AccessibleTooltipButton
className="mx_LegacyRoomHeader_button mx_LegacyRoomHeader_voiceCallButton" className="mx_LegacyRoomHeader_button mx_LegacyRoomHeader_voiceCallButton"
onClick={onClick} onClick={onClick}
title={_t("Voice call")} title={_t("voip|voice_call")}
tooltip={tooltip ?? _t("Voice call")} tooltip={tooltip ?? _t("voip|voice_call")}
alignment={Alignment.Bottom} alignment={Alignment.Bottom}
disabled={disabled || busy} disabled={disabled || busy}
/> />
@ -228,8 +228,8 @@ const VideoCallButton: FC<VideoCallButtonProps> = ({ room, busy, setBusy, behavi
inputRef={buttonRef} inputRef={buttonRef}
className="mx_LegacyRoomHeader_button mx_LegacyRoomHeader_videoCallButton" className="mx_LegacyRoomHeader_button mx_LegacyRoomHeader_videoCallButton"
onClick={onClick} onClick={onClick}
title={_t("Video call")} title={_t("voip|video_call")}
tooltip={tooltip ?? _t("Video call")} tooltip={tooltip ?? _t("voip|video_call")}
alignment={Alignment.Bottom} alignment={Alignment.Bottom}
disabled={disabled || busy} disabled={disabled || busy}
/> />

View file

@ -78,7 +78,7 @@ function SendButton(props: ISendButtonProps): JSX.Element {
<AccessibleTooltipButton <AccessibleTooltipButton
className="mx_MessageComposer_sendMessage" className="mx_MessageComposer_sendMessage"
onClick={props.onClick} onClick={props.onClick}
title={props.title ?? _t("Send message")} title={props.title ?? _t("composer|send_button_title")}
data-testid="sendmessagebtn" data-testid="sendmessagebtn"
/> />
); );
@ -303,19 +303,19 @@ export class MessageComposer extends React.Component<IProps, IState> {
if (this.props.replyToEvent) { if (this.props.replyToEvent) {
const replyingToThread = this.props.relation?.rel_type === THREAD_RELATION_TYPE.name; const replyingToThread = this.props.relation?.rel_type === THREAD_RELATION_TYPE.name;
if (replyingToThread && this.props.e2eStatus) { if (replyingToThread && this.props.e2eStatus) {
return _t("Reply to encrypted thread…"); return _t("composer|placeholder_thread_encrypted");
} else if (replyingToThread) { } else if (replyingToThread) {
return _t("Reply to thread…"); return _t("composer|placeholder_thread");
} else if (this.props.e2eStatus) { } else if (this.props.e2eStatus) {
return _t("Send an encrypted reply…"); return _t("composer|placeholder_reply_encrypted");
} else { } else {
return _t("Send a reply…"); return _t("composer|placeholder_reply");
} }
} else { } else {
if (this.props.e2eStatus) { if (this.props.e2eStatus) {
return _t("Send an encrypted message…"); return _t("composer|placeholder_encrypted");
} else { } else {
return _t("Send a message…"); return _t("composer|placeholder");
} }
} }
}; };

View file

@ -175,10 +175,10 @@ export default function RoomHeader({ room }: { room: Room }): JSX.Element {
</Box> </Box>
<Flex as="nav" align="center" gap="var(--cpd-space-2x)"> <Flex as="nav" align="center" gap="var(--cpd-space-2x)">
{!useElementCallExclusively && ( {!useElementCallExclusively && (
<Tooltip label={!voiceCallDisabledReason ? _t("Voice call") : voiceCallDisabledReason!}> <Tooltip label={!voiceCallDisabledReason ? _t("voip|voice_call") : voiceCallDisabledReason!}>
<IconButton <IconButton
disabled={!!voiceCallDisabledReason} disabled={!!voiceCallDisabledReason}
title={!voiceCallDisabledReason ? _t("Voice call") : voiceCallDisabledReason!} title={!voiceCallDisabledReason ? _t("voip|voice_call") : voiceCallDisabledReason!}
onClick={(evt) => { onClick={(evt) => {
evt.stopPropagation(); evt.stopPropagation();
placeCall(room, CallType.Voice, voiceCallType); placeCall(room, CallType.Voice, voiceCallType);
@ -188,10 +188,10 @@ export default function RoomHeader({ room }: { room: Room }): JSX.Element {
</IconButton> </IconButton>
</Tooltip> </Tooltip>
)} )}
<Tooltip label={!videoCallDisabledReason ? _t("Video call") : videoCallDisabledReason!}> <Tooltip label={!videoCallDisabledReason ? _t("voip|video_call") : videoCallDisabledReason!}>
<IconButton <IconButton
disabled={!!videoCallDisabledReason} disabled={!!videoCallDisabledReason}
title={!videoCallDisabledReason ? _t("Video call") : videoCallDisabledReason!} title={!videoCallDisabledReason ? _t("voip|video_call") : videoCallDisabledReason!}
onClick={(evt) => { onClick={(evt) => {
evt.stopPropagation(); evt.stopPropagation();
placeCall(room, CallType.Video, videoCallType); placeCall(room, CallType.Video, videoCallType);

View file

@ -419,7 +419,7 @@ const TAG_AESTHETICS: TagAestheticsMap = {
defaultHidden: false, defaultHidden: false,
}, },
[DefaultTagID.ServerNotice]: { [DefaultTagID.ServerNotice]: {
sectionLabel: _td("System Alerts"), sectionLabel: _td("common|system_alerts"),
isInvite: false, isInvite: false,
defaultHidden: false, defaultHidden: false,
}, },

View file

@ -261,7 +261,7 @@ export default class Stickerpicker extends React.PureComponent<IProps, IState> {
// Load stickerpack content // Load stickerpack content
if (!!stickerpickerWidget?.content?.url) { if (!!stickerpickerWidget?.content?.url) {
// Set default name // Set default name
stickerpickerWidget.content.name = stickerpickerWidget.content.name || _t("Stickerpack"); stickerpickerWidget.content.name = stickerpickerWidget.content.name || _t("common|stickerpack");
// FIXME: could this use the same code as other apps? // FIXME: could this use the same code as other apps?
const stickerApp: IWidget = { const stickerApp: IWidget = {

View file

@ -249,68 +249,74 @@ export default class RolesRoomSettingsTab extends React.Component<IProps> {
const plEventsToLabels: Record<EventType | string, TranslationKey | null> = { const plEventsToLabels: Record<EventType | string, TranslationKey | null> = {
// These will be translated for us later. // These will be translated for us later.
[EventType.RoomAvatar]: isSpaceRoom ? _td("Change space avatar") : _td("Change room avatar"), [EventType.RoomAvatar]: isSpaceRoom
[EventType.RoomName]: isSpaceRoom ? _td("Change space name") : _td("Change room name"), ? _td("room_settings|permissions|m.room.avatar_space")
: _td("room_settings|permissions|m.room.avatar"),
[EventType.RoomName]: isSpaceRoom
? _td("room_settings|permissions|m.room.name_space")
: _td("room_settings|permissions|m.room.name"),
[EventType.RoomCanonicalAlias]: isSpaceRoom [EventType.RoomCanonicalAlias]: isSpaceRoom
? _td("Change main address for the space") ? _td("room_settings|permissions|m.room.canonical_alias_space")
: _td("Change main address for the room"), : _td("room_settings|permissions|m.room.canonical_alias"),
[EventType.SpaceChild]: _td("Manage rooms in this space"), [EventType.SpaceChild]: _td("room_settings|permissions|m.space.child"),
[EventType.RoomHistoryVisibility]: _td("Change history visibility"), [EventType.RoomHistoryVisibility]: _td("room_settings|permissions|m.room.history_visibility"),
[EventType.RoomPowerLevels]: _td("Change permissions"), [EventType.RoomPowerLevels]: _td("room_settings|permissions|m.room.power_levels"),
[EventType.RoomTopic]: isSpaceRoom ? _td("Change description") : _td("Change topic"), [EventType.RoomTopic]: isSpaceRoom
[EventType.RoomTombstone]: _td("Upgrade the room"), ? _td("room_settings|permissions|m.room.topic_space")
[EventType.RoomEncryption]: _td("Enable room encryption"), : _td("room_settings|permissions|m.room.topic"),
[EventType.RoomServerAcl]: _td("Change server ACLs"), [EventType.RoomTombstone]: _td("room_settings|permissions|m.room.tombstone"),
[EventType.Reaction]: _td("Send reactions"), [EventType.RoomEncryption]: _td("room_settings|permissions|m.room.encryption"),
[EventType.RoomRedaction]: _td("Remove messages sent by me"), [EventType.RoomServerAcl]: _td("room_settings|permissions|m.room.server_acl"),
[EventType.Reaction]: _td("room_settings|permissions|m.reaction"),
[EventType.RoomRedaction]: _td("room_settings|permissions|m.room.redaction"),
// TODO: Enable support for m.widget event type (https://github.com/vector-im/element-web/issues/13111) // TODO: Enable support for m.widget event type (https://github.com/vector-im/element-web/issues/13111)
"im.vector.modular.widgets": isSpaceRoom ? null : _td("Modify widgets"), "im.vector.modular.widgets": isSpaceRoom ? null : _td("room_settings|permissions|m.widget"),
[VoiceBroadcastInfoEventType]: _td("Voice broadcasts"), [VoiceBroadcastInfoEventType]: _td("room_settings|permissions|io.element.voice_broadcast_info"),
}; };
if (SettingsStore.getValue("feature_pinning")) { if (SettingsStore.getValue("feature_pinning")) {
plEventsToLabels[EventType.RoomPinnedEvents] = _td("Manage pinned events"); plEventsToLabels[EventType.RoomPinnedEvents] = _td("room_settings|permissions|m.room.pinned_events");
} }
// MSC3401: Native Group VoIP signaling // MSC3401: Native Group VoIP signaling
if (SettingsStore.getValue("feature_group_calls")) { if (SettingsStore.getValue("feature_group_calls")) {
plEventsToLabels[ElementCall.CALL_EVENT_TYPE.name] = _td("Start %(brand)s calls"); plEventsToLabels[ElementCall.CALL_EVENT_TYPE.name] = _td("room_settings|permissions|m.call");
plEventsToLabels[ElementCall.MEMBER_EVENT_TYPE.name] = _td("Join %(brand)s calls"); plEventsToLabels[ElementCall.MEMBER_EVENT_TYPE.name] = _td("room_settings|permissions|m.call.member");
} }
const powerLevelDescriptors: Record<string, IPowerLevelDescriptor> = { const powerLevelDescriptors: Record<string, IPowerLevelDescriptor> = {
"users_default": { "users_default": {
desc: _t("Default role"), desc: _t("room_settings|permissions|users_default"),
defaultValue: 0, defaultValue: 0,
}, },
"events_default": { "events_default": {
desc: _t("Send messages"), desc: _t("room_settings|permissions|events_default"),
defaultValue: 0, defaultValue: 0,
hideForSpace: true, hideForSpace: true,
}, },
"invite": { "invite": {
desc: _t("Invite users"), desc: _t("room_settings|permissions|invite"),
defaultValue: 0, defaultValue: 0,
}, },
"state_default": { "state_default": {
desc: _t("Change settings"), desc: _t("room_settings|permissions|state_default"),
defaultValue: 50, defaultValue: 50,
}, },
"kick": { "kick": {
desc: _t("Remove users"), desc: _t("room_settings|permissions|kick"),
defaultValue: 50, defaultValue: 50,
}, },
"ban": { "ban": {
desc: _t("Ban users"), desc: _t("room_settings|permissions|ban"),
defaultValue: 50, defaultValue: 50,
}, },
"redact": { "redact": {
desc: _t("Remove messages sent by others"), desc: _t("room_settings|permissions|redact"),
defaultValue: 50, defaultValue: 50,
hideForSpace: true, hideForSpace: true,
}, },
"notifications.room": { "notifications.room": {
desc: _t("Notify everyone"), desc: _t("room_settings|permissions|notifications.room"),
defaultValue: 50, defaultValue: 50,
hideForSpace: true, hideForSpace: true,
}, },

View file

@ -276,7 +276,7 @@ export default class SecurityUserSettingsTab extends React.Component<IProps, ISt
public render(): React.ReactNode { public render(): React.ReactNode {
const secureBackup = ( const secureBackup = (
<SettingsSubsection heading={_t("Secure Backup")}> <SettingsSubsection heading={_t("common|secure_backup")}>
<SecureBackupPanel /> <SecureBackupPanel />
</SettingsSubsection> </SettingsSubsection>
); );
@ -292,7 +292,7 @@ export default class SecurityUserSettingsTab extends React.Component<IProps, ISt
// in having advanced details here once all flows are implemented, we // in having advanced details here once all flows are implemented, we
// can remove this. // can remove this.
const crossSigning = ( const crossSigning = (
<SettingsSubsection heading={_t("Cross-signing")}> <SettingsSubsection heading={_t("common|cross_signing")}>
<CrossSigningPanel /> <CrossSigningPanel />
</SettingsSubsection> </SettingsSubsection>
); );

View file

@ -259,23 +259,23 @@ export const Lobby: FC<LobbyProps> = ({ room, joinCallButtonDisabledTooltip, con
kind="audio" kind="audio"
devices={audioInputs} devices={audioInputs}
setDevice={setAudioInput} setDevice={setAudioInput}
deviceListLabel={_t("Audio devices")} deviceListLabel={_t("voip|audio_devices")}
muted={audioMuted} muted={audioMuted}
disabled={connecting} disabled={connecting}
toggle={toggleAudio} toggle={toggleAudio}
unmutedTitle={_t("Mute microphone")} unmutedTitle={_t("voip|disable_microphone")}
mutedTitle={_t("Unmute microphone")} mutedTitle={_t("voip|enable_microphone")}
/> />
<DeviceButton <DeviceButton
kind="video" kind="video"
devices={videoInputs} devices={videoInputs}
setDevice={setVideoInput} setDevice={setVideoInput}
deviceListLabel={_t("Video devices")} deviceListLabel={_t("voip|video_devices")}
muted={videoMuted} muted={videoMuted}
disabled={connecting} disabled={connecting}
toggle={toggleVideo} toggle={toggleVideo}
unmutedTitle={_t("Turn off camera")} unmutedTitle={_t("voip|disable_camera")}
mutedTitle={_t("Turn on camera")} mutedTitle={_t("voip|enable_camera")}
/> />
</div> </div>
</div> </div>

View file

@ -66,7 +66,7 @@ class DialPadButton extends React.PureComponent<DigitButtonProps | DialButtonPro
<AccessibleButton <AccessibleButton
className="mx_DialPad_button mx_DialPad_dialButton" className="mx_DialPad_button mx_DialPad_dialButton"
onClick={this.onClick} onClick={this.onClick}
aria-label={_t("Dial")} aria-label={_t("voip|dial")}
/> />
); );
} }

View file

@ -404,11 +404,9 @@ export default class LegacyCallView extends React.Component<IProps, IState> {
const sharerName = primaryFeed?.getMember()?.name; const sharerName = primaryFeed?.getMember()?.name;
if (!sharerName) return null; if (!sharerName) return null;
let text = isScreensharing ? _t("You are presenting") : _t("%(sharerName)s is presenting", { sharerName }); let text = isScreensharing ? _t("voip|you_are_presenting") : _t("voip|user_is_presenting", { sharerName });
if (!sidebarShown) { if (!sidebarShown) {
text += text += " • " + (call.isLocalVideoMuted() ? _t("voip|camera_disabled") : _t("voip|camera_enabled"));
" • " +
(call.isLocalVideoMuted() ? _t("Your camera is turned off") : _t("Your camera is still enabled"));
} }
return <div className="mx_LegacyCallView_toast">{text}</div>; return <div className="mx_LegacyCallView_toast">{text}</div>;
@ -450,7 +448,7 @@ export default class LegacyCallView extends React.Component<IProps, IState> {
holdTransferContent = ( holdTransferContent = (
<div className="mx_LegacyCallView_status"> <div className="mx_LegacyCallView_status">
{_t( {_t(
"Consulting with %(transferTarget)s. <a>Transfer to %(transferee)s</a>", "voip|consulting",
{ {
transferTarget: transferTargetName, transferTarget: transferTargetName,
transferee: transfereeName, transferee: transfereeName,
@ -470,8 +468,8 @@ export default class LegacyCallView extends React.Component<IProps, IState> {
if (isRemoteOnHold) { if (isRemoteOnHold) {
onHoldText = _t( onHoldText = _t(
LegacyCallHandler.instance.hasAnyUnheldCall() LegacyCallHandler.instance.hasAnyUnheldCall()
? _td("You held the call <a>Switch</a>") ? _td("voip|call_held_switch")
: _td("You held the call <a>Resume</a>"), : _td("voip|call_held_resume"),
{}, {},
{ {
a: (sub) => ( a: (sub) => (
@ -482,7 +480,7 @@ export default class LegacyCallView extends React.Component<IProps, IState> {
}, },
); );
} else if (isLocalOnHold) { } else if (isLocalOnHold) {
onHoldText = _t("%(peerName)s held the call", { onHoldText = _t("voip|call_held", {
peerName: call.getOpponentMember()?.name, peerName: call.getOpponentMember()?.name,
}); });
} }

View file

@ -269,15 +269,15 @@ export default class LegacyCallViewButtons extends React.Component<IProps, IStat
inputRef={this.dialpadButton} inputRef={this.dialpadButton}
onClick={this.onDialpadClick} onClick={this.onDialpadClick}
isExpanded={this.state.showDialpad} isExpanded={this.state.showDialpad}
title={_t("Dialpad")} title={_t("voip|dialpad")}
alignment={Alignment.Top} alignment={Alignment.Top}
/> />
)} )}
<LegacyCallViewDropdownButton <LegacyCallViewDropdownButton
state={!this.props.buttonsState.micMuted} state={!this.props.buttonsState.micMuted}
className="mx_LegacyCallViewButtons_button_mic" className="mx_LegacyCallViewButtons_button_mic"
onLabel={_t("Mute the microphone")} onLabel={_t("voip|disable_microphone")}
offLabel={_t("Unmute the microphone")} offLabel={_t("voip|enable_microphone")}
onClick={this.props.handlers.onMicMuteClick} onClick={this.props.handlers.onMicMuteClick}
deviceKinds={[MediaDeviceKindEnum.AudioInput, MediaDeviceKindEnum.AudioOutput]} deviceKinds={[MediaDeviceKindEnum.AudioInput, MediaDeviceKindEnum.AudioOutput]}
/> />
@ -285,8 +285,8 @@ export default class LegacyCallViewButtons extends React.Component<IProps, IStat
<LegacyCallViewDropdownButton <LegacyCallViewDropdownButton
state={!this.props.buttonsState.vidMuted} state={!this.props.buttonsState.vidMuted}
className="mx_LegacyCallViewButtons_button_vid" className="mx_LegacyCallViewButtons_button_vid"
onLabel={_t("Stop the camera")} onLabel={_t("voip|disable_camera")}
offLabel={_t("Start the camera")} offLabel={_t("voip|enable_camera")}
onClick={this.props.handlers.onVidMuteClick} onClick={this.props.handlers.onVidMuteClick}
deviceKinds={[MediaDeviceKindEnum.VideoInput]} deviceKinds={[MediaDeviceKindEnum.VideoInput]}
/> />
@ -295,8 +295,8 @@ export default class LegacyCallViewButtons extends React.Component<IProps, IStat
<LegacyCallViewToggleButton <LegacyCallViewToggleButton
state={this.props.buttonsState.screensharing} state={this.props.buttonsState.screensharing}
className="mx_LegacyCallViewButtons_button_screensharing" className="mx_LegacyCallViewButtons_button_screensharing"
onLabel={_t("Stop sharing your screen")} onLabel={_t("voip|stop_screenshare")}
offLabel={_t("Start sharing your screen")} offLabel={_t("voip|start_screenshare")}
onClick={this.props.handlers.onScreenshareClick} onClick={this.props.handlers.onScreenshareClick}
/> />
)} )}
@ -322,7 +322,7 @@ export default class LegacyCallViewButtons extends React.Component<IProps, IStat
<AccessibleTooltipButton <AccessibleTooltipButton
className="mx_LegacyCallViewButtons_button mx_LegacyCallViewButtons_button_hangup" className="mx_LegacyCallViewButtons_button mx_LegacyCallViewButtons_button_hangup"
onClick={this.props.handlers.onHangupClick} onClick={this.props.handlers.onHangupClick}
title={_t("Hangup")} title={_t("voip|hangup")}
alignment={Alignment.Top} alignment={Alignment.Top}
/> />
</div> </div>

View file

@ -34,7 +34,7 @@ const LegacyCallViewHeaderControls: React.FC<LegacyCallControlsProps> = ({ onExp
<AccessibleTooltipButton <AccessibleTooltipButton
className="mx_LegacyCallViewHeader_button mx_LegacyCallViewHeader_button_fullscreen" className="mx_LegacyCallViewHeader_button mx_LegacyCallViewHeader_button_fullscreen"
onClick={onMaximize} onClick={onMaximize}
title={_t("Fill screen")} title={_t("voip|maximise")}
/> />
)} )}
{onPin && ( {onPin && (
@ -48,7 +48,7 @@ const LegacyCallViewHeaderControls: React.FC<LegacyCallControlsProps> = ({ onExp
<AccessibleTooltipButton <AccessibleTooltipButton
className="mx_LegacyCallViewHeader_button mx_LegacyCallViewHeader_button_expand" className="mx_LegacyCallViewHeader_button mx_LegacyCallViewHeader_button_expand"
onClick={onExpand} onClick={onExpand}
title={_t("Return to call")} title={_t("voip|expand")}
/> />
)} )}
</div> </div>
@ -64,7 +64,7 @@ const SecondaryCallInfo: React.FC<ISecondaryCallInfoProps> = ({ callRoom }) => {
<span className="mx_LegacyCallViewHeader_secondaryCallInfo"> <span className="mx_LegacyCallViewHeader_secondaryCallInfo">
<RoomAvatar room={callRoom} size="16px" /> <RoomAvatar room={callRoom} size="16px" />
<span className="mx_LegacyCallView_secondaryCall_roomName"> <span className="mx_LegacyCallView_secondaryCall_roomName">
{_t("%(name)s on hold", { name: callRoom.name })} {_t("voip|on_hold", { name: callRoom.name })}
</span> </span>
</span> </span>
); );

View file

@ -10,9 +10,7 @@
"All Rooms": "كل الغُرف", "All Rooms": "كل الغُرف",
"All messages": "كل الرسائل", "All messages": "كل الرسائل",
"What's New": "آخِر المُستجدّات", "What's New": "آخِر المُستجدّات",
"Collecting logs": "تجميع السجلات",
"No update available.": "لا يوجد هناك أي تحديث.", "No update available.": "لا يوجد هناك أي تحديث.",
"Collecting app version information": "تجميع المعلومات حول نسخة التطبيق",
"Changelog": "سِجل التغييرات", "Changelog": "سِجل التغييرات",
"Waiting for response from server": "في انتظار الرد مِن الخادوم", "Waiting for response from server": "في انتظار الرد مِن الخادوم",
"Thank you!": "شكرًا !", "Thank you!": "شكرًا !",
@ -31,7 +29,6 @@
"Unable to load! Check your network connectivity and try again.": "تعذر التحميل! افحص اتصالك بالشبكة وأعِد المحاولة.", "Unable to load! Check your network connectivity and try again.": "تعذر التحميل! افحص اتصالك بالشبكة وأعِد المحاولة.",
"Call failed due to misconfigured server": "فشل الاتصال بسبب سوء ضبط الخادوم", "Call failed due to misconfigured server": "فشل الاتصال بسبب سوء ضبط الخادوم",
"Please ask the administrator of your homeserver (<code>%(homeserverDomain)s</code>) to configure a TURN server in order for calls to work reliably.": "من فضلك اطلب من مسؤول الخادوم المنزل الذي تستعمله (<code>%(homeserverDomain)s</code>) أن يضبط خادوم TURN كي تعمل الاتصالات بنحوٍ يكون محط ثقة.", "Please ask the administrator of your homeserver (<code>%(homeserverDomain)s</code>) to configure a TURN server in order for calls to work reliably.": "من فضلك اطلب من مسؤول الخادوم المنزل الذي تستعمله (<code>%(homeserverDomain)s</code>) أن يضبط خادوم TURN كي تعمل الاتصالات بنحوٍ يكون محط ثقة.",
"Call Failed": "فشل الاتصال",
"Permission Required": "التصريح مطلوب", "Permission Required": "التصريح مطلوب",
"You do not have permission to start a conference call in this room": "ينقصك تصريح بدء مكالمة جماعية في هذه الغرفة", "You do not have permission to start a conference call in this room": "ينقصك تصريح بدء مكالمة جماعية في هذه الغرفة",
"The file '%(fileName)s' failed to upload.": "فشل رفع الملف ”%(fileName)s“.", "The file '%(fileName)s' failed to upload.": "فشل رفع الملف ”%(fileName)s“.",
@ -82,7 +79,6 @@
"Default": "المبدئي", "Default": "المبدئي",
"Restricted": "مقيد", "Restricted": "مقيد",
"Moderator": "مشرف", "Moderator": "مشرف",
"Admin": "مدير",
"Failed to invite": "فشلت الدعوة", "Failed to invite": "فشلت الدعوة",
"Operation failed": "فشلت العملية", "Operation failed": "فشلت العملية",
"You need to be logged in.": "عليك الولوج.", "You need to be logged in.": "عليك الولوج.",
@ -97,12 +93,7 @@
"Missing room_id in request": "رقم الغرفة مفقود في الطلب", "Missing room_id in request": "رقم الغرفة مفقود في الطلب",
"Room %(roomId)s not visible": "الغرفة %(roomId)s غير مرئية", "Room %(roomId)s not visible": "الغرفة %(roomId)s غير مرئية",
"Missing user_id in request": "رقم المستخدم مفقود في الطلب", "Missing user_id in request": "رقم المستخدم مفقود في الطلب",
"Messages": "الرسائل",
"Actions": "الإجراءات",
"Advanced": "متقدم",
"Other": "أخرى",
"Command error": "خطأ في الأمر", "Command error": "خطأ في الأمر",
"Usage": "الاستخدام",
"Error upgrading room": "خطأ في ترقية الغرفة", "Error upgrading room": "خطأ في ترقية الغرفة",
"Double check that your server supports the room version chosen and try again.": "تحقق مرة أخرى من أن سيرفرك يدعم إصدار الغرفة المختار وحاول مرة أخرى.", "Double check that your server supports the room version chosen and try again.": "تحقق مرة أخرى من أن سيرفرك يدعم إصدار الغرفة المختار وحاول مرة أخرى.",
"Use an identity server": "خادوم التعريف", "Use an identity server": "خادوم التعريف",
@ -287,7 +278,6 @@
"Admin Tools": "أدوات المدير", "Admin Tools": "أدوات المدير",
"Could not revoke the invite. The server may be experiencing a temporary problem or you do not have sufficient permissions to revoke the invite.": "تعذر إبطال الدعوة. قد يواجه الخادم مشكلة مؤقتة أو ليس لديك صلاحيات كافية لإلغاء الدعوة.", "Could not revoke the invite. The server may be experiencing a temporary problem or you do not have sufficient permissions to revoke the invite.": "تعذر إبطال الدعوة. قد يواجه الخادم مشكلة مؤقتة أو ليس لديك صلاحيات كافية لإلغاء الدعوة.",
"Failed to revoke invite": "تعذر إبطال الدعوة", "Failed to revoke invite": "تعذر إبطال الدعوة",
"Stickerpack": "حزمة الملصقات",
"Add some now": "أضف البعض الآن", "Add some now": "أضف البعض الآن",
"You don't currently have any stickerpacks enabled": "ليس لديك حاليًا أي حزم ملصقات ممكّنة", "You don't currently have any stickerpacks enabled": "ليس لديك حاليًا أي حزم ملصقات ممكّنة",
"Failed to connect to integration manager": "تعذر الاتصال بمدير التكامل", "Failed to connect to integration manager": "تعذر الاتصال بمدير التكامل",
@ -358,7 +348,6 @@
"Sign Up": "سجل", "Sign Up": "سجل",
"Join the conversation with an account": "انضم للمحادثة بحساب", "Join the conversation with an account": "انضم للمحادثة بحساب",
"Historical": "تاريخي", "Historical": "تاريخي",
"System Alerts": "تنبيهات النظام",
"Low priority": "أولوية منخفضة", "Low priority": "أولوية منخفضة",
"Explore public rooms": "استكشف الغرف العامة", "Explore public rooms": "استكشف الغرف العامة",
"Add room": "أضف غرفة", "Add room": "أضف غرفة",
@ -392,13 +381,6 @@
"You do not have permission to post to this room": "ليس لديك إذن للنشر في هذه الغرفة", "You do not have permission to post to this room": "ليس لديك إذن للنشر في هذه الغرفة",
"This room has been replaced and is no longer active.": "تم استبدال هذه الغرفة ولم تعد نشطة.", "This room has been replaced and is no longer active.": "تم استبدال هذه الغرفة ولم تعد نشطة.",
"The conversation continues here.": "تستمر المحادثة هنا.", "The conversation continues here.": "تستمر المحادثة هنا.",
"Send a message…": "أرسل رسالة …",
"Send an encrypted message…": "أرسل رسالة مشفرة …",
"Send a reply…": "أرسل جواباً …",
"Send an encrypted reply…": "أرسل جواباً مشفراً …",
"Hangup": "إنهاء المكالمة",
"Video call": "مكالمة مرئية",
"Voice call": "مكالمة صوتية",
"%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (قوة %(powerLevelNumber)s)", "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (قوة %(powerLevelNumber)s)",
"Filter room members": "تصفية أعضاء الغرفة", "Filter room members": "تصفية أعضاء الغرفة",
"Invited": "مدعو", "Invited": "مدعو",
@ -656,11 +638,8 @@
"You've successfully verified this user.": "لقد نجحت في التحقق من هذا المستخدم.", "You've successfully verified this user.": "لقد نجحت في التحقق من هذا المستخدم.",
"Verified!": "تم التحقق!", "Verified!": "تم التحقق!",
"The other party cancelled the verification.": "ألغى الطرف الآخر التحقق.", "The other party cancelled the verification.": "ألغى الطرف الآخر التحقق.",
"Unknown caller": "متصل غير معروف",
"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!": "هذه قائمتك للمستخدمين / الخوادم التي حظرت - لا تغادر الغرفة!",
"My Ban List": "قائمة الحظر", "My Ban List": "قائمة الحظر",
"Downloading logs": "تحميل السجلات",
"Uploading logs": "رفع السجلات",
"IRC display name width": "عرض الاسم الظاهر لIRC", "IRC display name width": "عرض الاسم الظاهر لIRC",
"Manually verify all remote sessions": "تحقق يدويًا من جميع الاتصالات البعيدة", "Manually verify all remote sessions": "تحقق يدويًا من جميع الاتصالات البعيدة",
"How fast should messages be downloaded.": "ما مدى سرعة تنزيل الرسائل.", "How fast should messages be downloaded.": "ما مدى سرعة تنزيل الرسائل.",
@ -678,16 +657,6 @@
"Use custom size": "استخدام حجم مخصص", "Use custom size": "استخدام حجم مخصص",
"Font size": "حجم الخط", "Font size": "حجم الخط",
"Change notification settings": "تغيير إعدادات الإشعار", "Change notification settings": "تغيير إعدادات الإشعار",
"%(senderName)s is calling": "%(senderName)s يتصل",
"Waiting for answer": "بانتظار الرد",
"%(senderName)s started a call": "%(senderName)s بدأ مكالمة",
"You started a call": "لقد بدأت مكالمة",
"Call ended": "انتهت المكالمة",
"%(senderName)s ended the call": "%(senderName)s أنهى المكالمة",
"You ended the call": "لقد أنهيتَ المكالمة",
"Call in progress": "مكالمتك تحت الإجراء",
"%(senderName)s joined the call": "%(senderName)s انضم للمكالمة",
"You joined the call": "لقد انضممت إلى المكالمة",
"Please contact your homeserver administrator.": "يُرجى تواصلك مع مدير خادمك.", "Please contact your homeserver administrator.": "يُرجى تواصلك مع مدير خادمك.",
"New version of %(brand)s is available": "يتوفر إصدار جديد من %(brand)s", "New version of %(brand)s is available": "يتوفر إصدار جديد من %(brand)s",
"Update %(brand)s": "حدّث: %(brand)s", "Update %(brand)s": "حدّث: %(brand)s",
@ -745,13 +714,6 @@
"Muted Users": "المستخدمون المكتومون", "Muted Users": "المستخدمون المكتومون",
"Privileged Users": "المستخدمون المميزون", "Privileged Users": "المستخدمون المميزون",
"No users have specific privileges in this room": "لا يوجد مستخدمين لديهم امتيازات خاصة في هذه الغرفة", "No users have specific privileges in this room": "لا يوجد مستخدمين لديهم امتيازات خاصة في هذه الغرفة",
"Notify everyone": "إشعار الجميع",
"Remove messages sent by others": "حذف رسائل الآخرين",
"Ban users": "حظر المستخدمين",
"Change settings": "تغيير الإعدادات",
"Send messages": "إرسال الرسائل",
"Invite users": "دعوة المستخدمين",
"Default role": "الدور الاعتيادي",
"An error occurred changing the user's power level. Ensure you have sufficient permissions and try again.": "تعذر تغيير مستوى قوة المستخدم. تأكد من أن لديك صلاحيات كافية وحاول مرة أخرى.", "An error occurred changing the user's power level. Ensure you have sufficient permissions and try again.": "تعذر تغيير مستوى قوة المستخدم. تأكد من أن لديك صلاحيات كافية وحاول مرة أخرى.",
"Error changing power level": "تعذر تغيير مستوى القوة", "Error changing power level": "تعذر تغيير مستوى القوة",
"An error occurred changing the room's power level requirements. Ensure you have sufficient permissions and try again.": "تعذر تغيير مستوى قوة الغرفة. تأكد من أن لديك صلاحيات كافية وحاول مرة أخرى.", "An error occurred changing the room's power level requirements. Ensure you have sufficient permissions and try again.": "تعذر تغيير مستوى قوة الغرفة. تأكد من أن لديك صلاحيات كافية وحاول مرة أخرى.",
@ -759,15 +721,6 @@
"Banned by %(displayName)s": "حظره %(displayName)s", "Banned by %(displayName)s": "حظره %(displayName)s",
"Unban": "فك الحظر", "Unban": "فك الحظر",
"Failed to unban": "تعذر فك الحظر", "Failed to unban": "تعذر فك الحظر",
"Modify widgets": "تعديل عناصر الواجهة",
"Enable room encryption": "تفعيل تشفير الغرفة",
"Upgrade the room": "ترقية الغرفة",
"Change topic": "تغيير الموضوع",
"Change permissions": "تغيير الصلاحيات",
"Change history visibility": "تغيير ظهور التاريخ",
"Change main address for the room": "تغيير العنوان الأساسي للغرفة",
"Change room name": "تغيير اسم الغرفة",
"Change room avatar": "تغيير صورة الغرفة",
"Browse": "تصفح", "Browse": "تصفح",
"Set a new custom sound": "تعيين صوت مخصص جديد", "Set a new custom sound": "تعيين صوت مخصص جديد",
"Notification sound": "صوت الإشعار", "Notification sound": "صوت الإشعار",
@ -793,9 +746,7 @@
"You may need to manually permit %(brand)s to access your microphone/webcam": "قد تحتاج إلى السماح يدويًا ل%(brand)s s بالوصول إلى الميكروفون / كاميرا الويب", "You may need to manually permit %(brand)s to access your microphone/webcam": "قد تحتاج إلى السماح يدويًا ل%(brand)s s بالوصول إلى الميكروفون / كاميرا الويب",
"No media permissions": "لا إذن للوسائط", "No media permissions": "لا إذن للوسائط",
"Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "قام مسؤول الخادم بتعطيل التشفير من طرف إلى طرف أصلاً في الغرف الخاصة والرسائل الخاصّة.", "Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "قام مسؤول الخادم بتعطيل التشفير من طرف إلى طرف أصلاً في الغرف الخاصة والرسائل الخاصّة.",
"Cross-signing": "التوقيع المتبادل",
"Message search": "بحث الرسائل", "Message search": "بحث الرسائل",
"Secure Backup": "تأمين النسخ الاحتياطي",
"Reject all %(invitedRooms)s invites": "رفض كل الدعوات (%(invitedRooms)s)", "Reject all %(invitedRooms)s invites": "رفض كل الدعوات (%(invitedRooms)s)",
"Accept all %(invitedRooms)s invites": "قبول كل الدعوات (%(invitedRooms)s)", "Accept all %(invitedRooms)s invites": "قبول كل الدعوات (%(invitedRooms)s)",
"Bulk options": "خيارات مجمعة", "Bulk options": "خيارات مجمعة",
@ -918,11 +869,6 @@
"%(senderName)s updated the rule banning rooms 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",
"Takes the call in the current room off hold": "يوقف المكالمة في الغرفة الحالية", "Takes the call in the current room off hold": "يوقف المكالمة في الغرفة الحالية",
"Places the call in the current room on hold": "يضع المكالمة في الغرفة الحالية قيد الانتظار", "Places the call in the current room on hold": "يضع المكالمة في الغرفة الحالية قيد الانتظار",
"No other application is using the webcam": "أنّ كمرة الوِب لا تستعملها تطبيقات أخرى",
"Permission is granted to use the webcam": "أنّك منحت تصريحًا لاستعمال كمرة الوِب",
"A microphone and webcam are plugged in and set up correctly": "أنّك وصلت ميكروفونًا وكمرة وِب كما ينبغي",
"Unable to access webcam / microphone": "تعذر الوصول إلى كاميرا الوِب / الميكروفون",
"Unable to access microphone": "تعذر الوصول إلى الميكروفون",
"Cuba": "كوبا", "Cuba": "كوبا",
"Croatia": "كرواتيا", "Croatia": "كرواتيا",
"Costa Rica": "كوستا ريكا", "Costa Rica": "كوستا ريكا",
@ -979,12 +925,8 @@
"Algeria": "الجزائر", "Algeria": "الجزائر",
"Åland Islands": "جزر آلاند", "Åland Islands": "جزر آلاند",
"We couldn't log you in": "تعذر الولوج", "We couldn't log you in": "تعذر الولوج",
"You're already in a call with this person.": "أنت تُجري مكالمة مع هذا الشخص فعلًا.",
"Already in call": "تُجري مكالمة فعلًا",
"You've reached the maximum number of simultaneous calls.": "لقد بلغت الحد الأقصى من المكالمات المتزامنة.", "You've reached the maximum number of simultaneous calls.": "لقد بلغت الحد الأقصى من المكالمات المتزامنة.",
"Too Many Calls": "مكالمات كثيرة جدا", "Too Many Calls": "مكالمات كثيرة جدا",
"Call failed because webcam or microphone could not be accessed. Check that:": "فشلت المكالمة لتعذر الوصول إلى كمرة الوِب أو الميكرفون. تأكّد من:",
"Call failed because microphone could not be accessed. Check that a microphone is plugged in and set up correctly.": "فشلت المكالمة لتعذر الوصول إلى الميكرفون. تأكّد من وصل الميكرفون وضبطه كما ينبغي.",
"Explore rooms": "استكشِف الغرف", "Explore rooms": "استكشِف الغرف",
"Using this widget may share data <helpIcon /> with %(widgetDomain)s & your integration manager.": "قد يؤدي استخدام عنصر واجهة المستخدم هذا إلى مشاركة البيانات <helpIcon /> مع %(widgetDomain)s ومدير التكامل الخاص بك.", "Using this widget may share data <helpIcon /> with %(widgetDomain)s & your integration manager.": "قد يؤدي استخدام عنصر واجهة المستخدم هذا إلى مشاركة البيانات <helpIcon /> مع %(widgetDomain)s ومدير التكامل الخاص بك.",
"Integration managers receive configuration data, and can modify widgets, send room invites, and set power levels on your behalf.": "يتلقى مديرو التكامل بيانات الضبط، ويمكنهم تعديل عناصر واجهة المستخدم، وإرسال دعوات الغرف، وتعيين مستويات القوة نيابة عنك.", "Integration managers receive configuration data, and can modify widgets, send room invites, and set power levels on your behalf.": "يتلقى مديرو التكامل بيانات الضبط، ويمكنهم تعديل عناصر واجهة المستخدم، وإرسال دعوات الغرف، وتعيين مستويات القوة نيابة عنك.",
@ -1109,8 +1051,6 @@
"User Busy": "المستخدم مشغول", "User Busy": "المستخدم مشغول",
"You cannot place calls without a connection to the server.": "لا يمكنك إجراء المكالمات دون اتصال بالخادوم.", "You cannot place calls without a connection to the server.": "لا يمكنك إجراء المكالمات دون اتصال بالخادوم.",
"Connectivity to the server has been lost": "فُقد الاتصال بالخادوم", "Connectivity to the server has been lost": "فُقد الاتصال بالخادوم",
"You cannot place calls in this browser.": "لا يمكنك إجراء المكالمات في هذا المتصفّح.",
"Calls are unsupported": "المكالمات غير مدعومة",
"%(user1)s and %(user2)s": "%(user1)s و %(user2)s", "%(user1)s and %(user2)s": "%(user1)s و %(user2)s",
"Empty room": "غرفة فارغة", "Empty room": "غرفة فارغة",
"common": { "common": {
@ -1152,7 +1092,11 @@
"encrypted": "التشفير", "encrypted": "التشفير",
"trusted": "موثوق", "trusted": "موثوق",
"not_trusted": "غير موثوق", "not_trusted": "غير موثوق",
"unnamed_room": "غرفة بدون اسم" "unnamed_room": "غرفة بدون اسم",
"stickerpack": "حزمة الملصقات",
"system_alerts": "تنبيهات النظام",
"secure_backup": "تأمين النسخ الاحتياطي",
"cross_signing": "التوقيع المتبادل"
}, },
"action": { "action": {
"continue": "واصِل", "continue": "واصِل",
@ -1221,7 +1165,11 @@
"composer": { "composer": {
"format_bold": "ثخين", "format_bold": "ثخين",
"format_strikethrough": "مشطوب", "format_strikethrough": "مشطوب",
"format_code_block": "كتلة برمجية" "format_code_block": "كتلة برمجية",
"placeholder_reply_encrypted": "أرسل جواباً مشفراً …",
"placeholder_reply": "أرسل جواباً …",
"placeholder_encrypted": "أرسل رسالة مشفرة …",
"placeholder": "أرسل رسالة …"
}, },
"Bold": "ثخين", "Bold": "ثخين",
"power_level": { "power_level": {
@ -1236,7 +1184,11 @@
"matrix_security_issue": "للإبلاغ عن مشكلة أمنية متعلقة بMatrix ، يرجى قراءة <a>سياسة الإفصاح الأمني</a> في Matrix.org.", "matrix_security_issue": "للإبلاغ عن مشكلة أمنية متعلقة بMatrix ، يرجى قراءة <a>سياسة الإفصاح الأمني</a> في Matrix.org.",
"submit_debug_logs": "إرسال سجلات تصحيح الأخطاء", "submit_debug_logs": "إرسال سجلات تصحيح الأخطاء",
"title": "الإبلاغ عن مشاكل في البرنامج", "title": "الإبلاغ عن مشاكل في البرنامج",
"send_logs": "إرسال السِجلات" "send_logs": "إرسال السِجلات",
"collecting_information": "تجميع المعلومات حول نسخة التطبيق",
"collecting_logs": "تجميع السجلات",
"uploading_logs": "رفع السجلات",
"downloading_logs": "تحميل السجلات"
}, },
"time": { "time": {
"date_at_time": "%(date)s في %(time)s" "date_at_time": "%(date)s في %(time)s"
@ -1275,7 +1227,8 @@
"devtools": { "devtools": {
"state_key": "مفتاح الحالة", "state_key": "مفتاح الحالة",
"toolbox": "علبة الأدوات", "toolbox": "علبة الأدوات",
"developer_tools": "أدوات التطوير" "developer_tools": "أدوات التطوير",
"category_other": "أخرى"
}, },
"timeline": { "timeline": {
"m.call.invite": { "m.call.invite": {
@ -1356,6 +1309,9 @@
"other": "%(names)s و %(count)s آخرون يكتبون…", "other": "%(names)s و %(count)s آخرون يكتبون…",
"one": "%(names)s وآخر يكتبون…" "one": "%(names)s وآخر يكتبون…"
} }
},
"m.call.hangup": {
"dm": "انتهت المكالمة"
} }
}, },
"slash_command": { "slash_command": {
@ -1383,7 +1339,13 @@
"help": "يعرض قائمة الأوامر مع الوصف وطرق الاستخدام", "help": "يعرض قائمة الأوامر مع الوصف وطرق الاستخدام",
"whois": "يعرض معلومات عن المستخدم", "whois": "يعرض معلومات عن المستخدم",
"rageshake": "إرسال تقرير خطأ يحتوي على سجلات الاحداث", "rageshake": "إرسال تقرير خطأ يحتوي على سجلات الاحداث",
"msg": "يرسل رسالة الى المستخدم المعطى" "msg": "يرسل رسالة الى المستخدم المعطى",
"usage": "الاستخدام",
"category_messages": "الرسائل",
"category_actions": "الإجراءات",
"category_admin": "مدير",
"category_advanced": "متقدم",
"category_other": "أخرى"
}, },
"presence": { "presence": {
"online_for": "متصل منذ %(duration)s", "online_for": "متصل منذ %(duration)s",
@ -1395,5 +1357,63 @@
"unknown": "غير معروف", "unknown": "غير معروف",
"offline": "منفصل" "offline": "منفصل"
}, },
"Unknown": "غير معروف" "Unknown": "غير معروف",
"event_preview": {
"m.call.answer": {
"you": "لقد انضممت إلى المكالمة",
"user": "%(senderName)s انضم للمكالمة",
"dm": "مكالمتك تحت الإجراء"
},
"m.call.hangup": {
"you": "لقد أنهيتَ المكالمة",
"user": "%(senderName)s أنهى المكالمة"
},
"m.call.invite": {
"you": "لقد بدأت مكالمة",
"user": "%(senderName)s بدأ مكالمة",
"dm_send": "بانتظار الرد",
"dm_receive": "%(senderName)s يتصل"
}
},
"voip": {
"hangup": "إنهاء المكالمة",
"voice_call": "مكالمة صوتية",
"video_call": "مكالمة مرئية",
"unknown_caller": "متصل غير معروف",
"call_failed": "فشل الاتصال",
"unable_to_access_microphone": "تعذر الوصول إلى الميكروفون",
"call_failed_microphone": "فشلت المكالمة لتعذر الوصول إلى الميكرفون. تأكّد من وصل الميكرفون وضبطه كما ينبغي.",
"unable_to_access_media": "تعذر الوصول إلى كاميرا الوِب / الميكروفون",
"call_failed_media": "فشلت المكالمة لتعذر الوصول إلى كمرة الوِب أو الميكرفون. تأكّد من:",
"call_failed_media_connected": "أنّك وصلت ميكروفونًا وكمرة وِب كما ينبغي",
"call_failed_media_permissions": "أنّك منحت تصريحًا لاستعمال كمرة الوِب",
"call_failed_media_applications": "أنّ كمرة الوِب لا تستعملها تطبيقات أخرى",
"already_in_call": "تُجري مكالمة فعلًا",
"already_in_call_person": "أنت تُجري مكالمة مع هذا الشخص فعلًا.",
"unsupported": "المكالمات غير مدعومة",
"unsupported_browser": "لا يمكنك إجراء المكالمات في هذا المتصفّح."
},
"Messages": "الرسائل",
"Other": "أخرى",
"Advanced": "متقدم",
"room_settings": {
"permissions": {
"m.room.avatar": "تغيير صورة الغرفة",
"m.room.name": "تغيير اسم الغرفة",
"m.room.canonical_alias": "تغيير العنوان الأساسي للغرفة",
"m.room.history_visibility": "تغيير ظهور التاريخ",
"m.room.power_levels": "تغيير الصلاحيات",
"m.room.topic": "تغيير الموضوع",
"m.room.tombstone": "ترقية الغرفة",
"m.room.encryption": "تفعيل تشفير الغرفة",
"m.widget": "تعديل عناصر الواجهة",
"users_default": "الدور الاعتيادي",
"events_default": "إرسال الرسائل",
"invite": "دعوة المستخدمين",
"state_default": "تغيير الإعدادات",
"ban": "حظر المستخدمين",
"redact": "حذف رسائل الآخرين",
"notifications.room": "إشعار الجميع"
}
}
} }

View file

@ -1,6 +1,4 @@
{ {
"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", "Waiting for response from server": "Serverdən cavabın gözlənməsi",
"Operation failed": "Əməliyyatın nasazlığı", "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", "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",
@ -33,14 +31,12 @@
"Unable to enable Notifications": "Xəbərdarlıqları daxil qoşmağı bacarmadı", "Unable to enable Notifications": "Xəbərdarlıqları daxil qoşmağı bacarmadı",
"Default": "Varsayılan olaraq", "Default": "Varsayılan olaraq",
"Moderator": "Moderator", "Moderator": "Moderator",
"Admin": "Administrator",
"You need to be logged in.": "Siz sistemə girməlisiniz.", "You need to be logged in.": "Siz sistemə girməlisiniz.",
"You need to be able to invite users to do that.": "Bunun üçün siz istifadəçiləri dəvət etmək imkanına malik olmalısınız.", "You need to be able to invite users to do that.": "Bunun üçün siz istifadəçiləri dəvət etmək imkanına malik olmalısınız.",
"Failed to send request.": "Sorğunu göndərməyi bacarmadı.", "Failed to send request.": "Sorğunu göndərməyi bacarmadı.",
"Power level must be positive integer.": "Hüquqların səviyyəsi müsbət tam ədəd olmalıdır.", "Power level must be positive integer.": "Hüquqların səviyyəsi müsbət tam ədəd olmalıdır.",
"Missing room_id in request": "Sorğuda room_id yoxdur", "Missing room_id in request": "Sorğuda room_id yoxdur",
"Missing user_id in request": "Sorğuda user_id yoxdur", "Missing user_id in request": "Sorğuda user_id yoxdur",
"Usage": "İstifadə",
"Ignored user": "İstifadəçi blokun siyahısına əlavə edilmişdir", "Ignored user": "İstifadəçi blokun siyahısına əlavə edilmişdir",
"You are now ignoring %(userId)s": "Siz %(userId)s blokladınız", "You are now ignoring %(userId)s": "Siz %(userId)s blokladınız",
"Unignored user": "İstifadəçi blokun siyahısından götürülmüşdür", "Unignored user": "İstifadəçi blokun siyahısından götürülmüşdür",
@ -72,9 +68,6 @@
"Unignore": "Blokdan çıxarmaq", "Unignore": "Blokdan çıxarmaq",
"Invited": "Dəvət edilmişdir", "Invited": "Dəvət edilmişdir",
"Filter room members": "İştirakçılara görə axtarış", "Filter room members": "İştirakçılara görə axtarış",
"Hangup": "Bitirmək",
"Voice call": "Səs çağırış",
"Video call": "Video çağırış",
"You do not have permission to post to this room": "Siz bu otağa yaza bilmirsiniz", "You do not have permission to post to this room": "Siz bu otağa yaza bilmirsiniz",
"Command error": "Komandanın səhvi", "Command error": "Komandanın səhvi",
"Join Room": "Otağa girmək", "Join Room": "Otağa girmək",
@ -91,7 +84,6 @@
"Favourite": "Seçilmiş", "Favourite": "Seçilmiş",
"Who can read history?": "Kim tarixi oxuya bilər?", "Who can read history?": "Kim tarixi oxuya bilər?",
"Permissions": "Girişin hüquqları", "Permissions": "Girişin hüquqları",
"Advanced": "Təfərrüatlar",
"Sunday": "Bazar", "Sunday": "Bazar",
"Friday": "Cümə", "Friday": "Cümə",
"Today": "Bu gün", "Today": "Bu gün",
@ -136,7 +128,6 @@
"Confirm passphrase": "Şifrəni təsdiqləyin", "Confirm passphrase": "Şifrəni təsdiqləyin",
"This email address is already in use": "Bu e-mail ünvanı istifadə olunur", "This email address is already in use": "Bu e-mail ünvanı istifadə olunur",
"This phone number is already in use": "Bu telefon nömrəsi artıq istifadə olunur", "This phone number is already in use": "Bu telefon nömrəsi artıq istifadə olunur",
"Call Failed": "Uğursuz zəng",
"Permission Required": "İzn tələb olunur", "Permission Required": "İzn tələb olunur",
"You do not have permission to start a conference call in this room": "Bu otaqda konfrans başlamaq üçün icazə yoxdur", "You do not have permission to start a conference call in this room": "Bu otaqda konfrans başlamaq üçün icazə yoxdur",
"Server may be unavailable, overloaded, or you hit a bug.": "Server, istifadə edilə bilməz, yüklənmiş ola bilər və ya bir səhv vurursunuz.", "Server may be unavailable, overloaded, or you hit a bug.": "Server, istifadə edilə bilməz, yüklənmiş ola bilər və ya bir səhv vurursunuz.",
@ -169,9 +160,6 @@
"This action requires accessing the default identity server <server /> to validate an email address or phone number, but the server does not have any terms of service.": "Bu hərəkət e-poçt ünvanı və ya telefon nömrəsini təsdiqləmək üçün standart şəxsiyyət serverinə <server /> girməyi tələb edir, lakin serverdə heç bir xidmət şəraiti yoxdur.", "This action requires accessing the default identity server <server /> to validate an email address or phone number, but the server does not have any terms of service.": "Bu hərəkət e-poçt ünvanı və ya telefon nömrəsini təsdiqləmək üçün standart şəxsiyyət serverinə <server /> girməyi tələb edir, lakin serverdə heç bir xidmət şəraiti yoxdur.",
"Only continue if you trust the owner of the server.": "Yalnız server sahibinə etibar etsəniz davam edin.", "Only continue if you trust the owner of the server.": "Yalnız server sahibinə etibar etsəniz davam edin.",
"Room %(roomId)s not visible": "Otaq %(roomId)s görünmür", "Room %(roomId)s not visible": "Otaq %(roomId)s görünmür",
"Messages": "Mesajlar",
"Actions": "Tədbirlər",
"Other": "Digər",
"Error upgrading room": "Otaq yeniləmə xətası", "Error upgrading room": "Otaq yeniləmə xətası",
"Double check that your server supports the room version chosen and try again.": "Serverinizin seçilmiş otaq versiyasını dəstəklədiyini bir daha yoxlayın və yenidən cəhd edin.", "Double check that your server supports the room version chosen and try again.": "Serverinizin seçilmiş otaq versiyasını dəstəklədiyini bir daha yoxlayın və yenidən cəhd edin.",
"Use an identity server": "Şəxsiyyət serverindən istifadə edin", "Use an identity server": "Şəxsiyyət serverindən istifadə edin",
@ -280,6 +268,28 @@
"addwidget": "Otağa URL tərəfindən xüsusi bir widjet əlavə edir", "addwidget": "Otağa URL tərəfindən xüsusi bir widjet əlavə edir",
"rainbow": "Verilən mesajı göy qurşağı kimi rəngli göndərir", "rainbow": "Verilən mesajı göy qurşağı kimi rəngli göndərir",
"rainbowme": "Göndərilmiş emote rəngini göy qurşağı kimi göndərir", "rainbowme": "Göndərilmiş emote rəngini göy qurşağı kimi göndərir",
"help": "İstifadə qaydaları və təsvirləri ilə komanda siyahısını göstərir" "help": "İstifadə qaydaları və təsvirləri ilə komanda siyahısını göstərir",
} "usage": "İstifadə",
"category_messages": "Mesajlar",
"category_actions": "Tədbirlər",
"category_admin": "Administrator",
"category_advanced": "Təfərrüatlar",
"category_other": "Digər"
},
"bug_reporting": {
"collecting_information": "Proqramın versiyası haqqında məlumatın yığılması",
"collecting_logs": "Jurnalların bir yığım"
},
"voip": {
"hangup": "Bitirmək",
"voice_call": "Səs çağırış",
"video_call": "Video çağırış",
"call_failed": "Uğursuz zəng"
},
"Messages": "Mesajlar",
"devtools": {
"category_other": "Digər"
},
"Other": "Digər",
"Advanced": "Təfərrüatlar"
} }

View file

@ -37,7 +37,6 @@
"This email address is already in use": "Този имейл адрес е вече зает", "This email address is already in use": "Този имейл адрес е вече зает",
"This phone number is already in use": "Този телефонен номер е вече зает", "This phone number is already in use": "Този телефонен номер е вече зает",
"Failed to verify email address: make sure you clicked the link in the email": "Неуспешно потвърждаване на имейл адреса: уверете се, че сте кликнали върху връзката в имейла", "Failed to verify email address: make sure you clicked the link in the email": "Неуспешно потвърждаване на имейл адреса: уверете се, че сте кликнали върху връзката в имейла",
"Call Failed": "Неуспешно повикване",
"You cannot place a call with yourself.": "Не може да осъществите разговор със себе си.", "You cannot place a call with yourself.": "Не може да осъществите разговор със себе си.",
"Warning!": "Внимание!", "Warning!": "Внимание!",
"Upload Failed": "Качването е неуспешно", "Upload Failed": "Качването е неуспешно",
@ -50,7 +49,6 @@
"Default": "По подразбиране", "Default": "По подразбиране",
"Restricted": "Ограничен", "Restricted": "Ограничен",
"Moderator": "Модератор", "Moderator": "Модератор",
"Admin": "Администратор",
"Failed to invite": "Неуспешна покана", "Failed to invite": "Неуспешна покана",
"You need to be logged in.": "Трябва да влезете в профила си.", "You need to be logged in.": "Трябва да влезете в профила си.",
"You need to be able to invite users to do that.": "За да извършите това, трябва да имате право да добавяте потребители.", "You need to be able to invite users to do that.": "За да извършите това, трябва да имате право да добавяте потребители.",
@ -109,11 +107,6 @@
"Invited": "Поканен", "Invited": "Поканен",
"Filter room members": "Филтриране на членовете", "Filter room members": "Филтриране на членовете",
"%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (ниво на достъп %(powerLevelNumber)s)", "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (ниво на достъп %(powerLevelNumber)s)",
"Hangup": "Затвори",
"Voice call": "Гласово повикване",
"Video call": "Видео повикване",
"Send an encrypted reply…": "Изпрати шифрован отговор…",
"Send an encrypted message…": "Изпрати шифровано съобщение…",
"You do not have permission to post to this room": "Нямате разрешение да публикувате в тази стая", "You do not have permission to post to this room": "Нямате разрешение да публикувате в тази стая",
"Server error": "Сървърна грешка", "Server error": "Сървърна грешка",
"Server unavailable, overloaded, or something else went wrong.": "Сървърът е недостъпен, претоварен или нещо друго се обърка.", "Server unavailable, overloaded, or something else went wrong.": "Сървърът е недостъпен, претоварен или нещо друго се обърка.",
@ -147,7 +140,6 @@
"Members only (since they were invited)": "Само членове (от момента, в който те са поканени)", "Members only (since they were invited)": "Само членове (от момента, в който те са поканени)",
"Members only (since they joined)": "Само членове (от момента, в който са се присъединили)", "Members only (since they joined)": "Само членове (от момента, в който са се присъединили)",
"Permissions": "Разрешения", "Permissions": "Разрешения",
"Advanced": "Разширени",
"Jump to first unread message.": "Отиди до първото непрочетено съобщение.", "Jump to first unread message.": "Отиди до първото непрочетено съобщение.",
"not specified": "неопределен", "not specified": "неопределен",
"This room has no local addresses": "Тази стая няма локални адреси", "This room has no local addresses": "Тази стая няма локални адреси",
@ -159,7 +151,6 @@
"Error decrypting attachment": "Грешка при разшифроване на прикачен файл", "Error decrypting attachment": "Грешка при разшифроване на прикачен файл",
"Decrypt %(text)s": "Разшифровай %(text)s", "Decrypt %(text)s": "Разшифровай %(text)s",
"Download %(text)s": "Изтегли %(text)s", "Download %(text)s": "Изтегли %(text)s",
"Usage": "Употреба",
"Jump to read receipt": "Отиди до потвърждението за прочитане", "Jump to read receipt": "Отиди до потвърждението за прочитане",
"Invalid file%(extra)s": "Невалиден файл%(extra)s", "Invalid file%(extra)s": "Невалиден файл%(extra)s",
"Error decrypting image": "Грешка при разшифроване на снимка", "Error decrypting image": "Грешка при разшифроване на снимка",
@ -359,7 +350,6 @@
"This process allows you to export the keys for messages you have received in encrypted rooms to a local file. You will then be able to import the file into another Matrix client in the future, so that client will also be able to decrypt these messages.": "Този процес Ви позволява да експортирате във файл ключовете за съобщения в шифровани стаи. Така ще можете да импортирате файла в друг Matrix клиент, така че той също да може да разшифрова такива съобщения.", "This process allows you to export the keys for messages you have received in encrypted rooms to a local file. You will then be able to import the file into another Matrix client in the future, so that client will also be able to decrypt these messages.": "Този процес Ви позволява да експортирате във файл ключовете за съобщения в шифровани стаи. Така ще можете да импортирате файла в друг Matrix клиент, така че той също да може да разшифрова такива съобщения.",
"This process allows you to import encryption keys that you had previously exported from another Matrix client. You will then be able to decrypt any messages that the other client could decrypt.": "Този процес позволява да импортирате ключове за шифроване, които преди сте експортирали от друг Matrix клиент. Тогава ще можете да разшифровате всяко съобщение, което другият клиент може да разшифрова.", "This process allows you to import encryption keys that you had previously exported from another Matrix client. You will then be able to decrypt any messages that the other client could decrypt.": "Този процес позволява да импортирате ключове за шифроване, които преди сте експортирали от друг Matrix клиент. Тогава ще можете да разшифровате всяко съобщение, което другият клиент може да разшифрова.",
"The export file will be protected with a passphrase. You should enter the passphrase here, to decrypt the file.": "Експортираният файл може да бъде предпазен с парола. Трябва да въведете парола тук, за да разшифровате файла.", "The export file will be protected with a passphrase. You should enter the passphrase here, to decrypt the file.": "Експортираният файл може да бъде предпазен с парола. Трябва да въведете парола тук, за да разшифровате файла.",
"Stickerpack": "Пакет със стикери",
"You don't currently have any stickerpacks enabled": "В момента нямате включени пакети със стикери", "You don't currently have any stickerpacks enabled": "В момента нямате включени пакети със стикери",
"Sunday": "Неделя", "Sunday": "Неделя",
"Notification targets": "Устройства, получаващи известия", "Notification targets": "Устройства, получаващи известия",
@ -375,13 +365,11 @@
"Filter results": "Филтриране на резултати", "Filter results": "Филтриране на резултати",
"No update available.": "Няма нова версия.", "No update available.": "Няма нова версия.",
"Noisy": "Шумно", "Noisy": "Шумно",
"Collecting app version information": "Събиране на информация за версията на приложението",
"Search…": "Търсене…", "Search…": "Търсене…",
"Tuesday": "Вторник", "Tuesday": "Вторник",
"Preparing to send logs": "Подготовка за изпращане на логове", "Preparing to send logs": "Подготовка за изпращане на логове",
"Saturday": "Събота", "Saturday": "Събота",
"Monday": "Понеделник", "Monday": "Понеделник",
"Collecting logs": "Събиране на логове",
"All Rooms": "Във всички стаи", "All Rooms": "Във всички стаи",
"Wednesday": "Сряда", "Wednesday": "Сряда",
"All messages": "Всички съобщения", "All messages": "Всички съобщения",
@ -429,7 +417,6 @@
"This event could not be displayed": "Това събитие не може да бъде показано", "This event could not be displayed": "Това събитие не може да бъде показано",
"Permission Required": "Необходимо е разрешение", "Permission Required": "Необходимо е разрешение",
"You do not have permission to start a conference call in this room": "Нямате достъп да започнете конферентен разговор в тази стая", "You do not have permission to start a conference call in this room": "Нямате достъп да започнете конферентен разговор в тази стая",
"System Alerts": "Системни уведомления",
"Only room administrators will see this warning": "Само администратори на стаята виждат това предупреждение", "Only room administrators will see this warning": "Само администратори на стаята виждат това предупреждение",
"This homeserver has hit its Monthly Active User limit.": "Този сървър е достигнал лимита си за активни потребители на месец.", "This homeserver has hit its Monthly Active User limit.": "Този сървър е достигнал лимита си за активни потребители на месец.",
"This homeserver has exceeded one of its resource limits.": "Този сървър е надвишил някой от лимитите си.", "This homeserver has exceeded one of its resource limits.": "Този сървър е надвишил някой от лимитите си.",
@ -569,7 +556,6 @@
"Email (optional)": "Имейл (незадължително)", "Email (optional)": "Имейл (незадължително)",
"Phone (optional)": "Телефон (незадължително)", "Phone (optional)": "Телефон (незадължително)",
"Join millions for free on the largest public server": "Присъединете се безплатно към милиони други на най-големия публичен сървър", "Join millions for free on the largest public server": "Присъединете се безплатно към милиони други на най-големия публичен сървър",
"Other": "Други",
"Create account": "Създай акаунт", "Create account": "Създай акаунт",
"Recovery Method Removed": "Методът за възстановяване беше премахнат", "Recovery Method Removed": "Методът за възстановяване беше премахнат",
"If you didn't remove the recovery method, an attacker may be trying to access your account. Change your account password and set a new recovery method immediately in Settings.": "Ако не сте премахнали метода за възстановяване, е възможно нападател да се опитва да получи достъп до акаунта Ви. Променете паролата на акаунта и настройте нов метод за възстановяване веднага от Настройки.", "If you didn't remove the recovery method, an attacker may be trying to access your account. Change your account password and set a new recovery method immediately in Settings.": "Ако не сте премахнали метода за възстановяване, е възможно нападател да се опитва да получи достъп до акаунта Ви. Променете паролата на акаунта и настройте нов метод за възстановяване веднага от Настройки.",
@ -662,19 +648,6 @@
"Could not load user profile": "Неуспешно зареждане на потребителския профил", "Could not load user profile": "Неуспешно зареждане на потребителския профил",
"The user must be unbanned before they can be invited.": "Трябва да се махне блокирането на потребителя преди да може да бъде поканен пак.", "The user must be unbanned before they can be invited.": "Трябва да се махне блокирането на потребителя преди да може да бъде поканен пак.",
"Accept all %(invitedRooms)s invites": "Приеми всички %(invitedRooms)s покани", "Accept all %(invitedRooms)s invites": "Приеми всички %(invitedRooms)s покани",
"Change room avatar": "Промяна на снимката на стаята",
"Change room name": "Промяна на името на стаята",
"Change main address for the room": "Промяна на основния адрес на стаята",
"Change history visibility": "Промяна на видимостта на историята",
"Change permissions": "Промяна на привилегиите",
"Change topic": "Промяна на темата",
"Modify widgets": "Промяна на приспособленията",
"Default role": "Роля по подразбиране",
"Send messages": "Изпращане на съобщения",
"Invite users": "Канене на потребители",
"Change settings": "Промяна на настройките",
"Ban users": "Блокиране на потребители",
"Notify everyone": "Уведомяване на всички",
"Send %(eventType)s events": "Изпрати %(eventType)s събития", "Send %(eventType)s events": "Изпрати %(eventType)s събития",
"Select the roles required to change various parts of the room": "Изберете ролите необходими за промяна на различни части от стаята", "Select the roles required to change various parts of the room": "Изберете ролите необходими за промяна на различни части от стаята",
"Enable encryption?": "Включване на шифроване?", "Enable encryption?": "Включване на шифроване?",
@ -809,8 +782,6 @@
"This account has been deactivated.": "Този акаунт е деактивиран.", "This account has been deactivated.": "Този акаунт е деактивиран.",
"Call failed due to misconfigured server": "Неуспешен разговор поради неправилно конфигуриран сървър", "Call failed due to misconfigured server": "Неуспешен разговор поради неправилно конфигуриран сървър",
"Please ask the administrator of your homeserver (<code>%(homeserverDomain)s</code>) to configure a TURN server in order for calls to work reliably.": "Попитайте администратора на сървъра ви (<code>%(homeserverDomain)s</code>) да конфигурира TURN сървър, за да може разговорите да работят надеждно.", "Please ask the administrator of your homeserver (<code>%(homeserverDomain)s</code>) to configure a TURN server in order for calls to work reliably.": "Попитайте администратора на сървъра ви (<code>%(homeserverDomain)s</code>) да конфигурира TURN сървър, за да може разговорите да работят надеждно.",
"Messages": "Съобщения",
"Actions": "Действия",
"Checking server": "Проверка на сървъра", "Checking server": "Проверка на сървъра",
"Identity server has no terms of service": "Сървъра за самоличност няма условия за ползване", "Identity server has no terms of service": "Сървъра за самоличност няма условия за ползване",
"The identity server you have chosen does not have any terms of service.": "Избраният от вас сървър за самоличност няма условия за ползване на услугата.", "The identity server you have chosen does not have any terms of service.": "Избраният от вас сървър за самоличност няма условия за ползване на услугата.",
@ -840,8 +811,6 @@
"Using an identity server is optional. If you choose not to use an identity server, you won't be discoverable by other users and you won't be able to invite others by email or phone.": "Използването на сървър за самоличност не е задължително. Ако не използвате такъв, няма да бъдете откриваеми от други потребители и няма да можете да ги каните по имейл или телефон.", "Using an identity server is optional. If you choose not to use an identity server, you won't be discoverable by other users and you won't be able to invite others by email or phone.": "Използването на сървър за самоличност не е задължително. Ако не използвате такъв, няма да бъдете откриваеми от други потребители и няма да можете да ги каните по имейл или телефон.",
"Do not use an identity server": "Не ползвай сървър за самоличност", "Do not use an identity server": "Не ползвай сървър за самоличност",
"Agree to the identity server (%(serverName)s) Terms of Service to allow yourself to be discoverable by email address or phone number.": "Приемете условията за ползване на сървъра за самоличност (%(serverName)s) за да бъдете откриваеми по имейл адрес или телефонен номер.", "Agree to the identity server (%(serverName)s) Terms of Service to allow yourself to be discoverable by email address or phone number.": "Приемете условията за ползване на сървъра за самоличност (%(serverName)s) за да бъдете откриваеми по имейл адрес или телефонен номер.",
"Upgrade the room": "Обновяване на стаята",
"Enable room encryption": "Включете шифроване на стаята",
"Use an identity server": "Използвай сървър за самоличност", "Use an identity server": "Използвай сървър за самоличност",
"Use an identity server to invite by email. Click continue to use the default identity server (%(defaultIdentityServerName)s) or manage in Settings.": "Използвайте сървър за самоличност за да каните по имейл. Натиснете продължи за да използвате сървъра за самоличност по подразбиране (%(defaultIdentityServerName)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) или го променете в Настройки.",
"Use an identity server to invite by email. Manage in Settings.": "Използвайте сървър за самоличност за да каните по имейл. Управление от Настройки.", "Use an identity server to invite by email. Manage in Settings.": "Използвайте сървър за самоличност за да каните по имейл. Управление от Настройки.",
@ -1004,7 +973,6 @@
"Subscribed lists": "Абонирани списъци", "Subscribed lists": "Абонирани списъци",
"Subscribing to a ban list will cause you to join it!": "Абонирането към списък ще направи така, че да се присъедините към него!", "Subscribing to a ban list will cause you to join it!": "Абонирането към списък ще направи така, че да се присъедините към него!",
"If this isn't what you want, please use a different tool to ignore users.": "Ако това не е каквото искате, използвайте друг инструмент за игнориране на потребители.", "If this isn't what you want, please use a different tool to ignore users.": "Ако това не е каквото искате, използвайте друг инструмент за игнориране на потребители.",
"Cross-signing": "Кръстосано-подписване",
"Unencrypted": "Нешифровано", "Unencrypted": "Нешифровано",
"Close preview": "Затвори прегледа", "Close preview": "Затвори прегледа",
"<userName/> wants to chat": "<userName/> иска да чати", "<userName/> wants to chat": "<userName/> иска да чати",
@ -1140,8 +1108,6 @@
"Encrypted by an unverified session": "Шифровано от неверифицирана сесия", "Encrypted by an unverified session": "Шифровано от неверифицирана сесия",
"Encrypted by a deleted session": "Шифровано от изтрита сесия", "Encrypted by a deleted session": "Шифровано от изтрита сесия",
"Scroll to most recent messages": "Отиди до най-скорошните съобщения", "Scroll to most recent messages": "Отиди до най-скорошните съобщения",
"Send a reply…": "Изпрати отговор…",
"Send a message…": "Изпрати съобщение…",
"Reject & Ignore user": "Откажи и игнорирай потребителя", "Reject & Ignore user": "Откажи и игнорирай потребителя",
"Unknown Command": "Непозната команда", "Unknown Command": "Непозната команда",
"Unrecognised command: %(commandText)s": "Неразпозната команда: %(commandText)s", "Unrecognised command: %(commandText)s": "Неразпозната команда: %(commandText)s",
@ -1345,16 +1311,6 @@
"Message preview": "Преглед на съобщението", "Message preview": "Преглед на съобщението",
"List options": "Опции на списъка", "List options": "Опции на списъка",
"Room options": "Настройки на стаята", "Room options": "Настройки на стаята",
"You joined the call": "Присъединихте се към разговор",
"%(senderName)s joined the call": "%(senderName)s се присъедини към разговор",
"Call in progress": "Тече разговор",
"Call ended": "Разговора приключи",
"You started a call": "Започнахте разговор",
"%(senderName)s started a call": "%(senderName)s започна разговор",
"Waiting for answer": "Изчакване на отговор",
"%(senderName)s is calling": "%(senderName)s се обажда",
"%(senderName)s: %(message)s": "%(senderName)s: %(message)s",
"* %(senderName)s %(emote)s": "%(senderName)s%(emote)s",
"Safeguard against losing access to encrypted messages & data": "Защитете се срещу загуба на достъп до криптирани съобшения и информация", "Safeguard against losing access to encrypted messages & data": "Защитете се срещу загуба на достъп до криптирани съобшения и информация",
"Set up Secure Backup": "Конфигуриране на Защитен Архив", "Set up Secure Backup": "Конфигуриране на Защитен Архив",
"Unknown App": "Неизвестно приложение", "Unknown App": "Неизвестно приложение",
@ -1362,11 +1318,7 @@
"Are you sure you want to cancel entering passphrase?": "Сигурни ли сте че желате да прекратите въвеждането на паролата?", "Are you sure you want to cancel entering passphrase?": "Сигурни ли сте че желате да прекратите въвеждането на паролата?",
"The call could not be established": "Обаждането не може да бъде осъществено", "The call could not be established": "Обаждането не може да бъде осъществено",
"Answered Elsewhere": "Отговорено на друго място", "Answered Elsewhere": "Отговорено на друго място",
"Unknown caller": "Непознат абонат",
"Downloading logs": "Изтегляне на логове",
"Uploading logs": "Качване на логове",
"Change notification settings": "Промяна на настройките за уведомление", "Change notification settings": "Промяна на настройките за уведомление",
"%(senderName)s: %(stickerName)s": "%(senderName)s: %(stickerName)s",
"Unexpected server error trying to leave the room": "Възникна неочаквана сървърна грешка при опит за напускане на стаята", "Unexpected server error trying to leave the room": "Възникна неочаквана сървърна грешка при опит за напускане на стаята",
"The call was answered on another device.": "На обаждането беше отговорено от друго устройство.", "The call was answered on another device.": "На обаждането беше отговорено от друго устройство.",
"This room is public": "Тази стая е публична", "This room is public": "Тази стая е публична",
@ -1439,8 +1391,6 @@
"Explore public rooms": "Прегледай публични стаи", "Explore public rooms": "Прегледай публични стаи",
"Show Widgets": "Покажи приспособленията", "Show Widgets": "Покажи приспособленията",
"Hide Widgets": "Скрий приспособленията", "Hide Widgets": "Скрий приспособленията",
"Remove messages sent by others": "Премахвай съобщения изпратени от други",
"Secure Backup": "Защитено резервно копие",
"Set the name of a font installed on your system & %(brand)s will attempt to use it.": "Настройте името на шрифт инсталиран в системата и %(brand)s ще се опита да го използва.", "Set the name of a font installed on your system & %(brand)s will attempt to use it.": "Настройте името на шрифт инсталиран в системата и %(brand)s ще се опита да го използва.",
"not ready": "не е готово", "not ready": "не е готово",
"ready": "готово", "ready": "готово",
@ -1457,8 +1407,6 @@
"Cross-signing is not set up.": "Кръстосаното-подписване не е настроено.", "Cross-signing is not set up.": "Кръстосаното-подписване не е настроено.",
"Cross-signing is ready for use.": "Кръстосаното-подписване е готово за използване.", "Cross-signing is ready for use.": "Кръстосаното-подписване е готово за използване.",
"Your server isn't responding to some <a>requests</a>.": "Сървърът ви не отговаря на някои <a>заявки</a>.", "Your server isn't responding to some <a>requests</a>.": "Сървърът ви не отговаря на някои <a>заявки</a>.",
"%(senderName)s ended the call": "%(senderName)s приключи разговора",
"You ended the call": "Приключихте разговора",
"New version of %(brand)s is available": "Налична е нова версия на %(brand)s", "New version of %(brand)s is available": "Налична е нова версия на %(brand)s",
"Update %(brand)s": "Обнови %(brand)s", "Update %(brand)s": "Обнови %(brand)s",
"Enable desktop notifications": "Включете уведомления на работния плот", "Enable desktop notifications": "Включете уведомления на работния плот",
@ -1497,15 +1445,8 @@
"Converts the room to a DM": "Превръща стаята в директен чат", "Converts the room to a DM": "Превръща стаята в директен чат",
"Takes the call in the current room off hold": "Възстановява повикването в текущата стая", "Takes the call in the current room off hold": "Възстановява повикването в текущата стая",
"Places the call in the current room on hold": "Задържа повикването в текущата стая", "Places the call in the current room on hold": "Задържа повикването в текущата стая",
"Permission is granted to use the webcam": "Разрешение за използване на уеб камерата е дадено",
"Call failed because webcam or microphone could not be accessed. Check that:": "Неуспешно повикване поради неуспешен достъп до уеб камера или микрофон. Проверете дали:",
"A microphone and webcam are plugged in and set up correctly": "Микрофон и уеб камера са включени и настроени правилно",
"We couldn't log you in": "Не можахме да ви впишем", "We couldn't log you in": "Не можахме да ви впишем",
"You've reached the maximum number of simultaneous calls.": "Достигнахте максималният брой едновременни повиквания.", "You've reached the maximum number of simultaneous calls.": "Достигнахте максималният брой едновременни повиквания.",
"No other application is using the webcam": "Никое друго приложение не използва уеб камерата",
"Unable to access webcam / microphone": "Неуспешен достъп до уеб камера / микрофон",
"Unable to access microphone": "Неуспешен достъп до микрофон",
"Effects": "Ефекти",
"Anguilla": "Ангила", "Anguilla": "Ангила",
"British Indian Ocean Territory": "Британска територия в Индийския океан", "British Indian Ocean Territory": "Британска територия в Индийския океан",
"Pitcairn Islands": "острови Питкерн", "Pitcairn Islands": "острови Питкерн",
@ -1788,10 +1729,7 @@
"Share your public space": "Споделете публичното си място", "Share your public space": "Споделете публичното си място",
"Invite to %(spaceName)s": "Покани в %(spaceName)s", "Invite to %(spaceName)s": "Покани в %(spaceName)s",
"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.": "Помолихме браузъра да запомни кой Home сървър използвате за влизане, но за съжаление браузърът ви го е забравил. Отидете на страницата за влизане и опитайте отново.", "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.": "Помолихме браузъра да запомни кой Home сървър използвате за влизане, но за съжаление браузърът ви го е забравил. Отидете на страницата за влизане и опитайте отново.",
"Already in call": "Вече в разговор",
"You're already in a call with this person.": "Вече сте в разговор в този човек.",
"Too Many Calls": "Твърде много повиквания", "Too Many Calls": "Твърде много повиквания",
"Call failed because microphone could not be accessed. Check that a microphone is plugged in and set up correctly.": "Неуспешно повикване поради неуспешен достъп до микрофон. Проверете дали микрофонът е включен и настроен правилно.",
"Integration manager": "Мениджър на интеграции", "Integration manager": "Мениджър на интеграции",
"Your %(brand)s doesn't allow you to use an integration manager to do this. Please contact an admin.": "Вашият %(brand)s не позволява да използвате мениджъра на интеграции за да направите това. Свържете се с администратор.", "Your %(brand)s doesn't allow you to use an integration manager to do this. Please contact an admin.": "Вашият %(brand)s не позволява да използвате мениджъра на интеграции за да направите това. Свържете се с администратор.",
"Using this widget may share data <helpIcon /> with %(widgetDomain)s & your integration manager.": "Използването на това приспособление може да сподели данни <helpIcon /> с %(widgetDomain)s и с мениджъра на интеграции.", "Using this widget may share data <helpIcon /> with %(widgetDomain)s & your integration manager.": "Използването на това приспособление може да сподели данни <helpIcon /> с %(widgetDomain)s и с мениджъра на интеграции.",
@ -1811,8 +1749,6 @@
"There was an error looking up the phone number": "Имаше грешка в търсенето на телефонния номер", "There was an error looking up the phone number": "Имаше грешка в търсенето на телефонния номер",
"You cannot place calls without a connection to the server.": "Не можете да поставяте обаждания без връзка със сървъра.", "You cannot place calls without a connection to the server.": "Не можете да поставяте обаждания без връзка със сървъра.",
"Connectivity to the server has been lost": "Вързката със сървъра е загубена", "Connectivity to the server has been lost": "Вързката със сървъра е загубена",
"You cannot place calls in this browser.": "Не можете да провеждате обаждания в този браузър.",
"Calls are unsupported": "Обажданията не се поддържат",
"The user you called is busy.": "Потребителят, когото потърсихте, е зает.", "The user you called is busy.": "Потребителят, когото потърсихте, е зает.",
"User Busy": "Потребителят е зает", "User Busy": "Потребителят е зает",
"Some invites couldn't be sent": "Някои покани не можаха да бъдат изпратени", "Some invites couldn't be sent": "Някои покани не можаха да бъдат изпратени",
@ -1881,7 +1817,11 @@
"matrix": "Matrix", "matrix": "Matrix",
"trusted": "Доверени", "trusted": "Доверени",
"not_trusted": "Недоверени", "not_trusted": "Недоверени",
"unnamed_room": "Стая без име" "unnamed_room": "Стая без име",
"stickerpack": "Пакет със стикери",
"system_alerts": "Системни уведомления",
"secure_backup": "Защитено резервно копие",
"cross_signing": "Кръстосано-подписване"
}, },
"action": { "action": {
"continue": "Продължи", "continue": "Продължи",
@ -1987,7 +1927,11 @@
"format_bold": "Удебелено", "format_bold": "Удебелено",
"format_strikethrough": "Задраскано", "format_strikethrough": "Задраскано",
"format_inline_code": "Код", "format_inline_code": "Код",
"format_code_block": "Блок с код" "format_code_block": "Блок с код",
"placeholder_reply_encrypted": "Изпрати шифрован отговор…",
"placeholder_reply": "Изпрати отговор…",
"placeholder_encrypted": "Изпрати шифровано съобщение…",
"placeholder": "Изпрати съобщение…"
}, },
"Bold": "Удебелено", "Bold": "Удебелено",
"Code": "Код", "Code": "Код",
@ -2007,7 +1951,11 @@
"send_logs": "Изпращане на логове", "send_logs": "Изпращане на логове",
"github_issue": "GitHub проблем", "github_issue": "GitHub проблем",
"download_logs": "Изтегли на логове", "download_logs": "Изтегли на логове",
"before_submitting": "Преди да изпратите логове, трябва да <a>отворите доклад за проблем в Github</a>." "before_submitting": "Преди да изпратите логове, трябва да <a>отворите доклад за проблем в Github</a>.",
"collecting_information": "Събиране на информация за версията на приложението",
"collecting_logs": "Събиране на логове",
"uploading_logs": "Качване на логове",
"downloading_logs": "Изтегляне на логове"
}, },
"time": { "time": {
"date_at_time": "%(date)s в %(time)s", "date_at_time": "%(date)s в %(time)s",
@ -2070,7 +2018,9 @@
"event_sent": "Събитието е изпратено!", "event_sent": "Събитието е изпратено!",
"event_content": "Съдържание на събитието", "event_content": "Съдържание на събитието",
"toolbox": "Инструменти", "toolbox": "Инструменти",
"developer_tools": "Инструменти за разработчика" "developer_tools": "Инструменти за разработчика",
"category_room": "Стая",
"category_other": "Други"
}, },
"create_room": { "create_room": {
"title_public_room": "Създай публична стая", "title_public_room": "Създай публична стая",
@ -2141,6 +2091,9 @@
"other": "%(names)s и %(count)s други пишат …", "other": "%(names)s и %(count)s други пишат …",
"one": "%(names)s и още един пишат …" "one": "%(names)s и още един пишат …"
} }
},
"m.call.hangup": {
"dm": "Разговора приключи"
} }
}, },
"slash_command": { "slash_command": {
@ -2171,7 +2124,14 @@
"help": "Показва списък с команди, начин на използване и описания", "help": "Показва списък с команди, начин на използване и описания",
"whois": "Показва информация за потребителя", "whois": "Показва информация за потребителя",
"rageshake": "Изпратете доклад за грешка с логове", "rageshake": "Изпратете доклад за грешка с логове",
"msg": "Изпраща съобщение до дадения потребител" "msg": "Изпраща съобщение до дадения потребител",
"usage": "Употреба",
"category_messages": "Съобщения",
"category_actions": "Действия",
"category_admin": "Администратор",
"category_advanced": "Разширени",
"category_effects": "Ефекти",
"category_other": "Други"
}, },
"presence": { "presence": {
"online_for": "Онлайн от %(duration)s", "online_for": "Онлайн от %(duration)s",
@ -2184,5 +2144,66 @@
"offline": "Офлайн", "offline": "Офлайн",
"away": "Отсъства" "away": "Отсъства"
}, },
"Unknown": "Неизвестен" "Unknown": "Неизвестен",
"event_preview": {
"m.call.answer": {
"you": "Присъединихте се към разговор",
"user": "%(senderName)s се присъедини към разговор",
"dm": "Тече разговор"
},
"m.call.hangup": {
"you": "Приключихте разговора",
"user": "%(senderName)s приключи разговора"
},
"m.call.invite": {
"you": "Започнахте разговор",
"user": "%(senderName)s започна разговор",
"dm_send": "Изчакване на отговор",
"dm_receive": "%(senderName)s се обажда"
},
"m.emote": "%(senderName)s%(emote)s",
"m.text": "%(senderName)s: %(message)s",
"m.sticker": "%(senderName)s: %(stickerName)s"
},
"voip": {
"hangup": "Затвори",
"voice_call": "Гласово повикване",
"video_call": "Видео повикване",
"unknown_caller": "Непознат абонат",
"call_failed": "Неуспешно повикване",
"unable_to_access_microphone": "Неуспешен достъп до микрофон",
"call_failed_microphone": "Неуспешно повикване поради неуспешен достъп до микрофон. Проверете дали микрофонът е включен и настроен правилно.",
"unable_to_access_media": "Неуспешен достъп до уеб камера / микрофон",
"call_failed_media": "Неуспешно повикване поради неуспешен достъп до уеб камера или микрофон. Проверете дали:",
"call_failed_media_connected": "Микрофон и уеб камера са включени и настроени правилно",
"call_failed_media_permissions": "Разрешение за използване на уеб камерата е дадено",
"call_failed_media_applications": "Никое друго приложение не използва уеб камерата",
"already_in_call": "Вече в разговор",
"already_in_call_person": "Вече сте в разговор в този човек.",
"unsupported": "Обажданията не се поддържат",
"unsupported_browser": "Не можете да провеждате обаждания в този браузър."
},
"Messages": "Съобщения",
"Other": "Други",
"Advanced": "Разширени",
"room_settings": {
"permissions": {
"m.room.avatar": "Промяна на снимката на стаята",
"m.room.name": "Промяна на името на стаята",
"m.room.canonical_alias": "Промяна на основния адрес на стаята",
"m.room.history_visibility": "Промяна на видимостта на историята",
"m.room.power_levels": "Промяна на привилегиите",
"m.room.topic": "Промяна на темата",
"m.room.tombstone": "Обновяване на стаята",
"m.room.encryption": "Включете шифроване на стаята",
"m.widget": "Промяна на приспособленията",
"users_default": "Роля по подразбиране",
"events_default": "Изпращане на съобщения",
"invite": "Канене на потребители",
"state_default": "Промяна на настройките",
"ban": "Блокиране на потребители",
"redact": "Премахвай съобщения изпратени от други",
"notifications.room": "Уведомяване на всички"
}
}
} }

View file

@ -2,7 +2,6 @@
"Account": "Compte", "Account": "Compte",
"No Microphones detected": "No s'ha detectat cap micròfon", "No Microphones detected": "No s'ha detectat cap micròfon",
"No Webcams detected": "No s'ha detectat cap càmera web", "No Webcams detected": "No s'ha detectat cap càmera web",
"Advanced": "Avançat",
"Create new room": "Crea una sala nova", "Create new room": "Crea una sala nova",
"Failed to forget room %(errCode)s": "No s'ha pogut oblidar la sala %(errCode)s", "Failed to forget room %(errCode)s": "No s'ha pogut oblidar la sala %(errCode)s",
"Favourite": "Favorit", "Favourite": "Favorit",
@ -15,7 +14,6 @@
"This email address is already in use": "Aquesta adreça de correu electrònic ja està en ús", "This email address is already in use": "Aquesta adreça de correu electrònic ja està en ús",
"This phone number is already in use": "Aquest número de telèfon ja està en ús", "This phone number is already in use": "Aquest número de telèfon ja està en ús",
"Failed to verify email address: make sure you clicked the link in the email": "No s'ha pogut verificar l'adreça de correu electrònic: assegura't de fer clic a l'enllaç del correu electrònic", "Failed to verify email address: make sure you clicked the link in the email": "No s'ha pogut verificar l'adreça de correu electrònic: assegura't de fer clic a l'enllaç del correu electrònic",
"Call Failed": "No s'ha pogut realitzar la trucada",
"You cannot place a call with yourself.": "No pots trucar-te a tu mateix.", "You cannot place a call with yourself.": "No pots trucar-te a tu mateix.",
"Warning!": "Avís!", "Warning!": "Avís!",
"Upload Failed": "No s'ha pogut pujar", "Upload Failed": "No s'ha pogut pujar",
@ -51,7 +49,6 @@
"Default": "Predeterminat", "Default": "Predeterminat",
"Restricted": "Restringit", "Restricted": "Restringit",
"Moderator": "Moderador", "Moderator": "Moderador",
"Admin": "Administrador",
"Failed to invite": "No s'ha pogut convidar", "Failed to invite": "No s'ha pogut convidar",
"You need to be logged in.": "Has d'haver iniciat sessió.", "You need to be logged in.": "Has d'haver iniciat sessió.",
"You need to be able to invite users to do that.": "Per fer això, necessites poder convidar a usuaris.", "You need to be able to invite users to do that.": "Per fer això, necessites poder convidar a usuaris.",
@ -64,7 +61,6 @@
"Missing room_id in request": "Falta el room_id a la sol·licitud", "Missing room_id in request": "Falta el room_id a la sol·licitud",
"Room %(roomId)s not visible": "Sala %(roomId)s no visible", "Room %(roomId)s not visible": "Sala %(roomId)s no visible",
"Missing user_id in request": "Falta l'user_id a la sol·licitud", "Missing user_id in request": "Falta l'user_id a la sol·licitud",
"Usage": "Ús",
"Ignored user": "Usuari ignorat", "Ignored user": "Usuari ignorat",
"You are now ignoring %(userId)s": "Estàs ignorant l'usuari %(userId)s", "You are now ignoring %(userId)s": "Estàs ignorant l'usuari %(userId)s",
"Unignored user": "Usuari no ignorat", "Unignored user": "Usuari no ignorat",
@ -113,11 +109,6 @@
"Invited": "Convidat", "Invited": "Convidat",
"Filter room members": "Filtra els membres de la sala", "Filter room members": "Filtra els membres de la sala",
"%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (autoritat %(powerLevelNumber)s)", "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (autoritat %(powerLevelNumber)s)",
"Hangup": "Penja",
"Voice call": "Trucada de veu",
"Video call": "Trucada de vídeo",
"Send an encrypted reply…": "Envia una resposta xifrada…",
"Send an encrypted message…": "Envia un missatge xifrat…",
"You do not have permission to post to this room": "No tens permís per enviar res en aquesta sala", "You do not have permission to post to this room": "No tens permís per enviar res en aquesta sala",
"Server error": "Error de servidor", "Server error": "Error de servidor",
"Mirror local video feed": "Remet el flux de vídeo local", "Mirror local video feed": "Remet el flux de vídeo local",
@ -342,13 +333,11 @@
"Filter results": "Resultats del filtre", "Filter results": "Resultats del filtre",
"No update available.": "No hi ha cap actualització disponible.", "No update available.": "No hi ha cap actualització disponible.",
"Noisy": "Sorollós", "Noisy": "Sorollós",
"Collecting app version information": "S'està recollint la informació de la versió de l'aplicació",
"Search…": "Cerca…", "Search…": "Cerca…",
"Tuesday": "Dimarts", "Tuesday": "Dimarts",
"Preparing to send logs": "Preparant l'enviament de logs", "Preparing to send logs": "Preparant l'enviament de logs",
"Saturday": "Dissabte", "Saturday": "Dissabte",
"Monday": "Dilluns", "Monday": "Dilluns",
"Collecting logs": "S'estan recopilant els registres",
"All Rooms": "Totes les sales", "All Rooms": "Totes les sales",
"Wednesday": "Dimecres", "Wednesday": "Dimecres",
"All messages": "Tots els missatges", "All messages": "Tots els missatges",
@ -441,9 +430,6 @@
"Joins room with given address": "S'uneix a la sala amb l'adreça indicada", "Joins room with given address": "S'uneix a la sala amb l'adreça indicada",
"Use an identity server": "Utilitza un servidor d'identitat", "Use an identity server": "Utilitza un servidor d'identitat",
"Double check that your server supports the room version chosen and try again.": "Comprova que el teu servidor és compatible amb la versió de sala que has triat i torna-ho a intentar.", "Double check that your server supports the room version chosen and try again.": "Comprova que el teu servidor és compatible amb la versió de sala que has triat i torna-ho a intentar.",
"Other": "Altres",
"Actions": "Accions",
"Messages": "Missatges",
"Setting up keys": "Configurant claus", "Setting up keys": "Configurant claus",
"Are you sure you want to cancel entering passphrase?": "Estàs segur que vols cancel·lar la introducció de la frase secreta?", "Are you sure you want to cancel entering passphrase?": "Estàs segur que vols cancel·lar la introducció de la frase secreta?",
"Cancel entering passphrase?": "Vols cancel·lar la introducció de la frase secreta?", "Cancel entering passphrase?": "Vols cancel·lar la introducció de la frase secreta?",
@ -478,7 +464,6 @@
"Change notification settings": "Canvia la configuració de notificacions", "Change notification settings": "Canvia la configuració de notificacions",
"⚠ These settings are meant for advanced users.": "⚠ Aquesta configuració està pensada per usuaris avançats.", "⚠ These settings are meant for advanced users.": "⚠ Aquesta configuració està pensada per usuaris avançats.",
"Link this email with your account in Settings to receive invites directly in %(brand)s.": "Per rebre invitacions directament a %(brand)s, enllaça aquest correu electrònic amb el teu compte a Configuració.", "Link this email with your account in Settings to receive invites directly in %(brand)s.": "Per rebre invitacions directament a %(brand)s, enllaça aquest correu electrònic amb el teu compte a Configuració.",
"Change settings": "Canvia la configuració",
"Use an identity server in Settings to receive invites directly in %(brand)s.": "Per rebre invitacions directament a %(brand)s, utilitza un servidor d'identitat a Configuració.", "Use an identity server in Settings to receive invites directly in %(brand)s.": "Per rebre invitacions directament a %(brand)s, utilitza un servidor d'identitat a Configuració.",
"Share this email in Settings to receive invites directly in %(brand)s.": "Per rebre invitacions directament a %(brand)s, comparteix aquest correu electrònic a Configuració.", "Share this email in Settings to receive invites directly in %(brand)s.": "Per rebre invitacions directament a %(brand)s, comparteix aquest correu electrònic a Configuració.",
"Go to Settings": "Ves a Configuració", "Go to Settings": "Ves a Configuració",
@ -500,8 +485,6 @@
"Confirm adding phone number": "Confirma l'addició del número de telèfon", "Confirm adding phone number": "Confirma l'addició del número de telèfon",
"Add Email Address": "Afegeix una adreça de correu electrònic", "Add Email Address": "Afegeix una adreça de correu electrònic",
"Click the button below to confirm adding this email address.": "Fes clic al botó de sota per confirmar l'addició d'aquesta adreça de correu electrònic.", "Click the button below to confirm adding this email address.": "Fes clic al botó de sota per confirmar l'addició d'aquesta adreça de correu electrònic.",
"Unable to access webcam / microphone": "No s'ha pogut accedir a la càmera web / micròfon",
"Unable to access microphone": "No s'ha pogut accedir al micròfon",
"Explore rooms": "Explora sales", "Explore rooms": "Explora sales",
"%(oneUser)smade no changes %(count)s times": { "%(oneUser)smade no changes %(count)s times": {
"one": "%(oneUser)sno ha fet canvis", "one": "%(oneUser)sno ha fet canvis",
@ -593,7 +576,9 @@
}, },
"bug_reporting": { "bug_reporting": {
"submit_debug_logs": "Enviar logs de depuració", "submit_debug_logs": "Enviar logs de depuració",
"send_logs": "Envia els registres" "send_logs": "Envia els registres",
"collecting_information": "S'està recollint la informació de la versió de l'aplicació",
"collecting_logs": "S'estan recopilant els registres"
}, },
"settings": { "settings": {
"use_12_hour_format": "Mostra les marques de temps en format de 12 hores (p.e. 2:30pm)", "use_12_hour_format": "Mostra les marques de temps en format de 12 hores (p.e. 2:30pm)",
@ -621,7 +606,9 @@
"event_sent": "Esdeveniment enviat!", "event_sent": "Esdeveniment enviat!",
"event_content": "Contingut de l'esdeveniment", "event_content": "Contingut de l'esdeveniment",
"toolbox": "Caixa d'eines", "toolbox": "Caixa d'eines",
"developer_tools": "Eines de desenvolupador" "developer_tools": "Eines de desenvolupador",
"category_room": "Sala",
"category_other": "Altres"
}, },
"timeline": { "timeline": {
"m.room.topic": "%(senderDisplayName)s ha canviat el tema a \"%(topic)s\".", "m.room.topic": "%(senderDisplayName)s ha canviat el tema a \"%(topic)s\".",
@ -690,7 +677,13 @@
"unban": "Desbandeja l'usuari amb l'ID indicat", "unban": "Desbandeja l'usuari amb l'ID indicat",
"ignore": "Ignora un usuari, amagant-te els seus missatges", "ignore": "Ignora un usuari, amagant-te els seus missatges",
"unignore": "Deixa d'ignorar un usuari, i mostra els seus missatges a partir d'ara", "unignore": "Deixa d'ignorar un usuari, i mostra els seus missatges a partir d'ara",
"devtools": "Obre el diàleg d'Eines del desenvolupador" "devtools": "Obre el diàleg d'Eines del desenvolupador",
"usage": "Ús",
"category_messages": "Missatges",
"category_actions": "Accions",
"category_admin": "Administrador",
"category_advanced": "Avançat",
"category_other": "Altres"
}, },
"presence": { "presence": {
"online_for": "En línia durant %(duration)s", "online_for": "En línia durant %(duration)s",
@ -702,5 +695,25 @@
"unknown": "Desconegut", "unknown": "Desconegut",
"offline": "Fora de línia" "offline": "Fora de línia"
}, },
"Unknown": "Desconegut" "Unknown": "Desconegut",
"voip": {
"hangup": "Penja",
"voice_call": "Trucada de veu",
"video_call": "Trucada de vídeo",
"call_failed": "No s'ha pogut realitzar la trucada",
"unable_to_access_microphone": "No s'ha pogut accedir al micròfon",
"unable_to_access_media": "No s'ha pogut accedir a la càmera web / micròfon"
},
"Messages": "Missatges",
"Other": "Altres",
"Advanced": "Avançat",
"composer": {
"placeholder_reply_encrypted": "Envia una resposta xifrada…",
"placeholder_encrypted": "Envia un missatge xifrat…"
},
"room_settings": {
"permissions": {
"state_default": "Canvia la configuració"
}
}
} }

View file

@ -6,8 +6,6 @@
"Low priority": "Nízká priorita", "Low priority": "Nízká priorita",
"Notifications": "Oznámení", "Notifications": "Oznámení",
"Rooms": "Místnosti", "Rooms": "Místnosti",
"Video call": "Videohovor",
"Voice call": "Hlasový hovor",
"Sun": "Ne", "Sun": "Ne",
"Mon": "Po", "Mon": "Po",
"Tue": "Út", "Tue": "Út",
@ -35,11 +33,9 @@
"Failed to forget room %(errCode)s": "Nepodařilo se zapomenout místnost %(errCode)s", "Failed to forget room %(errCode)s": "Nepodařilo se zapomenout místnost %(errCode)s",
"powered by Matrix": "používá protokol Matrix", "powered by Matrix": "používá protokol Matrix",
"Account": "Účet", "Account": "Účet",
"Admin": "Správce",
"No Microphones detected": "Nerozpoznány žádné mikrofony", "No Microphones detected": "Nerozpoznány žádné mikrofony",
"No Webcams detected": "Nerozpoznány žádné webkamery", "No Webcams detected": "Nerozpoznány žádné webkamery",
"Default Device": "Výchozí zařízení", "Default Device": "Výchozí zařízení",
"Advanced": "Rozšířené",
"Authentication": "Ověření", "Authentication": "Ověření",
"A new password must be entered.": "Musíte zadat nové heslo.", "A new password must be entered.": "Musíte zadat nové heslo.",
"An error has occurred.": "Nastala chyba.", "An error has occurred.": "Nastala chyba.",
@ -148,7 +144,6 @@
"other": "Nahrávání souboru %(filename)s a %(count)s dalších" "other": "Nahrávání souboru %(filename)s a %(count)s dalších"
}, },
"Upload Failed": "Nahrávání selhalo", "Upload Failed": "Nahrávání selhalo",
"Usage": "Použití",
"Users": "Uživatelé", "Users": "Uživatelé",
"Verification Pending": "Čeká na ověření", "Verification Pending": "Čeká na ověření",
"Verified key": "Ověřený klíč", "Verified key": "Ověřený klíč",
@ -179,7 +174,6 @@
"Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "Smazáním widgetu ho odstraníte všem uživatelům v této místnosti. Opravdu chcete tento widget smazat?", "Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "Smazáním widgetu ho odstraníte všem uživatelům v této místnosti. Opravdu chcete tento widget smazat?",
"Drop file here to upload": "Přetažením sem nahrajete", "Drop file here to upload": "Přetažením sem nahrajete",
"Jump to read receipt": "Přejít na poslední potvrzení o přečtení", "Jump to read receipt": "Přejít na poslední potvrzení o přečtení",
"Hangup": "Zavěsit",
"You seem to be uploading files, are you sure you want to quit?": "Zřejmě právě nahráváte soubory. Chcete přesto odejít?", "You seem to be uploading files, are you sure you want to quit?": "Zřejmě právě nahráváte soubory. Chcete přesto odejít?",
"You seem to be in a call, are you sure you want to quit?": "Zřejmě máte probíhající hovor. Chcete přesto odejít?", "You seem to be in a call, are you sure you want to quit?": "Zřejmě máte probíhající hovor. Chcete přesto odejít?",
"Unnamed room": "Nepojmenovaná místnost", "Unnamed room": "Nepojmenovaná místnost",
@ -344,7 +338,6 @@
"Room Notification": "Oznámení místnosti", "Room Notification": "Oznámení místnosti",
"This process allows you to import encryption keys that you had previously exported from another Matrix client. You will then be able to decrypt any messages that the other client could decrypt.": "Tento proces vás provede importem šifrovacích klíčů, které jste si stáhli z jiného Matrix klienta. Po úspěšném naimportování budete v tomto klientovi moci dešifrovat všechny zprávy, které jste mohli dešifrovat v původním klientovi.", "This process allows you to import encryption keys that you had previously exported from another Matrix client. You will then be able to decrypt any messages that the other client could decrypt.": "Tento proces vás provede importem šifrovacích klíčů, které jste si stáhli z jiného Matrix klienta. Po úspěšném naimportování budete v tomto klientovi moci dešifrovat všechny zprávy, které jste mohli dešifrovat v původním klientovi.",
"The export file will be protected with a passphrase. You should enter the passphrase here, to decrypt the file.": "Stažený soubor je chráněn přístupovou frází. Soubor můžete naimportovat pouze pokud zadáte odpovídající přístupovou frázi.", "The export file will be protected with a passphrase. You should enter the passphrase here, to decrypt the file.": "Stažený soubor je chráněn přístupovou frází. Soubor můžete naimportovat pouze pokud zadáte odpovídající přístupovou frázi.",
"Call Failed": "Hovor selhal",
"Send": "Odeslat", "Send": "Odeslat",
"collapse": "sbalit", "collapse": "sbalit",
"expand": "rozbalit", "expand": "rozbalit",
@ -364,11 +357,9 @@
"Failed to add tag %(tagName)s to room": "Nepodařilo se přidat štítek %(tagName)s k místnosti", "Failed to add tag %(tagName)s to room": "Nepodařilo se přidat štítek %(tagName)s k místnosti",
"Filter results": "Filtrovat výsledky", "Filter results": "Filtrovat výsledky",
"No update available.": "Není dostupná žádná aktualizace.", "No update available.": "Není dostupná žádná aktualizace.",
"Collecting app version information": "Sbírání informací o verzi aplikace",
"Tuesday": "Úterý", "Tuesday": "Úterý",
"Saturday": "Sobota", "Saturday": "Sobota",
"Monday": "Pondělí", "Monday": "Pondělí",
"Collecting logs": "Sběr záznamů",
"Invite to this room": "Pozvat do této místnosti", "Invite to this room": "Pozvat do této místnosti",
"All messages": "Všechny zprávy", "All messages": "Všechny zprávy",
"What's new?": "Co je nového?", "What's new?": "Co je nového?",
@ -395,15 +386,11 @@
"You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.": "Tuto změnu nebudete moci vzít zpět, protože snižujete svoji vlastní hodnost, jste-li poslední privilegovaný uživatel v místnosti, bude nemožné vaši současnou hodnost získat zpět.", "You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.": "Tuto změnu nebudete moci vzít zpět, protože snižujete svoji vlastní hodnost, jste-li poslední privilegovaný uživatel v místnosti, bude nemožné vaši současnou hodnost získat zpět.",
"Demote": "Degradovat", "Demote": "Degradovat",
"Share Link to User": "Sdílet odkaz na uživatele", "Share Link to User": "Sdílet odkaz na uživatele",
"Send an encrypted reply…": "Odeslat šifrovanou odpověď…",
"Send an encrypted message…": "Odeslat šifrovanou zprávu…",
"Replying": "Odpovídá", "Replying": "Odpovídá",
"Share room": "Sdílet místnost", "Share room": "Sdílet místnost",
"System Alerts": "Systémová varování",
"Muted Users": "Umlčení uživatelé", "Muted Users": "Umlčení uživatelé",
"Only room administrators will see this warning": "Toto upozornění uvidí jen správci místnosti", "Only room administrators will see this warning": "Toto upozornění uvidí jen správci místnosti",
"You don't currently have any stickerpacks enabled": "Momentálně nemáte aktivní žádné balíčky s nálepkami", "You don't currently have any stickerpacks enabled": "Momentálně nemáte aktivní žádné balíčky s nálepkami",
"Stickerpack": "Balíček s nálepkami",
"In encrypted rooms, like this one, URL previews are disabled by default to ensure that your homeserver (where the previews are generated) cannot gather information about links you see in this room.": "V šifrovaných místnostech, jako je tato, jsou URL náhledy ve výchozím nastavení vypnuté, aby bylo možné zajistit, že váš domovský server neshromažďuje informace o odkazech, které v této místnosti vidíte.", "In encrypted rooms, like this one, URL previews are disabled by default to ensure that your homeserver (where the previews are generated) cannot gather information about links you see in this room.": "V šifrovaných místnostech, jako je tato, jsou URL náhledy ve výchozím nastavení vypnuté, aby bylo možné zajistit, že váš domovský server neshromažďuje informace o odkazech, které v této místnosti vidíte.",
"When someone puts a URL in their message, a URL preview can be shown to give more information about that link such as the title, description, and an image from the website.": "Když někdo ve zprávě pošle URL adresu, může být zobrazen její náhled obsahující informace jako titulek, popis a obrázek z cílové stránky.", "When someone puts a URL in their message, a URL preview can be shown to give more information about that link such as the title, description, and an image from the website.": "Když někdo ve zprávě pošle URL adresu, může být zobrazen její náhled obsahující informace jako titulek, popis a obrázek z cílové stránky.",
"This homeserver has hit its Monthly Active User limit.": "Tento domovský server dosáhl svého měsíčního limitu pro aktivní uživatele.", "This homeserver has hit its Monthly Active User limit.": "Tento domovský server dosáhl svého měsíčního limitu pro aktivní uživatele.",
@ -646,7 +633,6 @@
"Email (optional)": "E-mail (nepovinné)", "Email (optional)": "E-mail (nepovinné)",
"Phone (optional)": "Telefonní číslo (nepovinné)", "Phone (optional)": "Telefonní číslo (nepovinné)",
"Join millions for free on the largest public server": "Přidejte k miliónům registrovaným na největším veřejném serveru", "Join millions for free on the largest public server": "Přidejte k miliónům registrovaným na největším veřejném serveru",
"Other": "Další možnosti",
"Couldn't load page": "Nepovedlo se načíst stránku", "Couldn't load page": "Nepovedlo se načíst stránku",
"Your password has been reset.": "Heslo bylo resetováno.", "Your password has been reset.": "Heslo bylo resetováno.",
"Sign in with single sign-on": "Přihlásit se přes jednotné přihlašování", "Sign in with single sign-on": "Přihlásit se přes jednotné přihlašování",
@ -655,18 +641,6 @@
"The user must be unbanned before they can be invited.": "Aby mohl být uživatel pozván, musí být jeho vykázání zrušeno.", "The user must be unbanned before they can be invited.": "Aby mohl být uživatel pozván, musí být jeho vykázání zrušeno.",
"Scissors": "Nůžky", "Scissors": "Nůžky",
"Accept all %(invitedRooms)s invites": "Přijmout pozvání do všech těchto místností: %(invitedRooms)s", "Accept all %(invitedRooms)s invites": "Přijmout pozvání do všech těchto místností: %(invitedRooms)s",
"Change room avatar": "Změnit avatar místnosti",
"Change room name": "Změnit název místnosti",
"Change main address for the room": "Změnit hlavní adresu místnosti",
"Change history visibility": "Změnit viditelnost historie",
"Change permissions": "Změnit oprávnění",
"Change topic": "Změnit téma",
"Modify widgets": "Spravovat widgety",
"Send messages": "Posílat zprávy",
"Invite users": "Zvát uživatele",
"Change settings": "Měnit nastavení",
"Ban users": "Vykázat uživatele",
"Notify everyone": "Oznámení pro celou místnost",
"Enable encryption?": "Povolit šifrování?", "Enable encryption?": "Povolit šifrování?",
"Once enabled, encryption for a room cannot be disabled. Messages sent in an encrypted room cannot be seen by the server, only by the participants of the room. Enabling encryption may prevent many bots and bridges from working correctly. <a>Learn more about encryption.</a>": "Po zapnutí již nelze šifrování v této místnosti vypnout. Zprávy v šifrovaných místnostech mohou číst jen členové místnosti, server se k obsahu nedostane. Šifrování místností nepodporuje většina botů a propojení. <a>Více informací o šifrování.</a>", "Once enabled, encryption for a room cannot be disabled. Messages sent in an encrypted room cannot be seen by the server, only by the participants of the room. Enabling encryption may prevent many bots and bridges from working correctly. <a>Learn more about encryption.</a>": "Po zapnutí již nelze šifrování v této místnosti vypnout. Zprávy v šifrovaných místnostech mohou číst jen členové místnosti, server se k obsahu nedostane. Šifrování místností nepodporuje většina botů a propojení. <a>Více informací o šifrování.</a>",
"Error updating main address": "Nepovedlo se změnit hlavní adresu", "Error updating main address": "Nepovedlo se změnit hlavní adresu",
@ -685,7 +659,6 @@
"Show hidden events in timeline": "Zobrazovat v časové ose skryté události", "Show hidden events in timeline": "Zobrazovat v časové ose skryté události",
"Upgrade this room to the recommended room version": "Aktualizovat místnost na doporučenou verzi", "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.", "View older messages in %(roomName)s.": "Zobrazit starší zprávy v %(roomName)s.",
"Default role": "Výchozí role",
"Send %(eventType)s events": "Poslat událost %(eventType)s", "Send %(eventType)s events": "Poslat událost %(eventType)s",
"Select the roles required to change various parts of the room": "Vyberte role potřebné k provedení různých změn v této místnosti", "Select the roles required to change various parts of the room": "Vyberte role potřebné k provedení různých změn v této místnosti",
"Join the conversation with an account": "Připojte se ke konverzaci s účtem", "Join the conversation with an account": "Připojte se ke konverzaci s účtem",
@ -771,8 +744,6 @@
"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.": "Můžete se přihlásit, ale některé funkce nebudou dostupné dokud nezačne server identity fungovat. Pokud se vám toto varování zobrazuje i nadále, zkontrolujte svojí konfiguraci nebo kontaktujte správce serveru.", "You can 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.": "Můžete se přihlásit, ale některé funkce nebudou dostupné dokud nezačne server identity fungovat. Pokud se vám toto varování zobrazuje i nadále, zkontrolujte svojí konfiguraci nebo kontaktujte správce serveru.",
"Call failed due to misconfigured server": "Volání selhalo, protože je rozbitá konfigurace serveru", "Call failed due to misconfigured server": "Volání selhalo, protože je rozbitá konfigurace serveru",
"Please ask the administrator of your homeserver (<code>%(homeserverDomain)s</code>) to configure a TURN server in order for calls to work reliably.": "Požádejte správce svého domovského serveru (<code>%(homeserverDomain)s</code>) jestli by nemohl nakonfigurovat TURN server, aby volání fungovala spolehlivě.", "Please ask the administrator of your homeserver (<code>%(homeserverDomain)s</code>) to configure a TURN server in order for calls to work reliably.": "Požádejte správce svého domovského serveru (<code>%(homeserverDomain)s</code>) jestli by nemohl nakonfigurovat TURN server, aby volání fungovala spolehlivě.",
"Messages": "Zprávy",
"Actions": "Akce",
"Use an identity server": "Používat server identit", "Use an identity server": "Používat server identit",
"Use an identity server to invite by email. Click continue to use the default identity server (%(defaultIdentityServerName)s) or manage in Settings.": "K pozvání e-mailem použijte server identit. Pokračováním použijete výchozí server identit (%(defaultIdentityServerName)s) nebo ho můžete změnit v Nastavení.", "Use an identity server to invite by email. Click continue to use the default identity server (%(defaultIdentityServerName)s) or manage in Settings.": "K pozvání e-mailem použijte server identit. Pokračováním použijete výchozí server identit (%(defaultIdentityServerName)s) nebo ho můžete změnit v Nastavení.",
"Use an identity server to invite by email. Manage in Settings.": "Použít server identit na odeslání e-mailové pozvánky. Můžete spravovat v Nastavení.", "Use an identity server to invite by email. Manage in Settings.": "Použít server identit na odeslání e-mailové pozvánky. Můžete spravovat v Nastavení.",
@ -831,8 +802,6 @@
"Clear cache and reload": "Smazat mezipaměť a načíst znovu", "Clear cache and reload": "Smazat mezipaměť a načíst znovu",
"Read Marker lifetime (ms)": "Platnost značky přečteno (ms)", "Read Marker lifetime (ms)": "Platnost značky přečteno (ms)",
"Read Marker off-screen lifetime (ms)": "Platnost značky přečteno mimo obrazovku (ms)", "Read Marker off-screen lifetime (ms)": "Platnost značky přečteno mimo obrazovku (ms)",
"Upgrade the room": "Aktualizovat místnost",
"Enable room encryption": "Povolit v místnosti šifrování",
"Error changing power level requirement": "Chyba změny požadavku na úroveň oprávnění", "Error changing power level requirement": "Chyba změny požadavku na úroveň oprávnění",
"An error occurred changing the room's power level requirements. Ensure you have sufficient permissions and try again.": "Došlo k chybě při změně požadované úrovně oprávnění v místnosti. Ubezpečte se, že na to máte dostatečná práva, a zkuste to znovu.", "An error occurred changing the room's power level requirements. Ensure you have sufficient permissions and try again.": "Došlo k chybě při změně požadované úrovně oprávnění v místnosti. Ubezpečte se, že na to máte dostatečná práva, a zkuste to znovu.",
"Error changing power level": "Chyba při změně úrovně oprávnění", "Error changing power level": "Chyba při změně úrovně oprávnění",
@ -1069,7 +1038,6 @@
"Session ID:": "ID relace:", "Session ID:": "ID relace:",
"Session key:": "Klíč relace:", "Session key:": "Klíč relace:",
"Message search": "Vyhledávání ve zprávách", "Message search": "Vyhledávání ve zprávách",
"Cross-signing": "Křížové podepisování",
"This room is bridging messages to the following platforms. <a>Learn more.</a>": "Tato místnost je propojena s následujícími platformami. <a>Více informací</a>", "This room is bridging messages to the following platforms. <a>Learn more.</a>": "Tato místnost je propojena s následujícími platformami. <a>Více informací</a>",
"Bridges": "Propojení", "Bridges": "Propojení",
"This user has not verified all of their sessions.": "Tento uživatel zatím neověřil všechny své relace.", "This user has not verified all of their sessions.": "Tento uživatel zatím neověřil všechny své relace.",
@ -1080,8 +1048,6 @@
"Everyone in this room is verified": "V této místnosti jsou všichni ověřeni", "Everyone in this room is verified": "V této místnosti jsou všichni ověřeni",
"Encrypted by an unverified session": "Šifrované neověřenou relací", "Encrypted by an unverified session": "Šifrované neověřenou relací",
"Encrypted by a deleted session": "Šifrované smazanou relací", "Encrypted by a deleted session": "Šifrované smazanou relací",
"Send a reply…": "Odpovědět…",
"Send a message…": "Odeslat zprávu…",
"Direct Messages": "Přímé zprávy", "Direct Messages": "Přímé zprávy",
"Reject & Ignore user": "Odmítnout a ignorovat uživatele", "Reject & Ignore user": "Odmítnout a ignorovat uživatele",
"Unknown Command": "Neznámý příkaz", "Unknown Command": "Neznámý příkaz",
@ -1249,9 +1215,6 @@
"Contact your <a>server admin</a>.": "Kontaktujte <a>administrátora serveru</a>.", "Contact your <a>server admin</a>.": "Kontaktujte <a>administrátora serveru</a>.",
"Ok": "Ok", "Ok": "Ok",
"Are you sure you want to cancel entering passphrase?": "Chcete určitě zrušit zadávání přístupové fráze?", "Are you sure you want to cancel entering passphrase?": "Chcete určitě zrušit zadávání přístupové fráze?",
"You joined the call": "Připojili jste se k hovoru",
"%(senderName)s joined the call": "%(senderName)s se připojil k hovoru",
"Call in progress": "Probíhá hovor",
"Show rooms with unread messages first": "Zobrazovat místnosti s nepřečtenými zprávami jako první", "Show rooms with unread messages first": "Zobrazovat místnosti s nepřečtenými zprávami jako první",
"Show previews of messages": "Zobrazovat náhledy zpráv", "Show previews of messages": "Zobrazovat náhledy zpráv",
"Sort by": "Řadit dle", "Sort by": "Řadit dle",
@ -1294,21 +1257,10 @@
"Signature upload failed": "Podpis se nepodařilo nahrát", "Signature upload failed": "Podpis se nepodařilo nahrát",
"If the other version of %(brand)s is still open in another tab, please close it as using %(brand)s on the same host with both lazy loading enabled and disabled simultaneously will cause issues.": "Je-li jiná verze programu %(brand)s stále otevřená na jiné kartě, tak ji prosím zavřete, neboť užívání programu %(brand)s stejným hostitelem se zpožděným nahráváním současně povoleným i zakázaným bude působit problémy.", "If the other version of %(brand)s is still open in another tab, please close it as using %(brand)s on the same host with both lazy loading enabled and disabled simultaneously will cause issues.": "Je-li jiná verze programu %(brand)s stále otevřená na jiné kartě, tak ji prosím zavřete, neboť užívání programu %(brand)s stejným hostitelem se zpožděným nahráváním současně povoleným i zakázaným bude působit problémy.",
"Unexpected server error trying to leave the room": "Neočekávaná chyba serveru při odcházení z místnosti", "Unexpected server error trying to leave the room": "Neočekávaná chyba serveru při odcházení z místnosti",
"Call ended": "Hovor skončil",
"You started a call": "Začali jste hovor",
"%(senderName)s started a call": "%(senderName)s začal(a) hovor",
"Waiting for answer": "Čekání na odpověď",
"%(senderName)s is calling": "%(senderName)s volá",
"* %(senderName)s %(emote)s": "* %(senderName)s %(emote)s",
"%(senderName)s: %(message)s": "%(senderName)s: %(message)s",
"%(senderName)s: %(stickerName)s": "%(senderName)s: %(stickerName)s",
"Change notification settings": "Upravit nastavení oznámení", "Change notification settings": "Upravit nastavení oznámení",
"Use custom size": "Použít vlastní velikost", "Use custom size": "Použít vlastní velikost",
"Use a system font": "Používat systémové nastavení písma", "Use a system font": "Používat systémové nastavení písma",
"System font name": "Jméno systémového písma", "System font name": "Jméno systémového písma",
"Uploading logs": "Nahrávání záznamů",
"Downloading logs": "Stahování záznamů",
"Unknown caller": "Neznámý volající",
"Your server isn't responding to some <a>requests</a>.": "Váš server neodpovídá na některé <a>požadavky</a>.", "Your server isn't responding to some <a>requests</a>.": "Váš server neodpovídá na některé <a>požadavky</a>.",
"Master private key:": "Hlavní soukromý klíč:", "Master private key:": "Hlavní soukromý klíč:",
"%(brand)s can't securely cache encrypted messages locally while running in a web browser. Use <desktopLink>%(brand)s Desktop</desktopLink> for encrypted messages to appear in search results.": "%(brand)s nemůže bezpečně ukládat šifrované zprávy lokálně v prohlížeči. Pro zobrazení šifrovaných zpráv ve výsledcích vyhledávání použijte <desktopLink>%(brand)s Desktop</desktopLink>.", "%(brand)s can't securely cache encrypted messages locally while running in a web browser. Use <desktopLink>%(brand)s Desktop</desktopLink> for encrypted messages to appear in search results.": "%(brand)s nemůže bezpečně ukládat šifrované zprávy lokálně v prohlížeči. Pro zobrazení šifrovaných zpráv ve výsledcích vyhledávání použijte <desktopLink>%(brand)s Desktop</desktopLink>.",
@ -1354,13 +1306,6 @@
"Afghanistan": "Afgánistán", "Afghanistan": "Afgánistán",
"United States": "Spojené Státy", "United States": "Spojené Státy",
"United Kingdom": "Spojené Království", "United Kingdom": "Spojené Království",
"No other application is using the webcam": "Webkamera není blokována jinou aplikací",
"Permission is granted to use the webcam": "Aplikace má k webkameře povolen přístup",
"A microphone and webcam are plugged in and set up correctly": "Mikrofon a webkamera jsou zapojeny a správně nastaveny",
"Call failed because webcam or microphone could not be accessed. Check that:": "Hovor selhal, protože nešlo použít mikrofon nebo webkameru. Zkontrolujte, že:",
"Unable to access webcam / microphone": "Není možné použít webkameru nebo mikrofon",
"Call failed because microphone could not be accessed. Check that a microphone is plugged in and set up correctly.": "Hovor selhal, protože nešlo použít mikrofon. Zkontrolujte, že je mikrofon připojen a správně nastaven.",
"Unable to access microphone": "Není možné použít mikrofon",
"The call was answered on another device.": "Hovor byl přijat na jiném zařízení.", "The call was answered on another device.": "Hovor byl přijat na jiném zařízení.",
"Answered Elsewhere": "Zodpovězeno jinde", "Answered Elsewhere": "Zodpovězeno jinde",
"The call could not be established": "Hovor se nepovedlo navázat", "The call could not be established": "Hovor se nepovedlo navázat",
@ -1388,7 +1333,6 @@
"Send a Direct Message": "Poslat přímou zprávu", "Send a Direct Message": "Poslat přímou zprávu",
"Welcome to %(appName)s": "Vítá vás %(appName)s", "Welcome to %(appName)s": "Vítá vás %(appName)s",
"Navigation": "Navigace", "Navigation": "Navigace",
"Secure Backup": "Zabezpečená záloha",
"Jump to oldest unread message": "Přejít na nejstarší nepřečtenou zprávu", "Jump to oldest unread message": "Přejít na nejstarší nepřečtenou zprávu",
"Upload a file": "Nahrát soubor", "Upload a file": "Nahrát soubor",
"You've reached the maximum number of simultaneous calls.": "Dosáhli jste maximálního počtu souběžných hovorů.", "You've reached the maximum number of simultaneous calls.": "Dosáhli jste maximálního počtu souběžných hovorů.",
@ -1409,13 +1353,11 @@
"Explore Public Rooms": "Prozkoumat veřejné místnosti", "Explore Public Rooms": "Prozkoumat veřejné místnosti",
"Welcome %(name)s": "Vítejte %(name)s", "Welcome %(name)s": "Vítejte %(name)s",
"Now, let's help you get started": "Nyní vám pomůžeme začít", "Now, let's help you get started": "Nyní vám pomůžeme začít",
"Effects": "Efekty",
"Looks good!": "To vypadá dobře!", "Looks good!": "To vypadá dobře!",
"Wrong file type": "Špatný typ souboru", "Wrong file type": "Špatný typ souboru",
"The server has denied your request.": "Server odmítl váš požadavek.", "The server has denied your request.": "Server odmítl váš požadavek.",
"The server is offline.": "Server je offline.", "The server is offline.": "Server je offline.",
"not ready": "nepřipraveno", "not ready": "nepřipraveno",
"Remove messages sent by others": "Odstranit zprávy odeslané ostatními",
"Decline All": "Odmítnout vše", "Decline All": "Odmítnout vše",
"Use the <a>Desktop app</a> to search encrypted messages": "K prohledávání šifrovaných zpráv použijte <a>aplikaci pro stolní počítače</a>", "Use the <a>Desktop app</a> to search encrypted messages": "K prohledávání šifrovaných zpráv použijte <a>aplikaci pro stolní počítače</a>",
"Invite someone using their name, email address, username (like <userId/>) or <a>share this room</a>.": "Pozvěte někoho pomocí jeho jména, e-mailové adresy, uživatelského jména (například <userId/>) nebo <a>sdílejte tuto místnost</a>.", "Invite someone using their name, email address, username (like <userId/>) or <a>share this room</a>.": "Pozvěte někoho pomocí jeho jména, e-mailové adresy, uživatelského jména (například <userId/>) nebo <a>sdílejte tuto místnost</a>.",
@ -1614,7 +1556,6 @@
"Confirm Security Phrase": "Potvrďte bezpečnostní frázi", "Confirm Security Phrase": "Potvrďte bezpečnostní frázi",
"Click the button below to confirm setting up encryption.": "Kliknutím na tlačítko níže potvrďte nastavení šifrování.", "Click the button below to confirm setting up encryption.": "Kliknutím na tlačítko níže potvrďte nastavení šifrování.",
"Confirm encryption setup": "Potvrďte nastavení šifrování", "Confirm encryption setup": "Potvrďte nastavení šifrování",
"Return to call": "Návrat do hovoru",
"Unable to set up keys": "Nepovedlo se nastavit klíče", "Unable to set up keys": "Nepovedlo se nastavit klíče",
"Save your Security Key": "Uložte svůj bezpečnostní klíč", "Save your Security Key": "Uložte svůj bezpečnostní klíč",
"About homeservers": "O domovských serverech", "About homeservers": "O domovských serverech",
@ -1760,8 +1701,6 @@
"Video conference started by %(senderName)s": "Videokonferenci byla zahájena uživatelem %(senderName)s", "Video conference started by %(senderName)s": "Videokonferenci byla zahájena uživatelem %(senderName)s",
"Video conference updated by %(senderName)s": "Videokonference byla aktualizována uživatelem %(senderName)s", "Video conference updated by %(senderName)s": "Videokonference byla aktualizována uživatelem %(senderName)s",
"Video conference ended by %(senderName)s": "Videokonference byla ukončena uživatelem %(senderName)s", "Video conference ended by %(senderName)s": "Videokonference byla ukončena uživatelem %(senderName)s",
"%(senderName)s ended the call": "%(senderName)s ukončil(a) hovor",
"You ended the call": "Ukončili jste hovor",
"New version of %(brand)s is available": "K dispozici je nová verze %(brand)s", "New version of %(brand)s is available": "K dispozici je nová verze %(brand)s",
"Error leaving room": "Při opouštění místnosti došlo k chybě", "Error leaving room": "Při opouštění místnosti došlo k chybě",
"See messages posted to your active room": "Zobrazit zprávy odeslané do vaší aktivní místnosti", "See messages posted to your active room": "Zobrazit zprávy odeslané do vaší aktivní místnosti",
@ -1779,8 +1718,6 @@
"Your server isn't responding to some of your requests. Below are some of the most likely reasons.": "Váš server neodpovídá na některé vaše požadavky. Níže jsou některé z nejpravděpodobnějších důvodů.", "Your server isn't responding to some of your requests. Below are some of the most likely reasons.": "Váš server neodpovídá na některé vaše požadavky. Níže jsou některé z nejpravděpodobnějších důvodů.",
"The operation could not be completed": "Operace nemohla být dokončena", "The operation could not be completed": "Operace nemohla být dokončena",
"Failed to save your profile": "Váš profil se nepodařilo uložit", "Failed to save your profile": "Váš profil se nepodařilo uložit",
"%(peerName)s held the call": "%(peerName)s podržel hovor",
"You held the call <a>Resume</a>": "Podrželi jste hovor <a>Pokračovat</a>",
"You can only pin up to %(count)s widgets": { "You can only pin up to %(count)s widgets": {
"other": "Můžete připnout až %(count)s widgetů" "other": "Můžete připnout až %(count)s widgetů"
}, },
@ -1848,8 +1785,6 @@
"See when the name changes in this room": "Podívejte se, kdy se změní název v této místnosti", "See when the name changes in this room": "Podívejte se, kdy se změní název v této místnosti",
"See when the topic changes in your active room": "Podívejte se, kdy se změní téma ve vaší aktivní místnosti", "See when the topic changes in your active room": "Podívejte se, kdy se změní téma ve vaší aktivní místnosti",
"See when the topic changes in this room": "Podívejte se, kdy se změní téma v této místnosti", "See when the topic changes in this room": "Podívejte se, kdy se změní téma v této místnosti",
"%(name)s on hold": "%(name)s podržen",
"You held the call <a>Switch</a>": "Podrželi jste hovor <a>Přepnout</a>",
"sends snowfall": "pošle sněžení", "sends snowfall": "pošle sněžení",
"Sends the given message with snowfall": "Pošle zprávu se sněžením", "Sends the given message with snowfall": "Pošle zprávu se sněžením",
"You have no visible notifications.": "Nejsou dostupná žádná oznámení.", "You have no visible notifications.": "Nejsou dostupná žádná oznámení.",
@ -1929,7 +1864,6 @@
"You do not have permissions to add rooms to this space": "Nemáte oprávnění k přidávání místností do tohoto prostoru", "You do not have permissions to add rooms to this space": "Nemáte oprávnění k přidávání místností do tohoto prostoru",
"Add existing room": "Přidat existující místnost", "Add existing room": "Přidat existující místnost",
"You do not have permissions to create new rooms in this space": "Nemáte oprávnění k vytváření nových místností v tomto prostoru", "You do not have permissions to create new rooms in this space": "Nemáte oprávnění k vytváření nových místností v tomto prostoru",
"Send message": "Poslat zprávu",
"Invite to this space": "Pozvat do tohoto prostoru", "Invite to this space": "Pozvat do tohoto prostoru",
"Your message was sent": "Zpráva byla odeslána", "Your message was sent": "Zpráva byla odeslána",
"Space options": "Nastavení prostoru", "Space options": "Nastavení prostoru",
@ -1944,8 +1878,6 @@
"Open space for anyone, best for communities": "Otevřený prostor pro kohokoli, nejlepší pro komunity", "Open space for anyone, best for communities": "Otevřený prostor pro kohokoli, nejlepší pro komunity",
"Create a space": "Vytvořit prostor", "Create a space": "Vytvořit prostor",
"This homeserver has been blocked by its administrator.": "Tento domovský server byl zablokován jeho správcem.", "This homeserver has been blocked by its administrator.": "Tento domovský server byl zablokován jeho správcem.",
"You're already in a call with this person.": "S touto osobou již telefonujete.",
"Already in call": "Již máte hovor",
"Original event source": "Původní zdroj události", "Original event source": "Původní zdroj události",
"Decrypted event source": "Dešifrovaný zdroj události", "Decrypted event source": "Dešifrovaný zdroj události",
"Save Changes": "Uložit změny", "Save Changes": "Uložit změny",
@ -1989,7 +1921,6 @@
"Review to ensure your account is safe": "Zkontrolujte, zda je váš účet v bezpečí", "Review to ensure your account is safe": "Zkontrolujte, zda je váš účet v bezpečí",
"%(deviceId)s from %(ip)s": "%(deviceId)s z %(ip)s", "%(deviceId)s from %(ip)s": "%(deviceId)s z %(ip)s",
"unknown person": "neznámá osoba", "unknown person": "neznámá osoba",
"Consulting with %(transferTarget)s. <a>Transfer to %(transferee)s</a>": "Konzultace s %(transferTarget)s. <a>Převod na %(transferee)s</a>",
"Invite to just this room": "Pozvat jen do této místnosti", "Invite to just this room": "Pozvat jen do této místnosti",
"Add existing rooms": "Přidat stávající místnosti", "Add existing rooms": "Přidat stávající místnosti",
"We couldn't create your DM.": "Nemohli jsme vytvořit vaši přímou zprávu.", "We couldn't create your DM.": "Nemohli jsme vytvořit vaši přímou zprávu.",
@ -2008,7 +1939,6 @@
"Forgotten or lost all recovery methods? <a>Reset all</a>": "Zapomněli nebo ztratili jste všechny metody obnovy? <a>Resetovat vše</a>", "Forgotten or lost all recovery methods? <a>Reset all</a>": "Zapomněli nebo ztratili jste všechny metody obnovy? <a>Resetovat vše</a>",
"If you do, please note that none of your messages will be deleted, but the search experience might be degraded for a few moments whilst the index is recreated": "Pokud tak učiníte, nezapomeňte, že žádná z vašich zpráv nebude smazána, ale vyhledávání může být na několik okamžiků zpomaleno během opětovného vytvoření indexu", "If you do, please note that none of your messages will be deleted, but the search experience might be degraded for a few moments whilst the index is recreated": "Pokud tak učiníte, nezapomeňte, že žádná z vašich zpráv nebude smazána, ale vyhledávání může být na několik okamžiků zpomaleno během opětovného vytvoření indexu",
"View message": "Zobrazit zprávu", "View message": "Zobrazit zprávu",
"Change server ACLs": "Změnit seznamy přístupů serveru",
"You can select all or individual messages to retry or delete": "Můžete vybrat všechny nebo jednotlivé zprávy, které chcete zkusit poslat znovu nebo odstranit", "You can select all or individual messages to retry or delete": "Můžete vybrat všechny nebo jednotlivé zprávy, které chcete zkusit poslat znovu nebo odstranit",
"Sending": "Odesílání", "Sending": "Odesílání",
"Retry all": "Zkusit všechny znovu", "Retry all": "Zkusit všechny znovu",
@ -2115,8 +2045,6 @@
"Failed to update the guest access of this space": "Nepodařilo se aktualizovat přístup hosta do tohoto prostoru", "Failed to update the guest access of this space": "Nepodařilo se aktualizovat přístup hosta do tohoto prostoru",
"Failed to update the visibility of this space": "Nepodařilo se aktualizovat viditelnost tohoto prostoru", "Failed to update the visibility of this space": "Nepodařilo se aktualizovat viditelnost tohoto prostoru",
"e.g. my-space": "např. můj-prostor", "e.g. my-space": "např. můj-prostor",
"Silence call": "Ztlumit zvonění",
"Sound on": "Zvuk zapnutý",
"Some invites couldn't be sent": "Některé pozvánky nebylo možné odeslat", "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 <RoomName/>": "Poslali jsme ostatním, ale níže uvedení lidé nemohli být pozváni do <RoomName/>", "We sent the others, but the below people couldn't be invited to <RoomName/>": "Poslali jsme ostatním, ale níže uvedení lidé nemohli být pozváni do <RoomName/>",
"Visibility": "Viditelnost", "Visibility": "Viditelnost",
@ -2205,10 +2133,6 @@
"Share content": "Sdílet obsah", "Share content": "Sdílet obsah",
"Application window": "Okno aplikace", "Application window": "Okno aplikace",
"Share entire screen": "Sdílet celou obrazovku", "Share entire screen": "Sdílet celou obrazovku",
"Your camera is still enabled": "Vaše kamera je stále zapnutá",
"Your camera is turned off": "Vaše kamera je vypnutá",
"%(sharerName)s is presenting": "%(sharerName)s prezentuje",
"You are presenting": "Prezentujete",
"Anyone will be able to find and join this room.": "Kdokoliv může najít tuto místnost a připojit se k ní.", "Anyone will be able to find and join this room.": "Kdokoliv může najít tuto místnost a připojit se k ní.",
"Add existing space": "Přidat stávající prostor", "Add existing space": "Přidat stávající prostor",
"Add space": "Přidat prostor", "Add space": "Přidat prostor",
@ -2236,16 +2160,9 @@
"Surround selected text when typing special characters": "Ohraničit označený text při psaní speciálních znaků", "Surround selected text when typing special characters": "Ohraničit označený text při psaní speciálních znaků",
"Stop recording": "Zastavit nahrávání", "Stop recording": "Zastavit nahrávání",
"Send voice message": "Odeslat hlasovou zprávu", "Send voice message": "Odeslat hlasovou zprávu",
"Mute the microphone": "Ztlumit mikrofon",
"Unmute the microphone": "Zrušit ztlumení mikrofonu",
"Dialpad": "Číselník",
"More": "Více", "More": "Více",
"Show sidebar": "Zobrazit postranní panel", "Show sidebar": "Zobrazit postranní panel",
"Hide sidebar": "Skrýt postranní panel", "Hide sidebar": "Skrýt postranní panel",
"Start sharing your screen": "Začít sdílet obrazovku",
"Stop sharing your screen": "Ukončit sdílení obrazovky",
"Stop the camera": "Vypnout kameru",
"Start the camera": "Zapnout kameru",
"Olm version:": "Verze Olm:", "Olm version:": "Verze Olm:",
"Delete avatar": "Smazat avatar", "Delete avatar": "Smazat avatar",
"Unknown failure: %(reason)s": "Neznámá chyba: %(reason)s", "Unknown failure: %(reason)s": "Neznámá chyba: %(reason)s",
@ -2264,15 +2181,9 @@
"Some encryption parameters have been changed.": "Byly změněny některé parametry šifrování.", "Some encryption parameters have been changed.": "Byly změněny některé parametry šifrování.",
"Role in <RoomName/>": "Role v <RoomName/>", "Role in <RoomName/>": "Role v <RoomName/>",
"Send a sticker": "Odeslat nálepku", "Send a sticker": "Odeslat nálepku",
"Reply to encrypted thread…": "Odpovědět na zašifrované vlákno…",
"Reply to thread…": "Odpovědět na vlákno…",
"Unknown failure": "Neznámá chyba", "Unknown failure": "Neznámá chyba",
"Failed to update the join rules": "Nepodařilo se aktualizovat pravidla pro připojení", "Failed to update the join rules": "Nepodařilo se aktualizovat pravidla pro připojení",
"Select the roles required to change various parts of the space": "Výbrat role potřebné ke změně různých částí prostoru", "Select the roles required to change various parts of the space": "Výbrat role potřebné ke změně různých částí prostoru",
"Change description": "Změnit popis",
"Change main address for the space": "Změnit hlavní adresu prostoru",
"Change space name": "Změnit název prostoru",
"Change space avatar": "Změnit avatar prostoru",
"Anyone in <spaceName/> can find and join. You can select other spaces too.": "Kdokoli v <spaceName/> může prostor najít a připojit se. Můžete vybrat i další prostory.", "Anyone in <spaceName/> can find and join. You can select other spaces too.": "Kdokoli v <spaceName/> může prostor najít a připojit se. Můžete vybrat i další prostory.",
"Message didn't send. Click for info.": "Zpráva se neodeslala. Klikněte pro informace.", "Message didn't send. Click for info.": "Zpráva se neodeslala. Klikněte pro informace.",
"To join a space you'll need an invite.": "Pro připojení k prostoru potřebujete pozvánku.", "To join a space you'll need an invite.": "Pro připojení k prostoru potřebujete pozvánku.",
@ -2402,7 +2313,6 @@
"Keep discussions organised with threads": "Udržujte diskuse organizované pomocí vláken", "Keep discussions organised with threads": "Udržujte diskuse organizované pomocí vláken",
"Show all your rooms in Home, even if they're in a space.": "Zobrazit všechny místnosti v Domovu, i když jsou v prostoru.", "Show all your rooms in Home, even if they're in a space.": "Zobrazit všechny místnosti v Domovu, i když jsou v prostoru.",
"Rooms outside of a space": "Místnosti mimo prostor", "Rooms outside of a space": "Místnosti mimo prostor",
"Manage rooms in this space": "Spravovat místnosti v tomto prostoru",
"Mentions only": "Pouze zmínky", "Mentions only": "Pouze zmínky",
"Forget": "Zapomenout", "Forget": "Zapomenout",
"Files": "Soubory", "Files": "Soubory",
@ -2468,10 +2378,7 @@
"That's fine": "To je v pořádku", "That's fine": "To je v pořádku",
"You cannot place calls without a connection to the server.": "Bez připojení k serveru nelze uskutečňovat hovory.", "You cannot place calls without a connection to the server.": "Bez připojení k serveru nelze uskutečňovat hovory.",
"Connectivity to the server has been lost": "Došlo ke ztrátě připojení k serveru", "Connectivity to the server has been lost": "Došlo ke ztrátě připojení k serveru",
"You cannot place calls in this browser.": "V tomto prohlížeči nelze uskutečňovat hovory.",
"Calls are unsupported": "Hovory nejsou podporovány",
"Share location": "Sdílet polohu", "Share location": "Sdílet polohu",
"Manage pinned events": "Správa připnutých událostí",
"Toggle space panel": "Zobrazit/skrýt panel prostoru", "Toggle space panel": "Zobrazit/skrýt panel prostoru",
"Are you sure you want to end this poll? This will show the final results of the poll and stop people from being able to vote.": "Chcete ukončit toto hlasování? Zobrazí se konečné výsledky hlasování a lidé nebudou moci dále hlasovat.", "Are you sure you want to end this poll? This will show the final results of the poll and stop people from being able to vote.": "Chcete ukončit toto hlasování? Zobrazí se konečné výsledky hlasování a lidé nebudou moci dále hlasovat.",
"End Poll": "Ukončit hlasování", "End Poll": "Ukončit hlasování",
@ -2501,7 +2408,6 @@
"This address had invalid server or is already in use": "Tato adresa měla neplatný server nebo je již používána", "This address had invalid server or is already in use": "Tato adresa měla neplatný server nebo je již používána",
"Missing domain separator e.g. (:domain.org)": "Chybí oddělovač domény, např. (:domain.org)", "Missing domain separator e.g. (:domain.org)": "Chybí oddělovač domény, např. (:domain.org)",
"Missing room name or separator e.g. (my-room:domain.org)": "Chybí název místnosti nebo oddělovač, např. (my-room:domain.org)", "Missing room name or separator e.g. (my-room:domain.org)": "Chybí název místnosti nebo oddělovač, např. (my-room:domain.org)",
"Dial": "Vytočit",
"Back to thread": "Zpět do vlákna", "Back to thread": "Zpět do vlákna",
"Room members": "Členové místnosti", "Room members": "Členové místnosti",
"Back to chat": "Zpět do chatu", "Back to chat": "Zpět do chatu",
@ -2522,7 +2428,6 @@
"Verify this device by confirming the following number appears on its screen.": "Ověřte toto zařízení tak, že potvrdíte, že se na jeho obrazovce zobrazí následující číslo.", "Verify this device by confirming the following number appears on its screen.": "Ověřte toto zařízení tak, že potvrdíte, že se na jeho obrazovce zobrazí následující číslo.",
"Confirm the emoji below are displayed on both devices, in the same order:": "Potvrďte, že se následující emotikony zobrazují na obou zařízeních ve stejném pořadí:", "Confirm the emoji below are displayed on both devices, in the same order:": "Potvrďte, že se následující emotikony zobrazují na obou zařízeních ve stejném pořadí:",
"Expand map": "Rozbalit mapu", "Expand map": "Rozbalit mapu",
"Send reactions": "Odesílat reakce",
"No active call in this room": "V této místnosti není žádný aktivní hovor", "No active call in this room": "V této místnosti není žádný aktivní hovor",
"Unable to find Matrix ID for phone number": "Nelze najít Matrix ID pro telefonní číslo", "Unable to find Matrix ID for phone number": "Nelze najít Matrix ID pro telefonní číslo",
"Unknown (user, session) pair: (%(userId)s, %(deviceId)s)": "Neznámý pár (uživatel, relace): (%(userId)s, %(deviceId)s)", "Unknown (user, session) pair: (%(userId)s, %(deviceId)s)": "Neznámý pár (uživatel, relace): (%(userId)s, %(deviceId)s)",
@ -2550,7 +2455,6 @@
"Remove them from everything I'm able to": "Odebrat je ze všeho, kde mohu", "Remove them from everything I'm able to": "Odebrat je ze všeho, kde mohu",
"Remove from %(roomName)s": "Odebrat z %(roomName)s", "Remove from %(roomName)s": "Odebrat z %(roomName)s",
"You were removed from %(roomName)s by %(memberName)s": "Byl(a) jsi odebrán(a) z %(roomName)s uživatelem %(memberName)s", "You were removed from %(roomName)s by %(memberName)s": "Byl(a) jsi odebrán(a) z %(roomName)s uživatelem %(memberName)s",
"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 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", "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",
"Open this settings tab": "Otevřít tuto kartu nastavení", "Open this settings tab": "Otevřít tuto kartu nastavení",
@ -2643,7 +2547,6 @@
"Switch to space by number": "Přepnout do prostoru podle čísla", "Switch to space by number": "Přepnout do prostoru podle čísla",
"Pinned": "Připnuto", "Pinned": "Připnuto",
"Open thread": "Otevřít vlákno", "Open thread": "Otevřít vlákno",
"Remove messages sent by me": "Odstranit mnou odeslané zprávy",
"Export Cancelled": "Export zrušen", "Export Cancelled": "Export zrušen",
"What location type do you want to share?": "Jaký typ polohy chcete sdílet?", "What location type do you want to share?": "Jaký typ polohy chcete sdílet?",
"Drop a Pin": "Zvolená poloha", "Drop a Pin": "Zvolená poloha",
@ -2772,12 +2675,6 @@
"You will not be able to reactivate your account": "Účet nebude možné znovu aktivovat", "You will not be able to reactivate your account": "Účet nebude možné znovu aktivovat",
"Confirm that you would like to deactivate your account. If you proceed:": "Potvrďte, že chcete deaktivovat svůj účet. Pokud budete pokračovat:", "Confirm that you would like to deactivate your account. If you proceed:": "Potvrďte, že chcete deaktivovat svůj účet. Pokud budete pokračovat:",
"To continue, please enter your account password:": "Pro pokračování zadejte heslo k účtu:", "To continue, please enter your account password:": "Pro pokračování zadejte heslo k účtu:",
"Turn on camera": "Zapnout kameru",
"Turn off camera": "Vypnout kameru",
"Video devices": "Video zařízení",
"Unmute microphone": "Zrušit ztlumení mikrofonu",
"Mute microphone": "Ztlumit mikrofon",
"Audio devices": "Zvuková zařízení",
"You have been logged out of all devices and will no longer receive push notifications. To re-enable notifications, sign in again on each device.": "Byli jste odhlášeni ze všech zařízení a již nebudete dostávat push oznámení. Chcete-li oznámení znovu povolit, znovu se přihlaste na každém zařízení.", "You have been logged out of all devices and will no longer receive push notifications. To re-enable notifications, sign in again on each device.": "Byli jste odhlášeni ze všech zařízení a již nebudete dostávat push oznámení. Chcete-li oznámení znovu povolit, znovu se přihlaste na každém zařízení.",
"If you want to retain access to your chat history in encrypted rooms, set up Key Backup or export your message keys from one of your other devices before proceeding.": "Pokud si chcete zachovat přístup k historii chatu v zašifrovaných místnostech, nastavte si zálohování klíčů nebo exportujte klíče zpráv z některého z dalších zařízení, než budete pokračovat.", "If you want to retain access to your chat history in encrypted rooms, set up Key Backup or export your message keys from one of your other devices before proceeding.": "Pokud si chcete zachovat přístup k historii chatu v zašifrovaných místnostech, nastavte si zálohování klíčů nebo exportujte klíče zpráv z některého z dalších zařízení, než budete pokračovat.",
"Signing out your devices will delete the message encryption keys stored on them, making encrypted chat history unreadable.": "Odhlášením zařízení odstraníte šifrovací klíče zpráv, které jsou v nich uloženy, a historie zašifrovaných chatů tak nebude čitelná.", "Signing out your devices will delete the message encryption keys stored on them, making encrypted chat history unreadable.": "Odhlášením zařízení odstraníte šifrovací klíče zpráv, které jsou v nich uloženy, a historie zašifrovaných chatů tak nebude čitelná.",
@ -2951,7 +2848,6 @@
"Sign out of this session": "Odhlásit se z této relace", "Sign out of this session": "Odhlásit se z této relace",
"Rename session": "Přejmenovat relaci", "Rename session": "Přejmenovat relaci",
"Voice broadcast": "Hlasové vysílání", "Voice broadcast": "Hlasové vysílání",
"Voice broadcasts": "Hlasová vysílání",
"You do not have permission to start voice calls": "Nemáte oprávnění k zahájení hlasových hovorů", "You do not have permission to start voice calls": "Nemáte oprávnění k zahájení hlasových hovorů",
"There's no one here to call": "Není tu nikdo, komu zavolat", "There's no one here to call": "Není tu nikdo, komu zavolat",
"You do not have permission to start video calls": "Nemáte oprávnění ke spuštění videohovorů", "You do not have permission to start video calls": "Nemáte oprávnění ke spuštění videohovorů",
@ -2978,8 +2874,6 @@
"Web session": "Relace na webu", "Web session": "Relace na webu",
"Mobile session": "Relace mobilního zařízení", "Mobile session": "Relace mobilního zařízení",
"Desktop session": "Relace stolního počítače", "Desktop session": "Relace stolního počítače",
"Fill screen": "Vyplnit obrazovku",
"Video call started": "Videohovor byl zahájen",
"Unknown room": "Neznámá místnost", "Unknown room": "Neznámá místnost",
"Operating system": "Operační systém", "Operating system": "Operační systém",
"Video call (%(brand)s)": "Videohovor (%(brand)s)", "Video call (%(brand)s)": "Videohovor (%(brand)s)",
@ -2987,12 +2881,9 @@
"You do not have sufficient permissions to change this.": "Ke změně nemáte dostatečná oprávnění.", "You do not have sufficient permissions to change this.": "Ke změně nemáte dostatečná oprávnění.",
"%(brand)s is end-to-end encrypted, but is currently limited to smaller numbers of users.": "%(brand)s je koncově šifrovaný, ale v současné době je omezen na menší počet uživatelů.", "%(brand)s is end-to-end encrypted, but is currently limited to smaller numbers of users.": "%(brand)s je koncově šifrovaný, ale v současné době je omezen na menší počet uživatelů.",
"Enable %(brand)s as an additional calling option in this room": "Povolit %(brand)s jako další možnost volání v této místnosti", "Enable %(brand)s as an additional calling option in this room": "Povolit %(brand)s jako další možnost volání v této místnosti",
"Join %(brand)s calls": "Připojit se k %(brand)s volání",
"Start %(brand)s calls": "Zahájit %(brand)s volání",
"Sorry — this call is currently full": "Omlouváme se — tento hovor je v současné době plný", "Sorry — this call is currently full": "Omlouváme se — tento hovor je v současné době plný",
"resume voice broadcast": "obnovit hlasové vysílání", "resume voice broadcast": "obnovit hlasové vysílání",
"pause voice broadcast": "pozastavit hlasové vysílání", "pause voice broadcast": "pozastavit hlasové vysílání",
"Notifications silenced": "Oznámení ztlumena",
"Yes, stop broadcast": "Ano, zastavit vysílání", "Yes, stop broadcast": "Ano, zastavit vysílání",
"Stop live broadcasting?": "Ukončit živé vysílání?", "Stop live broadcasting?": "Ukončit živé vysílání?",
"Someone else is already recording a voice broadcast. Wait for their voice broadcast to end to start a new one.": "Hlasové vysílání už nahrává někdo jiný. Počkejte, až jeho hlasové vysílání skončí, a spusťte nové.", "Someone else is already recording a voice broadcast. Wait for their voice broadcast to end to start a new one.": "Hlasové vysílání už nahrává někdo jiný. Počkejte, až jeho hlasové vysílání skončí, a spusťte nové.",
@ -3265,8 +3156,6 @@
"Image view": "Zobrazení obrázku", "Image view": "Zobrazení obrázku",
"Search all rooms": "Vyhledávat ve všech místnostech", "Search all rooms": "Vyhledávat ve všech místnostech",
"Search this room": "Vyhledávat v této místnosti", "Search this room": "Vyhledávat v této místnosti",
"%(sender)s reacted %(reaction)s to %(message)s": "%(sender)s reagoval(a) %(reaction)s na %(message)s",
"You reacted %(reaction)s to %(message)s": "Reagovali jste %(reaction)s na %(message)s",
"Cannot invite user by email without an identity server. You can connect to one under \"Settings\".": "Bez serveru identit nelze uživatele pozvat e-mailem. K nějakému se můžete připojit v \"Nastavení\".", "Cannot invite user by email without an identity server. You can connect to one under \"Settings\".": "Bez serveru identit nelze uživatele pozvat e-mailem. K nějakému se můžete připojit v \"Nastavení\".",
"Unable to create room with moderation bot": "Nelze vytvořit místnost s moderačním botem", "Unable to create room with moderation bot": "Nelze vytvořit místnost s moderačním botem",
"Failed to download source media, no source url was found": "Nepodařilo se stáhnout zdrojové médium, nebyla nalezena žádná zdrojová url adresa", "Failed to download source media, no source url was found": "Nepodařilo se stáhnout zdrojové médium, nebyla nalezena žádná zdrojová url adresa",
@ -3433,7 +3322,11 @@
"server": "Server", "server": "Server",
"capabilities": "Schopnosti", "capabilities": "Schopnosti",
"unnamed_room": "Nepojmenovaná místnost", "unnamed_room": "Nepojmenovaná místnost",
"unnamed_space": "Nejmenovaný prostor" "unnamed_space": "Nejmenovaný prostor",
"stickerpack": "Balíček s nálepkami",
"system_alerts": "Systémová varování",
"secure_backup": "Zabezpečená záloha",
"cross_signing": "Křížové podepisování"
}, },
"action": { "action": {
"continue": "Pokračovat", "continue": "Pokračovat",
@ -3613,7 +3506,14 @@
"format_decrease_indent": "Zmenšit odsazení", "format_decrease_indent": "Zmenšit odsazení",
"format_inline_code": "Kód", "format_inline_code": "Kód",
"format_code_block": "Blok kódu", "format_code_block": "Blok kódu",
"format_link": "Odkaz" "format_link": "Odkaz",
"send_button_title": "Poslat zprávu",
"placeholder_thread_encrypted": "Odpovědět na zašifrované vlákno…",
"placeholder_thread": "Odpovědět na vlákno…",
"placeholder_reply_encrypted": "Odeslat šifrovanou odpověď…",
"placeholder_reply": "Odpovědět…",
"placeholder_encrypted": "Odeslat šifrovanou zprávu…",
"placeholder": "Odeslat zprávu…"
}, },
"Bold": "Tučně", "Bold": "Tučně",
"Link": "Odkaz", "Link": "Odkaz",
@ -3636,7 +3536,11 @@
"send_logs": "Odeslat záznamy", "send_logs": "Odeslat záznamy",
"github_issue": "issue na GitHubu", "github_issue": "issue na GitHubu",
"download_logs": "Stáhnout záznamy", "download_logs": "Stáhnout záznamy",
"before_submitting": "Pro odeslání záznamů je potřeba <a>vytvořit issue na GitHubu</a> s popisem problému." "before_submitting": "Pro odeslání záznamů je potřeba <a>vytvořit issue na GitHubu</a> s popisem problému.",
"collecting_information": "Sbírání informací o verzi aplikace",
"collecting_logs": "Sběr záznamů",
"uploading_logs": "Nahrávání záznamů",
"downloading_logs": "Stahování záznamů"
}, },
"time": { "time": {
"hours_minutes_seconds_left": "zbývá %(hours)sh %(minutes)sm %(seconds)ss", "hours_minutes_seconds_left": "zbývá %(hours)sh %(minutes)sm %(seconds)ss",
@ -3844,7 +3748,9 @@
"developer_tools": "Nástroje pro vývojáře", "developer_tools": "Nástroje pro vývojáře",
"room_id": "ID místnosti: %(roomId)s", "room_id": "ID místnosti: %(roomId)s",
"thread_root_id": "ID kořenového vlákna: %(threadRootId)s", "thread_root_id": "ID kořenového vlákna: %(threadRootId)s",
"event_id": "ID události: %(eventId)s" "event_id": "ID události: %(eventId)s",
"category_room": "Místnost",
"category_other": "Další možnosti"
}, },
"export_chat": { "export_chat": {
"html": "HTML", "html": "HTML",
@ -4002,6 +3908,9 @@
"other": "%(names)s a %(count)s dalších píše …", "other": "%(names)s a %(count)s dalších píše …",
"one": "%(names)s a jeden další píše …" "one": "%(names)s a jeden další píše …"
} }
},
"m.call.hangup": {
"dm": "Hovor skončil"
} }
}, },
"slash_command": { "slash_command": {
@ -4038,7 +3947,14 @@
"help": "Zobrazuje seznam příkazu s popiskem", "help": "Zobrazuje seznam příkazu s popiskem",
"whois": "Zobrazuje informace o uživateli", "whois": "Zobrazuje informace o uživateli",
"rageshake": "Zaslat hlášení o chybě", "rageshake": "Zaslat hlášení o chybě",
"msg": "Pošle zprávu danému uživateli" "msg": "Pošle zprávu danému uživateli",
"usage": "Použití",
"category_messages": "Zprávy",
"category_actions": "Akce",
"category_admin": "Správce",
"category_advanced": "Rozšířené",
"category_effects": "Efekty",
"category_other": "Další možnosti"
}, },
"presence": { "presence": {
"busy": "Zaneprázdněný", "busy": "Zaneprázdněný",
@ -4052,5 +3968,108 @@
"offline": "Offline", "offline": "Offline",
"away": "Pryč" "away": "Pryč"
}, },
"Unknown": "Neznámý" "Unknown": "Neznámý",
"event_preview": {
"m.call.answer": {
"you": "Připojili jste se k hovoru",
"user": "%(senderName)s se připojil k hovoru",
"dm": "Probíhá hovor"
},
"m.call.hangup": {
"you": "Ukončili jste hovor",
"user": "%(senderName)s ukončil(a) hovor"
},
"m.call.invite": {
"you": "Začali jste hovor",
"user": "%(senderName)s začal(a) hovor",
"dm_send": "Čekání na odpověď",
"dm_receive": "%(senderName)s volá"
},
"m.emote": "* %(senderName)s %(emote)s",
"m.text": "%(senderName)s: %(message)s",
"m.reaction": {
"you": "Reagovali jste %(reaction)s na %(message)s",
"user": "%(sender)s reagoval(a) %(reaction)s na %(message)s"
},
"m.sticker": "%(senderName)s: %(stickerName)s"
},
"voip": {
"disable_microphone": "Ztlumit mikrofon",
"enable_microphone": "Zrušit ztlumení mikrofonu",
"disable_camera": "Vypnout kameru",
"enable_camera": "Zapnout kameru",
"audio_devices": "Zvuková zařízení",
"video_devices": "Video zařízení",
"dial": "Vytočit",
"you_are_presenting": "Prezentujete",
"user_is_presenting": "%(sharerName)s prezentuje",
"camera_disabled": "Vaše kamera je vypnutá",
"camera_enabled": "Vaše kamera je stále zapnutá",
"consulting": "Konzultace s %(transferTarget)s. <a>Převod na %(transferee)s</a>",
"call_held_switch": "Podrželi jste hovor <a>Přepnout</a>",
"call_held_resume": "Podrželi jste hovor <a>Pokračovat</a>",
"call_held": "%(peerName)s podržel hovor",
"dialpad": "Číselník",
"stop_screenshare": "Ukončit sdílení obrazovky",
"start_screenshare": "Začít sdílet obrazovku",
"hangup": "Zavěsit",
"maximise": "Vyplnit obrazovku",
"expand": "Návrat do hovoru",
"on_hold": "%(name)s podržen",
"voice_call": "Hlasový hovor",
"video_call": "Videohovor",
"video_call_started": "Videohovor byl zahájen",
"unsilence": "Zvuk zapnutý",
"silence": "Ztlumit zvonění",
"silenced": "Oznámení ztlumena",
"unknown_caller": "Neznámý volající",
"call_failed": "Hovor selhal",
"unable_to_access_microphone": "Není možné použít mikrofon",
"call_failed_microphone": "Hovor selhal, protože nešlo použít mikrofon. Zkontrolujte, že je mikrofon připojen a správně nastaven.",
"unable_to_access_media": "Není možné použít webkameru nebo mikrofon",
"call_failed_media": "Hovor selhal, protože nešlo použít mikrofon nebo webkameru. Zkontrolujte, že:",
"call_failed_media_connected": "Mikrofon a webkamera jsou zapojeny a správně nastaveny",
"call_failed_media_permissions": "Aplikace má k webkameře povolen přístup",
"call_failed_media_applications": "Webkamera není blokována jinou aplikací",
"already_in_call": "Již máte hovor",
"already_in_call_person": "S touto osobou již telefonujete.",
"unsupported": "Hovory nejsou podporovány",
"unsupported_browser": "V tomto prohlížeči nelze uskutečňovat hovory."
},
"Messages": "Zprávy",
"Other": "Další možnosti",
"Advanced": "Rozšířené",
"room_settings": {
"permissions": {
"m.room.avatar_space": "Změnit avatar prostoru",
"m.room.avatar": "Změnit avatar místnosti",
"m.room.name_space": "Změnit název prostoru",
"m.room.name": "Změnit název místnosti",
"m.room.canonical_alias_space": "Změnit hlavní adresu prostoru",
"m.room.canonical_alias": "Změnit hlavní adresu místnosti",
"m.space.child": "Spravovat místnosti v tomto prostoru",
"m.room.history_visibility": "Změnit viditelnost historie",
"m.room.power_levels": "Změnit oprávnění",
"m.room.topic_space": "Změnit popis",
"m.room.topic": "Změnit téma",
"m.room.tombstone": "Aktualizovat místnost",
"m.room.encryption": "Povolit v místnosti šifrování",
"m.room.server_acl": "Změnit seznamy přístupů serveru",
"m.reaction": "Odesílat reakce",
"m.room.redaction": "Odstranit mnou odeslané zprávy",
"m.widget": "Spravovat widgety",
"io.element.voice_broadcast_info": "Hlasová vysílání",
"m.room.pinned_events": "Správa připnutých událostí",
"m.call": "Zahájit %(brand)s volání",
"m.call.member": "Připojit se k %(brand)s volání",
"users_default": "Výchozí role",
"events_default": "Posílat zprávy",
"invite": "Zvát uživatele",
"state_default": "Měnit nastavení",
"kick": "Odebrat uživatele",
"ban": "Vykázat uživatele",
"redact": "Odstranit zprávy odeslané ostatními",
"notifications.room": "Oznámení pro celou místnost"
}
}
} }

View file

@ -12,8 +12,6 @@
"Commands": "Kommandoer", "Commands": "Kommandoer",
"Warning!": "Advarsel!", "Warning!": "Advarsel!",
"Account": "Konto", "Account": "Konto",
"Admin": "Administrator",
"Advanced": "Avanceret",
"Are you sure you want to reject the invitation?": "Er du sikker på du vil afvise invitationen?", "Are you sure you want to reject the invitation?": "Er du sikker på du vil afvise invitationen?",
"Banned users": "Bortviste brugere", "Banned users": "Bortviste brugere",
"Cryptography": "Kryptografi", "Cryptography": "Kryptografi",
@ -77,7 +75,6 @@
"Missing room_id in request": "Mangler room_id i forespørgsel", "Missing room_id in request": "Mangler room_id i forespørgsel",
"Room %(roomId)s not visible": "rum %(roomId)s ikke synligt", "Room %(roomId)s not visible": "rum %(roomId)s ikke synligt",
"Missing user_id in request": "Manglende user_id i forespørgsel", "Missing user_id in request": "Manglende user_id i forespørgsel",
"Usage": "Brug",
"Ignored user": "Ignoreret bruger", "Ignored user": "Ignoreret bruger",
"You are now ignoring %(userId)s": "Du ignorerer nu %(userId)s", "You are now ignoring %(userId)s": "Du ignorerer nu %(userId)s",
"Unignored user": "Holdt op med at ignorere bruger", "Unignored user": "Holdt op med at ignorere bruger",
@ -100,12 +97,10 @@
"Filter results": "Filtrér resultater", "Filter results": "Filtrér resultater",
"No update available.": "Ingen opdatering tilgængelig.", "No update available.": "Ingen opdatering tilgængelig.",
"Noisy": "Støjende", "Noisy": "Støjende",
"Collecting app version information": "Indsamler app versionsoplysninger",
"Search…": "Søg…", "Search…": "Søg…",
"Tuesday": "Tirsdag", "Tuesday": "Tirsdag",
"Saturday": "Lørdag", "Saturday": "Lørdag",
"Monday": "Mandag", "Monday": "Mandag",
"Collecting logs": "Indsamler logfiler",
"Invite to this room": "Inviter til dette rum", "Invite to this room": "Inviter til dette rum",
"Send": "Send", "Send": "Send",
"All messages": "Alle beskeder", "All messages": "Alle beskeder",
@ -123,7 +118,6 @@
"Logs sent": "Logfiler sendt", "Logs sent": "Logfiler sendt",
"Failed to send logs: ": "Kunne ikke sende logfiler: ", "Failed to send logs: ": "Kunne ikke sende logfiler: ",
"Preparing to send logs": "Forbereder afsendelse af logfiler", "Preparing to send logs": "Forbereder afsendelse af logfiler",
"Call Failed": "Opkald mislykkedes",
"Call failed due to misconfigured server": "Opkaldet mislykkedes pga. fejlkonfigureret server", "Call failed due to misconfigured server": "Opkaldet mislykkedes pga. fejlkonfigureret server",
"Please ask the administrator of your homeserver (<code>%(homeserverDomain)s</code>) to configure a TURN server in order for calls to work reliably.": "Bed administratoren af din homeserver (<code>%(homeserverDomain)s</code>) om at konfigurere en TURN server for at opkald virker pålideligt.", "Please ask the administrator of your homeserver (<code>%(homeserverDomain)s</code>) to configure a TURN server in order for calls to work reliably.": "Bed administratoren af din homeserver (<code>%(homeserverDomain)s</code>) om at konfigurere en TURN server for at opkald virker pålideligt.",
"Permission Required": "Tilladelse påkrævet", "Permission Required": "Tilladelse påkrævet",
@ -136,9 +130,6 @@
"%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s, %(day)s. %(monthName)s %(fullYear)s", "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s, %(day)s. %(monthName)s %(fullYear)s",
"Unable to load! Check your network connectivity and try again.": "Kunne ikke hente! Tjek din netværksforbindelse og prøv igen.", "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.", "Missing roomId.": "roomId mangler.",
"Messages": "Beskeder",
"Actions": "Handlinger",
"Other": "Andre",
"Use an identity server": "Brug en identitetsserver", "Use an identity server": "Brug en identitetsserver",
"Use an identity server to invite by email. Click continue to use the default identity server (%(defaultIdentityServerName)s) or manage in Settings.": "Brug en identitetsserver for at invitere pr. mail. Tryk på Fortsæt for at bruge den almindelige identitetsserver (%(defaultIdentityServerName)s) eller indtast en anden under Indstillinger.", "Use an identity server to invite by email. Click continue to use the default identity server (%(defaultIdentityServerName)s) or manage in Settings.": "Brug en identitetsserver for at invitere pr. mail. Tryk på Fortsæt for at bruge den almindelige identitetsserver (%(defaultIdentityServerName)s) eller indtast en anden under Indstillinger.",
"Use an identity server to invite by email. Manage in Settings.": "Brug en identitetsserver for at invitere pr. mail. Administrer dette under Indstillinger.", "Use an identity server to invite by email. Manage in Settings.": "Brug en identitetsserver for at invitere pr. mail. Administrer dette under Indstillinger.",
@ -266,13 +257,6 @@
"Enter password": "Indtast adgangskode", "Enter password": "Indtast adgangskode",
"Add a new server": "Tilføj en ny server", "Add a new server": "Tilføj en ny server",
"Change notification settings": "Skift notifikations indstillinger", "Change notification settings": "Skift notifikations indstillinger",
"%(senderName)s: %(stickerName)s": "%(senderName)s: %(stickerName)s",
"%(senderName)s: %(message)s": "%(senderName)s: %(message)s",
"* %(senderName)s %(emote)s": "* %(senderName)s %(emote)s",
"%(senderName)s is calling": "%(senderName)s ringer",
"Waiting for answer": "Venter på svar",
"%(senderName)s started a call": "%(senderName)s startede et opkald",
"You started a call": "Du startede et opkald",
"Verified!": "Bekræftet!", "Verified!": "Bekræftet!",
"Profile picture": "Profil billede", "Profile picture": "Profil billede",
"Categories": "Kategorier", "Categories": "Kategorier",
@ -287,9 +271,6 @@
"Local address": "Lokal adresse", "Local address": "Lokal adresse",
"This room has no local addresses": "Dette rum har ingen lokal adresse", "This room has no local addresses": "Dette rum har ingen lokal adresse",
"The conversation continues here.": "Samtalen fortsætter her.", "The conversation continues here.": "Samtalen fortsætter her.",
"Send a message…": "Send en besked…",
"Send an encrypted message…": "Send en krypteret besked…",
"Send a reply…": "Besvar…",
"Message deleted on %(date)s": "Besked slettet d. %(date)s", "Message deleted on %(date)s": "Besked slettet d. %(date)s",
"France": "Frankrig", "France": "Frankrig",
"Finland": "Finland", "Finland": "Finland",
@ -299,17 +280,10 @@
"China": "Kina", "China": "Kina",
"Canada": "Canada", "Canada": "Canada",
"Too Many Calls": "For mange opkald", "Too Many Calls": "For mange opkald",
"Permission is granted to use the webcam": "Tilladelse er givet til brug af webcam",
"Unable to access webcam / microphone": "Kan ikke tilgå webcam / mikrofon",
"Unable to access microphone": "Kan ikke tilgå mikrofonen",
"The call could not be established": "Opkaldet kunne ikke etableres", "The call could not be established": "Opkaldet kunne ikke etableres",
"Folder": "Mappe", "Folder": "Mappe",
"We couldn't log you in": "Vi kunne ikke logge dig ind", "We couldn't log you in": "Vi kunne ikke logge dig ind",
"Already in call": "Allerede i et opkald",
"You're already in a call with this person.": "Du har allerede i et opkald med denne person.",
"Chile": "Chile", "Chile": "Chile",
"Call failed because webcam or microphone could not be accessed. Check that:": "Opkald fejlede på grund af kamera og mikrofon ikke kunne nås. Tjek dette:",
"Call failed because microphone could not be accessed. Check that a microphone is plugged in and set up correctly.": "Opkald fejlede på grund af mikrofon ikke kunne nås. Tjek at din mikrofon er tilsluttet og sat op rigtigt.",
"India": "Indien", "India": "Indien",
"Iceland": "Island", "Iceland": "Island",
"Hong Kong": "Hong Kong", "Hong Kong": "Hong Kong",
@ -338,21 +312,16 @@
"Afghanistan": "Afghanistan", "Afghanistan": "Afghanistan",
"United States": "Amerikas Forenede Stater", "United States": "Amerikas Forenede Stater",
"United Kingdom": "Storbritanien", "United Kingdom": "Storbritanien",
"No other application is using the webcam": "Ingen anden application bruger kameraet",
"A microphone and webcam are plugged in and set up correctly": "En mikrofon og kamera er tilsluttet og sat op rigtigt",
"Croatia": "Kroatien", "Croatia": "Kroatien",
"Answered Elsewhere": "Svaret andet sted", "Answered Elsewhere": "Svaret andet sted",
"You've reached the maximum number of simultaneous calls.": "Du er nået til det maksimale antal igangværende opkald på en gang.", "You've reached the maximum number of simultaneous calls.": "Du er nået til det maksimale antal igangværende opkald på en gang.",
"You cannot place calls without a connection to the server.": "Du kan ikke lave et opkald uden en forbindelse til serveren.", "You cannot place calls without a connection to the server.": "Du kan ikke lave et opkald uden en forbindelse til serveren.",
"Connectivity to the server has been lost": "Forbindelsen til serveren er tabt", "Connectivity to the server has been lost": "Forbindelsen til serveren er tabt",
"You cannot place calls in this browser.": "Du kan ikke lave opkald i denne browser.",
"Calls are unsupported": "Opkald er ikke understøttet",
"The call was answered on another device.": "Opkaldet var svaret på en anden enhed.", "The call was answered on another device.": "Opkaldet var svaret på en anden enhed.",
"The user you called is busy.": "Brugeren du ringede til er optaget.", "The user you called is busy.": "Brugeren du ringede til er optaget.",
"User Busy": "Bruger optaget", "User Busy": "Bruger optaget",
"Command error: Unable to find rendering type (%(renderingType)s)": "Kommandofejl: Kan ikke finde renderingstype (%(renderingType)s)", "Command error: Unable to find rendering type (%(renderingType)s)": "Kommandofejl: Kan ikke finde renderingstype (%(renderingType)s)",
"Command error: Unable to handle slash command.": "Kommandofejl: Kan ikke håndtere skråstregskommando.", "Command error: Unable to handle slash command.": "Kommandofejl: Kan ikke håndtere skråstregskommando.",
"Effects": "Effekter",
"Are you sure you want to cancel entering passphrase?": "Er du sikker på, at du vil annullere indtastning af adgangssætning?", "Are you sure you want to cancel entering passphrase?": "Er du sikker på, at du vil annullere indtastning af adgangssætning?",
"%(spaceName)s and %(count)s others": { "%(spaceName)s and %(count)s others": {
"one": "%(spaceName)s og %(count)s andre", "one": "%(spaceName)s og %(count)s andre",
@ -650,7 +619,9 @@
}, },
"bug_reporting": { "bug_reporting": {
"submit_debug_logs": "Indsend debug-logfiler", "submit_debug_logs": "Indsend debug-logfiler",
"send_logs": "Send logs" "send_logs": "Send logs",
"collecting_information": "Indsamler app versionsoplysninger",
"collecting_logs": "Indsamler logfiler"
}, },
"time": { "time": {
"date_at_time": "%(date)s om %(time)s" "date_at_time": "%(date)s om %(time)s"
@ -673,7 +644,8 @@
"event_sent": "Begivenhed sendt!", "event_sent": "Begivenhed sendt!",
"event_content": "Begivenhedsindhold", "event_content": "Begivenhedsindhold",
"toolbox": "Værktøjer", "toolbox": "Værktøjer",
"developer_tools": "Udviklingsværktøjer" "developer_tools": "Udviklingsværktøjer",
"category_other": "Andre"
}, },
"timeline": { "timeline": {
"m.call.invite": { "m.call.invite": {
@ -760,9 +732,49 @@
"rainbow": "Sender beskeden med regnbuefarver", "rainbow": "Sender beskeden med regnbuefarver",
"rainbowme": "Sender emoji'en med regnbuefarver", "rainbowme": "Sender emoji'en med regnbuefarver",
"help": "Viser en liste over kommandoer med beskrivelser", "help": "Viser en liste over kommandoer med beskrivelser",
"whois": "Viser information om en bruger" "whois": "Viser information om en bruger",
"usage": "Brug",
"category_messages": "Beskeder",
"category_actions": "Handlinger",
"category_admin": "Administrator",
"category_advanced": "Avanceret",
"category_effects": "Effekter",
"category_other": "Andre"
}, },
"presence": { "presence": {
"online": "Online" "online": "Online"
},
"event_preview": {
"m.call.invite": {
"you": "Du startede et opkald",
"user": "%(senderName)s startede et opkald",
"dm_send": "Venter på svar",
"dm_receive": "%(senderName)s ringer"
},
"m.emote": "* %(senderName)s %(emote)s",
"m.text": "%(senderName)s: %(message)s",
"m.sticker": "%(senderName)s: %(stickerName)s"
},
"Messages": "Beskeder",
"Other": "Andre",
"Advanced": "Avanceret",
"composer": {
"placeholder_reply": "Besvar…",
"placeholder_encrypted": "Send en krypteret besked…",
"placeholder": "Send en besked…"
},
"voip": {
"call_failed": "Opkald mislykkedes",
"unable_to_access_microphone": "Kan ikke tilgå mikrofonen",
"call_failed_microphone": "Opkald fejlede på grund af mikrofon ikke kunne nås. Tjek at din mikrofon er tilsluttet og sat op rigtigt.",
"unable_to_access_media": "Kan ikke tilgå webcam / mikrofon",
"call_failed_media": "Opkald fejlede på grund af kamera og mikrofon ikke kunne nås. Tjek dette:",
"call_failed_media_connected": "En mikrofon og kamera er tilsluttet og sat op rigtigt",
"call_failed_media_permissions": "Tilladelse er givet til brug af webcam",
"call_failed_media_applications": "Ingen anden application bruger kameraet",
"already_in_call": "Allerede i et opkald",
"already_in_call_person": "Du har allerede i et opkald med denne person.",
"unsupported": "Opkald er ikke understøttet",
"unsupported_browser": "Du kan ikke lave opkald i denne browser."
} }
} }

View file

@ -12,7 +12,6 @@
"Change Password": "Passwort ändern", "Change Password": "Passwort ändern",
"Commands": "Befehle", "Commands": "Befehle",
"Warning!": "Warnung!", "Warning!": "Warnung!",
"Advanced": "Erweitert",
"Are you sure you want to reject the invitation?": "Bist du sicher, dass du die Einladung ablehnen willst?", "Are you sure you want to reject the invitation?": "Bist du sicher, dass du die Einladung ablehnen willst?",
"Banned users": "Verbannte Benutzer", "Banned users": "Verbannte Benutzer",
"Cryptography": "Verschlüsselung", "Cryptography": "Verschlüsselung",
@ -26,7 +25,6 @@
"Favourite": "Favorit", "Favourite": "Favorit",
"Forget room": "Raum entfernen", "Forget room": "Raum entfernen",
"For security, this session has been signed out. Please sign in again.": "Aus Sicherheitsgründen wurde diese Sitzung beendet. Bitte melde dich erneut an.", "For security, this session has been signed out. Please sign in again.": "Aus Sicherheitsgründen wurde diese Sitzung beendet. Bitte melde dich erneut an.",
"Hangup": "Auflegen",
"Import E2E room keys": "E2E-Raumschlüssel importieren", "Import E2E room keys": "E2E-Raumschlüssel importieren",
"Invalid Email Address": "Ungültige E-Mail-Adresse", "Invalid Email Address": "Ungültige E-Mail-Adresse",
"Sign in with": "Anmelden mit", "Sign in with": "Anmelden mit",
@ -44,7 +42,6 @@
"Signed Out": "Abgemeldet", "Signed Out": "Abgemeldet",
"This doesn't appear to be a valid email address": "Dies scheint keine gültige E-Mail-Adresse zu sein", "This doesn't appear to be a valid email address": "Dies scheint keine gültige E-Mail-Adresse zu sein",
"This room is not accessible by remote Matrix servers": "Dieser Raum ist von Personen auf anderen Matrix-Servern nicht betretbar", "This room is not accessible by remote Matrix servers": "Dieser Raum ist von Personen auf anderen Matrix-Servern nicht betretbar",
"Admin": "Admin",
"Server may be unavailable, overloaded, or you hit a bug.": "Server ist nicht verfügbar, überlastet oder du bist auf einen Programmfehler gestoßen.", "Server may be unavailable, overloaded, or you hit a bug.": "Server ist nicht verfügbar, überlastet oder du bist auf einen Programmfehler gestoßen.",
"Unable to add email address": "E-Mail-Adresse konnte nicht hinzugefügt werden", "Unable to add email address": "E-Mail-Adresse konnte nicht hinzugefügt werden",
"Unable to remove contact information": "Die Kontaktinformationen können nicht gelöscht werden", "Unable to remove contact information": "Die Kontaktinformationen können nicht gelöscht werden",
@ -54,8 +51,6 @@
"Upload avatar": "Profilbild hochladen", "Upload avatar": "Profilbild hochladen",
"Users": "Benutzer", "Users": "Benutzer",
"Verification Pending": "Verifizierung ausstehend", "Verification Pending": "Verifizierung ausstehend",
"Video call": "Videoanruf",
"Voice call": "Sprachanruf",
"Who can read history?": "Wer kann den bisherigen Verlauf lesen?", "Who can read history?": "Wer kann den bisherigen Verlauf lesen?",
"You do not have permission to post to this room": "Du hast keine Berechtigung, etwas in diesen Raum zu senden", "You do not have permission to post to this room": "Du hast keine Berechtigung, etwas in diesen Raum zu senden",
"Failed to verify email address: make sure you clicked the link in the email": "Verifizierung der E-Mail-Adresse fehlgeschlagen: Bitte stelle sicher, dass du den Link in der E-Mail angeklickt hast", "Failed to verify email address: make sure you clicked the link in the email": "Verifizierung der E-Mail-Adresse fehlgeschlagen: Bitte stelle sicher, dass du den Link in der E-Mail angeklickt hast",
@ -99,7 +94,6 @@
"Reason": "Grund", "Reason": "Grund",
"Room %(roomId)s not visible": "Raum %(roomId)s ist nicht sichtbar", "Room %(roomId)s not visible": "Raum %(roomId)s ist nicht sichtbar",
"This room is not recognised.": "Dieser Raum wurde nicht erkannt.", "This room is not recognised.": "Dieser Raum wurde nicht erkannt.",
"Usage": "Verwendung",
"You need to be able to invite users to do that.": "Du musst die Berechtigung \"Benutzer einladen\" haben, um diese Aktion ausführen zu können.", "You need to be able to invite users to do that.": "Du musst die Berechtigung \"Benutzer einladen\" haben, um diese Aktion ausführen zu können.",
"You need to be logged in.": "Du musst angemeldet sein.", "You need to be logged in.": "Du musst angemeldet sein.",
"Connectivity to the server has been lost.": "Verbindung zum Server wurde unterbrochen.", "Connectivity to the server has been lost.": "Verbindung zum Server wurde unterbrochen.",
@ -344,14 +338,11 @@
"%(duration)sm": "%(duration)sm", "%(duration)sm": "%(duration)sm",
"%(duration)sh": "%(duration)sh", "%(duration)sh": "%(duration)sh",
"%(duration)sd": "%(duration)sT", "%(duration)sd": "%(duration)sT",
"Call Failed": "Anruf fehlgeschlagen",
"Send": "Senden", "Send": "Senden",
"collapse": "Verbergen", "collapse": "Verbergen",
"expand": "Erweitern", "expand": "Erweitern",
"Old cryptography data detected": "Alte Kryptografiedaten erkannt", "Old cryptography data detected": "Alte Kryptografiedaten erkannt",
"Data from an older version of %(brand)s has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "Es wurden Daten von einer älteren Version von %(brand)s entdeckt. Dies wird zu Fehlern in der Ende-zu-Ende-Verschlüsselung der älteren Version geführt haben. Ende-zu-Ende verschlüsselte Nachrichten, die ausgetauscht wruden, während die ältere Version genutzt wurde, werden in dieser Version nicht entschlüsselbar sein. Es kann auch zu Fehlern mit Nachrichten führen, die mit dieser Version versendet werden. Wenn du Probleme feststellst, melde dich ab und wieder an. Um die Historie zu behalten, ex- und reimportiere deine Schlüssel.", "Data from an older version of %(brand)s has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "Es wurden Daten von einer älteren Version von %(brand)s entdeckt. Dies wird zu Fehlern in der Ende-zu-Ende-Verschlüsselung der älteren Version geführt haben. Ende-zu-Ende verschlüsselte Nachrichten, die ausgetauscht wruden, während die ältere Version genutzt wurde, werden in dieser Version nicht entschlüsselbar sein. Es kann auch zu Fehlern mit Nachrichten führen, die mit dieser Version versendet werden. Wenn du Probleme feststellst, melde dich ab und wieder an. Um die Historie zu behalten, ex- und reimportiere deine Schlüssel.",
"Send an encrypted reply…": "Verschlüsselte Antwort senden …",
"Send an encrypted message…": "Verschlüsselte Nachricht senden …",
"Replying": "Antwortet", "Replying": "Antwortet",
"%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s, %(day)s. %(monthName)s %(fullYear)s", "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s, %(day)s. %(monthName)s %(fullYear)s",
"You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.": "Du wirst nicht in der Lage sein, die Änderung zurückzusetzen, da du dich degradierst. Wenn du der letze Nutzer mit Berechtigungen bist, wird es unmöglich sein die Privilegien zurückzubekommen.", "You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.": "Du wirst nicht in der Lage sein, die Änderung zurückzusetzen, da du dich degradierst. Wenn du der letze Nutzer mit Berechtigungen bist, wird es unmöglich sein die Privilegien zurückzubekommen.",
@ -360,7 +351,6 @@
"Failed to remove tag %(tagName)s from room": "Entfernen der Raum-Kennzeichnung %(tagName)s fehlgeschlagen", "Failed to remove tag %(tagName)s from room": "Entfernen der Raum-Kennzeichnung %(tagName)s fehlgeschlagen",
"Failed to add tag %(tagName)s to room": "Fehler beim Hinzufügen des \"%(tagName)s\"-Tags an dem Raum", "Failed to add tag %(tagName)s to room": "Fehler beim Hinzufügen des \"%(tagName)s\"-Tags an dem Raum",
"You don't currently have any stickerpacks enabled": "Keine Sticker-Pakete aktiviert", "You don't currently have any stickerpacks enabled": "Keine Sticker-Pakete aktiviert",
"Stickerpack": "Sticker-Paket",
"Sunday": "Sonntag", "Sunday": "Sonntag",
"Notification targets": "Benachrichtigungsziele", "Notification targets": "Benachrichtigungsziele",
"Today": "Heute", "Today": "Heute",
@ -376,12 +366,10 @@
"Filter results": "Ergebnisse filtern", "Filter results": "Ergebnisse filtern",
"No update available.": "Keine Aktualisierung verfügbar.", "No update available.": "Keine Aktualisierung verfügbar.",
"Noisy": "Laut", "Noisy": "Laut",
"Collecting app version information": "App-Versionsinformationen werden abgerufen",
"Tuesday": "Dienstag", "Tuesday": "Dienstag",
"Preparing to send logs": "Senden von Protokolldateien wird vorbereitet", "Preparing to send logs": "Senden von Protokolldateien wird vorbereitet",
"Saturday": "Samstag", "Saturday": "Samstag",
"Monday": "Montag", "Monday": "Montag",
"Collecting logs": "Protokolle werden abgerufen",
"Invite to this room": "In diesen Raum einladen", "Invite to this room": "In diesen Raum einladen",
"Wednesday": "Mittwoch", "Wednesday": "Mittwoch",
"You cannot delete this message. (%(code)s)": "Diese Nachricht kann nicht gelöscht werden. (%(code)s)", "You cannot delete this message. (%(code)s)": "Diese Nachricht kann nicht gelöscht werden. (%(code)s)",
@ -429,7 +417,6 @@
"This event could not be displayed": "Dieses Ereignis konnte nicht angezeigt werden", "This event could not be displayed": "Dieses Ereignis konnte nicht angezeigt werden",
"Permission Required": "Berechtigung benötigt", "Permission Required": "Berechtigung benötigt",
"You do not have permission to start a conference call in this room": "Du hast keine Berechtigung, ein Konferenzgespräch in diesem Raum zu starten", "You do not have permission to start a conference call in this room": "Du hast keine Berechtigung, ein Konferenzgespräch in diesem Raum zu starten",
"System Alerts": "Systembenachrichtigung",
"Only room administrators will see this warning": "Nur Raumadministratoren werden diese Nachricht sehen", "Only room administrators will see this warning": "Nur Raumadministratoren werden diese Nachricht sehen",
"This homeserver has hit its Monthly Active User limit.": "Dieser Heim-Server hat seinen Grenzwert an monatlich aktiven Nutzern erreicht.", "This homeserver has hit its Monthly Active User limit.": "Dieser Heim-Server hat seinen Grenzwert an monatlich aktiven Nutzern erreicht.",
"This homeserver has exceeded one of its resource limits.": "Dieser Heim-Server hat einen seiner Ressourcengrenzwerte überschritten.", "This homeserver has exceeded one of its resource limits.": "Dieser Heim-Server hat einen seiner Ressourcengrenzwerte überschritten.",
@ -643,7 +630,6 @@
"This homeserver would like to make sure you are not a robot.": "Dieser Heim-Server möchte sicherstellen, dass du kein Roboter bist.", "This homeserver would like to make sure you are not a robot.": "Dieser Heim-Server möchte sicherstellen, dass du kein Roboter bist.",
"Email (optional)": "E-Mail-Adresse (optional)", "Email (optional)": "E-Mail-Adresse (optional)",
"Phone (optional)": "Telefon (optional)", "Phone (optional)": "Telefon (optional)",
"Other": "Sonstiges",
"Couldn't load page": "Konnte Seite nicht laden", "Couldn't load page": "Konnte Seite nicht laden",
"Your password has been reset.": "Dein Passwort wurde zurückgesetzt.", "Your password has been reset.": "Dein Passwort wurde zurückgesetzt.",
"This homeserver does not support login using email address.": "Dieser Heim-Server unterstützt die Anmeldung per E-Mail-Adresse nicht.", "This homeserver does not support login using email address.": "Dieser Heim-Server unterstützt die Anmeldung per E-Mail-Adresse nicht.",
@ -658,19 +644,6 @@
"The user must be unbanned before they can be invited.": "Verbannte Nutzer können nicht eingeladen werden.", "The user must be unbanned before they can be invited.": "Verbannte Nutzer können nicht eingeladen werden.",
"Scissors": "Schere", "Scissors": "Schere",
"Accept all %(invitedRooms)s invites": "Akzeptiere alle %(invitedRooms)s Einladungen", "Accept all %(invitedRooms)s invites": "Akzeptiere alle %(invitedRooms)s Einladungen",
"Change room avatar": "Raumbild ändern",
"Change room name": "Raumname ändern",
"Change main address for the room": "Hauptadresse ändern",
"Change history visibility": "Sichtbarkeit des Verlaufs ändern",
"Change permissions": "Berechtigungen ändern",
"Change topic": "Thema ändern",
"Modify widgets": "Widgets bearbeiten",
"Default role": "Standard-Rolle",
"Send messages": "Nachrichten senden",
"Invite users": "Person einladen",
"Change settings": "Einstellungen ändern",
"Ban users": "Benutzer verbannen",
"Notify everyone": "Alle benachrichtigen",
"Send %(eventType)s events": "%(eventType)s-Ereignisse senden", "Send %(eventType)s events": "%(eventType)s-Ereignisse senden",
"Select the roles required to change various parts of the room": "Wähle Rollen, die benötigt werden, um einige Teile des Raumes zu ändern", "Select the roles required to change various parts of the room": "Wähle Rollen, die benötigt werden, um einige Teile des Raumes zu ändern",
"Enable encryption?": "Verschlüsselung aktivieren?", "Enable encryption?": "Verschlüsselung aktivieren?",
@ -717,8 +690,6 @@
"Failed to revoke invite": "Einladung konnte nicht zurückgezogen werden", "Failed to revoke invite": "Einladung konnte nicht zurückgezogen werden",
"Revoke invite": "Einladung zurückziehen", "Revoke invite": "Einladung zurückziehen",
"Invited by %(sender)s": "%(sender)s eingeladen", "Invited by %(sender)s": "%(sender)s eingeladen",
"Messages": "Nachrichten",
"Actions": "Aktionen",
"Call failed due to misconfigured server": "Anruf aufgrund eines falsch konfigurierten Servers fehlgeschlagen", "Call failed due to misconfigured server": "Anruf aufgrund eines falsch konfigurierten Servers fehlgeschlagen",
"Checking server": "Überprüfe Server", "Checking server": "Überprüfe Server",
"Identity server has no terms of service": "Der Identitäts-Server hat keine Nutzungsbedingungen", "Identity server has no terms of service": "Der Identitäts-Server hat keine Nutzungsbedingungen",
@ -912,8 +883,6 @@
"Read Marker off-screen lifetime (ms)": "Gültigkeitsdauer der Gelesen-Markierung außerhalb des Bildschirms (ms)", "Read Marker off-screen lifetime (ms)": "Gültigkeitsdauer der Gelesen-Markierung außerhalb des Bildschirms (ms)",
"Session key:": "Sitzungsschlüssel:", "Session key:": "Sitzungsschlüssel:",
"Sounds": "Töne", "Sounds": "Töne",
"Upgrade the room": "Raum aktualisieren",
"Enable room encryption": "Raumverschlüsselung aktivieren",
"Encrypted by an unverified session": "Von einer nicht verifizierten Sitzung verschlüsselt", "Encrypted by an unverified session": "Von einer nicht verifizierten Sitzung verschlüsselt",
"Unencrypted": "Unverschlüsselt", "Unencrypted": "Unverschlüsselt",
"Encrypted by a deleted session": "Von einer gelöschten Sitzung verschlüsselt", "Encrypted by a deleted session": "Von einer gelöschten Sitzung verschlüsselt",
@ -982,7 +951,6 @@
"Always show the window menu bar": "Fenstermenüleiste immer anzeigen", "Always show the window menu bar": "Fenstermenüleiste immer anzeigen",
"Session ID:": "Sitzungs-ID:", "Session ID:": "Sitzungs-ID:",
"Message search": "Nachrichtensuche", "Message search": "Nachrichtensuche",
"Cross-signing": "Quersignierung",
"This room is bridging messages to the following platforms. <a>Learn more.</a>": "Dieser Raum leitet Nachrichten von/an folgende(n) Plattformen weiter. <a>Mehr erfahren.</a>", "This room is bridging messages to the following platforms. <a>Learn more.</a>": "Dieser Raum leitet Nachrichten von/an folgende(n) Plattformen weiter. <a>Mehr erfahren.</a>",
"Bridges": "Brücken", "Bridges": "Brücken",
"Uploaded sound": "Hochgeladener Ton", "Uploaded sound": "Hochgeladener Ton",
@ -1029,8 +997,6 @@
"Deactivating this user will log them out and prevent them from logging back in. Additionally, they will leave all the rooms they are in. This action cannot be reversed. Are you sure you want to deactivate this user?": "Beim Deaktivieren wirst du abgemeldet und ein erneutes Anmelden verhindert. Zusätzlich wirst du aus allen Räumen entfernt. Diese Aktion kann nicht rückgängig gemacht werden. Bist du sicher, dass du dieses Konto deaktivieren willst?", "Deactivating this user will log them out and prevent them from logging back in. Additionally, they will leave all the rooms they are in. This action cannot be reversed. Are you sure you want to deactivate this user?": "Beim Deaktivieren wirst du abgemeldet und ein erneutes Anmelden verhindert. Zusätzlich wirst du aus allen Räumen entfernt. Diese Aktion kann nicht rückgängig gemacht werden. Bist du sicher, dass du dieses Konto deaktivieren willst?",
"Deactivate user": "Konto deaktivieren", "Deactivate user": "Konto deaktivieren",
"Failed to deactivate user": "Benutzer konnte nicht deaktiviert werden", "Failed to deactivate user": "Benutzer konnte nicht deaktiviert werden",
"Send a reply…": "Antwort senden …",
"Send a message…": "Nachricht senden …",
"Italics": "Kursiv", "Italics": "Kursiv",
"Join the conversation with an account": "An Unterhaltung mit einem Konto teilnehmen", "Join the conversation with an account": "An Unterhaltung mit einem Konto teilnehmen",
"Re-join": "Erneut betreten", "Re-join": "Erneut betreten",
@ -1345,21 +1311,9 @@
"Customise your appearance": "Verändere das Erscheinungsbild", "Customise your appearance": "Verändere das Erscheinungsbild",
"Appearance Settings only affect this %(brand)s session.": "Die %(brand)s Einstellungen zum Erscheinungsbild wirken sich nur auf diese Sitzung aus.", "Appearance Settings only affect this %(brand)s session.": "Die %(brand)s Einstellungen zum Erscheinungsbild wirken sich nur auf diese Sitzung aus.",
"The authenticity of this encrypted message can't be guaranteed on this device.": "Die Echtheit dieser verschlüsselten Nachricht kann auf diesem Gerät nicht garantiert werden.", "The authenticity of this encrypted message can't be guaranteed on this device.": "Die Echtheit dieser verschlüsselten Nachricht kann auf diesem Gerät nicht garantiert werden.",
"You joined the call": "Du bist dem Anruf beigetreten",
"%(senderName)s joined the call": "%(senderName)s ist dem Anruf beigetreten",
"Call in progress": "Laufendes Gespräch",
"Call ended": "Anruf beendet",
"You started a call": "Du hast einen Anruf gestartet",
"%(senderName)s started a call": "%(senderName)s hat einen Anruf gestartet",
"Waiting for answer": "Warte auf eine Antwort",
"%(senderName)s is calling": "%(senderName)s ruft an",
"%(senderName)s: %(message)s": "%(senderName)s: %(message)s",
"%(senderName)s: %(stickerName)s": "%(senderName)s: %(stickerName)s",
"Message deleted on %(date)s": "Nachricht am %(date)s gelöscht", "Message deleted on %(date)s": "Nachricht am %(date)s gelöscht",
"Wrong file type": "Falscher Dateityp", "Wrong file type": "Falscher Dateityp",
"Unknown caller": "Unbekannter Anrufer",
"Are you sure you want to cancel entering passphrase?": "Bist du sicher, dass du die Eingabe der Passphrase abbrechen möchtest?", "Are you sure you want to cancel entering passphrase?": "Bist du sicher, dass du die Eingabe der Passphrase abbrechen möchtest?",
"* %(senderName)s %(emote)s": "* %(senderName)s %(emote)s",
"%(brand)s can't securely cache encrypted messages locally while running in a web browser. Use <desktopLink>%(brand)s Desktop</desktopLink> for encrypted messages to appear in search results.": "Das Durchsuchen von verschlüsselten Nachrichten wird aus Sicherheitsgründen nur von %(brand)s Desktop unterstützt. <desktopLink>Hier gehts zum Download</desktopLink>.", "%(brand)s can't securely cache encrypted messages locally while running in a web browser. Use <desktopLink>%(brand)s Desktop</desktopLink> for encrypted messages to appear in search results.": "Das Durchsuchen von verschlüsselten Nachrichten wird aus Sicherheitsgründen nur von %(brand)s Desktop unterstützt. <desktopLink>Hier gehts zum Download</desktopLink>.",
"Show rooms with unread messages first": "Räume mit ungelesenen Nachrichten zuerst zeigen", "Show rooms with unread messages first": "Räume mit ungelesenen Nachrichten zuerst zeigen",
"Show previews of messages": "Nachrichtenvorschau anzeigen", "Show previews of messages": "Nachrichtenvorschau anzeigen",
@ -1400,8 +1354,6 @@
"Use a secret phrase only you know, and optionally save a Security Key to use for backup.": "Verwende für deine Sicherung eine geheime Phrase, die nur du kennst, und speichere optional einen Sicherheitsschlüssel.", "Use a secret phrase only you know, and optionally save a Security Key to use for backup.": "Verwende für deine Sicherung eine geheime Phrase, die nur du kennst, und speichere optional einen Sicherheitsschlüssel.",
"If you cancel now, you may lose encrypted messages & data if you lose access to your logins.": "Wenn du jetzt abbrichst, kannst du verschlüsselte Nachrichten und Daten verlieren, wenn du den Zugriff auf deine Sitzungen verlierst.", "If you cancel now, you may lose encrypted messages & data if you lose access to your logins.": "Wenn du jetzt abbrichst, kannst du verschlüsselte Nachrichten und Daten verlieren, wenn du den Zugriff auf deine Sitzungen verlierst.",
"You can also set up Secure Backup & manage your keys in Settings.": "Du kannst auch in den Einstellungen Sicherungen einrichten und deine Schlüssel verwalten.", "You can also set up Secure Backup & manage your keys in Settings.": "Du kannst auch in den Einstellungen Sicherungen einrichten und deine Schlüssel verwalten.",
"Uploading logs": "Lade Protokolle hoch",
"Downloading logs": "Lade Protokolle herunter",
"Explore public rooms": "Öffentliche Räume erkunden", "Explore public rooms": "Öffentliche Räume erkunden",
"Preparing to download logs": "Bereite das Herunterladen der Protokolle vor", "Preparing to download logs": "Bereite das Herunterladen der Protokolle vor",
"Unexpected server error trying to leave the room": "Unerwarteter Server-Fehler beim Versuch den Raum zu verlassen", "Unexpected server error trying to leave the room": "Unerwarteter Server-Fehler beim Versuch den Raum zu verlassen",
@ -1424,7 +1376,6 @@
"Secret storage:": "Sicherer Speicher:", "Secret storage:": "Sicherer Speicher:",
"ready": "bereit", "ready": "bereit",
"not ready": "nicht bereit", "not ready": "nicht bereit",
"Secure Backup": "Verschlüsselte Sicherung",
"Safeguard against losing access to encrypted messages & data": "Schütze dich vor dem Verlust verschlüsselter Nachrichten und Daten", "Safeguard against losing access to encrypted messages & data": "Schütze dich vor dem Verlust verschlüsselter Nachrichten und Daten",
"not found in storage": "nicht im Speicher gefunden", "not found in storage": "nicht im Speicher gefunden",
"Widgets": "Widgets", "Widgets": "Widgets",
@ -1446,7 +1397,6 @@
"Ignored attempt to disable encryption": "Versuch, die Verschlüsselung zu deaktivieren, wurde ignoriert", "Ignored attempt to disable encryption": "Versuch, die Verschlüsselung zu deaktivieren, wurde ignoriert",
"Failed to save your profile": "Speichern des Profils fehlgeschlagen", "Failed to save your profile": "Speichern des Profils fehlgeschlagen",
"The operation could not be completed": "Die Operation konnte nicht abgeschlossen werden", "The operation could not be completed": "Die Operation konnte nicht abgeschlossen werden",
"Remove messages sent by others": "Nachrichten von anderen löschen",
"Move right": "Nach rechts schieben", "Move right": "Nach rechts schieben",
"Move left": "Nach links schieben", "Move left": "Nach links schieben",
"Revoke permissions": "Berechtigungen widerrufen", "Revoke permissions": "Berechtigungen widerrufen",
@ -1523,8 +1473,6 @@
"Enable desktop notifications": "Aktiviere Desktopbenachrichtigungen", "Enable desktop notifications": "Aktiviere Desktopbenachrichtigungen",
"Update %(brand)s": "Aktualisiere %(brand)s", "Update %(brand)s": "Aktualisiere %(brand)s",
"New version of %(brand)s is available": "Neue Version von %(brand)s verfügbar", "New version of %(brand)s is available": "Neue Version von %(brand)s verfügbar",
"You ended the call": "Du hast den Anruf beendet",
"%(senderName)s ended the call": "%(senderName)s hat den Anruf beendet",
"Securely cache encrypted messages locally for them to appear in search results, using %(size)s to store messages from %(rooms)s rooms.": { "Securely cache encrypted messages locally for them to appear in search results, using %(size)s to store messages from %(rooms)s rooms.": {
"other": "Verschlüsselte Nachrichten sicher lokal zwischenspeichern, um sie in Suchergebnissen finden zu können. Es werden %(size)s benötigt, um die Nachrichten von %(rooms)s Räumen zu speichern.", "other": "Verschlüsselte Nachrichten sicher lokal zwischenspeichern, um sie in Suchergebnissen finden zu können. Es werden %(size)s benötigt, um die Nachrichten von %(rooms)s Räumen zu speichern.",
"one": "Verschlüsselte Nachrichten sicher lokal zwischenspeichern, um sie in Suchergebnissen finden zu können. Es werden %(size)s benötigt, um die Nachrichten vom Raum %(rooms)s zu speichern." "one": "Verschlüsselte Nachrichten sicher lokal zwischenspeichern, um sie in Suchergebnissen finden zu können. Es werden %(size)s benötigt, um die Nachrichten vom Raum %(rooms)s zu speichern."
@ -1555,7 +1503,6 @@
"Great, that'll help people know it's you": "Großartig, das wird anderen helfen, dich zu erkennen", "Great, that'll help people know it's you": "Großartig, das wird anderen helfen, dich zu erkennen",
"Enter phone number": "Telefonnummer eingeben", "Enter phone number": "Telefonnummer eingeben",
"Enter email address": "E-Mail-Adresse eingeben", "Enter email address": "E-Mail-Adresse eingeben",
"Return to call": "Zurück zum Anruf",
"Remain on your screen while running": "Bleib auf deinem Bildschirm während der Ausführung von", "Remain on your screen while running": "Bleib auf deinem Bildschirm während der Ausführung von",
"Remain on your screen when viewing another room, when running": "Sichtbar bleiben, wenn es ausgeführt und ein anderer Raum angezeigt wird", "Remain on your screen when viewing another room, when running": "Sichtbar bleiben, wenn es ausgeführt und ein anderer Raum angezeigt wird",
"Zimbabwe": "Simbabwe", "Zimbabwe": "Simbabwe",
@ -1828,30 +1775,18 @@
"Reason (optional)": "Grund (optional)", "Reason (optional)": "Grund (optional)",
"Continue with %(provider)s": "Weiter mit %(provider)s", "Continue with %(provider)s": "Weiter mit %(provider)s",
"Server Options": "Server-Einstellungen", "Server Options": "Server-Einstellungen",
"No other application is using the webcam": "keine andere Anwendung auf die Webcam zugreift",
"Permission is granted to use the webcam": "Zugriff auf Webcam gestattet",
"A microphone and webcam are plugged in and set up correctly": "Mikrofon und Webcam eingesteckt und richtig eingerichtet sind",
"Unable to access webcam / microphone": "Auf Webcam / Mikrofon konnte nicht zugegriffen werden",
"Unable to access microphone": "Es konnte nicht auf das Mikrofon zugegriffen werden",
"Host account on": "Konto betreiben auf", "Host account on": "Konto betreiben auf",
"Hold": "Halten", "Hold": "Halten",
"Resume": "Fortsetzen", "Resume": "Fortsetzen",
"Invalid URL": "Ungültiger Link", "Invalid URL": "Ungültiger Link",
"Unable to validate homeserver": "Überprüfung des Heim-Servers nicht möglich", "Unable to validate homeserver": "Überprüfung des Heim-Servers nicht möglich",
"%(peerName)s held the call": "%(peerName)s hält den Anruf",
"You held the call <a>Resume</a>": "Du hältst den Anruf <a>Fortsetzen</a>",
"sends fireworks": "sendet Feuerwerk", "sends fireworks": "sendet Feuerwerk",
"Sends the given message with fireworks": "Sendet die Nachricht mit Feuerwerk", "Sends the given message with fireworks": "Sendet die Nachricht mit Feuerwerk",
"sends confetti": "sendet Konfetti", "sends confetti": "sendet Konfetti",
"Sends the given message with confetti": "Sendet die Nachricht mit Konfetti", "Sends the given message with confetti": "Sendet die Nachricht mit Konfetti",
"Effects": "Effekte",
"You've reached the maximum number of simultaneous calls.": "Du hast die maximale Anzahl gleichzeitig möglicher Anrufe erreicht.", "You've reached the maximum number of simultaneous calls.": "Du hast die maximale Anzahl gleichzeitig möglicher Anrufe erreicht.",
"Too Many Calls": "Zu viele Anrufe", "Too Many Calls": "Zu viele Anrufe",
"Call failed because webcam or microphone could not be accessed. Check that:": "Der Anruf ist fehlgeschlagen, weil nicht auf die Webcam oder der das Mikrofon zugegriffen werden konnte. Prüfe nach, ob:",
"Call failed because microphone could not be accessed. Check that a microphone is plugged in and set up correctly.": "Der Anruf ist fehlgeschlagen, weil nicht auf das Mikrofon zugegriffen werden konnte. Prüfe noch einmal nach, ob das Mikrofon angesteckt und richtig konfiguriert ist.",
"You have no visible notifications.": "Du hast keine sichtbaren Benachrichtigungen.", "You have no visible notifications.": "Du hast keine sichtbaren Benachrichtigungen.",
"%(name)s on hold": "%(name)s wird gehalten",
"You held the call <a>Switch</a>": "Du hältst den Anruf <a>Wechseln</a>",
"sends snowfall": "sendet Schneeflocken", "sends snowfall": "sendet Schneeflocken",
"Sends the given message with snowfall": "Sendet die Nachricht mit Schneeflocken", "Sends the given message with snowfall": "Sendet die Nachricht mit Schneeflocken",
"Transfer": "Übertragen", "Transfer": "Übertragen",
@ -1905,7 +1840,6 @@
"Create a new room": "Neuen Raum erstellen", "Create a new room": "Neuen Raum erstellen",
"Suggested Rooms": "Vorgeschlagene Räume", "Suggested Rooms": "Vorgeschlagene Räume",
"Add existing room": "Existierenden Raum hinzufügen", "Add existing room": "Existierenden Raum hinzufügen",
"Send message": "Nachricht senden",
"Share invite link": "Einladungslink teilen", "Share invite link": "Einladungslink teilen",
"Click to copy": "Klicken um zu kopieren", "Click to copy": "Klicken um zu kopieren",
"Your private space": "Dein privater Space", "Your private space": "Dein privater Space",
@ -1914,8 +1848,6 @@
"Open space for anyone, best for communities": "Öffne den Space für alle - am besten für Communities", "Open space for anyone, best for communities": "Öffne den Space für alle - am besten für Communities",
"Create a space": "Neuen Space erstellen", "Create a space": "Neuen Space erstellen",
"This homeserver has been blocked by its administrator.": "Dieser Heim-Server wurde von seiner Administration geblockt.", "This homeserver has been blocked by its administrator.": "Dieser Heim-Server wurde von seiner Administration geblockt.",
"You're already in a call with this person.": "Du bist schon in einem Anruf mit dieser Person.",
"Already in call": "Schon im Anruf",
"Invite people": "Personen einladen", "Invite people": "Personen einladen",
"Empty room": "Leerer Raum", "Empty room": "Leerer Raum",
"Your message was sent": "Die Nachricht wurde gesendet", "Your message was sent": "Die Nachricht wurde gesendet",
@ -2004,7 +1936,6 @@
"Reset everything": "Alles zurücksetzen", "Reset everything": "Alles zurücksetzen",
"Forgotten or lost all recovery methods? <a>Reset all</a>": "Hast du alle Wiederherstellungsmethoden vergessen? <a>Setze sie hier zurück</a>", "Forgotten or lost all recovery methods? <a>Reset all</a>": "Hast du alle Wiederherstellungsmethoden vergessen? <a>Setze sie hier zurück</a>",
"View message": "Nachricht anzeigen", "View message": "Nachricht anzeigen",
"Change server ACLs": "Server-ACLs bearbeiten",
"Failed to send": "Fehler beim Senden", "Failed to send": "Fehler beim Senden",
"View all %(count)s members": { "View all %(count)s members": {
"other": "Alle %(count)s Mitglieder anzeigen", "other": "Alle %(count)s Mitglieder anzeigen",
@ -2020,7 +1951,6 @@
"Verify your identity to access encrypted messages and prove your identity to others.": "Verifiziere diese Anmeldung, um auf verschlüsselte Nachrichten zuzugreifen und dich anderen gegenüber zu identifizieren.", "Verify your identity to access encrypted messages and prove your identity to others.": "Verifiziere diese Anmeldung, um auf verschlüsselte Nachrichten zuzugreifen und dich anderen gegenüber zu identifizieren.",
"If you do, please note that none of your messages will be deleted, but the search experience might be degraded for a few moments whilst the index is recreated": "Falls du es wirklich willst: Es werden keine Nachrichten gelöscht. Außerdem wird die Suche, während der Index erstellt wird, etwas langsamer sein", "If you do, please note that none of your messages will be deleted, but the search experience might be degraded for a few moments whilst the index is recreated": "Falls du es wirklich willst: Es werden keine Nachrichten gelöscht. Außerdem wird die Suche, während der Index erstellt wird, etwas langsamer sein",
"Including %(commaSeparatedMembers)s": "Inklusive %(commaSeparatedMembers)s", "Including %(commaSeparatedMembers)s": "Inklusive %(commaSeparatedMembers)s",
"Consulting with %(transferTarget)s. <a>Transfer to %(transferee)s</a>": "%(transferTarget)s wird angefragt. <a>Übertragung zu %(transferee)s</a>",
"What do you want to organise?": "Was willst du organisieren?", "What do you want to organise?": "Was willst du organisieren?",
"Enter your Security Phrase a second time to confirm it.": "Gib dein Kennwort ein zweites Mal zur Bestätigung ein.", "Enter your Security Phrase a second time to confirm it.": "Gib dein Kennwort ein zweites Mal zur Bestätigung ein.",
"Pick rooms or conversations to add. This is just a space for you, no one will be informed. You can add more later.": "Wähle Räume oder Konversationen die du hinzufügen willst. Dieser Space ist nur für dich, niemand wird informiert. Du kannst später mehr hinzufügen.", "Pick rooms or conversations to add. This is just a space for you, no one will be informed. You can add more later.": "Wähle Räume oder Konversationen die du hinzufügen willst. Dieser Space ist nur für dich, niemand wird informiert. Du kannst später mehr hinzufügen.",
@ -2114,7 +2044,6 @@
"Failed to update the visibility of this space": "Sichtbarkeit des Space konnte nicht geändert werden", "Failed to update the visibility of this space": "Sichtbarkeit des Space konnte nicht geändert werden",
"Address": "Adresse", "Address": "Adresse",
"e.g. my-space": "z. B. mein-space", "e.g. my-space": "z. B. mein-space",
"Sound on": "Ton an",
"Some invites couldn't be sent": "Einige Einladungen konnten nicht versendet werden", "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 <RoomName/>": "Die anderen wurden gesendet, aber die folgenden Leute konnten leider nicht in <RoomName/> eingeladen werden", "We sent the others, but the below people couldn't be invited to <RoomName/>": "Die anderen wurden gesendet, aber die folgenden Leute konnten leider nicht in <RoomName/> eingeladen werden",
"Message search initialisation failed, check <a>your settings</a> for more information": "Initialisierung der Suche fehlgeschlagen, für weitere Informationen öffne <a>deine Einstellungen</a>", "Message search initialisation failed, check <a>your settings</a> for more information": "Initialisierung der Suche fehlgeschlagen, für weitere Informationen öffne <a>deine Einstellungen</a>",
@ -2157,22 +2086,14 @@
"The call is in an unknown state!": "Dieser Anruf ist in einem unbekannten Zustand!", "The call is in an unknown state!": "Dieser Anruf ist in einem unbekannten Zustand!",
"Call back": "Zurückrufen", "Call back": "Zurückrufen",
"Connection failed": "Verbindung fehlgeschlagen", "Connection failed": "Verbindung fehlgeschlagen",
"Silence call": "Anruf stummschalten",
"Error downloading audio": "Fehler beim Herunterladen der Audiodatei", "Error downloading audio": "Fehler beim Herunterladen der Audiodatei",
"An unknown error occurred": "Ein unbekannter Fehler ist aufgetreten", "An unknown error occurred": "Ein unbekannter Fehler ist aufgetreten",
"Message bubbles": "Nachrichtenblasen", "Message bubbles": "Nachrichtenblasen",
"More": "Mehr", "More": "Mehr",
"Show sidebar": "Seitenleiste anzeigen", "Show sidebar": "Seitenleiste anzeigen",
"Hide sidebar": "Seitenleiste verbergen", "Hide sidebar": "Seitenleiste verbergen",
"Start sharing your screen": "Bildschirmfreigabe starten",
"Stop sharing your screen": "Bildschirmfreigabe beenden",
"Your camera is still enabled": "Deine Kamera ist noch aktiv",
"Your camera is turned off": "Deine Kamera ist ausgeschaltet",
"Missed call": "Verpasster Anruf", "Missed call": "Verpasster Anruf",
"Call declined": "Anruf abgelehnt", "Call declined": "Anruf abgelehnt",
"Dialpad": "Telefontastatur",
"Stop the camera": "Kamera beenden",
"Start the camera": "Kamera starten",
"You can change this at any time from room settings.": "Du kannst das jederzeit in den Raumeinstellungen ändern.", "You can change this at any time from room settings.": "Du kannst das jederzeit in den Raumeinstellungen ändern.",
"Everyone in <SpaceName/> will be able to find and join this room.": "Mitglieder von <SpaceName/> können diesen Raum finden und betreten.", "Everyone in <SpaceName/> will be able to find and join this room.": "Mitglieder von <SpaceName/> können diesen Raum finden und betreten.",
"Adding spaces has moved.": "Das Hinzufügen von Spaces ist umgezogen.", "Adding spaces has moved.": "Das Hinzufügen von Spaces ist umgezogen.",
@ -2209,8 +2130,6 @@
"Olm version:": "Version von Olm:", "Olm version:": "Version von Olm:",
"Show all rooms": "Alle Räume anzeigen", "Show all rooms": "Alle Räume anzeigen",
"Delete avatar": "Avatar löschen", "Delete avatar": "Avatar löschen",
"%(sharerName)s is presenting": "%(sharerName)s präsentiert",
"You are presenting": "Du präsentierst",
"Only people invited will be able to find and join this room.": "Nur eingeladene Personen können den Raum finden und betreten.", "Only people invited will be able to find and join this room.": "Nur eingeladene Personen können den Raum finden und betreten.",
"Anyone will be able to find and join this room.": "Alle können diesen Raum finden und betreten.", "Anyone will be able to find and join this room.": "Alle können diesen Raum finden und betreten.",
"Anyone will be able to find and join this room, not just members of <SpaceName/>.": "Finden und Betreten ist allen, nicht nur Mitgliedern von <SpaceName/>, möglich.", "Anyone will be able to find and join this room, not just members of <SpaceName/>.": "Finden und Betreten ist allen, nicht nur Mitgliedern von <SpaceName/>, möglich.",
@ -2239,16 +2158,12 @@
"You're removing all spaces. Access will default to invite only": "Du entfernst alle Spaces. Der Zutritt wird auf den Standard (Privat) zurückgesetzt", "You're removing all spaces. Access will default to invite only": "Du entfernst alle Spaces. Der Zutritt wird auf den Standard (Privat) zurückgesetzt",
"People with supported clients will be able to join the room without having a registered account.": "Personen mit unterstützter Anwendung werden diesen Raum ohne registriertes Konto betreten können.", "People with supported clients will be able to join the room without having a registered account.": "Personen mit unterstützter Anwendung werden diesen Raum ohne registriertes Konto betreten können.",
"Anyone can find and join.": "Sichtbar und zugänglich für jeden.", "Anyone can find and join.": "Sichtbar und zugänglich für jeden.",
"Mute the microphone": "Stummschalten",
"Unmute the microphone": "Stummschaltung deaktivieren",
"Displaying time": "Zeitanzeige", "Displaying time": "Zeitanzeige",
"Decide which spaces can access this room. If a space is selected, its members can find and join <RoomName/>.": "Entscheide, welche Spaces auf den Raum zugreifen können. Mitglieder ausgewählter Spaces können <RoomName/> betreten.", "Decide which spaces can access this room. If a space is selected, its members can find and join <RoomName/>.": "Entscheide, welche Spaces auf den Raum zugreifen können. Mitglieder ausgewählter Spaces können <RoomName/> betreten.",
"Their device couldn't start the camera or microphone": "Mikrofon oder Kamera des Gesprächspartners konnte nicht gestartet werden", "Their device couldn't start the camera or microphone": "Mikrofon oder Kamera des Gesprächspartners konnte nicht gestartet werden",
"Enable encryption in settings.": "Aktiviere Verschlüsselung in den Einstellungen.", "Enable encryption in settings.": "Aktiviere Verschlüsselung in den Einstellungen.",
"Your private messages are normally encrypted, but this room isn't. Usually this is due to an unsupported device or method being used, like email invites.": "Dieser Raum ist nicht verschlüsselt. Oft ist dies aufgrund eines nicht unterstützten Geräts oder Methode wie E-Mail-Einladungen der Fall.", "Your private messages are normally encrypted, but this room isn't. Usually this is due to an unsupported device or method being used, like email invites.": "Dieser Raum ist nicht verschlüsselt. Oft ist dies aufgrund eines nicht unterstützten Geräts oder Methode wie E-Mail-Einladungen der Fall.",
"Cross-signing is ready but keys are not backed up.": "Quersignatur ist bereit, die Schlüssel sind aber nicht gesichert.", "Cross-signing is ready but keys are not backed up.": "Quersignatur ist bereit, die Schlüssel sind aber nicht gesichert.",
"Reply to thread…": "Nachricht an Thread senden …",
"Reply to encrypted thread…": "Verschlüsselte Nachricht an Thread senden …",
"Role in <RoomName/>": "Rolle in <RoomName/>", "Role in <RoomName/>": "Rolle in <RoomName/>",
"Results": "Ergebnisse", "Results": "Ergebnisse",
"Rooms and spaces": "Räume und Spaces", "Rooms and spaces": "Räume und Spaces",
@ -2258,10 +2173,6 @@
"Failed to update the join rules": "Fehler beim Aktualisieren der Beitrittsregeln", "Failed to update the join rules": "Fehler beim Aktualisieren der Beitrittsregeln",
"To avoid these issues, create a <a>new encrypted room</a> for the conversation you plan to have.": "Um dieses Problem zu vermeiden, <a>erstelle einen neuen verschlüsselten Raum</a> für deine Konversation.", "To avoid these issues, create a <a>new encrypted room</a> for the conversation you plan to have.": "Um dieses Problem zu vermeiden, <a>erstelle einen neuen verschlüsselten Raum</a> für deine Konversation.",
"Are you sure you want to add encryption to this public room?": "Dieser Raum ist öffentlich. Willst du die Verschlüsselung wirklich aktivieren?", "Are you sure you want to add encryption to this public room?": "Dieser Raum ist öffentlich. Willst du die Verschlüsselung wirklich aktivieren?",
"Change description": "Beschreibung bearbeiten",
"Change main address for the space": "Hauptadresse des Space ändern",
"Change space name": "Name des Space ändern",
"Change space avatar": "Space-Icon ändern",
"Anyone in <spaceName/> can find and join. You can select other spaces too.": "Finden und betreten ist Mitgliedern von <spaceName/> erlaubt. Du kannst auch weitere Spaces wählen.", "Anyone in <spaceName/> can find and join. You can select other spaces too.": "Finden und betreten ist Mitgliedern von <spaceName/> erlaubt. Du kannst auch weitere Spaces wählen.",
"To join a space you'll need an invite.": "Um einen Space zu betreten, brauchst du eine Einladung.", "To join a space you'll need an invite.": "Um einen Space zu betreten, brauchst du eine Einladung.",
"You are about to leave <spaceName/>.": "Du bist dabei, <spaceName/> zu verlassen.", "You are about to leave <spaceName/>.": "Du bist dabei, <spaceName/> zu verlassen.",
@ -2408,7 +2319,6 @@
"@mentions & keywords": "@Erwähnungen und Schlüsselwörter", "@mentions & keywords": "@Erwähnungen und Schlüsselwörter",
"Get notified for every message": "Bei jeder Nachricht benachrichtigen", "Get notified for every message": "Bei jeder Nachricht benachrichtigen",
"Rooms outside of a space": "Räume außerhalb von Spaces", "Rooms outside of a space": "Räume außerhalb von Spaces",
"Manage rooms in this space": "Räume in diesem Space verwalten",
"%(count)s votes": { "%(count)s votes": {
"one": "%(count)s Stimme", "one": "%(count)s Stimme",
"other": "%(count)s Stimmen" "other": "%(count)s Stimmen"
@ -2438,8 +2348,6 @@
"That's fine": "Das ist okay", "That's fine": "Das ist okay",
"You cannot place calls without a connection to the server.": "Sie können keine Anrufe starten ohne Verbindung zum Server.", "You cannot place calls without a connection to the server.": "Sie können keine Anrufe starten ohne Verbindung zum Server.",
"Connectivity to the server has been lost": "Verbindung zum Server unterbrochen", "Connectivity to the server has been lost": "Verbindung zum Server unterbrochen",
"You cannot place calls in this browser.": "Sie können in diesem Browser keien Anrufe durchführen.",
"Calls are unsupported": "Anrufe werden nicht unterstützt",
"Spaces you know that contain this space": "Spaces, die diesen Space enthalten und in denen du Mitglied bist", "Spaces you know that contain this space": "Spaces, die diesen Space enthalten und in denen du Mitglied bist",
"Toggle space panel": "Space-Panel ein/aus", "Toggle space panel": "Space-Panel ein/aus",
"Keep discussions organised with threads": "Organisiere Diskussionen mit Threads", "Keep discussions organised with threads": "Organisiere Diskussionen mit Threads",
@ -2487,7 +2395,6 @@
"Ban them from everything I'm able to": "Überall wo ich die Rechte dazu habe bannen", "Ban them from everything I'm able to": "Überall wo ich die Rechte dazu habe bannen",
"Unban them from everything I'm able to": "Überall wo ich die Rechte dazu habe, entbannen", "Unban them from everything I'm able to": "Überall wo ich die Rechte dazu habe, entbannen",
"Copy room link": "Raumlink kopieren", "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.", "Share anonymous data to help us identify issues. Nothing personal. No third parties.": "Teile anonyme Nutzungsdaten mit uns, damit wir Probleme in Element finden können. Nichts Persönliches. Keine Drittparteien.",
"Messaging": "Kommunikation", "Messaging": "Kommunikation",
"Close this widget to view it in this panel": "Widget schließen und in diesem Panel anzeigen", "Close this widget to view it in this panel": "Widget schließen und in diesem Panel anzeigen",
@ -2503,7 +2410,6 @@
"Waiting for you to verify on your other device, %(deviceName)s (%(deviceId)s)…": "Warten, dass du auf deinem anderen Gerät %(deviceName)s (%(deviceId)s) verifizierst…", "Waiting for you to verify on your other device, %(deviceName)s (%(deviceId)s)…": "Warten, dass du auf deinem anderen Gerät %(deviceName)s (%(deviceId)s) verifizierst…",
"Verify this device by confirming the following number appears on its screen.": "Verifiziere dieses Gerät, indem du überprüfst, dass die folgende Zahl auf dem Bildschirm erscheint.", "Verify this device by confirming the following number appears on its screen.": "Verifiziere dieses Gerät, indem du überprüfst, dass die folgende Zahl auf dem Bildschirm erscheint.",
"Confirm the emoji below are displayed on both devices, in the same order:": "Bestätige, dass die folgenden Emoji auf beiden Geräten in der gleichen Reihenfolge angezeigt werden:", "Confirm the emoji below are displayed on both devices, in the same order:": "Bestätige, dass die folgenden Emoji auf beiden Geräten in der gleichen Reihenfolge angezeigt werden:",
"Dial": "Wählen",
"Automatically send debug logs on decryption errors": "Sende bei Entschlüsselungsfehlern automatisch Protokolle zur Fehlerkorrektur", "Automatically send debug logs on decryption errors": "Sende bei Entschlüsselungsfehlern automatisch Protokolle zur Fehlerkorrektur",
"Back to thread": "Zurück zum Thread", "Back to thread": "Zurück zum Thread",
"Back to chat": "Zurück zur Unterhaltung", "Back to chat": "Zurück zur Unterhaltung",
@ -2526,8 +2432,6 @@
"Remove from %(roomName)s": "Aus %(roomName)s entfernen", "Remove from %(roomName)s": "Aus %(roomName)s entfernen",
"You were removed from %(roomName)s by %(memberName)s": "%(memberName)s hat dich aus %(roomName)s entfernt", "You were removed from %(roomName)s by %(memberName)s": "%(memberName)s hat dich aus %(roomName)s entfernt",
"From a thread": "Aus einem Thread", "From a thread": "Aus einem Thread",
"Remove users": "Benutzer entfernen",
"Send reactions": "Reaktionen senden",
"Keyboard": "Tastatur", "Keyboard": "Tastatur",
"Timed out trying to fetch your location. Please try again later.": "Zeitüberschreitung beim Abrufen deines Standortes. Bitte versuche es später erneut.", "Timed out trying to fetch your location. Please try again later.": "Zeitüberschreitung beim Abrufen deines Standortes. Bitte versuche es später erneut.",
"The device you are trying to verify doesn't support scanning a QR code or emoji verification, which is what %(brand)s supports. Try with a different client.": "Das Gerät unterstützt weder Verifizieren mittels QR-Code noch Emoji-Verifizierung. %(brand)s benötigt dies jedoch. Bitte verwende eine andere Anwendung.", "The device you are trying to verify doesn't support scanning a QR code or emoji verification, which is what %(brand)s supports. Try with a different client.": "Das Gerät unterstützt weder Verifizieren mittels QR-Code noch Emoji-Verifizierung. %(brand)s benötigt dies jedoch. Bitte verwende eine andere Anwendung.",
@ -2643,7 +2547,6 @@
"No virtual room for this room": "Kein virtueller Raum für diesen Raum", "No virtual room for this room": "Kein virtueller Raum für diesen Raum",
"Switches to this room's virtual room, if it has one": "Zum virtuellen Raum dieses Raums wechseln, sofern vorhanden", "Switches to this room's virtual room, if it has one": "Zum virtuellen Raum dieses Raums wechseln, sofern vorhanden",
"They won't be able to access whatever you're not an admin of.": "Die Person wird keinen Zutritt zu Bereichen haben, in denen du nicht administrierst.", "They won't be able to access whatever you're not an admin of.": "Die Person wird keinen Zutritt zu Bereichen haben, in denen du nicht administrierst.",
"Remove messages sent by me": "Vom mir gesendete Nachrichten löschen",
"Show polls button": "Zeige Pol button", "Show polls button": "Zeige Pol button",
"This homeserver is not configured to display maps.": "Dein Heim-Server unterstützt das Anzeigen von Karten nicht.", "This homeserver is not configured to display maps.": "Dein Heim-Server unterstützt das Anzeigen von Karten nicht.",
"Click to drop a pin": "Klicke, um den Standort zu setzen", "Click to drop a pin": "Klicke, um den Standort zu setzen",
@ -2749,12 +2652,6 @@
"other": "Abmelden dieser Geräte bestätigen" "other": "Abmelden dieser Geräte bestätigen"
}, },
"Developer tools": "Entwicklungswerkzeuge", "Developer tools": "Entwicklungswerkzeuge",
"Turn on camera": "Kamera aktivieren",
"Turn off camera": "Kamera deaktivieren",
"Video devices": "Kameras",
"Unmute microphone": "Mikrofon aktivieren",
"Mute microphone": "Mikrofon stummschalten",
"Audio devices": "Audiogeräte",
"sends hearts": "Sendet Herzen", "sends hearts": "Sendet Herzen",
"Sends the given message with hearts": "Sendet die Nachricht mit Herzen", "Sends the given message with hearts": "Sendet die Nachricht mit Herzen",
"View List": "Liste Anzeigen", "View List": "Liste Anzeigen",
@ -2948,7 +2845,6 @@
"Your server lacks native support": "Dein Server unterstützt dies nicht nativ", "Your server lacks native support": "Dein Server unterstützt dies nicht nativ",
"To disable you will need to log out and back in, use with caution!": "Zum Deaktivieren musst du dich neu anmelden. Mit Vorsicht verwenden!", "To disable you will need to log out and back in, use with caution!": "Zum Deaktivieren musst du dich neu anmelden. Mit Vorsicht verwenden!",
"Voice broadcast": "Sprachübertragung", "Voice broadcast": "Sprachübertragung",
"Voice broadcasts": "Sprachübertragungen",
"You need to be able to kick users to do that.": "Du musst in der Lage sein, Benutzer zu entfernen um das zu tun.", "You need to be able to kick users to do that.": "Du musst in der Lage sein, Benutzer zu entfernen um das zu tun.",
"Sign out of this session": "Von dieser Sitzung abmelden", "Sign out of this session": "Von dieser Sitzung abmelden",
"Rename session": "Sitzung umbenennen", "Rename session": "Sitzung umbenennen",
@ -2973,9 +2869,7 @@
"Desktop session": "Desktop-Sitzung", "Desktop session": "Desktop-Sitzung",
"Web session": "Web-Sitzung", "Web session": "Web-Sitzung",
"Unknown session type": "Unbekannter Sitzungstyp", "Unknown session type": "Unbekannter Sitzungstyp",
"Video call started": "Videoanruf hat begonnen",
"Unknown room": "Unbekannter Raum", "Unknown room": "Unbekannter Raum",
"Fill screen": "Bildschirm füllen",
"Freedom": "Freiraum", "Freedom": "Freiraum",
"Spotlight": "Rampenlicht", "Spotlight": "Rampenlicht",
"Room info": "Raum-Info", "Room info": "Raum-Info",
@ -2984,15 +2878,12 @@
"Operating system": "Betriebssystem", "Operating system": "Betriebssystem",
"Call type": "Anrufart", "Call type": "Anrufart",
"You do not have sufficient permissions to change this.": "Du hast nicht die erforderlichen Berechtigungen, um dies zu ändern.", "You do not have sufficient permissions to change this.": "Du hast nicht die erforderlichen Berechtigungen, um dies zu ändern.",
"Start %(brand)s calls": "Beginne %(brand)s-Anrufe",
"Video call (%(brand)s)": "Videoanruf (%(brand)s)", "Video call (%(brand)s)": "Videoanruf (%(brand)s)",
"%(brand)s is end-to-end encrypted, but is currently limited to smaller numbers of users.": "%(brand)s ist Ende-zu-Ende-verschlüsselt, allerdings noch auf eine geringere Anzahl Benutzer beschränkt.", "%(brand)s is end-to-end encrypted, but is currently limited to smaller numbers of users.": "%(brand)s ist Ende-zu-Ende-verschlüsselt, allerdings noch auf eine geringere Anzahl Benutzer beschränkt.",
"Enable %(brand)s as an additional calling option in this room": "Verwende %(brand)s als alternative Anrufoption in diesem Raum", "Enable %(brand)s as an additional calling option in this room": "Verwende %(brand)s als alternative Anrufoption in diesem Raum",
"Join %(brand)s calls": "Trete %(brand)s-Anrufen bei",
"Sorry — this call is currently full": "Entschuldigung — dieser Anruf ist aktuell besetzt", "Sorry — this call is currently full": "Entschuldigung — dieser Anruf ist aktuell besetzt",
"pause voice broadcast": "Sprachübertragung pausieren", "pause voice broadcast": "Sprachübertragung pausieren",
"resume voice broadcast": "Sprachübertragung fortsetzen", "resume voice broadcast": "Sprachübertragung fortsetzen",
"Notifications silenced": "Benachrichtigungen stummgeschaltet",
"Yes, stop broadcast": "Ja, Übertragung beenden", "Yes, stop broadcast": "Ja, Übertragung beenden",
"Stop live broadcasting?": "Live-Übertragung beenden?", "Stop live broadcasting?": "Live-Übertragung beenden?",
"Sign in with QR code": "Mit QR-Code anmelden", "Sign in with QR code": "Mit QR-Code anmelden",
@ -3265,8 +3156,6 @@
"%(errorMessage)s (HTTP status %(httpStatus)s)": "%(errorMessage)s (HTTP-Status %(httpStatus)s)", "%(errorMessage)s (HTTP status %(httpStatus)s)": "%(errorMessage)s (HTTP-Status %(httpStatus)s)",
"Unknown password change error (%(stringifiedError)s)": "Unbekannter Fehler während der Passwortänderung (%(stringifiedError)s)", "Unknown password change error (%(stringifiedError)s)": "Unbekannter Fehler während der Passwortänderung (%(stringifiedError)s)",
"Error while changing password: %(error)s": "Fehler während der Passwortänderung: %(error)s", "Error while changing password: %(error)s": "Fehler während der Passwortänderung: %(error)s",
"You reacted %(reaction)s to %(message)s": "Du reagiertest mit %(reaction)s auf %(message)s",
"%(sender)s reacted %(reaction)s to %(message)s": "%(sender)s reagierte mit %(reaction)s auf %(message)s",
"Cannot invite user by email without an identity server. You can connect to one under \"Settings\".": "Einladen per E-Mail-Adresse ist nicht ohne Identitäts-Server möglich. Du kannst einen unter „Einstellungen“ einrichten.", "Cannot invite user by email without an identity server. You can connect to one under \"Settings\".": "Einladen per E-Mail-Adresse ist nicht ohne Identitäts-Server möglich. Du kannst einen unter „Einstellungen“ einrichten.",
"Unable to create room with moderation bot": "Erstellen eines Raumes mit Moderations-Bot nicht möglich", "Unable to create room with moderation bot": "Erstellen eines Raumes mit Moderations-Bot nicht möglich",
"Failed to download source media, no source url was found": "Herunterladen der Quellmedien fehlgeschlagen, da keine Quell-URL gefunden wurde", "Failed to download source media, no source url was found": "Herunterladen der Quellmedien fehlgeschlagen, da keine Quell-URL gefunden wurde",
@ -3433,7 +3322,11 @@
"server": "Server", "server": "Server",
"capabilities": "Funktionen", "capabilities": "Funktionen",
"unnamed_room": "Unbenannter Raum", "unnamed_room": "Unbenannter Raum",
"unnamed_space": "Unbenannter Space" "unnamed_space": "Unbenannter Space",
"stickerpack": "Sticker-Paket",
"system_alerts": "Systembenachrichtigung",
"secure_backup": "Verschlüsselte Sicherung",
"cross_signing": "Quersignierung"
}, },
"action": { "action": {
"continue": "Fortfahren", "continue": "Fortfahren",
@ -3613,7 +3506,14 @@
"format_decrease_indent": "Einrückung verringern", "format_decrease_indent": "Einrückung verringern",
"format_inline_code": "Code", "format_inline_code": "Code",
"format_code_block": "Quelltextblock", "format_code_block": "Quelltextblock",
"format_link": "Link" "format_link": "Link",
"send_button_title": "Nachricht senden",
"placeholder_thread_encrypted": "Verschlüsselte Nachricht an Thread senden …",
"placeholder_thread": "Nachricht an Thread senden …",
"placeholder_reply_encrypted": "Verschlüsselte Antwort senden …",
"placeholder_reply": "Antwort senden …",
"placeholder_encrypted": "Verschlüsselte Nachricht senden …",
"placeholder": "Nachricht senden …"
}, },
"Bold": "Fett", "Bold": "Fett",
"Link": "Link", "Link": "Link",
@ -3636,7 +3536,11 @@
"send_logs": "Protokolldateien übermitteln", "send_logs": "Protokolldateien übermitteln",
"github_issue": "\"Issue\" auf Github", "github_issue": "\"Issue\" auf Github",
"download_logs": "Protokolle herunterladen", "download_logs": "Protokolle herunterladen",
"before_submitting": "Bevor du Protokolldateien übermittelst, musst du <a>auf GitHub einen \"Issue\" erstellen</a> um dein Problem zu beschreiben." "before_submitting": "Bevor du Protokolldateien übermittelst, musst du <a>auf GitHub einen \"Issue\" erstellen</a> um dein Problem zu beschreiben.",
"collecting_information": "App-Versionsinformationen werden abgerufen",
"collecting_logs": "Protokolle werden abgerufen",
"uploading_logs": "Lade Protokolle hoch",
"downloading_logs": "Lade Protokolle herunter"
}, },
"time": { "time": {
"hours_minutes_seconds_left": "%(hours)s h %(minutes)s m %(seconds)s s verbleibend", "hours_minutes_seconds_left": "%(hours)s h %(minutes)s m %(seconds)s s verbleibend",
@ -3844,7 +3748,9 @@
"developer_tools": "Entwicklungswerkzeuge", "developer_tools": "Entwicklungswerkzeuge",
"room_id": "Raum-ID: %(roomId)s", "room_id": "Raum-ID: %(roomId)s",
"thread_root_id": "Thread-Ursprungs-ID: %(threadRootId)s", "thread_root_id": "Thread-Ursprungs-ID: %(threadRootId)s",
"event_id": "Event-ID: %(eventId)s" "event_id": "Event-ID: %(eventId)s",
"category_room": "Raum",
"category_other": "Sonstiges"
}, },
"export_chat": { "export_chat": {
"html": "HTML", "html": "HTML",
@ -4002,6 +3908,9 @@
"other": "%(names)s und %(count)s andere tippen …", "other": "%(names)s und %(count)s andere tippen …",
"one": "%(names)s und eine weitere Person tippen …" "one": "%(names)s und eine weitere Person tippen …"
} }
},
"m.call.hangup": {
"dm": "Anruf beendet"
} }
}, },
"slash_command": { "slash_command": {
@ -4038,7 +3947,14 @@
"help": "Zeigt die Liste verfügbarer Befehle mit Verwendungen und Beschreibungen an", "help": "Zeigt die Liste verfügbarer Befehle mit Verwendungen und Beschreibungen an",
"whois": "Zeigt Informationen über Benutzer", "whois": "Zeigt Informationen über Benutzer",
"rageshake": "Einen Fehlerbericht mit der Protokolldatei senden", "rageshake": "Einen Fehlerbericht mit der Protokolldatei senden",
"msg": "Sendet diesem Benutzer eine Nachricht" "msg": "Sendet diesem Benutzer eine Nachricht",
"usage": "Verwendung",
"category_messages": "Nachrichten",
"category_actions": "Aktionen",
"category_admin": "Admin",
"category_advanced": "Erweitert",
"category_effects": "Effekte",
"category_other": "Sonstiges"
}, },
"presence": { "presence": {
"busy": "Beschäftigt", "busy": "Beschäftigt",
@ -4052,5 +3968,108 @@
"offline": "Offline", "offline": "Offline",
"away": "Abwesend" "away": "Abwesend"
}, },
"Unknown": "Unbekannt" "Unknown": "Unbekannt",
"event_preview": {
"m.call.answer": {
"you": "Du bist dem Anruf beigetreten",
"user": "%(senderName)s ist dem Anruf beigetreten",
"dm": "Laufendes Gespräch"
},
"m.call.hangup": {
"you": "Du hast den Anruf beendet",
"user": "%(senderName)s hat den Anruf beendet"
},
"m.call.invite": {
"you": "Du hast einen Anruf gestartet",
"user": "%(senderName)s hat einen Anruf gestartet",
"dm_send": "Warte auf eine Antwort",
"dm_receive": "%(senderName)s ruft an"
},
"m.emote": "* %(senderName)s %(emote)s",
"m.text": "%(senderName)s: %(message)s",
"m.reaction": {
"you": "Du reagiertest mit %(reaction)s auf %(message)s",
"user": "%(sender)s reagierte mit %(reaction)s auf %(message)s"
},
"m.sticker": "%(senderName)s: %(stickerName)s"
},
"voip": {
"disable_microphone": "Mikrofon stummschalten",
"enable_microphone": "Mikrofon aktivieren",
"disable_camera": "Kamera deaktivieren",
"enable_camera": "Kamera aktivieren",
"audio_devices": "Audiogeräte",
"video_devices": "Kameras",
"dial": "Wählen",
"you_are_presenting": "Du präsentierst",
"user_is_presenting": "%(sharerName)s präsentiert",
"camera_disabled": "Deine Kamera ist ausgeschaltet",
"camera_enabled": "Deine Kamera ist noch aktiv",
"consulting": "%(transferTarget)s wird angefragt. <a>Übertragung zu %(transferee)s</a>",
"call_held_switch": "Du hältst den Anruf <a>Wechseln</a>",
"call_held_resume": "Du hältst den Anruf <a>Fortsetzen</a>",
"call_held": "%(peerName)s hält den Anruf",
"dialpad": "Telefontastatur",
"stop_screenshare": "Bildschirmfreigabe beenden",
"start_screenshare": "Bildschirmfreigabe starten",
"hangup": "Auflegen",
"maximise": "Bildschirm füllen",
"expand": "Zurück zum Anruf",
"on_hold": "%(name)s wird gehalten",
"voice_call": "Sprachanruf",
"video_call": "Videoanruf",
"video_call_started": "Videoanruf hat begonnen",
"unsilence": "Ton an",
"silence": "Anruf stummschalten",
"silenced": "Benachrichtigungen stummgeschaltet",
"unknown_caller": "Unbekannter Anrufer",
"call_failed": "Anruf fehlgeschlagen",
"unable_to_access_microphone": "Es konnte nicht auf das Mikrofon zugegriffen werden",
"call_failed_microphone": "Der Anruf ist fehlgeschlagen, weil nicht auf das Mikrofon zugegriffen werden konnte. Prüfe noch einmal nach, ob das Mikrofon angesteckt und richtig konfiguriert ist.",
"unable_to_access_media": "Auf Webcam / Mikrofon konnte nicht zugegriffen werden",
"call_failed_media": "Der Anruf ist fehlgeschlagen, weil nicht auf die Webcam oder der das Mikrofon zugegriffen werden konnte. Prüfe nach, ob:",
"call_failed_media_connected": "Mikrofon und Webcam eingesteckt und richtig eingerichtet sind",
"call_failed_media_permissions": "Zugriff auf Webcam gestattet",
"call_failed_media_applications": "keine andere Anwendung auf die Webcam zugreift",
"already_in_call": "Schon im Anruf",
"already_in_call_person": "Du bist schon in einem Anruf mit dieser Person.",
"unsupported": "Anrufe werden nicht unterstützt",
"unsupported_browser": "Sie können in diesem Browser keien Anrufe durchführen."
},
"Messages": "Nachrichten",
"Other": "Sonstiges",
"Advanced": "Erweitert",
"room_settings": {
"permissions": {
"m.room.avatar_space": "Space-Icon ändern",
"m.room.avatar": "Raumbild ändern",
"m.room.name_space": "Name des Space ändern",
"m.room.name": "Raumname ändern",
"m.room.canonical_alias_space": "Hauptadresse des Space ändern",
"m.room.canonical_alias": "Hauptadresse ändern",
"m.space.child": "Räume in diesem Space verwalten",
"m.room.history_visibility": "Sichtbarkeit des Verlaufs ändern",
"m.room.power_levels": "Berechtigungen ändern",
"m.room.topic_space": "Beschreibung bearbeiten",
"m.room.topic": "Thema ändern",
"m.room.tombstone": "Raum aktualisieren",
"m.room.encryption": "Raumverschlüsselung aktivieren",
"m.room.server_acl": "Server-ACLs bearbeiten",
"m.reaction": "Reaktionen senden",
"m.room.redaction": "Vom mir gesendete Nachrichten löschen",
"m.widget": "Widgets bearbeiten",
"io.element.voice_broadcast_info": "Sprachübertragungen",
"m.room.pinned_events": "Angeheftete Ereignisse verwalten",
"m.call": "Beginne %(brand)s-Anrufe",
"m.call.member": "Trete %(brand)s-Anrufen bei",
"users_default": "Standard-Rolle",
"events_default": "Nachrichten senden",
"invite": "Person einladen",
"state_default": "Einstellungen ändern",
"kick": "Benutzer entfernen",
"ban": "Benutzer verbannen",
"redact": "Nachrichten von anderen löschen",
"notifications.room": "Alle benachrichtigen"
}
}
} }

View file

@ -4,11 +4,9 @@
"Operation failed": "Η λειτουργία απέτυχε", "Operation failed": "Η λειτουργία απέτυχε",
"unknown error code": "άγνωστος κωδικός σφάλματος", "unknown error code": "άγνωστος κωδικός σφάλματος",
"Account": "Λογαριασμός", "Account": "Λογαριασμός",
"Admin": "Διαχειριστής",
"No Microphones detected": "Δεν εντοπίστηκε μικρόφωνο", "No Microphones detected": "Δεν εντοπίστηκε μικρόφωνο",
"No Webcams detected": "Δεν εντοπίστηκε κάμερα", "No Webcams detected": "Δεν εντοπίστηκε κάμερα",
"Default Device": "Προεπιλεγμένη συσκευή", "Default Device": "Προεπιλεγμένη συσκευή",
"Advanced": "Προχωρημένες",
"Authentication": "Πιστοποίηση", "Authentication": "Πιστοποίηση",
"A new password must be entered.": "Ο νέος κωδικός πρόσβασης πρέπει να εισαχθεί.", "A new password must be entered.": "Ο νέος κωδικός πρόσβασης πρέπει να εισαχθεί.",
"An error has occurred.": "Παρουσιάστηκε ένα σφάλμα.", "An error has occurred.": "Παρουσιάστηκε ένα σφάλμα.",
@ -44,7 +42,6 @@
"Filter room members": "Φιλτράρισμα μελών", "Filter room members": "Φιλτράρισμα μελών",
"Forget room": "Αγνόηση δωματίου", "Forget room": "Αγνόηση δωματίου",
"For security, this session has been signed out. Please sign in again.": "Για λόγους ασφαλείας, αυτή η συνεδρία έχει τερματιστεί. Παρακαλούμε συνδεθείτε ξανά.", "For security, this session has been signed out. Please sign in again.": "Για λόγους ασφαλείας, αυτή η συνεδρία έχει τερματιστεί. Παρακαλούμε συνδεθείτε ξανά.",
"Hangup": "Κλείσιμο",
"Historical": "Ιστορικό", "Historical": "Ιστορικό",
"Import E2E room keys": "Εισαγωγή κλειδιών E2E", "Import E2E room keys": "Εισαγωγή κλειδιών E2E",
"Incorrect username and/or password.": "Λανθασμένο όνομα χρήστη και/ή κωδικός.", "Incorrect username and/or password.": "Λανθασμένο όνομα χρήστη και/ή κωδικός.",
@ -102,10 +99,7 @@
"Unable to enable Notifications": "Αδυναμία ενεργοποίησης των ειδοποιήσεων", "Unable to enable Notifications": "Αδυναμία ενεργοποίησης των ειδοποιήσεων",
"Upload avatar": "Αποστολή προσωπικής εικόνας", "Upload avatar": "Αποστολή προσωπικής εικόνας",
"Upload Failed": "Απέτυχε η αποστολή", "Upload Failed": "Απέτυχε η αποστολή",
"Usage": "Χρήση",
"Users": "Χρήστες", "Users": "Χρήστες",
"Video call": "Βιντεοκλήση",
"Voice call": "Φωνητική κλήση",
"Warning!": "Προειδοποίηση!", "Warning!": "Προειδοποίηση!",
"You must <a>register</a> to use this functionality": "Πρέπει να <a>εγγραφείτε</a> για να χρησιμοποιήσετε αυτή την λειτουργία", "You must <a>register</a> to use this functionality": "Πρέπει να <a>εγγραφείτε</a> για να χρησιμοποιήσετε αυτή την λειτουργία",
"You need to be logged in.": "Πρέπει να είστε συνδεδεμένος.", "You need to be logged in.": "Πρέπει να είστε συνδεδεμένος.",
@ -233,12 +227,10 @@
"Source URL": "Πηγαίο URL", "Source URL": "Πηγαίο URL",
"No update available.": "Δεν υπάρχει διαθέσιμη ενημέρωση.", "No update available.": "Δεν υπάρχει διαθέσιμη ενημέρωση.",
"Noisy": "Δυνατά", "Noisy": "Δυνατά",
"Collecting app version information": "Συγκέντρωση πληροφοριών σχετικά με την έκδοση της εφαρμογής",
"Tuesday": "Τρίτη", "Tuesday": "Τρίτη",
"Unnamed room": "Ανώνυμο δωμάτιο", "Unnamed room": "Ανώνυμο δωμάτιο",
"Saturday": "Σάββατο", "Saturday": "Σάββατο",
"Monday": "Δευτέρα", "Monday": "Δευτέρα",
"Collecting logs": "Συγκέντρωση πληροφοριών",
"All Rooms": "Όλα τα δωμάτια", "All Rooms": "Όλα τα δωμάτια",
"Wednesday": "Τετάρτη", "Wednesday": "Τετάρτη",
"All messages": "Όλα τα μηνύματα", "All messages": "Όλα τα μηνύματα",
@ -253,7 +245,6 @@
"What's New": "Τι νέο υπάρχει", "What's New": "Τι νέο υπάρχει",
"Off": "Ανενεργό", "Off": "Ανενεργό",
"Failed to remove tag %(tagName)s from room": "Δεν ήταν δυνατή η διαγραφή της ετικέτας %(tagName)s από το δωμάτιο", "Failed to remove tag %(tagName)s from room": "Δεν ήταν δυνατή η διαγραφή της ετικέτας %(tagName)s από το δωμάτιο",
"Call Failed": "Η κλήση απέτυχε",
"AM": "ΠΜ", "AM": "ΠΜ",
"PM": "ΜΜ", "PM": "ΜΜ",
"%(weekDayName)s, %(monthName)s %(day)s %(fullYear)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",
@ -264,8 +255,6 @@
"You are now ignoring %(userId)s": "Τώρα αγνοείτε τον/την %(userId)s", "You are now ignoring %(userId)s": "Τώρα αγνοείτε τον/την %(userId)s",
"You are no longer ignoring %(userId)s": "Δεν αγνοείτε πια τον/την %(userId)s", "You are no longer ignoring %(userId)s": "Δεν αγνοείτε πια τον/την %(userId)s",
"Enable URL previews for this room (only affects you)": "Ενεργοποίηση προεπισκόπισης URL για αυτό το δωμάτιο (επηρεάζει μόνο εσάς)", "Enable URL previews for this room (only affects you)": "Ενεργοποίηση προεπισκόπισης URL για αυτό το δωμάτιο (επηρεάζει μόνο εσάς)",
"Send an encrypted reply…": "Αποστολή κρυπτογραφημένης απάντησης…",
"Send an encrypted message…": "Αποστολή κρυπτογραφημένου μηνύματος…",
"%(duration)ss": "%(duration)sδ", "%(duration)ss": "%(duration)sδ",
"%(duration)sm": "%(duration)sλ", "%(duration)sm": "%(duration)sλ",
"%(duration)sh": "%(duration)sω", "%(duration)sh": "%(duration)sω",
@ -286,22 +275,12 @@
"Only continue if you trust the owner of the server.": "Συνεχίστε μόνο εάν εμπιστεύεστε τον ιδιοκτήτη του διακομιστή.", "Only continue if you trust the owner of the server.": "Συνεχίστε μόνο εάν εμπιστεύεστε τον ιδιοκτήτη του διακομιστή.",
"Unable to load! Check your network connectivity and try again.": "Αδυναμία φόρτωσης! Ελέγξτε την σύνδεση του δικτύου και προσπαθήστε ξανά.", "Unable to load! Check your network connectivity and try again.": "Αδυναμία φόρτωσης! Ελέγξτε την σύνδεση του δικτύου και προσπαθήστε ξανά.",
"Missing roomId.": "Λείπει η ταυτότητα δωματίου.", "Missing roomId.": "Λείπει η ταυτότητα δωματίου.",
"Messages": "Μηνύματα",
"Actions": "Δράσεις",
"Other": "Άλλα",
"Use an identity server": "Χρησιμοποιήστε ένα διακομιστή ταυτοτήτων", "Use an identity server": "Χρησιμοποιήστε ένα διακομιστή ταυτοτήτων",
"Your %(brand)s is misconfigured": "Οι παράμετροι του %(brand)s σας είναι λανθασμένα ρυθμισμένοι", "Your %(brand)s is misconfigured": "Οι παράμετροι του %(brand)s σας είναι λανθασμένα ρυθμισμένοι",
"Explore rooms": "Εξερευνήστε δωμάτια", "Explore rooms": "Εξερευνήστε δωμάτια",
"Click the button below to confirm adding this phone number.": "Πιέστε το κουμπί από κάτω για να επιβεβαίωσετε την προσθήκη του τηλεφωνικού αριθμού.", "Click the button below to confirm adding this phone number.": "Πιέστε το κουμπί από κάτω για να επιβεβαίωσετε την προσθήκη του τηλεφωνικού αριθμού.",
"Use custom size": "Χρησιμοποιήστε προσαρμοσμένο μέγεθος", "Use custom size": "Χρησιμοποιήστε προσαρμοσμένο μέγεθος",
"Font size": "Μέγεθος γραμματοσειράς", "Font size": "Μέγεθος γραμματοσειράς",
"You started a call": "Ξεκινήσατε μία κλήση",
"Call ended": "Τέλος κλήσης",
"%(senderName)s ended the call": "Ο χρήστης %(senderName)s σταμάτησε την κλήση",
"You ended the call": "Σταματήσατε την κλήση",
"Call in progress": "Κλήση σε εξέλιξη",
"%(senderName)s joined the call": "Ο χρήστης %(senderName)s συνδέθηκε στην κλήση",
"You joined the call": "Συνδεθήκατε στην κλήση",
"Ok": "Εντάξει", "Ok": "Εντάξει",
"Your homeserver has exceeded its user limit.": "Ο διακομιστής σας ξεπέρασε το όριο χρηστών.", "Your homeserver has exceeded its user limit.": "Ο διακομιστής σας ξεπέρασε το όριο χρηστών.",
"Use app": "Χρησιμοποιήστε την εφαρμογή", "Use app": "Χρησιμοποιήστε την εφαρμογή",
@ -532,13 +511,6 @@
"We couldn't log you in": "Δεν μπορέσαμε να σας συνδέσουμε", "We couldn't log you in": "Δεν μπορέσαμε να σας συνδέσουμε",
"You've reached the maximum number of simultaneous calls.": "Έχετε φτάσει τον μέγιστο αριθμό ταυτοχρόνων κλήσεων.", "You've reached the maximum number of simultaneous calls.": "Έχετε φτάσει τον μέγιστο αριθμό ταυτοχρόνων κλήσεων.",
"Too Many Calls": "Πάρα Πολλές Κλήσεις", "Too Many Calls": "Πάρα Πολλές Κλήσεις",
"No other application is using the webcam": "Η κάμερα δεν χρησιμοποιείται από καμία άλλη εφαρμογή",
"Permission is granted to use the webcam": "Έχετε παραχωρήσει την άδεια χρήσης της κάμερας",
"A microphone and webcam are plugged in and set up correctly": "Ένα μικρόφωνο και μια κάμερα έχουν συνδεθεί και εγκατασταθεί σωστά",
"Call failed because webcam or microphone could not be accessed. Check that:": "Η κλήση απέτυχε επειδή δεν μπόρεσε να βρεθεί κάμερα ή μικρόφωνο. Ελέγξτε ότι:",
"Unable to access webcam / microphone": "Αδυναμία πρόσβασης κάμερας / μικροφώνου",
"Call failed because microphone could not be accessed. Check that a microphone is plugged in and set up correctly.": "Η κλήση απέτυχε επειδή δεν μπόρεσε να βρεθεί μικρόφωνο. Ελέγξτε ότι έχετε συνδέσει ένα μικρόφωνο και έχει εγκατασταθεί σωστά.",
"Unable to access microphone": "Αδυναμία πρόσβασης μικροφώνου",
"The call was answered on another device.": "Η κλήση απαντήθηκε σε μια άλλη συσκευή.", "The call was answered on another device.": "Η κλήση απαντήθηκε σε μια άλλη συσκευή.",
"Answered Elsewhere": "Απαντήθηκε αλλού", "Answered Elsewhere": "Απαντήθηκε αλλού",
"The call could not be established": "Η κλήση δεν μπόρεσε να πραγματοποιηθεί", "The call could not be established": "Η κλήση δεν μπόρεσε να πραγματοποιηθεί",
@ -546,8 +518,6 @@
"Click the button below to confirm adding this email address.": "Πιέστε το κουμπί από κάτω για να επιβεβαιώσετε την προσθήκη της διεύθυνσης ηλ. ταχυδρομείου.", "Click the button below to confirm adding this email address.": "Πιέστε το κουμπί από κάτω για να επιβεβαιώσετε την προσθήκη της διεύθυνσης ηλ. ταχυδρομείου.",
"Confirm adding email": "Επιβεβαιώστε την προσθήκη διεύθυνσης ηλ. ταχυδρομείου", "Confirm adding email": "Επιβεβαιώστε την προσθήκη διεύθυνσης ηλ. ταχυδρομείου",
"Not Trusted": "Μη Έμπιστο", "Not Trusted": "Μη Έμπιστο",
"You're already in a call with this person.": "Είστε ήδη σε κλήση με αυτόν τον χρήστη.",
"Already in call": "Ήδη σε κλήση",
"Verifies a user, session, and pubkey tuple": "Επιβεβαιώνει έναν χρήστη, συνεδρία, και pubkey tuple", "Verifies a user, session, and pubkey tuple": "Επιβεβαιώνει έναν χρήστη, συνεδρία, και pubkey tuple",
"The user you called is busy.": "Ο χρήστης που καλέσατε είναι απασχολημένος.", "The user you called is busy.": "Ο χρήστης που καλέσατε είναι απασχολημένος.",
"%(oneUser)srejected their invitation %(count)s times": { "%(oneUser)srejected their invitation %(count)s times": {
@ -647,8 +617,6 @@
"Unable to look up phone number": "Αδυναμία αναζήτησης αριθμού τηλεφώνου", "Unable to look up phone number": "Αδυναμία αναζήτησης αριθμού τηλεφώνου",
"You cannot place calls without a connection to the server.": "Δεν μπορείτε να πραγματοποιήσετε κλήσεις χωρίς σύνδεση στο διακομιστή.", "You cannot place calls without a connection to the server.": "Δεν μπορείτε να πραγματοποιήσετε κλήσεις χωρίς σύνδεση στο διακομιστή.",
"Connectivity to the server has been lost": "Χάθηκε η συνδεσιμότητα με τον διακομιστή", "Connectivity to the server has been lost": "Χάθηκε η συνδεσιμότητα με τον διακομιστή",
"You cannot place calls in this browser.": "Δεν μπορείτε να πραγματοποιήσετε κλήσεις σε αυτό το πρόγραμμα περιήγησης.",
"Calls are unsupported": "Η κλήσεις δεν υποστηρίζονται",
"User Busy": "Χρήστης Απασχολημένος", "User Busy": "Χρήστης Απασχολημένος",
"Confirm adding this phone number by using Single Sign On to prove your identity.": "Επιβεβαιώστε την προσθήκη αυτού του αριθμού τηλεφώνου με την χρήση Single Sign On για να επικυρώσετε την ταυτότητα σας.", "Confirm adding this phone number by using Single Sign On to prove your identity.": "Επιβεβαιώστε την προσθήκη αυτού του αριθμού τηλεφώνου με την χρήση Single Sign On για να επικυρώσετε την ταυτότητα σας.",
"Single Sign On": "Single Sign On", "Single Sign On": "Single Sign On",
@ -679,11 +647,6 @@
"Send voice message": "Στείλτε φωνητικό μήνυμα", "Send voice message": "Στείλτε φωνητικό μήνυμα",
"This room has been replaced and is no longer active.": "Αυτό το δωμάτιο έχει αντικατασταθεί και δεν είναι πλέον ενεργό.", "This room has been replaced and is no longer active.": "Αυτό το δωμάτιο έχει αντικατασταθεί και δεν είναι πλέον ενεργό.",
"The conversation continues here.": "Η συζήτηση συνεχίζεται εδώ.", "The conversation continues here.": "Η συζήτηση συνεχίζεται εδώ.",
"Send a reply…": "Στείλτε μια απάντηση…",
"Send a message…": "Στείλτε ένα μήνυμα…",
"Reply to thread…": "Απάντηση στο νήμα…",
"Reply to encrypted thread…": "Απάντηση στο κρυπτογραφημένο νήμα…",
"Send message": "Αποστολή μηνύματος",
"Invite to this space": "Πρόσκληση σε αυτό το χώρο", "Invite to this space": "Πρόσκληση σε αυτό το χώρο",
"Close preview": "Κλείσιμο προεπισκόπησης", "Close preview": "Κλείσιμο προεπισκόπησης",
"Scroll to most recent messages": "Κύλιση στα πιο πρόσφατα μηνύματα", "Scroll to most recent messages": "Κύλιση στα πιο πρόσφατα μηνύματα",
@ -930,12 +893,6 @@
"Room members": "Μέλη δωματίου", "Room members": "Μέλη δωματίου",
"Room information": "Πληροφορίες δωματίου", "Room information": "Πληροφορίες δωματίου",
"Back to chat": "Επιστροφή στη συνομιλία", "Back to chat": "Επιστροφή στη συνομιλία",
"%(senderName)s: %(stickerName)s": "%(senderName)s: %(stickerName)s",
"%(senderName)s: %(message)s": "%(senderName)s: %(message)s",
"* %(senderName)s %(emote)s": "* %(senderName)s %(emote)s",
"%(senderName)s is calling": "Ο %(senderName)s καλεί",
"Waiting for answer": "Αναμονή απάντησης",
"%(senderName)s started a call": "Ο %(senderName)s ξεκίνησε μια κλήση",
"Other rooms": "Άλλα δωμάτια", "Other rooms": "Άλλα δωμάτια",
"All rooms": "Όλα τα δωμάτια", "All rooms": "Όλα τα δωμάτια",
"Please contact your homeserver administrator.": "Επικοινωνήστε με τον διαχειριστή του κεντρικού σας διακομιστή.", "Please contact your homeserver administrator.": "Επικοινωνήστε με τον διαχειριστή του κεντρικού σας διακομιστή.",
@ -950,9 +907,6 @@
"Set up Secure Backup": "Ρυθμίστε το αντίγραφο ασφαλείας", "Set up Secure Backup": "Ρυθμίστε το αντίγραφο ασφαλείας",
"Contact your <a>server admin</a>.": "Επικοινωνήστε με τον <a>διαχειριστή του διακομιστή σας</a>.", "Contact your <a>server admin</a>.": "Επικοινωνήστε με τον <a>διαχειριστή του διακομιστή σας</a>.",
"Your homeserver has exceeded one of its resource limits.": "Ο κεντρικός σας διακομιστής έχει υπερβεί ένα από τα όρια πόρων του.", "Your homeserver has exceeded one of its resource limits.": "Ο κεντρικός σας διακομιστής έχει υπερβεί ένα από τα όρια πόρων του.",
"Silence call": "Σίγαση",
"Sound on": "Ήχος ενεργοποιημένος",
"Unknown caller": "Άγνωστος",
"Enable desktop notifications": "Ενεργοποίηση ειδοποιήσεων επιφάνειας εργασίας", "Enable desktop notifications": "Ενεργοποίηση ειδοποιήσεων επιφάνειας εργασίας",
"Don't miss a reply": "Μην χάσετε καμία απάντηση", "Don't miss a reply": "Μην χάσετε καμία απάντηση",
"Later": "Αργότερα", "Later": "Αργότερα",
@ -1015,25 +969,10 @@
"You've successfully verified this user.": "Επαληθεύσατε με επιτυχία αυτόν τον χρήστη.", "You've successfully verified this user.": "Επαληθεύσατε με επιτυχία αυτόν τον χρήστη.",
"Verified!": "Επαληθεύτηκε!", "Verified!": "Επαληθεύτηκε!",
"The other party cancelled the verification.": "Το άλλο μέρος ακύρωσε την επαλήθευση.", "The other party cancelled the verification.": "Το άλλο μέρος ακύρωσε την επαλήθευση.",
"%(name)s on hold": "%(name)s σε αναμονή",
"Return to call": "Επιστροφή στην κλήση",
"More": "Περισσότερα", "More": "Περισσότερα",
"Hide sidebar": "Απόκρυψη πλαϊνής μπάρας", "Hide sidebar": "Απόκρυψη πλαϊνής μπάρας",
"Show sidebar": "Εμφάνιση πλαϊνής μπάρας", "Show sidebar": "Εμφάνιση πλαϊνής μπάρας",
"Start sharing your screen": "Ξεκινήστε να μοιράζεστε την οθόνη σας",
"Stop sharing your screen": "Σταματήστε να μοιράζεστε την οθόνη σας",
"Start the camera": "Ξεκινήστε την κάμερα",
"Stop the camera": "Σταματήστε την κάμερα",
"Unmute the microphone": "Καταργήστε τη σίγαση του μικροφώνου",
"Mute the microphone": "Σίγαση του μικροφώνου",
"Dialpad": "Πληκτρολόγιο κλήσης",
"Your camera is still enabled": "Η κάμερά σας είναι ακόμα ενεργοποιημένη",
"Your camera is turned off": "Η κάμερά σας είναι απενεργοποιημένη",
"%(sharerName)s is presenting": "%(sharerName)s παρουσιάζει",
"You are presenting": "Παρουσιάζετε",
"Connecting": "Συνδέεται", "Connecting": "Συνδέεται",
"You held the call <a>Resume</a>": "Έχετε βάλει την κλήση σε αναμονή <a>Επαναφορά</a>",
"You held the call <a>Switch</a>": "Έχετε βάλει την κλήση σε αναμονή <a>Switch</a>",
"unknown person": "άγνωστο άτομο", "unknown person": "άγνωστο άτομο",
"Send as message": "Αποστολή ως μήνυμα", "Send as message": "Αποστολή ως μήνυμα",
"Hint: Begin your message with <code>//</code> to start it with a slash.": "Συμβουλή: Ξεκινήστε το μήνυμά σας με <code>//</code> για να το ξεκινήσετε με κάθετο.", "Hint: Begin your message with <code>//</code> to start it with a slash.": "Συμβουλή: Ξεκινήστε το μήνυμά σας με <code>//</code> για να το ξεκινήσετε με κάθετο.",
@ -1052,8 +991,6 @@
"sends fireworks": "στέλνει πυροτεχνήματα", "sends fireworks": "στέλνει πυροτεχνήματα",
"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!": "Αυτή είναι η λίστα με τους χρήστες/διακομιστές που έχετε αποκλείσει - μην φύγετε από το δωμάτιο!",
"My Ban List": "Η λίστα απαγορεύσεων μου", "My Ban List": "Η λίστα απαγορεύσεων μου",
"Downloading logs": "Λήψη αρχείων καταγραφής",
"Uploading logs": "Μεταφόρτωση αρχείων καταγραφής",
"Automatically send debug logs when key backup is not functioning": "Αυτόματη αποστολή αρχείων καταγραφής εντοπισμού σφαλμάτων όταν η δημιουργία αντίγραφου κλειδιού ασφαλείας δεν λειτουργεί", "Automatically send debug logs when key backup is not functioning": "Αυτόματη αποστολή αρχείων καταγραφής εντοπισμού σφαλμάτων όταν η δημιουργία αντίγραφου κλειδιού ασφαλείας δεν λειτουργεί",
"Automatically send debug logs on decryption errors": "Αυτόματη αποστολή αρχείων καταγραφής εντοπισμού σφαλμάτων για σφάλματα αποκρυπτογράφησης", "Automatically send debug logs on decryption errors": "Αυτόματη αποστολή αρχείων καταγραφής εντοπισμού σφαλμάτων για σφάλματα αποκρυπτογράφησης",
"Automatically send debug logs on any error": "Αυτόματη αποστολή αρχείων καταγραφής εντοπισμού σφαλμάτων για οποιοδήποτε σφάλμα", "Automatically send debug logs on any error": "Αυτόματη αποστολή αρχείων καταγραφής εντοπισμού σφαλμάτων για οποιοδήποτε σφάλμα",
@ -1140,9 +1077,6 @@
"Ball": "Μπάλα", "Ball": "Μπάλα",
"Trophy": "Τρόπαιο", "Trophy": "Τρόπαιο",
"Rocket": "Πύραυλος", "Rocket": "Πύραυλος",
"%(peerName)s held the call": "%(peerName)s έβαλε την κλήση σε αναμονή",
"Consulting with %(transferTarget)s. <a>Transfer to %(transferee)s</a>": "Συμβουλευτική με %(transferTarget)s. <a>Μεταφορά στο %(transferee)s</a>",
"Effects": "Εφέ",
"Backup key cached:": "Αποθηκευμένο εφεδρικό κλειδί στην κρυφή μνήμη:", "Backup key cached:": "Αποθηκευμένο εφεδρικό κλειδί στην κρυφή μνήμη:",
"not stored": "μη αποθηκευμένο", "not stored": "μη αποθηκευμένο",
"Backup key stored:": "Αποθηκευμένο εφεδρικό κλειδί:", "Backup key stored:": "Αποθηκευμένο εφεδρικό κλειδί:",
@ -1312,7 +1246,6 @@
"Add space": "Προσθήκη χώρου", "Add space": "Προσθήκη χώρου",
"Empty room": "Άδειο δωμάτιο", "Empty room": "Άδειο δωμάτιο",
"Suggested Rooms": "Προτεινόμενα δωμάτια", "Suggested Rooms": "Προτεινόμενα δωμάτια",
"System Alerts": "Ειδοποιήσεις συστήματος",
"Add room": "Προσθήκη δωματίου", "Add room": "Προσθήκη δωματίου",
"Explore public rooms": "Εξερευνήστε δημόσια δωμάτια", "Explore public rooms": "Εξερευνήστε δημόσια δωμάτια",
"You do not have permissions to add rooms to this space": "Δεν έχετε δικαίωμα προσθήκης δωματίων σε αυτόν τον χώρο", "You do not have permissions to add rooms to this space": "Δεν έχετε δικαίωμα προσθήκης δωματίων σε αυτόν τον χώρο",
@ -1361,24 +1294,6 @@
"Are you sure you want to add encryption to this public room?": "Είστε βέβαιοι ότι θέλετε να προσθέσετε κρυπτογράφηση σε αυτό το δημόσιο δωμάτιο;", "Are you sure you want to add encryption to this public room?": "Είστε βέβαιοι ότι θέλετε να προσθέσετε κρυπτογράφηση σε αυτό το δημόσιο δωμάτιο;",
"Roles & Permissions": "Ρόλοι & Δικαιώματα", "Roles & Permissions": "Ρόλοι & Δικαιώματα",
"Muted Users": "Χρήστες σε Σίγαση", "Muted Users": "Χρήστες σε Σίγαση",
"Notify everyone": "Ειδοποιήστε όλους",
"Ban users": "Αποκλεισμός χρηστών",
"Change settings": "Αλλαγή ρυθμίσεων",
"Remove messages sent by me": "Κατάργηση μηνυμάτων που έχω στείλει",
"Change server ACLs": "Αλλαγή ACLs του διακομιστή",
"Enable room encryption": "Ενεργοποίηση κρυπτογράφησης δωματίου",
"Upgrade the room": "Αναβάθμιση δωματίου",
"Change topic": "Αλλαγή θέματος",
"Change description": "Αλλαγή περιγραφής",
"Change permissions": "Αλλαγή δικαιωμάτων",
"Change history visibility": "Αλλαγή ορατότητας ιστορικού",
"Manage rooms in this space": "Διαχειριστείτε τα δωμάτια σε αυτόν τον χώρο",
"Change main address for the room": "Αλλαγή κύριας διεύθυνσης για το δωμάτιο",
"Change main address for the space": "Αλλαγή κύριας διεύθυνσης για το χώρο",
"Change room name": "Αλλαγή ονόματος δωματίου",
"Change space name": "Αλλαγή ονόματος χώρου",
"Change room avatar": "Αλλαγή εικόνας δωματίου",
"Change space avatar": "Αλλαγή εικόνας Χώρου",
"Browse": "Εξερεύνηση", "Browse": "Εξερεύνηση",
"Set a new custom sound": "Ορίστε έναν νέο προσαρμοσμένο ήχο", "Set a new custom sound": "Ορίστε έναν νέο προσαρμοσμένο ήχο",
"Notification sound": "Ήχος ειδοποίησης", "Notification sound": "Ήχος ειδοποίησης",
@ -1416,14 +1331,6 @@
"Select the roles required to change various parts of the room": "Επιλέξτε τους ρόλους που απαιτούνται για να αλλάξετε διάφορα μέρη του δωματίου", "Select the roles required to change various parts of the room": "Επιλέξτε τους ρόλους που απαιτούνται για να αλλάξετε διάφορα μέρη του δωματίου",
"Select the roles required to change various parts of the space": "Επιλέξτε τους ρόλους που απαιτούνται για να αλλάξετε διάφορα μέρη του χώρου", "Select the roles required to change various parts of the space": "Επιλέξτε τους ρόλους που απαιτούνται για να αλλάξετε διάφορα μέρη του χώρου",
"Send %(eventType)s events": "Στελιτε %(eventType)sσυμβάντα", "Send %(eventType)s events": "Στελιτε %(eventType)sσυμβάντα",
"Remove messages sent by others": "Καταργήστε τα μηνύματα που αποστέλλονται από άλλους",
"Remove users": "Καταργήστε χρήστες",
"Invite users": "Προσκαλέστε χρήστες",
"Send messages": "Στείλτε μηνύματα",
"Default role": "Προεπιλεγμένος ρόλος",
"Manage pinned events": "Διαχείριση καρφιτσωμένων συμβάντων",
"Modify widgets": "Τροποποίηση μικροεφαρμογών",
"Send reactions": "Στείλτε αντιδράσεις",
"An error occurred changing the user's power level. Ensure you have sufficient permissions and try again.": "Παρουσιάστηκε σφάλμα κατά την αλλαγή του επιπέδου ισχύος του χρήστη. Βεβαιωθείτε ότι έχετε επαρκή δικαιώματα και δοκιμάστε ξανά.", "An error occurred changing the user's power level. Ensure you have sufficient permissions and try again.": "Παρουσιάστηκε σφάλμα κατά την αλλαγή του επιπέδου ισχύος του χρήστη. Βεβαιωθείτε ότι έχετε επαρκή δικαιώματα και δοκιμάστε ξανά.",
"Error changing power level": "Σφάλμα αλλαγής του επιπέδου ισχύος", "Error changing power level": "Σφάλμα αλλαγής του επιπέδου ισχύος",
"An error occurred changing the room's power level requirements. Ensure you have sufficient permissions and try again.": "Παρουσιάστηκε σφάλμα κατά την αλλαγή των απαιτήσεων επιπέδου ισχύος του δωματίου. Βεβαιωθείτε ότι έχετε επαρκή δικαιώματα και δοκιμάστε ξανά.", "An error occurred changing the room's power level requirements. Ensure you have sufficient permissions and try again.": "Παρουσιάστηκε σφάλμα κατά την αλλαγή των απαιτήσεων επιπέδου ισχύος του δωματίου. Βεβαιωθείτε ότι έχετε επαρκή δικαιώματα και δοκιμάστε ξανά.",
@ -1433,7 +1340,6 @@
"Rooms outside of a space": "Δωμάτια εκτός χώρου", "Rooms outside of a space": "Δωμάτια εκτός χώρου",
"Spaces are ways to group rooms and people. Alongside the spaces you're in, you can use some pre-built ones too.": "Οι Χώροι είναι ένας τρόπος ομαδοποίησης δωματίων και ατόμων. Εκτός από τους χώρους στους οποίους βρίσκεστε, μπορείτε να χρησιμοποιήσετε και κάποιους προκατασκευασμένους.", "Spaces are ways to group rooms and people. Alongside the spaces you're in, you can use some pre-built ones too.": "Οι Χώροι είναι ένας τρόπος ομαδοποίησης δωματίων και ατόμων. Εκτός από τους χώρους στους οποίους βρίσκεστε, μπορείτε να χρησιμοποιήσετε και κάποιους προκατασκευασμένους.",
"Sidebar": "Πλαϊνή μπάρα", "Sidebar": "Πλαϊνή μπάρα",
"Cross-signing": "Διασταυρούμενη υπογραφή",
"Accept all %(invitedRooms)s invites": "Αποδεχτείτε όλες τις %(invitedRooms)sπροσκλήσεις", "Accept all %(invitedRooms)s invites": "Αποδεχτείτε όλες τις %(invitedRooms)sπροσκλήσεις",
"You have no ignored users.": "Δεν έχετε χρήστες που έχετε αγνοήσει.", "You have no ignored users.": "Δεν έχετε χρήστες που έχετε αγνοήσει.",
"Autocomplete delay (ms)": "Καθυστέρηση αυτόματης συμπλήρωσης (ms)", "Autocomplete delay (ms)": "Καθυστέρηση αυτόματης συμπλήρωσης (ms)",
@ -1945,7 +1851,6 @@
"Revoke invite": "Ανάκληση πρόσκλησης", "Revoke invite": "Ανάκληση πρόσκλησης",
"Could not revoke the invite. The server may be experiencing a temporary problem or you do not have sufficient permissions to revoke the invite.": "Δεν ήταν δυνατή η ανάκληση της πρόσκλησης. Ο διακομιστής μπορεί να αντιμετωπίζει ένα προσωρινό πρόβλημα ή δεν έχετε επαρκή δικαιώματα για να ανακαλέσετε την πρόσκληση.", "Could not revoke the invite. The server may be experiencing a temporary problem or you do not have sufficient permissions to revoke the invite.": "Δεν ήταν δυνατή η ανάκληση της πρόσκλησης. Ο διακομιστής μπορεί να αντιμετωπίζει ένα προσωρινό πρόβλημα ή δεν έχετε επαρκή δικαιώματα για να ανακαλέσετε την πρόσκληση.",
"Failed to revoke invite": "Αποτυχία ανάκλησης πρόσκλησης", "Failed to revoke invite": "Αποτυχία ανάκλησης πρόσκλησης",
"Stickerpack": "Πακέτο αυτοκόλλητων",
"You don't currently have any stickerpacks enabled": "Προς το παρόν δεν έχετε ενεργοποιημένο κάποιο πακέτο αυτοκόλλητων", "You don't currently have any stickerpacks enabled": "Προς το παρόν δεν έχετε ενεργοποιημένο κάποιο πακέτο αυτοκόλλητων",
"Add some now": "Προσθέστε μερικά τώρα", "Add some now": "Προσθέστε μερικά τώρα",
"Only room administrators will see this warning": "Μόνο οι διαχειριστές δωματίων θα βλέπουν αυτήν την προειδοποίηση", "Only room administrators will see this warning": "Μόνο οι διαχειριστές δωματίων θα βλέπουν αυτήν την προειδοποίηση",
@ -1955,7 +1860,6 @@
"Discovery": "Ανακάλυψη", "Discovery": "Ανακάλυψη",
"Developer tools": "Εργαλεία προγραμματιστή", "Developer tools": "Εργαλεία προγραμματιστή",
"Got It": "Κατανοώ", "Got It": "Κατανοώ",
"Dial": "Κλήση",
"Export Chat": "Εξαγωγή Συνομιλίας", "Export Chat": "Εξαγωγή Συνομιλίας",
"Sending": "Αποστολή", "Sending": "Αποστολή",
"Anyone will be able to find and join this room, not just members of <SpaceName/>.": "Οποιοσδήποτε θα μπορεί να βρει και να εγγραφεί σε αυτόν τον χώρο, όχι μόνο μέλη του <SpaceName/>.", "Anyone will be able to find and join this room, not just members of <SpaceName/>.": "Οποιοσδήποτε θα μπορεί να βρει και να εγγραφεί σε αυτόν τον χώρο, όχι μόνο μέλη του <SpaceName/>.",
@ -2416,7 +2320,6 @@
"Widget ID": "Ταυτότητα μικροεφαρμογής", "Widget ID": "Ταυτότητα μικροεφαρμογής",
"toggle event": "μεταβολή συμβάντος", "toggle event": "μεταβολή συμβάντος",
"Could not connect media": "Δεν ήταν δυνατή η σύνδεση πολυμέσων", "Could not connect media": "Δεν ήταν δυνατή η σύνδεση πολυμέσων",
"Secure Backup": "Ασφαλές αντίγραφο ασφαλείας",
"%(oneUser)sremoved a message %(count)s times": { "%(oneUser)sremoved a message %(count)s times": {
"other": "%(oneUser)sάλλαξε %(count)s μηνύματα", "other": "%(oneUser)sάλλαξε %(count)s μηνύματα",
"one": "%(oneUser)sαφαίρεσε ένα μήνυμα" "one": "%(oneUser)sαφαίρεσε ένα μήνυμα"
@ -2745,12 +2648,6 @@
"one": "Επιβεβαιώστε την αποσύνδεση αυτής της συσκευής", "one": "Επιβεβαιώστε την αποσύνδεση αυτής της συσκευής",
"other": "Επιβεβαιώστε την αποσύνδεση αυτών των συσκευών" "other": "Επιβεβαιώστε την αποσύνδεση αυτών των συσκευών"
}, },
"Turn on camera": "Ενεργοποίηση κάμερας",
"Turn off camera": "Απενεργοποίηση κάμερας",
"Video devices": "Συσκευές βίντεο",
"Unmute microphone": "Κατάργηση σίγασης μικροφώνου",
"Mute microphone": "Σίγαση μικροφώνου",
"Audio devices": "Συσκευές ήχου",
"Threads help keep your conversations on-topic and easy to track.": "Τα νήματα σας βοηθούν να οργανώνετε και να παρακολουθείτε καλύτερα τις συνομιλίες σας.", "Threads help keep your conversations on-topic and easy to track.": "Τα νήματα σας βοηθούν να οργανώνετε και να παρακολουθείτε καλύτερα τις συνομιλίες σας.",
"Unread email icon": "Εικονίδιο μη αναγνωσμένου μηνύματος", "Unread email icon": "Εικονίδιο μη αναγνωσμένου μηνύματος",
"Check your email to continue": "Ελέγξτε το email σας για να συνεχίσετε", "Check your email to continue": "Ελέγξτε το email σας για να συνεχίσετε",
@ -2866,7 +2763,11 @@
"server": "Διακομιστής", "server": "Διακομιστής",
"capabilities": "Δυνατότητες", "capabilities": "Δυνατότητες",
"unnamed_room": "Ανώνυμο δωμάτιο", "unnamed_room": "Ανώνυμο δωμάτιο",
"unnamed_space": "Χώρος χωρίς όνομα" "unnamed_space": "Χώρος χωρίς όνομα",
"stickerpack": "Πακέτο αυτοκόλλητων",
"system_alerts": "Ειδοποιήσεις συστήματος",
"secure_backup": "Ασφαλές αντίγραφο ασφαλείας",
"cross_signing": "Διασταυρούμενη υπογραφή"
}, },
"action": { "action": {
"continue": "Συνέχεια", "continue": "Συνέχεια",
@ -3001,7 +2902,14 @@
"format_bold": "Έντονα", "format_bold": "Έντονα",
"format_strikethrough": "Διαγράμμιση", "format_strikethrough": "Διαγράμμιση",
"format_inline_code": "Κωδικός", "format_inline_code": "Κωδικός",
"format_code_block": "Μπλοκ κώδικα" "format_code_block": "Μπλοκ κώδικα",
"send_button_title": "Αποστολή μηνύματος",
"placeholder_thread_encrypted": "Απάντηση στο κρυπτογραφημένο νήμα…",
"placeholder_thread": "Απάντηση στο νήμα…",
"placeholder_reply_encrypted": "Αποστολή κρυπτογραφημένης απάντησης…",
"placeholder_reply": "Στείλτε μια απάντηση…",
"placeholder_encrypted": "Αποστολή κρυπτογραφημένου μηνύματος…",
"placeholder": "Στείλτε ένα μήνυμα…"
}, },
"Bold": "Έντονα", "Bold": "Έντονα",
"Code": "Κωδικός", "Code": "Κωδικός",
@ -3023,7 +2931,11 @@
"send_logs": "Αποστολή πληροφοριών", "send_logs": "Αποστολή πληροφοριών",
"github_issue": "Ζήτημα GitHub", "github_issue": "Ζήτημα GitHub",
"download_logs": "Λήψη αρχείων καταγραφής", "download_logs": "Λήψη αρχείων καταγραφής",
"before_submitting": "Προτού υποβάλετε αρχεία καταγραφής, πρέπει να <a>δημιουργήσετε ένα ζήτημα GitHub</a> για να περιγράψετε το πρόβλημά σας." "before_submitting": "Προτού υποβάλετε αρχεία καταγραφής, πρέπει να <a>δημιουργήσετε ένα ζήτημα GitHub</a> για να περιγράψετε το πρόβλημά σας.",
"collecting_information": "Συγκέντρωση πληροφοριών σχετικά με την έκδοση της εφαρμογής",
"collecting_logs": "Συγκέντρωση πληροφοριών",
"uploading_logs": "Μεταφόρτωση αρχείων καταγραφής",
"downloading_logs": "Λήψη αρχείων καταγραφής"
}, },
"time": { "time": {
"seconds_left": "%(seconds)ss απομένουν", "seconds_left": "%(seconds)ss απομένουν",
@ -3161,7 +3073,9 @@
"toolbox": "Εργαλειοθήκη", "toolbox": "Εργαλειοθήκη",
"developer_tools": "Εργαλεία προγραμματιστή", "developer_tools": "Εργαλεία προγραμματιστή",
"room_id": "ID δωματίου: %(roomId)s", "room_id": "ID δωματίου: %(roomId)s",
"event_id": "ID συμβάντος: %(eventId)s" "event_id": "ID συμβάντος: %(eventId)s",
"category_room": "Δωμάτιο",
"category_other": "Άλλα"
}, },
"export_chat": { "export_chat": {
"html": "HTML", "html": "HTML",
@ -3306,6 +3220,9 @@
"one": "%(names)s και ένας ακόμα πληκτρολογούν …", "one": "%(names)s και ένας ακόμα πληκτρολογούν …",
"other": "%(names)s και %(count)s άλλοι πληκτρολογούν …" "other": "%(names)s και %(count)s άλλοι πληκτρολογούν …"
} }
},
"m.call.hangup": {
"dm": "Τέλος κλήσης"
} }
}, },
"slash_command": { "slash_command": {
@ -3340,7 +3257,14 @@
"help": "Εμφανίζει τη λίστα εντολών με τρόπους χρήσης και περιγραφές", "help": "Εμφανίζει τη λίστα εντολών με τρόπους χρήσης και περιγραφές",
"whois": "Εμφανίζει πληροφορίες για έναν χρήστη", "whois": "Εμφανίζει πληροφορίες για έναν χρήστη",
"rageshake": "Στέλνει μία αναφορά σφάλματος με logs", "rageshake": "Στέλνει μία αναφορά σφάλματος με logs",
"msg": "Στέλνει ένα μήνυμα στον δοσμένο χρήστη" "msg": "Στέλνει ένα μήνυμα στον δοσμένο χρήστη",
"usage": "Χρήση",
"category_messages": "Μηνύματα",
"category_actions": "Δράσεις",
"category_admin": "Διαχειριστής",
"category_advanced": "Προχωρημένες",
"category_effects": "Εφέ",
"category_other": "Άλλα"
}, },
"presence": { "presence": {
"busy": "Απασχολημένος", "busy": "Απασχολημένος",
@ -3354,5 +3278,98 @@
"offline": "Εκτός σύνδεσης", "offline": "Εκτός σύνδεσης",
"away": "Απομακρυσμένος" "away": "Απομακρυσμένος"
}, },
"Unknown": "Άγνωστο" "Unknown": "Άγνωστο",
"event_preview": {
"m.call.answer": {
"you": "Συνδεθήκατε στην κλήση",
"user": "Ο χρήστης %(senderName)s συνδέθηκε στην κλήση",
"dm": "Κλήση σε εξέλιξη"
},
"m.call.hangup": {
"you": "Σταματήσατε την κλήση",
"user": "Ο χρήστης %(senderName)s σταμάτησε την κλήση"
},
"m.call.invite": {
"you": "Ξεκινήσατε μία κλήση",
"user": "Ο %(senderName)s ξεκίνησε μια κλήση",
"dm_send": "Αναμονή απάντησης",
"dm_receive": "Ο %(senderName)s καλεί"
},
"m.emote": "* %(senderName)s %(emote)s",
"m.text": "%(senderName)s: %(message)s",
"m.sticker": "%(senderName)s: %(stickerName)s"
},
"voip": {
"disable_microphone": "Σίγαση μικροφώνου",
"enable_microphone": "Κατάργηση σίγασης μικροφώνου",
"disable_camera": "Απενεργοποίηση κάμερας",
"enable_camera": "Ενεργοποίηση κάμερας",
"audio_devices": "Συσκευές ήχου",
"video_devices": "Συσκευές βίντεο",
"dial": "Κλήση",
"you_are_presenting": "Παρουσιάζετε",
"user_is_presenting": "%(sharerName)s παρουσιάζει",
"camera_disabled": "Η κάμερά σας είναι απενεργοποιημένη",
"camera_enabled": "Η κάμερά σας είναι ακόμα ενεργοποιημένη",
"consulting": "Συμβουλευτική με %(transferTarget)s. <a>Μεταφορά στο %(transferee)s</a>",
"call_held_switch": "Έχετε βάλει την κλήση σε αναμονή <a>Switch</a>",
"call_held_resume": "Έχετε βάλει την κλήση σε αναμονή <a>Επαναφορά</a>",
"call_held": "%(peerName)s έβαλε την κλήση σε αναμονή",
"dialpad": "Πληκτρολόγιο κλήσης",
"stop_screenshare": "Σταματήστε να μοιράζεστε την οθόνη σας",
"start_screenshare": "Ξεκινήστε να μοιράζεστε την οθόνη σας",
"hangup": "Κλείσιμο",
"expand": "Επιστροφή στην κλήση",
"on_hold": "%(name)s σε αναμονή",
"voice_call": "Φωνητική κλήση",
"video_call": "Βιντεοκλήση",
"unsilence": "Ήχος ενεργοποιημένος",
"silence": "Σίγαση",
"unknown_caller": "Άγνωστος",
"call_failed": "Η κλήση απέτυχε",
"unable_to_access_microphone": "Αδυναμία πρόσβασης μικροφώνου",
"call_failed_microphone": "Η κλήση απέτυχε επειδή δεν μπόρεσε να βρεθεί μικρόφωνο. Ελέγξτε ότι έχετε συνδέσει ένα μικρόφωνο και έχει εγκατασταθεί σωστά.",
"unable_to_access_media": "Αδυναμία πρόσβασης κάμερας / μικροφώνου",
"call_failed_media": "Η κλήση απέτυχε επειδή δεν μπόρεσε να βρεθεί κάμερα ή μικρόφωνο. Ελέγξτε ότι:",
"call_failed_media_connected": "Ένα μικρόφωνο και μια κάμερα έχουν συνδεθεί και εγκατασταθεί σωστά",
"call_failed_media_permissions": "Έχετε παραχωρήσει την άδεια χρήσης της κάμερας",
"call_failed_media_applications": "Η κάμερα δεν χρησιμοποιείται από καμία άλλη εφαρμογή",
"already_in_call": "Ήδη σε κλήση",
"already_in_call_person": "Είστε ήδη σε κλήση με αυτόν τον χρήστη.",
"unsupported": "Η κλήσεις δεν υποστηρίζονται",
"unsupported_browser": "Δεν μπορείτε να πραγματοποιήσετε κλήσεις σε αυτό το πρόγραμμα περιήγησης."
},
"Messages": "Μηνύματα",
"Other": "Άλλα",
"Advanced": "Προχωρημένες",
"room_settings": {
"permissions": {
"m.room.avatar_space": "Αλλαγή εικόνας Χώρου",
"m.room.avatar": "Αλλαγή εικόνας δωματίου",
"m.room.name_space": "Αλλαγή ονόματος χώρου",
"m.room.name": "Αλλαγή ονόματος δωματίου",
"m.room.canonical_alias_space": "Αλλαγή κύριας διεύθυνσης για το χώρο",
"m.room.canonical_alias": "Αλλαγή κύριας διεύθυνσης για το δωμάτιο",
"m.space.child": "Διαχειριστείτε τα δωμάτια σε αυτόν τον χώρο",
"m.room.history_visibility": "Αλλαγή ορατότητας ιστορικού",
"m.room.power_levels": "Αλλαγή δικαιωμάτων",
"m.room.topic_space": "Αλλαγή περιγραφής",
"m.room.topic": "Αλλαγή θέματος",
"m.room.tombstone": "Αναβάθμιση δωματίου",
"m.room.encryption": "Ενεργοποίηση κρυπτογράφησης δωματίου",
"m.room.server_acl": "Αλλαγή ACLs του διακομιστή",
"m.reaction": "Στείλτε αντιδράσεις",
"m.room.redaction": "Κατάργηση μηνυμάτων που έχω στείλει",
"m.widget": "Τροποποίηση μικροεφαρμογών",
"m.room.pinned_events": "Διαχείριση καρφιτσωμένων συμβάντων",
"users_default": "Προεπιλεγμένος ρόλος",
"events_default": "Στείλτε μηνύματα",
"invite": "Προσκαλέστε χρήστες",
"state_default": "Αλλαγή ρυθμίσεων",
"kick": "Καταργήστε χρήστες",
"ban": "Αποκλεισμός χρηστών",
"redact": "Καταργήστε τα μηνύματα που αποστέλλονται από άλλους",
"notifications.room": "Ειδοποιήστε όλους"
}
}
} }

View file

@ -153,6 +153,8 @@
"preferences": "Preferences", "preferences": "Preferences",
"presence": "Presence", "presence": "Presence",
"timeline": "Timeline", "timeline": "Timeline",
"secure_backup": "Secure Backup",
"cross_signing": "Cross-signing",
"privacy": "Privacy", "privacy": "Privacy",
"microphone": "Microphone", "microphone": "Microphone",
"camera": "Camera", "camera": "Camera",
@ -165,8 +167,10 @@
"unverified": "Unverified", "unverified": "Unverified",
"emoji": "Emoji", "emoji": "Emoji",
"sticker": "Sticker", "sticker": "Sticker",
"system_alerts": "System Alerts",
"loading": "Loading…", "loading": "Loading…",
"appearance": "Appearance", "appearance": "Appearance",
"stickerpack": "Stickerpack",
"about": "About", "about": "About",
"trusted": "Trusted", "trusted": "Trusted",
"not_trusted": "Not trusted", "not_trusted": "Not trusted",
@ -239,7 +243,49 @@
"Identity server has no terms of service": "Identity server has no terms of service", "Identity server has no terms of service": "Identity server has no terms of service",
"This action requires accessing the default identity server <server /> to validate an email address or phone number, but the server does not have any terms of service.": "This action requires accessing the default identity server <server /> to validate an email address or phone number, but the server does not have any terms of service.", "This action requires accessing the default identity server <server /> to validate an email address or phone number, but the server does not have any terms of service.": "This action requires accessing the default identity server <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.": "Only continue if you trust the owner of the server.", "Only continue if you trust the owner of the server.": "Only continue if you trust the owner of the server.",
"Call Failed": "Call Failed", "voip": {
"call_failed": "Call Failed",
"unable_to_access_microphone": "Unable to access microphone",
"call_failed_microphone": "Call failed because microphone could not be accessed. Check that a microphone is plugged in and set up correctly.",
"unable_to_access_media": "Unable to access webcam / microphone",
"call_failed_media": "Call failed because webcam or microphone could not be accessed. Check that:",
"call_failed_media_connected": "A microphone and webcam are plugged in and set up correctly",
"call_failed_media_permissions": "Permission is granted to use the webcam",
"call_failed_media_applications": "No other application is using the webcam",
"already_in_call": "Already in call",
"already_in_call_person": "You're already in a call with this person.",
"unsupported": "Calls are unsupported",
"unsupported_browser": "You cannot place calls in this browser.",
"video_call_started": "Video call started",
"unsilence": "Sound on",
"silence": "Silence call",
"silenced": "Notifications silenced",
"unknown_caller": "Unknown caller",
"voice_call": "Voice call",
"video_call": "Video call",
"audio_devices": "Audio devices",
"disable_microphone": "Mute microphone",
"enable_microphone": "Unmute microphone",
"video_devices": "Video devices",
"disable_camera": "Turn off camera",
"enable_camera": "Turn on camera",
"dial": "Dial",
"you_are_presenting": "You are presenting",
"user_is_presenting": "%(sharerName)s is presenting",
"camera_disabled": "Your camera is turned off",
"camera_enabled": "Your camera is still enabled",
"consulting": "Consulting with %(transferTarget)s. <a>Transfer to %(transferee)s</a>",
"call_held_switch": "You held the call <a>Switch</a>",
"call_held_resume": "You held the call <a>Resume</a>",
"call_held": "%(peerName)s held the call",
"dialpad": "Dialpad",
"stop_screenshare": "Stop sharing your screen",
"start_screenshare": "Start sharing your screen",
"hangup": "Hangup",
"maximise": "Fill screen",
"expand": "Return to call",
"on_hold": "%(name)s on hold"
},
"User Busy": "User Busy", "User Busy": "User Busy",
"The user you called is busy.": "The user you called is busy.", "The user you called is busy.": "The user you called is busy.",
"The call could not be established": "The call could not be established", "The call could not be established": "The call could not be established",
@ -249,17 +295,6 @@
"Please ask the administrator of your homeserver (<code>%(homeserverDomain)s</code>) to configure a TURN server in order for calls to work reliably.": "Please ask the administrator of your homeserver (<code>%(homeserverDomain)s</code>) to configure a TURN server in order for calls to work reliably.", "Please ask the administrator of your homeserver (<code>%(homeserverDomain)s</code>) to configure a TURN server in order for calls to work reliably.": "Please ask the administrator of your homeserver (<code>%(homeserverDomain)s</code>) to configure a TURN server in order for calls to work reliably.",
"Alternatively, you can try to use the public server at <server/>, but this will not be as reliable, and it will share your IP address with that server. You can also manage this in Settings.": "Alternatively, you can try to use the public server at <server/>, but this will not be as reliable, and it will share your IP address with that server. You can also manage this in Settings.", "Alternatively, you can try to use the public server at <server/>, but this will not be as reliable, and it will share your IP address with that server. You can also manage this in Settings.": "Alternatively, you can try to use the public server at <server/>, but this will not be as reliable, and it will share your IP address with that server. You can also manage this in Settings.",
"Try using %(server)s": "Try using %(server)s", "Try using %(server)s": "Try using %(server)s",
"Unable to access microphone": "Unable to access microphone",
"Call failed because microphone could not be accessed. Check that a microphone is plugged in and set up correctly.": "Call failed because microphone could not be accessed. Check that a microphone is plugged in and set up correctly.",
"Unable to access webcam / microphone": "Unable to access webcam / microphone",
"Call failed because webcam or microphone could not be accessed. Check that:": "Call failed because webcam or microphone could not be accessed. Check that:",
"A microphone and webcam are plugged in and set up correctly": "A microphone and webcam are plugged in and set up correctly",
"Permission is granted to use the webcam": "Permission is granted to use the webcam",
"No other application is using the webcam": "No other application is using the webcam",
"Already in call": "Already in call",
"You're already in a call with this person.": "You're already in a call with this person.",
"Calls are unsupported": "Calls are unsupported",
"You cannot place calls in this browser.": "You cannot place calls in this browser.",
"Connectivity to the server has been lost": "Connectivity to the server has been lost", "Connectivity to the server has been lost": "Connectivity to the server has been lost",
"You cannot place calls without a connection to the server.": "You cannot place calls without a connection to the server.", "You cannot place calls without a connection to the server.": "You cannot place calls without a connection to the server.",
"Too Many Calls": "Too Many Calls", "Too Many Calls": "Too Many Calls",
@ -369,7 +404,14 @@
"help": "Displays list of commands with usages and descriptions", "help": "Displays list of commands with usages and descriptions",
"whois": "Displays information about a user", "whois": "Displays information about a user",
"rageshake": "Send a bug report with logs", "rageshake": "Send a bug report with logs",
"msg": "Sends a message to the given user" "msg": "Sends a message to the given user",
"usage": "Usage",
"category_messages": "Messages",
"category_actions": "Actions",
"category_admin": "Admin",
"category_advanced": "Advanced",
"category_effects": "Effects",
"category_other": "Other"
}, },
"Use an identity server": "Use an identity server", "Use an identity server": "Use an identity server",
"Use an identity server to invite by email. Click continue to use the default identity server (%(defaultIdentityServerName)s) or manage in Settings.": "Use an identity server to invite by email. Click continue to use the default identity server (%(defaultIdentityServerName)s) or manage in Settings.", "Use an identity server to invite by email. Click continue to use the default identity server (%(defaultIdentityServerName)s) or manage in Settings.": "Use an identity server to invite by email. Click continue to use the default identity server (%(defaultIdentityServerName)s) or manage in Settings.",
@ -511,6 +553,9 @@
"one": "%(names)s and one other is typing …" "one": "%(names)s and one other is typing …"
}, },
"two_users": "%(names)s and %(lastPerson)s are typing …" "two_users": "%(names)s and %(lastPerson)s are typing …"
},
"m.call.hangup": {
"dm": "Call ended"
} }
}, },
"%(senderName)s added the alternative addresses %(addresses)s for this room.": { "%(senderName)s added the alternative addresses %(addresses)s for this room.": {
@ -799,13 +844,6 @@
"Notifications": "Notifications", "Notifications": "Notifications",
"Enable desktop notifications": "Enable desktop notifications", "Enable desktop notifications": "Enable desktop notifications",
"Unknown room": "Unknown room", "Unknown room": "Unknown room",
"Video call started": "Video call started",
"Sound on": "Sound on",
"Silence call": "Silence call",
"Notifications silenced": "Notifications silenced",
"Unknown caller": "Unknown caller",
"Voice call": "Voice call",
"Video call": "Video call",
"Use app for a better experience": "Use app for a better experience", "Use app for a better experience": "Use app for a better experience",
"%(brand)s is experimental on a mobile web browser. For a better experience and the latest features, use our free native app.": "%(brand)s is experimental on a mobile web browser. For a better experience and the latest features, use our free native app.", "%(brand)s is experimental on a mobile web browser. For a better experience and the latest features, use our free native app.": "%(brand)s is experimental on a mobile web browser. For a better experience and the latest features, use our free native app.",
"Use app": "Use app", "Use app": "Use app",
@ -837,21 +875,30 @@
"You were disconnected from the call. (Error: %(message)s)": "You were disconnected from the call. (Error: %(message)s)", "You were disconnected from the call. (Error: %(message)s)": "You were disconnected from the call. (Error: %(message)s)",
"All rooms": "All rooms", "All rooms": "All rooms",
"Other rooms": "Other rooms", "Other rooms": "Other rooms",
"You joined the call": "You joined the call", "event_preview": {
"%(senderName)s joined the call": "%(senderName)s joined the call", "m.call.answer": {
"Call in progress": "Call in progress", "you": "You joined the call",
"You ended the call": "You ended the call", "user": "%(senderName)s joined the call",
"%(senderName)s ended the call": "%(senderName)s ended the call", "dm": "Call in progress"
"Call ended": "Call ended", },
"You started a call": "You started a call", "m.call.hangup": {
"%(senderName)s started a call": "%(senderName)s started a call", "you": "You ended the call",
"Waiting for answer": "Waiting for answer", "user": "%(senderName)s ended the call"
"%(senderName)s is calling": "%(senderName)s is calling", },
"* %(senderName)s %(emote)s": "* %(senderName)s %(emote)s", "m.call.invite": {
"%(senderName)s: %(message)s": "%(senderName)s: %(message)s", "you": "You started a call",
"You reacted %(reaction)s to %(message)s": "You reacted %(reaction)s to %(message)s", "user": "%(senderName)s started a call",
"%(sender)s reacted %(reaction)s to %(message)s": "%(sender)s reacted %(reaction)s to %(message)s", "dm_send": "Waiting for answer",
"%(senderName)s: %(stickerName)s": "%(senderName)s: %(stickerName)s", "dm_receive": "%(senderName)s is calling"
},
"m.emote": "* %(senderName)s %(emote)s",
"m.text": "%(senderName)s: %(message)s",
"m.reaction": {
"you": "You reacted %(reaction)s to %(message)s",
"user": "%(sender)s reacted %(reaction)s to %(message)s"
},
"m.sticker": "%(senderName)s: %(stickerName)s"
},
"Back to chat": "Back to chat", "Back to chat": "Back to chat",
"Room information": "Room information", "Room information": "Room information",
"Room members": "Room members", "Room members": "Room members",
@ -865,13 +912,6 @@
"Change notification settings": "Change notification settings", "Change notification settings": "Change notification settings",
"Command error: Unable to handle slash command.": "Command error: Unable to handle slash command.", "Command error: Unable to handle slash command.": "Command error: Unable to handle slash command.",
"Command error: Unable to find rendering type (%(renderingType)s)": "Command error: Unable to find rendering type (%(renderingType)s)", "Command error: Unable to find rendering type (%(renderingType)s)": "Command error: Unable to find rendering type (%(renderingType)s)",
"Usage": "Usage",
"Messages": "Messages",
"Actions": "Actions",
"Admin": "Admin",
"Advanced": "Advanced",
"Effects": "Effects",
"Other": "Other",
"Joins room with given address": "Joins room with given address", "Joins room with given address": "Joins room with given address",
"Views room with given address": "Views room with given address", "Views room with given address": "Views room with given address",
"Command failed: Unable to find room (%(roomId)s": "Command failed: Unable to find room (%(roomId)s", "Command failed: Unable to find room (%(roomId)s": "Command failed: Unable to find room (%(roomId)s",
@ -1032,10 +1072,22 @@
"Enable hardware acceleration": "Enable hardware acceleration", "Enable hardware acceleration": "Enable hardware acceleration",
"Can currently only be enabled via config.json": "Can currently only be enabled via config.json", "Can currently only be enabled via config.json": "Can currently only be enabled via config.json",
"Log out and back in to disable": "Log out and back in to disable", "Log out and back in to disable": "Log out and back in to disable",
"Collecting app version information": "Collecting app version information", "bug_reporting": {
"Collecting logs": "Collecting logs", "collecting_information": "Collecting app version information",
"Uploading logs": "Uploading logs", "collecting_logs": "Collecting logs",
"Downloading logs": "Downloading logs", "uploading_logs": "Uploading logs",
"downloading_logs": "Downloading logs",
"title": "Bug reporting",
"introduction": "If you've submitted a bug via GitHub, debug logs can help us track down the problem. ",
"description": "Debug logs contain application usage data including your username, the IDs or aliases of the rooms you have visited, which UI elements you last interacted with, and the usernames of other users. They do not contain messages.",
"submit_debug_logs": "Submit debug logs",
"matrix_security_issue": "To report a Matrix-related security issue, please read the Matrix.org <a>Security Disclosure Policy</a>.",
"before_submitting": "Before submitting logs, you must <a>create a GitHub issue</a> to describe your problem.",
"download_logs": "Download logs",
"github_issue": "GitHub issue",
"additional_context": "If there is additional context that would help in analysing the issue, such as what you were doing at the time, room IDs, user IDs, etc., please include those things here.",
"send_logs": "Send logs"
},
"Waiting for response from server": "Waiting for response from server", "Waiting for response from server": "Waiting for response from server",
"My Ban List": "My Ban List", "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!", "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!",
@ -1102,40 +1154,14 @@
"Hint: Begin your message with <code>//</code> to start it with a slash.": "Hint: Begin your message with <code>//</code> to start it with a slash.", "Hint: Begin your message with <code>//</code> to start it with a slash.": "Hint: Begin your message with <code>//</code> to start it with a slash.",
"Send as message": "Send as message", "Send as message": "Send as message",
"Failed to download source media, no source url was found": "Failed to download source media, no source url was found", "Failed to download source media, no source url was found": "Failed to download source media, no source url was found",
"Audio devices": "Audio devices",
"Mute microphone": "Mute microphone",
"Unmute microphone": "Unmute microphone",
"Video devices": "Video devices",
"Turn off camera": "Turn off camera",
"Turn on camera": "Turn on camera",
"%(count)s people joined": { "%(count)s people joined": {
"other": "%(count)s people joined", "other": "%(count)s people joined",
"one": "%(count)s person joined" "one": "%(count)s person joined"
}, },
"Dial": "Dial",
"You are presenting": "You are presenting",
"%(sharerName)s is presenting": "%(sharerName)s is presenting",
"Your camera is turned off": "Your camera is turned off",
"Your camera is still enabled": "Your camera is still enabled",
"unknown person": "unknown person", "unknown person": "unknown person",
"Consulting with %(transferTarget)s. <a>Transfer to %(transferee)s</a>": "Consulting with %(transferTarget)s. <a>Transfer to %(transferee)s</a>",
"You held the call <a>Switch</a>": "You held the call <a>Switch</a>",
"You held the call <a>Resume</a>": "You held the call <a>Resume</a>",
"%(peerName)s held the call": "%(peerName)s held the call",
"Dialpad": "Dialpad",
"Mute the microphone": "Mute the microphone",
"Unmute the microphone": "Unmute the microphone",
"Stop the camera": "Stop the camera",
"Start the camera": "Start the camera",
"Stop sharing your screen": "Stop sharing your screen",
"Start sharing your screen": "Start sharing your screen",
"Hide sidebar": "Hide sidebar", "Hide sidebar": "Hide sidebar",
"Show sidebar": "Show sidebar", "Show sidebar": "Show sidebar",
"More": "More", "More": "More",
"Hangup": "Hangup",
"Fill screen": "Fill screen",
"Return to call": "Return to call",
"%(name)s on hold": "%(name)s on hold",
"The other party cancelled the verification.": "The other party cancelled the verification.", "The other party cancelled the verification.": "The other party cancelled the verification.",
"Verified!": "Verified!", "Verified!": "Verified!",
"You've successfully verified this user.": "You've successfully verified this user.", "You've successfully verified this user.": "You've successfully verified this user.",
@ -1234,6 +1260,7 @@
"Cross-signing is ready but keys are not backed up.": "Cross-signing is ready but keys are not backed up.", "Cross-signing is ready but keys are not backed up.": "Cross-signing is ready but keys are not backed up.",
"Your account has a cross-signing identity in secret storage, but it is not yet trusted by this session.": "Your account has a cross-signing identity in secret storage, but it is not yet trusted by this session.", "Your account has a cross-signing identity in secret storage, but it is not yet trusted by this session.": "Your account has a cross-signing identity in secret storage, but it is not yet trusted by this session.",
"Cross-signing is not set up.": "Cross-signing is not set up.", "Cross-signing is not set up.": "Cross-signing is not set up.",
"Advanced": "Advanced",
"Cross-signing public keys:": "Cross-signing public keys:", "Cross-signing public keys:": "Cross-signing public keys:",
"in memory": "in memory", "in memory": "in memory",
"not found": "not found", "not found": "not found",
@ -1318,6 +1345,7 @@
"Show message in desktop notification": "Show message in desktop notification", "Show message in desktop notification": "Show message in desktop notification",
"Enable audible notifications for this session": "Enable audible notifications for this session", "Enable audible notifications for this session": "Enable audible notifications for this session",
"Mark all as read": "Mark all as read", "Mark all as read": "Mark all as read",
"Other": "Other",
"Keyword": "Keyword", "Keyword": "Keyword",
"New keyword": "New keyword", "New keyword": "New keyword",
"On": "On", "On": "On",
@ -1434,18 +1462,6 @@
"For help with using %(brand)s, click <a>here</a>.": "For help with using %(brand)s, click <a>here</a>.", "For help with using %(brand)s, click <a>here</a>.": "For help with using %(brand)s, click <a>here</a>.",
"For help with using %(brand)s, click <a>here</a> or start a chat with our bot using the button below.": "For help with using %(brand)s, click <a>here</a> or start a chat with our bot using the button below.", "For help with using %(brand)s, click <a>here</a> or start a chat with our bot using the button below.": "For help with using %(brand)s, click <a>here</a> or start a chat with our bot using the button below.",
"Chat with %(brand)s Bot": "Chat with %(brand)s Bot", "Chat with %(brand)s Bot": "Chat with %(brand)s Bot",
"bug_reporting": {
"title": "Bug reporting",
"introduction": "If you've submitted a bug via GitHub, debug logs can help us track down the problem. ",
"description": "Debug logs contain application usage data including your username, the IDs or aliases of the rooms you have visited, which UI elements you last interacted with, and the usernames of other users. They do not contain messages.",
"submit_debug_logs": "Submit debug logs",
"matrix_security_issue": "To report a Matrix-related security issue, please read the Matrix.org <a>Security Disclosure Policy</a>.",
"before_submitting": "Before submitting logs, you must <a>create a GitHub issue</a> to describe your problem.",
"download_logs": "Download logs",
"github_issue": "GitHub issue",
"additional_context": "If there is additional context that would help in analysing the issue, such as what you were doing at the time, room IDs, user IDs, etc., please include those things here.",
"send_logs": "Send logs"
},
"Help & About": "Help & About", "Help & About": "Help & About",
"Versions": "Versions", "Versions": "Versions",
"Homeserver is <code>%(homeserverUrl)s</code>": "Homeserver is <code>%(homeserverUrl)s</code>", "Homeserver is <code>%(homeserverUrl)s</code>": "Homeserver is <code>%(homeserverUrl)s</code>",
@ -1503,9 +1519,7 @@
"Bulk options": "Bulk options", "Bulk options": "Bulk options",
"Accept all %(invitedRooms)s invites": "Accept all %(invitedRooms)s invites", "Accept all %(invitedRooms)s invites": "Accept all %(invitedRooms)s invites",
"Reject all %(invitedRooms)s invites": "Reject all %(invitedRooms)s invites", "Reject all %(invitedRooms)s invites": "Reject all %(invitedRooms)s invites",
"Secure Backup": "Secure Backup",
"Message search": "Message search", "Message search": "Message search",
"Cross-signing": "Cross-signing",
"Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.", "Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.",
"Share anonymous data to help us identify issues. Nothing personal. No third parties.": "Share anonymous data to help us identify issues. Nothing personal. No third parties.", "Share anonymous data to help us identify issues. Nothing personal. No third parties.": "Share anonymous data to help us identify issues. Nothing personal. No third parties.",
"Sessions": "Sessions", "Sessions": "Sessions",
@ -1572,35 +1586,39 @@
"An error occurred changing the room's power level requirements. Ensure you have sufficient permissions and try again.": "An error occurred changing the room's power level requirements. Ensure you have sufficient permissions and try again.", "An error occurred changing the room's power level requirements. Ensure you have sufficient permissions and try again.": "An error occurred changing the room's power level requirements. Ensure you have sufficient permissions and try again.",
"Error changing power level": "Error changing power level", "Error changing power level": "Error changing power level",
"An error occurred changing the user's power level. Ensure you have sufficient permissions and try again.": "An error occurred changing the user's power level. Ensure you have sufficient permissions and try again.", "An error occurred changing the user's power level. Ensure you have sufficient permissions and try again.": "An error occurred changing the user's power level. Ensure you have sufficient permissions and try again.",
"Change space avatar": "Change space avatar", "room_settings": {
"Change room avatar": "Change room avatar", "permissions": {
"Change space name": "Change space name", "m.room.avatar_space": "Change space avatar",
"Change room name": "Change room name", "m.room.avatar": "Change room avatar",
"Change main address for the space": "Change main address for the space", "m.room.name_space": "Change space name",
"Change main address for the room": "Change main address for the room", "m.room.name": "Change room name",
"Manage rooms in this space": "Manage rooms in this space", "m.room.canonical_alias_space": "Change main address for the space",
"Change history visibility": "Change history visibility", "m.room.canonical_alias": "Change main address for the room",
"Change permissions": "Change permissions", "m.space.child": "Manage rooms in this space",
"Change description": "Change description", "m.room.history_visibility": "Change history visibility",
"Change topic": "Change topic", "m.room.power_levels": "Change permissions",
"Upgrade the room": "Upgrade the room", "m.room.topic_space": "Change description",
"Enable room encryption": "Enable room encryption", "m.room.topic": "Change topic",
"Change server ACLs": "Change server ACLs", "m.room.tombstone": "Upgrade the room",
"Send reactions": "Send reactions", "m.room.encryption": "Enable room encryption",
"Remove messages sent by me": "Remove messages sent by me", "m.room.server_acl": "Change server ACLs",
"Modify widgets": "Modify widgets", "m.reaction": "Send reactions",
"Voice broadcasts": "Voice broadcasts", "m.room.redaction": "Remove messages sent by me",
"Manage pinned events": "Manage pinned events", "m.widget": "Modify widgets",
"Start %(brand)s calls": "Start %(brand)s calls", "io.element.voice_broadcast_info": "Voice broadcasts",
"Join %(brand)s calls": "Join %(brand)s calls", "m.room.pinned_events": "Manage pinned events",
"Default role": "Default role", "m.call": "Start %(brand)s calls",
"Send messages": "Send messages", "m.call.member": "Join %(brand)s calls",
"Invite users": "Invite users", "users_default": "Default role",
"Change settings": "Change settings", "events_default": "Send messages",
"Remove users": "Remove users", "invite": "Invite users",
"Ban users": "Ban users", "state_default": "Change settings",
"Remove messages sent by others": "Remove messages sent by others", "kick": "Remove users",
"Notify everyone": "Notify everyone", "ban": "Ban users",
"redact": "Remove messages sent by others",
"notifications.room": "Notify everyone"
}
},
"No users have specific privileges in this room": "No users have specific privileges in this room", "No users have specific privileges in this room": "No users have specific privileges in this room",
"Privileged Users": "Privileged Users", "Privileged Users": "Privileged Users",
"Muted Users": "Muted Users", "Muted Users": "Muted Users",
@ -1837,25 +1855,14 @@
"Invited": "Invited", "Invited": "Invited",
"Filter room members": "Filter room members", "Filter room members": "Filter room members",
"%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (power %(powerLevelNumber)s)", "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (power %(powerLevelNumber)s)",
"Send message": "Send message",
"Reply to encrypted thread…": "Reply to encrypted thread…",
"Reply to thread…": "Reply to thread…",
"Send an encrypted reply…": "Send an encrypted reply…",
"Send a reply…": "Send a reply…",
"Send an encrypted message…": "Send an encrypted message…",
"Send a message…": "Send a message…",
"The conversation continues here.": "The conversation continues here.",
"This room has been replaced and is no longer active.": "This room has been replaced and is no longer active.",
"You do not have permission to post to this room": "You do not have permission to post to this room",
"Send voice message": "Send voice message",
"Hide stickers": "Hide stickers",
"Voice Message": "Voice Message",
"You do not have permission to start polls in this room.": "You do not have permission to start polls in this room.",
"Poll": "Poll",
"Hide formatting": "Hide formatting",
"Show formatting": "Show formatting",
"Formatting": "Formatting",
"composer": { "composer": {
"send_button_title": "Send message",
"placeholder_thread_encrypted": "Reply to encrypted thread…",
"placeholder_thread": "Reply to thread…",
"placeholder_reply_encrypted": "Send an encrypted reply…",
"placeholder_reply": "Send a reply…",
"placeholder_encrypted": "Send an encrypted message…",
"placeholder": "Send a message…",
"format_bold": "Bold", "format_bold": "Bold",
"format_strikethrough": "Strikethrough", "format_strikethrough": "Strikethrough",
"format_code_block": "Code block", "format_code_block": "Code block",
@ -1868,6 +1875,17 @@
"format_inline_code": "Code", "format_inline_code": "Code",
"format_link": "Link" "format_link": "Link"
}, },
"The conversation continues here.": "The conversation continues here.",
"This room has been replaced and is no longer active.": "This room has been replaced and is no longer active.",
"You do not have permission to post to this room": "You do not have permission to post to this room",
"Send voice message": "Send voice message",
"Hide stickers": "Hide stickers",
"Voice Message": "Voice Message",
"You do not have permission to start polls in this room.": "You do not have permission to start polls in this room.",
"Poll": "Poll",
"Hide formatting": "Hide formatting",
"Show formatting": "Show formatting",
"Formatting": "Formatting",
"Italics": "Italics", "Italics": "Italics",
"Insert link": "Insert link", "Insert link": "Insert link",
"Send your first message to invite <displayName/> to chat": "Send your first message to invite <displayName/> to chat", "Send your first message to invite <displayName/> to chat": "Send your first message to invite <displayName/> to chat",
@ -1943,7 +1961,6 @@
"Add room": "Add room", "Add room": "Add room",
"Saved Items": "Saved Items", "Saved Items": "Saved Items",
"Low priority": "Low priority", "Low priority": "Low priority",
"System Alerts": "System Alerts",
"Historical": "Historical", "Historical": "Historical",
"Suggested Rooms": "Suggested Rooms", "Suggested Rooms": "Suggested Rooms",
"Add space": "Add space", "Add space": "Add space",
@ -2054,7 +2071,6 @@
"Failed to connect to integration manager": "Failed to connect to integration manager", "Failed to connect to integration manager": "Failed to connect to integration manager",
"You don't currently have any stickerpacks enabled": "You don't currently have any stickerpacks enabled", "You don't currently have any stickerpacks enabled": "You don't currently have any stickerpacks enabled",
"Add some now": "Add some now", "Add some now": "Add some now",
"Stickerpack": "Stickerpack",
"Failed to revoke invite": "Failed to revoke invite", "Failed to revoke invite": "Failed to revoke invite",
"Could not revoke the invite. The server may be experiencing a temporary problem or you do not have sufficient permissions to revoke the invite.": "Could not revoke the invite. The server may be experiencing a temporary problem or you do not have sufficient permissions to revoke the invite.", "Could not revoke the invite. The server may be experiencing a temporary problem or you do not have sufficient permissions to revoke the invite.": "Could not revoke the invite. The server may be experiencing a temporary problem or you do not have sufficient permissions to revoke the invite.",
"Admin Tools": "Admin Tools", "Admin Tools": "Admin Tools",
@ -2784,6 +2800,8 @@
"Your old messages will still be visible to people who received them, just like emails you sent in the past. Would you like to hide your sent messages from people who join rooms in the future?": "Your old messages will still be visible to people who received them, just like emails you sent in the past. Would you like to hide your sent messages from people who join rooms in the future?", "Your old messages will still be visible to people who received them, just like emails you sent in the past. Would you like to hide your sent messages from people who join rooms in the future?": "Your old messages will still be visible to people who received them, just like emails you sent in the past. Would you like to hide your sent messages from people who join rooms in the future?",
"Hide my messages from new joiners": "Hide my messages from new joiners", "Hide my messages from new joiners": "Hide my messages from new joiners",
"devtools": { "devtools": {
"category_room": "Room",
"category_other": "Other",
"send_custom_timeline_event": "Send custom timeline event", "send_custom_timeline_event": "Send custom timeline event",
"explore_room_state": "Explore room state", "explore_room_state": "Explore room state",
"explore_room_account_data": "Explore room account data", "explore_room_account_data": "Explore room account data",
@ -2896,6 +2914,7 @@
"Export Chat": "Export Chat", "Export Chat": "Export Chat",
"Select from the options below to export chats from your timeline": "Select from the options below to export chats from your timeline", "Select from the options below to export chats from your timeline": "Select from the options below to export chats from your timeline",
"Format": "Format", "Format": "Format",
"Messages": "Messages",
"Size Limit": "Size Limit", "Size Limit": "Size Limit",
"Include Attachments": "Include Attachments", "Include Attachments": "Include Attachments",
"Feedback sent": "Feedback sent", "Feedback sent": "Feedback sent",

View file

@ -2,13 +2,11 @@
"AM": "AM", "AM": "AM",
"PM": "PM", "PM": "PM",
"Account": "Account", "Account": "Account",
"Admin": "Admin",
"No Microphones detected": "No Microphones detected", "No Microphones detected": "No Microphones detected",
"No Webcams detected": "No Webcams detected", "No Webcams detected": "No Webcams detected",
"No media permissions": "No media permissions", "No media permissions": "No media permissions",
"You may need to manually permit %(brand)s to access your microphone/webcam": "You may need to manually permit %(brand)s to access your microphone/webcam", "You may need to manually permit %(brand)s to access your microphone/webcam": "You may need to manually permit %(brand)s to access your microphone/webcam",
"Default Device": "Default Device", "Default Device": "Default Device",
"Advanced": "Advanced",
"Authentication": "Authentication", "Authentication": "Authentication",
"%(items)s and %(lastItem)s": "%(items)s and %(lastItem)s", "%(items)s and %(lastItem)s": "%(items)s and %(lastItem)s",
"and %(count)s others...": { "and %(count)s others...": {
@ -60,7 +58,6 @@
"Forget room": "Forget room", "Forget room": "Forget room",
"For security, this session has been signed out. Please sign in again.": "For security, this session has been signed out. Please sign in again.", "For security, this session has been signed out. Please sign in again.": "For security, this session has been signed out. Please sign in again.",
"%(userId)s from %(fromPowerLevel)s to %(toPowerLevel)s": "%(userId)s from %(fromPowerLevel)s to %(toPowerLevel)s", "%(userId)s from %(fromPowerLevel)s to %(toPowerLevel)s": "%(userId)s from %(fromPowerLevel)s to %(toPowerLevel)s",
"Hangup": "Hangup",
"Historical": "Historical", "Historical": "Historical",
"Import E2E room keys": "Import E2E room keys", "Import E2E room keys": "Import E2E room keys",
"Incorrect username and/or password.": "Incorrect username and/or password.", "Incorrect username and/or password.": "Incorrect username and/or password.",
@ -129,12 +126,9 @@
"unknown error code": "unknown error code", "unknown error code": "unknown error code",
"Upload avatar": "Upload avatar", "Upload avatar": "Upload avatar",
"Upload Failed": "Upload Failed", "Upload Failed": "Upload Failed",
"Usage": "Usage",
"Users": "Users", "Users": "Users",
"Verification Pending": "Verification Pending", "Verification Pending": "Verification Pending",
"Verified key": "Verified key", "Verified key": "Verified key",
"Video call": "Video call",
"Voice call": "Voice call",
"Warning!": "Warning!", "Warning!": "Warning!",
"Who can read history?": "Who can read history?", "Who can read history?": "Who can read history?",
"You cannot place a call with yourself.": "You cannot place a call with yourself.", "You cannot place a call with yourself.": "You cannot place a call with yourself.",
@ -247,13 +241,11 @@
"Source URL": "Source URL", "Source URL": "Source URL",
"Failed to add tag %(tagName)s to room": "Failed to add tag %(tagName)s to room", "Failed to add tag %(tagName)s to room": "Failed to add tag %(tagName)s to room",
"No update available.": "No update available.", "No update available.": "No update available.",
"Collecting app version information": "Collecting app version information",
"Tuesday": "Tuesday", "Tuesday": "Tuesday",
"Search…": "Search…", "Search…": "Search…",
"Unnamed room": "Unnamed room", "Unnamed room": "Unnamed room",
"Saturday": "Saturday", "Saturday": "Saturday",
"Monday": "Monday", "Monday": "Monday",
"Collecting logs": "Collecting logs",
"All Rooms": "All Rooms", "All Rooms": "All Rooms",
"Wednesday": "Wednesday", "Wednesday": "Wednesday",
"Send": "Send", "Send": "Send",
@ -267,7 +259,6 @@
"Low Priority": "Low Priority", "Low Priority": "Low Priority",
"Off": "Off", "Off": "Off",
"Failed to remove tag %(tagName)s from room": "Failed to remove tag %(tagName)s from room", "Failed to remove tag %(tagName)s from room": "Failed to remove tag %(tagName)s from room",
"Call Failed": "Call Failed",
"Permission Required": "Permission Required", "Permission Required": "Permission Required",
"You do not have permission to start a conference call in this room": "You do not have permission to start a conference call in this room", "You do not have permission to start a conference call in this room": "You do not have permission to start a conference call in this room",
"%(weekDayName)s, %(monthName)s %(day)s %(fullYear)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",
@ -287,9 +278,6 @@
"Your %(brand)s is misconfigured": "Your %(brand)s is misconfigured", "Your %(brand)s is misconfigured": "Your %(brand)s is misconfigured",
"Call failed due to misconfigured server": "Call failed due to misconfigured server", "Call failed due to misconfigured server": "Call failed due to misconfigured server",
"Please ask the administrator of your homeserver (<code>%(homeserverDomain)s</code>) to configure a TURN server in order for calls to work reliably.": "Please ask the administrator of your homeserver (<code>%(homeserverDomain)s</code>) to configure a TURN server in order for calls to work reliably.", "Please ask the administrator of your homeserver (<code>%(homeserverDomain)s</code>) to configure a TURN server in order for calls to work reliably.": "Please ask the administrator of your homeserver (<code>%(homeserverDomain)s</code>) to configure a TURN server in order for calls to work reliably.",
"Messages": "Messages",
"Actions": "Actions",
"Other": "Other",
"Add Email Address": "Add Email Address", "Add Email Address": "Add Email Address",
"Confirm adding this phone number by using Single Sign On to prove your identity.": "Confirm adding this phone number by using Single Sign On to prove your identity.", "Confirm adding this phone number by using Single Sign On to prove your identity.": "Confirm adding this phone number by using Single Sign On to prove your identity.",
"Confirm adding phone number": "Confirm adding phone number", "Confirm adding phone number": "Confirm adding phone number",
@ -320,11 +308,6 @@
"Add some details to help people recognise it.": "Add some details to help people recognize it.", "Add some details to help people recognise it.": "Add some details to help people recognize it.",
"A private space to organise your rooms": "A private space to organize your rooms", "A private space to organise your rooms": "A private space to organize your rooms",
"Message search initialisation failed": "Message search initialization failed", "Message search initialisation failed": "Message search initialization failed",
"Permission is granted to use the webcam": "Permission is granted to use the webcam",
"A microphone and webcam are plugged in and set up correctly": "A microphone and webcam are plugged in and set up correctly",
"Call failed because webcam or microphone could not be accessed. Check that:": "Call failed because webcam or microphone could not be accessed. Check that:",
"Call failed because microphone could not be accessed. Check that a microphone is plugged in and set up correctly.": "Call failed because microphone could not be accessed. Check that a microphone is plugged in and set up correctly.",
"Unable to access microphone": "Unable to access microphone",
"The call was answered on another device.": "The call was answered on another device.", "The call was answered on another device.": "The call was answered on another device.",
"Answered Elsewhere": "Answered Elsewhere", "Answered Elsewhere": "Answered Elsewhere",
"The call could not be established": "The call could not be established", "The call could not be established": "The call could not be established",
@ -401,7 +384,9 @@
"custom": "Custom (%(level)s)" "custom": "Custom (%(level)s)"
}, },
"bug_reporting": { "bug_reporting": {
"send_logs": "Send logs" "send_logs": "Send logs",
"collecting_information": "Collecting app version information",
"collecting_logs": "Collecting logs"
}, },
"time": { "time": {
"hours_minutes_seconds_left": "%(hours)sh %(minutes)sm %(seconds)ss left", "hours_minutes_seconds_left": "%(hours)sh %(minutes)sm %(seconds)ss left",
@ -491,11 +476,35 @@
"devtools": "Opens the Developer Tools dialog", "devtools": "Opens the Developer Tools dialog",
"addwidget": "Adds a custom widget by URL to the room", "addwidget": "Adds a custom widget by URL to the room",
"rainbow": "Sends the given message colored as a rainbow", "rainbow": "Sends the given message colored as a rainbow",
"rainbowme": "Sends the given emote colored as a rainbow" "rainbowme": "Sends the given emote colored as a rainbow",
"usage": "Usage",
"category_messages": "Messages",
"category_actions": "Actions",
"category_admin": "Admin",
"category_advanced": "Advanced",
"category_other": "Other"
}, },
"presence": { "presence": {
"online": "Online", "online": "Online",
"idle": "Idle", "idle": "Idle",
"offline": "Offline" "offline": "Offline"
} },
"voip": {
"hangup": "Hangup",
"voice_call": "Voice call",
"video_call": "Video call",
"call_failed": "Call Failed",
"unable_to_access_microphone": "Unable to access microphone",
"call_failed_microphone": "Call failed because microphone could not be accessed. Check that a microphone is plugged in and set up correctly.",
"call_failed_media": "Call failed because webcam or microphone could not be accessed. Check that:",
"call_failed_media_connected": "A microphone and webcam are plugged in and set up correctly",
"call_failed_media_permissions": "Permission is granted to use the webcam"
},
"devtools": {
"category_room": "Room",
"category_other": "Other"
},
"Messages": "Messages",
"Other": "Other",
"Advanced": "Advanced"
} }

View file

@ -38,7 +38,6 @@
"Default": "Ordinara", "Default": "Ordinara",
"Restricted": "Limigita", "Restricted": "Limigita",
"Moderator": "Ĉambrestro", "Moderator": "Ĉambrestro",
"Admin": "Administranto",
"Operation failed": "Ago malsukcesis", "Operation failed": "Ago malsukcesis",
"Failed to invite": "Invito malsukcesis", "Failed to invite": "Invito malsukcesis",
"You need to be logged in.": "Vi devas esti salutinta.", "You need to be logged in.": "Vi devas esti salutinta.",
@ -52,7 +51,6 @@
"Missing room_id in request": "En peto mankas room_id", "Missing room_id in request": "En peto mankas room_id",
"Room %(roomId)s not visible": "Ĉambro %(roomId)s ne videblas", "Room %(roomId)s not visible": "Ĉambro %(roomId)s ne videblas",
"Missing user_id in request": "En peto mankas user_id", "Missing user_id in request": "En peto mankas user_id",
"Usage": "Uzo",
"Ignored user": "Malatentata uzanto", "Ignored user": "Malatentata uzanto",
"You are now ignoring %(userId)s": "Vi nun malatentas uzanton %(userId)s", "You are now ignoring %(userId)s": "Vi nun malatentas uzanton %(userId)s",
"Unignored user": "Reatentata uzanto", "Unignored user": "Reatentata uzanto",
@ -66,7 +64,6 @@
"Your browser does not support the required cryptography extensions": "Via foliumilo ne subtenas la bezonatajn ĉifrajn kromprogramojn", "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", "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?", "Authentication check failed: incorrect password?": "Aŭtentikiga kontrolo malsukcesis: ĉu pro malĝusta pasvorto?",
"Call Failed": "Voko malsukcesis",
"Send": "Sendi", "Send": "Sendi",
"Mirror local video feed": "Speguli lokan filmon", "Mirror local video feed": "Speguli lokan filmon",
"Enable URL previews for this room (only affects you)": "Ŝalti URL-antaŭrigardon en ĉi tiu ĉambro (nur por vi)", "Enable URL previews for this room (only affects you)": "Ŝalti URL-antaŭrigardon en ĉi tiu ĉambro (nur por vi)",
@ -103,9 +100,6 @@
"Invited": "Invititaj", "Invited": "Invititaj",
"Filter room members": "Filtri ĉambranojn", "Filter room members": "Filtri ĉambranojn",
"%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (povnivelo je %(powerLevelNumber)s)", "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (povnivelo je %(powerLevelNumber)s)",
"Hangup": "Fini vokon",
"Voice call": "Voĉvoko",
"Video call": "Vidvoko",
"You do not have permission to post to this room": "Mankas al vi permeso afiŝi en tiu ĉambro", "You do not have permission to post to this room": "Mankas al vi permeso afiŝi en tiu ĉambro",
"Server error": "Servila eraro", "Server error": "Servila eraro",
"Server unavailable, overloaded, or something else went wrong.": "Servilo estas neatingebla, troŝarĝita, aŭ io alia misokazis.", "Server unavailable, overloaded, or something else went wrong.": "Servilo estas neatingebla, troŝarĝita, aŭ io alia misokazis.",
@ -143,7 +137,6 @@
"Members only (since they were invited)": "Nur ĉambranoj (ekde la invito)", "Members only (since they were invited)": "Nur ĉambranoj (ekde la invito)",
"Members only (since they joined)": "Nur ĉambranoj (ekde la aliĝo)", "Members only (since they joined)": "Nur ĉambranoj (ekde la aliĝo)",
"Permissions": "Permesoj", "Permissions": "Permesoj",
"Advanced": "Altnivela",
"Jump to first unread message.": "Salti al unua nelegita mesaĝo.", "Jump to first unread message.": "Salti al unua nelegita mesaĝo.",
"not specified": "nespecifita", "not specified": "nespecifita",
"This room has no local addresses": "Ĉi tiu ĉambro ne havas lokajn adresojn", "This room has no local addresses": "Ĉi tiu ĉambro ne havas lokajn adresojn",
@ -350,8 +343,6 @@
"The export file will be protected with a passphrase. You should enter the passphrase here, to decrypt the file.": "La elportita dosiero estos protektata de pasfrazo. Por malĉifri ĝin, enigu la pasfrazon ĉi tien.", "The export file will be protected with a passphrase. You should enter the passphrase here, to decrypt the file.": "La elportita dosiero estos protektata de pasfrazo. Por malĉifri ĝin, enigu la pasfrazon ĉi tien.",
"File to import": "Enportota dosiero", "File to import": "Enportota dosiero",
"Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "Forigo de fenestraĵo efektiviĝos por ĉiuj uzantoj en ĉi tiu ĉambro. Ĉu vi certe volas ĝin forigi?", "Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "Forigo de fenestraĵo efektiviĝos por ĉiuj uzantoj en ĉi tiu ĉambro. Ĉu vi certe volas ĝin forigi?",
"Send an encrypted reply…": "Sendi ĉifritan respondon…",
"Send an encrypted message…": "Sendi ĉifritan mesaĝon…",
"Replying": "Respondante", "Replying": "Respondante",
"%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s, %(day)s %(monthName)s %(fullYear)s", "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s, %(day)s %(monthName)s %(fullYear)s",
"Failed to add tag %(tagName)s to room": "Malsukcesis aldoni etikedon %(tagName)s al ĉambro", "Failed to add tag %(tagName)s to room": "Malsukcesis aldoni etikedon %(tagName)s al ĉambro",
@ -369,12 +360,10 @@
"Source URL": "Fonta URL", "Source URL": "Fonta URL",
"Filter results": "Filtri rezultojn", "Filter results": "Filtri rezultojn",
"No update available.": "Neniuj ĝisdatigoj haveblas.", "No update available.": "Neniuj ĝisdatigoj haveblas.",
"Collecting app version information": "Kolektante informon pri versio de la aplikaĵo",
"Tuesday": "Mardo", "Tuesday": "Mardo",
"Search…": "Serĉi…", "Search…": "Serĉi…",
"Saturday": "Sabato", "Saturday": "Sabato",
"Monday": "Lundo", "Monday": "Lundo",
"Collecting logs": "Kolektante protokolon",
"Invite to this room": "Inviti al ĉi tiu ĉambro", "Invite to this room": "Inviti al ĉi tiu ĉambro",
"Wednesday": "Merkredo", "Wednesday": "Merkredo",
"You cannot delete this message. (%(code)s)": "Vi ne povas forigi tiun ĉi mesaĝon. (%(code)s)", "You cannot delete this message. (%(code)s)": "Vi ne povas forigi tiun ĉi mesaĝon. (%(code)s)",
@ -511,25 +500,11 @@
"Room version": "Ĉambra versio", "Room version": "Ĉambra versio",
"Room version:": "Ĉambra versio:", "Room version:": "Ĉambra versio:",
"Room Addresses": "Adresoj de ĉambro", "Room Addresses": "Adresoj de ĉambro",
"Change room avatar": "Ŝanĝi profilbildon de ĉambro",
"Change room name": "Ŝanĝi nomon de ĉambro",
"Change main address for the room": "Ŝanĝi ĉefan adreson de la ĉambro",
"Change history visibility": "Ŝanĝi videblecon de historio",
"Change permissions": "Ŝanĝi permesojn",
"Change topic": "Ŝanĝi temon",
"Modify widgets": "Aliigi fenestraĵojn",
"Default role": "Ordinara rolo",
"Send messages": "Sendi mesaĝojn",
"Invite users": "Inviti uzantojn",
"Change settings": "Ŝanĝi agordojn",
"Ban users": "Forbari uzantojn",
"Notify everyone": "Sciigi ĉiujn",
"Muted Users": "Silentigitaj uzantoj", "Muted Users": "Silentigitaj uzantoj",
"Roles & Permissions": "Roloj kaj Permesoj", "Roles & Permissions": "Roloj kaj Permesoj",
"Enable encryption?": "Ĉu ŝalti ĉifradon?", "Enable encryption?": "Ĉu ŝalti ĉifradon?",
"Share Link to User": "Kunhavigi ligilon al uzanto", "Share Link to User": "Kunhavigi ligilon al uzanto",
"Share room": "Kunhavigi ĉambron", "Share room": "Kunhavigi ĉambron",
"System Alerts": "Sistemaj avertoj",
"Main address": "Ĉefa adreso", "Main address": "Ĉefa adreso",
"Room avatar": "Profilbildo de ĉambro", "Room avatar": "Profilbildo de ĉambro",
"Room Name": "Nomo de ĉambro", "Room Name": "Nomo de ĉambro",
@ -543,7 +518,6 @@
"Share Room Message": "Kunhavigi ĉambran mesaĝon", "Share Room Message": "Kunhavigi ĉambran mesaĝon",
"Email (optional)": "Retpoŝto (malnepra)", "Email (optional)": "Retpoŝto (malnepra)",
"Phone (optional)": "Telefono (malnepra)", "Phone (optional)": "Telefono (malnepra)",
"Other": "Alia",
"Couldn't load page": "Ne povis enlegi paĝon", "Couldn't load page": "Ne povis enlegi paĝon",
"Could not load user profile": "Ne povis enlegi profilon de uzanto", "Could not load user profile": "Ne povis enlegi profilon de uzanto",
"Your password has been reset.": "Vi reagordis vian pasvorton.", "Your password has been reset.": "Vi reagordis vian pasvorton.",
@ -621,7 +595,6 @@
"Upgrading this room will shut down the current instance of the room and create an upgraded room with the same name.": "Gradaltigo de la ĉambro forigos la nunan ĉambron kaj kreos novan kun la sama nomo.", "Upgrading this room will shut down the current instance of the room and create an upgraded room with the same name.": "Gradaltigo de la ĉambro forigos la nunan ĉambron kaj kreos novan kun la sama nomo.",
"You don't currently have any stickerpacks enabled": "Vi havas neniujn ŝaltitajn glumarkarojn", "You don't currently have any stickerpacks enabled": "Vi havas neniujn ŝaltitajn glumarkarojn",
"Add some now": "Iujn aldoni", "Add some now": "Iujn aldoni",
"Stickerpack": "Glumarkaro",
"Failed to revoke invite": "Malsukcesis senvalidigi inviton", "Failed to revoke invite": "Malsukcesis senvalidigi inviton",
"Could not revoke the invite. The server may be experiencing a temporary problem or you do not have sufficient permissions to revoke the invite.": "Ne povis senvalidigi inviton. Aŭ la servilo nun trairas problemon, aŭ vi ne havas sufiĉajn permesojn.", "Could not revoke the invite. The server may be experiencing a temporary problem or you do not have sufficient permissions to revoke the invite.": "Ne povis senvalidigi inviton. Aŭ la servilo nun trairas problemon, aŭ vi ne havas sufiĉajn permesojn.",
"Continue With Encryption Disabled": "Pluigi sen ĉifrado", "Continue With Encryption Disabled": "Pluigi sen ĉifrado",
@ -813,8 +786,6 @@
"Use an identity server to invite by email. Manage in Settings.": "Uzi identigan servilon por inviti retpoŝte. Administru en Agordoj.", "Use an identity server to invite by email. Manage in Settings.": "Uzi identigan servilon por inviti retpoŝte. Administru en Agordoj.",
"Do not use an identity server": "Ne uzi identigan servilon", "Do not use an identity server": "Ne uzi identigan servilon",
"Enter a new identity server": "Enigi novan identigan servilon", "Enter a new identity server": "Enigi novan identigan servilon",
"Messages": "Mesaĝoj",
"Actions": "Agoj",
"Use an identity server to invite by email. Click continue to use the default identity server (%(defaultIdentityServerName)s) or manage in Settings.": "Uzu identigan servilon por inviti retpoŝte. Klaku al «daŭrigi» por uzi la norman identigan servilon (%(defaultIdentityServerName)s) aŭ administru tion en Agordoj.", "Use an identity server to invite by email. Click continue to use the default identity server (%(defaultIdentityServerName)s) or manage in Settings.": "Uzu identigan servilon por inviti retpoŝte. Klaku al «daŭrigi» por uzi la norman identigan servilon (%(defaultIdentityServerName)s) aŭ administru tion en Agordoj.",
"Accept <policyLink /> to continue:": "Akceptu <policyLink /> por daŭrigi:", "Accept <policyLink /> to continue:": "Akceptu <policyLink /> por daŭrigi:",
"Checking server": "Kontrolante servilon", "Checking server": "Kontrolante servilon",
@ -838,8 +809,6 @@
"Discovery": "Trovado", "Discovery": "Trovado",
"Deactivate account": "Malaktivigi konton", "Deactivate account": "Malaktivigi konton",
"Always show the window menu bar": "Ĉiam montri la fenestran menubreton", "Always show the window menu bar": "Ĉiam montri la fenestran menubreton",
"Upgrade the room": "Gradaltigi la ĉambron",
"Enable room encryption": "Ŝalti ĉifradon de la ĉambro",
"Error changing power level requirement": "Eraris ŝanĝo de postulo de povnivelo", "Error changing power level requirement": "Eraris ŝanĝo de postulo de povnivelo",
"An error occurred changing the room's power level requirements. Ensure you have sufficient permissions and try again.": "Eraris ŝanĝo de la postuloj de la ĉambro pri povnivelo. Certigu, ke vi havas sufiĉajn permesojn, kaj reprovu.", "An error occurred changing the room's power level requirements. Ensure you have sufficient permissions and try again.": "Eraris ŝanĝo de la postuloj de la ĉambro pri povnivelo. Certigu, ke vi havas sufiĉajn permesojn, kaj reprovu.",
"Error changing power level": "Eraris ŝanĝo de povnivelo", "Error changing power level": "Eraris ŝanĝo de povnivelo",
@ -976,8 +945,6 @@
"This room is end-to-end encrypted": "Ĉi tiu ĉambro uzas tutvojan ĉifradon", "This room is end-to-end encrypted": "Ĉi tiu ĉambro uzas tutvojan ĉifradon",
"Everyone in this room is verified": "Ĉiu en la ĉambro estas kontrolita", "Everyone in this room is verified": "Ĉiu en la ĉambro estas kontrolita",
"Unencrypted": "Neĉifrita", "Unencrypted": "Neĉifrita",
"Send a reply…": "Sendi respondon…",
"Send a message…": "Sendi mesaĝon…",
"Direct Messages": "Individuaj ĉambroj", "Direct Messages": "Individuaj ĉambroj",
"<userName/> wants to chat": "<userName/> volas babili", "<userName/> wants to chat": "<userName/> volas babili",
"Start chatting": "Ekbabili", "Start chatting": "Ekbabili",
@ -1095,7 +1062,6 @@
"Session ID:": "Identigilo de salutaĵo:", "Session ID:": "Identigilo de salutaĵo:",
"Session key:": "Ŝlosilo de salutaĵo:", "Session key:": "Ŝlosilo de salutaĵo:",
"Message search": "Serĉado de mesaĝoj", "Message search": "Serĉado de mesaĝoj",
"Cross-signing": "Delegaj subskriboj",
"This room is bridging messages to the following platforms. <a>Learn more.</a>": "Ĉi tiu ĉambro transpontigas mesaĝojn al la jenaj platformoj. <a>Eksciu plion.</a>", "This room is bridging messages to the following platforms. <a>Learn more.</a>": "Ĉi tiu ĉambro transpontigas mesaĝojn al la jenaj platformoj. <a>Eksciu plion.</a>",
"Bridges": "Pontoj", "Bridges": "Pontoj",
"This user has not verified all of their sessions.": "Ĉi tiu uzanto ne kontrolis ĉiomon da siaj salutaĵoj.", "This user has not verified all of their sessions.": "Ĉi tiu uzanto ne kontrolis ĉiomon da siaj salutaĵoj.",
@ -1320,20 +1286,9 @@
"Contact your <a>server admin</a>.": "Kontaktu <a>administranton de via servilo</a>.", "Contact your <a>server admin</a>.": "Kontaktu <a>administranton de via servilo</a>.",
"Ok": "Bone", "Ok": "Bone",
"New version available. <a>Update now.</a>": "Nova versio estas disponebla. <a>Ĝisdatigu nun.</a>", "New version available. <a>Update now.</a>": "Nova versio estas disponebla. <a>Ĝisdatigu nun.</a>",
"You joined the call": "Vi aliĝis al la voko",
"%(senderName)s joined the call": "%(senderName)s aliĝis al la voko",
"Call in progress": "Voko okazas",
"Call ended": "Voko finiĝis",
"You started a call": "Vi komencis vokon",
"%(senderName)s started a call": "%(senderName)s komencis vokon",
"Waiting for answer": "Atendante respondon",
"%(senderName)s is calling": "%(senderName)s vokas",
"%(senderName)s: %(message)s": "%(senderName)s: %(message)s",
"%(senderName)s: %(stickerName)s": "%(senderName)s: %(stickerName)s",
"Use custom size": "Uzi propran grandon", "Use custom size": "Uzi propran grandon",
"Use a system font": "Uzi sisteman tiparon", "Use a system font": "Uzi sisteman tiparon",
"System font name": "Nomo de sistema tiparo", "System font name": "Nomo de sistema tiparo",
"Unknown caller": "Nekonata vokanto",
"%(brand)s can't securely cache encrypted messages locally while running in a web browser. Use <desktopLink>%(brand)s Desktop</desktopLink> for encrypted messages to appear in search results.": "%(brand)s ne povas sekure kaŝkopii ĉifritajn mesaĝojn loke, funkciante per foliumilo. Uzu <desktopLink>%(brand)s Desktop</desktopLink> por aperigi ĉifritajn mesaĝojn en serĉrezultoj.", "%(brand)s can't securely cache encrypted messages locally while running in a web browser. Use <desktopLink>%(brand)s Desktop</desktopLink> for encrypted messages to appear in search results.": "%(brand)s ne povas sekure kaŝkopii ĉifritajn mesaĝojn loke, funkciante per foliumilo. Uzu <desktopLink>%(brand)s Desktop</desktopLink> por aperigi ĉifritajn mesaĝojn en serĉrezultoj.",
"Hey you. You're the best!": "He, vi. Vi bonegas!", "Hey you. You're the best!": "He, vi. Vi bonegas!",
"Set the name of a font installed on your system & %(brand)s will attempt to use it.": "Agordu la nomon de tiparo instalita en via sistemo kaj %(brand)s provos ĝin uzi.", "Set the name of a font installed on your system & %(brand)s will attempt to use it.": "Agordu la nomon de tiparo instalita en via sistemo kaj %(brand)s provos ĝin uzi.",
@ -1381,7 +1336,6 @@
"Edited at %(date)s": "Redaktita je %(date)s", "Edited at %(date)s": "Redaktita je %(date)s",
"Click to view edits": "Klaku por vidi redaktojn", "Click to view edits": "Klaku por vidi redaktojn",
"Are you sure you want to cancel entering passphrase?": "Ĉu vi certe volas nuligi enigon de pasfrazo?", "Are you sure you want to cancel entering passphrase?": "Ĉu vi certe volas nuligi enigon de pasfrazo?",
"* %(senderName)s %(emote)s": "* %(senderName)s %(emote)s",
"Feedback": "Prikomenti", "Feedback": "Prikomenti",
"Change notification settings": "Ŝanĝi agordojn pri sciigoj", "Change notification settings": "Ŝanĝi agordojn pri sciigoj",
"Your server isn't responding to some <a>requests</a>.": "Via servilo ne respondas al iuj <a>petoj</a>.", "Your server isn't responding to some <a>requests</a>.": "Via servilo ne respondas al iuj <a>petoj</a>.",
@ -1433,8 +1387,6 @@
"Explore public rooms": "Esplori publikajn ĉambrojn", "Explore public rooms": "Esplori publikajn ĉambrojn",
"Show Widgets": "Montri fenestraĵojn", "Show Widgets": "Montri fenestraĵojn",
"Hide Widgets": "Kaŝi fenestraĵojn", "Hide Widgets": "Kaŝi fenestraĵojn",
"Remove messages sent by others": "Forigi mesaĝojn senditajn de aliaj",
"Secure Backup": "Sekura savkopiado",
"not ready": "neprete", "not ready": "neprete",
"ready": "prete", "ready": "prete",
"Secret storage:": "Sekreta deponejo:", "Secret storage:": "Sekreta deponejo:",
@ -1448,8 +1400,6 @@
"not found in storage": "netrovite en deponejo", "not found in storage": "netrovite en deponejo",
"Cross-signing is not set up.": "Delegaj subskriboj ne estas agorditaj.", "Cross-signing is not set up.": "Delegaj subskriboj ne estas agorditaj.",
"Cross-signing is ready for use.": "Delegaj subskriboj estas pretaj por uzado.", "Cross-signing is ready for use.": "Delegaj subskriboj estas pretaj por uzado.",
"Downloading logs": "Elŝutante protokolon",
"Uploading logs": "Alŝutante protokolon",
"Safeguard against losing access to encrypted messages & data": "Malhelpu perdon de aliro al ĉifritaj mesaĝoj kaj datumoj", "Safeguard against losing access to encrypted messages & data": "Malhelpu perdon de aliro al ĉifritaj mesaĝoj kaj datumoj",
"Set up Secure Backup": "Agordi Sekuran savkopiadon", "Set up Secure Backup": "Agordi Sekuran savkopiadon",
"Unknown App": "Nekonata aplikaĵo", "Unknown App": "Nekonata aplikaĵo",
@ -1623,13 +1573,6 @@
"Burkina Faso": "Burkino", "Burkina Faso": "Burkino",
"Bouvet Island": "Buvet-Insulo", "Bouvet Island": "Buvet-Insulo",
"Anguilla": "Angvilo", "Anguilla": "Angvilo",
"%(name)s on hold": "%(name)s estas paŭzigita",
"Return to call": "Reveni al voko",
"%(peerName)s held the call": "%(peerName)s paŭzigis la vokon",
"You held the call <a>Resume</a>": "Vi paŭzigis la vokon <a>Daŭrigi</a>",
"You held the call <a>Switch</a>": "Vi paŭzigis la vokon <a>Baskuli</a>",
"%(senderName)s ended the call": "%(senderName)s finis la vokon",
"You ended the call": "Vi finis la vokon",
"New version of %(brand)s is available": "Nova versio de %(brand)s disponeblas", "New version of %(brand)s is available": "Nova versio de %(brand)s disponeblas",
"Update %(brand)s": "Ĝisdatigi %(brand)s", "Update %(brand)s": "Ĝisdatigi %(brand)s",
"Enable desktop notifications": "Ŝalti labortablajn sciigojn", "Enable desktop notifications": "Ŝalti labortablajn sciigojn",
@ -1679,7 +1622,6 @@
"Send stickers into this room": "Sendi glumarkojn al ĉi tiu ĉambro", "Send stickers into this room": "Sendi glumarkojn al ĉi tiu ĉambro",
"Takes the call in the current room off hold": "Malpaŭzigas la vokon en la nuna ĉambro", "Takes the call in the current room off hold": "Malpaŭzigas la vokon en la nuna ĉambro",
"Places the call in the current room on hold": "Paŭzigas la vokon en la nuna ĉambro", "Places the call in the current room on hold": "Paŭzigas la vokon en la nuna ĉambro",
"Effects": "Efektoj",
"Zimbabwe": "Zimbabvo", "Zimbabwe": "Zimbabvo",
"Zambia": "Zambio", "Zambia": "Zambio",
"Yemen": "Jemeno", "Yemen": "Jemeno",
@ -1772,13 +1714,6 @@
"Cayman Islands": "Kajmaninsuloj", "Cayman Islands": "Kajmaninsuloj",
"You've reached the maximum number of simultaneous calls.": "Vi atingis la maksimuman nombron de samtempaj vokoj.", "You've reached the maximum number of simultaneous calls.": "Vi atingis la maksimuman nombron de samtempaj vokoj.",
"Too Many Calls": "Tro multaj vokoj", "Too Many Calls": "Tro multaj vokoj",
"No other application is using the webcam": "Neniu alia aplikaĵo uzas la retfilmilon",
"Permission is granted to use the webcam": "Permeso uzi la retfilmilon estas donita",
"A microphone and webcam are plugged in and set up correctly": "Mikrofono kaj retfilmilo estas ĝuste konektitaj kaj agorditaj",
"Call failed because webcam or microphone could not be accessed. Check that:": "Voko malsukcesis, ĉar retfilmilo aŭ mikrofono ne povis uziĝi. Kontrolu, ke:",
"Unable to access webcam / microphone": "Ne povas aliri retfilmilon / mikrofonon",
"Call failed because microphone could not be accessed. Check that a microphone is plugged in and set up correctly.": "Voko malsukcesis, ĉar mikrofono ne estis uzebla. Kontrolu, ĉu mikrofono estas ĝuste konektita kaj agordita.",
"Unable to access microphone": "Ne povas aliri mikrofonon",
"Invite by email": "Inviti per retpoŝto", "Invite by email": "Inviti per retpoŝto",
"Reason (optional)": "Kialo (malnepra)", "Reason (optional)": "Kialo (malnepra)",
"Continue with %(provider)s": "Daŭrigi per %(provider)s", "Continue with %(provider)s": "Daŭrigi per %(provider)s",
@ -1893,8 +1828,6 @@
"Open dial pad": "Malfermi ciferplaton", "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.", "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", "Dial pad": "Ciferplato",
"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.", "This usually only affects how the room is processed on the server. If you're having problems with your %(brand)s, please report a bug.": "Ĉi tiu kutime influas nur traktadon de la ĉambro servil-flanke. Se vi spertas problemojn pri via %(brand)s, bonvolu raporti eraron.",
"Mark as suggested": "Marki rekomendata", "Mark as suggested": "Marki rekomendata",
"Mark as not suggested": "Marki nerekomendata", "Mark as not suggested": "Marki nerekomendata",
@ -1939,7 +1872,6 @@
"You do not have permissions to add rooms to this space": "Vi ne havas permeson aldoni ĉambrojn al ĉi tiu aro", "You do not have permissions to add rooms to this space": "Vi ne havas permeson aldoni ĉambrojn al ĉi tiu aro",
"Add existing room": "Aldoni jaman ĉambron", "Add existing room": "Aldoni jaman ĉambron",
"You do not have permissions to create new rooms in this space": "Vi ne havas permeson krei novajn ĉambrojn en ĉi tiu aro", "You do not have permissions to create new rooms in this space": "Vi ne havas permeson krei novajn ĉambrojn en ĉi tiu aro",
"Send message": "Sendi mesaĝon",
"Invite to this space": "Inviti al ĉi tiu aro", "Invite to this space": "Inviti al ĉi tiu aro",
"Your message was sent": "Via mesaĝo sendiĝis", "Your message was sent": "Via mesaĝo sendiĝis",
"Leave space": "Forlasi aron", "Leave space": "Forlasi aron",
@ -1989,7 +1921,6 @@
}, },
"Invite to just this room": "Inviti nur al ĉi tiu ĉambro", "Invite to just this room": "Inviti nur al ĉi tiu ĉambro",
"Failed to send": "Malsukcesis sendi", "Failed to send": "Malsukcesis sendi",
"Change server ACLs": "Ŝanĝi servilblokajn listojn",
"Workspace: <networkLink/>": "Laborspaco: <networkLink/>", "Workspace: <networkLink/>": "Laborspaco: <networkLink/>",
"Manage & explore rooms": "Administri kaj esplori ĉambrojn", "Manage & explore rooms": "Administri kaj esplori ĉambrojn",
"unknown person": "nekonata persono", "unknown person": "nekonata persono",
@ -2023,7 +1954,6 @@
"Modal Widget": "Reĝima fenestraĵo", "Modal Widget": "Reĝima fenestraĵo",
"Consult first": "Unue konsulti", "Consult first": "Unue konsulti",
"Message search initialisation failed": "Malsukcesis komenci serĉadon de mesaĝoj", "Message search initialisation failed": "Malsukcesis komenci serĉadon de mesaĝoj",
"Consulting with %(transferTarget)s. <a>Transfer to %(transferee)s</a>": "Konsultante kun %(transferTarget)s. <a>Transdono al %(transferee)s</a>",
"sends space invaders": "sendas imiton de ludo «Space Invaders»", "sends space invaders": "sendas imiton de ludo «Space Invaders»",
"Enter your Security Phrase a second time to confirm it.": "Enigu vian Sekurecan frazon duafoje por ĝin konfirmi.", "Enter your Security Phrase a second time to confirm it.": "Enigu vian Sekurecan frazon duafoje por ĝin konfirmi.",
"Space Autocomplete": "Memaga finfaro de aro", "Space Autocomplete": "Memaga finfaro de aro",
@ -2071,8 +2001,6 @@
"Identity server (%(server)s)": "Identiga servilo (%(server)s)", "Identity server (%(server)s)": "Identiga servilo (%(server)s)",
"Could not connect to identity server": "Ne povis konektiĝi al identiga servilo", "Could not connect to identity server": "Ne povis konektiĝi al identiga servilo",
"Not a valid identity server (status code %(code)s)": "Nevalida identiga servilo (statkodo %(code)s)", "Not a valid identity server (status code %(code)s)": "Nevalida identiga servilo (statkodo %(code)s)",
"Silence call": "Silenta voko",
"Sound on": "Kun sono",
"Some invites couldn't be sent": "Ne povis sendi iujn invitojn", "Some invites couldn't be sent": "Ne povis sendi iujn invitojn",
"We sent the others, but the below people couldn't be invited to <RoomName/>": "Ni sendis la aliajn, sed la ĉi-subaj personoj ne povis ricevi inviton al <RoomName/>", "We sent the others, but the below people couldn't be invited to <RoomName/>": "Ni sendis la aliajn, sed la ĉi-subaj personoj ne povis ricevi inviton al <RoomName/>",
"Transfer Failed": "Malsukcesis transdono", "Transfer Failed": "Malsukcesis transdono",
@ -2090,20 +2018,9 @@
"Address": "Adreso", "Address": "Adreso",
"e.g. my-space": "ekz. mia-aro", "e.g. my-space": "ekz. mia-aro",
"Delete avatar": "Forigi profilbildon", "Delete avatar": "Forigi profilbildon",
"Mute the microphone": "Silentigi la mikrofonon",
"Unmute the microphone": "Malsilentigi la mikrofonon",
"Dialpad": "Ciferplato",
"More": "Pli", "More": "Pli",
"Show sidebar": "Montri flankan breton", "Show sidebar": "Montri flankan breton",
"Hide sidebar": "Kaŝi flankan breton", "Hide sidebar": "Kaŝi flankan breton",
"Start sharing your screen": "Ŝalti ekranvidadon",
"Stop sharing your screen": "Malŝalti ekranvidadon",
"Stop the camera": "Malŝalti la filmilon",
"Start the camera": "Ŝalti la filmilon",
"Your camera is still enabled": "Via filmilo ankoraŭ estas ŝaltita",
"Your camera is turned off": "Via filmilo estas malŝaltita",
"%(sharerName)s is presenting": "%(sharerName)s prezentas",
"You are presenting": "Vi prezentas",
"Surround selected text when typing special characters": "Ĉirkaŭi elektitan tekston dum tajpado de specialaj signoj", "Surround selected text when typing special characters": "Ĉirkaŭi elektitan tekston dum tajpado de specialaj signoj",
"This space has no local addresses": "Ĉi tiu aro ne havas lokajn adresojn", "This space has no local addresses": "Ĉi tiu aro ne havas lokajn adresojn",
"Stop recording": "Malŝalti registradon", "Stop recording": "Malŝalti registradon",
@ -2254,10 +2171,6 @@
"To avoid these issues, create a <a>new encrypted room</a> for the conversation you plan to have.": "Por eviti tiujn problemojn, kreu <a>novan ĉifritan ĉambron</a> por la planata interparolo.", "To avoid these issues, create a <a>new encrypted room</a> for the conversation you plan to have.": "Por eviti tiujn problemojn, kreu <a>novan ĉifritan ĉambron</a> por la planata interparolo.",
"Are you sure you want to add encryption to this public room?": "Ĉu vi certas, ke vi volas aldoni ĉifradon al ĉi tiu publika ĉambro?", "Are you sure you want to add encryption to this public room?": "Ĉu vi certas, ke vi volas aldoni ĉifradon al ĉi tiu publika ĉambro?",
"Select the roles required to change various parts of the space": "Elekti rolojn bezonatajn por ŝanĝado de diversaj partoj de la aro", "Select the roles required to change various parts of the space": "Elekti rolojn bezonatajn por ŝanĝado de diversaj partoj de la aro",
"Change description": "Ŝanĝi priskribon",
"Change main address for the space": "Ŝanĝi ĉefadreson de aro",
"Change space name": "Ŝanĝi nomon de aro",
"Change space avatar": "Ŝanĝi bildon de aro",
"Anyone in <spaceName/> can find and join. You can select other spaces too.": "Ĉiu en <spaceName/> povas trovi kaj aliĝi. Vi povas elekti ankaŭ aliajn arojn.", "Anyone in <spaceName/> can find and join. You can select other spaces too.": "Ĉiu en <spaceName/> povas trovi kaj aliĝi. Vi povas elekti ankaŭ aliajn arojn.",
"To join a space you'll need an invite.": "Por aliĝi al aro, vi bezonas inviton.", "To join a space you'll need an invite.": "Por aliĝi al aro, vi bezonas inviton.",
"Rooms and spaces": "Ĉambroj kaj aroj", "Rooms and spaces": "Ĉambroj kaj aroj",
@ -2272,15 +2185,11 @@
"Role in <RoomName/>": "Rolo en <RoomName/>", "Role in <RoomName/>": "Rolo en <RoomName/>",
"Message didn't send. Click for info.": "Mesaĝo ne sendiĝis. Klaku por akiri informojn.", "Message didn't send. Click for info.": "Mesaĝo ne sendiĝis. Klaku por akiri informojn.",
"Send a sticker": "Sendi glumarkon", "Send a sticker": "Sendi glumarkon",
"Reply to thread…": "Respondi al fadeno…",
"Reply to encrypted thread…": "Respondi al ĉifrita fadeno…",
"To avoid these issues, create a <a>new public room</a> for the conversation you plan to have.": "Por eviti ĉi tiujn problemojn, kreu <a>novan publikan ĉambron</a> por la dezirata interparolo.", "To avoid these issues, create a <a>new public room</a> for the conversation you plan to have.": "Por eviti ĉi tiujn problemojn, kreu <a>novan publikan ĉambron</a> por la dezirata interparolo.",
"<b>It's not recommended to make encrypted rooms public.</b> It will mean anyone can find and join the room, so anyone can read messages. You'll get none of the benefits of encryption. Encrypting messages in a public room will make receiving and sending messages slower.": "<b>Publikigo de ĉifrataj ĉambroj estas malrekomendata.</b> Ĝi implicas, ke ĉiu povos trovi la ĉambron kaj aliĝi al ĝi, kaj ĉiu do povos legi mesaĝojn. Vi havos neniujn avantaĝojn de ĉifrado. Ĉifrado de mesaĝoj en publika ĉambro malrapidigos iliajn ricevadon kaj sendadon.", "<b>It's not recommended to make encrypted rooms public.</b> It will mean anyone can find and join the room, so anyone can read messages. You'll get none of the benefits of encryption. Encrypting messages in a public room will make receiving and sending messages slower.": "<b>Publikigo de ĉifrataj ĉambroj estas malrekomendata.</b> Ĝi implicas, ke ĉiu povos trovi la ĉambron kaj aliĝi al ĝi, kaj ĉiu do povos legi mesaĝojn. Vi havos neniujn avantaĝojn de ĉifrado. Ĉifrado de mesaĝoj en publika ĉambro malrapidigos iliajn ricevadon kaj sendadon.",
"Are you sure you want to make this encrypted room public?": "Ĉu vi certas, ke vi volas publikigi ĉi tiun ĉifratan ĉambron?", "Are you sure you want to make this encrypted room public?": "Ĉu vi certas, ke vi volas publikigi ĉi tiun ĉifratan ĉambron?",
"Unknown failure": "Nekonata malsukceso", "Unknown failure": "Nekonata malsukceso",
"Failed to update the join rules": "Malsukcesis ĝisdatigi regulojn pri aliĝo", "Failed to update the join rules": "Malsukcesis ĝisdatigi regulojn pri aliĝo",
"You cannot place calls in this browser.": "Vi ne povas telefoni per ĉi tiu retumilo.",
"Calls are unsupported": "Vokoj estas nesubtenataj",
"Command error: Unable to find rendering type (%(renderingType)s)": "Komanda eraro: Ne povas trovi bildigan tipon (%(renderingType)s)", "Command error: Unable to find rendering type (%(renderingType)s)": "Komanda eraro: Ne povas trovi bildigan tipon (%(renderingType)s)",
"Failed to invite users to %(roomName)s": "Malsukcesis inviti uzantojn al %(roomName)s", "Failed to invite users to %(roomName)s": "Malsukcesis inviti uzantojn al %(roomName)s",
"You cannot place calls without a connection to the server.": "Vi ne povas voki sen konektaĵo al la servilo.", "You cannot place calls without a connection to the server.": "Vi ne povas voki sen konektaĵo al la servilo.",
@ -2510,8 +2419,6 @@
"Sorry, your homeserver is too old to participate here.": "Pardonon, via hejmservilo estas tro malnova por partopreni ĉi tie.", "Sorry, your homeserver is too old to participate here.": "Pardonon, via hejmservilo estas tro malnova por partopreni ĉi tie.",
"Yes, it was me": "Jes, estis mi", "Yes, it was me": "Jes, estis mi",
"%(brand)s is experimental on a mobile web browser. For a better experience and the latest features, use our free native app.": "%(brand)s estas eksperimenta en poŝtelefona retumilo. Por pli bona sperto kaj freŝaj funkcioj, uzu nian senpagan malfremdan aplikaĵon.", "%(brand)s is experimental on a mobile web browser. For a better experience and the latest features, use our free native app.": "%(brand)s estas eksperimenta en poŝtelefona retumilo. Por pli bona sperto kaj freŝaj funkcioj, uzu nian senpagan malfremdan aplikaĵon.",
"Notifications silenced": "Sciigoj silentigitaj",
"Video call started": "Videovoko komenciĝis",
"Unknown room": "Nekonata ĉambro", "Unknown room": "Nekonata ĉambro",
"Unable to connect to Homeserver. Retrying…": "Ne povas konektiĝi al hejmservilo. Reprovante…", "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.", "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.",
@ -2587,7 +2494,11 @@
"not_trusted": "Nefidata", "not_trusted": "Nefidata",
"accessibility": "Alirebleco", "accessibility": "Alirebleco",
"unnamed_room": "Sennoma Ĉambro", "unnamed_room": "Sennoma Ĉambro",
"unnamed_space": "Sennoma aro" "unnamed_space": "Sennoma aro",
"stickerpack": "Glumarkaro",
"system_alerts": "Sistemaj avertoj",
"secure_backup": "Sekura savkopiado",
"cross_signing": "Delegaj subskriboj"
}, },
"action": { "action": {
"continue": "Daŭrigi", "continue": "Daŭrigi",
@ -2720,7 +2631,14 @@
"format_bold": "Grase", "format_bold": "Grase",
"format_strikethrough": "Trastrekite", "format_strikethrough": "Trastrekite",
"format_inline_code": "Kodo", "format_inline_code": "Kodo",
"format_code_block": "Kodujo" "format_code_block": "Kodujo",
"send_button_title": "Sendi mesaĝon",
"placeholder_thread_encrypted": "Respondi al ĉifrita fadeno…",
"placeholder_thread": "Respondi al fadeno…",
"placeholder_reply_encrypted": "Sendi ĉifritan respondon…",
"placeholder_reply": "Sendi respondon…",
"placeholder_encrypted": "Sendi ĉifritan mesaĝon…",
"placeholder": "Sendi mesaĝon…"
}, },
"Bold": "Grase", "Bold": "Grase",
"Code": "Kodo", "Code": "Kodo",
@ -2740,7 +2658,11 @@
"send_logs": "Sendi protokolojn", "send_logs": "Sendi protokolojn",
"github_issue": "Problemo per GitHub", "github_issue": "Problemo per GitHub",
"download_logs": "Elŝuti protokolon", "download_logs": "Elŝuti protokolon",
"before_submitting": "Antaŭ ol sendi protokolon, vi devas <a>raporti problemon per GitHub</a> por priskribi la problemon." "before_submitting": "Antaŭ ol sendi protokolon, vi devas <a>raporti problemon per GitHub</a> por priskribi la problemon.",
"collecting_information": "Kolektante informon pri versio de la aplikaĵo",
"collecting_logs": "Kolektante protokolon",
"uploading_logs": "Alŝutante protokolon",
"downloading_logs": "Elŝutante protokolon"
}, },
"time": { "time": {
"hours_minutes_seconds_left": "%(hours)sh. %(minutes)sm. %(seconds)ss. restas", "hours_minutes_seconds_left": "%(hours)sh. %(minutes)sm. %(seconds)ss. restas",
@ -2839,7 +2761,9 @@
"failed_to_find_widget": "Eraris serĉado de tiu ĉi fenestraĵo.", "failed_to_find_widget": "Eraris serĉado de tiu ĉi fenestraĵo.",
"active_widgets": "Aktivaj fenestraĵoj", "active_widgets": "Aktivaj fenestraĵoj",
"toolbox": "Ilaro", "toolbox": "Ilaro",
"developer_tools": "Evoluigiloj" "developer_tools": "Evoluigiloj",
"category_room": "Ĉambro",
"category_other": "Alia"
}, },
"export_chat": { "export_chat": {
"html": "HTML", "html": "HTML",
@ -2977,6 +2901,9 @@
"other": "%(names)s kaj %(count)s aliaj tajpas…", "other": "%(names)s kaj %(count)s aliaj tajpas…",
"one": "%(names)s kaj unu alia tajpas…" "one": "%(names)s kaj unu alia tajpas…"
} }
},
"m.call.hangup": {
"dm": "Voko finiĝis"
} }
}, },
"slash_command": { "slash_command": {
@ -3011,7 +2938,14 @@
"help": "Montras liston de komandoj kun priskribo de uzo", "help": "Montras liston de komandoj kun priskribo de uzo",
"whois": "Montras informojn pri uzanto", "whois": "Montras informojn pri uzanto",
"rageshake": "Sendi erarraporton kun protokolo", "rageshake": "Sendi erarraporton kun protokolo",
"msg": "Sendas mesaĝon al la uzanto" "msg": "Sendas mesaĝon al la uzanto",
"usage": "Uzo",
"category_messages": "Mesaĝoj",
"category_actions": "Agoj",
"category_admin": "Administranto",
"category_advanced": "Altnivela",
"category_effects": "Efektoj",
"category_other": "Alia"
}, },
"presence": { "presence": {
"online_for": "Enreta jam je %(duration)s", "online_for": "Enreta jam je %(duration)s",
@ -3024,5 +2958,92 @@
"offline": "Eksterreta", "offline": "Eksterreta",
"away": "For" "away": "For"
}, },
"Unknown": "Nekonata" "Unknown": "Nekonata",
"event_preview": {
"m.call.answer": {
"you": "Vi aliĝis al la voko",
"user": "%(senderName)s aliĝis al la voko",
"dm": "Voko okazas"
},
"m.call.hangup": {
"you": "Vi finis la vokon",
"user": "%(senderName)s finis la vokon"
},
"m.call.invite": {
"you": "Vi komencis vokon",
"user": "%(senderName)s komencis vokon",
"dm_send": "Atendante respondon",
"dm_receive": "%(senderName)s vokas"
},
"m.emote": "* %(senderName)s %(emote)s",
"m.text": "%(senderName)s: %(message)s",
"m.sticker": "%(senderName)s: %(stickerName)s"
},
"voip": {
"disable_microphone": "Silentigi la mikrofonon",
"enable_microphone": "Malsilentigi la mikrofonon",
"disable_camera": "Malŝalti la filmilon",
"enable_camera": "Ŝalti la filmilon",
"you_are_presenting": "Vi prezentas",
"user_is_presenting": "%(sharerName)s prezentas",
"camera_disabled": "Via filmilo estas malŝaltita",
"camera_enabled": "Via filmilo ankoraŭ estas ŝaltita",
"consulting": "Konsultante kun %(transferTarget)s. <a>Transdono al %(transferee)s</a>",
"call_held_switch": "Vi paŭzigis la vokon <a>Baskuli</a>",
"call_held_resume": "Vi paŭzigis la vokon <a>Daŭrigi</a>",
"call_held": "%(peerName)s paŭzigis la vokon",
"dialpad": "Ciferplato",
"stop_screenshare": "Malŝalti ekranvidadon",
"start_screenshare": "Ŝalti ekranvidadon",
"hangup": "Fini vokon",
"expand": "Reveni al voko",
"on_hold": "%(name)s estas paŭzigita",
"voice_call": "Voĉvoko",
"video_call": "Vidvoko",
"video_call_started": "Videovoko komenciĝis",
"unsilence": "Kun sono",
"silence": "Silenta voko",
"silenced": "Sciigoj silentigitaj",
"unknown_caller": "Nekonata vokanto",
"call_failed": "Voko malsukcesis",
"unable_to_access_microphone": "Ne povas aliri mikrofonon",
"call_failed_microphone": "Voko malsukcesis, ĉar mikrofono ne estis uzebla. Kontrolu, ĉu mikrofono estas ĝuste konektita kaj agordita.",
"unable_to_access_media": "Ne povas aliri retfilmilon / mikrofonon",
"call_failed_media": "Voko malsukcesis, ĉar retfilmilo aŭ mikrofono ne povis uziĝi. Kontrolu, ke:",
"call_failed_media_connected": "Mikrofono kaj retfilmilo estas ĝuste konektitaj kaj agorditaj",
"call_failed_media_permissions": "Permeso uzi la retfilmilon estas donita",
"call_failed_media_applications": "Neniu alia aplikaĵo uzas la retfilmilon",
"already_in_call": "Jam vokanta",
"already_in_call_person": "Vi jam vokas ĉi tiun personon.",
"unsupported": "Vokoj estas nesubtenataj",
"unsupported_browser": "Vi ne povas telefoni per ĉi tiu retumilo."
},
"Messages": "Mesaĝoj",
"Other": "Alia",
"Advanced": "Altnivela",
"room_settings": {
"permissions": {
"m.room.avatar_space": "Ŝanĝi bildon de aro",
"m.room.avatar": "Ŝanĝi profilbildon de ĉambro",
"m.room.name_space": "Ŝanĝi nomon de aro",
"m.room.name": "Ŝanĝi nomon de ĉambro",
"m.room.canonical_alias_space": "Ŝanĝi ĉefadreson de aro",
"m.room.canonical_alias": "Ŝanĝi ĉefan adreson de la ĉambro",
"m.room.history_visibility": "Ŝanĝi videblecon de historio",
"m.room.power_levels": "Ŝanĝi permesojn",
"m.room.topic_space": "Ŝanĝi priskribon",
"m.room.topic": "Ŝanĝi temon",
"m.room.tombstone": "Gradaltigi la ĉambron",
"m.room.encryption": "Ŝalti ĉifradon de la ĉambro",
"m.room.server_acl": "Ŝanĝi servilblokajn listojn",
"m.widget": "Aliigi fenestraĵojn",
"users_default": "Ordinara rolo",
"events_default": "Sendi mesaĝojn",
"invite": "Inviti uzantojn",
"state_default": "Ŝanĝi agordojn",
"ban": "Forbari uzantojn",
"redact": "Forigi mesaĝojn senditajn de aliaj",
"notifications.room": "Sciigi ĉiujn"
}
}
} }

View file

@ -1,7 +1,5 @@
{ {
"Account": "Cuenta", "Account": "Cuenta",
"Admin": "Admin",
"Advanced": "Avanzado",
"Authentication": "Autenticación", "Authentication": "Autenticación",
"%(items)s and %(lastItem)s": "%(items)s y %(lastItem)s", "%(items)s and %(lastItem)s": "%(items)s y %(lastItem)s",
"and %(count)s others...": { "and %(count)s others...": {
@ -49,7 +47,6 @@
"Forget room": "Olvidar sala", "Forget room": "Olvidar sala",
"For security, this session has been signed out. Please sign in again.": "Esta sesión ha sido cerrada. Por favor, inicia sesión de nuevo.", "For security, this session has been signed out. Please sign in again.": "Esta sesión ha sido cerrada. Por favor, inicia sesión de nuevo.",
"%(userId)s from %(fromPowerLevel)s to %(toPowerLevel)s": "%(userId)s de %(fromPowerLevel)s a %(toPowerLevel)s", "%(userId)s from %(fromPowerLevel)s to %(toPowerLevel)s": "%(userId)s de %(fromPowerLevel)s a %(toPowerLevel)s",
"Hangup": "Colgar",
"Historical": "Historial", "Historical": "Historial",
"Import E2E room keys": "Importar claves de salas con cifrado de extremo a extremo", "Import E2E room keys": "Importar claves de salas con cifrado de extremo a extremo",
"Incorrect verification code": "Verificación de código incorrecta", "Incorrect verification code": "Verificación de código incorrecta",
@ -155,12 +152,9 @@
}, },
"Upload avatar": "Adjuntar avatar", "Upload avatar": "Adjuntar avatar",
"Upload Failed": "Subida fallida", "Upload Failed": "Subida fallida",
"Usage": "Uso",
"Users": "Usuarios", "Users": "Usuarios",
"Verification Pending": "Verificación Pendiente", "Verification Pending": "Verificación Pendiente",
"Verified key": "Clave verificada", "Verified key": "Clave verificada",
"Video call": "Llamada de vídeo",
"Voice call": "Llamada de voz",
"Warning!": "¡Advertencia!", "Warning!": "¡Advertencia!",
"Who can read history?": "¿Quién puede leer el historial?", "Who can read history?": "¿Quién puede leer el historial?",
"You are not in this room.": "No estás en esta sala.", "You are not in this room.": "No estás en esta sala.",
@ -194,7 +188,6 @@
"Jun": "jun.", "Jun": "jun.",
"Jul": "jul.", "Jul": "jul.",
"Aug": "ago.", "Aug": "ago.",
"Call Failed": "Llamada fallida",
"Sep": "sept.", "Sep": "sept.",
"Oct": "oct.", "Oct": "oct.",
"Nov": "nov.", "Nov": "nov.",
@ -215,14 +208,12 @@
"Filter results": "Filtrar resultados", "Filter results": "Filtrar resultados",
"No update available.": "No hay actualizaciones disponibles.", "No update available.": "No hay actualizaciones disponibles.",
"Noisy": "Sonoro", "Noisy": "Sonoro",
"Collecting app version information": "Recolectando información de la versión de la aplicación",
"Tuesday": "Martes", "Tuesday": "Martes",
"Search…": "Buscar…", "Search…": "Buscar…",
"Preparing to send logs": "Preparando para enviar registros", "Preparing to send logs": "Preparando para enviar registros",
"Unnamed room": "Sala sin nombre", "Unnamed room": "Sala sin nombre",
"Saturday": "Sábado", "Saturday": "Sábado",
"Monday": "Lunes", "Monday": "Lunes",
"Collecting logs": "Recolectando registros",
"Invite to this room": "Invitar a la sala", "Invite to this room": "Invitar a la sala",
"Send": "Enviar", "Send": "Enviar",
"All messages": "Todos los mensajes", "All messages": "Todos los mensajes",
@ -266,8 +257,6 @@
"Unignore": "Dejar de ignorar", "Unignore": "Dejar de ignorar",
"Jump to read receipt": "Saltar al último mensaje sin leer", "Jump to read receipt": "Saltar al último mensaje sin leer",
"Share Link to User": "Compartir enlace al usuario", "Share Link to User": "Compartir enlace al usuario",
"Send an encrypted reply…": "Enviar una respuesta cifrada…",
"Send an encrypted message…": "Enviar un mensaje cifrado…",
"%(duration)ss": "%(duration)ss", "%(duration)ss": "%(duration)ss",
"%(duration)sm": "%(duration)sm", "%(duration)sm": "%(duration)sm",
"%(duration)sh": "%(duration)sh", "%(duration)sh": "%(duration)sh",
@ -284,7 +273,6 @@
"Members only (since they were invited)": "Solo participantes (desde que fueron invitados)", "Members only (since they were invited)": "Solo participantes (desde que fueron invitados)",
"Members only (since they joined)": "Solo participantes (desde que se unieron a la sala)", "Members only (since they joined)": "Solo participantes (desde que se unieron a la sala)",
"You don't currently have any stickerpacks enabled": "Actualmente no tienes ningún paquete de pegatinas activado", "You don't currently have any stickerpacks enabled": "Actualmente no tienes ningún paquete de pegatinas activado",
"Stickerpack": "Paquete de pegatinas",
"URL previews are enabled by default for participants in this room.": "La vista previa de URLs se activa por defecto en los participantes de esta sala.", "URL previews are enabled by default for participants in this room.": "La vista previa de URLs se activa por defecto en los participantes de esta sala.",
"URL previews are disabled by default for participants in this room.": "La vista previa de URLs se desactiva por defecto para los participantes de esta sala.", "URL previews are disabled by default for participants in this room.": "La vista previa de URLs se desactiva por defecto para los participantes de esta sala.",
"In encrypted rooms, like this one, URL previews are disabled by default to ensure that your homeserver (where the previews are generated) cannot gather information about links you see in this room.": "En salas cifradas como ésta, la vista previa de las URLs se desactiva por defecto para asegurar que el servidor base (donde se generan) no pueda recopilar información de los enlaces que veas en esta sala.", "In encrypted rooms, like this one, URL previews are disabled by default to ensure that your homeserver (where the previews are generated) cannot gather information about links you see in this room.": "En salas cifradas como ésta, la vista previa de las URLs se desactiva por defecto para asegurar que el servidor base (donde se generan) no pueda recopilar información de los enlaces que veas en esta sala.",
@ -440,7 +428,6 @@
"Your message wasn't sent because this homeserver has hit its Monthly Active User Limit. Please <a>contact your service administrator</a> to continue using the service.": "Tu mensaje no se ha enviado porque este servidor base ha alcanzado su límite mensual de usuarios activos. Por favor, <a>contacta con el administrador de tu servicio</a> para continuar utilizándolo.", "Your message wasn't sent because this homeserver has hit its Monthly Active User Limit. Please <a>contact your service administrator</a> to continue using the service.": "Tu mensaje no se ha enviado porque este servidor base ha alcanzado su límite mensual de usuarios activos. Por favor, <a>contacta con el administrador de tu servicio</a> para continuar utilizándolo.",
"Your message wasn't sent because this homeserver has exceeded a resource limit. Please <a>contact your service administrator</a> to continue using the service.": "Tu mensaje no se ha enviado porque este servidor base ha excedido un límite de recursos. Por favor <a>contacta con el administrador de tu servicio</a> para continuar utilizándolo.", "Your message wasn't sent because this homeserver has exceeded a resource limit. Please <a>contact your service administrator</a> to continue using the service.": "Tu mensaje no se ha enviado porque este servidor base ha excedido un límite de recursos. Por favor <a>contacta con el administrador de tu servicio</a> para continuar utilizándolo.",
"Please <a>contact your service administrator</a> to continue using this service.": "Por favor, <a>contacta al administrador de tu servicio</a> para continuar utilizando este servicio.", "Please <a>contact your service administrator</a> to continue using this service.": "Por favor, <a>contacta al administrador de tu servicio</a> para continuar utilizando este servicio.",
"System Alerts": "Alertas del sistema",
"Forces the current outbound group session in an encrypted room to be discarded": "Obliga a que la sesión de salida grupal actual en una sala cifrada se descarte", "Forces the current outbound group session in an encrypted room to be discarded": "Obliga a que la sesión de salida grupal actual en una sala cifrada se descarte",
"Please contact your homeserver administrator.": "Por favor, contacta con la administración de tu servidor base.", "Please contact your homeserver administrator.": "Por favor, contacta con la administración de tu servidor base.",
"This room has been replaced and is no longer active.": "Esta sala ha sido reemplazada y ya no está activa.", "This room has been replaced and is no longer active.": "Esta sala ha sido reemplazada y ya no está activa.",
@ -629,9 +616,6 @@
"Scissors": "Tijeras", "Scissors": "Tijeras",
"Call failed due to misconfigured server": "La llamada ha fallado debido a una mala configuración del servidor", "Call failed due to misconfigured server": "La llamada ha fallado debido a una mala configuración del servidor",
"Please ask the administrator of your homeserver (<code>%(homeserverDomain)s</code>) to configure a TURN server in order for calls to work reliably.": "Por favor, pídele al administrador de tu servidor base (<code>%(homeserverDomain)s</code>) que configure un servidor TURN para que las llamadas funcionen correctamente.", "Please ask the administrator of your homeserver (<code>%(homeserverDomain)s</code>) to configure a TURN server in order for calls to work reliably.": "Por favor, pídele al administrador de tu servidor base (<code>%(homeserverDomain)s</code>) que configure un servidor TURN para que las llamadas funcionen correctamente.",
"Messages": "Mensajes",
"Actions": "Acciones",
"Other": "Otros",
"Use an identity server": "Usar un servidor de identidad", "Use an identity server": "Usar un servidor de identidad",
"Use an identity server to invite by email. Click continue to use the default identity server (%(defaultIdentityServerName)s) or manage in Settings.": "Usar un servidor de identidad para invitar por correo. Presiona continuar par usar el servidor de identidad por defecto (%(defaultIdentityServerName)s) o adminístralo en Ajustes.", "Use an identity server to invite by email. Click continue to use the default identity server (%(defaultIdentityServerName)s) or manage in Settings.": "Usar un servidor de identidad para invitar por correo. Presiona continuar par usar el servidor de identidad por defecto (%(defaultIdentityServerName)s) o adminístralo en Ajustes.",
"Use an identity server to invite by email. Manage in Settings.": "Usa un servidor de identidad para invitar por correo. Puedes configurarlo en tus ajustes.", "Use an identity server to invite by email. Manage in Settings.": "Usa un servidor de identidad para invitar por correo. Puedes configurarlo en tus ajustes.",
@ -798,25 +782,10 @@
"Notification sound": "Sonido para las notificaciones", "Notification sound": "Sonido para las notificaciones",
"Set a new custom sound": "Establecer sonido personalizado", "Set a new custom sound": "Establecer sonido personalizado",
"Browse": "Seleccionar", "Browse": "Seleccionar",
"Change room avatar": "Cambiar el avatar de la sala",
"Change room name": "Cambiar el nombre de sala",
"Change main address for the room": "Cambiar la dirección principal de la sala",
"Change history visibility": "Cambiar la visibilidad del historial",
"Change permissions": "Cambiar los permisos",
"Change topic": "Cambiar asunto",
"Upgrade the room": "Actualizar la sala",
"Enable room encryption": "Activar cifrado para la sala",
"Modify widgets": "Modificar accesorios",
"Error changing power level requirement": "Error al cambiar el requerimiento de nivel de poder", "Error changing power level requirement": "Error al cambiar el requerimiento de nivel de poder",
"An error occurred changing the room's power level requirements. Ensure you have sufficient permissions and try again.": "Ocurrió un error cambiando los requerimientos de nivel de poder de la sala. Asegúrate de tener los permisos suficientes e inténtalo de nuevo.", "An error occurred changing the room's power level requirements. Ensure you have sufficient permissions and try again.": "Ocurrió un error cambiando los requerimientos de nivel de poder de la sala. Asegúrate de tener los permisos suficientes e inténtalo de nuevo.",
"Error changing power level": "Error al cambiar nivel de poder", "Error changing power level": "Error al cambiar nivel de poder",
"An error occurred changing the user's power level. Ensure you have sufficient permissions and try again.": "Ocurrió un error cambiando los requerimientos de nivel de poder del usuario. Asegúrate de tener los permisos suficientes e inténtalo de nuevo.", "An error occurred changing the user's power level. Ensure you have sufficient permissions and try again.": "Ocurrió un error cambiando los requerimientos de nivel de poder del usuario. Asegúrate de tener los permisos suficientes e inténtalo de nuevo.",
"Default role": "Rol por defecto",
"Send messages": "Enviar mensajes",
"Invite users": "Invitar usuarios",
"Change settings": "Cambiar la configuración",
"Ban users": "Bloquear usuarios",
"Notify everyone": "Notificar a todo el mundo",
"Send %(eventType)s events": "Enviar eventos %(eventType)s", "Send %(eventType)s events": "Enviar eventos %(eventType)s",
"Select the roles required to change various parts of the room": "Elige los roles que los usuarios deben tener para poder cambiar los distintos ajustes de la sala", "Select the roles required to change various parts of the room": "Elige los roles que los usuarios deben tener para poder cambiar los distintos ajustes de la sala",
"Enable encryption?": "¿Activar cifrado?", "Enable encryption?": "¿Activar cifrado?",
@ -914,7 +883,6 @@
"Session ID:": "Identidad (ID) de sesión:", "Session ID:": "Identidad (ID) de sesión:",
"Session key:": "Código de sesión:", "Session key:": "Código de sesión:",
"Accept all %(invitedRooms)s invites": "Aceptar todas las invitaciones de %(invitedRooms)s", "Accept all %(invitedRooms)s invites": "Aceptar todas las invitaciones de %(invitedRooms)s",
"Cross-signing": "Firma cruzada",
"This room is bridging messages to the following platforms. <a>Learn more.</a>": "Esta sala está haciendo puente con las siguientes plataformas. <a>Aprende más.</a>", "This room is bridging messages to the following platforms. <a>Learn more.</a>": "Esta sala está haciendo puente con las siguientes plataformas. <a>Aprende más.</a>",
"Bridges": "Puentes", "Bridges": "Puentes",
"Uploaded sound": "Sonido subido", "Uploaded sound": "Sonido subido",
@ -1028,8 +996,6 @@
"Deactivate user": "Desactivar usuario", "Deactivate user": "Desactivar usuario",
"Failed to deactivate user": "Error en desactivar usuario", "Failed to deactivate user": "Error en desactivar usuario",
"Remove recent messages": "Eliminar mensajes recientes", "Remove recent messages": "Eliminar mensajes recientes",
"Send a reply…": "Enviar una respuesta…",
"Send a message…": "Enviar un mensaje…",
"Italics": "Cursiva", "Italics": "Cursiva",
"Room %(name)s": "Sala %(name)s", "Room %(name)s": "Sala %(name)s",
"Direct Messages": "Mensajes directos", "Direct Messages": "Mensajes directos",
@ -1214,14 +1180,6 @@
"This homeserver does not support login using email address.": "Este servidor base no admite iniciar sesión con una dirección de correo electrónico.", "This homeserver does not support login using email address.": "Este servidor base no admite iniciar sesión con una dirección de correo electrónico.",
"This account has been deactivated.": "Esta cuenta ha sido desactivada.", "This account has been deactivated.": "Esta cuenta ha sido desactivada.",
"Ok": "Ok", "Ok": "Ok",
"You joined the call": "Te has unido a la llamada",
"%(senderName)s joined the call": "%(senderName)s se ha unido a la llamada",
"Call in progress": "Llamada en progreso",
"Call ended": "La llamada ha terminado",
"You started a call": "Has iniciado una llamada",
"%(senderName)s started a call": "%(senderName)s inicio una llamada",
"Waiting for answer": "Esperado por una respuesta",
"%(senderName)s is calling": "%(senderName)s está llamando",
"Are you sure you want to cancel entering passphrase?": "¿Estas seguro que quieres cancelar el ingresar tu contraseña de recuperación?", "Are you sure you want to cancel entering passphrase?": "¿Estas seguro que quieres cancelar el ingresar tu contraseña de recuperación?",
"Joins room with given address": "Entrar a la sala con la dirección especificada", "Joins room with given address": "Entrar a la sala con la dirección especificada",
"Opens chat with the given user": "Abrir una conversación con el usuario especificado", "Opens chat with the given user": "Abrir una conversación con el usuario especificado",
@ -1230,17 +1188,12 @@
"Your homeserver has exceeded its user limit.": "Tú servidor ha excedido su limite de usuarios.", "Your homeserver has exceeded its user limit.": "Tú servidor ha excedido su limite de usuarios.",
"Your homeserver has exceeded one of its resource limits.": "Tú servidor ha excedido el limite de sus recursos.", "Your homeserver has exceeded one of its resource limits.": "Tú servidor ha excedido el limite de sus recursos.",
"Contact your <a>server admin</a>.": "Contacta con el <a>administrador del servidor</a>.", "Contact your <a>server admin</a>.": "Contacta con el <a>administrador del servidor</a>.",
"* %(senderName)s %(emote)s": "* %(senderName)s %(emote)s",
"%(senderName)s: %(message)s": "%(senderName)s: %(message)s",
"%(senderName)s: %(stickerName)s": "%(senderName)s: %(stickerName)s",
"This session is encrypting history using the new recovery method.": "Esta sesión está cifrando el historial usando el nuevo método de recuperación.", "This session is encrypting history using the new recovery method.": "Esta sesión está cifrando el historial usando el nuevo método de recuperación.",
"Change notification settings": "Cambiar los ajustes de notificaciones", "Change notification settings": "Cambiar los ajustes de notificaciones",
"Font size": "Tamaño del texto", "Font size": "Tamaño del texto",
"Use custom size": "Usar un tamaño personalizado", "Use custom size": "Usar un tamaño personalizado",
"Use a system font": "Usar un tipo de letra del sistema", "Use a system font": "Usar un tipo de letra del sistema",
"System font name": "Nombre de la fuente", "System font name": "Nombre de la fuente",
"Uploading logs": "Subiendo registros",
"Downloading logs": "Descargando registros",
"Your server isn't responding to some <a>requests</a>.": "Tú servidor no esta respondiendo a ciertas <a>solicitudes</a>.", "Your server isn't responding to some <a>requests</a>.": "Tú servidor no esta respondiendo a ciertas <a>solicitudes</a>.",
"New version available. <a>Update now.</a>": "Nueva versión disponible. <a>Actualizar ahora.</a>", "New version available. <a>Update now.</a>": "Nueva versión disponible. <a>Actualizar ahora.</a>",
"Hey you. You're the best!": "Oye, tú… ¡eres genial!", "Hey you. You're the best!": "Oye, tú… ¡eres genial!",
@ -1258,7 +1211,6 @@
"Explore public rooms": "Buscar salas públicas", "Explore public rooms": "Buscar salas públicas",
"Unknown App": "Aplicación desconocida", "Unknown App": "Aplicación desconocida",
"IRC display name width": "Ancho del nombre de visualización de IRC", "IRC display name width": "Ancho del nombre de visualización de IRC",
"Unknown caller": "Llamador desconocido",
"Cross-signing is ready for use.": "La firma cruzada está lista para su uso.", "Cross-signing is ready for use.": "La firma cruzada está lista para su uso.",
"Cross-signing is not set up.": "La firma cruzada no está configurada.", "Cross-signing is not set up.": "La firma cruzada no está configurada.",
"Master private key:": "Clave privada maestra:", "Master private key:": "Clave privada maestra:",
@ -1271,7 +1223,6 @@
"ready": "Listo", "ready": "Listo",
"not ready": "no está listo", "not ready": "no está listo",
"Room ID or address of ban list": "ID de sala o dirección de la lista de prohibición", "Room ID or address of ban list": "ID de sala o dirección de la lista de prohibición",
"Secure Backup": "Copia de seguridad segura",
"Show rooms with unread messages first": "Colocar al principio las salas con mensajes sin leer", "Show rooms with unread messages first": "Colocar al principio las salas con mensajes sin leer",
"Show previews of messages": "Incluir una vista previa del último mensaje", "Show previews of messages": "Incluir una vista previa del último mensaje",
"Sort by": "Ordenar por", "Sort by": "Ordenar por",
@ -1696,8 +1647,6 @@
"Use the <a>Desktop app</a> to see all encrypted files": "Usa la <a>aplicación de escritorio</a> para ver todos los archivos cifrados", "Use the <a>Desktop app</a> to see all encrypted files": "Usa la <a>aplicación de escritorio</a> para ver todos los archivos cifrados",
"Video conference started by %(senderName)s": "Videoconferencia iniciada por %(senderName)s", "Video conference started by %(senderName)s": "Videoconferencia iniciada por %(senderName)s",
"Video conference updated by %(senderName)s": "Videoconferencia actualizada por %(senderName)s", "Video conference updated by %(senderName)s": "Videoconferencia actualizada por %(senderName)s",
"You held the call <a>Resume</a>": "Has puesto la llamada en espera <a>Recuperar</a>",
"You held the call <a>Switch</a>": "Has puesto esta llamada en espera <a>Volver</a>",
"Reason (optional)": "Motivo (opcional)", "Reason (optional)": "Motivo (opcional)",
"Server Options": "Opciones del servidor", "Server Options": "Opciones del servidor",
"Open dial pad": "Abrir teclado numérico", "Open dial pad": "Abrir teclado numérico",
@ -1708,23 +1657,17 @@
"<a>Add a topic</a> to help people know what it is about.": "<a>Añade un asunto</a> para que la gente sepa de qué va la sala.", "<a>Add a topic</a> to help people know what it is about.": "<a>Añade un asunto</a> para que la gente sepa de qué va la sala.",
"Topic: %(topic)s ": "Asunto: %(topic)s ", "Topic: %(topic)s ": "Asunto: %(topic)s ",
"Topic: %(topic)s (<a>edit</a>)": "Asunto: %(topic)s (<a>cambiar</a>)", "Topic: %(topic)s (<a>edit</a>)": "Asunto: %(topic)s (<a>cambiar</a>)",
"Remove messages sent by others": "Eliminar los mensajes enviados por otras personas",
"Back up your encryption keys with your account data in case you lose access to your sessions. Your keys will be secured with a unique Security Key.": "Haz una copia de seguridad de tus claves de cifrado con los datos de tu cuenta por si pierdes acceso a tus sesiones. Las clave serán aseguradas con una clave de seguridad única.", "Back up your encryption keys with your account data in case you lose access to your sessions. Your keys will be secured with a unique Security Key.": "Haz una copia de seguridad de tus claves de cifrado con los datos de tu cuenta por si pierdes acceso a tus sesiones. Las clave serán aseguradas con una clave de seguridad única.",
"The operation could not be completed": "No se ha podido completar la operación", "The operation could not be completed": "No se ha podido completar la operación",
"Failed to save your profile": "No se ha podido guardar tu perfil", "Failed to save your profile": "No se ha podido guardar tu perfil",
"not found in storage": "no se ha encontrado en la memoria", "not found in storage": "no se ha encontrado en la memoria",
"Dial pad": "Teclado numérico", "Dial pad": "Teclado numérico",
"%(name)s on hold": "%(name)s está en espera",
"Return to call": "Volver a la llamada",
"%(peerName)s held the call": "%(peerName)s ha puesto la llamada en espera",
"sends snowfall": "envía copos de nieve", "sends snowfall": "envía copos de nieve",
"Sends the given message with snowfall": "Envía el mensaje con copos de nieve", "Sends the given message with snowfall": "Envía el mensaje con copos de nieve",
"sends fireworks": "envía fuegos artificiales", "sends fireworks": "envía fuegos artificiales",
"Sends the given message with fireworks": "Envía el mensaje con fuegos artificiales", "Sends the given message with fireworks": "Envía el mensaje con fuegos artificiales",
"sends confetti": "envía confeti", "sends confetti": "envía confeti",
"Sends the given message with confetti": "Envía el mensaje con confeti", "Sends the given message with confetti": "Envía el mensaje con confeti",
"%(senderName)s ended the call": "%(senderName)s ha terminado la llamada",
"You ended the call": "Has terminado la llamada",
"New version of %(brand)s is available": "Hay una nueva versión de %(brand)s disponible", "New version of %(brand)s is available": "Hay una nueva versión de %(brand)s disponible",
"Safeguard against losing access to encrypted messages & data": "Evita perder acceso a datos y mensajes cifrados", "Safeguard against losing access to encrypted messages & data": "Evita perder acceso a datos y mensajes cifrados",
"Use app": "Usar la aplicación", "Use app": "Usar la aplicación",
@ -1780,7 +1723,6 @@
"Converts the room to a DM": "Convierte la sala a un mensaje directo", "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", "Takes the call in the current room off hold": "Quita la llamada de la sala actual de espera",
"Places the call in the current room on hold": "Pone la llamada de la sala actual en espera", "Places the call in the current room on hold": "Pone la llamada de la sala actual en espera",
"Effects": "Efectos",
"Japan": "Japón", "Japan": "Japón",
"Jamaica": "Jamaica", "Jamaica": "Jamaica",
"Italy": "Italia", "Italy": "Italia",
@ -1847,13 +1789,6 @@
"We couldn't log you in": "No hemos podido iniciar tu sesión", "We couldn't log you in": "No hemos podido iniciar tu sesión",
"You've reached the maximum number of simultaneous calls.": "Has llegado al límite de llamadas simultáneas.", "You've reached the maximum number of simultaneous calls.": "Has llegado al límite de llamadas simultáneas.",
"Too Many Calls": "Demasiadas llamadas", "Too Many Calls": "Demasiadas llamadas",
"No other application is using the webcam": "No hay otra aplicación usando la cámara",
"Permission is granted to use the webcam": "Se ha dado permiso al programa para acceder a la cámara",
"A microphone and webcam are plugged in and set up correctly": "El micrófono y cámara están enchufados y bien configurados",
"Call failed because webcam or microphone could not be accessed. Check that:": "La llamada ha fallado porque no se ha podido acceder a la cámara o al micrófono. Comprueba que:",
"Unable to access webcam / microphone": "No se ha podido acceder a la cámara o micrófono",
"Call failed because microphone could not be accessed. Check that a microphone is plugged in and set up correctly.": "La llamada ha fallado porque no se ha podido acceder al micrófono. Comprueba que tengas uno enchufado y configurado correctamente.",
"Unable to access microphone": "No se ha podido acceder al micrófono",
"The call was answered on another device.": "Esta llamada fue respondida en otro dispositivo.", "The call was answered on another device.": "Esta llamada fue respondida en otro dispositivo.",
"Answered Elsewhere": "Respondida en otra parte", "Answered Elsewhere": "Respondida en otra parte",
"The call could not be established": "No se ha podido establecer la llamada", "The call could not be established": "No se ha podido establecer la llamada",
@ -1898,7 +1833,6 @@
"Please view <existingIssuesLink>existing bugs on Github</existingIssuesLink> first. No match? <newIssueLink>Start a new one</newIssueLink>.": "Por favor, echa un vistazo primero a <existingIssuesLink>las incidencias de Github</existingIssuesLink>. Si no encuentras nada relacionado, <newIssueLink>crea una nueva incidencia</newIssueLink>.", "Please view <existingIssuesLink>existing bugs on Github</existingIssuesLink> first. No match? <newIssueLink>Start a new one</newIssueLink>.": "Por favor, echa un vistazo primero a <existingIssuesLink>las incidencias de Github</existingIssuesLink>. Si no encuentras nada relacionado, <newIssueLink>crea una nueva incidencia</newIssueLink>.",
"You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the space it will be impossible to regain privileges.": "No podrás deshacer esto, ya que te estás quitando tus permisos. Si eres la última persona con permisos en este usuario, no será posible recuperarlos.", "You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the space it will be impossible to regain privileges.": "No podrás deshacer esto, ya que te estás quitando tus permisos. Si eres la última persona con permisos en este usuario, no será posible recuperarlos.",
"Welcome to <name/>": "Te damos la bienvenida a <name/>", "Welcome to <name/>": "Te damos la bienvenida a <name/>",
"Already in call": "Ya en una llamada",
"Original event source": "Fuente original del evento", "Original event source": "Fuente original del evento",
"Decrypted event source": "Descifrar fuente del evento", "Decrypted event source": "Descifrar fuente del evento",
"Invite by username": "Invitar por nombre de usuario", "Invite by username": "Invitar por nombre de usuario",
@ -1934,7 +1868,6 @@
"You do not have permissions to add rooms to this space": "No tienes permisos para añadir salas a este espacio", "You do not have permissions to add rooms to this space": "No tienes permisos para añadir salas a este espacio",
"Add existing room": "Añadir sala ya existente", "Add existing room": "Añadir sala ya existente",
"You do not have permissions to create new rooms in this space": "No tienes permisos para crear nuevas salas en este espacio", "You do not have permissions to create new rooms in this space": "No tienes permisos para crear nuevas salas en este espacio",
"Send message": "Enviar mensaje",
"Invite to this space": "Invitar al espacio", "Invite to this space": "Invitar al espacio",
"Your message was sent": "Mensaje enviado", "Your message was sent": "Mensaje enviado",
"Space options": "Opciones del espacio", "Space options": "Opciones del espacio",
@ -1949,7 +1882,6 @@
"Open space for anyone, best for communities": "Abierto para todo el mundo, la mejor opción para comunidades", "Open space for anyone, best for communities": "Abierto para todo el mundo, la mejor opción para comunidades",
"Create a space": "Crear un espacio", "Create a space": "Crear un espacio",
"This homeserver has been blocked by its administrator.": "Este servidor base ha sido bloqueado por su administración.", "This homeserver has been blocked by its administrator.": "Este servidor base ha sido bloqueado por su administración.",
"You're already in a call with this person.": "Ya estás en una llamada con esta persona.",
"This room is suggested as a good one to join": "Unirse a esta sala está sugerido", "This room is suggested as a good one to join": "Unirse a esta sala está sugerido",
"This usually only affects how the room is processed on the server. If you're having problems with your %(brand)s, please report a bug.": "Esto solo afecta normalmente a cómo el servidor procesa la sala. Si estás teniendo problemas con %(brand)s, por favor, infórmanos del problema.", "This usually only affects how the room is processed on the server. If you're having problems with your %(brand)s, please report a bug.": "Esto solo afecta normalmente a cómo el servidor procesa la sala. Si estás teniendo problemas con %(brand)s, por favor, infórmanos del problema.",
"It's just you at the moment, it will be even better with others.": "Ahora mismo no hay nadie más.", "It's just you at the moment, it will be even better with others.": "Ahora mismo no hay nadie más.",
@ -1993,7 +1925,6 @@
"unknown person": "persona desconocida", "unknown person": "persona desconocida",
"%(deviceId)s from %(ip)s": "%(deviceId)s desde %(ip)s", "%(deviceId)s from %(ip)s": "%(deviceId)s desde %(ip)s",
"Review to ensure your account is safe": "Revisa que tu cuenta esté segura", "Review to ensure your account is safe": "Revisa que tu cuenta esté segura",
"Consulting with %(transferTarget)s. <a>Transfer to %(transferee)s</a>": "Consultando a %(transferTarget)s. <a>Transferir a %(transferee)s</a>",
"Reset event store?": "¿Restablecer almacenamiento de eventos?", "Reset event store?": "¿Restablecer almacenamiento de eventos?",
"You most likely do not want to reset your event index store": "Lo más probable es que no quieras restablecer tu almacenamiento de índice de ecentos", "You most likely do not want to reset your event index store": "Lo más probable es que no quieras restablecer tu almacenamiento de índice de ecentos",
"Reset event store": "Restablecer el almacenamiento de eventos", "Reset event store": "Restablecer el almacenamiento de eventos",
@ -2019,7 +1950,6 @@
"other": "Ver los %(count)s miembros" "other": "Ver los %(count)s miembros"
}, },
"Failed to send": "No se ha podido mandar", "Failed to send": "No se ha podido mandar",
"Change server ACLs": "Cambiar los ACLs del servidor",
"Enter your Security Phrase a second time to confirm it.": "Escribe tu frase de seguridad de nuevo para confirmarla.", "Enter your Security Phrase a second time to confirm it.": "Escribe tu frase de seguridad de nuevo para confirmarla.",
"Pick rooms or conversations to add. This is just a space for you, no one will be informed. You can add more later.": "Elige salas o conversaciones para añadirlas. Este espacio es solo para ti, no informaremos a nadie. Puedes añadir más más tarde.", "Pick rooms or conversations to add. This is just a space for you, no one will be informed. You can add more later.": "Elige salas o conversaciones para añadirlas. Este espacio es solo para ti, no informaremos a nadie. Puedes añadir más más tarde.",
"What do you want to organise?": "¿Qué quieres organizar?", "What do you want to organise?": "¿Qué quieres organizar?",
@ -2117,8 +2047,6 @@
"Failed to update the visibility of this space": "No se ha podido cambiar la visibilidad del espacio", "Failed to update the visibility of this space": "No se ha podido cambiar la visibilidad del espacio",
"Address": "Dirección", "Address": "Dirección",
"e.g. my-space": "ej.: mi-espacio", "e.g. my-space": "ej.: mi-espacio",
"Silence call": "Silenciar llamada",
"Sound on": "Sonido activado",
"We sent the others, but the below people couldn't be invited to <RoomName/>": "Hemos enviado el resto, pero no hemos podido invitar las siguientes personas a la sala <RoomName/>", "We sent the others, but the below people couldn't be invited to <RoomName/>": "Hemos enviado el resto, pero no hemos podido invitar las siguientes personas a la sala <RoomName/>",
"Some invites couldn't be sent": "No se han podido enviar algunas invitaciones", "Some invites couldn't be sent": "No se han podido enviar algunas invitaciones",
"Integration manager": "Gestor de integración", "Integration manager": "Gestor de integración",
@ -2192,10 +2120,6 @@
"This upgrade will allow members of selected spaces access to this room without an invite.": "Si actualizas, podrás configurar la sala para que los miembros de los espacios que elijas puedan unirse sin que tengas que invitarles.", "This upgrade will allow members of selected spaces access to this room without an invite.": "Si actualizas, podrás configurar la sala para que los miembros de los espacios que elijas puedan unirse sin que tengas que invitarles.",
"Message bubbles": "Burbujas de mensaje", "Message bubbles": "Burbujas de mensaje",
"Show all rooms": "Ver todas las salas", "Show all rooms": "Ver todas las salas",
"Your camera is still enabled": "Tu cámara todavía está encendida",
"Your camera is turned off": "Tu cámara está apagada",
"%(sharerName)s is presenting": "%(sharerName)s está presentando",
"You are presenting": "Estás presentando",
"Add space": "Añadir un espacio", "Add space": "Añadir un espacio",
"Spaces you know that contain this room": "Espacios que conoces que contienen esta sala", "Spaces you know that contain this room": "Espacios que conoces que contienen esta sala",
"Search spaces": "Buscar espacios", "Search spaces": "Buscar espacios",
@ -2236,16 +2160,9 @@
"Stop recording": "Dejar de grabar", "Stop recording": "Dejar de grabar",
"Send voice message": "Enviar un mensaje de voz", "Send voice message": "Enviar un mensaje de voz",
"Olm version:": "Versión de Olm:", "Olm version:": "Versión de Olm:",
"Mute the microphone": "Silenciar el micrófono",
"Unmute the microphone": "Activar el micrófono",
"Dialpad": "Teclado numérico",
"More": "Más", "More": "Más",
"Show sidebar": "Ver menú lateral", "Show sidebar": "Ver menú lateral",
"Hide sidebar": "Ocultar menú lateral", "Hide sidebar": "Ocultar menú lateral",
"Start sharing your screen": "Comparte tu pantalla",
"Stop sharing your screen": "Dejar de compartir la pantalla",
"Stop the camera": "Parar la cámara",
"Start the camera": "Iniciar la cámara",
"Surround selected text when typing special characters": "Rodear texto seleccionado al escribir caracteres especiales", "Surround selected text when typing special characters": "Rodear texto seleccionado al escribir caracteres especiales",
"Unknown failure: %(reason)s": "Fallo desconocido: %(reason)s", "Unknown failure: %(reason)s": "Fallo desconocido: %(reason)s",
"<b>It's not recommended to make encrypted rooms public.</b> It will mean anyone can find and join the room, so anyone can read messages. You'll get none of the benefits of encryption. Encrypting messages in a public room will make receiving and sending messages slower.": "<b>No está recomendado activar el cifrado en salas públicas.</b> Cualquiera puede encontrar la sala y unirse, por lo que cualquiera puede leer los mensajes. No disfrutarás de los beneficios del cifrado. Además, activarlo en una sala pública hará que recibir y enviar mensajes tarde más.", "<b>It's not recommended to make encrypted rooms public.</b> It will mean anyone can find and join the room, so anyone can read messages. You'll get none of the benefits of encryption. Encrypting messages in a public room will make receiving and sending messages slower.": "<b>No está recomendado activar el cifrado en salas públicas.</b> Cualquiera puede encontrar la sala y unirse, por lo que cualquiera puede leer los mensajes. No disfrutarás de los beneficios del cifrado. Además, activarlo en una sala pública hará que recibir y enviar mensajes tarde más.",
@ -2267,13 +2184,7 @@
"Failed to update the join rules": "Fallo al actualizar las reglas para unirse", "Failed to update the join rules": "Fallo al actualizar las reglas para unirse",
"Anyone in <spaceName/> can find and join. You can select other spaces too.": "Cualquiera en <spaceName/> puede encontrar y unirse. También puedes seleccionar otros espacios.", "Anyone in <spaceName/> can find and join. You can select other spaces too.": "Cualquiera en <spaceName/> puede encontrar y unirse. También puedes seleccionar otros espacios.",
"Send a sticker": "Enviar una pegatina", "Send a sticker": "Enviar una pegatina",
"Reply to encrypted thread…": "Responder al hilo cifrado…",
"Reply to thread…": "Responder al hilo…",
"Unknown failure": "Fallo desconocido", "Unknown failure": "Fallo desconocido",
"Change space avatar": "Cambiar la imagen del espacio",
"Change space name": "Cambiar el nombre del espacio",
"Change main address for the space": "Cambiar la dirección principal del espacio",
"Change description": "Cambiar la descripción",
"Message didn't send. Click for info.": "Mensaje no enviado. Haz clic para más info.", "Message didn't send. Click for info.": "Mensaje no enviado. Haz clic para más info.",
"To join a space you'll need an invite.": "Para unirte a un espacio, necesitas que te inviten a él.", "To join a space you'll need an invite.": "Para unirte a un espacio, necesitas que te inviten a él.",
"Don't leave any rooms": "No salir de ninguna sala", "Don't leave any rooms": "No salir de ninguna sala",
@ -2390,7 +2301,6 @@
"Reply in thread": "Responder en hilo", "Reply in thread": "Responder en hilo",
"Show all threads": "Ver todos los hilos", "Show all threads": "Ver todos los hilos",
"Keep discussions organised with threads": "Organiza los temas de conversación en hilos", "Keep discussions organised with threads": "Organiza los temas de conversación en hilos",
"Manage rooms in this space": "Gestionar las salas del espacio",
"Rooms outside of a space": "Salas fuera de un espacio", "Rooms outside of a space": "Salas fuera de un espacio",
"Sidebar": "Barra lateral", "Sidebar": "Barra lateral",
"Other rooms": "Otras salas", "Other rooms": "Otras salas",
@ -2475,8 +2385,6 @@
"That's fine": "Vale", "That's fine": "Vale",
"You cannot place calls without a connection to the server.": "No puedes llamar porque no hay conexión con el servidor.", "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", "Connectivity to the server has been lost": "Se ha perdido la conexión con el servidor",
"You cannot place calls in this browser.": "No puedes llamar usando este navegador de internet.",
"Calls are unsupported": "Las llamadas no son compatibles",
"Based on %(count)s votes": { "Based on %(count)s votes": {
"other": "%(count)s votos", "other": "%(count)s votos",
"one": "%(count)s voto" "one": "%(count)s voto"
@ -2489,8 +2397,6 @@
"Verify other device": "Verificar otro dispositivo", "Verify other device": "Verificar otro dispositivo",
"Missing domain separator e.g. (:domain.org)": "Falta el separador de dominio, ej.: (:dominio.org)", "Missing domain separator e.g. (:domain.org)": "Falta el separador de dominio, ej.: (:dominio.org)",
"Expand map": "Expandir mapa", "Expand map": "Expandir mapa",
"Send reactions": "Enviar reacciones",
"Dial": "Llamar",
"Verify this device by confirming the following number appears on its screen.": "Verifica este dispositivo confirmando que el siguiente número aparece en pantalla.", "Verify this device by confirming the following number appears on its screen.": "Verifica este dispositivo confirmando que el siguiente número aparece en pantalla.",
"Confirm the emoji below are displayed on both devices, in the same order:": "Confirma que los siguientes emojis aparecen en los dos dispositivos y en el mismo orden:", "Confirm the emoji below are displayed on both devices, in the same order:": "Confirma que los siguientes emojis aparecen en los dos dispositivos y en el mismo orden:",
"Automatically send debug logs on decryption errors": "Enviar los registros de depuración automáticamente de fallos al descifrar", "Automatically send debug logs on decryption errors": "Enviar los registros de depuración automáticamente de fallos al descifrar",
@ -2540,8 +2446,6 @@
"Unpin this widget to view it in this panel": "Deja de fijar este accesorio para verlo en este panel", "Unpin this widget to view it in this panel": "Deja de fijar este accesorio para verlo en este panel",
"To proceed, please accept the verification request on your other device.": "Para continuar, acepta la solicitud de verificación en tu otro dispositivo.", "To proceed, please accept the verification request on your other device.": "Para continuar, acepta la solicitud de verificación en tu otro dispositivo.",
"You were removed from %(roomName)s by %(memberName)s": "%(memberName)s te ha sacado de %(roomName)s", "You were removed from %(roomName)s by %(memberName)s": "%(memberName)s te ha sacado de %(roomName)s",
"Remove users": "Sacar usuarios",
"Manage pinned events": "Gestionar eventos fijados",
"Get notified only with mentions and keywords as set up in your <a>settings</a>": "Recibir notificaciones solo cuando me mencionen o escriban una palabra vigilada configurada en los <a>ajustes</a>", "Get notified only with mentions and keywords as set up in your <a>settings</a>": "Recibir notificaciones solo cuando me mencionen o escriban una palabra vigilada configurada en los <a>ajustes</a>",
"Waiting for you to verify on your other device…": "Esperando a que verifiques en tu otro dispositivo…", "Waiting for you to verify on your other device…": "Esperando a que verifiques en tu otro dispositivo…",
"Waiting for you to verify on your other device, %(deviceName)s (%(deviceId)s)…": "Esperando a que verifiques en tu otro dispositivo, %(deviceName)s (%(deviceId)s)…", "Waiting for you to verify on your other device, %(deviceName)s (%(deviceId)s)…": "Esperando a que verifiques en tu otro dispositivo, %(deviceName)s (%(deviceId)s)…",
@ -2635,7 +2539,6 @@
"Sorry, you can't edit a poll after votes have been cast.": "Lo siento, no puedes editar una encuesta después de que alguien haya votado en ella.", "Sorry, you can't edit a poll after votes have been cast.": "Lo siento, no puedes editar una encuesta después de que alguien haya votado en ella.",
"Can't edit poll": "Encuesta no editable", "Can't edit poll": "Encuesta no editable",
"Open thread": "Abrir hilo", "Open thread": "Abrir hilo",
"Remove messages sent by me": "Borrar los mensajes enviados por mi",
"Group all your rooms that aren't part of a space in one place.": "Agrupa en un mismo sitio todas tus salas que no formen parte de un espacio.", "Group all your rooms that aren't part of a space in one place.": "Agrupa en un mismo sitio todas tus salas que no formen parte de un espacio.",
"Group all your people in one place.": "Agrupa a toda tu gente en un mismo sitio.", "Group all your people in one place.": "Agrupa a toda tu gente en un mismo sitio.",
"Group all your favourite rooms and people in one place.": "Agrupa en un mismo sitio todas tus salas y personas favoritas.", "Group all your favourite rooms and people in one place.": "Agrupa en un mismo sitio todas tus salas y personas favoritas.",
@ -2777,12 +2680,6 @@
"other": "%(count)s personas lo han visto" "other": "%(count)s personas lo han visto"
}, },
"Your password was successfully changed.": "Has cambiado tu contraseña.", "Your password was successfully changed.": "Has cambiado tu contraseña.",
"Turn on camera": "Encender cámara",
"Turn off camera": "Apagar cámara",
"Video devices": "Dispositivos de vídeo",
"Unmute microphone": "Activar micrófono",
"Mute microphone": "Silenciar micrófono",
"Audio devices": "Dispositivos de audio",
"If you want to retain access to your chat history in encrypted rooms, set up Key Backup or export your message keys from one of your other devices before proceeding.": "Si deseas mantener acceso a tu historial de conversación en salas encriptadas, configura copia de llaves o exporta tus claves de mensaje desde uno de tus otros dispositivos antes de proceder.", "If you want to retain access to your chat history in encrypted rooms, set up Key Backup or export your message keys from one of your other devices before proceeding.": "Si deseas mantener acceso a tu historial de conversación en salas encriptadas, configura copia de llaves o exporta tus claves de mensaje desde uno de tus otros dispositivos antes de proceder.",
"Signing out your devices will delete the message encryption keys stored on them, making encrypted chat history unreadable.": "Cerrar sesión en tus dispositivos causará que las claves de encriptado almacenadas en ellas se eliminen, haciendo que el historial de la conversación encriptada sea imposible de leer.", "Signing out your devices will delete the message encryption keys stored on them, making encrypted chat history unreadable.": "Cerrar sesión en tus dispositivos causará que las claves de encriptado almacenadas en ellas se eliminen, haciendo que el historial de la conversación encriptada sea imposible de leer.",
"You have been logged out of all devices and will no longer receive push notifications. To re-enable notifications, sign in again on each device.": "Se ha cerrado sesión en todos tus dispositivos y no recibirás más notificaciones. Para volver a habilitar las notificaciones, inicia sesión de nuevo en cada dispositivo.", "You have been logged out of all devices and will no longer receive push notifications. To re-enable notifications, sign in again on each device.": "Se ha cerrado sesión en todos tus dispositivos y no recibirás más notificaciones. Para volver a habilitar las notificaciones, inicia sesión de nuevo en cada dispositivo.",
@ -2979,14 +2876,8 @@
"URL": "URL", "URL": "URL",
"Rename session": "Renombrar sesión", "Rename session": "Renombrar sesión",
"Call type": "Tipo de llamada", "Call type": "Tipo de llamada",
"Join %(brand)s calls": "Unirte a llamadas de %(brand)s",
"Start %(brand)s calls": "Empezar llamadas de %(brand)s",
"Voice broadcasts": "Retransmisiones de voz",
"Enable notifications for this account": "Activar notificaciones para esta cuenta", "Enable notifications for this account": "Activar notificaciones para esta cuenta",
"Fill screen": "Llenar la pantalla",
"Sorry — this call is currently full": "Lo sentimos — la llamada está llena", "Sorry — this call is currently full": "Lo sentimos — la llamada está llena",
"Notifications silenced": "Notificaciones silenciadas",
"Video call started": "Videollamada iniciada",
"Unknown room": "Sala desconocida", "Unknown room": "Sala desconocida",
"Voice broadcast": "Retransmisión de voz", "Voice broadcast": "Retransmisión de voz",
"resume voice broadcast": "reanudar retransmisión de voz", "resume voice broadcast": "reanudar retransmisión de voz",
@ -3187,7 +3078,6 @@
"Set a new account password…": "Elige una contraseña para la cuenta…", "Set a new account password…": "Elige una contraseña para la cuenta…",
"Message from %(user)s": "Mensaje de %(user)s", "Message from %(user)s": "Mensaje de %(user)s",
"Change input device": "Cambiar dispositivo de entrada", "Change input device": "Cambiar dispositivo de entrada",
"You reacted %(reaction)s to %(message)s": "Reaccionaste %(reaction)s a %(message)s",
"Enable MSC3946 (to support late-arriving room archives)": "", "Enable MSC3946 (to support late-arriving room archives)": "",
"Try using %(server)s": "Probar a usar %(server)s", "Try using %(server)s": "Probar a usar %(server)s",
"common": { "common": {
@ -3271,7 +3161,11 @@
"server": "Servidor", "server": "Servidor",
"capabilities": "Funcionalidades", "capabilities": "Funcionalidades",
"unnamed_room": "Sala sin nombre", "unnamed_room": "Sala sin nombre",
"unnamed_space": "Espacio sin nombre" "unnamed_space": "Espacio sin nombre",
"stickerpack": "Paquete de pegatinas",
"system_alerts": "Alertas del sistema",
"secure_backup": "Copia de seguridad segura",
"cross_signing": "Firma cruzada"
}, },
"action": { "action": {
"continue": "Continuar", "continue": "Continuar",
@ -3441,7 +3335,14 @@
"format_decrease_indent": "Reducir sangría", "format_decrease_indent": "Reducir sangría",
"format_inline_code": "Código", "format_inline_code": "Código",
"format_code_block": "Bloque de código", "format_code_block": "Bloque de código",
"format_link": "Enlace" "format_link": "Enlace",
"send_button_title": "Enviar mensaje",
"placeholder_thread_encrypted": "Responder al hilo cifrado…",
"placeholder_thread": "Responder al hilo…",
"placeholder_reply_encrypted": "Enviar una respuesta cifrada…",
"placeholder_reply": "Enviar una respuesta…",
"placeholder_encrypted": "Enviar un mensaje cifrado…",
"placeholder": "Enviar un mensaje…"
}, },
"Bold": "Negrita", "Bold": "Negrita",
"Link": "Enlace", "Link": "Enlace",
@ -3464,7 +3365,11 @@
"send_logs": "Enviar registros", "send_logs": "Enviar registros",
"github_issue": "Incidencia de GitHub", "github_issue": "Incidencia de GitHub",
"download_logs": "Descargar registros", "download_logs": "Descargar registros",
"before_submitting": "Antes de enviar los registros debes <a>crear una incidencia en GitHub</a> describiendo el problema." "before_submitting": "Antes de enviar los registros debes <a>crear una incidencia en GitHub</a> describiendo el problema.",
"collecting_information": "Recolectando información de la versión de la aplicación",
"collecting_logs": "Recolectando registros",
"uploading_logs": "Subiendo registros",
"downloading_logs": "Descargando registros"
}, },
"time": { "time": {
"hours_minutes_seconds_left": "queda(n) %(hours)sh %(minutes)sm %(seconds)ss", "hours_minutes_seconds_left": "queda(n) %(hours)sh %(minutes)sm %(seconds)ss",
@ -3651,7 +3556,9 @@
"toolbox": "Caja de herramientas", "toolbox": "Caja de herramientas",
"developer_tools": "Herramientas de desarrollo", "developer_tools": "Herramientas de desarrollo",
"room_id": "ID de la sala: %(roomId)s", "room_id": "ID de la sala: %(roomId)s",
"event_id": "ID del evento: %(eventId)s" "event_id": "ID del evento: %(eventId)s",
"category_room": "Sala",
"category_other": "Otros"
}, },
"export_chat": { "export_chat": {
"html": "HTML", "html": "HTML",
@ -3805,6 +3712,9 @@
"other": "%(names)s y otros %(count)s están escribiendo…", "other": "%(names)s y otros %(count)s están escribiendo…",
"one": "%(names)s y otra persona están escribiendo…" "one": "%(names)s y otra persona están escribiendo…"
} }
},
"m.call.hangup": {
"dm": "La llamada ha terminado"
} }
}, },
"slash_command": { "slash_command": {
@ -3839,7 +3749,14 @@
"help": "Muestra lista de comandos con usos y descripciones", "help": "Muestra lista de comandos con usos y descripciones",
"whois": "Muestra información sobre un usuario", "whois": "Muestra información sobre un usuario",
"rageshake": "Enviar un informe de errores con los registros", "rageshake": "Enviar un informe de errores con los registros",
"msg": "Enviar un mensaje al usuario seleccionado" "msg": "Enviar un mensaje al usuario seleccionado",
"usage": "Uso",
"category_messages": "Mensajes",
"category_actions": "Acciones",
"category_admin": "Admin",
"category_advanced": "Avanzado",
"category_effects": "Efectos",
"category_other": "Otros"
}, },
"presence": { "presence": {
"busy": "Ocupado", "busy": "Ocupado",
@ -3853,5 +3770,107 @@
"offline": "Desconectado", "offline": "Desconectado",
"away": "Lejos" "away": "Lejos"
}, },
"Unknown": "Desconocido" "Unknown": "Desconocido",
"event_preview": {
"m.call.answer": {
"you": "Te has unido a la llamada",
"user": "%(senderName)s se ha unido a la llamada",
"dm": "Llamada en progreso"
},
"m.call.hangup": {
"you": "Has terminado la llamada",
"user": "%(senderName)s ha terminado la llamada"
},
"m.call.invite": {
"you": "Has iniciado una llamada",
"user": "%(senderName)s inicio una llamada",
"dm_send": "Esperado por una respuesta",
"dm_receive": "%(senderName)s está llamando"
},
"m.emote": "* %(senderName)s %(emote)s",
"m.text": "%(senderName)s: %(message)s",
"m.reaction": {
"you": "Reaccionaste %(reaction)s a %(message)s"
},
"m.sticker": "%(senderName)s: %(stickerName)s"
},
"voip": {
"disable_microphone": "Silenciar micrófono",
"enable_microphone": "Activar micrófono",
"disable_camera": "Apagar cámara",
"enable_camera": "Encender cámara",
"audio_devices": "Dispositivos de audio",
"video_devices": "Dispositivos de vídeo",
"dial": "Llamar",
"you_are_presenting": "Estás presentando",
"user_is_presenting": "%(sharerName)s está presentando",
"camera_disabled": "Tu cámara está apagada",
"camera_enabled": "Tu cámara todavía está encendida",
"consulting": "Consultando a %(transferTarget)s. <a>Transferir a %(transferee)s</a>",
"call_held_switch": "Has puesto esta llamada en espera <a>Volver</a>",
"call_held_resume": "Has puesto la llamada en espera <a>Recuperar</a>",
"call_held": "%(peerName)s ha puesto la llamada en espera",
"dialpad": "Teclado numérico",
"stop_screenshare": "Dejar de compartir la pantalla",
"start_screenshare": "Comparte tu pantalla",
"hangup": "Colgar",
"maximise": "Llenar la pantalla",
"expand": "Volver a la llamada",
"on_hold": "%(name)s está en espera",
"voice_call": "Llamada de voz",
"video_call": "Llamada de vídeo",
"video_call_started": "Videollamada iniciada",
"unsilence": "Sonido activado",
"silence": "Silenciar llamada",
"silenced": "Notificaciones silenciadas",
"unknown_caller": "Llamador desconocido",
"call_failed": "Llamada fallida",
"unable_to_access_microphone": "No se ha podido acceder al micrófono",
"call_failed_microphone": "La llamada ha fallado porque no se ha podido acceder al micrófono. Comprueba que tengas uno enchufado y configurado correctamente.",
"unable_to_access_media": "No se ha podido acceder a la cámara o micrófono",
"call_failed_media": "La llamada ha fallado porque no se ha podido acceder a la cámara o al micrófono. Comprueba que:",
"call_failed_media_connected": "El micrófono y cámara están enchufados y bien configurados",
"call_failed_media_permissions": "Se ha dado permiso al programa para acceder a la cámara",
"call_failed_media_applications": "No hay otra aplicación usando la cámara",
"already_in_call": "Ya en una llamada",
"already_in_call_person": "Ya estás en una llamada con esta persona.",
"unsupported": "Las llamadas no son compatibles",
"unsupported_browser": "No puedes llamar usando este navegador de internet."
},
"Messages": "Mensajes",
"Other": "Otros",
"Advanced": "Avanzado",
"room_settings": {
"permissions": {
"m.room.avatar_space": "Cambiar la imagen del espacio",
"m.room.avatar": "Cambiar el avatar de la sala",
"m.room.name_space": "Cambiar el nombre del espacio",
"m.room.name": "Cambiar el nombre de sala",
"m.room.canonical_alias_space": "Cambiar la dirección principal del espacio",
"m.room.canonical_alias": "Cambiar la dirección principal de la sala",
"m.space.child": "Gestionar las salas del espacio",
"m.room.history_visibility": "Cambiar la visibilidad del historial",
"m.room.power_levels": "Cambiar los permisos",
"m.room.topic_space": "Cambiar la descripción",
"m.room.topic": "Cambiar asunto",
"m.room.tombstone": "Actualizar la sala",
"m.room.encryption": "Activar cifrado para la sala",
"m.room.server_acl": "Cambiar los ACLs del servidor",
"m.reaction": "Enviar reacciones",
"m.room.redaction": "Borrar los mensajes enviados por mi",
"m.widget": "Modificar accesorios",
"io.element.voice_broadcast_info": "Retransmisiones de voz",
"m.room.pinned_events": "Gestionar eventos fijados",
"m.call": "Empezar llamadas de %(brand)s",
"m.call.member": "Unirte a llamadas de %(brand)s",
"users_default": "Rol por defecto",
"events_default": "Enviar mensajes",
"invite": "Invitar usuarios",
"state_default": "Cambiar la configuración",
"kick": "Sacar usuarios",
"ban": "Bloquear usuarios",
"redact": "Eliminar los mensajes enviados por otras personas",
"notifications.room": "Notificar a todo el mundo"
}
}
} }

View file

@ -4,7 +4,6 @@
"Add Email Address": "Lisa e-posti aadress", "Add Email Address": "Lisa e-posti aadress",
"Failed to verify email address: make sure you clicked the link in the email": "E-posti aadressi kontrollimine ei õnnestunud: palun vaata, et sa kindlasti klõpsisid saabunud kirjas olnud viidet", "Failed to verify email address: make sure you clicked the link in the email": "E-posti aadressi kontrollimine ei õnnestunud: palun vaata, et sa kindlasti klõpsisid saabunud kirjas olnud viidet",
"Unable to load! Check your network connectivity and try again.": "Laadimine ei õnnestunud! Kontrolli oma võrguühendust ja proovi uuesti.", "Unable to load! Check your network connectivity and try again.": "Laadimine ei õnnestunud! Kontrolli oma võrguühendust ja proovi uuesti.",
"Call Failed": "Kõne ebaõnnestus",
"Call failed due to misconfigured server": "Kõne ebaõnnestus valesti seadistatud serveri tõttu", "Call failed due to misconfigured server": "Kõne ebaõnnestus valesti seadistatud serveri tõttu",
"Send": "Saada", "Send": "Saada",
"Jan": "jaan", "Jan": "jaan",
@ -29,13 +28,6 @@
"For help with using %(brand)s, click <a>here</a> or start a chat with our bot using the button below.": "%(brand)s'i kasutamisega seotud abiteabe otsimiseks klõpsi <a>seda viidet</a> või vajutades järgnevat nuppu alusta vestlust meie robotiga.", "For help with using %(brand)s, click <a>here</a> or start a chat with our bot using the button below.": "%(brand)s'i kasutamisega seotud abiteabe otsimiseks klõpsi <a>seda viidet</a> või vajutades järgnevat nuppu alusta vestlust meie robotiga.",
"Chat with %(brand)s Bot": "Vestle %(brand)s'i robotiga", "Chat with %(brand)s Bot": "Vestle %(brand)s'i robotiga",
"Invite to this room": "Kutsu siia jututuppa", "Invite to this room": "Kutsu siia jututuppa",
"Voice call": "Häälkõne",
"Video call": "Videokõne",
"Hangup": "Katkesta kõne",
"Send an encrypted reply…": "Saada krüptitud vastus…",
"Send a reply…": "Saada vastus…",
"Send an encrypted message…": "Saada krüptitud sõnum…",
"Send a message…": "Saada sõnum…",
"The conversation continues here.": "Vestlus jätkub siin.", "The conversation continues here.": "Vestlus jätkub siin.",
"Direct Messages": "Isiklikud sõnumid", "Direct Messages": "Isiklikud sõnumid",
"Rooms": "Jututoad", "Rooms": "Jututoad",
@ -216,7 +208,6 @@
"Share room": "Jaga jututuba", "Share room": "Jaga jututuba",
"Low priority": "Vähetähtis", "Low priority": "Vähetähtis",
"Historical": "Ammune", "Historical": "Ammune",
"System Alerts": "Süsteemi teated",
"Could not find user in room": "Jututoast ei leidnud kasutajat", "Could not find user in room": "Jututoast ei leidnud kasutajat",
"New published address (e.g. #alias:server)": "Uus avaldatud aadess (näiteks #alias:server)", "New published address (e.g. #alias:server)": "Uus avaldatud aadess (näiteks #alias:server)",
"e.g. my-room": "näiteks minu-jututuba", "e.g. my-room": "näiteks minu-jututuba",
@ -301,7 +292,6 @@
"Email Address": "E-posti aadress", "Email Address": "E-posti aadress",
"A text message has been sent to +%(msisdn)s. Please enter the verification code it contains.": "Saatsime tekstisõnumi numbrile +%(msisdn)s. Palun sisesta seal kuvatud kontrollkood.", "A text message has been sent to +%(msisdn)s. Please enter the verification code it contains.": "Saatsime tekstisõnumi numbrile +%(msisdn)s. Palun sisesta seal kuvatud kontrollkood.",
"Phone Number": "Telefoninumber", "Phone Number": "Telefoninumber",
"Advanced": "Teave arendajatele",
"General": "Üldist", "General": "Üldist",
"Notifications": "Teavitused", "Notifications": "Teavitused",
"Security & Privacy": "Turvalisus ja privaatsus", "Security & Privacy": "Turvalisus ja privaatsus",
@ -317,7 +307,6 @@
"Room information": "Info jututoa kohta", "Room information": "Info jututoa kohta",
"Room version": "Jututoa versioon", "Room version": "Jututoa versioon",
"Room version:": "Jututoa versioon:", "Room version:": "Jututoa versioon:",
"Change room name": "Muuda jututoa nime",
"Roles & Permissions": "Rollid ja õigused", "Roles & Permissions": "Rollid ja õigused",
"Room Name": "Jututoa nimi", "Room Name": "Jututoa nimi",
"Room Topic": "Jututoa teema", "Room Topic": "Jututoa teema",
@ -387,7 +376,6 @@
"Enable widget screenshots on supported widgets": "Kui vidin seda toetab, siis luba tal teha ekraanitõmmiseid", "Enable widget screenshots on supported widgets": "Kui vidin seda toetab, siis luba tal teha ekraanitõmmiseid",
"Show hidden events in timeline": "Näita peidetud sündmusi ajajoonel", "Show hidden events in timeline": "Näita peidetud sündmusi ajajoonel",
"Composer": "Sõnumite kirjutamine", "Composer": "Sõnumite kirjutamine",
"Collecting logs": "Kogun logisid",
"Waiting for response from server": "Ootan serverilt vastust", "Waiting for response from server": "Ootan serverilt vastust",
"URL Previews": "URL'ide eelvaated", "URL Previews": "URL'ide eelvaated",
"You have <a>enabled</a> URL previews by default.": "Vaikimisi oled URL'ide eelvaated <a>võtnud kasutusele</a>.", "You have <a>enabled</a> URL previews by default.": "Vaikimisi oled URL'ide eelvaated <a>võtnud kasutusele</a>.",
@ -395,7 +383,6 @@
"URL previews are enabled by default for participants in this room.": "URL'ide eelvaated on vaikimisi kasutusel selles jututoas osalejate jaoks.", "URL previews are enabled by default for participants in this room.": "URL'ide eelvaated on vaikimisi kasutusel selles jututoas osalejate jaoks.",
"URL previews are disabled by default for participants in this room.": "URL'ide eelvaated on vaikimisi lülitatud välja selles jututoas osalejate jaoks.", "URL previews are disabled by default for participants in this room.": "URL'ide eelvaated on vaikimisi lülitatud välja selles jututoas osalejate jaoks.",
"Manually verify all remote sessions": "Verifitseeri käsitsi kõik välised sessioonid", "Manually verify all remote sessions": "Verifitseeri käsitsi kõik välised sessioonid",
"Collecting app version information": "Kogun teavet rakenduse versiooni kohta",
"The other party cancelled the verification.": "Teine osapool tühistas verifitseerimise.", "The other party cancelled the verification.": "Teine osapool tühistas verifitseerimise.",
"Verified!": "Verifitseeritud!", "Verified!": "Verifitseeritud!",
"You've successfully verified this user.": "Sa oled edukalt verifitseerinud selle kasutaja.", "You've successfully verified this user.": "Sa oled edukalt verifitseerinud selle kasutaja.",
@ -552,7 +539,6 @@
"Failed to connect to integration manager": "Ühendus integratsioonihalduriga ei õnnestunud", "Failed to connect to integration manager": "Ühendus integratsioonihalduriga ei õnnestunud",
"You don't currently have any stickerpacks enabled": "Sul pole ühtegi kleepsupakki kasutusel", "You don't currently have any stickerpacks enabled": "Sul pole ühtegi kleepsupakki kasutusel",
"Add some now": "Lisa nüüd mõned", "Add some now": "Lisa nüüd mõned",
"Stickerpack": "Kleepsupakk",
"Failed to revoke invite": "Kutse tühistamine ei õnnestunud", "Failed to revoke invite": "Kutse tühistamine ei õnnestunud",
"Could not revoke the invite. The server may be experiencing a temporary problem or you do not have sufficient permissions to revoke the invite.": "Kutse tühistamine ei õnnestunud. Serveri töös võib olla ajutine tõrge või sul pole piisavalt õigusi kutse tühistamiseks.", "Could not revoke the invite. The server may be experiencing a temporary problem or you do not have sufficient permissions to revoke the invite.": "Kutse tühistamine ei õnnestunud. Serveri töös võib olla ajutine tõrge või sul pole piisavalt õigusi kutse tühistamiseks.",
"Revoke invite": "Tühista kutse", "Revoke invite": "Tühista kutse",
@ -617,20 +603,6 @@
"Bridges": "Sõnumisillad", "Bridges": "Sõnumisillad",
"Room Addresses": "Jututubade aadressid", "Room Addresses": "Jututubade aadressid",
"Browse": "Sirvi", "Browse": "Sirvi",
"Change room avatar": "Muuda jututoa tunnuspilti ehk avatari",
"Change main address for the room": "Muuda jututoa põhiaadressi",
"Change history visibility": "Muuda vestlusajaloo nähtavust",
"Change permissions": "Muuda õigusi",
"Change topic": "Muuda teemat",
"Upgrade the room": "Uuenda jututuba uue versioonini",
"Enable room encryption": "Võta jututoas kasutusele krüptimine",
"Modify widgets": "Muuda vidinaid",
"Default role": "Vaikimisi roll",
"Send messages": "Saada sõnumeid",
"Invite users": "Kutsu kasutajaid",
"Change settings": "Muuda seadistusi",
"Ban users": "Määra kasutajatele suhtluskeeld",
"Notify everyone": "Teavita kõiki",
"No users have specific privileges in this room": "Mitte ühelgi kasutajal pole siin jututoas eelisõigusi", "No users have specific privileges in this room": "Mitte ühelgi kasutajal pole siin jututoas eelisõigusi",
"Privileged Users": "Eelisõigustega kasutajad", "Privileged Users": "Eelisõigustega kasutajad",
"Banned users": "Suhtluskeelu saanud kasutajad", "Banned users": "Suhtluskeelu saanud kasutajad",
@ -720,7 +692,6 @@
"Bulk options": "Masstoimingute seadistused", "Bulk options": "Masstoimingute seadistused",
"Accept all %(invitedRooms)s invites": "Võta vastu kõik %(invitedRooms)s kutsed", "Accept all %(invitedRooms)s invites": "Võta vastu kõik %(invitedRooms)s kutsed",
"Reject all %(invitedRooms)s invites": "Lükka tagasi kõik %(invitedRooms)s kutsed", "Reject all %(invitedRooms)s invites": "Lükka tagasi kõik %(invitedRooms)s kutsed",
"Cross-signing": "Risttunnustamine",
"Uploaded sound": "Üleslaaditud heli", "Uploaded sound": "Üleslaaditud heli",
"Sounds": "Helid", "Sounds": "Helid",
"Notification sound": "Teavitusheli", "Notification sound": "Teavitusheli",
@ -917,7 +888,6 @@
"Default": "Tavaline", "Default": "Tavaline",
"Restricted": "Piiratud õigustega kasutaja", "Restricted": "Piiratud õigustega kasutaja",
"Moderator": "Moderaator", "Moderator": "Moderaator",
"Admin": "Peakasutaja",
"Failed to invite": "Kutse saatmine ei õnnestunud", "Failed to invite": "Kutse saatmine ei õnnestunud",
"Operation failed": "Toiming ei õnnestunud", "Operation failed": "Toiming ei õnnestunud",
"You need to be logged in.": "Sa peaksid olema sisse loginud.", "You need to be logged in.": "Sa peaksid olema sisse loginud.",
@ -932,20 +902,6 @@
"Missing room_id in request": "Päringus puudub jututoa tunnus ehk room_id", "Missing room_id in request": "Päringus puudub jututoa tunnus ehk room_id",
"Room %(roomId)s not visible": "Jututuba %(roomId)s ei ole nähtav", "Room %(roomId)s not visible": "Jututuba %(roomId)s ei ole nähtav",
"Missing user_id in request": "Päringus puudub kasutaja tunnus ehk user_id", "Missing user_id in request": "Päringus puudub kasutaja tunnus ehk user_id",
"Messages": "Sõnumid",
"Actions": "Tegevused",
"Other": "Muud",
"Usage": "Kasutus",
"You joined the call": "Sina liitusid kõnega",
"%(senderName)s joined the call": "%(senderName)s liitus kõnega",
"Call in progress": "Kõne on pooleli",
"Call ended": "Kõne lõppes",
"You started a call": "Sa alustasid kõnet",
"%(senderName)s started a call": "%(senderName)s alustas kõnet",
"Waiting for answer": "Ootan kõnele vastamist",
"%(senderName)s is calling": "%(senderName)s helistab",
"%(senderName)s: %(message)s": "%(senderName)s: %(message)s",
"%(senderName)s: %(stickerName)s": "%(senderName)s: %(stickerName)s",
"Use custom size": "Kasuta kohandatud suurust", "Use custom size": "Kasuta kohandatud suurust",
"Cross-signing public keys:": "Avalikud võtmed risttunnustamise jaoks:", "Cross-signing public keys:": "Avalikud võtmed risttunnustamise jaoks:",
"in memory": "on mälus", "in memory": "on mälus",
@ -1026,7 +982,6 @@
"Ok": "Sobib", "Ok": "Sobib",
"IRC display name width": "IRC kuvatava nime laius", "IRC display name width": "IRC kuvatava nime laius",
"My Ban List": "Minu poolt seatud ligipääsukeeldude loend", "My Ban List": "Minu poolt seatud ligipääsukeeldude loend",
"Unknown caller": "Tundmatu helistaja",
"This bridge was provisioned by <user />.": "Selle võrgusilla võttis kasutusele <user />.", "This bridge was provisioned by <user />.": "Selle võrgusilla võttis kasutusele <user />.",
"This bridge is managed by <user />.": "Seda võrgusilda haldab <user />.", "This bridge is managed by <user />.": "Seda võrgusilda haldab <user />.",
"Export E2E room keys": "Ekspordi jututubade läbiva krüptimise võtmed", "Export E2E room keys": "Ekspordi jututubade läbiva krüptimise võtmed",
@ -1371,7 +1326,6 @@
"Unable to create key backup": "Ei õnnestu teha võtmetest varukoopiat", "Unable to create key backup": "Ei õnnestu teha võtmetest varukoopiat",
"New Recovery Method": "Uus taastamise meetod", "New Recovery Method": "Uus taastamise meetod",
"This session is encrypting history using the new recovery method.": "See sessioon krüptib ajalugu kasutades uut taastamise meetodit.", "This session is encrypting history using the new recovery method.": "See sessioon krüptib ajalugu kasutades uut taastamise meetodit.",
"* %(senderName)s %(emote)s": "* %(senderName)s %(emote)s",
"Notification targets": "Teavituste eesmärgid", "Notification targets": "Teavituste eesmärgid",
"Disconnecting from your identity server will mean you won't be discoverable by other users and you won't be able to invite others by email or phone.": "Isikutuvastusserveri kasutamise lõpetamine tähendab, et sa ei ole leitav teiste kasutajate poolt ega sulle ei saa telefoninumbri või e-posti aadressi alusel kutset saata. Küll aga saab kutset saata Matrix'i kasutajatunnuse alusel.", "Disconnecting from your identity server will mean you won't be discoverable by other users and you won't be able to invite others by email or phone.": "Isikutuvastusserveri kasutamise lõpetamine tähendab, et sa ei ole leitav teiste kasutajate poolt ega sulle ei saa telefoninumbri või e-posti aadressi alusel kutset saata. Küll aga saab kutset saata Matrix'i kasutajatunnuse alusel.",
"To avoid losing your chat history, you must export your room keys before logging out. You will need to go back to the newer version of %(brand)s to do this": "Selleks, et sa ei kaotaks oma vestluste ajalugu, pead sa eksportima jututoa krüptovõtmed enne välja logimist. Küll, aga pead sa selleks kasutama %(brand)s uuemat versiooni", "To avoid losing your chat history, you must export your room keys before logging out. You will need to go back to the newer version of %(brand)s to do this": "Selleks, et sa ei kaotaks oma vestluste ajalugu, pead sa eksportima jututoa krüptovõtmed enne välja logimist. Küll, aga pead sa selleks kasutama %(brand)s uuemat versiooni",
@ -1401,8 +1355,6 @@
"If the other version of %(brand)s is still open in another tab, please close it as using %(brand)s on the same host with both lazy loading enabled and disabled simultaneously will cause issues.": "Kui %(brand)s teine versioon on mõnel teisel vahekaardil endiselt avatud, palun sulge see. %(brand)s kasutamine samal serveril põhjustab vigu olukorras, kus laisk laadimine on samal ajal lubatud ja keelatud.", "If the other version of %(brand)s is still open in another tab, please close it as using %(brand)s on the same host with both lazy loading enabled and disabled simultaneously will cause issues.": "Kui %(brand)s teine versioon on mõnel teisel vahekaardil endiselt avatud, palun sulge see. %(brand)s kasutamine samal serveril põhjustab vigu olukorras, kus laisk laadimine on samal ajal lubatud ja keelatud.",
"Data from an older version of %(brand)s has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "%(brand)s vanema versiooni andmed on tuvastatud. See kindlasti põhjustab läbiva krüptimise tõrke vanemas versioonis. Läbivalt krüptitud sõnumid, mida on vanema versiooni kasutamise ajal hiljuti vahetatud, ei pruugi selles versioonis olla dekrüptitavad. See võib põhjustada vigu ka selle versiooniga saadetud sõnumite lugemisel. Kui teil tekib probleeme, logige välja ja uuesti sisse. Sõnumite ajaloo säilitamiseks eksportige ja uuesti importige oma krüptovõtmed.", "Data from an older version of %(brand)s has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "%(brand)s vanema versiooni andmed on tuvastatud. See kindlasti põhjustab läbiva krüptimise tõrke vanemas versioonis. Läbivalt krüptitud sõnumid, mida on vanema versiooni kasutamise ajal hiljuti vahetatud, ei pruugi selles versioonis olla dekrüptitavad. See võib põhjustada vigu ka selle versiooniga saadetud sõnumite lugemisel. Kui teil tekib probleeme, logige välja ja uuesti sisse. Sõnumite ajaloo säilitamiseks eksportige ja uuesti importige oma krüptovõtmed.",
"Navigation": "Navigeerimine", "Navigation": "Navigeerimine",
"Uploading logs": "Laadin logisid üles",
"Downloading logs": "Laadin logisid alla",
"Preparing to download logs": "Valmistun logikirjete allalaadimiseks", "Preparing to download logs": "Valmistun logikirjete allalaadimiseks",
"Unexpected server error trying to leave the room": "Jututoast lahkumisel tekkis serveris ootamatu viga", "Unexpected server error trying to leave the room": "Jututoast lahkumisel tekkis serveris ootamatu viga",
"Error leaving room": "Viga jututoast lahkumisel", "Error leaving room": "Viga jututoast lahkumisel",
@ -1424,7 +1376,6 @@
"Secret storage:": "Turvahoidla:", "Secret storage:": "Turvahoidla:",
"ready": "valmis", "ready": "valmis",
"not ready": "ei ole valmis", "not ready": "ei ole valmis",
"Secure Backup": "Turvaline varundus",
"Start a conversation with someone using their name or username (like <userId/>).": "Alusta vestlust kasutades teise osapoole nime või kasutajanime (näiteks <userId/>).", "Start a conversation with someone using their name or username (like <userId/>).": "Alusta vestlust kasutades teise osapoole nime või kasutajanime (näiteks <userId/>).",
"Invite someone using their name, username (like <userId/>) or <a>share this room</a>.": "Kutsu kedagi tema nime, kasutajanime (nagu <userId/>) alusel või <a>jaga seda jututuba</a>.", "Invite someone using their name, username (like <userId/>) or <a>share this room</a>.": "Kutsu kedagi tema nime, kasutajanime (nagu <userId/>) alusel või <a>jaga seda jututuba</a>.",
"Safeguard against losing access to encrypted messages & data": "Hoia ära, et kaotad ligipääsu krüptitud sõnumitele ja andmetele", "Safeguard against losing access to encrypted messages & data": "Hoia ära, et kaotad ligipääsu krüptitud sõnumitele ja andmetele",
@ -1444,7 +1395,6 @@
"Video conference updated by %(senderName)s": "%(senderName)s uuendas video rühmakõne", "Video conference updated by %(senderName)s": "%(senderName)s uuendas video rühmakõne",
"Video conference started by %(senderName)s": "%(senderName)s alustas video rühmakõnet", "Video conference started by %(senderName)s": "%(senderName)s alustas video rühmakõnet",
"Ignored attempt to disable encryption": "Eirasin katset lõpetada krüptimise kasutamine", "Ignored attempt to disable encryption": "Eirasin katset lõpetada krüptimise kasutamine",
"Remove messages sent by others": "Kustuta teiste saadetud sõnumid",
"Failed to save your profile": "Sinu profiili salvestamine ei õnnestunud", "Failed to save your profile": "Sinu profiili salvestamine ei õnnestunud",
"The operation could not be completed": "Toimingut ei õnnestunud lõpetada", "The operation could not be completed": "Toimingut ei õnnestunud lõpetada",
"The call could not be established": "Kõnet ei saa korraldada", "The call could not be established": "Kõnet ei saa korraldada",
@ -1465,8 +1415,6 @@
"Please view <existingIssuesLink>existing bugs on Github</existingIssuesLink> first. No match? <newIssueLink>Start a new one</newIssueLink>.": "Palun esmalt vaata, kas <existingIssuesLink>Githubis on selline viga juba kirjeldatud</existingIssuesLink>. Sa ei leidnud midagi? <newIssueLink>Siis saada uus veateade</newIssueLink>.", "Please view <existingIssuesLink>existing bugs on Github</existingIssuesLink> first. No match? <newIssueLink>Start a new one</newIssueLink>.": "Palun esmalt vaata, kas <existingIssuesLink>Githubis on selline viga juba kirjeldatud</existingIssuesLink>. Sa ei leidnud midagi? <newIssueLink>Siis saada uus veateade</newIssueLink>.",
"Comment": "Kommentaar", "Comment": "Kommentaar",
"Feedback sent": "Tagasiside on saadetud", "Feedback sent": "Tagasiside on saadetud",
"%(senderName)s ended the call": "%(senderName)s lõpetas kõne",
"You ended the call": "Sina lõpetasid kõne",
"Welcome %(name)s": "Tere tulemast, %(name)s", "Welcome %(name)s": "Tere tulemast, %(name)s",
"Add a photo so people know it's you.": "Enda tutvustamiseks lisa foto.", "Add a photo so people know it's you.": "Enda tutvustamiseks lisa foto.",
"Great, that'll help people know it's you": "Suurepärane, nüüd teised teavad et tegemist on sinuga", "Great, that'll help people know it's you": "Suurepärane, nüüd teised teavad et tegemist on sinuga",
@ -1784,7 +1732,6 @@
"See <b>%(eventType)s</b> events posted to this room": "Vaata siia jututuppa saadetud <b>%(eventType)s</b> sündmusi", "See <b>%(eventType)s</b> events posted to this room": "Vaata siia jututuppa saadetud <b>%(eventType)s</b> sündmusi",
"Enter phone number": "Sisesta telefoninumber", "Enter phone number": "Sisesta telefoninumber",
"Enter email address": "Sisesta e-posti aadress", "Enter email address": "Sisesta e-posti aadress",
"Return to call": "Pöördu tagasi kõne juurde",
"See <b>%(msgtype)s</b> messages posted to your active room": "Näha sinu aktiivsesse jututuppa saadetud <b>%(msgtype)s</b> sõnumeid", "See <b>%(msgtype)s</b> messages posted to your active room": "Näha sinu aktiivsesse jututuppa saadetud <b>%(msgtype)s</b> sõnumeid",
"See <b>%(msgtype)s</b> messages posted to this room": "Näha sellesse jututuppa saadetud <b>%(msgtype)s</b> sõnumeid", "See <b>%(msgtype)s</b> messages posted to this room": "Näha sellesse jututuppa saadetud <b>%(msgtype)s</b> sõnumeid",
"Send <b>%(msgtype)s</b> messages as you in your active room": "Saata sinu nimel <b>%(msgtype)s</b> sõnumeid sinu aktiivsesse jututuppa", "Send <b>%(msgtype)s</b> messages as you in your active room": "Saata sinu nimel <b>%(msgtype)s</b> sõnumeid sinu aktiivsesse jututuppa",
@ -1808,11 +1755,6 @@
"See text messages posted to your active room": "Vaata tekstisõnumeid oma aktiivses jututoas", "See text messages posted to your active room": "Vaata tekstisõnumeid oma aktiivses jututoas",
"New here? <a>Create an account</a>": "Täitsa uus asi sinu jaoks? <a>Loo omale kasutajakonto</a>", "New here? <a>Create an account</a>": "Täitsa uus asi sinu jaoks? <a>Loo omale kasutajakonto</a>",
"Got an account? <a>Sign in</a>": "Sul on kasutajakonto olemas? <a>Siis logi sisse</a>", "Got an account? <a>Sign in</a>": "Sul on kasutajakonto olemas? <a>Siis logi sisse</a>",
"No other application is using the webcam": "Ainsamgi muu rakendus ei kasuta veebikaamerat",
"Permission is granted to use the webcam": "Rakendusel õigus veebikaamerat kasutada",
"A microphone and webcam are plugged in and set up correctly": "Veebikaamera ja mikrofon oleks ühendatud ja seadistatud",
"Unable to access webcam / microphone": "Puudub ligipääs veebikaamerale ja mikrofonile",
"Unable to access microphone": "Puudub ligipääs mikrofonile",
"Continuing without email": "Jätka ilma e-posti aadressi seadistamiseta", "Continuing without email": "Jätka ilma e-posti aadressi seadistamiseta",
"Continue with %(provider)s": "Jätka %(provider)s kasutamist", "Continue with %(provider)s": "Jätka %(provider)s kasutamist",
"Server Options": "Serveri seadistused", "Server Options": "Serveri seadistused",
@ -1836,21 +1778,14 @@
"Reason (optional)": "Põhjus (kui soovid lisada)", "Reason (optional)": "Põhjus (kui soovid lisada)",
"Invalid URL": "Vigane aadress", "Invalid URL": "Vigane aadress",
"Unable to validate homeserver": "Koduserveri õigsust ei õnnestunud kontrollida", "Unable to validate homeserver": "Koduserveri õigsust ei õnnestunud kontrollida",
"Call failed because webcam or microphone could not be accessed. Check that:": "Kuna veebikaamerat või mikrofoni kasutada ei saanud, siis kõne ei õnnestunud. Palun kontrolli, et:",
"Call failed because microphone could not be accessed. Check that a microphone is plugged in and set up correctly.": "Kuna mikrofoni kasutada ei saanud, siis kõne ei õnnestunud. Palun kontrolli, et mikrofon oleks ühendatud ja seadistatud.",
"sends confetti": "saatis serpentiine", "sends confetti": "saatis serpentiine",
"Sends the given message with confetti": "Lisab sellele sõnumile serpentiine", "Sends the given message with confetti": "Lisab sellele sõnumile serpentiine",
"Effects": "Vahvad täiendused",
"Hold": "Pane ootele", "Hold": "Pane ootele",
"Resume": "Jätka", "Resume": "Jätka",
"%(peerName)s held the call": "%(peerName)s pani kõne ootele",
"You held the call <a>Resume</a>": "Sa panid kõne ootele. <a>Jätka kõnet</a>",
"You've reached the maximum number of simultaneous calls.": "Oled jõudnud suurima lubatud samaaegsete kõnede arvuni.", "You've reached the maximum number of simultaneous calls.": "Oled jõudnud suurima lubatud samaaegsete kõnede arvuni.",
"Too Many Calls": "Liiga palju kõnesid", "Too Many Calls": "Liiga palju kõnesid",
"sends fireworks": "saadab ilutulestiku", "sends fireworks": "saadab ilutulestiku",
"Sends the given message with fireworks": "Lisab sellele sõnumile ilutulestiku", "Sends the given message with fireworks": "Lisab sellele sõnumile ilutulestiku",
"You held the call <a>Switch</a>": "Sa panid kõne ootele <a>Lülita tagasi</a>",
"%(name)s on hold": "%(name)s on ootel",
"sends snowfall": "saadab lumesaju", "sends snowfall": "saadab lumesaju",
"Sends the given message with snowfall": "Saadab antud sõnumi koos lumesajuga", "Sends the given message with snowfall": "Saadab antud sõnumi koos lumesajuga",
"You have no visible notifications.": "Sul pole nähtavaid teavitusi.", "You have no visible notifications.": "Sul pole nähtavaid teavitusi.",
@ -1898,8 +1833,6 @@
"We couldn't log you in": "Meil ei õnnestunud sind sisse logida", "We couldn't log you in": "Meil ei õnnestunud sind sisse logida",
"Recently visited rooms": "Hiljuti külastatud jututoad", "Recently visited rooms": "Hiljuti külastatud jututoad",
"This homeserver has been blocked by its administrator.": "Ligipääs sellele koduserverile on sinu serveri haldaja poolt blokeeritud.", "This homeserver has been blocked by its administrator.": "Ligipääs sellele koduserverile on sinu serveri haldaja poolt blokeeritud.",
"You're already in a call with this person.": "Sinul juba kõne käsil selle osapoolega.",
"Already in call": "Kõne on juba pooleli",
"Are you sure you want to leave the space '%(spaceName)s'?": "Kas oled kindel, et soovid lahkuda kogukonnakeskusest „%(spaceName)s“?", "Are you sure you want to leave the space '%(spaceName)s'?": "Kas oled kindel, et soovid lahkuda kogukonnakeskusest „%(spaceName)s“?",
"This space is not public. You will not be able to rejoin without an invite.": "See ei ole avalik kogukonnakeskus. Ilma kutseta sa ei saa uuesti liituda.", "This space is not public. You will not be able to rejoin without an invite.": "See ei ole avalik kogukonnakeskus. Ilma kutseta sa ei saa uuesti liituda.",
"Start audio stream": "Käivita audiovoog", "Start audio stream": "Käivita audiovoog",
@ -1921,7 +1854,6 @@
"You do not have permissions to add rooms to this space": "Sul pole õigusi siia kogukonnakeskusesse lisada jututubasid", "You do not have permissions to add rooms to this space": "Sul pole õigusi siia kogukonnakeskusesse lisada jututubasid",
"Add existing room": "Lisa olemasolev jututuba", "Add existing room": "Lisa olemasolev jututuba",
"You do not have permissions to create new rooms in this space": "Sul pole õigusi luua siin kogukonnakeskuses uusi jututubasid", "You do not have permissions to create new rooms in this space": "Sul pole õigusi luua siin kogukonnakeskuses uusi jututubasid",
"Send message": "Saada sõnum",
"Invite to this space": "Kutsu siia kogukonnakeskusesse", "Invite to this space": "Kutsu siia kogukonnakeskusesse",
"Your message was sent": "Sinu sõnum sai saadetud", "Your message was sent": "Sinu sõnum sai saadetud",
"Space options": "Kogukonnakeskus eelistused", "Space options": "Kogukonnakeskus eelistused",
@ -1994,7 +1926,6 @@
"Consult first": "Pea esmalt nõu", "Consult first": "Pea esmalt nõu",
"Reset event store?": "Kas lähtestame sündmuste andmekogu?", "Reset event store?": "Kas lähtestame sündmuste andmekogu?",
"Reset event store": "Lähtesta sündmuste andmekogu", "Reset event store": "Lähtesta sündmuste andmekogu",
"Consulting with %(transferTarget)s. <a>Transfer to %(transferee)s</a>": "Suhtlen teise osapoolega %(transferTarget)s. <a>Saadan andmeid kasutajale %(transferee)s</a>",
"Avatar": "Tunnuspilt", "Avatar": "Tunnuspilt",
"Verification requested": "Verifitseerimistaotlus on saadetud", "Verification requested": "Verifitseerimistaotlus on saadetud",
"You most likely do not want to reset your event index store": "Pigem sa siiski ei taha lähtestada sündmuste andmekogu ja selle indeksit", "You most likely do not want to reset your event index store": "Pigem sa siiski ei taha lähtestada sündmuste andmekogu ja selle indeksit",
@ -2009,7 +1940,6 @@
"Forgotten or lost all recovery methods? <a>Reset all</a>": "Unustasid või oled kaotanud kõik võimalused ligipääsu taastamiseks? <a>Lähtesta kõik ühe korraga</a>", "Forgotten or lost all recovery methods? <a>Reset all</a>": "Unustasid või oled kaotanud kõik võimalused ligipääsu taastamiseks? <a>Lähtesta kõik ühe korraga</a>",
"If you do, please note that none of your messages will be deleted, but the search experience might be degraded for a few moments whilst the index is recreated": "Kui sa siiski soovid seda teha, siis sinu sõnumeid me ei kustuta, aga seniks kuni sõnumite indeks taustal uuesti luuakse, toimib otsing aeglaselt ja ebatõhusalt", "If you do, please note that none of your messages will be deleted, but the search experience might be degraded for a few moments whilst the index is recreated": "Kui sa siiski soovid seda teha, siis sinu sõnumeid me ei kustuta, aga seniks kuni sõnumite indeks taustal uuesti luuakse, toimib otsing aeglaselt ja ebatõhusalt",
"View message": "Vaata sõnumit", "View message": "Vaata sõnumit",
"Change server ACLs": "Muuda serveri ligipääsuõigusi",
"You can select all or individual messages to retry or delete": "Sa võid valida kas kõik või mõned sõnumid kas kustutamiseks või uuesti saatmiseks", "You can select all or individual messages to retry or delete": "Sa võid valida kas kõik või mõned sõnumid kas kustutamiseks või uuesti saatmiseks",
"Sending": "Saadan", "Sending": "Saadan",
"Retry all": "Proovi kõikidega uuesti", "Retry all": "Proovi kõikidega uuesti",
@ -2079,8 +2009,6 @@
"Failed to update the visibility of this space": "Kogukonnakeskuse nähtavust ei õnnestunud uuendada", "Failed to update the visibility of this space": "Kogukonnakeskuse nähtavust ei õnnestunud uuendada",
"Address": "Aadress", "Address": "Aadress",
"e.g. my-space": "näiteks minu kogukond", "e.g. my-space": "näiteks minu kogukond",
"Silence call": "Vaigista kõne",
"Sound on": "Lõlita heli sisse",
"To publish an address, it needs to be set as a local address first.": "Aadressi avaldamiseks peab ta esmalt olema määratud kohalikuks aadressiks.", "To publish an address, it needs to be set as a local address first.": "Aadressi avaldamiseks peab ta esmalt olema määratud kohalikuks aadressiks.",
"Published addresses can be used by anyone on any server to join your room.": "Avaldatud aadresse saab igaüks igast serverist kasutada liitumiseks sinu jututoaga.", "Published addresses can be used by anyone on any server to join your room.": "Avaldatud aadresse saab igaüks igast serverist kasutada liitumiseks sinu jututoaga.",
"Published addresses can be used by anyone on any server to join your space.": "Avaldatud aadresse saab igaüks igast serverist kasutada liitumiseks sinu kogukonnakeskusega.", "Published addresses can be used by anyone on any server to join your space.": "Avaldatud aadresse saab igaüks igast serverist kasutada liitumiseks sinu kogukonnakeskusega.",
@ -2176,10 +2104,6 @@
"Everyone in <SpaceName/> will be able to find and join this room.": "Kõik <SpaceName/> kogukonna liikmed saavad seda jututuba leida ning võivad temaga liituda.", "Everyone in <SpaceName/> will be able to find and join this room.": "Kõik <SpaceName/> kogukonna liikmed saavad seda jututuba leida ning võivad temaga liituda.",
"You can change this at any time from room settings.": "Sa saad seda alati jututoa seadistustest muuta.", "You can change this at any time from room settings.": "Sa saad seda alati jututoa seadistustest muuta.",
"Anyone will be able to find and join this room, not just members of <SpaceName/>.": "Mitte ainult <SpaceName/> kogukonna liikmed, vaid kõik saavad seda jututuba leida ja võivad temaga liituda.", "Anyone will be able to find and join this room, not just members of <SpaceName/>.": "Mitte ainult <SpaceName/> kogukonna liikmed, vaid kõik saavad seda jututuba leida ja võivad temaga liituda.",
"You are presenting": "Sina esitad",
"%(sharerName)s is presenting": "%(sharerName)s esitab",
"Your camera is turned off": "Sinu seadme kaamera on välja lülitatud",
"Your camera is still enabled": "Sinu seadme kaamera on jätkuvalt kasutusel",
"Share entire screen": "Jaga tervet ekraani", "Share entire screen": "Jaga tervet ekraani",
"Application window": "Rakenduse aken", "Application window": "Rakenduse aken",
"Share content": "Jaga sisu", "Share content": "Jaga sisu",
@ -2207,16 +2131,9 @@
"Missed call": "Vastamata kõne", "Missed call": "Vastamata kõne",
"Send voice message": "Saada häälsõnum", "Send voice message": "Saada häälsõnum",
"Stop recording": "Lõpeta salvestamine", "Stop recording": "Lõpeta salvestamine",
"Start the camera": "Võta kaamera kasutusele",
"Stop the camera": "Lõpeta kaamera kasutamine",
"Stop sharing your screen": "Lõpeta oma seadme ekraani jagamine",
"Start sharing your screen": "Alusta oma seadme ekraani jagamist",
"Hide sidebar": "Peida külgpaan", "Hide sidebar": "Peida külgpaan",
"Show sidebar": "Näita külgpaani", "Show sidebar": "Näita külgpaani",
"More": "Veel", "More": "Veel",
"Dialpad": "Numbriklahvistik",
"Unmute the microphone": "Eemalda mikrofoni summutamine",
"Mute the microphone": "Summuta mikrofon",
"Add space": "Lisa kogukonnakeskus", "Add space": "Lisa kogukonnakeskus",
"Olm version:": "Olm-teegi versioon:", "Olm version:": "Olm-teegi versioon:",
"Delete avatar": "Kustuta tunnuspilt", "Delete avatar": "Kustuta tunnuspilt",
@ -2261,17 +2178,11 @@
"The above, but in <Room /> as well": "Ülaltoodu, aga samuti <Room /> jututoas", "The above, but in <Room /> as well": "Ülaltoodu, aga samuti <Room /> jututoas",
"Some encryption parameters have been changed.": "Mõned krüptimise parameetrid on muutunud.", "Some encryption parameters have been changed.": "Mõned krüptimise parameetrid on muutunud.",
"Role in <RoomName/>": "Roll jututoas <RoomName/>", "Role in <RoomName/>": "Roll jututoas <RoomName/>",
"Reply to encrypted thread…": "Vasta krüptitud jutulõngas…",
"Reply to thread…": "Vasta jutulõngas…",
"Send a sticker": "Saada kleeps", "Send a sticker": "Saada kleeps",
"Unknown failure": "Määratlemata viga", "Unknown failure": "Määratlemata viga",
"Failed to update the join rules": "Liitumisreeglite uuendamine ei õnnestunud", "Failed to update the join rules": "Liitumisreeglite uuendamine ei õnnestunud",
"Anyone in <spaceName/> can find and join. You can select other spaces too.": "Kõik <spaceName/> kogukonnakeskuse liikmed saavad leida ja liituda. Sa võid valida ka muid kogukonnakeskuseid.", "Anyone in <spaceName/> can find and join. You can select other spaces too.": "Kõik <spaceName/> kogukonnakeskuse liikmed saavad leida ja liituda. Sa võid valida ka muid kogukonnakeskuseid.",
"Select the roles required to change various parts of the space": "Vali rollid, mis on vajalikud kogukonna eri osade muutmiseks", "Select the roles required to change various parts of the space": "Vali rollid, mis on vajalikud kogukonna eri osade muutmiseks",
"Change description": "Muuda kirjeldust",
"Change main address for the space": "Muuda kogukonna põhiaadressi",
"Change space name": "Muuda kogukonna nime",
"Change space avatar": "Muuda kogukonna tunnuspilti",
"Displaying time": "Aegade kuvamine", "Displaying time": "Aegade kuvamine",
"Message didn't send. Click for info.": "Sõnum jäi saatmata. Lisateabe saamiseks klõpsi.", "Message didn't send. Click for info.": "Sõnum jäi saatmata. Lisateabe saamiseks klõpsi.",
"To join a space you'll need an invite.": "Kogukonnakeskusega liitumiseks vajad kutset.", "To join a space you'll need an invite.": "Kogukonnakeskusega liitumiseks vajad kutset.",
@ -2401,7 +2312,6 @@
"Show all threads": "Näita kõiki jutulõngasid", "Show all threads": "Näita kõiki jutulõngasid",
"Keep discussions organised with threads": "Halda vestlusi jutulõngadena", "Keep discussions organised with threads": "Halda vestlusi jutulõngadena",
"Reply in thread": "Vasta jutulõngas", "Reply in thread": "Vasta jutulõngas",
"Manage rooms in this space": "Halda selle kogukonnakeskuse jututube",
"Rooms outside of a space": "Jututoad väljaspool seda kogukonda", "Rooms outside of a space": "Jututoad väljaspool seda kogukonda",
"Mentions only": "Ainult mainimised", "Mentions only": "Ainult mainimised",
"Forget": "Unusta", "Forget": "Unusta",
@ -2456,8 +2366,6 @@
"That's fine": "Sobib", "That's fine": "Sobib",
"You cannot place calls without a connection to the server.": "Kui ühendus sinu serveriga on katkenud, siis sa ei saa helistada.", "You cannot place calls without a connection to the server.": "Kui ühendus sinu serveriga on katkenud, siis sa ei saa helistada.",
"Connectivity to the server has been lost": "Ühendus sinu serveriga on katkenud", "Connectivity to the server has been lost": "Ühendus sinu serveriga on katkenud",
"You cannot place calls in this browser.": "Selle veebibrauseriga sa ei saa helistada.",
"Calls are unsupported": "Kõneteenus ei ole toetatud",
"Toggle space panel": "Lülita kogukondade riba sisse/välja", "Toggle space panel": "Lülita kogukondade riba sisse/välja",
"You can turn this off anytime in settings": "Seadistustest saad alati määrata, et see funktsionaalsus pole kasutusel", "You can turn this off anytime in settings": "Seadistustest saad alati määrata, et see funktsionaalsus pole kasutusel",
"We <Bold>don't</Bold> share information with third parties": "Meie <Bold>ei</Bold> jaga teavet kolmandate osapooltega", "We <Bold>don't</Bold> share information with third parties": "Meie <Bold>ei</Bold> jaga teavet kolmandate osapooltega",
@ -2470,7 +2378,6 @@
"No votes cast": "Hääletanuid ei ole", "No votes cast": "Hääletanuid ei ole",
"Chat": "Vestle", "Chat": "Vestle",
"Share location": "Jaga asukohta", "Share location": "Jaga asukohta",
"Manage pinned events": "Halda klammerdatud sündmusi",
"Share anonymous data to help us identify issues. Nothing personal. No third parties.": "Võimalike vigade leidmiseks jaga meiega anonüümseid andmeid. Isiklikku teavet meie ei kogu ega jaga mitte midagi kolmandate osapooltega.", "Share anonymous data to help us identify issues. Nothing personal. No third parties.": "Võimalike vigade leidmiseks jaga meiega anonüümseid andmeid. Isiklikku teavet meie ei kogu ega jaga mitte midagi kolmandate osapooltega.",
"Share anonymous data to help us identify issues. Nothing personal. No third parties. <LearnMoreLink>Learn More</LearnMoreLink>": "Võimalike vigade leidmiseks jaga meiega anonüümseid andmeid. Isiklikku teavet meie ei kogu ega jaga mitte midagi kolmandate osapooltega. <LearnMoreLink>Lisateave</LearnMoreLink>", "Share anonymous data to help us identify issues. Nothing personal. No third parties. <LearnMoreLink>Learn More</LearnMoreLink>": "Võimalike vigade leidmiseks jaga meiega anonüümseid andmeid. Isiklikku teavet meie ei kogu ega jaga mitte midagi kolmandate osapooltega. <LearnMoreLink>Lisateave</LearnMoreLink>",
"Are you sure you want to end this poll? This will show the final results of the poll and stop people from being able to vote.": "Kas sa oled kindel, et soovid lõpetada küsitlust? Sellega on tulemused lõplikud ja rohkem osaleda ei saa.", "Are you sure you want to end this poll? This will show the final results of the poll and stop people from being able to vote.": "Kas sa oled kindel, et soovid lõpetada küsitlust? Sellega on tulemused lõplikud ja rohkem osaleda ei saa.",
@ -2501,7 +2408,6 @@
"This address had invalid server or is already in use": "Selle aadressiga seotud server on kas kirjas vigaselt või on juba kasutusel", "This address had invalid server or is already in use": "Selle aadressiga seotud server on kas kirjas vigaselt või on juba kasutusel",
"Missing room name or separator e.g. (my-room:domain.org)": "Jututoa nimi või eraldaja on puudu (näiteks jututuba:domeen.ee)", "Missing room name or separator e.g. (my-room:domain.org)": "Jututoa nimi või eraldaja on puudu (näiteks jututuba:domeen.ee)",
"Missing domain separator e.g. (:domain.org)": "Domeeni eraldaja on puudu (näiteks :domeen.ee)", "Missing domain separator e.g. (:domain.org)": "Domeeni eraldaja on puudu (näiteks :domeen.ee)",
"Dial": "Helista",
"Back to thread": "Tagasi jutulõnga manu", "Back to thread": "Tagasi jutulõnga manu",
"Room members": "Jututoa liikmed", "Room members": "Jututoa liikmed",
"Back to chat": "Tagasi vestluse manu", "Back to chat": "Tagasi vestluse manu",
@ -2522,7 +2428,6 @@
"Waiting for you to verify on your other device…": "Ootan, et sa verifitseeriksid oma teises seadmes…", "Waiting for you to verify on your other device…": "Ootan, et sa verifitseeriksid oma teises seadmes…",
"Waiting for you to verify on your other device, %(deviceName)s (%(deviceId)s)…": "Ootan, et sa verifitseerid oma teises seadmes: %(deviceName)s (%(deviceId)s)…", "Waiting for you to verify on your other device, %(deviceName)s (%(deviceId)s)…": "Ootan, et sa verifitseerid oma teises seadmes: %(deviceName)s (%(deviceId)s)…",
"Expand map": "Kuva kaart laiemana", "Expand map": "Kuva kaart laiemana",
"Send reactions": "Reageeri sõnumile",
"From a thread": "Jutulõngast", "From a thread": "Jutulõngast",
"No active call in this room": "Jututoas ei ole kõnet pooleli", "No active call in this room": "Jututoas ei ole kõnet pooleli",
"Unable to find Matrix ID for phone number": "Sellele telefoninumbrile vastavat Matrix'i kasutajatunnust ei õnnestu leida", "Unable to find Matrix ID for phone number": "Sellele telefoninumbrile vastavat Matrix'i kasutajatunnust ei õnnestu leida",
@ -2550,7 +2455,6 @@
"Remove them from everything I'm able to": "Eemalda kasutaja kõikjalt, kust ma saan", "Remove them from everything I'm able to": "Eemalda kasutaja kõikjalt, kust ma saan",
"Remove from %(roomName)s": "Eemalda %(roomName)s jututoast", "Remove from %(roomName)s": "Eemalda %(roomName)s jututoast",
"You were removed from %(roomName)s by %(memberName)s": "%(memberName)s eemaldas sind %(roomName)s jututoast", "You were removed from %(roomName)s by %(memberName)s": "%(memberName)s eemaldas sind %(roomName)s jututoast",
"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 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", "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",
"Open this settings tab": "Ava see seadistuste vaates", "Open this settings tab": "Ava see seadistuste vaates",
@ -2638,7 +2542,6 @@
"Search Dialog": "Otsinguvaade", "Search Dialog": "Otsinguvaade",
"Open user settings": "Ava kasutaja seadistused", "Open user settings": "Ava kasutaja seadistused",
"Open thread": "Ava jutulõng", "Open thread": "Ava jutulõng",
"Remove messages sent by me": "Eemalda minu saadetud sõnumid",
"Export Cancelled": "Eksport on katkestatud", "Export Cancelled": "Eksport on katkestatud",
"Switch to space by number": "Vaata kogukonnakeskust tema numbri alusel", "Switch to space by number": "Vaata kogukonnakeskust tema numbri alusel",
"Reply to an ongoing thread or use “%(replyInThread)s” when hovering over a message to start a new one.": "Vasta jätkuvas jutulõngas või uue jutulõnga loomiseks kasuta „%(replyInThread)s“ valikut, mida kuvatakse hiire liigutamisel sõnumi kohal.", "Reply to an ongoing thread or use “%(replyInThread)s” when hovering over a message to start a new one.": "Vasta jätkuvas jutulõngas või uue jutulõnga loomiseks kasuta „%(replyInThread)s“ valikut, mida kuvatakse hiire liigutamisel sõnumi kohal.",
@ -2763,12 +2666,6 @@
"View List": "Vaata loendit", "View List": "Vaata loendit",
"View list": "Vaata loendit", "View list": "Vaata loendit",
"Updated %(humanizedUpdateTime)s": "Uuendatud %(humanizedUpdateTime)s", "Updated %(humanizedUpdateTime)s": "Uuendatud %(humanizedUpdateTime)s",
"Turn on camera": "Lülita kaamera sisse",
"Turn off camera": "Lülita kaamera välja",
"Video devices": "Videoseadmed",
"Unmute microphone": "Eemalda mikrofoni summutamine",
"Mute microphone": "Summuta mikrofon",
"Audio devices": "Heliseadmed",
"You will be removed from the identity server: your friends will no longer be able to find you with your email or phone number": "sinu andmed eemaldatake isikutuvastusserverist (kui ta on kasutusel) ja sinu sõbrad ja tuttavad ei saa sind enam e-posti aadressi või telefoninumbri alusel leida", "You will be removed from the identity server: your friends will no longer be able to find you with your email or phone number": "sinu andmed eemaldatake isikutuvastusserverist (kui ta on kasutusel) ja sinu sõbrad ja tuttavad ei saa sind enam e-posti aadressi või telefoninumbri alusel leida",
"You will leave all rooms and DMs that you are in": "sa lahkud kõikidest jututubadest ja otsevestlustest", "You will leave all rooms and DMs that you are in": "sa lahkud kõikidest jututubadest ja otsevestlustest",
"No one will be able to reuse your username (MXID), including you: this username will remain unavailable": "ei sina ega mitte keegi teine ei saa sinu kasutajanime (MXID) uuesti kasutada: selline kasutajanimi saab olema jäädavalt kadunud", "No one will be able to reuse your username (MXID), including you: this username will remain unavailable": "ei sina ega mitte keegi teine ei saa sinu kasutajanime (MXID) uuesti kasutada: selline kasutajanimi saab olema jäädavalt kadunud",
@ -2951,7 +2848,6 @@
"Rename session": "Muuda sessiooni nime", "Rename session": "Muuda sessiooni nime",
"Sliding Sync configuration": "Sliding Sync konfiguratsioon", "Sliding Sync configuration": "Sliding Sync konfiguratsioon",
"Voice broadcast": "Ringhäälingukõne", "Voice broadcast": "Ringhäälingukõne",
"Voice broadcasts": "Ringhäälingukõned",
"Enable notifications for this account": "Võta sellel kasutajakontol kasutusele teavitused", "Enable notifications for this account": "Võta sellel kasutajakontol kasutusele teavitused",
"Video call ended": "Videokõne on lõppenud", "Video call ended": "Videokõne on lõppenud",
"%(name)s started a video call": "%(name)s algatas videokõne", "%(name)s started a video call": "%(name)s algatas videokõne",
@ -2976,9 +2872,7 @@
"Mobile session": "Nutirakendus", "Mobile session": "Nutirakendus",
"Desktop session": "Töölauarakendus", "Desktop session": "Töölauarakendus",
"URL": "URL", "URL": "URL",
"Fill screen": "Täida ekraan",
"Record the client name, version, and url to recognise sessions more easily in session manager": "Sessioonide paremaks tuvastamiseks saad nüüd sessioonihalduris salvestada klientrakenduse nime, versiooni ja aadressi", "Record the client name, version, and url to recognise sessions more easily in session manager": "Sessioonide paremaks tuvastamiseks saad nüüd sessioonihalduris salvestada klientrakenduse nime, versiooni ja aadressi",
"Video call started": "Videokõne algas",
"Unknown room": "Teadmata jututuba", "Unknown room": "Teadmata jututuba",
"Live": "Otseeeter", "Live": "Otseeeter",
"Video call (%(brand)s)": "Videokõne (%(brand)s)", "Video call (%(brand)s)": "Videokõne (%(brand)s)",
@ -2987,12 +2881,9 @@
"You do not have sufficient permissions to change this.": "Sul pole piisavalt õigusi selle muutmiseks.", "You do not have sufficient permissions to change this.": "Sul pole piisavalt õigusi selle muutmiseks.",
"%(brand)s is end-to-end encrypted, but is currently limited to smaller numbers of users.": "%(brand)s kasutab läbivat krüptimist, kuid on hetkel piiratud väikese osalejate arvuga ühes kõnes.", "%(brand)s is end-to-end encrypted, but is currently limited to smaller numbers of users.": "%(brand)s kasutab läbivat krüptimist, kuid on hetkel piiratud väikese osalejate arvuga ühes kõnes.",
"Enable %(brand)s as an additional calling option in this room": "Võta kasutusele %(brand)s kui lisavõimalus kõnedeks selles jututoas", "Enable %(brand)s as an additional calling option in this room": "Võta kasutusele %(brand)s kui lisavõimalus kõnedeks selles jututoas",
"Join %(brand)s calls": "Liitu %(brand)s kõnedega",
"Start %(brand)s calls": "Alusta helistamist %(brand)s abil",
"Sorry — this call is currently full": "Vabandust, selles kõnes ei saa rohkem osalejaid olla", "Sorry — this call is currently full": "Vabandust, selles kõnes ei saa rohkem osalejaid olla",
"resume voice broadcast": "jätka ringhäälingukõnet", "resume voice broadcast": "jätka ringhäälingukõnet",
"pause voice broadcast": "peata ringhäälingukõne", "pause voice broadcast": "peata ringhäälingukõne",
"Notifications silenced": "Teavitused on summutatud",
"Completing set up of your new device": "Lõpetame uue seadme seadistamise", "Completing set up of your new device": "Lõpetame uue seadme seadistamise",
"Waiting for device to sign in": "Ootame, et teine seade logiks võrku", "Waiting for device to sign in": "Ootame, et teine seade logiks võrku",
"Review and approve the sign in": "Vaata üle ja kinnita sisselogimine Matrixi'i võrku", "Review and approve the sign in": "Vaata üle ja kinnita sisselogimine Matrixi'i võrku",
@ -3265,8 +3156,6 @@
"%(errorMessage)s (HTTP status %(httpStatus)s)": "%(errorMessage)s (HTTP olekukood %(httpStatus)s)", "%(errorMessage)s (HTTP status %(httpStatus)s)": "%(errorMessage)s (HTTP olekukood %(httpStatus)s)",
"Unknown password change error (%(stringifiedError)s)": "Tundmatu viga salasõna muutmisel (%(stringifiedError)s)", "Unknown password change error (%(stringifiedError)s)": "Tundmatu viga salasõna muutmisel (%(stringifiedError)s)",
"Error while changing password: %(error)s": "Salasõna muutmisel tekkis viga: %(error)s", "Error while changing password: %(error)s": "Salasõna muutmisel tekkis viga: %(error)s",
"%(sender)s reacted %(reaction)s to %(message)s": "%(sender)s reageeris %(message)s sõnumile %(reaction)s'ga",
"You reacted %(reaction)s to %(message)s": "Sa reageerisid %(message)s sõnumile %(reaction)s'ga",
"Cannot invite user by email without an identity server. You can connect to one under \"Settings\".": "Kui isikutuvastusserver on seadistamata, siis e-posti teel kutset saata ei saa. Soovi korral saad seda muuta Seadistuste vaatest.", "Cannot invite user by email without an identity server. You can connect to one under \"Settings\".": "Kui isikutuvastusserver on seadistamata, siis e-posti teel kutset saata ei saa. Soovi korral saad seda muuta Seadistuste vaatest.",
"Unable to create room with moderation bot": "Moderaatori roboti abil ei õnnestu jututuba luua", "Unable to create room with moderation bot": "Moderaatori roboti abil ei õnnestu jututuba luua",
"Failed to download source media, no source url was found": "Kuna meedia aadressi ei leidu, siis allalaadimine ei õnnestu", "Failed to download source media, no source url was found": "Kuna meedia aadressi ei leidu, siis allalaadimine ei õnnestu",
@ -3429,7 +3318,11 @@
"server": "Server", "server": "Server",
"capabilities": "Funktsionaalsused ja võimed", "capabilities": "Funktsionaalsused ja võimed",
"unnamed_room": "Ilma nimeta jututuba", "unnamed_room": "Ilma nimeta jututuba",
"unnamed_space": "Nimetu kogukonnakeskus" "unnamed_space": "Nimetu kogukonnakeskus",
"stickerpack": "Kleepsupakk",
"system_alerts": "Süsteemi teated",
"secure_backup": "Turvaline varundus",
"cross_signing": "Risttunnustamine"
}, },
"action": { "action": {
"continue": "Jätka", "continue": "Jätka",
@ -3608,7 +3501,14 @@
"format_decrease_indent": "Vähenda taandrida", "format_decrease_indent": "Vähenda taandrida",
"format_inline_code": "Kood", "format_inline_code": "Kood",
"format_code_block": "Koodiplokk", "format_code_block": "Koodiplokk",
"format_link": "Link" "format_link": "Link",
"send_button_title": "Saada sõnum",
"placeholder_thread_encrypted": "Vasta krüptitud jutulõngas…",
"placeholder_thread": "Vasta jutulõngas…",
"placeholder_reply_encrypted": "Saada krüptitud vastus…",
"placeholder_reply": "Saada vastus…",
"placeholder_encrypted": "Saada krüptitud sõnum…",
"placeholder": "Saada sõnum…"
}, },
"Bold": "Paks kiri", "Bold": "Paks kiri",
"Link": "Link", "Link": "Link",
@ -3631,7 +3531,11 @@
"send_logs": "Saada logikirjed", "send_logs": "Saada logikirjed",
"github_issue": "Veateade GitHub'is", "github_issue": "Veateade GitHub'is",
"download_logs": "Laadi logikirjed alla", "download_logs": "Laadi logikirjed alla",
"before_submitting": "Enne logide saatmist sa peaksid <a>GitHub'is looma veateate</a> ja kirjeldama seal tekkinud probleemi." "before_submitting": "Enne logide saatmist sa peaksid <a>GitHub'is looma veateate</a> ja kirjeldama seal tekkinud probleemi.",
"collecting_information": "Kogun teavet rakenduse versiooni kohta",
"collecting_logs": "Kogun logisid",
"uploading_logs": "Laadin logisid üles",
"downloading_logs": "Laadin logisid alla"
}, },
"time": { "time": {
"hours_minutes_seconds_left": "jäänud on %(hours)st %(minutes)sm %(seconds)ss", "hours_minutes_seconds_left": "jäänud on %(hours)st %(minutes)sm %(seconds)ss",
@ -3839,7 +3743,9 @@
"developer_tools": "Arendusvahendid", "developer_tools": "Arendusvahendid",
"room_id": "Jututoa tunnus: %(roomId)s", "room_id": "Jututoa tunnus: %(roomId)s",
"thread_root_id": "Jutulõnga esimese kirje tunnus: %(threadRootId)s", "thread_root_id": "Jutulõnga esimese kirje tunnus: %(threadRootId)s",
"event_id": "Sündmuse tunnus: %(eventId)s" "event_id": "Sündmuse tunnus: %(eventId)s",
"category_room": "Jututuba",
"category_other": "Muud"
}, },
"export_chat": { "export_chat": {
"html": "HTML", "html": "HTML",
@ -3997,6 +3903,9 @@
"other": "%(names)s ja %(count)s muud kasutajat kirjutavad midagi…", "other": "%(names)s ja %(count)s muud kasutajat kirjutavad midagi…",
"one": "%(names)s ja üks teine kasutaja kirjutavad midagi…" "one": "%(names)s ja üks teine kasutaja kirjutavad midagi…"
} }
},
"m.call.hangup": {
"dm": "Kõne lõppes"
} }
}, },
"slash_command": { "slash_command": {
@ -4033,7 +3942,14 @@
"help": "Näitab käskude loendit koos kirjeldustega", "help": "Näitab käskude loendit koos kirjeldustega",
"whois": "Näitab teavet kasutaja kohta", "whois": "Näitab teavet kasutaja kohta",
"rageshake": "Saada veakirjeldus koos logikirjetega", "rageshake": "Saada veakirjeldus koos logikirjetega",
"msg": "Saadab sõnumi näidatud kasutajale" "msg": "Saadab sõnumi näidatud kasutajale",
"usage": "Kasutus",
"category_messages": "Sõnumid",
"category_actions": "Tegevused",
"category_admin": "Peakasutaja",
"category_advanced": "Teave arendajatele",
"category_effects": "Vahvad täiendused",
"category_other": "Muud"
}, },
"presence": { "presence": {
"busy": "Hõivatud", "busy": "Hõivatud",
@ -4047,5 +3963,108 @@
"offline": "Võrgust väljas", "offline": "Võrgust väljas",
"away": "Eemal" "away": "Eemal"
}, },
"Unknown": "Teadmata olek" "Unknown": "Teadmata olek",
"event_preview": {
"m.call.answer": {
"you": "Sina liitusid kõnega",
"user": "%(senderName)s liitus kõnega",
"dm": "Kõne on pooleli"
},
"m.call.hangup": {
"you": "Sina lõpetasid kõne",
"user": "%(senderName)s lõpetas kõne"
},
"m.call.invite": {
"you": "Sa alustasid kõnet",
"user": "%(senderName)s alustas kõnet",
"dm_send": "Ootan kõnele vastamist",
"dm_receive": "%(senderName)s helistab"
},
"m.emote": "* %(senderName)s %(emote)s",
"m.text": "%(senderName)s: %(message)s",
"m.reaction": {
"you": "Sa reageerisid %(message)s sõnumile %(reaction)s'ga",
"user": "%(sender)s reageeris %(message)s sõnumile %(reaction)s'ga"
},
"m.sticker": "%(senderName)s: %(stickerName)s"
},
"voip": {
"disable_microphone": "Summuta mikrofon",
"enable_microphone": "Eemalda mikrofoni summutamine",
"disable_camera": "Lülita kaamera välja",
"enable_camera": "Lülita kaamera sisse",
"audio_devices": "Heliseadmed",
"video_devices": "Videoseadmed",
"dial": "Helista",
"you_are_presenting": "Sina esitad",
"user_is_presenting": "%(sharerName)s esitab",
"camera_disabled": "Sinu seadme kaamera on välja lülitatud",
"camera_enabled": "Sinu seadme kaamera on jätkuvalt kasutusel",
"consulting": "Suhtlen teise osapoolega %(transferTarget)s. <a>Saadan andmeid kasutajale %(transferee)s</a>",
"call_held_switch": "Sa panid kõne ootele <a>Lülita tagasi</a>",
"call_held_resume": "Sa panid kõne ootele. <a>Jätka kõnet</a>",
"call_held": "%(peerName)s pani kõne ootele",
"dialpad": "Numbriklahvistik",
"stop_screenshare": "Lõpeta oma seadme ekraani jagamine",
"start_screenshare": "Alusta oma seadme ekraani jagamist",
"hangup": "Katkesta kõne",
"maximise": "Täida ekraan",
"expand": "Pöördu tagasi kõne juurde",
"on_hold": "%(name)s on ootel",
"voice_call": "Häälkõne",
"video_call": "Videokõne",
"video_call_started": "Videokõne algas",
"unsilence": "Lõlita heli sisse",
"silence": "Vaigista kõne",
"silenced": "Teavitused on summutatud",
"unknown_caller": "Tundmatu helistaja",
"call_failed": "Kõne ebaõnnestus",
"unable_to_access_microphone": "Puudub ligipääs mikrofonile",
"call_failed_microphone": "Kuna mikrofoni kasutada ei saanud, siis kõne ei õnnestunud. Palun kontrolli, et mikrofon oleks ühendatud ja seadistatud.",
"unable_to_access_media": "Puudub ligipääs veebikaamerale ja mikrofonile",
"call_failed_media": "Kuna veebikaamerat või mikrofoni kasutada ei saanud, siis kõne ei õnnestunud. Palun kontrolli, et:",
"call_failed_media_connected": "Veebikaamera ja mikrofon oleks ühendatud ja seadistatud",
"call_failed_media_permissions": "Rakendusel õigus veebikaamerat kasutada",
"call_failed_media_applications": "Ainsamgi muu rakendus ei kasuta veebikaamerat",
"already_in_call": "Kõne on juba pooleli",
"already_in_call_person": "Sinul juba kõne käsil selle osapoolega.",
"unsupported": "Kõneteenus ei ole toetatud",
"unsupported_browser": "Selle veebibrauseriga sa ei saa helistada."
},
"Messages": "Sõnumid",
"Other": "Muud",
"Advanced": "Teave arendajatele",
"room_settings": {
"permissions": {
"m.room.avatar_space": "Muuda kogukonna tunnuspilti",
"m.room.avatar": "Muuda jututoa tunnuspilti ehk avatari",
"m.room.name_space": "Muuda kogukonna nime",
"m.room.name": "Muuda jututoa nime",
"m.room.canonical_alias_space": "Muuda kogukonna põhiaadressi",
"m.room.canonical_alias": "Muuda jututoa põhiaadressi",
"m.space.child": "Halda selle kogukonnakeskuse jututube",
"m.room.history_visibility": "Muuda vestlusajaloo nähtavust",
"m.room.power_levels": "Muuda õigusi",
"m.room.topic_space": "Muuda kirjeldust",
"m.room.topic": "Muuda teemat",
"m.room.tombstone": "Uuenda jututuba uue versioonini",
"m.room.encryption": "Võta jututoas kasutusele krüptimine",
"m.room.server_acl": "Muuda serveri ligipääsuõigusi",
"m.reaction": "Reageeri sõnumile",
"m.room.redaction": "Eemalda minu saadetud sõnumid",
"m.widget": "Muuda vidinaid",
"io.element.voice_broadcast_info": "Ringhäälingukõned",
"m.room.pinned_events": "Halda klammerdatud sündmusi",
"m.call": "Alusta helistamist %(brand)s abil",
"m.call.member": "Liitu %(brand)s kõnedega",
"users_default": "Vaikimisi roll",
"events_default": "Saada sõnumeid",
"invite": "Kutsu kasutajaid",
"state_default": "Muuda seadistusi",
"kick": "Eemalda kasutajaid",
"ban": "Määra kasutajatele suhtluskeeld",
"redact": "Kustuta teiste saadetud sõnumid",
"notifications.room": "Teavita kõiki"
}
}
} }

View file

@ -25,7 +25,6 @@
"Filter room members": "Iragazi gelako kideak", "Filter room members": "Iragazi gelako kideak",
"Email": "E-mail", "Email": "E-mail",
"Phone": "Telefonoa", "Phone": "Telefonoa",
"Advanced": "Aurreratua",
"Cryptography": "Kriptografia", "Cryptography": "Kriptografia",
"Authentication": "Autentifikazioa", "Authentication": "Autentifikazioa",
"Verification Pending": "Egiaztaketa egiteke", "Verification Pending": "Egiaztaketa egiteke",
@ -45,10 +44,8 @@
"Import room keys": "Inportatu gelako gakoak", "Import room keys": "Inportatu gelako gakoak",
"Start authentication": "Hasi autentifikazioa", "Start authentication": "Hasi autentifikazioa",
"For security, this session has been signed out. Please sign in again.": "Segurtasunagatik saio hau amaitu da. Hasi saioa berriro.", "For security, this session has been signed out. Please sign in again.": "Segurtasunagatik saio hau amaitu da. Hasi saioa berriro.",
"Hangup": "Eseki",
"Moderator": "Moderatzailea", "Moderator": "Moderatzailea",
"Account": "Kontua", "Account": "Kontua",
"Admin": "Kudeatzailea",
"Admin Tools": "Administrazio-tresnak", "Admin Tools": "Administrazio-tresnak",
"No Microphones detected": "Ez da mikrofonorik atzeman", "No Microphones detected": "Ez da mikrofonorik atzeman",
"No Webcams detected": "Ez da kamerarik atzeman", "No Webcams detected": "Ez da kamerarik atzeman",
@ -139,12 +136,9 @@
}, },
"Upload avatar": "Igo abatarra", "Upload avatar": "Igo abatarra",
"Upload Failed": "Igoerak huts egin du", "Upload Failed": "Igoerak huts egin du",
"Usage": "Erabilera",
"%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (power %(powerLevelNumber)s)", "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (power %(powerLevelNumber)s)",
"Users": "Erabiltzaileak", "Users": "Erabiltzaileak",
"Verified key": "Egiaztatutako gakoa", "Verified key": "Egiaztatutako gakoa",
"Video call": "Bideo-deia",
"Voice call": "Ahots-deia",
"You cannot place a call with yourself.": "Ezin diozu zure buruari deitu.", "You cannot place a call with yourself.": "Ezin diozu zure buruari deitu.",
"You have <a>disabled</a> URL previews by default.": "Lehenetsita URLak aurreikustea <a>desgaitu</a> duzu.", "You have <a>disabled</a> URL previews by default.": "Lehenetsita URLak aurreikustea <a>desgaitu</a> duzu.",
"You have <a>enabled</a> URL previews by default.": "Lehenetsita URLak aurreikustea <a>gaitu</a> duzu.", "You have <a>enabled</a> URL previews by default.": "Lehenetsita URLak aurreikustea <a>gaitu</a> duzu.",
@ -235,7 +229,6 @@
"Unignored user": "Ez ezikusitako erabiltzailea", "Unignored user": "Ez ezikusitako erabiltzailea",
"Ignored user": "Ezikusitako erabiltzailea", "Ignored user": "Ezikusitako erabiltzailea",
"Banned by %(displayName)s": "%(displayName)s erabiltzaileak debekatuta", "Banned by %(displayName)s": "%(displayName)s erabiltzaileak debekatuta",
"Call Failed": "Deiak huts egin du",
"Restricted": "Mugatua", "Restricted": "Mugatua",
"Send": "Bidali", "Send": "Bidali",
"Mirror local video feed": "Bikoiztu tokiko bideo jarioa", "Mirror local video feed": "Bikoiztu tokiko bideo jarioa",
@ -351,15 +344,12 @@
}, },
"Data from an older version of %(brand)s has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "%(brand)s bertsio zahar batek datuak antzeman dira. Honek bertsio zaharrean muturretik muturrerako zifratzea ez funtzionatzea eragingo du. Azkenaldian bertsio zaharrean bidali edo jasotako zifratutako mezuak agian ezin izango dira deszifratu bertsio honetan. Honek ere Bertsio honekin egindako mezu trukeak huts egitea ekar dezake. Arazoak badituzu, amaitu saioa eta hasi berriro saioa. Mezuen historiala gordetzeko, esportatu eta berriro inportatu zure gakoak.", "Data from an older version of %(brand)s has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "%(brand)s bertsio zahar batek datuak antzeman dira. Honek bertsio zaharrean muturretik muturrerako zifratzea ez funtzionatzea eragingo du. Azkenaldian bertsio zaharrean bidali edo jasotako zifratutako mezuak agian ezin izango dira deszifratu bertsio honetan. Honek ere Bertsio honekin egindako mezu trukeak huts egitea ekar dezake. Arazoak badituzu, amaitu saioa eta hasi berriro saioa. Mezuen historiala gordetzeko, esportatu eta berriro inportatu zure gakoak.",
"You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.": "Ezin izango duzu hau aldatu zure burua mailaz jaisten ari zarelako, zu bazara gelan baimenak dituen azken erabiltzailea ezin izango dira baimenak berreskuratu.", "You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.": "Ezin izango duzu hau aldatu zure burua mailaz jaisten ari zarelako, zu bazara gelan baimenak dituen azken erabiltzailea ezin izango dira baimenak berreskuratu.",
"Send an encrypted reply…": "Bidali zifratutako erantzun bat…",
"Send an encrypted message…": "Bidali zifratutako mezu bat…",
"Replying": "Erantzuten", "Replying": "Erantzuten",
"%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s, %(fullYear)s(e)ko %(monthName)sk %(day)sa", "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s, %(fullYear)s(e)ko %(monthName)sk %(day)sa",
"This room is not public. You will not be able to rejoin without an invite.": "Gela hau ez da publikoa. Ezin izango zara berriro elkartu gonbidapenik gabe.", "This room is not public. You will not be able to rejoin without an invite.": "Gela hau ez da publikoa. Ezin izango zara berriro elkartu gonbidapenik gabe.",
"<a>In reply to</a> <pill>": "<a>honi erantzunez:</a> <pill>", "<a>In reply to</a> <pill>": "<a>honi erantzunez:</a> <pill>",
"Failed to remove tag %(tagName)s from room": "Huts egin du %(tagName)s etiketa gelatik kentzean", "Failed to remove tag %(tagName)s from room": "Huts egin du %(tagName)s etiketa gelatik kentzean",
"Failed to add tag %(tagName)s to room": "Huts egin du %(tagName)s etiketa gelara gehitzean", "Failed to add tag %(tagName)s to room": "Huts egin du %(tagName)s etiketa gelara gehitzean",
"Stickerpack": "Eranskailu-multzoa",
"You don't currently have any stickerpacks enabled": "Ez duzu eranskailu multzorik aktibatuta", "You don't currently have any stickerpacks enabled": "Ez duzu eranskailu multzorik aktibatuta",
"Sunday": "Igandea", "Sunday": "Igandea",
"Notification targets": "Jakinarazpenen helburuak", "Notification targets": "Jakinarazpenen helburuak",
@ -376,12 +366,10 @@
"Source URL": "Iturriaren URLa", "Source URL": "Iturriaren URLa",
"Filter results": "Iragazi emaitzak", "Filter results": "Iragazi emaitzak",
"No update available.": "Ez dago eguneraketarik eskuragarri.", "No update available.": "Ez dago eguneraketarik eskuragarri.",
"Collecting app version information": "Aplikazioaren bertsio-informazioa biltzen",
"Tuesday": "Asteartea", "Tuesday": "Asteartea",
"Preparing to send logs": "Egunkariak bidaltzeko prestatzen", "Preparing to send logs": "Egunkariak bidaltzeko prestatzen",
"Saturday": "Larunbata", "Saturday": "Larunbata",
"Monday": "Astelehena", "Monday": "Astelehena",
"Collecting logs": "Egunkariak biltzen",
"All Rooms": "Gela guztiak", "All Rooms": "Gela guztiak",
"Wednesday": "Asteazkena", "Wednesday": "Asteazkena",
"You cannot delete this message. (%(code)s)": "Ezin duzu mezu hau ezabatu. (%(code)s)", "You cannot delete this message. (%(code)s)": "Ezin duzu mezu hau ezabatu. (%(code)s)",
@ -429,7 +417,6 @@
"Permission Required": "Baimena beharrezkoa", "Permission Required": "Baimena beharrezkoa",
"You do not have permission to start a conference call in this room": "Ez duzu baimenik konferentzia dei bat hasteko gela honetan", "You do not have permission to start a conference call in this room": "Ez duzu baimenik konferentzia dei bat hasteko gela honetan",
"This event could not be displayed": "Ezin izan da gertakari hau bistaratu", "This event could not be displayed": "Ezin izan da gertakari hau bistaratu",
"System Alerts": "Sistemaren alertak",
"Please contact your homeserver administrator.": "Jarri zure hasiera-zerbitzariaren administratzailearekin kontaktuan.", "Please contact your homeserver administrator.": "Jarri zure hasiera-zerbitzariaren administratzailearekin kontaktuan.",
"This room has been replaced and is no longer active.": "Gela hau ordeztu da eta ez dago aktibo jada.", "This room has been replaced and is no longer active.": "Gela hau ordeztu da eta ez dago aktibo jada.",
"The conversation continues here.": "Elkarrizketak hemen darrai.", "The conversation continues here.": "Elkarrizketak hemen darrai.",
@ -575,7 +562,6 @@
"Email (optional)": "E-mail (aukerakoa)", "Email (optional)": "E-mail (aukerakoa)",
"Phone (optional)": "Telefonoa (aukerakoa)", "Phone (optional)": "Telefonoa (aukerakoa)",
"Join millions for free on the largest public server": "Elkartu milioika pertsonekin dohain hasiera zerbitzari publiko handienean", "Join millions for free on the largest public server": "Elkartu milioika pertsonekin dohain hasiera zerbitzari publiko handienean",
"Other": "Beste bat",
"Couldn't load page": "Ezin izan da orria kargatu", "Couldn't load page": "Ezin izan da orria kargatu",
"General": "Orokorra", "General": "Orokorra",
"Room Addresses": "Gelaren helbideak", "Room Addresses": "Gelaren helbideak",
@ -657,19 +643,6 @@
"The user must be unbanned before they can be invited.": "Erabiltzaileari debekua kendu behar zaio gonbidatu aurretik.", "The user must be unbanned before they can be invited.": "Erabiltzaileari debekua kendu behar zaio gonbidatu aurretik.",
"Scissors": "Artaziak", "Scissors": "Artaziak",
"Accept all %(invitedRooms)s invites": "Onartu %(invitedRooms)s gelako gonbidapen guztiak", "Accept all %(invitedRooms)s invites": "Onartu %(invitedRooms)s gelako gonbidapen guztiak",
"Change room avatar": "Aldatu gelaren abatarra",
"Change room name": "Aldatu gelaren izena",
"Change main address for the room": "Aldatu gelaren helbide nagusia",
"Change history visibility": "Aldatu historialaren ikusgaitasuna",
"Change permissions": "Aldatu baimenak",
"Change topic": "Aldatu mintzagaia",
"Modify widgets": "Aldatu trepetak",
"Default role": "Lehenetsitako rola",
"Send messages": "Bidali mezuak",
"Invite users": "Gonbidatu erabiltzaileak",
"Change settings": "Aldatu ezarpenak",
"Ban users": "Debekatu erabiltzaileak",
"Notify everyone": "Jakinarazi denei",
"Send %(eventType)s events": "Bidali %(eventType)s gertaerak", "Send %(eventType)s events": "Bidali %(eventType)s gertaerak",
"Select the roles required to change various parts of the room": "Hautatu gelaren hainbat atal aldatzeko behar diren rolak", "Select the roles required to change various parts of the room": "Hautatu gelaren hainbat atal aldatzeko behar diren rolak",
"Enable encryption?": "Gaitu zifratzea?", "Enable encryption?": "Gaitu zifratzea?",
@ -806,8 +779,6 @@
"Summary": "Laburpena", "Summary": "Laburpena",
"Call failed due to misconfigured server": "Deiak huts egin du zerbitzaria gaizki konfiguratuta dagoelako", "Call failed due to misconfigured server": "Deiak huts egin du zerbitzaria gaizki konfiguratuta dagoelako",
"Please ask the administrator of your homeserver (<code>%(homeserverDomain)s</code>) to configure a TURN server in order for calls to work reliably.": "Eskatu zure hasiera-zerbitzariaren administratzaileari (<code>%(homeserverDomain)s</code>) TURN zerbitzari bat konfiguratu dezala deiek ondo funtzionatzeko.", "Please ask the administrator of your homeserver (<code>%(homeserverDomain)s</code>) to configure a TURN server in order for calls to work reliably.": "Eskatu zure hasiera-zerbitzariaren administratzaileari (<code>%(homeserverDomain)s</code>) TURN zerbitzari bat konfiguratu dezala deiek ondo funtzionatzeko.",
"Messages": "Mezuak",
"Actions": "Ekintzak",
"Checking server": "Zerbitzaria egiaztatzen", "Checking server": "Zerbitzaria egiaztatzen",
"Disconnect from the identity server <idserver />?": "Deskonektatu <idserver /> identitate-zerbitzaritik?", "Disconnect from the identity server <idserver />?": "Deskonektatu <idserver /> identitate-zerbitzaritik?",
"You are currently using <server></server> to discover and be discoverable by existing contacts you know. You can change your identity server below.": "<server></server> erabiltzen ari zara kontaktua aurkitzeko eta aurkigarria izateko. Zure identitate-zerbitzaria aldatu dezakezu azpian.", "You are currently using <server></server> to discover and be discoverable by existing contacts you know. You can change your identity server below.": "<server></server> erabiltzen ari zara kontaktua aurkitzeko eta aurkigarria izateko. Zure identitate-zerbitzaria aldatu dezakezu azpian.",
@ -832,8 +803,6 @@
"Only continue if you trust the owner of the server.": "Jarraitu soilik zerbitzariaren jabea fidagarritzat jotzen baduzu.", "Only continue if you trust the owner of the server.": "Jarraitu soilik zerbitzariaren jabea fidagarritzat jotzen baduzu.",
"Do not use an identity server": "Ez erabili identitate-zerbitzaririk", "Do not use an identity server": "Ez erabili identitate-zerbitzaririk",
"Enter a new identity server": "Sartu identitate-zerbitzari berri bat", "Enter a new identity server": "Sartu identitate-zerbitzari berri bat",
"Upgrade the room": "Eguneratu gela",
"Enable room encryption": "Gaitu gelaren zifratzea",
"Remove %(email)s?": "Kendu %(email)s?", "Remove %(email)s?": "Kendu %(email)s?",
"Remove %(phone)s?": "Kendu %(phone)s?", "Remove %(phone)s?": "Kendu %(phone)s?",
"Deactivate user?": "Desaktibatu erabiltzailea?", "Deactivate user?": "Desaktibatu erabiltzailea?",
@ -1020,7 +989,6 @@
"Secret storage public key:": "Biltegi sekretuko gako publikoa:", "Secret storage public key:": "Biltegi sekretuko gako publikoa:",
"in account data": "kontuaren datuetan", "in account data": "kontuaren datuetan",
"not stored": "gorde gabe", "not stored": "gorde gabe",
"Cross-signing": "Zeharkako sinadura",
"Unencrypted": "Zifratu gabe", "Unencrypted": "Zifratu gabe",
"Close preview": "Itxi aurrebista", "Close preview": "Itxi aurrebista",
"<userName/> wants to chat": "<userName/> erabiltzaileak txateatu nahi du", "<userName/> wants to chat": "<userName/> erabiltzaileak txateatu nahi du",
@ -1051,8 +1019,6 @@
"Recently Direct Messaged": "Berriki mezu zuzena bidalita", "Recently Direct Messaged": "Berriki mezu zuzena bidalita",
"This room is end-to-end encrypted": "Gela hau muturretik muturrera zifratuta dago", "This room is end-to-end encrypted": "Gela hau muturretik muturrera zifratuta dago",
"Everyone in this room is verified": "Gelako guztiak egiaztatuta daude", "Everyone in this room is verified": "Gelako guztiak egiaztatuta daude",
"Send a reply…": "Bidali erantzuna…",
"Send a message…": "Bidali mezua…",
"Reject & Ignore user": "Ukatu eta ezikusi erabiltzailea", "Reject & Ignore user": "Ukatu eta ezikusi erabiltzailea",
"Unknown Command": "Agindu ezezaguna", "Unknown Command": "Agindu ezezaguna",
"Unrecognised command: %(commandText)s": "Agindu ezezaguna: %(commandText)s", "Unrecognised command: %(commandText)s": "Agindu ezezaguna: %(commandText)s",
@ -1334,17 +1300,10 @@
"All settings": "Ezarpen guztiak", "All settings": "Ezarpen guztiak",
"Feedback": "Iruzkinak", "Feedback": "Iruzkinak",
"Use a different passphrase?": "Erabili pasa-esaldi desberdin bat?", "Use a different passphrase?": "Erabili pasa-esaldi desberdin bat?",
"You joined the call": "Deira batu zara",
"%(senderName)s joined the call": "%(senderName)s deira batu da",
"Call ended": "Deia amaitu da",
"You started a call": "Dei bat hasi duzu",
"%(senderName)s started a call": "%(senderName)s(e)k dei bat hasi du",
"%(senderName)s is calling": "%(senderName)s deitzen ari da",
"Change notification settings": "Aldatu jakinarazpenen ezarpenak", "Change notification settings": "Aldatu jakinarazpenen ezarpenak",
"Use custom size": "Erabili tamaina pertsonalizatua", "Use custom size": "Erabili tamaina pertsonalizatua",
"Use a system font": "Erabili sistemako letra-tipoa", "Use a system font": "Erabili sistemako letra-tipoa",
"System font name": "Sistemaren letra-tipoaren izena", "System font name": "Sistemaren letra-tipoaren izena",
"Unknown caller": "Dei-egile ezezaguna",
"Hey you. You're the best!": "Aupa txo. Onena zara!", "Hey you. You're the best!": "Aupa txo. Onena zara!",
"Notification options": "Jakinarazpen ezarpenak", "Notification options": "Jakinarazpen ezarpenak",
"Forget Room": "Ahaztu gela", "Forget Room": "Ahaztu gela",
@ -1411,7 +1370,10 @@
"matrix": "Matrix", "matrix": "Matrix",
"trusted": "Konfiantzazkoa", "trusted": "Konfiantzazkoa",
"not_trusted": "Ez konfiantzazkoa", "not_trusted": "Ez konfiantzazkoa",
"unnamed_room": "Izen gabeko gela" "unnamed_room": "Izen gabeko gela",
"stickerpack": "Eranskailu-multzoa",
"system_alerts": "Sistemaren alertak",
"cross_signing": "Zeharkako sinadura"
}, },
"action": { "action": {
"continue": "Jarraitu", "continue": "Jarraitu",
@ -1512,7 +1474,11 @@
"format_bold": "Lodia", "format_bold": "Lodia",
"format_strikethrough": "Marratua", "format_strikethrough": "Marratua",
"format_inline_code": "Kodea", "format_inline_code": "Kodea",
"format_code_block": "Kode blokea" "format_code_block": "Kode blokea",
"placeholder_reply_encrypted": "Bidali zifratutako erantzun bat…",
"placeholder_reply": "Bidali erantzuna…",
"placeholder_encrypted": "Bidali zifratutako mezu bat…",
"placeholder": "Bidali mezua…"
}, },
"Bold": "Lodia", "Bold": "Lodia",
"Code": "Kodea", "Code": "Kodea",
@ -1531,7 +1497,9 @@
"additional_context": "Arazoa ikertzen lagundu gaitzakeen testuinguru gehiago badago, esaterako gertatutakoan zer egiten ari zinen, gelaren ID-a, erabiltzaile ID-ak eta abar, mesedez jarri horiek hemen.", "additional_context": "Arazoa ikertzen lagundu gaitzakeen testuinguru gehiago badago, esaterako gertatutakoan zer egiten ari zinen, gelaren ID-a, erabiltzaile ID-ak eta abar, mesedez jarri horiek hemen.",
"send_logs": "Bidali egunkariak", "send_logs": "Bidali egunkariak",
"github_issue": "GitHub arazo-txostena", "github_issue": "GitHub arazo-txostena",
"before_submitting": "Egunkariak bidali aurretik, <a>GitHub arazo bat sortu</a> behar duzu gertatzen zaizuna azaltzeko." "before_submitting": "Egunkariak bidali aurretik, <a>GitHub arazo bat sortu</a> behar duzu gertatzen zaizuna azaltzeko.",
"collecting_information": "Aplikazioaren bertsio-informazioa biltzen",
"collecting_logs": "Egunkariak biltzen"
}, },
"time": { "time": {
"few_seconds_ago": "duela segundo batzuk", "few_seconds_ago": "duela segundo batzuk",
@ -1586,7 +1554,9 @@
"event_sent": "Gertaera bidalita!", "event_sent": "Gertaera bidalita!",
"event_content": "Gertaeraren edukia", "event_content": "Gertaeraren edukia",
"toolbox": "Tresna-kutxa", "toolbox": "Tresna-kutxa",
"developer_tools": "Garatzaile-tresnak" "developer_tools": "Garatzaile-tresnak",
"category_room": "Gela",
"category_other": "Beste bat"
}, },
"create_room": { "create_room": {
"title_public_room": "Sortu gela publikoa", "title_public_room": "Sortu gela publikoa",
@ -1652,6 +1622,9 @@
"other": "%(names)s eta beste %(count)s idatzen ari dira …", "other": "%(names)s eta beste %(count)s idatzen ari dira …",
"one": "%(names)s eta beste bat idazten ari dira …" "one": "%(names)s eta beste bat idazten ari dira …"
} }
},
"m.call.hangup": {
"dm": "Deia amaitu da"
} }
}, },
"slash_command": { "slash_command": {
@ -1678,7 +1651,13 @@
"help": "Aginduen zerrenda bistaratzen du, erabilera eta deskripzioekin", "help": "Aginduen zerrenda bistaratzen du, erabilera eta deskripzioekin",
"whois": "Erabiltzaileari buruzko informazioa erakusten du", "whois": "Erabiltzaileari buruzko informazioa erakusten du",
"rageshake": "Bidali akats txostena egunkariekin", "rageshake": "Bidali akats txostena egunkariekin",
"msg": "Erabiltzaileari mezua bidaltzen dio" "msg": "Erabiltzaileari mezua bidaltzen dio",
"usage": "Erabilera",
"category_messages": "Mezuak",
"category_actions": "Ekintzak",
"category_admin": "Kudeatzailea",
"category_advanced": "Aurreratua",
"category_other": "Beste bat"
}, },
"presence": { "presence": {
"online_for": "Konektatua %(duration)s", "online_for": "Konektatua %(duration)s",
@ -1691,5 +1670,46 @@
"offline": "Deskonektatuta", "offline": "Deskonektatuta",
"away": "Kanpoan" "away": "Kanpoan"
}, },
"Unknown": "Ezezaguna" "Unknown": "Ezezaguna",
"event_preview": {
"m.call.answer": {
"you": "Deira batu zara",
"user": "%(senderName)s deira batu da"
},
"m.call.hangup": {},
"m.call.invite": {
"you": "Dei bat hasi duzu",
"user": "%(senderName)s(e)k dei bat hasi du",
"dm_receive": "%(senderName)s deitzen ari da"
}
},
"voip": {
"hangup": "Eseki",
"voice_call": "Ahots-deia",
"video_call": "Bideo-deia",
"unknown_caller": "Dei-egile ezezaguna",
"call_failed": "Deiak huts egin du"
},
"Messages": "Mezuak",
"Other": "Beste bat",
"Advanced": "Aurreratua",
"room_settings": {
"permissions": {
"m.room.avatar": "Aldatu gelaren abatarra",
"m.room.name": "Aldatu gelaren izena",
"m.room.canonical_alias": "Aldatu gelaren helbide nagusia",
"m.room.history_visibility": "Aldatu historialaren ikusgaitasuna",
"m.room.power_levels": "Aldatu baimenak",
"m.room.topic": "Aldatu mintzagaia",
"m.room.tombstone": "Eguneratu gela",
"m.room.encryption": "Gaitu gelaren zifratzea",
"m.widget": "Aldatu trepetak",
"users_default": "Lehenetsitako rola",
"events_default": "Bidali mezuak",
"invite": "Gonbidatu erabiltzaileak",
"state_default": "Aldatu ezarpenak",
"ban": "Debekatu erabiltzaileak",
"notifications.room": "Jakinarazi denei"
}
}
} }

View file

@ -18,12 +18,10 @@
"Failed to add tag %(tagName)s to room": "در افزودن تگ %(tagName)s موفقیت‌آمیز نبود", "Failed to add tag %(tagName)s to room": "در افزودن تگ %(tagName)s موفقیت‌آمیز نبود",
"No update available.": "هیچ به روزرسانی جدیدی موجود نیست.", "No update available.": "هیچ به روزرسانی جدیدی موجود نیست.",
"Noisy": "پرسروصدا", "Noisy": "پرسروصدا",
"Collecting app version information": "درحال جمع‌آوری اطلاعات نسخه‌ی برنامه",
"Tuesday": "سه‌شنبه", "Tuesday": "سه‌شنبه",
"Unnamed room": "گپ نام‌گذاری نشده", "Unnamed room": "گپ نام‌گذاری نشده",
"Saturday": "شنبه", "Saturday": "شنبه",
"Monday": "دوشنبه", "Monday": "دوشنبه",
"Collecting logs": "درحال جمع‌آوری گزارش‌ها",
"Failed to forget room %(errCode)s": "فراموش کردن اتاق با خطا مواجه شد %(errCode)s", "Failed to forget room %(errCode)s": "فراموش کردن اتاق با خطا مواجه شد %(errCode)s",
"Wednesday": "چهارشنبه", "Wednesday": "چهارشنبه",
"Send": "ارسال", "Send": "ارسال",
@ -88,17 +86,14 @@
"An error has occurred.": "خطایی رخ داده است.", "An error has occurred.": "خطایی رخ داده است.",
"A new password must be entered.": "گذواژه جدید باید وارد شود.", "A new password must be entered.": "گذواژه جدید باید وارد شود.",
"Authentication": "احراز هویت", "Authentication": "احراز هویت",
"Advanced": "پیشرفته",
"Default Device": "دستگاه پیشفرض", "Default Device": "دستگاه پیشفرض",
"No media permissions": "عدم مجوز رسانه", "No media permissions": "عدم مجوز رسانه",
"No Webcams detected": "هیچ وبکمی شناسایی نشد", "No Webcams detected": "هیچ وبکمی شناسایی نشد",
"No Microphones detected": "هیچ میکروفونی شناسایی نشد", "No Microphones detected": "هیچ میکروفونی شناسایی نشد",
"Admin": "ادمین",
"Account": "حساب کابری", "Account": "حساب کابری",
"Incorrect verification code": "کد فعال‌سازی اشتباه است", "Incorrect verification code": "کد فعال‌سازی اشتباه است",
"Incorrect username and/or password.": "نام کاربری و یا گذرواژه اشتباه است.", "Incorrect username and/or password.": "نام کاربری و یا گذرواژه اشتباه است.",
"Home": "خانه", "Home": "خانه",
"Hangup": "قطع",
"For security, this session has been signed out. Please sign in again.": "برای امنیت، این نشست نامعتبر شده است. لطفاً دوباره وارد سیستم شوید.", "For security, this session has been signed out. Please sign in again.": "برای امنیت، این نشست نامعتبر شده است. لطفاً دوباره وارد سیستم شوید.",
"We couldn't log you in": "نتوانستیم شما را وارد کنیم", "We couldn't log you in": "نتوانستیم شما را وارد کنیم",
"Only continue if you trust the owner of the server.": "تنها در صورتی که به صاحب سرور اطمینان دارید، ادامه دهید.", "Only continue if you trust the owner of the server.": "تنها در صورتی که به صاحب سرور اطمینان دارید، ادامه دهید.",
@ -136,34 +131,19 @@
"You do not have permission to start a conference call in this room": "شما اجازه‌ی شروع جلسه‌ی تصویری در این اتاق را ندارید", "You do not have permission to start a conference call in this room": "شما اجازه‌ی شروع جلسه‌ی تصویری در این اتاق را ندارید",
"Permission Required": "اجازه نیاز است", "Permission Required": "اجازه نیاز است",
"You cannot place a call with yourself.": "امکان برقراری تماس با خودتان وجود ندارد.", "You cannot place a call with yourself.": "امکان برقراری تماس با خودتان وجود ندارد.",
"You're already in a call with this person.": "شما هم‌اکنون با این فرد در تماس هستید.",
"Already in call": "هم‌اکنون در تماس هستید",
"You've reached the maximum number of simultaneous calls.": "شما به بیشینه‌ی تعداد تماس‌های هم‌زمان رسیده‌اید.", "You've reached the maximum number of simultaneous calls.": "شما به بیشینه‌ی تعداد تماس‌های هم‌زمان رسیده‌اید.",
"Too Many Calls": "تعداد زیاد تماس", "Too Many Calls": "تعداد زیاد تماس",
"No other application is using the webcam": "برنامه‌ی دیگری از دوربین استفاده نکند",
"Permission is granted to use the webcam": "دسترسی مورد نیاز به دوربین داده شده باشد",
"A microphone and webcam are plugged in and set up correctly": "میکروفون و دوربین به درستی تنظیم شده باشند",
"Call failed because webcam or microphone could not be accessed. Check that:": "تماس به دلیل مشکل در دسترسی به دوربین یا میکروفون موفقیت‌آمیز نبود. لطفا بررسی کنید:",
"Unable to access webcam / microphone": "امکان دسترسی به دوربین/میکروفون وجود ندارد",
"Call failed because microphone could not be accessed. Check that a microphone is plugged in and set up correctly.": "تماس به دلیل عدم دسترسی به میکروفون موفقیت‌آمیز نبود. لطفا اتصال و تنظیمات صحیح میکروفون را بررسی نمائید.",
"Unable to access microphone": "دسترسی به میکروفون امکان‌پذیر نیست",
"Please ask the administrator of your homeserver (<code>%(homeserverDomain)s</code>) to configure a TURN server in order for calls to work reliably.": "لطفا برای برقراری تماس، از مدیر <code>%(homeserverDomain)s</code> بخواهید سرور TURN را پیکربندی نماید.", "Please ask the administrator of your homeserver (<code>%(homeserverDomain)s</code>) to configure a TURN server in order for calls to work reliably.": "لطفا برای برقراری تماس، از مدیر <code>%(homeserverDomain)s</code> بخواهید سرور TURN را پیکربندی نماید.",
"Call failed due to misconfigured server": "تماس به دلیل پیکربندی نادرست سرور موفقیت‌آمیز نبود", "Call failed due to misconfigured server": "تماس به دلیل پیکربندی نادرست سرور موفقیت‌آمیز نبود",
"The call was answered on another device.": "تماس بر روی دستگاه دیگری پاسخ داده شد.", "The call was answered on another device.": "تماس بر روی دستگاه دیگری پاسخ داده شد.",
"Answered Elsewhere": "در جای دیگری پاسخ داده شد", "Answered Elsewhere": "در جای دیگری پاسخ داده شد",
"The call could not be established": "امکان برقراری تماس وجود ندارد", "The call could not be established": "امکان برقراری تماس وجود ندارد",
"Call Failed": "تماس موفقیت‌آمیز نبود",
"Unable to load! Check your network connectivity and try again.": "امکان بارگیری محتوا وجود ندارد! لطفا وضعیت اتصال خود به اینترنت را بررسی کرده و مجددا اقدام نمائید.", "Unable to load! Check your network connectivity and try again.": "امکان بارگیری محتوا وجود ندارد! لطفا وضعیت اتصال خود به اینترنت را بررسی کرده و مجددا اقدام نمائید.",
"Explore rooms": "جستجو در اتاق ها", "Explore rooms": "جستجو در اتاق ها",
"Create Account": "ایجاد حساب کاربری", "Create Account": "ایجاد حساب کاربری",
"Use an identity server": "از سرور هویت‌سنجی استفاده کنید", "Use an identity server": "از سرور هویت‌سنجی استفاده کنید",
"Double check that your server supports the room version chosen and try again.": "بررسی کنید که کارگزار شما از نسخه اتاق انتخاب‌شده پشتیبانی کرده و دوباره امتحان کنید.", "Double check that your server supports the room version chosen and try again.": "بررسی کنید که کارگزار شما از نسخه اتاق انتخاب‌شده پشتیبانی کرده و دوباره امتحان کنید.",
"Error upgrading room": "خطا در ارتقاء نسخه اتاق", "Error upgrading room": "خطا در ارتقاء نسخه اتاق",
"Usage": "استفاده",
"Other": "دیگر",
"Effects": "جلوه‌ها",
"Actions": "اقدامات",
"Messages": "پیام ها",
"Setting up keys": "تنظیم کلیدها", "Setting up keys": "تنظیم کلیدها",
"Are you sure you want to cancel entering passphrase?": "آیا مطمئن هستید که می خواهید وارد کردن عبارت امنیتی را لغو کنید؟", "Are you sure you want to cancel entering passphrase?": "آیا مطمئن هستید که می خواهید وارد کردن عبارت امنیتی را لغو کنید؟",
"Cancel entering passphrase?": "وارد کردن عبارت امنیتی لغو شود؟", "Cancel entering passphrase?": "وارد کردن عبارت امنیتی لغو شود؟",
@ -1059,7 +1039,6 @@
"Empty room": "اتاق خالی", "Empty room": "اتاق خالی",
"Suggested Rooms": "اتاق‌های پیشنهادی", "Suggested Rooms": "اتاق‌های پیشنهادی",
"Historical": "تاریخی", "Historical": "تاریخی",
"System Alerts": "هشدارهای سیستم",
"Low priority": "اولویت کم", "Low priority": "اولویت کم",
"Explore public rooms": "کاوش در اتاق‌های عمومی", "Explore public rooms": "کاوش در اتاق‌های عمومی",
"You do not have permissions to add rooms to this space": "شما اجازه افزودن اتاق به این فضای کاری را ندارید", "You do not have permissions to add rooms to this space": "شما اجازه افزودن اتاق به این فضای کاری را ندارید",
@ -1067,8 +1046,6 @@
"Add room": "افزودن اتاق", "Add room": "افزودن اتاق",
"Rooms": "اتاق‌ها", "Rooms": "اتاق‌ها",
"Open dial pad": "باز کردن صفحه شماره‌گیری", "Open dial pad": "باز کردن صفحه شماره‌گیری",
"Video call": "تماس تصویری",
"Voice call": "تماس صوتی",
"Show Widgets": "نمایش ابزارک‌ها", "Show Widgets": "نمایش ابزارک‌ها",
"Hide Widgets": "پنهان‌کردن ابزارک‌ها", "Hide Widgets": "پنهان‌کردن ابزارک‌ها",
"Join Room": "به اتاق بپیوندید", "Join Room": "به اتاق بپیوندید",
@ -1098,11 +1075,6 @@
"You do not have permission to post to this room": "شما اجازه ارسال در این اتاق را ندارید", "You do not have permission to post to this room": "شما اجازه ارسال در این اتاق را ندارید",
"This room has been replaced and is no longer active.": "این اتاق جایگزین شده‌است و دیگر فعال نیست.", "This room has been replaced and is no longer active.": "این اتاق جایگزین شده‌است و دیگر فعال نیست.",
"The conversation continues here.": "گفتگو در اینجا ادامه دارد.", "The conversation continues here.": "گفتگو در اینجا ادامه دارد.",
"Send a message…": "ارسال یک پیام…",
"Send an encrypted message…": "ارسال پیام رمزگذاری شده …",
"Send a reply…": "ارسال پاسخ …",
"Send an encrypted reply…": "ارسال پاسخ رمزگذاری شده …",
"Send message": "ارسال پیام",
"%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (سطح قدرت %(powerLevelNumber)s)", "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (سطح قدرت %(powerLevelNumber)s)",
"Invited": "دعوت شد", "Invited": "دعوت شد",
"Invite to this space": "به این فضای کاری دعوت کنید", "Invite to this space": "به این فضای کاری دعوت کنید",
@ -1264,7 +1236,6 @@
"An error occurred changing the room's power level requirements. Ensure you have sufficient permissions and try again.": "در تغییر الزامات سطح دسترسی اتاق خطایی رخ داد. از داشتن دسترسی‌های کافی اطمینان حاصل کرده و مجددا امتحان کنید.", "An error occurred changing the room's power level requirements. Ensure you have sufficient permissions and try again.": "در تغییر الزامات سطح دسترسی اتاق خطایی رخ داد. از داشتن دسترسی‌های کافی اطمینان حاصل کرده و مجددا امتحان کنید.",
"Error changing power level requirement": "خطا در تغییر الزامات سطح دسترسی", "Error changing power level requirement": "خطا در تغییر الزامات سطح دسترسی",
"Banned by %(displayName)s": "توسط %(displayName)s تحریم شد", "Banned by %(displayName)s": "توسط %(displayName)s تحریم شد",
"Change server ACLs": "لیست‌های کنترل دسترسی (ACL) سرور را تغییر دهید",
"This room is bridging messages to the following platforms. <a>Learn more.</a>": "این اتاق، ارتباط بین پیام‌ها و پلتفورم‌های زیر را ایجاد می‌کند. <a>بیشتر بدانید.</a>", "This room is bridging messages to the following platforms. <a>Learn more.</a>": "این اتاق، ارتباط بین پیام‌ها و پلتفورم‌های زیر را ایجاد می‌کند. <a>بیشتر بدانید.</a>",
"View older messages in %(roomName)s.": "پیام‌های قدیمی اتاق %(roomName)s را مشاهده کنید.", "View older messages in %(roomName)s.": "پیام‌های قدیمی اتاق %(roomName)s را مشاهده کنید.",
"You may need to manually permit %(brand)s to access your microphone/webcam": "ممکن است لازم باشد دسترسی %(brand)s به میکروفون/دوربین را به صورت دستی فعال کنید", "You may need to manually permit %(brand)s to access your microphone/webcam": "ممکن است لازم باشد دسترسی %(brand)s به میکروفون/دوربین را به صورت دستی فعال کنید",
@ -1439,7 +1410,6 @@
"Admin Tools": "ابزارهای مدیریت", "Admin Tools": "ابزارهای مدیریت",
"Could not revoke the invite. The server may be experiencing a temporary problem or you do not have sufficient permissions to revoke the invite.": "دعوت لغو نشد. ممکن است سرور با یک مشکل موقتی روبرو شده باشد و یا اینکه شما مجوز کافی برای لغو دعوت را نداشته باشید.", "Could not revoke the invite. The server may be experiencing a temporary problem or you do not have sufficient permissions to revoke the invite.": "دعوت لغو نشد. ممکن است سرور با یک مشکل موقتی روبرو شده باشد و یا اینکه شما مجوز کافی برای لغو دعوت را نداشته باشید.",
"Failed to revoke invite": "دعوت لغو نشد", "Failed to revoke invite": "دعوت لغو نشد",
"Stickerpack": "استیکر",
"Add some now": "اکنون چندتایی اضافه کنید", "Add some now": "اکنون چندتایی اضافه کنید",
"You don't currently have any stickerpacks enabled": "شما در حال حاضر هیچ بسته برچسب فعالی ندارید", "You don't currently have any stickerpacks enabled": "شما در حال حاضر هیچ بسته برچسب فعالی ندارید",
"Failed to connect to integration manager": "اتصال به سیستم مدیریت ادغام انجام نشد", "Failed to connect to integration manager": "اتصال به سیستم مدیریت ادغام انجام نشد",
@ -1559,17 +1529,10 @@
"You've successfully verified this user.": "شما با موفقیت این کاربر را تائید کردید.", "You've successfully verified this user.": "شما با موفقیت این کاربر را تائید کردید.",
"Verified!": "تائید شد!", "Verified!": "تائید شد!",
"The other party cancelled the verification.": "طرف مقابل فرآیند تائید را لغو کرد.", "The other party cancelled the verification.": "طرف مقابل فرآیند تائید را لغو کرد.",
"Unknown caller": "تماس‌گیرنده‌ی ناشناس",
"Dial pad": "صفحه شماره‌گیری", "Dial pad": "صفحه شماره‌گیری",
"There was an error looking up the phone number": "هنگام یافتن شماره تلفن خطایی رخ داد", "There was an error looking up the phone number": "هنگام یافتن شماره تلفن خطایی رخ داد",
"Unable to look up phone number": "امکان یافتن شماره تلفن میسر نیست", "Unable to look up phone number": "امکان یافتن شماره تلفن میسر نیست",
"%(name)s on hold": "%(name)s در حال تعلیق است",
"Return to call": "بازگشت به تماس",
"Connecting": "در حال اتصال", "Connecting": "در حال اتصال",
"%(peerName)s held the call": "%(peerName)s تماس را به حالت تعلیق درآورد",
"You held the call <a>Resume</a>": "شما تماس را به حالت تعلیق نگه داشته‌اید <a>ادامه</a>",
"You held the call <a>Switch</a>": "شما تماس را به حالت تعلیق نگه داشته‌اید <a>تعویض</a>",
"Consulting with %(transferTarget)s. <a>Transfer to %(transferee)s</a>": "با %(transferTarget)s مشورت کنید. <a>انتقال به %(transferee)s</a>",
"unknown person": "فرد ناشناس", "unknown person": "فرد ناشناس",
"sends confetti": "انیمیشن بارش کاغذ شادی را ارسال کن", "sends confetti": "انیمیشن بارش کاغذ شادی را ارسال کن",
"sends snowfall": "انیمیشن بارش برف را ارسال کن", "sends snowfall": "انیمیشن بارش برف را ارسال کن",
@ -1579,8 +1542,6 @@
"Sends the given message with confetti": "این پیام را با انیمیشن بارش کاغد شادی ارسال کن", "Sends the given message with confetti": "این پیام را با انیمیشن بارش کاغد شادی ارسال کن",
"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!": "این لیست کاربران/اتاق‌هایی است که شما آن‌ها را بلاک کرده‌اید - اتاق را ترک نکنید!",
"My Ban List": "لیست تحریم‌های من", "My Ban List": "لیست تحریم‌های من",
"Downloading logs": "در حال دریافت لاگ‌ها",
"Uploading logs": "در حال بارگذاری لاگ‌ها",
"IRC display name width": "عرض نمایش نام‌های IRC", "IRC display name width": "عرض نمایش نام‌های IRC",
"Manually verify all remote sessions": "به صورت دستی همه‌ی نشست‌ها را تائید نمائید", "Manually verify all remote sessions": "به صورت دستی همه‌ی نشست‌ها را تائید نمائید",
"How fast should messages be downloaded.": "پیام‌ها باید چقدر سریع بارگیری شوند.", "How fast should messages be downloaded.": "پیام‌ها باید چقدر سریع بارگیری شوند.",
@ -1821,25 +1782,9 @@
"Muted Users": "کاربران بی‌صدا", "Muted Users": "کاربران بی‌صدا",
"Privileged Users": "کاربران ممتاز", "Privileged Users": "کاربران ممتاز",
"No users have specific privileges in this room": "هیچ کاربری در این اتاق دسترسی خاصی ندارد", "No users have specific privileges in this room": "هیچ کاربری در این اتاق دسترسی خاصی ندارد",
"Notify everyone": "اعلان عمومی به همه",
"Remove messages sent by others": "پاک‌کردن پیام‌های دیگران",
"Ban users": "تحریم کاربران",
"Change settings": "تغییر تنظیمات",
"Invite users": "دعوت کاربران",
"Send messages": "ارسال پیام‌ها",
"Default role": "نقش پیش‌فرض",
"An error occurred changing the user's power level. Ensure you have sufficient permissions and try again.": "هنگام تغییر طرح دسترسی کاربر خطایی رخ داد. از داشتن سطح دسترسی کافی برای این کار اطمینان حاصل کرده و مجددا اقدام نمائید.", "An error occurred changing the user's power level. Ensure you have sufficient permissions and try again.": "هنگام تغییر طرح دسترسی کاربر خطایی رخ داد. از داشتن سطح دسترسی کافی برای این کار اطمینان حاصل کرده و مجددا اقدام نمائید.",
"Error changing power level": "تغییر سطح دسترسی با خطا همراه بود", "Error changing power level": "تغییر سطح دسترسی با خطا همراه بود",
"Unban": "رفع تحریم", "Unban": "رفع تحریم",
"Modify widgets": "تغییر ویجت‌ها",
"Enable room encryption": "فعال‌کردن رمزنگاری برای اتاق",
"Upgrade the room": "ارتقاء نسخه اتاق",
"Change topic": "تغییر عنوان",
"Change permissions": "تغییر دسترسی‌ها",
"Change history visibility": "تغییر مشاهده‌پذیری تاریخچه",
"Change main address for the room": "تغییر آدرس اصلی اتاق",
"Change room name": "تغییر نام اتاق",
"Change room avatar": "تغییر نمایه اتاق",
"Browse": "جستجو", "Browse": "جستجو",
"Set a new custom sound": "تنظیم صدای دلخواه جدید", "Set a new custom sound": "تنظیم صدای دلخواه جدید",
"Notification sound": "صدای اعلان", "Notification sound": "صدای اعلان",
@ -1858,9 +1803,7 @@
"No Audio Outputs detected": "هیچ خروجی صدایی یافت نشد", "No Audio Outputs detected": "هیچ خروجی صدایی یافت نشد",
"Request media permissions": "درخواست دسترسی به رسانه", "Request media permissions": "درخواست دسترسی به رسانه",
"Missing media permissions, click the button below to request.": "دسترسی به رسانه از دست رفت، برای درخواست مجدد بر روی دکمه‌ی زیر کلیک نمائید.", "Missing media permissions, click the button below to request.": "دسترسی به رسانه از دست رفت، برای درخواست مجدد بر روی دکمه‌ی زیر کلیک نمائید.",
"Cross-signing": "امضاء متقابل",
"Message search": "جستجوی پیام‌ها", "Message search": "جستجوی پیام‌ها",
"Secure Backup": "پشتیبان‌گیری امن",
"You have no ignored users.": "شما هیچ کاربری را نادیده نگرفته‌اید.", "You have no ignored users.": "شما هیچ کاربری را نادیده نگرفته‌اید.",
"Session key:": "کلید نشست:", "Session key:": "کلید نشست:",
"Session ID:": "شناسه‌ی نشست:", "Session ID:": "شناسه‌ی نشست:",
@ -1897,19 +1840,6 @@
"Account management": "مدیریت حساب کاربری", "Account management": "مدیریت حساب کاربری",
"Spaces": "محیط‌ها", "Spaces": "محیط‌ها",
"Change notification settings": "تنظیمات اعلان را تغییر دهید", "Change notification settings": "تنظیمات اعلان را تغییر دهید",
"%(senderName)s: %(stickerName)s": "%(senderName)s:%(stickerName)s",
"%(senderName)s: %(message)s": "%(senderName)s:%(message)s",
"* %(senderName)s %(emote)s": "* %(senderName)s.%(emote)s",
"%(senderName)s is calling": "%(senderName)s در حال تماس است",
"Waiting for answer": "منتظر پاسخ",
"%(senderName)s started a call": "%(senderName)s تماس را شروع کرد",
"You started a call": "شما یک تماس را شروع کردید",
"Call ended": "تماس پایان یافت",
"%(senderName)s ended the call": "%(senderName)s تماس را پایان داد",
"You ended the call": "شما تماس را پایان دادید",
"Call in progress": "تماس در جریان است",
"%(senderName)s joined the call": "%(senderName)s به تماس پیوست",
"You joined the call": "شما به تماس پیوستید",
"Please contact your homeserver administrator.": "لطفاً با مدیر سرور خود تماس بگیرید.", "Please contact your homeserver administrator.": "لطفاً با مدیر سرور خود تماس بگیرید.",
"New version of %(brand)s is available": "نسخه‌ی جدید %(brand)s وجود است", "New version of %(brand)s is available": "نسخه‌ی جدید %(brand)s وجود است",
"Update %(brand)s": "%(brand)s را به‌روزرسانی کنید", "Update %(brand)s": "%(brand)s را به‌روزرسانی کنید",
@ -2075,8 +2005,6 @@
"We sent the others, but the below people couldn't be invited to <RoomName/>": "ما برای باقی ارسال کردیم، ولی افراد زیر نمی توانند به <RoomName/> دعوت شوند", "We sent the others, but the below people couldn't be invited to <RoomName/>": "ما برای باقی ارسال کردیم، ولی افراد زیر نمی توانند به <RoomName/> دعوت شوند",
"You cannot place calls without a connection to the server.": "شما نمی توانید بدون اتصال به سرور تماس برقرار کنید.", "You cannot place calls without a connection to the server.": "شما نمی توانید بدون اتصال به سرور تماس برقرار کنید.",
"Connectivity to the server has been lost": "اتصال با سرور قطع شده است", "Connectivity to the server has been lost": "اتصال با سرور قطع شده است",
"You cannot place calls in this browser.": "شما نمیتوانید در این مرورگر تماس برقرار کنید.",
"Calls are unsupported": "تماس ها پشتیبانی نمی شوند",
"No active call in this room": "تماس فعالی در این اتفاق وجود ندارد", "No active call in this room": "تماس فعالی در این اتفاق وجود ندارد",
"Unable to find Matrix ID for phone number": "ناتوانی در ییافتن شناسه ماتریکس برای شماره تلفن", "Unable to find Matrix ID for phone number": "ناتوانی در ییافتن شناسه ماتریکس برای شماره تلفن",
"Unrecognised room address: %(roomAlias)s": "نشانی اتاق %(roomAlias)s شناسایی نشد", "Unrecognised room address: %(roomAlias)s": "نشانی اتاق %(roomAlias)s شناسایی نشد",
@ -2167,10 +2095,6 @@
"Sorry, your homeserver is too old to participate here.": "متاسفانه نسخه نرم افزار خانگی شما برای مشارکت در این بخش خیلی قدیمی است.", "Sorry, your homeserver is too old to participate here.": "متاسفانه نسخه نرم افزار خانگی شما برای مشارکت در این بخش خیلی قدیمی است.",
"There was an error joining.": "خطایی در هنگام پیوستن رخ داده است.", "There was an error joining.": "خطایی در هنگام پیوستن رخ داده است.",
"%(brand)s is experimental on a mobile web browser. For a better experience and the latest features, use our free native app.": "%(brand)s در مرورگر موبایل بدرستی نمایش داده نمی‌شود، پیشنهاد میکنیم از نرم افزار موبایل رایگان ما در این‌باره استفاده نمایید.", "%(brand)s is experimental on a mobile web browser. For a better experience and the latest features, use our free native app.": "%(brand)s در مرورگر موبایل بدرستی نمایش داده نمی‌شود، پیشنهاد میکنیم از نرم افزار موبایل رایگان ما در این‌باره استفاده نمایید.",
"Notifications silenced": "هشدار بیصدا",
"Silence call": "تماس بیصدا",
"Sound on": "صدا",
"Video call started": "تماس تصویری شروع شد",
"Unknown room": "اتاق ناشناس", "Unknown room": "اتاق ناشناس",
"Help improve %(analyticsOwner)s": "بهتر کردن راهنمای کاربری %(analyticsOwner)s", "Help improve %(analyticsOwner)s": "بهتر کردن راهنمای کاربری %(analyticsOwner)s",
"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.": "شما به ارسال گزارش چگونگی استفاده از سرویس رضایت داده بودید. ما نحوه استفاده از این اطلاعات را بروز میکنیم.",
@ -2292,7 +2216,11 @@
"not_trusted": "غیرقابل اعتماد", "not_trusted": "غیرقابل اعتماد",
"accessibility": "دسترسی", "accessibility": "دسترسی",
"unnamed_room": "اتاق بدون نام", "unnamed_room": "اتاق بدون نام",
"unnamed_space": "فضای کاری بدون نام" "unnamed_space": "فضای کاری بدون نام",
"stickerpack": "استیکر",
"system_alerts": "هشدارهای سیستم",
"secure_backup": "پشتیبان‌گیری امن",
"cross_signing": "امضاء متقابل"
}, },
"action": { "action": {
"continue": "ادامه", "continue": "ادامه",
@ -2410,7 +2338,12 @@
"format_bold": "پررنگ", "format_bold": "پررنگ",
"format_strikethrough": "خط روی متن", "format_strikethrough": "خط روی متن",
"format_inline_code": "کد", "format_inline_code": "کد",
"format_code_block": "بلوک کد" "format_code_block": "بلوک کد",
"send_button_title": "ارسال پیام",
"placeholder_reply_encrypted": "ارسال پاسخ رمزگذاری شده …",
"placeholder_reply": "ارسال پاسخ …",
"placeholder_encrypted": "ارسال پیام رمزگذاری شده …",
"placeholder": "ارسال یک پیام…"
}, },
"Bold": "پررنگ", "Bold": "پررنگ",
"Code": "کد", "Code": "کد",
@ -2430,7 +2363,11 @@
"send_logs": "ارسال گزارش‌ها", "send_logs": "ارسال گزارش‌ها",
"github_issue": "مسئله GitHub", "github_issue": "مسئله GitHub",
"download_logs": "دانلود گزارش‌ها", "download_logs": "دانلود گزارش‌ها",
"before_submitting": "قبل از ارسال گزارش‌ها، برای توصیف مشکل خود باید <a>یک مسئله در GitHub ایجاد کنید</a>." "before_submitting": "قبل از ارسال گزارش‌ها، برای توصیف مشکل خود باید <a>یک مسئله در GitHub ایجاد کنید</a>.",
"collecting_information": "درحال جمع‌آوری اطلاعات نسخه‌ی برنامه",
"collecting_logs": "درحال جمع‌آوری گزارش‌ها",
"uploading_logs": "در حال بارگذاری لاگ‌ها",
"downloading_logs": "در حال دریافت لاگ‌ها"
}, },
"time": { "time": {
"seconds_left": "%(seconds)s ثانیه باقی‌مانده", "seconds_left": "%(seconds)s ثانیه باقی‌مانده",
@ -2522,7 +2459,9 @@
"failed_to_find_widget": "هنگام یافتن این ابزارک خطایی روی داد.", "failed_to_find_widget": "هنگام یافتن این ابزارک خطایی روی داد.",
"active_widgets": "ابزارک‌های فعال", "active_widgets": "ابزارک‌های فعال",
"toolbox": "جعبه ابزار", "toolbox": "جعبه ابزار",
"developer_tools": "ابزارهای توسعه‌دهنده" "developer_tools": "ابزارهای توسعه‌دهنده",
"category_room": "اتاق",
"category_other": "دیگر"
}, },
"export_chat": { "export_chat": {
"html": "HTML", "html": "HTML",
@ -2648,6 +2587,9 @@
"one": "%(names)s و یک نفر دیگر در حال نوشتن…", "one": "%(names)s و یک نفر دیگر در حال نوشتن…",
"other": "%(names)s و %(count)s نفر دیگر در حال نوشتن…" "other": "%(names)s و %(count)s نفر دیگر در حال نوشتن…"
} }
},
"m.call.hangup": {
"dm": "تماس پایان یافت"
} }
}, },
"slash_command": { "slash_command": {
@ -2682,7 +2624,14 @@
"help": "لیست دستورات را با کاربردها و توضیحات نمایش می دهد", "help": "لیست دستورات را با کاربردها و توضیحات نمایش می دهد",
"whois": "اطلاعات مربوط به کاربر را نمایش می دهد", "whois": "اطلاعات مربوط به کاربر را نمایش می دهد",
"rageshake": "گزارش یک اشکال به همراه سیاهه‌های مربوط", "rageshake": "گزارش یک اشکال به همراه سیاهه‌های مربوط",
"msg": "برای کاربر داده شده پیامی ارسال می کند" "msg": "برای کاربر داده شده پیامی ارسال می کند",
"usage": "استفاده",
"category_messages": "پیام ها",
"category_actions": "اقدامات",
"category_admin": "ادمین",
"category_advanced": "پیشرفته",
"category_effects": "جلوه‌ها",
"category_other": "دیگر"
}, },
"presence": { "presence": {
"online_for": "آنلاین برای مدت %(duration)s", "online_for": "آنلاین برای مدت %(duration)s",
@ -2695,5 +2644,77 @@
"offline": "آفلاین", "offline": "آفلاین",
"away": "بعدا" "away": "بعدا"
}, },
"Unknown": "ناشناخته" "Unknown": "ناشناخته",
"event_preview": {
"m.call.answer": {
"you": "شما به تماس پیوستید",
"user": "%(senderName)s به تماس پیوست",
"dm": "تماس در جریان است"
},
"m.call.hangup": {
"you": "شما تماس را پایان دادید",
"user": "%(senderName)s تماس را پایان داد"
},
"m.call.invite": {
"you": "شما یک تماس را شروع کردید",
"user": "%(senderName)s تماس را شروع کرد",
"dm_send": "منتظر پاسخ",
"dm_receive": "%(senderName)s در حال تماس است"
},
"m.emote": "* %(senderName)s.%(emote)s",
"m.text": "%(senderName)s:%(message)s",
"m.sticker": "%(senderName)s:%(stickerName)s"
},
"voip": {
"consulting": "با %(transferTarget)s مشورت کنید. <a>انتقال به %(transferee)s</a>",
"call_held_switch": "شما تماس را به حالت تعلیق نگه داشته‌اید <a>تعویض</a>",
"call_held_resume": "شما تماس را به حالت تعلیق نگه داشته‌اید <a>ادامه</a>",
"call_held": "%(peerName)s تماس را به حالت تعلیق درآورد",
"hangup": "قطع",
"expand": "بازگشت به تماس",
"on_hold": "%(name)s در حال تعلیق است",
"voice_call": "تماس صوتی",
"video_call": "تماس تصویری",
"video_call_started": "تماس تصویری شروع شد",
"unsilence": "صدا",
"silence": "تماس بیصدا",
"silenced": "هشدار بیصدا",
"unknown_caller": "تماس‌گیرنده‌ی ناشناس",
"call_failed": "تماس موفقیت‌آمیز نبود",
"unable_to_access_microphone": "دسترسی به میکروفون امکان‌پذیر نیست",
"call_failed_microphone": "تماس به دلیل عدم دسترسی به میکروفون موفقیت‌آمیز نبود. لطفا اتصال و تنظیمات صحیح میکروفون را بررسی نمائید.",
"unable_to_access_media": "امکان دسترسی به دوربین/میکروفون وجود ندارد",
"call_failed_media": "تماس به دلیل مشکل در دسترسی به دوربین یا میکروفون موفقیت‌آمیز نبود. لطفا بررسی کنید:",
"call_failed_media_connected": "میکروفون و دوربین به درستی تنظیم شده باشند",
"call_failed_media_permissions": "دسترسی مورد نیاز به دوربین داده شده باشد",
"call_failed_media_applications": "برنامه‌ی دیگری از دوربین استفاده نکند",
"already_in_call": "هم‌اکنون در تماس هستید",
"already_in_call_person": "شما هم‌اکنون با این فرد در تماس هستید.",
"unsupported": "تماس ها پشتیبانی نمی شوند",
"unsupported_browser": "شما نمیتوانید در این مرورگر تماس برقرار کنید."
},
"Messages": "پیام ها",
"Other": "دیگر",
"Advanced": "پیشرفته",
"room_settings": {
"permissions": {
"m.room.avatar": "تغییر نمایه اتاق",
"m.room.name": "تغییر نام اتاق",
"m.room.canonical_alias": "تغییر آدرس اصلی اتاق",
"m.room.history_visibility": "تغییر مشاهده‌پذیری تاریخچه",
"m.room.power_levels": "تغییر دسترسی‌ها",
"m.room.topic": "تغییر عنوان",
"m.room.tombstone": "ارتقاء نسخه اتاق",
"m.room.encryption": "فعال‌کردن رمزنگاری برای اتاق",
"m.room.server_acl": "لیست‌های کنترل دسترسی (ACL) سرور را تغییر دهید",
"m.widget": "تغییر ویجت‌ها",
"users_default": "نقش پیش‌فرض",
"events_default": "ارسال پیام‌ها",
"invite": "دعوت کاربران",
"state_default": "تغییر تنظیمات",
"ban": "تحریم کاربران",
"redact": "پاک‌کردن پیام‌های دیگران",
"notifications.room": "اعلان عمومی به همه"
}
}
} }

View file

@ -7,13 +7,11 @@
"unknown error code": "tuntematon virhekoodi", "unknown error code": "tuntematon virhekoodi",
"Failed to change password. Is your password correct?": "Salasanan vaihtaminen epäonnistui. Onko salasanasi oikein?", "Failed to change password. Is your password correct?": "Salasanan vaihtaminen epäonnistui. Onko salasanasi oikein?",
"powered by Matrix": "moottorina Matrix", "powered by Matrix": "moottorina Matrix",
"Admin": "Ylläpitäjä",
"No Microphones detected": "Mikrofonia ei löytynyt", "No Microphones detected": "Mikrofonia ei löytynyt",
"No Webcams detected": "Kameroita ei löytynyt", "No Webcams detected": "Kameroita ei löytynyt",
"No media permissions": "Ei mediaoikeuksia", "No media permissions": "Ei mediaoikeuksia",
"You may need to manually permit %(brand)s to access your microphone/webcam": "Voit joutua antamaan %(brand)sille luvan mikrofonin/kameran käyttöön", "You may need to manually permit %(brand)s to access your microphone/webcam": "Voit joutua antamaan %(brand)sille luvan mikrofonin/kameran käyttöön",
"Default Device": "Oletuslaite", "Default Device": "Oletuslaite",
"Advanced": "Lisäasetukset",
"Authentication": "Tunnistautuminen", "Authentication": "Tunnistautuminen",
"%(items)s and %(lastItem)s": "%(items)s ja %(lastItem)s", "%(items)s and %(lastItem)s": "%(items)s ja %(lastItem)s",
"A new password must be entered.": "Sinun täytyy syöttää uusi salasana.", "A new password must be entered.": "Sinun täytyy syöttää uusi salasana.",
@ -98,7 +96,6 @@
"one": "Lähetetään %(filename)s ja %(count)s muuta", "one": "Lähetetään %(filename)s ja %(count)s muuta",
"other": "Lähetetään %(filename)s ja %(count)s muuta" "other": "Lähetetään %(filename)s ja %(count)s muuta"
}, },
"Hangup": "Lopeta",
"Historical": "Vanhat", "Historical": "Vanhat",
"Home": "Etusivu", "Home": "Etusivu",
"Invalid file%(extra)s": "Virheellinen tiedosto%(extra)s", "Invalid file%(extra)s": "Virheellinen tiedosto%(extra)s",
@ -108,8 +105,6 @@
"This phone number is already in use": "Puhelinnumero on jo käytössä", "This phone number is already in use": "Puhelinnumero on jo käytössä",
"Users": "Käyttäjät", "Users": "Käyttäjät",
"Verified key": "Varmennettu avain", "Verified key": "Varmennettu avain",
"Video call": "Videopuhelu",
"Voice call": "Äänipuhelu",
"Warning!": "Varoitus!", "Warning!": "Varoitus!",
"Who can read history?": "Ketkä voivat lukea historiaa?", "Who can read history?": "Ketkä voivat lukea historiaa?",
"You are not in this room.": "Et ole tässä huoneessa.", "You are not in this room.": "Et ole tässä huoneessa.",
@ -168,7 +163,6 @@
"Unable to verify email address.": "Sähköpostin vahvistaminen epäonnistui.", "Unable to verify email address.": "Sähköpostin vahvistaminen epäonnistui.",
"Unable to enable Notifications": "Ilmoitusten käyttöönotto epäonnistui", "Unable to enable Notifications": "Ilmoitusten käyttöönotto epäonnistui",
"Upload Failed": "Lähetys epäonnistui", "Upload Failed": "Lähetys epäonnistui",
"Usage": "Käyttö",
"Define the power level of a user": "Määritä käyttäjän oikeustaso", "Define the power level of a user": "Määritä käyttäjän oikeustaso",
"Failed to change power level": "Oikeustason muuttaminen epäonnistui", "Failed to change power level": "Oikeustason muuttaminen epäonnistui",
"Please check your email and click on the link it contains. Once this is done, click continue.": "Ole hyvä ja tarkista sähköpostisi ja seuraa sen sisältämää linkkiä. Kun olet valmis, napsauta Jatka.", "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.",
@ -246,7 +240,6 @@
"Deops user with given id": "Poistaa tunnuksen mukaiselta käyttäjältä ylläpito-oikeudet", "Deops user with given id": "Poistaa tunnuksen mukaiselta käyttäjältä ylläpito-oikeudet",
"Notify the whole room": "Ilmoita koko huoneelle", "Notify the whole room": "Ilmoita koko huoneelle",
"Room Notification": "Huoneilmoitus", "Room Notification": "Huoneilmoitus",
"Call Failed": "Puhelu epäonnistui",
"%(weekDayName)s %(time)s": "%(weekDayName)s %(time)s", "%(weekDayName)s %(time)s": "%(weekDayName)s %(time)s",
"%(weekDayName)s, %(monthName)s %(day)s %(time)s": "%(weekDayName)s %(day)s. %(monthName)s %(time)s", "%(weekDayName)s, %(monthName)s %(day)s %(time)s": "%(weekDayName)s %(day)s. %(monthName)s %(time)s",
"%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s": "%(weekDayName)s %(day)s. %(monthName)s %(fullYear)s %(time)s", "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s": "%(weekDayName)s %(day)s. %(monthName)s %(fullYear)s %(time)s",
@ -362,12 +355,10 @@
"Source URL": "Lähdeosoite", "Source URL": "Lähdeosoite",
"Filter results": "Suodata tuloksia", "Filter results": "Suodata tuloksia",
"No update available.": "Ei päivityksiä saatavilla.", "No update available.": "Ei päivityksiä saatavilla.",
"Collecting app version information": "Haetaan sovelluksen versiotietoja",
"Tuesday": "Tiistai", "Tuesday": "Tiistai",
"Search…": "Haku…", "Search…": "Haku…",
"Saturday": "Lauantai", "Saturday": "Lauantai",
"Monday": "Maanantai", "Monday": "Maanantai",
"Collecting logs": "Haetaan lokeja",
"All Rooms": "Kaikki huoneet", "All Rooms": "Kaikki huoneet",
"All messages": "Kaikki viestit", "All messages": "Kaikki viestit",
"What's new?": "Mitä uutta?", "What's new?": "Mitä uutta?",
@ -382,8 +373,6 @@
"Failed to remove tag %(tagName)s from room": "Tagin %(tagName)s poistaminen huoneesta epäonnistui", "Failed to remove tag %(tagName)s from room": "Tagin %(tagName)s poistaminen huoneesta epäonnistui",
"Wednesday": "Keskiviikko", "Wednesday": "Keskiviikko",
"Thank you!": "Kiitos!", "Thank you!": "Kiitos!",
"Send an encrypted reply…": "Lähetä salattu vastaus…",
"Send an encrypted message…": "Lähetä salattu viesti…",
"<a>In reply to</a> <pill>": "<a>Vastauksena käyttäjälle</a> <pill>", "<a>In reply to</a> <pill>": "<a>Vastauksena käyttäjälle</a> <pill>",
"This room is not public. You will not be able to rejoin without an invite.": "Tämä huone ei ole julkinen. Et voi liittyä uudelleen ilman kutsua.", "This room is not public. You will not be able to rejoin without an invite.": "Tämä huone ei ole julkinen. Et voi liittyä uudelleen ilman kutsua.",
"You do not have permission to start a conference call in this room": "Sinulla ei ole oikeutta aloittaa ryhmäpuhelua tässä huoneessa", "You do not have permission to start a conference call in this room": "Sinulla ei ole oikeutta aloittaa ryhmäpuhelua tässä huoneessa",
@ -477,7 +466,6 @@
"Continue With Encryption Disabled": "Jatka salaus poistettuna käytöstä", "Continue With Encryption Disabled": "Jatka salaus poistettuna käytöstä",
"Changes to who can read history will only apply to future messages in this room. The visibility of existing history will be unchanged.": "Muutokset historian lukuoikeuksiin pätevät vain tuleviin viesteihin tässä huoneessa. Nykyisen historian näkyvyys ei muutu.", "Changes to who can read history will only apply to future messages in this room. The visibility of existing history will be unchanged.": "Muutokset historian lukuoikeuksiin pätevät vain tuleviin viesteihin tässä huoneessa. Nykyisen historian näkyvyys ei muutu.",
"You don't currently have any stickerpacks enabled": "Sinulla ei ole tarrapaketteja käytössä", "You don't currently have any stickerpacks enabled": "Sinulla ei ole tarrapaketteja käytössä",
"Stickerpack": "Tarrapaketti",
"Profile picture": "Profiilikuva", "Profile picture": "Profiilikuva",
"Email addresses": "Sähköpostiosoitteet", "Email addresses": "Sähköpostiosoitteet",
"Phone numbers": "Puhelinnumerot", "Phone numbers": "Puhelinnumerot",
@ -599,7 +587,6 @@
"Demote": "Alenna", "Demote": "Alenna",
"This room has been replaced and is no longer active.": "Tämä huone on korvattu, eikä se ole enää aktiivinen.", "This room has been replaced and is no longer active.": "Tämä huone on korvattu, eikä se ole enää aktiivinen.",
"Replying": "Vastataan", "Replying": "Vastataan",
"System Alerts": "Järjestelmähälytykset",
"Only room administrators will see this warning": "Vain huoneen ylläpitäjät näkevät tämän varoituksen", "Only room administrators will see this warning": "Vain huoneen ylläpitäjät näkevät tämän varoituksen",
"Add some now": "Lisää muutamia", "Add some now": "Lisää muutamia",
"Error updating main address": "Pääosoitteen päivityksessä tapahtui virhe", "Error updating main address": "Pääosoitteen päivityksessä tapahtui virhe",
@ -608,19 +595,6 @@
"Popout widget": "Avaa sovelma omassa ikkunassaan", "Popout widget": "Avaa sovelma omassa ikkunassaan",
"The user must be unbanned before they can be invited.": "Käyttäjän porttikielto täytyy poistaa ennen kutsumista.", "The user must be unbanned before they can be invited.": "Käyttäjän porttikielto täytyy poistaa ennen kutsumista.",
"Accept all %(invitedRooms)s invites": "Hyväksy kaikki %(invitedRooms)s kutsua", "Accept all %(invitedRooms)s invites": "Hyväksy kaikki %(invitedRooms)s kutsua",
"Change room avatar": "Vaihda huoneen kuva",
"Change room name": "Vaihda huoneen nimi",
"Change main address for the room": "Vaihda huoneen pääosoite",
"Change history visibility": "Muuta keskusteluhistorian näkyvyyttä",
"Change permissions": "Muuta oikeuksia",
"Change topic": "Vaihda aihe",
"Modify widgets": "Muokkaa sovelmia",
"Default role": "Oletusrooli",
"Send messages": "Lähetä viestejä",
"Invite users": "Kutsu käyttäjiä",
"Change settings": "Vaihda asetuksia",
"Ban users": "Anna porttikieltoja",
"Notify everyone": "Kiinnitä kaikkien huomio",
"Send %(eventType)s events": "Lähetä %(eventType)s-tapahtumat", "Send %(eventType)s events": "Lähetä %(eventType)s-tapahtumat",
"Select the roles required to change various parts of the room": "Valitse roolit, jotka vaaditaan huoneen eri osioiden muuttamiseen", "Select the roles required to change various parts of the room": "Valitse roolit, jotka vaaditaan huoneen eri osioiden muuttamiseen",
"Enable encryption?": "Ota salaus käyttöön?", "Enable encryption?": "Ota salaus käyttöön?",
@ -649,7 +623,6 @@
"Please review and accept all of the homeserver's policies": "Tarkistathan tämän kotipalvelimen käytännöt", "Please review and accept all of the homeserver's policies": "Tarkistathan tämän kotipalvelimen käytännöt",
"Please review and accept the policies of this homeserver:": "Tarkistathan tämän kotipalvelimen käytännöt:", "Please review and accept the policies of this homeserver:": "Tarkistathan tämän kotipalvelimen käytännöt:",
"Join millions for free on the largest public server": "Liity ilmaiseksi miljoonien joukkoon suurimmalla julkisella palvelimella", "Join millions for free on the largest public server": "Liity ilmaiseksi miljoonien joukkoon suurimmalla julkisella palvelimella",
"Other": "Muut",
"Can't leave Server Notices room": "Palvelinilmoitushuonetta ei voitu jättää", "Can't leave Server Notices room": "Palvelinilmoitushuonetta ei voitu jättää",
"This room is used for important messages from the Homeserver, so you cannot leave it.": "Tämä huone on kotipalvelimen tärkeille viesteille, joten ei voi poistua siitä.", "This room is used for important messages from the Homeserver, so you cannot leave it.": "Tämä huone on kotipalvelimen tärkeille viesteille, joten ei voi poistua siitä.",
"To continue using the %(homeserverDomain)s homeserver you must review and agree to our terms and conditions.": "Jatkaaksesi kotipalvelimen %(homeserverDomain)s käyttöä, sinun täytyy lukea ja hyväksyä käyttöehtomme.", "To continue using the %(homeserverDomain)s homeserver you must review and agree to our terms and conditions.": "Jatkaaksesi kotipalvelimen %(homeserverDomain)s käyttöä, sinun täytyy lukea ja hyväksyä käyttöehtomme.",
@ -802,8 +775,6 @@
"Terms of Service": "Käyttöehdot", "Terms of Service": "Käyttöehdot",
"Service": "Palvelu", "Service": "Palvelu",
"Summary": "Yhteenveto", "Summary": "Yhteenveto",
"Messages": "Viestit",
"Actions": "Toiminnot",
"Always show the window menu bar": "Näytä aina ikkunan valikkorivi", "Always show the window menu bar": "Näytä aina ikkunan valikkorivi",
"Unable to revoke sharing for email address": "Sähköpostiosoitteen jakamista ei voi perua", "Unable to revoke sharing for email address": "Sähköpostiosoitteen jakamista ei voi perua",
"Unable to share email address": "Sähköpostiosoitetta ei voi jakaa", "Unable to share email address": "Sähköpostiosoitetta ei voi jakaa",
@ -839,8 +810,6 @@
"You are still <b>sharing your personal data</b> on the identity server <idserver />.": "<b>Jaat edelleen henkilökohtaisia tietojasi</b> identiteettipalvelimella <idserver />.", "You are still <b>sharing your personal data</b> on the identity server <idserver />.": "<b>Jaat edelleen henkilökohtaisia tietojasi</b> identiteettipalvelimella <idserver />.",
"We recommend that you remove your email addresses and phone numbers from the identity server before disconnecting.": "Suosittelemme, että poistat sähköpostiosoitteesi ja puhelinnumerosi identiteettipalvelimelta ennen yhteyden katkaisemista.", "We recommend that you remove your email addresses and phone numbers from the identity server before disconnecting.": "Suosittelemme, että poistat sähköpostiosoitteesi ja puhelinnumerosi identiteettipalvelimelta ennen yhteyden katkaisemista.",
"Disconnect anyway": "Katkaise yhteys silti", "Disconnect anyway": "Katkaise yhteys silti",
"Upgrade the room": "Päivitä huone uuteen versioon",
"Enable room encryption": "Ota huoneen salaus käyttöön",
"No recent messages by %(user)s found": "Käyttäjän %(user)s kirjoittamia viimeaikaisia viestejä ei löytynyt", "No recent messages by %(user)s found": "Käyttäjän %(user)s kirjoittamia viimeaikaisia viestejä ei löytynyt",
"Try scrolling up in the timeline to see if there are any earlier ones.": "Kokeile vierittää aikajanaa ylöspäin nähdäksesi, löytyykö aiempia viestejä.", "Try scrolling up in the timeline to see if there are any earlier ones.": "Kokeile vierittää aikajanaa ylöspäin nähdäksesi, löytyykö aiempia viestejä.",
"Remove recent messages by %(user)s": "Poista käyttäjän %(user)s viimeaikaiset viestit", "Remove recent messages by %(user)s": "Poista käyttäjän %(user)s viimeaikaiset viestit",
@ -1021,7 +990,6 @@
"Secret storage public key:": "Salavaraston julkinen avain:", "Secret storage public key:": "Salavaraston julkinen avain:",
"in account data": "tilin tiedoissa", "in account data": "tilin tiedoissa",
"not stored": "ei tallennettu", "not stored": "ei tallennettu",
"Cross-signing": "Ristiinvarmennus",
"Unencrypted": "Suojaamaton", "Unencrypted": "Suojaamaton",
"Close preview": "Sulje esikatselu", "Close preview": "Sulje esikatselu",
"<userName/> wants to chat": "<userName/> haluaa keskustella", "<userName/> wants to chat": "<userName/> haluaa keskustella",
@ -1050,8 +1018,6 @@
"Show less": "Näytä vähemmän", "Show less": "Näytä vähemmän",
"in memory": "muistissa", "in memory": "muistissa",
"Bridges": "Sillat", "Bridges": "Sillat",
"Send a reply…": "Lähetä vastaus…",
"Send a message…": "Lähetä viesti…",
"Unknown Command": "Tuntematon komento", "Unknown Command": "Tuntematon komento",
"Unrecognised command: %(commandText)s": "Tunnistamaton komento: %(commandText)s", "Unrecognised command: %(commandText)s": "Tunnistamaton komento: %(commandText)s",
"Send as message": "Lähetä viestinä", "Send as message": "Lähetä viestinä",
@ -1285,16 +1251,6 @@
"All settings": "Kaikki asetukset", "All settings": "Kaikki asetukset",
"Feedback": "Palaute", "Feedback": "Palaute",
"Looks good!": "Hyvältä näyttää!", "Looks good!": "Hyvältä näyttää!",
"You joined the call": "Liityit puheluun",
"%(senderName)s joined the call": "%(senderName)s liittyi puheluun",
"Call in progress": "Puhelu käynnissä",
"Call ended": "Puhelu päättyi",
"You started a call": "Aloitit puhelun",
"%(senderName)s started a call": "%(senderName)s aloitti puhelun",
"Waiting for answer": "Odotetaan vastausta",
"%(senderName)s is calling": "%(senderName)s soittaa",
"%(senderName)s: %(message)s": "%(senderName)s: %(message)s",
"%(senderName)s: %(stickerName)s": "%(senderName)s: %(stickerName)s",
"Use custom size": "Käytä mukautettua kokoa", "Use custom size": "Käytä mukautettua kokoa",
"Use a system font": "Käytä järjestelmän fonttia", "Use a system font": "Käytä järjestelmän fonttia",
"System font name": "Järjestelmän fontin nimi", "System font name": "Järjestelmän fontin nimi",
@ -1345,16 +1301,12 @@
"Topic: %(topic)s (<a>edit</a>)": "Aihe: %(topic)s (<a>muokkaa</a>)", "Topic: %(topic)s (<a>edit</a>)": "Aihe: %(topic)s (<a>muokkaa</a>)",
"This is the beginning of your direct message history with <displayName/>.": "Tästä alkaa yksityisviestihistoriasi käyttäjän <displayName/> kanssa.", "This is the beginning of your direct message history with <displayName/>.": "Tästä alkaa yksityisviestihistoriasi käyttäjän <displayName/> kanssa.",
"Only the two of you are in this conversation, unless either of you invites anyone to join.": "Vain te kaksi olette tässä keskustelussa, ellei jompi kumpi kutsu muita.", "Only the two of you are in this conversation, unless either of you invites anyone to join.": "Vain te kaksi olette tässä keskustelussa, ellei jompi kumpi kutsu muita.",
"Remove messages sent by others": "Poista toisten lähettämät viestit",
"not ready": "ei valmis", "not ready": "ei valmis",
"ready": "valmis", "ready": "valmis",
"unexpected type": "odottamaton tyyppi", "unexpected type": "odottamaton tyyppi",
"Algorithm:": "Algoritmi:", "Algorithm:": "Algoritmi:",
"Failed to save your profile": "Profiilisi tallentaminen ei onnistunut", "Failed to save your profile": "Profiilisi tallentaminen ei onnistunut",
"Your server isn't responding to some <a>requests</a>.": "Palvelimesi ei vastaa joihinkin <a>pyyntöihin</a>.", "Your server isn't responding to some <a>requests</a>.": "Palvelimesi ei vastaa joihinkin <a>pyyntöihin</a>.",
"Unknown caller": "Tuntematon soittaja",
"%(senderName)s ended the call": "%(senderName)s lopetti puhelun",
"You ended the call": "Lopetit puhelun",
"New version of %(brand)s is available": "%(brand)s-sovelluksesta on saatavilla uusi versio", "New version of %(brand)s is available": "%(brand)s-sovelluksesta on saatavilla uusi versio",
"Update %(brand)s": "Päivitä %(brand)s", "Update %(brand)s": "Päivitä %(brand)s",
"Enable desktop notifications": "Ota työpöytäilmoitukset käyttöön", "Enable desktop notifications": "Ota työpöytäilmoitukset käyttöön",
@ -1375,7 +1327,6 @@
"Appearance Settings only affect this %(brand)s session.": "Ulkoasuasetukset vaikuttavat vain tähän %(brand)s-istuntoon.", "Appearance Settings only affect this %(brand)s session.": "Ulkoasuasetukset vaikuttavat vain tähän %(brand)s-istuntoon.",
"Set the name of a font installed on your system & %(brand)s will attempt to use it.": "Aseta käyttöjärjestelmääsi asennetun fontin nimi, niin %(brand)s pyrkii käyttämään sitä.", "Set the name of a font installed on your system & %(brand)s will attempt to use it.": "Aseta käyttöjärjestelmääsi asennetun fontin nimi, niin %(brand)s pyrkii käyttämään sitä.",
"The operation could not be completed": "Toimintoa ei voitu tehdä loppuun asti", "The operation could not be completed": "Toimintoa ei voitu tehdä loppuun asti",
"Return to call": "Palaa puheluun",
"Send stickers to your active room as you": "Lähetä aktiiviseen huoneeseesi tarroja itsenäsi", "Send stickers to your active room as you": "Lähetä aktiiviseen huoneeseesi tarroja itsenäsi",
"Send stickers to this room as you": "Lähetä tähän huoneeseen tarroja itsenäsi", "Send stickers to this room as you": "Lähetä tähän huoneeseen tarroja itsenäsi",
"Change the avatar of your active room": "Vaihda aktiivisen huoneesi kuva", "Change the avatar of your active room": "Vaihda aktiivisen huoneesi kuva",
@ -1440,13 +1391,6 @@
"Afghanistan": "Afganistan", "Afghanistan": "Afganistan",
"United States": "Yhdysvallat", "United States": "Yhdysvallat",
"United Kingdom": "Iso-Britannia", "United Kingdom": "Iso-Britannia",
"No other application is using the webcam": "Mikään muu sovellus ei käytä kameraa",
"Permission is granted to use the webcam": "Lupa käyttää kameraa myönnetty",
"A microphone and webcam are plugged in and set up correctly": "Mikrofoni ja kamera on kytketty ja asennettu oiken",
"Call failed because webcam or microphone could not be accessed. Check that:": "Puhelu epäonnistui, koska kameraa tai mikrofonia ei voitu käyttää. Tarkista että:",
"Unable to access webcam / microphone": "Kameraa / mikrofonia ei voi käyttää",
"Call failed because microphone could not be accessed. Check that a microphone is plugged in and set up correctly.": "Puhelu epäonnistui, koska mikrofonia ei voitu käyttää. Tarkista, että mikrofoni on kytketty ja asennettu oikein.",
"Unable to access microphone": "Mikrofonia ei voi käyttää",
"El Salvador": "El Salvador", "El Salvador": "El Salvador",
"Egypt": "Egypti", "Egypt": "Egypti",
"Ecuador": "Ecuador", "Ecuador": "Ecuador",
@ -1555,7 +1499,6 @@
"Secret storage:": "Salainen tallennus:", "Secret storage:": "Salainen tallennus:",
"Hey you. You're the best!": "Hei siellä, olet paras!", "Hey you. You're the best!": "Hei siellä, olet paras!",
"Room ID or address of ban list": "Huonetunnus tai -osoite on estolistalla", "Room ID or address of ban list": "Huonetunnus tai -osoite on estolistalla",
"Secure Backup": "Turvallinen varmuuskopio",
"Add a photo, so people can easily spot your room.": "Lisää kuva, jotta ihmiset voivat helpommin huomata huoneesi.", "Add a photo, so people can easily spot your room.": "Lisää kuva, jotta ihmiset voivat helpommin huomata huoneesi.",
"Hide Widgets": "Piilota sovelmat", "Hide Widgets": "Piilota sovelmat",
"Show Widgets": "Näytä sovelmat", "Show Widgets": "Näytä sovelmat",
@ -1565,7 +1508,6 @@
"A-Z": "A-Ö", "A-Z": "A-Ö",
"Server Options": "Palvelinasetukset", "Server Options": "Palvelinasetukset",
"Information": "Tiedot", "Information": "Tiedot",
"Effects": "Tehosteet",
"Zimbabwe": "Zimbabwe", "Zimbabwe": "Zimbabwe",
"Zambia": "Sambia", "Zambia": "Sambia",
"Yemen": "Jemen", "Yemen": "Jemen",
@ -1706,7 +1648,6 @@
"The server has denied your request.": "Palvelin eväsi pyyntösi.", "The server has denied your request.": "Palvelin eväsi pyyntösi.",
"Just a heads up, if you don't add an email and forget your password, you could <b>permanently lose access to your account</b>.": "Huomio: jos et lisää sähköpostia ja unohdat salasanasi, saatat <b>menettää pääsyn tiliisi pysyvästi</b>.", "Just a heads up, if you don't add an email and forget your password, you could <b>permanently lose access to your account</b>.": "Huomio: jos et lisää sähköpostia ja unohdat salasanasi, saatat <b>menettää pääsyn tiliisi pysyvästi</b>.",
"Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "Palvelimesi ylläpitäjä on poistanut päästä päähän -salauksen oletuksena käytöstä yksityisissä huoneissa ja yksityisviesteissä.", "Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "Palvelimesi ylläpitäjä on poistanut päästä päähän -salauksen oletuksena käytöstä yksityisissä huoneissa ja yksityisviesteissä.",
"%(peerName)s held the call": "%(peerName)s piti puhelua pidossa",
"Send general files as you in your active room": "Lähetä aktiiviseen huoneeseesi yleisiä tiedostoja itsenäsi", "Send general files as you in your active room": "Lähetä aktiiviseen huoneeseesi yleisiä tiedostoja itsenäsi",
"Send general files as you in this room": "Lähetä tähän huoneeseen yleisiä tiedostoja itsenäsi", "Send general files as you in this room": "Lähetä tähän huoneeseen yleisiä tiedostoja itsenäsi",
"Send videos as you in your active room": "Lähetä aktiiviseen huoneeseesi videoita itsenäsi", "Send videos as you in your active room": "Lähetä aktiiviseen huoneeseesi videoita itsenäsi",
@ -1717,9 +1658,6 @@
"Send text messages as you in this room": "Lähetä tähän huoneeseen tekstiviestejä itsenäsi", "Send text messages as you in this room": "Lähetä tähän huoneeseen tekstiviestejä itsenäsi",
"Send messages as you in your active room": "Lähetä aktiiviseen huoneeseesi viestejä itsenäsi", "Send messages as you in your active room": "Lähetä aktiiviseen huoneeseesi viestejä itsenäsi",
"Send messages as you in this room": "Lähetä tähän huoneeseen viestejä itsenäsi", "Send messages as you in this room": "Lähetä tähän huoneeseen viestejä itsenäsi",
"* %(senderName)s %(emote)s": "* %(senderName)s %(emote)s",
"Downloading logs": "Ladataan lokeja",
"Uploading logs": "Lähetetään lokeja",
"A connection error occurred while trying to contact the server.": "Yhteysvirhe yritettäessä ottaa yhteyttä palvelimeen.", "A connection error occurred while trying to contact the server.": "Yhteysvirhe yritettäessä ottaa yhteyttä palvelimeen.",
"The <b>%(capability)s</b> capability": "<b>%(capability)s</b>-ominaisuus", "The <b>%(capability)s</b> capability": "<b>%(capability)s</b>-ominaisuus",
"See when the avatar changes in this room": "Näe milloin avatar vaihtuu tässä huoneessa", "See when the avatar changes in this room": "Näe milloin avatar vaihtuu tässä huoneessa",
@ -1756,9 +1694,6 @@
"sends confetti": "lähettää konfettia", "sends confetti": "lähettää konfettia",
"Sends the given message with confetti": "Lähettää viestin konfettien kera", "Sends the given message with confetti": "Lähettää viestin konfettien kera",
"sends fireworks": "lähetä ilotulitus", "sends fireworks": "lähetä ilotulitus",
"You held the call <a>Switch</a>": "Puhelu pidossa <a>Vaihda</a>",
"You held the call <a>Resume</a>": "Puhelu pidossa <a>Jatka</a>",
"%(name)s on hold": "%(name)s on pidossa",
"Please verify the room ID or address and try again.": "Tarkista huonetunnus ja yritä uudelleen.", "Please verify the room ID or address and try again.": "Tarkista huonetunnus ja yritä uudelleen.",
"Are you sure you want to deactivate your account? This is irreversible.": "Haluatko varmasti poistaa tilisi pysyvästi?", "Are you sure you want to deactivate your account? This is irreversible.": "Haluatko varmasti poistaa tilisi pysyvästi?",
"Data on this screen is shared with %(widgetDomain)s": "Tällä näytöllä olevaa tietoa jaetaan verkkotunnuksen %(widgetDomain)s kanssa", "Data on this screen is shared with %(widgetDomain)s": "Tällä näytöllä olevaa tietoa jaetaan verkkotunnuksen %(widgetDomain)s kanssa",
@ -1824,15 +1759,12 @@
"Empty room": "Tyhjä huone", "Empty room": "Tyhjä huone",
"Suggested Rooms": "Ehdotetut huoneet", "Suggested Rooms": "Ehdotetut huoneet",
"Add existing room": "Lisää olemassa oleva huone", "Add existing room": "Lisää olemassa oleva huone",
"Send message": "Lähetä viesti",
"Your message was sent": "Viestisi lähetettiin", "Your message was sent": "Viestisi lähetettiin",
"Invite people": "Kutsu ihmisiä", "Invite people": "Kutsu ihmisiä",
"Share invite link": "Jaa kutsulinkki", "Share invite link": "Jaa kutsulinkki",
"Click to copy": "Kopioi napsauttamalla", "Click to copy": "Kopioi napsauttamalla",
"You can change these anytime.": "Voit muuttaa näitä koska tahansa.", "You can change these anytime.": "Voit muuttaa näitä koska tahansa.",
"This homeserver has been blocked by its administrator.": "Tämä kotipalvelin on ylläpitäjänsä estämä.", "This homeserver has been blocked by its administrator.": "Tämä kotipalvelin on ylläpitäjänsä estämä.",
"You're already in a call with this person.": "Olet jo puhelussa tämän henkilön kanssa.",
"Already in call": "Olet jo puhelussa",
"You can add more later too, including already existing ones.": "Voit lisätä niitä myöhemmin, mukaan lukien olemassa olevia.", "You can add more later too, including already existing ones.": "Voit lisätä niitä myöhemmin, mukaan lukien olemassa olevia.",
"Let's create a room for each of them.": "Tehdään huone jokaiselle.", "Let's create a room for each of them.": "Tehdään huone jokaiselle.",
"What do you want to organise?": "Mitä haluat järjestää?", "What do you want to organise?": "Mitä haluat järjestää?",
@ -1945,9 +1877,6 @@
"Invite to this space": "Kutsu tähän avaruuteen", "Invite to this space": "Kutsu tähän avaruuteen",
"Are you sure you want to make this encrypted room public?": "Haluatko varmasti tehdä tästä salatusta huoneesta julkisen?", "Are you sure you want to make this encrypted room public?": "Haluatko varmasti tehdä tästä salatusta huoneesta julkisen?",
"Unknown failure": "Tuntematon virhe", "Unknown failure": "Tuntematon virhe",
"Change description": "Vaihda kuvaus",
"Change space name": "Vaihda avaruuden nimi",
"Change space avatar": "Vaihda avaruuden kuva",
"Message bubbles": "Viestikuplat", "Message bubbles": "Viestikuplat",
"Space members": "Avaruuden jäsenet", "Space members": "Avaruuden jäsenet",
"& %(count)s more": { "& %(count)s more": {
@ -1962,19 +1891,8 @@
"Enable guest access": "Ota käyttöön vieraiden pääsy", "Enable guest access": "Ota käyttöön vieraiden pääsy",
"Failed to save space settings.": "Avaruuden asetusten tallentaminen epäonnistui.", "Failed to save space settings.": "Avaruuden asetusten tallentaminen epäonnistui.",
"Delete avatar": "Poista avatar", "Delete avatar": "Poista avatar",
"Mute the microphone": "Mykistä mikrofoni",
"Unmute the microphone": "Poista mikrofonin mykistys",
"Dialpad": "Numeronäppäimistö",
"Show sidebar": "Näytä sivupalkki", "Show sidebar": "Näytä sivupalkki",
"Hide sidebar": "Piilota sivupalkki", "Hide sidebar": "Piilota sivupalkki",
"Start sharing your screen": "Aloita näyttösi jakaminen",
"Stop sharing your screen": "Lopeta näyttösi jakaminen",
"Stop the camera": "Pysäytä kamera",
"Start the camera": "Käynnistä kamera",
"Your camera is still enabled": "Kamerasi on edelleen päällä",
"Your camera is turned off": "Kamerasi on pois päältä",
"%(sharerName)s is presenting": "%(sharerName)s esittää",
"You are presenting": "Esität parhaillaan",
"Set up Secure Backup": "Määritä turvallinen varmuuskopio", "Set up Secure Backup": "Määritä turvallinen varmuuskopio",
"Review to ensure your account is safe": "Katselmoi varmistaaksesi, että tilisi on turvassa", "Review to ensure your account is safe": "Katselmoi varmistaaksesi, että tilisi on turvassa",
"Share your public space": "Jaa julkinen avaruutesi", "Share your public space": "Jaa julkinen avaruutesi",
@ -2063,8 +1981,6 @@
"Please provide an address": "Määritä osoite", "Please provide an address": "Määritä osoite",
"Call back": "Soita takaisin", "Call back": "Soita takaisin",
"Role in <RoomName/>": "Rooli huoneessa <RoomName/>", "Role in <RoomName/>": "Rooli huoneessa <RoomName/>",
"Reply to thread…": "Vastaa ketjuun…",
"Reply to encrypted thread…": "Vastaa salattuun ketjuun…",
"Are you sure you want to add encryption to this public room?": "Haluatko varmasti lisätä salauksen tähän julkiseen huoneeseen?", "Are you sure you want to add encryption to this public room?": "Haluatko varmasti lisätä salauksen tähän julkiseen huoneeseen?",
"There was an error loading your notification settings.": "Virhe ladatessa ilmoitusasetuksia.", "There was an error loading your notification settings.": "Virhe ladatessa ilmoitusasetuksia.",
"An error occurred whilst saving your notification preferences.": "Ilmoitusasetuksia tallentaessa tapahtui virhe.", "An error occurred whilst saving your notification preferences.": "Ilmoitusasetuksia tallentaessa tapahtui virhe.",
@ -2073,8 +1989,6 @@
"Workspace: <networkLink/>": "Työtila: <networkLink/>", "Workspace: <networkLink/>": "Työtila: <networkLink/>",
"This may be useful for public spaces.": "Tämä voi olla hyödyllinen julkisille avaruuksille.", "This may be useful for public spaces.": "Tämä voi olla hyödyllinen julkisille avaruuksille.",
"Invite with email or username": "Kutsu sähköpostiosoitteella tai käyttäjänimellä", "Invite with email or username": "Kutsu sähköpostiosoitteella tai käyttäjänimellä",
"Silence call": "Hiljennä puhelu",
"Sound on": "Ääni päällä",
"Don't miss a reply": "Älä jätä vastauksia huomiotta", "Don't miss a reply": "Älä jätä vastauksia huomiotta",
"Show:": "Näytä:", "Show:": "Näytä:",
"This room is suggested as a good one to join": "Tähän huoneeseen liittymistä suositellaan", "This room is suggested as a good one to join": "Tähän huoneeseen liittymistä suositellaan",
@ -2140,8 +2054,6 @@
"Other rooms": "Muut huoneet", "Other rooms": "Muut huoneet",
"You cannot place calls without a connection to the server.": "Et voi soittaa puheluja ilman yhteyttä palvelimeen.", "You cannot place calls without a connection to the server.": "Et voi soittaa puheluja ilman yhteyttä palvelimeen.",
"Connectivity to the server has been lost": "Yhteys palvelimeen on katkennut", "Connectivity to the server has been lost": "Yhteys palvelimeen on katkennut",
"You cannot place calls in this browser.": "Et voi soittaa puheluja tässä selaimessa.",
"Calls are unsupported": "Puhelut eivät ole tuettuja",
"Files": "Tiedostot", "Files": "Tiedostot",
"Toggle space panel": "Avaruuspaneeli päälle/pois", "Toggle space panel": "Avaruuspaneeli päälle/pois",
"Space Autocomplete": "Avaruuksien automaattinen täydennys", "Space Autocomplete": "Avaruuksien automaattinen täydennys",
@ -2168,8 +2080,6 @@
"You do not have permissions to invite people to this space": "Sinulla ei ole oikeuksia kutsua ihmisiä tähän avaruuteen", "You do not have permissions to invite people to this space": "Sinulla ei ole oikeuksia kutsua ihmisiä tähän avaruuteen",
"Invite to space": "Kutsu avaruuteen", "Invite to space": "Kutsu avaruuteen",
"Select the roles required to change various parts of the space": "Valitse roolit, jotka vaaditaan avaruuden eri osioiden muuttamiseen", "Select the roles required to change various parts of the space": "Valitse roolit, jotka vaaditaan avaruuden eri osioiden muuttamiseen",
"Manage rooms in this space": "Hallinnoi huoneita tässä avaruudessa",
"Change main address for the space": "Vaihda avaruuden pääosoite",
"Rooms outside of a space": "Huoneet, jotka eivät kuulu mihinkään avaruuteen", "Rooms outside of a space": "Huoneet, jotka eivät kuulu mihinkään avaruuteen",
"Show all your rooms in Home, even if they're in a space.": "Näytä kaikki huoneesi etusivulla, vaikka ne olisivat jossain muussa avaruudessa.", "Show all your rooms in Home, even if they're in a space.": "Näytä kaikki huoneesi etusivulla, vaikka ne olisivat jossain muussa avaruudessa.",
"Spaces to show": "Näytettävät avaruudet", "Spaces to show": "Näytettävät avaruudet",
@ -2261,8 +2171,6 @@
"You don't have permission to view messages from before you were invited.": "Sinulla ei ole oikeutta nähdä viestejä ajalta ennen kutsumistasi.", "You don't have permission to view messages from before you were invited.": "Sinulla ei ole oikeutta nähdä viestejä ajalta ennen kutsumistasi.",
"People with supported clients will be able to join the room without having a registered account.": "Käyttäjät, joilla on tuettu asiakasohjelma, voivat liittyä huoneeseen ilman rekisteröityä käyttäjätiliä.", "People with supported clients will be able to join the room without having a registered account.": "Käyttäjät, joilla on tuettu asiakasohjelma, voivat liittyä huoneeseen ilman rekisteröityä käyttäjätiliä.",
"To avoid these issues, create a <a>new public room</a> for the conversation you plan to have.": "Vältä nämä ongelmat luomalla <a>uusi julkinen huone</a> aikomallesi keskustelulle.", "To avoid these issues, create a <a>new public room</a> for the conversation you plan to have.": "Vältä nämä ongelmat luomalla <a>uusi julkinen huone</a> aikomallesi keskustelulle.",
"Remove users": "Poista käyttäjiä",
"Send reactions": "Lähetä reaktioita",
"Get notified for every message": "Vastaanota ilmoitus joka viestistä", "Get notified for every message": "Vastaanota ilmoitus joka viestistä",
"Show tray icon and minimise window to it on close": "Näytä ilmaisinalueen kuvake ja pienennä ikkuna siihen suljettaessa", "Show tray icon and minimise window to it on close": "Näytä ilmaisinalueen kuvake ja pienennä ikkuna siihen suljettaessa",
"Keyboard": "Näppäimistö", "Keyboard": "Näppäimistö",
@ -2324,8 +2232,6 @@
"Unpin this widget to view it in this panel": "Poista sovelman kiinnitys näyttääksesi sen tässä paneelissa", "Unpin this widget to view it in this panel": "Poista sovelman kiinnitys näyttääksesi sen tässä paneelissa",
"Chat": "Keskustelu", "Chat": "Keskustelu",
"Add people": "Lisää ihmisiä", "Add people": "Lisää ihmisiä",
"Manage pinned events": "Hallitse kiinnitettyjä tapahtumia",
"Remove messages sent by me": "Poista lähettämäni viestit",
"This room isn't bridging messages to any platforms. <a>Learn more.</a>": "Tämä huone ei siltaa viestejä millekään alustalle. <a>Lue lisää.</a>", "This room isn't bridging messages to any platforms. <a>Learn more.</a>": "Tämä huone ei siltaa viestejä millekään alustalle. <a>Lue lisää.</a>",
"Sign out devices": { "Sign out devices": {
"one": "Kirjaa laite ulos", "one": "Kirjaa laite ulos",
@ -2476,12 +2382,6 @@
"<b>It's not recommended to make encrypted rooms public.</b> It will mean anyone can find and join the room, so anyone can read messages. You'll get none of the benefits of encryption. Encrypting messages in a public room will make receiving and sending messages slower.": "<b>Ei ole suositeltavaa tehdä salausta käyttävistä huoneista julkisia.</b> Se tarkoittaa, että kuka vain voi löytää huoneen, joten kuka vain voi lukea viestejä. Salauksesta ei siis ole hyötyä. Viestien salaaminen julkisessa huoneessa hidastaa viestien vastaanottamista ja lähettämistä.", "<b>It's not recommended to make encrypted rooms public.</b> It will mean anyone can find and join the room, so anyone can read messages. You'll get none of the benefits of encryption. Encrypting messages in a public room will make receiving and sending messages slower.": "<b>Ei ole suositeltavaa tehdä salausta käyttävistä huoneista julkisia.</b> Se tarkoittaa, että kuka vain voi löytää huoneen, joten kuka vain voi lukea viestejä. Salauksesta ei siis ole hyötyä. Viestien salaaminen julkisessa huoneessa hidastaa viestien vastaanottamista ja lähettämistä.",
"To avoid these issues, create a <a>new encrypted room</a> for the conversation you plan to have.": "Vältä nämä ongelmat luomalla <a>uusi salausta käyttävä huone</a> keskustelua varten.", "To avoid these issues, create a <a>new encrypted room</a> for the conversation you plan to have.": "Vältä nämä ongelmat luomalla <a>uusi salausta käyttävä huone</a> keskustelua varten.",
"Your password was successfully changed.": "Salasanasi vaihtaminen onnistui.", "Your password was successfully changed.": "Salasanasi vaihtaminen onnistui.",
"Turn on camera": "Laita kamera päälle",
"Turn off camera": "Sammuta kamera",
"Video devices": "Videolaitteet",
"Unmute microphone": "Poista mikrofonin mykistys",
"Mute microphone": "Mykistä mikrofoni",
"Audio devices": "Äänilaitteet",
"%(count)s people joined": { "%(count)s people joined": {
"one": "%(count)s ihminen liittyi", "one": "%(count)s ihminen liittyi",
"other": "%(count)s ihmistä liittyi" "other": "%(count)s ihmistä liittyi"
@ -2544,7 +2444,6 @@
}, },
"Cross-signing is ready but keys are not backed up.": "Ristiinvarmennus on valmis, mutta avaimia ei ole varmuuskopioitu.", "Cross-signing is ready but keys are not backed up.": "Ristiinvarmennus on valmis, mutta avaimia ei ole varmuuskopioitu.",
"Search %(spaceName)s": "Etsi %(spaceName)s", "Search %(spaceName)s": "Etsi %(spaceName)s",
"Dial": "Yhdistä",
"Messaging": "Viestintä", "Messaging": "Viestintä",
"Back to thread": "Takaisin ketjuun", "Back to thread": "Takaisin ketjuun",
"The user's homeserver does not support the version of the space.": "Käyttäjän kotipalvelin ei tue avaruuden versiota.", "The user's homeserver does not support the version of the space.": "Käyttäjän kotipalvelin ei tue avaruuden versiota.",
@ -2722,8 +2621,6 @@
"Enable notifications for this account": "Ota ilmoitukset käyttöön tälle tilille", "Enable notifications for this account": "Ota ilmoitukset käyttöön tälle tilille",
"Download %(brand)s": "Lataa %(brand)s", "Download %(brand)s": "Lataa %(brand)s",
"Sorry — this call is currently full": "Pahoittelut — tämä puhelu on täynnä", "Sorry — this call is currently full": "Pahoittelut — tämä puhelu on täynnä",
"Notifications silenced": "Ilmoitukset hiljennetty",
"Video call started": "Videopuhelu aloitettu",
"Unknown room": "Tuntematon huone", "Unknown room": "Tuntematon huone",
"Mapbox logo": "Mapboxin logo", "Mapbox logo": "Mapboxin logo",
"Location not available": "Sijainti ei ole saatavilla", "Location not available": "Sijainti ei ole saatavilla",
@ -2772,7 +2669,6 @@
"Search for": "Etsittävät kohteet", "Search for": "Etsittävät kohteet",
"To join, please enable video rooms in Labs first": "Liittyäksesi ota videohuoneet käyttöön laboratorion kautta", "To join, please enable video rooms in Labs first": "Liittyäksesi ota videohuoneet käyttöön laboratorion kautta",
"Home options": "Etusivun valinnat", "Home options": "Etusivun valinnat",
"Change server ACLs": "Muuta palvelimen pääsynvalvontalistoja",
"Internal room ID": "Sisäinen huoneen ID-tunniste", "Internal room ID": "Sisäinen huoneen ID-tunniste",
"Reset bearing to north": "Aseta suunta pohjoiseen", "Reset bearing to north": "Aseta suunta pohjoiseen",
"See when anyone posts a sticker to your active room": "Näe kun kuka tahansa lähettää tarran aktiiviseen huoneeseen", "See when anyone posts a sticker to your active room": "Näe kun kuka tahansa lähettää tarran aktiiviseen huoneeseen",
@ -2796,7 +2692,6 @@
"You may contact me if you want to follow up or to let me test out upcoming ideas": "Voitte olla yhteydessä minuun, jos haluatte keskustella palautteesta tai antaa minun testata tulevia ideoita", "You may contact me if you want to follow up or to let me test out upcoming ideas": "Voitte olla yhteydessä minuun, jos haluatte keskustella palautteesta tai antaa minun testata tulevia ideoita",
"Your platform and username will be noted to help us use your feedback as much as we can.": "Alustasi ja käyttäjänimesi huomataan, jotta palautteesi on meille mahdollisimman käyttökelpoista.", "Your platform and username will be noted to help us use your feedback as much as we can.": "Alustasi ja käyttäjänimesi huomataan, jotta palautteesi on meille mahdollisimman käyttökelpoista.",
"For best security, sign out from any session that you don't recognize or use anymore.": "Parhaan turvallisuuden takaamiseksi kirjaudu ulos istunnoista, joita et tunnista tai et enää käytä.", "For best security, sign out from any session that you don't recognize or use anymore.": "Parhaan turvallisuuden takaamiseksi kirjaudu ulos istunnoista, joita et tunnista tai et enää käytä.",
"Voice broadcasts": "Äänen yleislähetykset",
"Voice broadcast": "Äänen yleislähetys", "Voice broadcast": "Äänen yleislähetys",
"pause voice broadcast": "keskeytä äänen yleislähetys", "pause voice broadcast": "keskeytä äänen yleislähetys",
"resume voice broadcast": "palaa äänen yleislähetykseen", "resume voice broadcast": "palaa äänen yleislähetykseen",
@ -2816,8 +2711,6 @@
"Renaming sessions": "Istuntojen nimeäminen uudelleen", "Renaming sessions": "Istuntojen nimeäminen uudelleen",
"Please be aware that session names are also visible to people you communicate with.": "Ota huomioon, että istuntojen nimet näkyvät ihmisille, joiden kanssa olet yhteydessä.", "Please be aware that session names are also visible to people you communicate with.": "Ota huomioon, että istuntojen nimet näkyvät ihmisille, joiden kanssa olet yhteydessä.",
"Call type": "Puhelun tyyppi", "Call type": "Puhelun tyyppi",
"Join %(brand)s calls": "Liity %(brand)s-puheluihin",
"Start %(brand)s calls": "Aloita %(brand)s-puheluja",
"Connection": "Yhteys", "Connection": "Yhteys",
"Voice processing": "Äänenkäsittely", "Voice processing": "Äänenkäsittely",
"Video settings": "Videoasetukset", "Video settings": "Videoasetukset",
@ -3098,7 +2991,11 @@
"server": "Palvelin", "server": "Palvelin",
"capabilities": "Kyvykkyydet", "capabilities": "Kyvykkyydet",
"unnamed_room": "Nimeämätön huone", "unnamed_room": "Nimeämätön huone",
"unnamed_space": "Nimetön avaruus" "unnamed_space": "Nimetön avaruus",
"stickerpack": "Tarrapaketti",
"system_alerts": "Järjestelmähälytykset",
"secure_backup": "Turvallinen varmuuskopio",
"cross_signing": "Ristiinvarmennus"
}, },
"action": { "action": {
"continue": "Jatka", "continue": "Jatka",
@ -3258,7 +3155,14 @@
"format_decrease_indent": "Sisennyksen vähennys", "format_decrease_indent": "Sisennyksen vähennys",
"format_inline_code": "Koodi", "format_inline_code": "Koodi",
"format_code_block": "Ohjelmakoodia", "format_code_block": "Ohjelmakoodia",
"format_link": "Linkki" "format_link": "Linkki",
"send_button_title": "Lähetä viesti",
"placeholder_thread_encrypted": "Vastaa salattuun ketjuun…",
"placeholder_thread": "Vastaa ketjuun…",
"placeholder_reply_encrypted": "Lähetä salattu vastaus…",
"placeholder_reply": "Lähetä vastaus…",
"placeholder_encrypted": "Lähetä salattu viesti…",
"placeholder": "Lähetä viesti…"
}, },
"Bold": "Lihavoitu", "Bold": "Lihavoitu",
"Link": "Linkki", "Link": "Linkki",
@ -3281,7 +3185,11 @@
"send_logs": "Lähetä lokit", "send_logs": "Lähetä lokit",
"github_issue": "GitHub-issue", "github_issue": "GitHub-issue",
"download_logs": "Lataa lokit", "download_logs": "Lataa lokit",
"before_submitting": "Ennen lokien lähettämistä sinun täytyy <a>luoda Githubiin issue (kysymys/ongelma)</a>, joka sisältää kuvauksen ongelmastasi." "before_submitting": "Ennen lokien lähettämistä sinun täytyy <a>luoda Githubiin issue (kysymys/ongelma)</a>, joka sisältää kuvauksen ongelmastasi.",
"collecting_information": "Haetaan sovelluksen versiotietoja",
"collecting_logs": "Haetaan lokeja",
"uploading_logs": "Lähetetään lokeja",
"downloading_logs": "Ladataan lokeja"
}, },
"time": { "time": {
"hours_minutes_seconds_left": "%(hours)s h %(minutes)s m %(seconds)s s jäljellä", "hours_minutes_seconds_left": "%(hours)s h %(minutes)s m %(seconds)s s jäljellä",
@ -3444,7 +3352,9 @@
"toolbox": "Työkalut", "toolbox": "Työkalut",
"developer_tools": "Kehittäjätyökalut", "developer_tools": "Kehittäjätyökalut",
"room_id": "Huoneen ID-tunniste: %(roomId)s", "room_id": "Huoneen ID-tunniste: %(roomId)s",
"event_id": "Tapahtuman ID-tunniste: %(eventId)s" "event_id": "Tapahtuman ID-tunniste: %(eventId)s",
"category_room": "Huone",
"category_other": "Muut"
}, },
"export_chat": { "export_chat": {
"html": "HTML", "html": "HTML",
@ -3598,6 +3508,9 @@
"other": "%(names)s ja %(count)s muuta kirjoittavat…", "other": "%(names)s ja %(count)s muuta kirjoittavat…",
"one": "%(names)s ja yksi muu kirjoittavat…" "one": "%(names)s ja yksi muu kirjoittavat…"
} }
},
"m.call.hangup": {
"dm": "Puhelu päättyi"
} }
}, },
"slash_command": { "slash_command": {
@ -3632,7 +3545,14 @@
"help": "Näyttää luettelon komennoista käyttötavoin ja kuvauksin", "help": "Näyttää luettelon komennoista käyttötavoin ja kuvauksin",
"whois": "Näyttää tietoa käyttäjästä", "whois": "Näyttää tietoa käyttäjästä",
"rageshake": "Lähetä virheilmoitus lokien kera", "rageshake": "Lähetä virheilmoitus lokien kera",
"msg": "Lähettää viestin annetulle käyttäjälle" "msg": "Lähettää viestin annetulle käyttäjälle",
"usage": "Käyttö",
"category_messages": "Viestit",
"category_actions": "Toiminnot",
"category_admin": "Ylläpitäjä",
"category_advanced": "Lisäasetukset",
"category_effects": "Tehosteet",
"category_other": "Muut"
}, },
"presence": { "presence": {
"busy": "Varattu", "busy": "Varattu",
@ -3646,5 +3566,102 @@
"offline": "Poissa verkosta", "offline": "Poissa verkosta",
"away": "Poissa" "away": "Poissa"
}, },
"Unknown": "Tuntematon" "Unknown": "Tuntematon",
"event_preview": {
"m.call.answer": {
"you": "Liityit puheluun",
"user": "%(senderName)s liittyi puheluun",
"dm": "Puhelu käynnissä"
},
"m.call.hangup": {
"you": "Lopetit puhelun",
"user": "%(senderName)s lopetti puhelun"
},
"m.call.invite": {
"you": "Aloitit puhelun",
"user": "%(senderName)s aloitti puhelun",
"dm_send": "Odotetaan vastausta",
"dm_receive": "%(senderName)s soittaa"
},
"m.emote": "* %(senderName)s %(emote)s",
"m.text": "%(senderName)s: %(message)s",
"m.sticker": "%(senderName)s: %(stickerName)s"
},
"voip": {
"disable_microphone": "Mykistä mikrofoni",
"enable_microphone": "Poista mikrofonin mykistys",
"disable_camera": "Sammuta kamera",
"enable_camera": "Laita kamera päälle",
"audio_devices": "Äänilaitteet",
"video_devices": "Videolaitteet",
"dial": "Yhdistä",
"you_are_presenting": "Esität parhaillaan",
"user_is_presenting": "%(sharerName)s esittää",
"camera_disabled": "Kamerasi on pois päältä",
"camera_enabled": "Kamerasi on edelleen päällä",
"call_held_switch": "Puhelu pidossa <a>Vaihda</a>",
"call_held_resume": "Puhelu pidossa <a>Jatka</a>",
"call_held": "%(peerName)s piti puhelua pidossa",
"dialpad": "Numeronäppäimistö",
"stop_screenshare": "Lopeta näyttösi jakaminen",
"start_screenshare": "Aloita näyttösi jakaminen",
"hangup": "Lopeta",
"expand": "Palaa puheluun",
"on_hold": "%(name)s on pidossa",
"voice_call": "Äänipuhelu",
"video_call": "Videopuhelu",
"video_call_started": "Videopuhelu aloitettu",
"unsilence": "Ääni päällä",
"silence": "Hiljennä puhelu",
"silenced": "Ilmoitukset hiljennetty",
"unknown_caller": "Tuntematon soittaja",
"call_failed": "Puhelu epäonnistui",
"unable_to_access_microphone": "Mikrofonia ei voi käyttää",
"call_failed_microphone": "Puhelu epäonnistui, koska mikrofonia ei voitu käyttää. Tarkista, että mikrofoni on kytketty ja asennettu oikein.",
"unable_to_access_media": "Kameraa / mikrofonia ei voi käyttää",
"call_failed_media": "Puhelu epäonnistui, koska kameraa tai mikrofonia ei voitu käyttää. Tarkista että:",
"call_failed_media_connected": "Mikrofoni ja kamera on kytketty ja asennettu oiken",
"call_failed_media_permissions": "Lupa käyttää kameraa myönnetty",
"call_failed_media_applications": "Mikään muu sovellus ei käytä kameraa",
"already_in_call": "Olet jo puhelussa",
"already_in_call_person": "Olet jo puhelussa tämän henkilön kanssa.",
"unsupported": "Puhelut eivät ole tuettuja",
"unsupported_browser": "Et voi soittaa puheluja tässä selaimessa."
},
"Messages": "Viestit",
"Other": "Muut",
"Advanced": "Lisäasetukset",
"room_settings": {
"permissions": {
"m.room.avatar_space": "Vaihda avaruuden kuva",
"m.room.avatar": "Vaihda huoneen kuva",
"m.room.name_space": "Vaihda avaruuden nimi",
"m.room.name": "Vaihda huoneen nimi",
"m.room.canonical_alias_space": "Vaihda avaruuden pääosoite",
"m.room.canonical_alias": "Vaihda huoneen pääosoite",
"m.space.child": "Hallinnoi huoneita tässä avaruudessa",
"m.room.history_visibility": "Muuta keskusteluhistorian näkyvyyttä",
"m.room.power_levels": "Muuta oikeuksia",
"m.room.topic_space": "Vaihda kuvaus",
"m.room.topic": "Vaihda aihe",
"m.room.tombstone": "Päivitä huone uuteen versioon",
"m.room.encryption": "Ota huoneen salaus käyttöön",
"m.room.server_acl": "Muuta palvelimen pääsynvalvontalistoja",
"m.reaction": "Lähetä reaktioita",
"m.room.redaction": "Poista lähettämäni viestit",
"m.widget": "Muokkaa sovelmia",
"io.element.voice_broadcast_info": "Äänen yleislähetykset",
"m.room.pinned_events": "Hallitse kiinnitettyjä tapahtumia",
"m.call": "Aloita %(brand)s-puheluja",
"m.call.member": "Liity %(brand)s-puheluihin",
"users_default": "Oletusrooli",
"events_default": "Lähetä viestejä",
"invite": "Kutsu käyttäjiä",
"state_default": "Vaihda asetuksia",
"kick": "Poista käyttäjiä",
"ban": "Anna porttikieltoja",
"redact": "Poista toisten lähettämät viestit",
"notifications.room": "Kiinnitä kaikkien huomio"
}
}
} }

View file

@ -9,8 +9,6 @@
"Favourite": "Favoris", "Favourite": "Favoris",
"Notifications": "Notifications", "Notifications": "Notifications",
"Account": "Compte", "Account": "Compte",
"Admin": "Administrateur",
"Advanced": "Avancé",
"%(items)s and %(lastItem)s": "%(items)s et %(lastItem)s", "%(items)s and %(lastItem)s": "%(items)s et %(lastItem)s",
"and %(count)s others...": { "and %(count)s others...": {
"other": "et %(count)s autres…", "other": "et %(count)s autres…",
@ -47,7 +45,6 @@
"Forget room": "Oublier le salon", "Forget room": "Oublier le salon",
"For security, this session has been signed out. Please sign in again.": "Par mesure de sécurité, la session a expiré. Merci de vous authentifier à nouveau.", "For security, this session has been signed out. Please sign in again.": "Par mesure de sécurité, la session a expiré. Merci de vous authentifier à nouveau.",
"%(userId)s from %(fromPowerLevel)s to %(toPowerLevel)s": "%(userId)s de %(fromPowerLevel)s à %(toPowerLevel)s", "%(userId)s from %(fromPowerLevel)s to %(toPowerLevel)s": "%(userId)s de %(fromPowerLevel)s à %(toPowerLevel)s",
"Hangup": "Raccrocher",
"Historical": "Historique", "Historical": "Historique",
"Import E2E room keys": "Importer les clés de chiffrement de bout en bout", "Import E2E room keys": "Importer les clés de chiffrement de bout en bout",
"Incorrect verification code": "Code de vérification incorrect", "Incorrect verification code": "Code de vérification incorrect",
@ -110,11 +107,8 @@
"Unable to enable Notifications": "Impossible dactiver les notifications", "Unable to enable Notifications": "Impossible dactiver les notifications",
"Upload avatar": "Envoyer un avatar", "Upload avatar": "Envoyer un avatar",
"Upload Failed": "Échec de lenvoi", "Upload Failed": "Échec de lenvoi",
"Usage": "Utilisation",
"Users": "Utilisateurs", "Users": "Utilisateurs",
"Verification Pending": "Vérification en attente", "Verification Pending": "Vérification en attente",
"Video call": "Appel vidéo",
"Voice call": "Appel audio",
"Warning!": "Attention !", "Warning!": "Attention !",
"Who can read history?": "Qui peut lire lhistorique ?", "Who can read history?": "Qui peut lire lhistorique ?",
"You cannot place a call with yourself.": "Vous ne pouvez pas passer dappel avec vous-même.", "You cannot place a call with yourself.": "Vous ne pouvez pas passer dappel avec vous-même.",
@ -346,20 +340,16 @@
"%(duration)sd": "%(duration)sj", "%(duration)sd": "%(duration)sj",
"expand": "développer", "expand": "développer",
"collapse": "réduire", "collapse": "réduire",
"Call Failed": "Lappel a échoué",
"Send": "Envoyer", "Send": "Envoyer",
"Old cryptography data detected": "Anciennes données de chiffrement détectées", "Old cryptography data detected": "Anciennes données de chiffrement détectées",
"Data from an older version of %(brand)s has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "Nous avons détecté des données dune ancienne version de %(brand)s. Le chiffrement de bout en bout naura pas fonctionné correctement sur lancienne version. Les messages chiffrés échangés récemment dans lancienne version ne sont peut-être pas déchiffrables dans cette version. Les échanges de message avec cette version peuvent aussi échouer. Si vous rencontrez des problèmes, déconnectez-vous puis reconnectez-vous. Pour conserver lhistorique des messages, exportez puis réimportez vos clés de chiffrement.", "Data from an older version of %(brand)s has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "Nous avons détecté des données dune ancienne version de %(brand)s. Le chiffrement de bout en bout naura pas fonctionné correctement sur lancienne version. Les messages chiffrés échangés récemment dans lancienne version ne sont peut-être pas déchiffrables dans cette version. Les échanges de message avec cette version peuvent aussi échouer. Si vous rencontrez des problèmes, déconnectez-vous puis reconnectez-vous. Pour conserver lhistorique des messages, exportez puis réimportez vos clés de chiffrement.",
"You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.": "Vous ne pourrez pas annuler cette modification car vous vous rétrogradez. Si vous êtes le dernier utilisateur privilégié de ce salon, il sera impossible de récupérer les privilèges.", "You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.": "Vous ne pourrez pas annuler cette modification car vous vous rétrogradez. Si vous êtes le dernier utilisateur privilégié de ce salon, il sera impossible de récupérer les privilèges.",
"Send an encrypted reply…": "Envoyer une réponse chiffrée…",
"Send an encrypted message…": "Envoyer un message chiffré…",
"Replying": "Répond", "Replying": "Répond",
"%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s %(day)s %(monthName)s %(fullYear)s", "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s %(day)s %(monthName)s %(fullYear)s",
"This room is not public. You will not be able to rejoin without an invite.": "Ce salon nest pas public. Vous ne pourrez pas y revenir sans invitation.", "This room is not public. You will not be able to rejoin without an invite.": "Ce salon nest pas public. Vous ne pourrez pas y revenir sans invitation.",
"<a>In reply to</a> <pill>": "<a>En réponse à</a> <pill>", "<a>In reply to</a> <pill>": "<a>En réponse à</a> <pill>",
"Failed to remove tag %(tagName)s from room": "Échec de la suppression de létiquette %(tagName)s du salon", "Failed to remove tag %(tagName)s from room": "Échec de la suppression de létiquette %(tagName)s du salon",
"Failed to add tag %(tagName)s to room": "Échec de lajout de létiquette %(tagName)s au salon", "Failed to add tag %(tagName)s to room": "Échec de lajout de létiquette %(tagName)s au salon",
"Stickerpack": "Jeu dautocollants",
"You don't currently have any stickerpacks enabled": "Vous n'avez activé aucun jeu dautocollants pour linstant", "You don't currently have any stickerpacks enabled": "Vous n'avez activé aucun jeu dautocollants pour linstant",
"Sunday": "Dimanche", "Sunday": "Dimanche",
"Notification targets": "Appareils recevant les notifications", "Notification targets": "Appareils recevant les notifications",
@ -375,12 +365,10 @@
"Source URL": "URL de la source", "Source URL": "URL de la source",
"Filter results": "Filtrer les résultats", "Filter results": "Filtrer les résultats",
"No update available.": "Aucune mise à jour disponible.", "No update available.": "Aucune mise à jour disponible.",
"Collecting app version information": "Récupération des informations de version de lapplication",
"Tuesday": "Mardi", "Tuesday": "Mardi",
"Search…": "Rechercher…", "Search…": "Rechercher…",
"Saturday": "Samedi", "Saturday": "Samedi",
"Monday": "Lundi", "Monday": "Lundi",
"Collecting logs": "Récupération des journaux",
"Invite to this room": "Inviter dans ce salon", "Invite to this room": "Inviter dans ce salon",
"Wednesday": "Mercredi", "Wednesday": "Mercredi",
"You cannot delete this message. (%(code)s)": "Vous ne pouvez pas supprimer ce message. (%(code)s)", "You cannot delete this message. (%(code)s)": "Vous ne pouvez pas supprimer ce message. (%(code)s)",
@ -429,7 +417,6 @@
"This event could not be displayed": "Cet évènement na pas pu être affiché", "This event could not be displayed": "Cet évènement na pas pu être affiché",
"Permission Required": "Autorisation requise", "Permission Required": "Autorisation requise",
"You do not have permission to start a conference call in this room": "Vous navez pas lautorisation de lancer un appel en téléconférence dans ce salon", "You do not have permission to start a conference call in this room": "Vous navez pas lautorisation de lancer un appel en téléconférence dans ce salon",
"System Alerts": "Alertes système",
"Only room administrators will see this warning": "Seuls les administrateurs du salon verront cet avertissement", "Only room administrators will see this warning": "Seuls les administrateurs du salon verront cet avertissement",
"This homeserver has hit its Monthly Active User limit.": "Ce serveur daccueil a atteint sa limite mensuelle d'utilisateurs actifs.", "This homeserver has hit its Monthly Active User limit.": "Ce serveur daccueil a atteint sa limite mensuelle d'utilisateurs actifs.",
"This homeserver has exceeded one of its resource limits.": "Ce serveur daccueil a dépassé une de ses limites de ressources.", "This homeserver has exceeded one of its resource limits.": "Ce serveur daccueil a dépassé une de ses limites de ressources.",
@ -569,7 +556,6 @@
"Email (optional)": "E-mail (facultatif)", "Email (optional)": "E-mail (facultatif)",
"Phone (optional)": "Téléphone (facultatif)", "Phone (optional)": "Téléphone (facultatif)",
"Join millions for free on the largest public server": "Rejoignez des millions dutilisateurs gratuitement sur le plus grand serveur public", "Join millions for free on the largest public server": "Rejoignez des millions dutilisateurs gratuitement sur le plus grand serveur public",
"Other": "Autre",
"Create account": "Créer un compte", "Create account": "Créer un compte",
"Recovery Method Removed": "Méthode de récupération supprimée", "Recovery Method Removed": "Méthode de récupération supprimée",
"If you didn't remove the recovery method, an attacker may be trying to access your account. Change your account password and set a new recovery method immediately in Settings.": "Si vous navez pas supprimé la méthode de récupération, un attaquant peut être en train dessayer daccéder à votre compte. Modifiez le mot de passe de votre compte et configurez une nouvelle méthode de récupération dans les réglages.", "If you didn't remove the recovery method, an attacker may be trying to access your account. Change your account password and set a new recovery method immediately in Settings.": "Si vous navez pas supprimé la méthode de récupération, un attaquant peut être en train dessayer daccéder à votre compte. Modifiez le mot de passe de votre compte et configurez une nouvelle méthode de récupération dans les réglages.",
@ -662,19 +648,6 @@
"Could not load user profile": "Impossible de charger le profil de lutilisateur", "Could not load user profile": "Impossible de charger le profil de lutilisateur",
"The user must be unbanned before they can be invited.": "Le bannissement de lutilisateur doit être révoqué avant de pouvoir linviter.", "The user must be unbanned before they can be invited.": "Le bannissement de lutilisateur doit être révoqué avant de pouvoir linviter.",
"Accept all %(invitedRooms)s invites": "Accepter les %(invitedRooms)s invitations", "Accept all %(invitedRooms)s invites": "Accepter les %(invitedRooms)s invitations",
"Change room avatar": "Changer lavatar du salon",
"Change room name": "Changer le nom du salon",
"Change main address for the room": "Changer ladresse principale du salon",
"Change history visibility": "Changer la visibilité de lhistorique",
"Change permissions": "Changer les permissions",
"Change topic": "Changer le sujet",
"Modify widgets": "Modifier les widgets",
"Default role": "Rôle par défaut",
"Send messages": "Envoyer des messages",
"Invite users": "Inviter des utilisateurs",
"Change settings": "Changer les paramètres",
"Ban users": "Bannir des utilisateurs",
"Notify everyone": "Avertir tout le monde",
"Send %(eventType)s events": "Envoyer %(eventType)s évènements", "Send %(eventType)s events": "Envoyer %(eventType)s évènements",
"Select the roles required to change various parts of the room": "Sélectionner les rôles nécessaires pour modifier les différentes parties du salon", "Select the roles required to change various parts of the room": "Sélectionner les rôles nécessaires pour modifier les différentes parties du salon",
"Enable encryption?": "Activer le chiffrement ?", "Enable encryption?": "Activer le chiffrement ?",
@ -807,8 +780,6 @@
"Service": "Service", "Service": "Service",
"Summary": "Résumé", "Summary": "Résumé",
"This account has been deactivated.": "Ce compte a été désactivé.", "This account has been deactivated.": "Ce compte a été désactivé.",
"Messages": "Messages",
"Actions": "Actions",
"Discovery": "Découverte", "Discovery": "Découverte",
"Deactivate account": "Désactiver le compte", "Deactivate account": "Désactiver le compte",
"Always show the window menu bar": "Toujours afficher la barre de menu de la fenêtre", "Always show the window menu bar": "Toujours afficher la barre de menu de la fenêtre",
@ -840,10 +811,8 @@
"If you don't want to use <server /> to discover and be discoverable by existing contacts you know, enter another identity server below.": "Si vous ne voulez pas utiliser <server /> pour découvrir et être découvrable par les contacts que vous connaissez, saisissez un autre serveur didentité ci-dessous.", "If you don't want to use <server /> to discover and be discoverable by existing contacts you know, enter another identity server below.": "Si vous ne voulez pas utiliser <server /> pour découvrir et être découvrable par les contacts que vous connaissez, saisissez un autre serveur didentité ci-dessous.",
"Using an identity server is optional. If you choose not to use an identity server, you won't be discoverable by other users and you won't be able to invite others by email or phone.": "Lutilisation dun serveur didentité est optionnelle. Si vous ne choisissez pas dutiliser un serveur didentité, les autres utilisateurs ne pourront pas vous découvrir et vous ne pourrez pas en inviter par e-mail ou par téléphone.", "Using an identity server is optional. If you choose not to use an identity server, you won't be discoverable by other users and you won't be able to invite others by email or phone.": "Lutilisation dun serveur didentité est optionnelle. Si vous ne choisissez pas dutiliser un serveur didentité, les autres utilisateurs ne pourront pas vous découvrir et vous ne pourrez pas en inviter par e-mail ou par téléphone.",
"Do not use an identity server": "Ne pas utiliser de serveur didentité", "Do not use an identity server": "Ne pas utiliser de serveur didentité",
"Upgrade the room": "Mettre à niveau le salon",
"Use an identity server to invite by email. <default>Use the default (%(defaultIdentityServerName)s)</default> or manage in <settings>Settings</settings>.": "Utilisez un serveur didentité pour inviter avec un e-mail. <default>Utilisez le serveur par défaut (%(defaultIdentityServerName)s)</default> ou gérez-le dans les <settings>Paramètres</settings>.", "Use an identity server to invite by email. <default>Use the default (%(defaultIdentityServerName)s)</default> or manage in <settings>Settings</settings>.": "Utilisez un serveur didentité pour inviter avec un e-mail. <default>Utilisez le serveur par défaut (%(defaultIdentityServerName)s)</default> ou gérez-le dans les <settings>Paramètres</settings>.",
"Use an identity server to invite by email. Manage in <settings>Settings</settings>.": "Utilisez un serveur didentité pour inviter par e-mail. Gérez-le dans les <settings>Paramètres</settings>.", "Use an identity server to invite by email. Manage in <settings>Settings</settings>.": "Utilisez un serveur didentité pour inviter par e-mail. Gérez-le dans les <settings>Paramètres</settings>.",
"Enable room encryption": "Activer le chiffrement du salon",
"Use an identity server": "Utiliser un serveur didentité", "Use an identity server": "Utiliser un serveur didentité",
"Use an identity server to invite by email. Click continue to use the default identity server (%(defaultIdentityServerName)s) or manage in Settings.": "Utilisez un serveur didentité pour inviter par e-mail. Cliquez sur continuer pour utiliser le serveur didentité par défaut (%(defaultIdentityServerName)s) ou gérez-le dans les paramètres.", "Use an identity server to invite by email. Click continue to use the default identity server (%(defaultIdentityServerName)s) or manage in Settings.": "Utilisez un serveur didentité pour inviter par e-mail. Cliquez sur continuer pour utiliser le serveur didentité par défaut (%(defaultIdentityServerName)s) ou gérez-le dans les paramètres.",
"Use an identity server to invite by email. Manage in Settings.": "Utilisez un serveur didentité pour inviter par e-mail. Gérez-le dans les paramètres.", "Use an identity server to invite by email. Manage in Settings.": "Utilisez un serveur didentité pour inviter par e-mail. Gérez-le dans les paramètres.",
@ -1029,7 +998,6 @@
"in secret storage": "dans le coffre secret", "in secret storage": "dans le coffre secret",
"Secret storage public key:": "Clé publique du coffre secret :", "Secret storage public key:": "Clé publique du coffre secret :",
"in account data": "dans les données du compte", "in account data": "dans les données du compte",
"Cross-signing": "Signature croisée",
"Unable to set up secret storage": "Impossible de configurer le coffre secret", "Unable to set up secret storage": "Impossible de configurer le coffre secret",
"not stored": "non sauvegardé", "not stored": "non sauvegardé",
"Hide verified sessions": "Masquer les sessions vérifiées", "Hide verified sessions": "Masquer les sessions vérifiées",
@ -1066,8 +1034,6 @@
"Upgrade your encryption": "Mettre à niveau votre chiffrement", "Upgrade your encryption": "Mettre à niveau votre chiffrement",
"This room is end-to-end encrypted": "Ce salon est chiffré de bout en bout", "This room is end-to-end encrypted": "Ce salon est chiffré de bout en bout",
"Everyone in this room is verified": "Tout le monde dans ce salon est vérifié", "Everyone in this room is verified": "Tout le monde dans ce salon est vérifié",
"Send a reply…": "Envoyer une réponse…",
"Send a message…": "Envoyer un message…",
"Verify this session": "Vérifier cette session", "Verify this session": "Vérifier cette session",
"Encryption upgrade available": "Mise à niveau du chiffrement disponible", "Encryption upgrade available": "Mise à niveau du chiffrement disponible",
"Enable message search in encrypted rooms": "Activer la recherche de messages dans les salons chiffrés", "Enable message search in encrypted rooms": "Activer la recherche de messages dans les salons chiffrés",
@ -1345,16 +1311,6 @@
"Use a system font": "Utiliser une police du système", "Use a system font": "Utiliser une police du système",
"System font name": "Nom de la police du système", "System font name": "Nom de la police du système",
"The authenticity of this encrypted message can't be guaranteed on this device.": "Lauthenticité de ce message chiffré ne peut pas être garantie sur cet appareil.", "The authenticity of this encrypted message can't be guaranteed on this device.": "Lauthenticité de ce message chiffré ne peut pas être garantie sur cet appareil.",
"You joined the call": "Vous avez rejoint lappel",
"%(senderName)s joined the call": "%(senderName)s a rejoint lappel",
"Call in progress": "Appel en cours",
"Call ended": "Appel terminé",
"You started a call": "Vous avez commencé un appel",
"%(senderName)s started a call": "%(senderName)s a commencé un appel",
"Waiting for answer": "En attente dune réponse",
"%(senderName)s is calling": "%(senderName)s appelle",
"%(senderName)s: %(message)s": "%(senderName)s : %(message)s",
"%(senderName)s: %(stickerName)s": "%(senderName)s : %(stickerName)s",
"Message deleted on %(date)s": "Message supprimé le %(date)s", "Message deleted on %(date)s": "Message supprimé le %(date)s",
"Wrong file type": "Mauvais type de fichier", "Wrong file type": "Mauvais type de fichier",
"Security Phrase": "Phrase de sécurité", "Security Phrase": "Phrase de sécurité",
@ -1372,7 +1328,6 @@
"Show rooms with unread messages first": "Afficher les salons non lus en premier", "Show rooms with unread messages first": "Afficher les salons non lus en premier",
"Show previews of messages": "Afficher un aperçu des messages", "Show previews of messages": "Afficher un aperçu des messages",
"Notification options": "Paramètres de notifications", "Notification options": "Paramètres de notifications",
"Unknown caller": "Appelant inconnu",
"Favourited": "Favori", "Favourited": "Favori",
"Forget Room": "Oublier le salon", "Forget Room": "Oublier le salon",
"This room is public": "Ce salon est public", "This room is public": "Ce salon est public",
@ -1381,10 +1336,7 @@
"Are you sure you want to cancel entering passphrase?": "Souhaitez-vous vraiment annuler la saisie de la phrase de passe ?", "Are you sure you want to cancel entering passphrase?": "Souhaitez-vous vraiment annuler la saisie de la phrase de passe ?",
"Unexpected server error trying to leave the room": "Erreur de serveur inattendue en essayant de quitter le salon", "Unexpected server error trying to leave the room": "Erreur de serveur inattendue en essayant de quitter le salon",
"Error leaving room": "Erreur en essayant de quitter le salon", "Error leaving room": "Erreur en essayant de quitter le salon",
"* %(senderName)s %(emote)s": "* %(senderName)s %(emote)s",
"Change notification settings": "Modifier les paramètres de notification", "Change notification settings": "Modifier les paramètres de notification",
"Uploading logs": "Envoi des journaux",
"Downloading logs": "Téléchargement des journaux",
"Your server isn't responding to some <a>requests</a>.": "Votre serveur ne répond pas à certaines <a>requêtes</a>.", "Your server isn't responding to some <a>requests</a>.": "Votre serveur ne répond pas à certaines <a>requêtes</a>.",
"Master private key:": "Clé privée maîtresse :", "Master private key:": "Clé privée maîtresse :",
"%(brand)s can't securely cache encrypted messages locally while running in a web browser. Use <desktopLink>%(brand)s Desktop</desktopLink> for encrypted messages to appear in search results.": "%(brand)s ne peut actuellement mettre en cache vos messages chiffrés localement de manière sécurisée via le navigateur Web. Utilisez <desktopLink>%(brand)s Desktop</desktopLink> pour que les messages chiffrés apparaissent dans vos résultats de recherche.", "%(brand)s can't securely cache encrypted messages locally while running in a web browser. Use <desktopLink>%(brand)s Desktop</desktopLink> for encrypted messages to appear in search results.": "%(brand)s ne peut actuellement mettre en cache vos messages chiffrés localement de manière sécurisée via le navigateur Web. Utilisez <desktopLink>%(brand)s Desktop</desktopLink> pour que les messages chiffrés apparaissent dans vos résultats de recherche.",
@ -1429,8 +1381,6 @@
"Explore public rooms": "Parcourir les salons publics", "Explore public rooms": "Parcourir les salons publics",
"Show Widgets": "Afficher les widgets", "Show Widgets": "Afficher les widgets",
"Hide Widgets": "Masquer les widgets", "Hide Widgets": "Masquer les widgets",
"Remove messages sent by others": "Supprimer les messages envoyés par dautres",
"Secure Backup": "Sauvegarde sécurisée",
"Algorithm:": "Algorithme :", "Algorithm:": "Algorithme :",
"Set up Secure Backup": "Configurer la sauvegarde sécurisée", "Set up Secure Backup": "Configurer la sauvegarde sécurisée",
"Attach files from chat or just drag and drop them anywhere in a room.": "Envoyez des fichiers depuis la discussion ou glissez et déposez-les nimporte où dans le salon.", "Attach files from chat or just drag and drop them anywhere in a room.": "Envoyez des fichiers depuis la discussion ou glissez et déposez-les nimporte où dans le salon.",
@ -1469,8 +1419,6 @@
"%(ssoButtons)s Or %(usernamePassword)s": "%(ssoButtons)s ou %(usernamePassword)s", "%(ssoButtons)s Or %(usernamePassword)s": "%(ssoButtons)s ou %(usernamePassword)s",
"Decide where your account is hosted": "Décidez où votre compte est hébergé", "Decide where your account is hosted": "Décidez où votre compte est hébergé",
"Go to Home View": "Revenir à la page daccueil", "Go to Home View": "Revenir à la page daccueil",
"%(senderName)s ended the call": "%(senderName)s a terminé lappel",
"You ended the call": "Vous avez terminé lappel",
"%(creator)s created this DM.": "%(creator)s a créé cette conversation privée.", "%(creator)s created this DM.": "%(creator)s a créé cette conversation privée.",
"Now, let's help you get started": "Maintenant, laissez-nous vous aider à démarrer", "Now, let's help you get started": "Maintenant, laissez-nous vous aider à démarrer",
"Welcome %(name)s": "Bienvenue %(name)s", "Welcome %(name)s": "Bienvenue %(name)s",
@ -1486,11 +1434,6 @@
"United States": "États-Unis", "United States": "États-Unis",
"United Kingdom": "Royaume-Uni", "United Kingdom": "Royaume-Uni",
"You've reached the maximum number of simultaneous calls.": "Vous avez atteint le nombre maximum dappels en simultané.", "You've reached the maximum number of simultaneous calls.": "Vous avez atteint le nombre maximum dappels en simultané.",
"No other application is using the webcam": "Aucune autre application nest en train dutiliser la caméra",
"A microphone and webcam are plugged in and set up correctly": "Un microphone et une caméra sont branchés et bien configurés",
"Unable to access webcam / microphone": "Impossible daccéder à la caméra ou au microphone",
"Call failed because microphone could not be accessed. Check that a microphone is plugged in and set up correctly.": "La fonction a échoué faute de pouvoir accéder au microphone. Vérifiez quun microphone est branché et bien configuré.",
"Unable to access microphone": "Impossible daccéder au microphone",
"Belgium": "Belgique", "Belgium": "Belgique",
"Belarus": "Biélorussie", "Belarus": "Biélorussie",
"Barbados": "Barbade", "Barbados": "Barbade",
@ -1512,8 +1455,6 @@
"Invite someone using their name, email address, username (like <userId/>) or <a>share this room</a>.": "Invitez quelquun via son nom, e-mail ou pseudo (p. ex. <userId/>) ou <a>partagez ce salon</a>.", "Invite someone using their name, email address, username (like <userId/>) or <a>share this room</a>.": "Invitez quelquun via son nom, e-mail ou pseudo (p. ex. <userId/>) ou <a>partagez ce salon</a>.",
"Start a conversation with someone using their name, email address or username (like <userId/>).": "Commencer une conversation privée avec quelquun via son nom, e-mail ou pseudo (comme par exemple <userId/>).", "Start a conversation with someone using their name, email address or username (like <userId/>).": "Commencer une conversation privée avec quelquun via son nom, e-mail ou pseudo (comme par exemple <userId/>).",
"Too Many Calls": "Trop dappels", "Too Many Calls": "Trop dappels",
"Permission is granted to use the webcam": "Lautorisation daccéder à la caméra a été accordée",
"Call failed because webcam or microphone could not be accessed. Check that:": "La fonction a échoué faute de pouvoir accéder à la caméra ou au microphone. Vérifiez que :",
"Send stickers to this room as you": "Envoyer des autocollants dans ce salon sous votre nom", "Send stickers to this room as you": "Envoyer des autocollants dans ce salon sous votre nom",
"Zambia": "Zambie", "Zambia": "Zambie",
"Yemen": "Yémen", "Yemen": "Yémen",
@ -1760,7 +1701,6 @@
"Remain on your screen when viewing another room, when running": "Reste sur votre écran lors de lappel quand vous regardez un autre salon", "Remain on your screen when viewing another room, when running": "Reste sur votre écran lors de lappel quand vous regardez un autre salon",
"Takes the call in the current room off hold": "Reprend lappel en attente dans ce salon", "Takes the call in the current room off hold": "Reprend lappel en attente dans ce salon",
"Places the call in the current room on hold": "Met lappel dans ce salon en attente", "Places the call in the current room on hold": "Met lappel dans ce salon en attente",
"Effects": "Effets",
"Zimbabwe": "Zimbabwe", "Zimbabwe": "Zimbabwe",
"Send images as you in your active room": "Envoie des images sous votre nom dans le salon actuel", "Send images as you in your active room": "Envoie des images sous votre nom dans le salon actuel",
"Send images as you in this room": "Envoie des images sous votre nom dans ce salon", "Send images as you in this room": "Envoie des images sous votre nom dans ce salon",
@ -1810,11 +1750,6 @@
"Topic: %(topic)s (<a>edit</a>)": "Sujet : %(topic)s (<a>modifier</a>)", "Topic: %(topic)s (<a>edit</a>)": "Sujet : %(topic)s (<a>modifier</a>)",
"This is the beginning of your direct message history with <displayName/>.": "Cest le début de lhistorique de votre conversation privée avec <displayName/>.", "This is the beginning of your direct message history with <displayName/>.": "Cest le début de lhistorique de votre conversation privée avec <displayName/>.",
"Only the two of you are in this conversation, unless either of you invites anyone to join.": "Vous nêtes que tous les deux dans cette conversation, à moins que lun de vous invite quelquun à vous rejoindre.", "Only the two of you are in this conversation, unless either of you invites anyone to join.": "Vous nêtes que tous les deux dans cette conversation, à moins que lun de vous invite quelquun à vous rejoindre.",
"%(name)s on hold": "%(name)s est en attente",
"Return to call": "Revenir à lappel",
"%(peerName)s held the call": "%(peerName)s a mis lappel en attente",
"You held the call <a>Resume</a>": "Vous avez mis lappel en attente <a>Reprendre</a>",
"You held the call <a>Switch</a>": "Vous avez mis lappel en attente <a>Basculer</a>",
"sends snowfall": "envoie une chute de neige", "sends snowfall": "envoie une chute de neige",
"Sends the given message with snowfall": "Envoie le message donné avec une chute de neige", "Sends the given message with snowfall": "Envoie le message donné avec une chute de neige",
"sends fireworks": "envoie des feux dartifices", "sends fireworks": "envoie des feux dartifices",
@ -1933,7 +1868,6 @@
"You do not have permissions to add rooms to this space": "Vous navez pas la permission dajouter des salons à cet espace", "You do not have permissions to add rooms to this space": "Vous navez pas la permission dajouter des salons à cet espace",
"Add existing room": "Ajouter un salon existant", "Add existing room": "Ajouter un salon existant",
"You do not have permissions to create new rooms in this space": "Vous navez pas la permission de créer de nouveaux salons dans cet espace", "You do not have permissions to create new rooms in this space": "Vous navez pas la permission de créer de nouveaux salons dans cet espace",
"Send message": "Envoyer le message",
"Invite to this space": "Inviter dans cet espace", "Invite to this space": "Inviter dans cet espace",
"Your message was sent": "Votre message a été envoyé", "Your message was sent": "Votre message a été envoyé",
"Space options": "Options de lespace", "Space options": "Options de lespace",
@ -1948,8 +1882,6 @@
"Open space for anyone, best for communities": "Espace ouvert à tous, idéal pour les communautés", "Open space for anyone, best for communities": "Espace ouvert à tous, idéal pour les communautés",
"Create a space": "Créer un espace", "Create a space": "Créer un espace",
"This homeserver has been blocked by its administrator.": "Ce serveur daccueil a été bloqué par son administrateur.", "This homeserver has been blocked by its administrator.": "Ce serveur daccueil a été bloqué par son administrateur.",
"You're already in a call with this person.": "Vous êtes déjà en cours dappel avec cette personne.",
"Already in call": "Déjà en cours dappel",
"Space selection": "Sélection dun espace", "Space selection": "Sélection dun espace",
"Go to my first room": "Rejoindre mon premier salon", "Go to my first room": "Rejoindre mon premier salon",
"Mark as suggested": "Marquer comme recommandé", "Mark as suggested": "Marquer comme recommandé",
@ -1998,7 +1930,6 @@
}, },
"Invite to just this room": "Inviter seulement dans ce salon", "Invite to just this room": "Inviter seulement dans ce salon",
"Manage & explore rooms": "Gérer et découvrir les salons", "Manage & explore rooms": "Gérer et découvrir les salons",
"Consulting with %(transferTarget)s. <a>Transfer to %(transferee)s</a>": "Consultation avec %(transferTarget)s. <a>Transfert à %(transferee)s</a>",
"unknown person": "personne inconnue", "unknown person": "personne inconnue",
"%(deviceId)s from %(ip)s": "%(deviceId)s depuis %(ip)s", "%(deviceId)s from %(ip)s": "%(deviceId)s depuis %(ip)s",
"Review to ensure your account is safe": "Vérifiez pour assurer la sécurité de votre compte", "Review to ensure your account is safe": "Vérifiez pour assurer la sécurité de votre compte",
@ -2009,7 +1940,6 @@
"Forgotten or lost all recovery methods? <a>Reset all</a>": "Vous avez perdu ou oublié tous vos moyens de récupération ? <a>Tout réinitialiser</a>", "Forgotten or lost all recovery methods? <a>Reset all</a>": "Vous avez perdu ou oublié tous vos moyens de récupération ? <a>Tout réinitialiser</a>",
"If you do, please note that none of your messages will be deleted, but the search experience might be degraded for a few moments whilst the index is recreated": "Si vous le faites, notez quaucun de vos messages ne sera supprimé, mais la recherche pourrait être dégradée pendant quelques instants, le temps de recréer lindex", "If you do, please note that none of your messages will be deleted, but the search experience might be degraded for a few moments whilst the index is recreated": "Si vous le faites, notez quaucun de vos messages ne sera supprimé, mais la recherche pourrait être dégradée pendant quelques instants, le temps de recréer lindex",
"View message": "Afficher le message", "View message": "Afficher le message",
"Change server ACLs": "Modifier les ACL du serveur",
"You can select all or individual messages to retry or delete": "Vous pouvez choisir de renvoyer ou supprimer tous les messages ou seulement certains", "You can select all or individual messages to retry or delete": "Vous pouvez choisir de renvoyer ou supprimer tous les messages ou seulement certains",
"Sending": "Envoi", "Sending": "Envoi",
"Retry all": "Tout renvoyer", "Retry all": "Tout renvoyer",
@ -2116,8 +2046,6 @@
"Failed to update the visibility of this space": "Échec de la mise à jour de la visibilité de cet espace", "Failed to update the visibility of this space": "Échec de la mise à jour de la visibilité de cet espace",
"Address": "Adresse", "Address": "Adresse",
"e.g. my-space": "par ex. mon-espace", "e.g. my-space": "par ex. mon-espace",
"Silence call": "Mettre lappel en sourdine",
"Sound on": "Son activé",
"Some invites couldn't be sent": "Certaines invitations nont pas pu être envoyées", "Some invites couldn't be sent": "Certaines invitations nont pas pu être envoyées",
"We sent the others, but the below people couldn't be invited to <RoomName/>": "Nous avons envoyé les invitations, mais les personnes ci-dessous nont pas pu être invitées à rejoindre <RoomName/>", "We sent the others, but the below people couldn't be invited to <RoomName/>": "Nous avons envoyé les invitations, mais les personnes ci-dessous nont pas pu être invitées à rejoindre <RoomName/>",
"Integration manager": "Gestionnaire dintégration", "Integration manager": "Gestionnaire dintégration",
@ -2172,10 +2100,6 @@
"This upgrade will allow members of selected spaces access to this room without an invite.": "Cette mise-à-jour permettra aux membres des espaces sélectionnés daccéder à ce salon sans invitation.", "This upgrade will allow members of selected spaces access to this room without an invite.": "Cette mise-à-jour permettra aux membres des espaces sélectionnés daccéder à ce salon sans invitation.",
"Message bubbles": "Message en bulles", "Message bubbles": "Message en bulles",
"Show all rooms": "Afficher tous les salons", "Show all rooms": "Afficher tous les salons",
"Your camera is still enabled": "Votre caméra est toujours allumée",
"Your camera is turned off": "Votre caméra est éteinte",
"%(sharerName)s is presenting": "%(sharerName)s est à lécran",
"You are presenting": "Vous êtes à lécran",
"Adding spaces has moved.": "Lajout despaces a été déplacé.", "Adding spaces has moved.": "Lajout despaces a été déplacé.",
"Search for rooms": "Rechercher des salons", "Search for rooms": "Rechercher des salons",
"Search for spaces": "Rechercher des espaces", "Search for spaces": "Rechercher des espaces",
@ -2235,16 +2159,9 @@
"Stop recording": "Arrêter lenregistrement", "Stop recording": "Arrêter lenregistrement",
"Send voice message": "Envoyer un message vocal", "Send voice message": "Envoyer un message vocal",
"Olm version:": "Version de Olm :", "Olm version:": "Version de Olm :",
"Mute the microphone": "Désactiver le microphone",
"Unmute the microphone": "Activer le microphone",
"Dialpad": "Pavé numérique",
"More": "Plus", "More": "Plus",
"Show sidebar": "Afficher la barre latérale", "Show sidebar": "Afficher la barre latérale",
"Hide sidebar": "Masquer la barre latérale", "Hide sidebar": "Masquer la barre latérale",
"Start sharing your screen": "Commencer à partager mon écran",
"Stop sharing your screen": "Arrêter de partager mon écran",
"Stop the camera": "Arrêter la caméra",
"Start the camera": "Démarrer la caméra",
"Surround selected text when typing special characters": "Entourer le texte sélectionné lors de la saisie de certains caractères", "Surround selected text when typing special characters": "Entourer le texte sélectionné lors de la saisie de certains caractères",
"Unknown failure: %(reason)s": "Erreur inconnue : %(reason)s", "Unknown failure: %(reason)s": "Erreur inconnue : %(reason)s",
"No answer": "Pas de réponse", "No answer": "Pas de réponse",
@ -2264,17 +2181,11 @@
"Some encryption parameters have been changed.": "Certains paramètres de chiffrement ont été changés.", "Some encryption parameters have been changed.": "Certains paramètres de chiffrement ont été changés.",
"Role in <RoomName/>": "Rôle dans <RoomName/>", "Role in <RoomName/>": "Rôle dans <RoomName/>",
"Send a sticker": "Envoyer un autocollant", "Send a sticker": "Envoyer un autocollant",
"Reply to thread…": "Répondre au fil de discussion…",
"Reply to encrypted thread…": "Répondre au fil de discussion chiffré…",
"%(reactors)s reacted with %(content)s": "%(reactors)s ont réagi avec %(content)s", "%(reactors)s reacted with %(content)s": "%(reactors)s ont réagi avec %(content)s",
"Message didn't send. Click for info.": "Le message na pas été envoyé. Cliquer pour plus dinfo.", "Message didn't send. Click for info.": "Le message na pas été envoyé. Cliquer pour plus dinfo.",
"Unknown failure": "Erreur inconnue", "Unknown failure": "Erreur inconnue",
"Failed to update the join rules": "Échec de mise-à-jour des règles pour rejoindre le salon", "Failed to update the join rules": "Échec de mise-à-jour des règles pour rejoindre le salon",
"Select the roles required to change various parts of the space": "Sélectionner les rôles nécessaires pour modifier les différentes parties de lespace", "Select the roles required to change various parts of the space": "Sélectionner les rôles nécessaires pour modifier les différentes parties de lespace",
"Change description": "Changer la description",
"Change main address for the space": "Changer ladresse principale de lespace",
"Change space name": "Changer le nom de lespace",
"Change space avatar": "Changer lavatar de lespace",
"Anyone in <spaceName/> can find and join. You can select other spaces too.": "Quiconque dans <spaceName/> peut trouver et rejoindre. Vous pouvez également choisir dautres espaces.", "Anyone in <spaceName/> can find and join. You can select other spaces too.": "Quiconque dans <spaceName/> peut trouver et rejoindre. Vous pouvez également choisir dautres espaces.",
"To join a space you'll need an invite.": "Vous avez besoin dune invitation pour rejoindre un espace.", "To join a space you'll need an invite.": "Vous avez besoin dune invitation pour rejoindre un espace.",
"Would you like to leave the rooms in this space?": "Voulez-vous quitter les salons de cet espace ?", "Would you like to leave the rooms in this space?": "Voulez-vous quitter les salons de cet espace ?",
@ -2400,7 +2311,6 @@
"Close this widget to view it in this panel": "Fermer ce widget pour lafficher dans ce panneau", "Close this widget to view it in this panel": "Fermer ce widget pour lafficher dans ce panneau",
"Unpin this widget to view it in this panel": "Désépinglez ce widget pour lafficher dans ce panneau", "Unpin this widget to view it in this panel": "Désépinglez ce widget pour lafficher dans ce panneau",
"Reply in thread": "Répondre dans le fil de discussion", "Reply in thread": "Répondre dans le fil de discussion",
"Manage rooms in this space": "Gérer les salons de cet espace",
"You won't get any notifications": "Vous naurez aucune notification", "You won't get any notifications": "Vous naurez aucune notification",
"Get notified only with mentions and keywords as set up in your <a>settings</a>": "Recevoir des notifications uniquement pour les mentions et mot-clés comme défini dans vos <a>paramètres</a>", "Get notified only with mentions and keywords as set up in your <a>settings</a>": "Recevoir des notifications uniquement pour les mentions et mot-clés comme défini dans vos <a>paramètres</a>",
"@mentions & keywords": "@mentions et mots-clés", "@mentions & keywords": "@mentions et mots-clés",
@ -2474,7 +2384,6 @@
"one": "Résultat final sur la base de %(count)s vote", "one": "Résultat final sur la base de %(count)s vote",
"other": "Résultat final sur la base de %(count)s votes" "other": "Résultat final sur la base de %(count)s votes"
}, },
"Manage pinned events": "Gérer les évènements épinglés",
"Share anonymous data to help us identify issues. Nothing personal. No third parties.": "Partager des données anonymisées pour nous aider à identifier les problèmes. Rien de personnel. Aucune tierce partie.", "Share anonymous data to help us identify issues. Nothing personal. No third parties.": "Partager des données anonymisées pour nous aider à identifier les problèmes. Rien de personnel. Aucune tierce partie.",
"Share anonymous data to help us identify issues. Nothing personal. No third parties. <LearnMoreLink>Learn More</LearnMoreLink>": "Partager des données anonymisées pour nous aider à identifier les problèmes. Aucune tierce partie. <LearnMoreLink>En savoir plus</LearnMoreLink>", "Share anonymous data to help us identify issues. Nothing personal. No third parties. <LearnMoreLink>Learn More</LearnMoreLink>": "Partager des données anonymisées pour nous aider à identifier les problèmes. Aucune tierce partie. <LearnMoreLink>En savoir plus</LearnMoreLink>",
"You previously consented to share anonymous usage data with us. We're updating how that works.": "Vous aviez précédemment consenti au partage de données dutilisation anonymisées avec nous. Nous sommes en train de changer ce fonctionnement.", "You previously consented to share anonymous usage data with us. We're updating how that works.": "Vous aviez précédemment consenti au partage de données dutilisation anonymisées avec nous. Nous sommes en train de changer ce fonctionnement.",
@ -2482,8 +2391,6 @@
"That's fine": "Cest bon", "That's fine": "Cest bon",
"You cannot place calls without a connection to the server.": "Vous ne pouvez pas passer dappels sans connexion au serveur.", "You cannot place calls without a connection to the server.": "Vous ne pouvez pas passer dappels sans connexion au serveur.",
"Connectivity to the server has been lost": "La connexion au serveur a été perdue", "Connectivity to the server has been lost": "La connexion au serveur a été perdue",
"You cannot place calls in this browser.": "Vous ne pouvez pas passer dappels dans ce navigateur.",
"Calls are unsupported": "Les appels ne sont pas pris en charge",
"Recent searches": "Recherches récentes", "Recent searches": "Recherches récentes",
"To search messages, look for this icon at the top of a room <icon/>": "Pour chercher des messages, repérez cette icône en haut à droite d'un salon <icon/>", "To search messages, look for this icon at the top of a room <icon/>": "Pour chercher des messages, repérez cette icône en haut à droite d'un salon <icon/>",
"Other searches": "Autres recherches", "Other searches": "Autres recherches",
@ -2515,12 +2422,10 @@
"The device you are trying to verify doesn't support scanning a QR code or emoji verification, which is what %(brand)s supports. Try with a different client.": "Lappareil que vous essayez de vérifier ne prend pas en charge les QR codes ou la vérification démojis, qui sont les méthodes prises en charge par %(brand)s. Essayez avec un autre client.", "The device you are trying to verify doesn't support scanning a QR code or emoji verification, which is what %(brand)s supports. Try with a different client.": "Lappareil que vous essayez de vérifier ne prend pas en charge les QR codes ou la vérification démojis, qui sont les méthodes prises en charge par %(brand)s. Essayez avec un autre client.",
"To proceed, please accept the verification request on your other device.": "Pour continuer, veuillez accepter la demande de vérification sur votre autre appareil.", "To proceed, please accept the verification request on your other device.": "Pour continuer, veuillez accepter la demande de vérification sur votre autre appareil.",
"From a thread": "Depuis un fil de discussion", "From a thread": "Depuis un fil de discussion",
"Send reactions": "Envoyer des réactions",
"Waiting for you to verify on your other device…": "En attente de votre vérification sur votre autre appareil…", "Waiting for you to verify on your other device…": "En attente de votre vérification sur votre autre appareil…",
"Waiting for you to verify on your other device, %(deviceName)s (%(deviceId)s)…": "En attente de votre vérification sur votre autre appareil, %(deviceName)s (%(deviceId)s)…", "Waiting for you to verify on your other device, %(deviceName)s (%(deviceId)s)…": "En attente de votre vérification sur votre autre appareil, %(deviceName)s (%(deviceId)s)…",
"Verify this device by confirming the following number appears on its screen.": "Vérifiez cet appareil en confirmant que le nombre suivant saffiche sur son écran.", "Verify this device by confirming the following number appears on its screen.": "Vérifiez cet appareil en confirmant que le nombre suivant saffiche sur son écran.",
"Confirm the emoji below are displayed on both devices, in the same order:": "Confirmez que les émojis ci-dessous saffichent sur les deux appareils et dans le même ordre :", "Confirm the emoji below are displayed on both devices, in the same order:": "Confirmez que les émojis ci-dessous saffichent sur les deux appareils et dans le même ordre :",
"Dial": "Composer",
"Back to thread": "Retour au fil de discussion", "Back to thread": "Retour au fil de discussion",
"Room members": "Membres du salon", "Room members": "Membres du salon",
"Back to chat": "Retour à la conversation", "Back to chat": "Retour à la conversation",
@ -2552,7 +2457,6 @@
"Remove them from specific things I'm able to": "Les expulser de certains endroits où jai le droit de le faire", "Remove them from specific things I'm able to": "Les expulser de certains endroits où jai le droit de le faire",
"Remove them from everything I'm able to": "Les expulser de partout où jai le droit de le faire", "Remove them from everything I'm able to": "Les expulser de partout où jai le droit de le faire",
"You were removed from %(roomName)s by %(memberName)s": "Vous avez été expulsé(e) de %(roomName)s par %(memberName)s", "You were removed from %(roomName)s by %(memberName)s": "Vous avez été expulsé(e) de %(roomName)s par %(memberName)s",
"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 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", "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",
"Remove from %(roomName)s": "Expulser de %(roomName)s", "Remove from %(roomName)s": "Expulser de %(roomName)s",
@ -2609,7 +2513,6 @@
"Switches to this room's virtual room, if it has one": "Bascule dans le salon virtuel de ce salon, s'il en a un", "Switches to this room's virtual room, if it has one": "Bascule dans le salon virtuel de ce salon, s'il en a un",
"Automatically send debug logs when key backup is not functioning": "Envoyer automatiquement les journaux de débogage lorsque la sauvegarde des clés ne fonctionne pas", "Automatically send debug logs when key backup is not functioning": "Envoyer automatiquement les journaux de débogage lorsque la sauvegarde des clés ne fonctionne pas",
"You do not have permissions to add spaces to this space": "Vous n'avez pas les permissions nécessaires pour ajouter des espaces à cet espace", "You do not have permissions to add spaces to this space": "Vous n'avez pas les permissions nécessaires pour ajouter des espaces à cet espace",
"Remove messages sent by me": "Supprimer les messages que j'ai moi-même envoyés",
"Open thread": "Ouvrir le fil de discussion", "Open thread": "Ouvrir le fil de discussion",
"Pinned": "Épinglé", "Pinned": "Épinglé",
"Results will be visible when the poll is ended": "Les résultats seront visibles lorsque le sondage sera terminé", "Results will be visible when the poll is ended": "Les résultats seront visibles lorsque le sondage sera terminé",
@ -2780,12 +2683,6 @@
"other": "Vu par %(count)s personnes" "other": "Vu par %(count)s personnes"
}, },
"Your password was successfully changed.": "Votre mot de passe a été mis à jour.", "Your password was successfully changed.": "Votre mot de passe a été mis à jour.",
"Turn on camera": "Activer la caméra",
"Turn off camera": "Désactiver la caméra",
"Video devices": "Périphériques vidéo",
"Unmute microphone": "Activer le microphone",
"Mute microphone": "Désactiver le microphone",
"Audio devices": "Périphériques audio",
"%(members)s and more": "%(members)s et plus", "%(members)s and more": "%(members)s et plus",
"Your message wasn't sent because this homeserver has been blocked by its administrator. Please <a>contact your service administrator</a> to continue using the service.": "Votre message na pas été envoyé car ce serveur daccueil a été bloqué par son administrateur. Veuillez <a>contacter ladministrateur de votre service</a> pour continuer à lutiliser.", "Your message wasn't sent because this homeserver has been blocked by its administrator. Please <a>contact your service administrator</a> to continue using the service.": "Votre message na pas été envoyé car ce serveur daccueil a été bloqué par son administrateur. Veuillez <a>contacter ladministrateur de votre service</a> pour continuer à lutiliser.",
"An error occurred while stopping your live location": "Une erreur sest produite lors de larrêt de votre position en continu", "An error occurred while stopping your live location": "Une erreur sest produite lors de larrêt de votre position en continu",
@ -2951,7 +2848,6 @@
"Sign out of this session": "Se déconnecter de cette session", "Sign out of this session": "Se déconnecter de cette session",
"Voice broadcast": "Diffusion audio", "Voice broadcast": "Diffusion audio",
"Rename session": "Renommer la session", "Rename session": "Renommer la session",
"Voice broadcasts": "Diffusions audio",
"You do not have permission to start voice calls": "Vous navez pas la permission de démarrer un appel audio", "You do not have permission to start voice calls": "Vous navez pas la permission de démarrer un appel audio",
"There's no one here to call": "Il ny a personne à appeler ici", "There's no one here to call": "Il ny a personne à appeler ici",
"You do not have permission to start video calls": "Vous navez pas la permission de démarrer un appel vidéo", "You do not have permission to start video calls": "Vous navez pas la permission de démarrer un appel vidéo",
@ -2973,12 +2869,10 @@
"Web session": "session internet", "Web session": "session internet",
"Mobile session": "Session de téléphone portable", "Mobile session": "Session de téléphone portable",
"Desktop session": "Session de bureau", "Desktop session": "Session de bureau",
"Video call started": "Appel vidéo commencé",
"Unknown room": "Salon inconnu", "Unknown room": "Salon inconnu",
"Close call": "Terminer lappel", "Close call": "Terminer lappel",
"Spotlight": "Projecteur", "Spotlight": "Projecteur",
"Freedom": "Liberté", "Freedom": "Liberté",
"Fill screen": "Remplir lécran",
"Room info": "Information du salon", "Room info": "Information du salon",
"View chat timeline": "Afficher la chronologie du chat", "View chat timeline": "Afficher la chronologie du chat",
"Video call (%(brand)s)": "Appel vidéo (%(brand)s)", "Video call (%(brand)s)": "Appel vidéo (%(brand)s)",
@ -2987,8 +2881,6 @@
"You do not have sufficient permissions to change this.": "Vous navez pas assez de permissions pour changer ceci.", "You do not have sufficient permissions to change this.": "Vous navez pas assez de permissions pour changer ceci.",
"%(brand)s is end-to-end encrypted, but is currently limited to smaller numbers of users.": "%(brand)s est chiffré de bout en bout, mais nest actuellement utilisable quavec un petit nombre dutilisateurs.", "%(brand)s is end-to-end encrypted, but is currently limited to smaller numbers of users.": "%(brand)s est chiffré de bout en bout, mais nest actuellement utilisable quavec un petit nombre dutilisateurs.",
"Enable %(brand)s as an additional calling option in this room": "Activer %(brand)s comme une option supplémentaire dappel dans ce salon", "Enable %(brand)s as an additional calling option in this room": "Activer %(brand)s comme une option supplémentaire dappel dans ce salon",
"Join %(brand)s calls": "Rejoindre des appels %(brand)s",
"Start %(brand)s calls": "Démarrer des appels %(brand)s",
"Sorry — this call is currently full": "Désolé — Cet appel est actuellement complet", "Sorry — this call is currently full": "Désolé — Cet appel est actuellement complet",
"resume voice broadcast": "continuer la diffusion audio", "resume voice broadcast": "continuer la diffusion audio",
"pause voice broadcast": "mettre en pause la diffusion audio", "pause voice broadcast": "mettre en pause la diffusion audio",
@ -3014,7 +2906,6 @@
"You can use this device to sign in a new device with a QR code. You will need to scan the QR code shown on this device with your device that's signed out.": "Vous pouvez utiliser cet appareil pour vous connecter sur un autre appareil avec un QR code. Vous devrez scanner le QR code affiché sur cet appareil avec votre autre appareil qui nest pas connecté.", "You can use this device to sign in a new device with a QR code. You will need to scan the QR code shown on this device with your device that's signed out.": "Vous pouvez utiliser cet appareil pour vous connecter sur un autre appareil avec un QR code. Vous devrez scanner le QR code affiché sur cet appareil avec votre autre appareil qui nest pas connecté.",
"Sign in with QR code": "Se connecter avec un QR code", "Sign in with QR code": "Se connecter avec un QR code",
"Browser": "Navigateur", "Browser": "Navigateur",
"Notifications silenced": "Notifications silencieuses",
"Yes, stop broadcast": "Oui, arrêter la diffusion", "Yes, stop broadcast": "Oui, arrêter la diffusion",
"Stop live broadcasting?": "Arrêter la diffusion en direct ?", "Stop live broadcasting?": "Arrêter la diffusion en direct ?",
"Someone else is already recording a voice broadcast. Wait for their voice broadcast to end to start a new one.": "Une autre personne est déjà en train de réaliser une diffusion audio. Attendez que sa diffusion audio soit terminée pour en démarrer une nouvelle.", "Someone else is already recording a voice broadcast. Wait for their voice broadcast to end to start a new one.": "Une autre personne est déjà en train de réaliser une diffusion audio. Attendez que sa diffusion audio soit terminée pour en démarrer une nouvelle.",
@ -3265,8 +3156,6 @@
"%(errorMessage)s (HTTP status %(httpStatus)s)": "%(errorMessage)s (statut HTTP %(httpStatus)s)", "%(errorMessage)s (HTTP status %(httpStatus)s)": "%(errorMessage)s (statut HTTP %(httpStatus)s)",
"Unknown password change error (%(stringifiedError)s)": "Erreur inconnue du changement de mot de passe (%(stringifiedError)s)", "Unknown password change error (%(stringifiedError)s)": "Erreur inconnue du changement de mot de passe (%(stringifiedError)s)",
"Error while changing password: %(error)s": "Erreur lors du changement de mot de passe : %(error)s", "Error while changing password: %(error)s": "Erreur lors du changement de mot de passe : %(error)s",
"%(sender)s reacted %(reaction)s to %(message)s": "%(sender)s a réagi avec %(reaction)s à %(message)s",
"You reacted %(reaction)s to %(message)s": "Vous avez réagi avec %(reaction)s à %(message)s",
"Cannot invite user by email without an identity server. You can connect to one under \"Settings\".": "Impossible dinviter un utilisateur par e-mail sans un serveur didentité. Vous pouvez vous connecter à un serveur dans les « Paramètres ».", "Cannot invite user by email without an identity server. You can connect to one under \"Settings\".": "Impossible dinviter un utilisateur par e-mail sans un serveur didentité. Vous pouvez vous connecter à un serveur dans les « Paramètres ».",
"Unable to create room with moderation bot": "Impossible de créer le salon avec un robot de modération", "Unable to create room with moderation bot": "Impossible de créer le salon avec un robot de modération",
"Failed to download source media, no source url was found": "Impossible de télécharger la source du média, aucune URL source na été trouvée", "Failed to download source media, no source url was found": "Impossible de télécharger la source du média, aucune URL source na été trouvée",
@ -3429,7 +3318,11 @@
"server": "Serveur", "server": "Serveur",
"capabilities": "Capacités", "capabilities": "Capacités",
"unnamed_room": "Salon anonyme", "unnamed_room": "Salon anonyme",
"unnamed_space": "Espace sans nom" "unnamed_space": "Espace sans nom",
"stickerpack": "Jeu dautocollants",
"system_alerts": "Alertes système",
"secure_backup": "Sauvegarde sécurisée",
"cross_signing": "Signature croisée"
}, },
"action": { "action": {
"continue": "Continuer", "continue": "Continuer",
@ -3608,7 +3501,14 @@
"format_decrease_indent": "Réduire lindentation", "format_decrease_indent": "Réduire lindentation",
"format_inline_code": "Code", "format_inline_code": "Code",
"format_code_block": "Bloc de code", "format_code_block": "Bloc de code",
"format_link": "Lien" "format_link": "Lien",
"send_button_title": "Envoyer le message",
"placeholder_thread_encrypted": "Répondre au fil de discussion chiffré…",
"placeholder_thread": "Répondre au fil de discussion…",
"placeholder_reply_encrypted": "Envoyer une réponse chiffrée…",
"placeholder_reply": "Envoyer une réponse…",
"placeholder_encrypted": "Envoyer un message chiffré…",
"placeholder": "Envoyer un message…"
}, },
"Bold": "Gras", "Bold": "Gras",
"Link": "Lien", "Link": "Lien",
@ -3631,7 +3531,11 @@
"send_logs": "Envoyer les journaux", "send_logs": "Envoyer les journaux",
"github_issue": "Rapport GitHub", "github_issue": "Rapport GitHub",
"download_logs": "Télécharger les journaux", "download_logs": "Télécharger les journaux",
"before_submitting": "Avant de soumettre vos journaux, vous devez <a>créer une « issue » sur GitHub</a> pour décrire votre problème." "before_submitting": "Avant de soumettre vos journaux, vous devez <a>créer une « issue » sur GitHub</a> pour décrire votre problème.",
"collecting_information": "Récupération des informations de version de lapplication",
"collecting_logs": "Récupération des journaux",
"uploading_logs": "Envoi des journaux",
"downloading_logs": "Téléchargement des journaux"
}, },
"time": { "time": {
"hours_minutes_seconds_left": "%(hours)sh %(minutes)sm %(seconds)ss restantes", "hours_minutes_seconds_left": "%(hours)sh %(minutes)sm %(seconds)ss restantes",
@ -3839,7 +3743,9 @@
"developer_tools": "Outils de développement", "developer_tools": "Outils de développement",
"room_id": "Identifiant du salon : %(roomId)s", "room_id": "Identifiant du salon : %(roomId)s",
"thread_root_id": "ID du fil de discussion racine : %(threadRootId)s", "thread_root_id": "ID du fil de discussion racine : %(threadRootId)s",
"event_id": "Identifiant dévénement : %(eventId)s" "event_id": "Identifiant dévénement : %(eventId)s",
"category_room": "Salon",
"category_other": "Autre"
}, },
"export_chat": { "export_chat": {
"html": "HTML", "html": "HTML",
@ -3997,6 +3903,9 @@
"other": "%(names)s et %(count)s autres sont en train décrire…", "other": "%(names)s et %(count)s autres sont en train décrire…",
"one": "%(names)s et un autre sont en train décrire…" "one": "%(names)s et un autre sont en train décrire…"
} }
},
"m.call.hangup": {
"dm": "Appel terminé"
} }
}, },
"slash_command": { "slash_command": {
@ -4033,7 +3942,14 @@
"help": "Affiche la liste des commandes avec leurs utilisations et descriptions", "help": "Affiche la liste des commandes avec leurs utilisations et descriptions",
"whois": "Affiche des informations à propos de lutilisateur", "whois": "Affiche des informations à propos de lutilisateur",
"rageshake": "Envoyer un rapport danomalie avec les journaux", "rageshake": "Envoyer un rapport danomalie avec les journaux",
"msg": "Envoie un message à lutilisateur fourni" "msg": "Envoie un message à lutilisateur fourni",
"usage": "Utilisation",
"category_messages": "Messages",
"category_actions": "Actions",
"category_admin": "Administrateur",
"category_advanced": "Avancé",
"category_effects": "Effets",
"category_other": "Autre"
}, },
"presence": { "presence": {
"busy": "Occupé", "busy": "Occupé",
@ -4047,5 +3963,108 @@
"offline": "Hors ligne", "offline": "Hors ligne",
"away": "Absent" "away": "Absent"
}, },
"Unknown": "Inconnu" "Unknown": "Inconnu",
"event_preview": {
"m.call.answer": {
"you": "Vous avez rejoint lappel",
"user": "%(senderName)s a rejoint lappel",
"dm": "Appel en cours"
},
"m.call.hangup": {
"you": "Vous avez terminé lappel",
"user": "%(senderName)s a terminé lappel"
},
"m.call.invite": {
"you": "Vous avez commencé un appel",
"user": "%(senderName)s a commencé un appel",
"dm_send": "En attente dune réponse",
"dm_receive": "%(senderName)s appelle"
},
"m.emote": "* %(senderName)s %(emote)s",
"m.text": "%(senderName)s : %(message)s",
"m.reaction": {
"you": "Vous avez réagi avec %(reaction)s à %(message)s",
"user": "%(sender)s a réagi avec %(reaction)s à %(message)s"
},
"m.sticker": "%(senderName)s : %(stickerName)s"
},
"voip": {
"disable_microphone": "Désactiver le microphone",
"enable_microphone": "Activer le microphone",
"disable_camera": "Désactiver la caméra",
"enable_camera": "Activer la caméra",
"audio_devices": "Périphériques audio",
"video_devices": "Périphériques vidéo",
"dial": "Composer",
"you_are_presenting": "Vous êtes à lécran",
"user_is_presenting": "%(sharerName)s est à lécran",
"camera_disabled": "Votre caméra est éteinte",
"camera_enabled": "Votre caméra est toujours allumée",
"consulting": "Consultation avec %(transferTarget)s. <a>Transfert à %(transferee)s</a>",
"call_held_switch": "Vous avez mis lappel en attente <a>Basculer</a>",
"call_held_resume": "Vous avez mis lappel en attente <a>Reprendre</a>",
"call_held": "%(peerName)s a mis lappel en attente",
"dialpad": "Pavé numérique",
"stop_screenshare": "Arrêter de partager mon écran",
"start_screenshare": "Commencer à partager mon écran",
"hangup": "Raccrocher",
"maximise": "Remplir lécran",
"expand": "Revenir à lappel",
"on_hold": "%(name)s est en attente",
"voice_call": "Appel audio",
"video_call": "Appel vidéo",
"video_call_started": "Appel vidéo commencé",
"unsilence": "Son activé",
"silence": "Mettre lappel en sourdine",
"silenced": "Notifications silencieuses",
"unknown_caller": "Appelant inconnu",
"call_failed": "Lappel a échoué",
"unable_to_access_microphone": "Impossible daccéder au microphone",
"call_failed_microphone": "La fonction a échoué faute de pouvoir accéder au microphone. Vérifiez quun microphone est branché et bien configuré.",
"unable_to_access_media": "Impossible daccéder à la caméra ou au microphone",
"call_failed_media": "La fonction a échoué faute de pouvoir accéder à la caméra ou au microphone. Vérifiez que :",
"call_failed_media_connected": "Un microphone et une caméra sont branchés et bien configurés",
"call_failed_media_permissions": "Lautorisation daccéder à la caméra a été accordée",
"call_failed_media_applications": "Aucune autre application nest en train dutiliser la caméra",
"already_in_call": "Déjà en cours dappel",
"already_in_call_person": "Vous êtes déjà en cours dappel avec cette personne.",
"unsupported": "Les appels ne sont pas pris en charge",
"unsupported_browser": "Vous ne pouvez pas passer dappels dans ce navigateur."
},
"Messages": "Messages",
"Other": "Autre",
"Advanced": "Avancé",
"room_settings": {
"permissions": {
"m.room.avatar_space": "Changer lavatar de lespace",
"m.room.avatar": "Changer lavatar du salon",
"m.room.name_space": "Changer le nom de lespace",
"m.room.name": "Changer le nom du salon",
"m.room.canonical_alias_space": "Changer ladresse principale de lespace",
"m.room.canonical_alias": "Changer ladresse principale du salon",
"m.space.child": "Gérer les salons de cet espace",
"m.room.history_visibility": "Changer la visibilité de lhistorique",
"m.room.power_levels": "Changer les permissions",
"m.room.topic_space": "Changer la description",
"m.room.topic": "Changer le sujet",
"m.room.tombstone": "Mettre à niveau le salon",
"m.room.encryption": "Activer le chiffrement du salon",
"m.room.server_acl": "Modifier les ACL du serveur",
"m.reaction": "Envoyer des réactions",
"m.room.redaction": "Supprimer les messages que j'ai moi-même envoyés",
"m.widget": "Modifier les widgets",
"io.element.voice_broadcast_info": "Diffusions audio",
"m.room.pinned_events": "Gérer les évènements épinglés",
"m.call": "Démarrer des appels %(brand)s",
"m.call.member": "Rejoindre des appels %(brand)s",
"users_default": "Rôle par défaut",
"events_default": "Envoyer des messages",
"invite": "Inviter des utilisateurs",
"state_default": "Changer les paramètres",
"kick": "Expulser des utilisateurs",
"ban": "Bannir des utilisateurs",
"redact": "Supprimer les messages envoyés par dautres",
"notifications.room": "Avertir tout le monde"
}
}
} }

View file

@ -27,14 +27,6 @@
"No media permissions": "Gan cheadanna meáin", "No media permissions": "Gan cheadanna meáin",
"No Webcams detected": "Níor braitheadh aon ceamara gréasáin", "No Webcams detected": "Níor braitheadh aon ceamara gréasáin",
"No Microphones detected": "Níor braitheadh aon micreafón", "No Microphones detected": "Níor braitheadh aon micreafón",
"Waiting for answer": "ag Fanacht le freagra",
"%(senderName)s started a call": "Thosaigh %(senderName)s an glao",
"You started a call": "Thosaigh tú an glao",
"Call ended": "Críochnaíodh an glao",
"%(senderName)s ended the call": "Chríochnaigh %(senderName)s an glao",
"You ended the call": "Chríochnaigh tú an glao",
"Call in progress": "Glaoch ar siúl",
"Unable to access microphone": "Ní féidir rochtain a fháil ar mhicreafón",
"Please ask the administrator of your homeserver (<code>%(homeserverDomain)s</code>) to configure a TURN server in order for calls to work reliably.": "Iarr ar an riarthóir do fhreastalaí baile (<code>%(homeserverDomain)s</code>) freastalaí TURN a chumrú go bhfeidhmeoidh glaonna go hiontaofa.", "Please ask the administrator of your homeserver (<code>%(homeserverDomain)s</code>) to configure a TURN server in order for calls to work reliably.": "Iarr ar an riarthóir do fhreastalaí baile (<code>%(homeserverDomain)s</code>) freastalaí TURN a chumrú go bhfeidhmeoidh glaonna go hiontaofa.",
"Call failed due to misconfigured server": "Theip an glaoch de bharr freastalaí mícumraithe", "Call failed due to misconfigured server": "Theip an glaoch de bharr freastalaí mícumraithe",
"Answered Elsewhere": "Tógtha in áit eile", "Answered Elsewhere": "Tógtha in áit eile",
@ -57,12 +49,10 @@
"%(weekDayName)s %(time)s": "%(weekDayName)s ar a %(time)s", "%(weekDayName)s %(time)s": "%(weekDayName)s ar a %(time)s",
"Upload Failed": "Chlis an uaslódáil", "Upload Failed": "Chlis an uaslódáil",
"Permission Required": "Is Teastáil Cead", "Permission Required": "Is Teastáil Cead",
"Call Failed": "Chlis an glaoch",
"Spaces": "Spásanna", "Spaces": "Spásanna",
"Transfer": "Aistrigh", "Transfer": "Aistrigh",
"Hold": "Fan", "Hold": "Fan",
"Resume": "Tosaigh arís", "Resume": "Tosaigh arís",
"Effects": "Tionchair",
"Zimbabwe": "an tSiombáib", "Zimbabwe": "an tSiombáib",
"Zambia": "an tSaimbia", "Zambia": "an tSaimbia",
"Yemen": "Éimin", "Yemen": "Éimin",
@ -265,7 +255,6 @@
"Bridges": "Droichid", "Bridges": "Droichid",
"Later": "Níos deireanaí", "Later": "Níos deireanaí",
"Lock": "Glasáil", "Lock": "Glasáil",
"Cross-signing": "Cros-síniú",
"Unencrypted": "Gan chriptiú", "Unencrypted": "Gan chriptiú",
"None": "Níl aon cheann", "None": "Níl aon cheann",
"Flags": "Bratacha", "Flags": "Bratacha",
@ -275,12 +264,9 @@
"Document": "Cáipéis", "Document": "Cáipéis",
"Italics": "Iodálach", "Italics": "Iodálach",
"Discovery": "Aimsiú", "Discovery": "Aimsiú",
"Actions": "Gníomhartha",
"Messages": "Teachtaireachtaí",
"Success!": "Rath!", "Success!": "Rath!",
"Users": "Úsáideoirí", "Users": "Úsáideoirí",
"Commands": "Ordú", "Commands": "Ordú",
"Other": "Eile",
"Phone": "Guthán", "Phone": "Guthán",
"Email": "Ríomhphost", "Email": "Ríomhphost",
"Home": "Tús", "Home": "Tús",
@ -316,7 +302,6 @@
"Tuesday": "Dé Máirt", "Tuesday": "Dé Máirt",
"Monday": "Dé Luain", "Monday": "Dé Luain",
"Sunday": "Dé Domhnaigh", "Sunday": "Dé Domhnaigh",
"Stickerpack": "Pacáiste greamáin",
"Search…": "Cuardaigh…", "Search…": "Cuardaigh…",
"Re-join": "Téigh ar ais isteach", "Re-join": "Téigh ar ais isteach",
"Historical": "Stairiúil", "Historical": "Stairiúil",
@ -335,7 +320,6 @@
"Light bulb": "Bolgán solais", "Light bulb": "Bolgán solais",
"Thumbs up": "Ordógí suas", "Thumbs up": "Ordógí suas",
"Got It": "Tuigthe", "Got It": "Tuigthe",
"Collecting logs": "ag Bailiú logaí",
"Invited": "Le cuireadh", "Invited": "Le cuireadh",
"Demote": "Bain ceadanna", "Demote": "Bain ceadanna",
"Encryption": "Criptiúchán", "Encryption": "Criptiúchán",
@ -354,7 +338,6 @@
"Noisy": "Callánach", "Noisy": "Callánach",
"On": "Ar siúl", "On": "Ar siúl",
"Off": "Múchta", "Off": "Múchta",
"Advanced": "Forbartha",
"Authentication": "Fíordheimhniú", "Authentication": "Fíordheimhniú",
"Warning!": "Aire!", "Warning!": "Aire!",
"Folder": "Fillteán", "Folder": "Fillteán",
@ -419,8 +402,6 @@
"Dog": "Madra", "Dog": "Madra",
"Verified!": "Deimhnithe!", "Verified!": "Deimhnithe!",
"Reason": "Cúis", "Reason": "Cúis",
"Usage": "Úsáid",
"Admin": "Riarthóir",
"Moderator": "Modhnóir", "Moderator": "Modhnóir",
"Restricted": "Teoranta", "Restricted": "Teoranta",
"Default": "Réamhshocrú", "Default": "Réamhshocrú",
@ -478,8 +459,6 @@
"Verification code": "Cód fíoraithe", "Verification code": "Cód fíoraithe",
"Notification targets": "Spriocanna fógraí", "Notification targets": "Spriocanna fógraí",
"Results": "Torthaí", "Results": "Torthaí",
"Hangup": "Cuir síos",
"Dialpad": "Eochaircheap",
"More": "Níos mó", "More": "Níos mó",
"Decrypting": "Ag Díchriptiú", "Decrypting": "Ag Díchriptiú",
"Access": "Rochtain", "Access": "Rochtain",
@ -504,23 +483,12 @@
"Unnamed room": "Seomra gan ainm", "Unnamed room": "Seomra gan ainm",
"Command error": "Earráid ordaithe", "Command error": "Earráid ordaithe",
"Server error": "Earráid freastalaí", "Server error": "Earráid freastalaí",
"Video call": "Físghlao",
"Voice call": "Glao gutha",
"Admin Tools": "Uirlisí Riaracháin", "Admin Tools": "Uirlisí Riaracháin",
"Demote yourself?": "Tabhair ísliú céime duit féin?", "Demote yourself?": "Tabhair ísliú céime duit féin?",
"Enable encryption?": "Cumasaigh criptiú?", "Enable encryption?": "Cumasaigh criptiú?",
"Banned users": "Úsáideoirí toirmiscthe", "Banned users": "Úsáideoirí toirmiscthe",
"Muted Users": "Úsáideoirí Fuaim", "Muted Users": "Úsáideoirí Fuaim",
"Privileged Users": "Úsáideoirí Pribhléideacha", "Privileged Users": "Úsáideoirí Pribhléideacha",
"Notify everyone": "Tabhair fógraí do gach duine",
"Ban users": "Toirmisc úsáideoirí",
"Change settings": "Athraigh socruithe",
"Invite users": "Tabhair cuirí d'úsáideoirí",
"Send messages": "Seol teachtaireachtaí",
"Default role": "Gnáth-ról",
"Modify widgets": "Mionathraigh giuirléidí",
"Change topic": "Athraigh ábhar",
"Change permissions": "Athraigh ceadanna",
"Notification sound": "Fuaim fógra", "Notification sound": "Fuaim fógra",
"Uploaded sound": "Fuaim uaslódáilte", "Uploaded sound": "Fuaim uaslódáilte",
"URL Previews": "Réamhamhairc URL", "URL Previews": "Réamhamhairc URL",
@ -528,12 +496,6 @@
"Room version:": "Leagan seomra:", "Room version:": "Leagan seomra:",
"Room version": "Leagan seomra", "Room version": "Leagan seomra",
"Too Many Calls": "Barraíocht Glaonna", "Too Many Calls": "Barraíocht Glaonna",
"No other application is using the webcam": "Níl aon fheidhmchlár eile ag úsáid an cheamara gréasáin",
"Permission is granted to use the webcam": "Tugtar cead an ceamara gréasáin a úsáid",
"A microphone and webcam are plugged in and set up correctly": "Tá micreafón agus ceamara gréasáin plugáilte isteach agus curtha ar bun i gceart",
"Call failed because webcam or microphone could not be accessed. Check that:": "Níor glaodh toisc nach raibh rochtain ar ceamara gréasáin nó mhicreafón. Seiceáil go:",
"Unable to access webcam / microphone": "Ní féidir rochtain a fháil ar ceamara gréasáin / mhicreafón",
"Call failed because microphone could not be accessed. Check that a microphone is plugged in and set up correctly.": "Níor glaodh toisc nach raibh rochtain ar mhicreafón. Seiceáil go bhfuil micreafón plugáilte isteach agus curtha ar bun i gceart.",
"%(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 %(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 %(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", "%(weekDayName)s, %(monthName)s %(day)s %(time)s": "%(weekDayName)s, %(monthName)s %(day)s %(time)s",
@ -627,7 +589,9 @@
"encrypted": "Criptithe", "encrypted": "Criptithe",
"matrix": "Matrix", "matrix": "Matrix",
"trusted": "Dílis", "trusted": "Dílis",
"unnamed_room": "Seomra gan ainm" "unnamed_room": "Seomra gan ainm",
"stickerpack": "Pacáiste greamáin",
"cross_signing": "Cros-síniú"
}, },
"action": { "action": {
"continue": "Lean ar aghaidh", "continue": "Lean ar aghaidh",
@ -746,18 +710,30 @@
"level": "Leibhéal", "level": "Leibhéal",
"value_colon": "Luach:", "value_colon": "Luach:",
"value": "Luach", "value": "Luach",
"toolbox": "Uirlisí" "toolbox": "Uirlisí",
"category_room": "Seomra",
"category_other": "Eile"
}, },
"timeline": { "timeline": {
"m.room.topic": "D'athraigh %(senderDisplayName)s an ábhar go \"%(topic)s\".", "m.room.topic": "D'athraigh %(senderDisplayName)s an ábhar go \"%(topic)s\".",
"m.room.name": { "m.room.name": {
"remove": "Bhain %(senderDisplayName)s ainm an tseomra.", "remove": "Bhain %(senderDisplayName)s ainm an tseomra.",
"set": "D'athraigh %(senderDisplayName)s ainm an tseomra go %(roomName)s." "set": "D'athraigh %(senderDisplayName)s ainm an tseomra go %(roomName)s."
},
"m.call.hangup": {
"dm": "Críochnaíodh an glao"
} }
}, },
"slash_command": { "slash_command": {
"nick": "Athraíonn sé d'ainm taispeána", "nick": "Athraíonn sé d'ainm taispeána",
"ban": "Toirmisc úsáideoir leis an ID áirithe" "ban": "Toirmisc úsáideoir leis an ID áirithe",
"usage": "Úsáid",
"category_messages": "Teachtaireachtaí",
"category_actions": "Gníomhartha",
"category_admin": "Riarthóir",
"category_advanced": "Forbartha",
"category_effects": "Tionchair",
"category_other": "Eile"
}, },
"presence": { "presence": {
"online": "Ar Líne", "online": "Ar Líne",
@ -766,5 +742,52 @@
"offline": "As líne", "offline": "As líne",
"away": "Imithe" "away": "Imithe"
}, },
"Unknown": "Anaithnid" "Unknown": "Anaithnid",
"event_preview": {
"m.call.answer": {
"dm": "Glaoch ar siúl"
},
"m.call.hangup": {
"you": "Chríochnaigh tú an glao",
"user": "Chríochnaigh %(senderName)s an glao"
},
"m.call.invite": {
"you": "Thosaigh tú an glao",
"user": "Thosaigh %(senderName)s an glao",
"dm_send": "ag Fanacht le freagra"
}
},
"bug_reporting": {
"collecting_logs": "ag Bailiú logaí"
},
"voip": {
"dialpad": "Eochaircheap",
"hangup": "Cuir síos",
"voice_call": "Glao gutha",
"video_call": "Físghlao",
"call_failed": "Chlis an glaoch",
"unable_to_access_microphone": "Ní féidir rochtain a fháil ar mhicreafón",
"call_failed_microphone": "Níor glaodh toisc nach raibh rochtain ar mhicreafón. Seiceáil go bhfuil micreafón plugáilte isteach agus curtha ar bun i gceart.",
"unable_to_access_media": "Ní féidir rochtain a fháil ar ceamara gréasáin / mhicreafón",
"call_failed_media": "Níor glaodh toisc nach raibh rochtain ar ceamara gréasáin nó mhicreafón. Seiceáil go:",
"call_failed_media_connected": "Tá micreafón agus ceamara gréasáin plugáilte isteach agus curtha ar bun i gceart",
"call_failed_media_permissions": "Tugtar cead an ceamara gréasáin a úsáid",
"call_failed_media_applications": "Níl aon fheidhmchlár eile ag úsáid an cheamara gréasáin"
},
"Messages": "Teachtaireachtaí",
"Other": "Eile",
"Advanced": "Forbartha",
"room_settings": {
"permissions": {
"m.room.power_levels": "Athraigh ceadanna",
"m.room.topic": "Athraigh ábhar",
"m.widget": "Mionathraigh giuirléidí",
"users_default": "Gnáth-ról",
"events_default": "Seol teachtaireachtaí",
"invite": "Tabhair cuirí d'úsáideoirí",
"state_default": "Athraigh socruithe",
"ban": "Toirmisc úsáideoirí",
"notifications.room": "Tabhair fógraí do gach duine"
}
}
} }

View file

@ -4,7 +4,6 @@
"Failed to verify email address: make sure you clicked the link in the email": "Fallo na verificación do enderezo de correo: asegúrese de ter picado na ligazón do correo", "Failed to verify email address: make sure you clicked the link in the email": "Fallo na verificación do enderezo de correo: asegúrese de ter picado na ligazón do correo",
"You cannot place a call with yourself.": "Non podes facer unha chamada a ti mesma.", "You cannot place a call with yourself.": "Non podes facer unha chamada a ti mesma.",
"Warning!": "Aviso!", "Warning!": "Aviso!",
"Call Failed": "Fallou a chamada",
"Upload Failed": "Fallou o envío", "Upload Failed": "Fallou o envío",
"Sun": "Dom", "Sun": "Dom",
"Mon": "Lun", "Mon": "Lun",
@ -37,7 +36,6 @@
"Default": "Por defecto", "Default": "Por defecto",
"Restricted": "Restrinxido", "Restricted": "Restrinxido",
"Moderator": "Moderador", "Moderator": "Moderador",
"Admin": "Administrador",
"Operation failed": "Fallou a operación", "Operation failed": "Fallou a operación",
"Failed to invite": "Fallou o convite", "Failed to invite": "Fallou o convite",
"You need to be logged in.": "Tes que iniciar sesión.", "You need to be logged in.": "Tes que iniciar sesión.",
@ -51,7 +49,6 @@
"Missing room_id in request": "Falta o room_id na petición", "Missing room_id in request": "Falta o room_id na petición",
"Room %(roomId)s not visible": "A sala %(roomId)s non é visible", "Room %(roomId)s not visible": "A sala %(roomId)s non é visible",
"Missing user_id in request": "Falta o user_id na petición", "Missing user_id in request": "Falta o user_id na petición",
"Usage": "Uso",
"Ignored user": "Usuaria ignorada", "Ignored user": "Usuaria ignorada",
"You are now ignoring %(userId)s": "Agora está a ignorar %(userId)s", "You are now ignoring %(userId)s": "Agora está a ignorar %(userId)s",
"Unignored user": "Usuarias non ignoradas", "Unignored user": "Usuarias non ignoradas",
@ -100,11 +97,6 @@
"Invited": "Convidada", "Invited": "Convidada",
"Filter room members": "Filtrar os participantes da conversa", "Filter room members": "Filtrar os participantes da conversa",
"%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (permiso %(powerLevelNumber)s)", "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (permiso %(powerLevelNumber)s)",
"Hangup": "Quedada",
"Voice call": "Chamada de voz",
"Video call": "Chamada de vídeo",
"Send an encrypted reply…": "Enviar unha resposta cifrada…",
"Send an encrypted message…": "Enviar unha mensaxe cifrada…",
"You do not have permission to post to this room": "Non ten permiso para comentar nesta sala", "You do not have permission to post to this room": "Non ten permiso para comentar nesta sala",
"Server error": "Fallo no servidor", "Server error": "Fallo no servidor",
"Server unavailable, overloaded, or something else went wrong.": "Servidor non dispoñible, sobrecargado, ou outra cousa puido fallar.", "Server unavailable, overloaded, or something else went wrong.": "Servidor non dispoñible, sobrecargado, ou outra cousa puido fallar.",
@ -144,7 +136,6 @@
"Members only (since they were invited)": "Só participantes (desde que foron convidadas)", "Members only (since they were invited)": "Só participantes (desde que foron convidadas)",
"Members only (since they joined)": "Só participantes (desde que se uniron)", "Members only (since they joined)": "Só participantes (desde que se uniron)",
"Permissions": "Permisos", "Permissions": "Permisos",
"Advanced": "Avanzado",
"Jump to first unread message.": "Ir a primeira mensaxe non lida.", "Jump to first unread message.": "Ir a primeira mensaxe non lida.",
"not specified": "non indicado", "not specified": "non indicado",
"This room has no local addresses": "Esta sala non ten enderezos locais", "This room has no local addresses": "Esta sala non ten enderezos locais",
@ -359,7 +350,6 @@
"Failed to remove tag %(tagName)s from room": "Fallo ao eliminar a etiqueta %(tagName)s da sala", "Failed to remove tag %(tagName)s from room": "Fallo ao eliminar a etiqueta %(tagName)s da sala",
"Failed to add tag %(tagName)s to room": "Fallo ao engadir a etiqueta %(tagName)s a sala", "Failed to add tag %(tagName)s to room": "Fallo ao engadir a etiqueta %(tagName)s a sala",
"Deops user with given id": "Degrada usuaria co id proporcionado", "Deops user with given id": "Degrada usuaria co id proporcionado",
"Stickerpack": "Iconas",
"You don't currently have any stickerpacks enabled": "Non ten paquetes de iconas activados", "You don't currently have any stickerpacks enabled": "Non ten paquetes de iconas activados",
"Sunday": "Domingo", "Sunday": "Domingo",
"Notification targets": "Obxectivos das notificacións", "Notification targets": "Obxectivos das notificacións",
@ -376,13 +366,11 @@
"Source URL": "URL fonte", "Source URL": "URL fonte",
"Filter results": "Filtrar resultados", "Filter results": "Filtrar resultados",
"No update available.": "Sen actualizacións.", "No update available.": "Sen actualizacións.",
"Collecting app version information": "Obtendo información sobre a versión da app",
"Tuesday": "Martes", "Tuesday": "Martes",
"Search…": "Buscar…", "Search…": "Buscar…",
"Preparing to send logs": "Preparándose para enviar informe", "Preparing to send logs": "Preparándose para enviar informe",
"Saturday": "Sábado", "Saturday": "Sábado",
"Monday": "Luns", "Monday": "Luns",
"Collecting logs": "Obtendo rexistros",
"All Rooms": "Todas as Salas", "All Rooms": "Todas as Salas",
"Wednesday": "Mércores", "Wednesday": "Mércores",
"All messages": "Todas as mensaxes", "All messages": "Todas as mensaxes",
@ -430,7 +418,6 @@
"When someone puts a URL in their message, a URL preview can be shown to give more information about that link such as the title, description, and an image from the website.": "Cando alguén pon unha URL na mensaxe, esta previsualízarase para que así se coñezan xa cousas delas como o título, a descrición ou as imaxes que inclúe ese sitio web.", "When someone puts a URL in their message, a URL preview can be shown to give more information about that link such as the title, description, and an image from the website.": "Cando alguén pon unha URL na mensaxe, esta previsualízarase para que así se coñezan xa cousas delas como o título, a descrición ou as imaxes que inclúe ese sitio web.",
"You can't send any messages until you review and agree to <consentLink>our terms and conditions</consentLink>.": "Non vas poder enviar mensaxes ata que revises e aceptes <consentLink>os nosos termos e condicións</consentLink>.", "You can't send any messages until you review and agree to <consentLink>our terms and conditions</consentLink>.": "Non vas poder enviar mensaxes ata que revises e aceptes <consentLink>os nosos termos e condicións</consentLink>.",
"Please contact your homeserver administrator.": "Por favor, contacte coa administración do seu servidor.", "Please contact your homeserver administrator.": "Por favor, contacte coa administración do seu servidor.",
"System Alerts": "Alertas do Sistema",
"This homeserver has hit its Monthly Active User limit.": "Este servidor acadou o límite mensual de usuarias activas.", "This homeserver has hit its Monthly Active User limit.": "Este servidor acadou o límite mensual de usuarias activas.",
"This homeserver has exceeded one of its resource limits.": "Este servidor excedeu un dos seus límites de recursos.", "This homeserver has exceeded one of its resource limits.": "Este servidor excedeu un dos seus límites de recursos.",
"Your message wasn't sent because this homeserver has hit its Monthly Active User Limit. Please <a>contact your service administrator</a> to continue using the service.": "A súa mensaxe non foi enviada porque este servidor acadou o Límite Mensual de Usuaria Activa. Por favor <a>contacte coa administración do servizo</a> para continuar utilizando o servizo.", "Your message wasn't sent because this homeserver has hit its Monthly Active User Limit. Please <a>contact your service administrator</a> to continue using the service.": "A súa mensaxe non foi enviada porque este servidor acadou o Límite Mensual de Usuaria Activa. Por favor <a>contacte coa administración do servizo</a> para continuar utilizando o servizo.",
@ -476,9 +463,6 @@
"%(name)s is requesting verification": "%(name)s está pedindo a verificación", "%(name)s is requesting verification": "%(name)s está pedindo a verificación",
"Use your account or create a new one to continue.": "Usa a túa conta ou crea unha nova para continuar.", "Use your account or create a new one to continue.": "Usa a túa conta ou crea unha nova para continuar.",
"Create Account": "Crear conta", "Create Account": "Crear conta",
"Messages": "Mensaxes",
"Actions": "Accións",
"Other": "Outro",
"Error upgrading room": "Fallo ao actualizar a sala", "Error upgrading room": "Fallo ao actualizar a sala",
"Double check that your server supports the room version chosen and try again.": "Comproba ben que o servidor soporta a versión da sala escollida e inténtao outra vez.", "Double check that your server supports the room version chosen and try again.": "Comproba ben que o servidor soporta a versión da sala escollida e inténtao outra vez.",
"Use an identity server": "Usar un servidor de identidade", "Use an identity server": "Usar un servidor de identidade",
@ -503,7 +487,6 @@
"For help with using %(brand)s, click <a>here</a> or start a chat with our bot using the button below.": "Se precisas axuda usando %(brand)s, preme <a>aquí</a> ou inicia unha conversa co noso bot usando o botón inferior.", "For help with using %(brand)s, click <a>here</a> or start a chat with our bot using the button below.": "Se precisas axuda usando %(brand)s, preme <a>aquí</a> ou inicia unha conversa co noso bot usando o botón inferior.",
"Help & About": "Axuda & Acerca de", "Help & About": "Axuda & Acerca de",
"Security & Privacy": "Seguridade & Privacidade", "Security & Privacy": "Seguridade & Privacidade",
"Change room name": "Cambiar nome da sala",
"Roles & Permissions": "Roles & Permisos", "Roles & Permissions": "Roles & Permisos",
"Room %(name)s": "Sala %(name)s", "Room %(name)s": "Sala %(name)s",
"Direct Messages": "Mensaxes Directas", "Direct Messages": "Mensaxes Directas",
@ -827,7 +810,6 @@
"Bulk options": "Opcións agrupadas", "Bulk options": "Opcións agrupadas",
"Accept all %(invitedRooms)s invites": "Aceptar os %(invitedRooms)s convites", "Accept all %(invitedRooms)s invites": "Aceptar os %(invitedRooms)s convites",
"Message search": "Buscar mensaxe", "Message search": "Buscar mensaxe",
"Cross-signing": "Sinatura cruzada",
"Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "A administración do servidor desactivou por defecto o cifrado extremo-a-extremo en salas privadas e Mensaxes Directas.", "Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "A administración do servidor desactivou por defecto o cifrado extremo-a-extremo en salas privadas e Mensaxes Directas.",
"Missing media permissions, click the button below to request.": "Falta permiso acceso multimedia, preme o botón para solicitalo.", "Missing media permissions, click the button below to request.": "Falta permiso acceso multimedia, preme o botón para solicitalo.",
"Request media permissions": "Solicitar permiso a multimedia", "Request media permissions": "Solicitar permiso a multimedia",
@ -844,24 +826,10 @@
"Notification sound": "Ton de notificación", "Notification sound": "Ton de notificación",
"Set a new custom sound": "Establecer novo ton personalizado", "Set a new custom sound": "Establecer novo ton personalizado",
"Browse": "Buscar", "Browse": "Buscar",
"Change room avatar": "Cambiar avatar da sala",
"Change main address for the room": "Cambiar enderezo principal da sala",
"Change history visibility": "Cambiar visibilidade do historial",
"Change permissions": "Cambiar permisos",
"Change topic": "Cambiar tema",
"Upgrade the room": "Actualizar a sala",
"Enable room encryption": "Activar cifrado da sala",
"Modify widgets": "Modificar widgets",
"Error changing power level requirement": "Erro ao cambiar o requerimento de nivel de responsabilidade", "Error changing power level requirement": "Erro ao cambiar o requerimento de nivel de responsabilidade",
"An error occurred changing the room's power level requirements. Ensure you have sufficient permissions and try again.": "Algo fallou ao cambiar os requerimentos de nivel de responsabilidade na sala. Asegúrate de ter os permisos suficientes e volve a intentalo.", "An error occurred changing the room's power level requirements. Ensure you have sufficient permissions and try again.": "Algo fallou ao cambiar os requerimentos de nivel de responsabilidade na sala. Asegúrate de ter os permisos suficientes e volve a intentalo.",
"Error changing power level": "Erro ao cambiar nivel de responsabilidade", "Error changing power level": "Erro ao cambiar nivel de responsabilidade",
"An error occurred changing the user's power level. Ensure you have sufficient permissions and try again.": "Algo fallou ao cambiar o nivel de responsabilidade da usuaria. Asegúrate de ter permiso suficiente e inténtao outra vez.", "An error occurred changing the user's power level. Ensure you have sufficient permissions and try again.": "Algo fallou ao cambiar o nivel de responsabilidade da usuaria. Asegúrate de ter permiso suficiente e inténtao outra vez.",
"Default role": "Rol por omsión",
"Send messages": "Enviar mensaxes",
"Invite users": "Convidar usuarias",
"Change settings": "Cambiar axustes",
"Ban users": "Bloquear usuarias",
"Notify everyone": "Notificar a todas",
"Send %(eventType)s events": "Enviar %(eventType)s eventos", "Send %(eventType)s events": "Enviar %(eventType)s eventos",
"Select the roles required to change various parts of the room": "Escolle os roles requeridos para cambiar determinadas partes da sala", "Select the roles required to change various parts of the room": "Escolle os roles requeridos para cambiar determinadas partes da sala",
"Enable encryption?": "Activar cifrado?", "Enable encryption?": "Activar cifrado?",
@ -902,8 +870,6 @@
"Encrypted by a deleted session": "Cifrada por unha sesión eliminada", "Encrypted by a deleted session": "Cifrada por unha sesión eliminada",
"Scroll to most recent messages": "Ir ás mensaxes máis recentes", "Scroll to most recent messages": "Ir ás mensaxes máis recentes",
"Close preview": "Pechar vista previa", "Close preview": "Pechar vista previa",
"Send a reply…": "Responder…",
"Send a message…": "Enviar mensaxe…",
"The conversation continues here.": "A conversa continúa aquí.", "The conversation continues here.": "A conversa continúa aquí.",
"This room has been replaced and is no longer active.": "Esta sala foi substituída e xa non está activa.", "This room has been replaced and is no longer active.": "Esta sala foi substituída e xa non está activa.",
"Italics": "Cursiva", "Italics": "Cursiva",
@ -1344,16 +1310,6 @@
"Activate selected button": "Activar o botón seleccionado", "Activate selected button": "Activar o botón seleccionado",
"Toggle right panel": "Activar panel dereito", "Toggle right panel": "Activar panel dereito",
"Cancel autocomplete": "Cancelar autocompletado", "Cancel autocomplete": "Cancelar autocompletado",
"You joined the call": "Unícheste á chamada",
"%(senderName)s joined the call": "%(senderName)s uniuse á chamada",
"Call in progress": "Chamada en curso",
"Call ended": "Chamada rematada",
"You started a call": "Iniciaches unha chamada",
"%(senderName)s started a call": "%(senderName)s iniciou unha chamada",
"Waiting for answer": "Agardando resposta",
"%(senderName)s is calling": "%(senderName)s está chamando",
"%(senderName)s: %(message)s": "%(senderName)s: %(message)s",
"%(senderName)s: %(stickerName)s": "%(senderName)s: %(stickerName)s",
"Message deleted on %(date)s": "Mensaxe eliminada o %(date)s", "Message deleted on %(date)s": "Mensaxe eliminada o %(date)s",
"Wrong file type": "Tipo de ficheiro erróneo", "Wrong file type": "Tipo de ficheiro erróneo",
"Looks good!": "Pinta ben!", "Looks good!": "Pinta ben!",
@ -1369,7 +1325,6 @@
"Set a Security Phrase": "Establece a Frase de Seguridade", "Set a Security Phrase": "Establece a Frase de Seguridade",
"Confirm Security Phrase": "Confirma a Frase de Seguridade", "Confirm Security Phrase": "Confirma a Frase de Seguridade",
"Save your Security Key": "Garda a Chave de Seguridade", "Save your Security Key": "Garda a Chave de Seguridade",
"Unknown caller": "Descoñecido",
"%(brand)s can't securely cache encrypted messages locally while running in a web browser. Use <desktopLink>%(brand)s Desktop</desktopLink> for encrypted messages to appear in search results.": "%(brand)s non pode por na caché local de xeito as mensaxes cifradas cando usa un navegador web. Usa <desktopLink>%(brand)s Desktop</desktopLink> para que as mensaxes cifradas aparezan nos resultados.", "%(brand)s can't securely cache encrypted messages locally while running in a web browser. Use <desktopLink>%(brand)s Desktop</desktopLink> for encrypted messages to appear in search results.": "%(brand)s non pode por na caché local de xeito as mensaxes cifradas cando usa un navegador web. Usa <desktopLink>%(brand)s Desktop</desktopLink> para que as mensaxes cifradas aparezan nos resultados.",
"Set the name of a font installed on your system & %(brand)s will attempt to use it.": "Escolle unha das tipografías instaladas no teu sistema e %(brand)s intentará utilizalas.", "Set the name of a font installed on your system & %(brand)s will attempt to use it.": "Escolle unha das tipografías instaladas no teu sistema e %(brand)s intentará utilizalas.",
"Notification options": "Opcións de notificación", "Notification options": "Opcións de notificación",
@ -1382,7 +1337,6 @@
"Edited at %(date)s": "Editado o %(date)s", "Edited at %(date)s": "Editado o %(date)s",
"Click to view edits": "Preme para ver as edicións", "Click to view edits": "Preme para ver as edicións",
"Are you sure you want to cancel entering passphrase?": "¿Estás seguro de que non queres escribir a frase de paso?", "Are you sure you want to cancel entering passphrase?": "¿Estás seguro de que non queres escribir a frase de paso?",
"* %(senderName)s %(emote)s": "* %(senderName)s %(emote)s",
"Change notification settings": "Cambiar os axustes das notificacións", "Change notification settings": "Cambiar os axustes das notificacións",
"Your server isn't responding to some <a>requests</a>.": "O teu servidor non responde a algunhas <a>solicitudes</a>.", "Your server isn't responding to some <a>requests</a>.": "O teu servidor non responde a algunhas <a>solicitudes</a>.",
"You're all caught up.": "Xa estás ó día.", "You're all caught up.": "Xa estás ó día.",
@ -1401,8 +1355,6 @@
"Attach files from chat or just drag and drop them anywhere in a room.": "Anexa filecheiros desde a conversa ou arrastra e sóltaos onde queiras nunha sala.", "Attach files from chat or just drag and drop them anywhere in a room.": "Anexa filecheiros desde a conversa ou arrastra e sóltaos onde queiras nunha sala.",
"Master private key:": "Chave mestra principal:", "Master private key:": "Chave mestra principal:",
"Explore public rooms": "Explorar salas públicas", "Explore public rooms": "Explorar salas públicas",
"Uploading logs": "Subindo o rexistro",
"Downloading logs": "Descargando o rexistro",
"Preparing to download logs": "Preparándose para descargar rexistro", "Preparing to download logs": "Preparándose para descargar rexistro",
"Unexpected server error trying to leave the room": "Fallo non agardado no servidor ó intentar saír da sala", "Unexpected server error trying to leave the room": "Fallo non agardado no servidor ó intentar saír da sala",
"Error leaving room": "Erro ó saír da sala", "Error leaving room": "Erro ó saír da sala",
@ -1424,7 +1376,6 @@
"Secret storage:": "Almacenaxe segreda:", "Secret storage:": "Almacenaxe segreda:",
"ready": "lista", "ready": "lista",
"not ready": "non lista", "not ready": "non lista",
"Secure Backup": "Copia Segura",
"Safeguard against losing access to encrypted messages & data": "Protéxete de perder o acceso a mensaxes e datos cifrados", "Safeguard against losing access to encrypted messages & data": "Protéxete de perder o acceso a mensaxes e datos cifrados",
"not found in storage": "non atopado no almacenaxe", "not found in storage": "non atopado no almacenaxe",
"Start a conversation with someone using their name or username (like <userId/>).": "Inicia unha conversa con alguén usando o seu nome ou nome de usuaria (como <userId/>).", "Start a conversation with someone using their name or username (like <userId/>).": "Inicia unha conversa con alguén usando o seu nome ou nome de usuaria (como <userId/>).",
@ -1446,7 +1397,6 @@
"Ignored attempt to disable encryption": "Intento ignorado de desactivar o cifrado", "Ignored attempt to disable encryption": "Intento ignorado de desactivar o cifrado",
"Failed to save your profile": "Non se gardaron os cambios", "Failed to save your profile": "Non se gardaron os cambios",
"The operation could not be completed": "Non se puido realizar a acción", "The operation could not be completed": "Non se puido realizar a acción",
"Remove messages sent by others": "Eliminar mensaxes enviadas por outras",
"The call could not be established": "Non se puido establecer a chamada", "The call could not be established": "Non se puido establecer a chamada",
"Move right": "Mover á dereita", "Move right": "Mover á dereita",
"Move left": "Mover á esquerda", "Move left": "Mover á esquerda",
@ -1465,8 +1415,6 @@
"PRO TIP: If you start a bug, please submit <debugLogsLink>debug logs</debugLogsLink> to help us track down the problem.": "PRO TIP: se inicias un novo informe, envía <debugLogsLink>rexistros de depuración</debugLogsLink> para axudarnos a investigar o problema.", "PRO TIP: If you start a bug, please submit <debugLogsLink>debug logs</debugLogsLink> to help us track down the problem.": "PRO TIP: se inicias un novo informe, envía <debugLogsLink>rexistros de depuración</debugLogsLink> para axudarnos a investigar o problema.",
"Please view <existingIssuesLink>existing bugs on Github</existingIssuesLink> first. No match? <newIssueLink>Start a new one</newIssueLink>.": "Primeiro revisa <existingIssuesLink>a lista existente de fallo en Github</existingIssuesLink>. Non hai nada? <newIssueLink>Abre un novo</newIssueLink>.", "Please view <existingIssuesLink>existing bugs on Github</existingIssuesLink> first. No match? <newIssueLink>Start a new one</newIssueLink>.": "Primeiro revisa <existingIssuesLink>a lista existente de fallo en Github</existingIssuesLink>. Non hai nada? <newIssueLink>Abre un novo</newIssueLink>.",
"Comment": "Comentar", "Comment": "Comentar",
"%(senderName)s ended the call": "%(senderName)s finalizou a chamada",
"You ended the call": "Finalizaches a chamada",
"Now, let's help you get started": "Ímosche axudar neste comezo", "Now, let's help you get started": "Ímosche axudar neste comezo",
"Welcome %(name)s": "Benvida %(name)s", "Welcome %(name)s": "Benvida %(name)s",
"Add a photo so people know it's you.": "Engade unha foto así a xente recoñecerate.", "Add a photo so people know it's you.": "Engade unha foto así a xente recoñecerate.",
@ -1805,14 +1753,8 @@
"Remain on your screen when viewing another room, when running": "Permanecer na túa pantalla cando visualizas outra sala, ó executar", "Remain on your screen when viewing another room, when running": "Permanecer na túa pantalla cando visualizas outra sala, ó executar",
"Enter phone number": "Escribe número de teléfono", "Enter phone number": "Escribe número de teléfono",
"Enter email address": "Escribe enderezo email", "Enter email address": "Escribe enderezo email",
"Return to call": "Volver á chamada",
"New here? <a>Create an account</a>": "Acabas de coñecernos? <a>Crea unha conta</a>", "New here? <a>Create an account</a>": "Acabas de coñecernos? <a>Crea unha conta</a>",
"Got an account? <a>Sign in</a>": "Tes unha conta? <a>Conéctate</a>", "Got an account? <a>Sign in</a>": "Tes unha conta? <a>Conéctate</a>",
"No other application is using the webcam": "Outra aplicación non está usando a cámara",
"Permission is granted to use the webcam": "Tes permiso para acceder ó uso da cámara",
"A microphone and webcam are plugged in and set up correctly": "O micrófono e a cámara están conectados e correctamente configurados",
"Unable to access webcam / microphone": "Non se puido acceder a cámara / micrófono",
"Unable to access microphone": "Non se puido acceder ó micrófono",
"Decide where your account is hosted": "Decide onde queres crear a túa conta", "Decide where your account is hosted": "Decide onde queres crear a túa conta",
"Host account on": "Crea a conta en", "Host account on": "Crea a conta en",
"Already have an account? <a>Sign in here</a>": "Xa tes unha conta? <a>Conecta aquí</a>", "Already have an account? <a>Sign in here</a>": "Xa tes unha conta? <a>Conecta aquí</a>",
@ -1838,19 +1780,12 @@
"Unable to validate homeserver": "Non se puido validar o servidor de inicio", "Unable to validate homeserver": "Non se puido validar o servidor de inicio",
"sends confetti": "envía confetti", "sends confetti": "envía confetti",
"Sends the given message with confetti": "Envía a mensaxe con confetti", "Sends the given message with confetti": "Envía a mensaxe con confetti",
"Effects": "Efectos",
"Call failed because webcam or microphone could not be accessed. Check that:": "A chamada fallou porque non tiñas acceso á cámara ou ó micrófono. Comproba:",
"Call failed because microphone could not be accessed. Check that a microphone is plugged in and set up correctly.": "A chamada fallou porque non tiñas acceso ó micrófono. Comproba que o micrófono está conectado e correctamente configurado.",
"Hold": "Colgar", "Hold": "Colgar",
"Resume": "Retomar", "Resume": "Retomar",
"%(peerName)s held the call": "%(peerName)s finalizou a chamada",
"You held the call <a>Resume</a>": "Colgaches a chamada, <a>Retomar</a>",
"You've reached the maximum number of simultaneous calls.": "Acadaches o número máximo de chamadas simultáneas.", "You've reached the maximum number of simultaneous calls.": "Acadaches o número máximo de chamadas simultáneas.",
"Too Many Calls": "Demasiadas chamadas", "Too Many Calls": "Demasiadas chamadas",
"sends fireworks": "envía fogos de artificio", "sends fireworks": "envía fogos de artificio",
"Sends the given message with fireworks": "Envia a mensaxe dada con fogos de artificio", "Sends the given message with fireworks": "Envia a mensaxe dada con fogos de artificio",
"%(name)s on hold": "%(name)s agardando",
"You held the call <a>Switch</a>": "Pausaches a chamada <a>Cambiar</a>",
"sends snowfall": "envía neve", "sends snowfall": "envía neve",
"Sends the given message with snowfall": "Engade neve caendo á mensaxe", "Sends the given message with snowfall": "Engade neve caendo á mensaxe",
"You have no visible notifications.": "Non tes notificacións visibles.", "You have no visible notifications.": "Non tes notificacións visibles.",
@ -1934,7 +1869,6 @@
"You do not have permissions to add rooms to this space": "Non tes permiso para engadir salas a este espazo", "You do not have permissions to add rooms to this space": "Non tes permiso para engadir salas a este espazo",
"Add existing room": "Engadir sala existente", "Add existing room": "Engadir sala existente",
"You do not have permissions to create new rooms in this space": "Non tes permiso para crear novas salas neste espazo", "You do not have permissions to create new rooms in this space": "Non tes permiso para crear novas salas neste espazo",
"Send message": "Enviar mensaxe",
"Invite to this space": "Convidar a este espazo", "Invite to this space": "Convidar a este espazo",
"Your message was sent": "Enviouse a túa mensaxe", "Your message was sent": "Enviouse a túa mensaxe",
"Space options": "Opcións do Espazo", "Space options": "Opcións do Espazo",
@ -1949,8 +1883,6 @@
"Open space for anyone, best for communities": "Espazo aberto para calquera, mellor para comunidades", "Open space for anyone, best for communities": "Espazo aberto para calquera, mellor para comunidades",
"Create a space": "Crear un espazo", "Create a space": "Crear un espazo",
"This homeserver has been blocked by its administrator.": "O servidor de inicio foi bloqueado pola súa administración.", "This homeserver has been blocked by its administrator.": "O servidor de inicio foi bloqueado pola súa administración.",
"You're already in a call with this person.": "Xa estás nunha conversa con esta persoa.",
"Already in call": "Xa estás nunha chamada",
"Make sure the right people have access. You can invite more later.": "Asegúrate de que as persoas axeitadas teñen acceso. Podes convidar a outras máis tarde.", "Make sure the right people have access. You can invite more later.": "Asegúrate de que as persoas axeitadas teñen acceso. Podes convidar a outras máis tarde.",
"A private space to organise your rooms": "Un espazo privado para organizar as túas salas", "A private space to organise your rooms": "Un espazo privado para organizar as túas salas",
"Just me": "Só eu", "Just me": "Só eu",
@ -1989,7 +1921,6 @@
"Verify your identity to access encrypted messages and prove your identity to others.": "Verifica a túa identidade para acceder a mensaxes cifradas e acreditar a túa identidade ante outras.", "Verify your identity to access encrypted messages and prove your identity to others.": "Verifica a túa identidade para acceder a mensaxes cifradas e acreditar a túa identidade ante outras.",
"%(deviceId)s from %(ip)s": "%(deviceId)s desde %(ip)s", "%(deviceId)s from %(ip)s": "%(deviceId)s desde %(ip)s",
"unknown person": "persoa descoñecida", "unknown person": "persoa descoñecida",
"Consulting with %(transferTarget)s. <a>Transfer to %(transferee)s</a>": "Consultando con %(transferTarget)s. <a>Transferir a %(transferee)s</a>",
"Manage & explore rooms": "Xestionar e explorar salas", "Manage & explore rooms": "Xestionar e explorar salas",
"%(count)s people you know have already joined": { "%(count)s people you know have already joined": {
"other": "%(count)s persoas que coñeces xa se uniron", "other": "%(count)s persoas que coñeces xa se uniron",
@ -2009,7 +1940,6 @@
"Forgotten or lost all recovery methods? <a>Reset all</a>": "Perdidos ou esquecidos tódolos métodos de recuperación? <a>Restabléceos</a>", "Forgotten or lost all recovery methods? <a>Reset all</a>": "Perdidos ou esquecidos tódolos métodos de recuperación? <a>Restabléceos</a>",
"If you do, please note that none of your messages will be deleted, but the search experience might be degraded for a few moments whilst the index is recreated": "Se o fas, ten en conta que non se borrará ningunha das túas mensaxes, mais a experiencia de busca podería degradarse durante uns momentos ata que se recrea o índice", "If you do, please note that none of your messages will be deleted, but the search experience might be degraded for a few moments whilst the index is recreated": "Se o fas, ten en conta que non se borrará ningunha das túas mensaxes, mais a experiencia de busca podería degradarse durante uns momentos ata que se recrea o índice",
"View message": "Ver mensaxe", "View message": "Ver mensaxe",
"Change server ACLs": "Cambiar ACLs do servidor",
"You can select all or individual messages to retry or delete": "Podes elexir todo ou mensaxes individuais para reintentar ou eliminar", "You can select all or individual messages to retry or delete": "Podes elexir todo ou mensaxes individuais para reintentar ou eliminar",
"Sending": "Enviando", "Sending": "Enviando",
"Retry all": "Reintentar todo", "Retry all": "Reintentar todo",
@ -2135,8 +2065,6 @@
"Failed to update the visibility of this space": "Fallou a actualización da visibilidade do espazo", "Failed to update the visibility of this space": "Fallou a actualización da visibilidade do espazo",
"Address": "Enderezo", "Address": "Enderezo",
"e.g. my-space": "ex. o-meu-espazo", "e.g. my-space": "ex. o-meu-espazo",
"Silence call": "Acalar chamada",
"Sound on": "Son activado",
"Some invites couldn't be sent": "Non se puideron enviar algúns convites", "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 <RoomName/>": "Convidamos as outras, pero as persoas de aquí embaixo non foron convidadas a <RoomName/>", "We sent the others, but the below people couldn't be invited to <RoomName/>": "Convidamos as outras, pero as persoas de aquí embaixo non foron convidadas a <RoomName/>",
"Transfer Failed": "Fallou a transferencia", "Transfer Failed": "Fallou a transferencia",
@ -2206,10 +2134,6 @@
"Only invited people can join.": "Só se poden unir persoas con convite.", "Only invited people can join.": "Só se poden unir persoas con convite.",
"Private (invite only)": "Privada (só con convite)", "Private (invite only)": "Privada (só con convite)",
"This upgrade will allow members of selected spaces access to this room without an invite.": "Esta actualización permitirá que os membros dos espazos seleccionados teñan acceso á sala sen precisar convite.", "This upgrade will allow members of selected spaces access to this room without an invite.": "Esta actualización permitirá que os membros dos espazos seleccionados teñan acceso á sala sen precisar convite.",
"Your camera is still enabled": "A túa cámara aínda está acendida",
"Your camera is turned off": "A túa cámara está apagada",
"%(sharerName)s is presenting": "%(sharerName)s estase presentando",
"You are presenting": "Estaste a presentar",
"Want to add an existing space instead?": "Queres engadir un espazo xa existente?", "Want to add an existing space instead?": "Queres engadir un espazo xa existente?",
"Private space (invite only)": "Espazo privado (só convidadas)", "Private space (invite only)": "Espazo privado (só convidadas)",
"Space visibility": "Visibilidade do espazo", "Space visibility": "Visibilidade do espazo",
@ -2236,16 +2160,9 @@
"Stop recording": "Deter a gravación", "Stop recording": "Deter a gravación",
"Send voice message": "Enviar mensaxe de voz", "Send voice message": "Enviar mensaxe de voz",
"Olm version:": "Version olm:", "Olm version:": "Version olm:",
"Mute the microphone": "Apagar o micrófono",
"Unmute the microphone": "Reactivar o micrófono",
"Dialpad": "Teclado",
"More": "Máis", "More": "Máis",
"Show sidebar": "Mostrar a barra lateral", "Show sidebar": "Mostrar a barra lateral",
"Hide sidebar": "Agochar barra lateral", "Hide sidebar": "Agochar barra lateral",
"Start sharing your screen": "Comparte a túa pantalla",
"Stop sharing your screen": "Deixar de compartir a pantalla",
"Stop the camera": "Pechar a cámara",
"Start the camera": "Abrir a cámara",
"Surround selected text when typing special characters": "Rodea o texto seleccionado ao escribir caracteres especiais", "Surround selected text when typing special characters": "Rodea o texto seleccionado ao escribir caracteres especiais",
"Delete avatar": "Eliminar avatar", "Delete avatar": "Eliminar avatar",
"Unknown failure: %(reason)s": "Fallo descoñecido: %(reason)s", "Unknown failure: %(reason)s": "Fallo descoñecido: %(reason)s",
@ -2264,15 +2181,9 @@
"Some encryption parameters have been changed.": "Algún dos parámetros de cifrado foron cambiados.", "Some encryption parameters have been changed.": "Algún dos parámetros de cifrado foron cambiados.",
"Role in <RoomName/>": "Rol en <RoomName/>", "Role in <RoomName/>": "Rol en <RoomName/>",
"Send a sticker": "Enviar un adhesivo", "Send a sticker": "Enviar un adhesivo",
"Reply to thread…": "Responder á conversa…",
"Reply to encrypted thread…": "Responder á conversa cifrada…",
"Unknown failure": "Fallo descoñecido", "Unknown failure": "Fallo descoñecido",
"Failed to update the join rules": "Fallou a actualización das normas para unirse", "Failed to update the join rules": "Fallou a actualización das normas para unirse",
"Select the roles required to change various parts of the space": "Elexir os roles requeridos para cambiar varias partes do espazo", "Select the roles required to change various parts of the space": "Elexir os roles requeridos para cambiar varias partes do espazo",
"Change description": "Cambiar a descrición",
"Change main address for the space": "Cambiar o enderezo principal do espazo",
"Change space name": "Cambiar o nome do espazo",
"Change space avatar": "Cambiar o avatar do espazo",
"Anyone in <spaceName/> can find and join. You can select other spaces too.": "Calquera en <spaceName/> pode atopar e unirse. Tamén podes elexir outros espazos.", "Anyone in <spaceName/> can find and join. You can select other spaces too.": "Calquera en <spaceName/> pode atopar e unirse. Tamén podes elexir outros espazos.",
"Message didn't send. Click for info.": "Non se enviou a mensaxe. Click para info.", "Message didn't send. Click for info.": "Non se enviou a mensaxe. Click para info.",
"To join a space you'll need an invite.": "Para unirte a un espazo precisas un convite.", "To join a space you'll need an invite.": "Para unirte a un espazo precisas un convite.",
@ -2364,7 +2275,6 @@
"The homeserver the user you're verifying is connected to": "O servidor ao que está conectado a persoa que estás verificando", "The homeserver the user you're verifying is connected to": "O servidor ao que está conectado a persoa que estás verificando",
"You do not have permission to start polls in this room.": "Non tes permiso para publicar enquisas nesta sala.", "You do not have permission to start polls in this room.": "Non tes permiso para publicar enquisas nesta sala.",
"Reply in thread": "Responder nun fío", "Reply in thread": "Responder nun fío",
"Manage rooms in this space": "Xestionar salas neste espazo",
"You won't get any notifications": "Non recibirás ningunha notificación", "You won't get any notifications": "Non recibirás ningunha notificación",
"Get notifications as set up in your <a>settings</a>": "Ter notificacións tal como se indica nos <a>axustes</a>", "Get notifications as set up in your <a>settings</a>": "Ter notificacións tal como se indica nos <a>axustes</a>",
"Get notified only with mentions and keywords as set up in your <a>settings</a>": "Ter notificacións só cando te mencionan e con palabras chave que indiques nos <a>axustes</a>", "Get notified only with mentions and keywords as set up in your <a>settings</a>": "Ter notificacións só cando te mencionan e con palabras chave que indiques nos <a>axustes</a>",
@ -2461,7 +2371,6 @@
}, },
"No votes cast": "Sen votos", "No votes cast": "Sen votos",
"Share location": "Compartir localización", "Share location": "Compartir localización",
"Manage pinned events": "Xestiona os eventos fixados",
"Share anonymous data to help us identify issues. Nothing personal. No third parties.": "Comparte datos anónimos para axudarnos a identificar os problemas. Nada persoal. Nen con terceiras partes.", "Share anonymous data to help us identify issues. Nothing personal. No third parties.": "Comparte datos anónimos para axudarnos a identificar os problemas. Nada persoal. Nen con terceiras partes.",
"To view all keyboard shortcuts, <a>click here</a>.": "Para ver tódolos atallos de teclado, <a>preme aquí</a>.", "To view all keyboard shortcuts, <a>click here</a>.": "Para ver tódolos atallos de teclado, <a>preme aquí</a>.",
"Share anonymous data to help us identify issues. Nothing personal. No third parties. <LearnMoreLink>Learn More</LearnMoreLink>": "Comparte datos anónimos para axudarnos a identificar os problemas. Nada persoal. Nin con terceiras partes. <LearnMoreLink>Coñece máis</LearnMoreLink>", "Share anonymous data to help us identify issues. Nothing personal. No third parties. <LearnMoreLink>Learn More</LearnMoreLink>": "Comparte datos anónimos para axudarnos a identificar os problemas. Nada persoal. Nin con terceiras partes. <LearnMoreLink>Coñece máis</LearnMoreLink>",
@ -2470,8 +2379,6 @@
"That's fine": "Iso está ben", "That's fine": "Iso está ben",
"You cannot place calls without a connection to the server.": "Non podes facer chamadas se non tes conexión ao servidor.", "You cannot place calls without a connection to the server.": "Non podes facer chamadas se non tes conexión ao servidor.",
"Connectivity to the server has been lost": "Perdeuse a conexión ao servidor", "Connectivity to the server has been lost": "Perdeuse a conexión ao servidor",
"You cannot place calls in this browser.": "Non podes facer chamadas con este navegador.",
"Calls are unsupported": "Non hai soporte para chamadas",
"Toggle space panel": "Activar panel do espazo", "Toggle space panel": "Activar panel do espazo",
"Recent searches": "Buscas recentes", "Recent searches": "Buscas recentes",
"To search messages, look for this icon at the top of a room <icon/>": "Para buscar mensaxes, busca esta icona arriba de todo na sala <icon/>", "To search messages, look for this icon at the top of a room <icon/>": "Para buscar mensaxes, busca esta icona arriba de todo na sala <icon/>",
@ -2529,8 +2436,6 @@
"You don't have permission to view messages from before you joined.": "Non tes permiso para ver mensaxes anteriores a que te unises.", "You don't have permission to view messages from before you joined.": "Non tes permiso para ver mensaxes anteriores a que te unises.",
"You don't have permission to view messages from before you were invited.": "Non tes permiso para ver mensaxes anteriores a que te unises.", "You don't have permission to view messages from before you were invited.": "Non tes permiso para ver mensaxes anteriores a que te unises.",
"From a thread": "Desde un fío", "From a thread": "Desde un fío",
"Remove users": "Eliminar usuarias",
"Send reactions": "Enviar reaccións",
"Internal room ID": "ID interno da sala", "Internal room ID": "ID interno da sala",
"Group all your rooms that aren't part of a space in one place.": "Agrupa nun só lugar tódalas túas salas que non forman parte dun espazo.", "Group all your rooms that aren't part of a space in one place.": "Agrupa nun só lugar tódalas túas salas que non forman parte dun espazo.",
"Group all your people in one place.": "Agrupa tódalas persoas nun só lugar.", "Group all your people in one place.": "Agrupa tódalas persoas nun só lugar.",
@ -2542,7 +2447,6 @@
"Waiting for you to verify on your other device, %(deviceName)s (%(deviceId)s)…": "Agardando a que verifiques o teu outro dispositivo, %(deviceName)s %(deviceId)s …", "Waiting for you to verify on your other device, %(deviceName)s (%(deviceId)s)…": "Agardando a que verifiques o teu outro dispositivo, %(deviceName)s %(deviceId)s …",
"Verify this device by confirming the following number appears on its screen.": "Verifica este dispositivo confirmando que o seguinte número aparece na pantalla.", "Verify this device by confirming the following number appears on its screen.": "Verifica este dispositivo confirmando que o seguinte número aparece na pantalla.",
"Confirm the emoji below are displayed on both devices, in the same order:": "Confirma que os emoji inferiores se mostran nos dous dispositivos, na mesma orde:", "Confirm the emoji below are displayed on both devices, in the same order:": "Confirma que os emoji inferiores se mostran nos dous dispositivos, na mesma orde:",
"Dial": "Marcar",
"Automatically send debug logs on decryption errors": "Envía automáticamente rexistro de depuración se hai erros no cifrado", "Automatically send debug logs on decryption errors": "Envía automáticamente rexistro de depuración se hai erros no cifrado",
"Back to thread": "Volver ao fío", "Back to thread": "Volver ao fío",
"Room members": "Membros da sala", "Room members": "Membros da sala",
@ -2647,7 +2551,6 @@
"We couldn't send your location": "Non puidemos enviar a túa localización", "We couldn't send your location": "Non puidemos enviar a túa localización",
"Pinned": "Fixado", "Pinned": "Fixado",
"Open thread": "Abrir fío", "Open thread": "Abrir fío",
"Remove messages sent by me": "Eliminar mensaxes que enviei",
"Match system": "Seguir o sistema", "Match system": "Seguir o sistema",
"No virtual room for this room": "No hai sala virtual para esta sala", "No virtual room for this room": "No hai sala virtual para esta sala",
"Reply to an ongoing thread or use “%(replyInThread)s” when hovering over a message to start a new one.": "Responde a unha conversa en curso ou usa \"%(replyInThread)s\" cando pasas por enriba dunha mensaxe co rato para iniciar unha nova.", "Reply to an ongoing thread or use “%(replyInThread)s” when hovering over a message to start a new one.": "Responde a unha conversa en curso ou usa \"%(replyInThread)s\" cando pasas por enriba dunha mensaxe co rato para iniciar unha nova.",
@ -2772,12 +2675,6 @@
"You will not be able to reactivate your account": "Non poderás reactivar a túa conta", "You will not be able to reactivate your account": "Non poderás reactivar a túa conta",
"Confirm that you would like to deactivate your account. If you proceed:": "Confirma que desexas desactivar a túa conta. Se continúas:", "Confirm that you would like to deactivate your account. If you proceed:": "Confirma que desexas desactivar a túa conta. Se continúas:",
"To continue, please enter your account password:": "Para continuar, escribe o contrasinal da túa conta:", "To continue, please enter your account password:": "Para continuar, escribe o contrasinal da túa conta:",
"Turn on camera": "Activar cámara",
"Turn off camera": "Apagar cámara",
"Video devices": "Dispositivos de vídeo",
"Unmute microphone": "Activar micrófono",
"Mute microphone": "Acalar micrófono",
"Audio devices": "Dispositivos de audio",
"You have been logged out of all devices and will no longer receive push notifications. To re-enable notifications, sign in again on each device.": "Pechaches a sesión en tódolos dispositivos e non recibirás notificacións push. Para reactivalas notificacións volve a acceder en cada dispositivo.", "You have been logged out of all devices and will no longer receive push notifications. To re-enable notifications, sign in again on each device.": "Pechaches a sesión en tódolos dispositivos e non recibirás notificacións push. Para reactivalas notificacións volve a acceder en cada dispositivo.",
"If you want to retain access to your chat history in encrypted rooms, set up Key Backup or export your message keys from one of your other devices before proceeding.": "Se queres manter o acceso ao historial de conversas en salas cifradas, configura a Copia de Apoio das Chaves ou exporta as chaves das mensaxes desde un dos teus dispositivos antes de continuar.", "If you want to retain access to your chat history in encrypted rooms, set up Key Backup or export your message keys from one of your other devices before proceeding.": "Se queres manter o acceso ao historial de conversas en salas cifradas, configura a Copia de Apoio das Chaves ou exporta as chaves das mensaxes desde un dos teus dispositivos antes de continuar.",
"Signing out your devices will delete the message encryption keys stored on them, making encrypted chat history unreadable.": "Ao pechar sesión nos teus dispositivos eliminarás as chaves de cifrado de mensaxes gardadas neles, facendo ilexible o historial de conversas cifrado.", "Signing out your devices will delete the message encryption keys stored on them, making encrypted chat history unreadable.": "Ao pechar sesión nos teus dispositivos eliminarás as chaves de cifrado de mensaxes gardadas neles, facendo ilexible o historial de conversas cifrado.",
@ -2951,7 +2848,6 @@
"Voice broadcast": "Emisión de voz", "Voice broadcast": "Emisión de voz",
"Sign out of this session": "Pechar esta sesión", "Sign out of this session": "Pechar esta sesión",
"Rename session": "Renomear sesión", "Rename session": "Renomear sesión",
"Voice broadcasts": "Emisións de voz",
"Failed to read events": "Fallou a lectura de eventos", "Failed to read events": "Fallou a lectura de eventos",
"Failed to send event": "Fallo ao enviar o evento", "Failed to send event": "Fallo ao enviar o evento",
"common": { "common": {
@ -3031,7 +2927,11 @@
"server": "Servidor", "server": "Servidor",
"capabilities": "Capacidades", "capabilities": "Capacidades",
"unnamed_room": "Sala sen nome", "unnamed_room": "Sala sen nome",
"unnamed_space": "Espazo sen nome" "unnamed_space": "Espazo sen nome",
"stickerpack": "Iconas",
"system_alerts": "Alertas do Sistema",
"secure_backup": "Copia Segura",
"cross_signing": "Sinatura cruzada"
}, },
"action": { "action": {
"continue": "Continuar", "continue": "Continuar",
@ -3172,7 +3072,14 @@
"format_bold": "Resaltado", "format_bold": "Resaltado",
"format_strikethrough": "Sobrescrito", "format_strikethrough": "Sobrescrito",
"format_inline_code": "Código", "format_inline_code": "Código",
"format_code_block": "Bloque de código" "format_code_block": "Bloque de código",
"send_button_title": "Enviar mensaxe",
"placeholder_thread_encrypted": "Responder á conversa cifrada…",
"placeholder_thread": "Responder á conversa…",
"placeholder_reply_encrypted": "Enviar unha resposta cifrada…",
"placeholder_reply": "Responder…",
"placeholder_encrypted": "Enviar unha mensaxe cifrada…",
"placeholder": "Enviar mensaxe…"
}, },
"Bold": "Resaltado", "Bold": "Resaltado",
"Code": "Código", "Code": "Código",
@ -3194,7 +3101,11 @@
"send_logs": "Enviar informes", "send_logs": "Enviar informes",
"github_issue": "Informe en GitHub", "github_issue": "Informe en GitHub",
"download_logs": "Descargar rexistro", "download_logs": "Descargar rexistro",
"before_submitting": "Antes de enviar os rexistros, deberías <a>abrir un informe en GitHub</a> para describir o problema." "before_submitting": "Antes de enviar os rexistros, deberías <a>abrir un informe en GitHub</a> para describir o problema.",
"collecting_information": "Obtendo información sobre a versión da app",
"collecting_logs": "Obtendo rexistros",
"uploading_logs": "Subindo o rexistro",
"downloading_logs": "Descargando o rexistro"
}, },
"time": { "time": {
"hours_minutes_seconds_left": "%(hours)sh %(minutes)sm %(seconds)ss restantes", "hours_minutes_seconds_left": "%(hours)sh %(minutes)sm %(seconds)ss restantes",
@ -3372,7 +3283,9 @@
"toolbox": "Ferramentas", "toolbox": "Ferramentas",
"developer_tools": "Ferramentas para desenvolver", "developer_tools": "Ferramentas para desenvolver",
"room_id": "ID da sala: %(roomId)s", "room_id": "ID da sala: %(roomId)s",
"event_id": "ID do evento: %(eventId)s" "event_id": "ID do evento: %(eventId)s",
"category_room": "Sala",
"category_other": "Outro"
}, },
"export_chat": { "export_chat": {
"html": "HTML", "html": "HTML",
@ -3521,6 +3434,9 @@
"other": "%(names)s e outras %(count)s están escribindo…", "other": "%(names)s e outras %(count)s están escribindo…",
"one": "%(names)s e outra están escribindo…" "one": "%(names)s e outra están escribindo…"
} }
},
"m.call.hangup": {
"dm": "Chamada rematada"
} }
}, },
"slash_command": { "slash_command": {
@ -3555,7 +3471,14 @@
"help": "Mostra unha listaxe de comandos con usos e descricións", "help": "Mostra unha listaxe de comandos con usos e descricións",
"whois": "Mostra información acerca da usuaria", "whois": "Mostra información acerca da usuaria",
"rageshake": "Envía un informe de fallos con rexistros", "rageshake": "Envía un informe de fallos con rexistros",
"msg": "Envía unha mensaxe a usuaria" "msg": "Envía unha mensaxe a usuaria",
"usage": "Uso",
"category_messages": "Mensaxes",
"category_actions": "Accións",
"category_admin": "Administrador",
"category_advanced": "Avanzado",
"category_effects": "Efectos",
"category_other": "Outro"
}, },
"presence": { "presence": {
"busy": "Ocupado", "busy": "Ocupado",
@ -3569,5 +3492,99 @@
"offline": "Sen conexión", "offline": "Sen conexión",
"away": "Fóra" "away": "Fóra"
}, },
"Unknown": "Descoñecido" "Unknown": "Descoñecido",
"event_preview": {
"m.call.answer": {
"you": "Unícheste á chamada",
"user": "%(senderName)s uniuse á chamada",
"dm": "Chamada en curso"
},
"m.call.hangup": {
"you": "Finalizaches a chamada",
"user": "%(senderName)s finalizou a chamada"
},
"m.call.invite": {
"you": "Iniciaches unha chamada",
"user": "%(senderName)s iniciou unha chamada",
"dm_send": "Agardando resposta",
"dm_receive": "%(senderName)s está chamando"
},
"m.emote": "* %(senderName)s %(emote)s",
"m.text": "%(senderName)s: %(message)s",
"m.sticker": "%(senderName)s: %(stickerName)s"
},
"voip": {
"disable_microphone": "Acalar micrófono",
"enable_microphone": "Activar micrófono",
"disable_camera": "Apagar cámara",
"enable_camera": "Activar cámara",
"audio_devices": "Dispositivos de audio",
"video_devices": "Dispositivos de vídeo",
"dial": "Marcar",
"you_are_presenting": "Estaste a presentar",
"user_is_presenting": "%(sharerName)s estase presentando",
"camera_disabled": "A túa cámara está apagada",
"camera_enabled": "A túa cámara aínda está acendida",
"consulting": "Consultando con %(transferTarget)s. <a>Transferir a %(transferee)s</a>",
"call_held_switch": "Pausaches a chamada <a>Cambiar</a>",
"call_held_resume": "Colgaches a chamada, <a>Retomar</a>",
"call_held": "%(peerName)s finalizou a chamada",
"dialpad": "Teclado",
"stop_screenshare": "Deixar de compartir a pantalla",
"start_screenshare": "Comparte a túa pantalla",
"hangup": "Quedada",
"expand": "Volver á chamada",
"on_hold": "%(name)s agardando",
"voice_call": "Chamada de voz",
"video_call": "Chamada de vídeo",
"unsilence": "Son activado",
"silence": "Acalar chamada",
"unknown_caller": "Descoñecido",
"call_failed": "Fallou a chamada",
"unable_to_access_microphone": "Non se puido acceder ó micrófono",
"call_failed_microphone": "A chamada fallou porque non tiñas acceso ó micrófono. Comproba que o micrófono está conectado e correctamente configurado.",
"unable_to_access_media": "Non se puido acceder a cámara / micrófono",
"call_failed_media": "A chamada fallou porque non tiñas acceso á cámara ou ó micrófono. Comproba:",
"call_failed_media_connected": "O micrófono e a cámara están conectados e correctamente configurados",
"call_failed_media_permissions": "Tes permiso para acceder ó uso da cámara",
"call_failed_media_applications": "Outra aplicación non está usando a cámara",
"already_in_call": "Xa estás nunha chamada",
"already_in_call_person": "Xa estás nunha conversa con esta persoa.",
"unsupported": "Non hai soporte para chamadas",
"unsupported_browser": "Non podes facer chamadas con este navegador."
},
"Messages": "Mensaxes",
"Other": "Outro",
"Advanced": "Avanzado",
"room_settings": {
"permissions": {
"m.room.avatar_space": "Cambiar o avatar do espazo",
"m.room.avatar": "Cambiar avatar da sala",
"m.room.name_space": "Cambiar o nome do espazo",
"m.room.name": "Cambiar nome da sala",
"m.room.canonical_alias_space": "Cambiar o enderezo principal do espazo",
"m.room.canonical_alias": "Cambiar enderezo principal da sala",
"m.space.child": "Xestionar salas neste espazo",
"m.room.history_visibility": "Cambiar visibilidade do historial",
"m.room.power_levels": "Cambiar permisos",
"m.room.topic_space": "Cambiar a descrición",
"m.room.topic": "Cambiar tema",
"m.room.tombstone": "Actualizar a sala",
"m.room.encryption": "Activar cifrado da sala",
"m.room.server_acl": "Cambiar ACLs do servidor",
"m.reaction": "Enviar reaccións",
"m.room.redaction": "Eliminar mensaxes que enviei",
"m.widget": "Modificar widgets",
"io.element.voice_broadcast_info": "Emisións de voz",
"m.room.pinned_events": "Xestiona os eventos fixados",
"users_default": "Rol por omsión",
"events_default": "Enviar mensaxes",
"invite": "Convidar usuarias",
"state_default": "Cambiar axustes",
"kick": "Eliminar usuarias",
"ban": "Bloquear usuarias",
"redact": "Eliminar mensaxes enviadas por outras",
"notifications.room": "Notificar a todas"
}
}
} }

View file

@ -2,7 +2,6 @@
"This email address is already in use": "כתובת הדואר הזו כבר בשימוש", "This email address is already in use": "כתובת הדואר הזו כבר בשימוש",
"This phone number is already in use": "מספר הטלפון הזה כבר בשימוש", "This phone number is already in use": "מספר הטלפון הזה כבר בשימוש",
"Failed to verify email address: make sure you clicked the link in the email": "אימות כתובת הדוא\"ל נכשלה: וודא שלחצת על הקישור בדוא\"ל", "Failed to verify email address: make sure you clicked the link in the email": "אימות כתובת הדוא\"ל נכשלה: וודא שלחצת על הקישור בדוא\"ל",
"Call Failed": "השיחה נכשלה",
"You cannot place a call with yourself.": "אין אפשרות ליצור שיחה עם עצמך.", "You cannot place a call with yourself.": "אין אפשרות ליצור שיחה עם עצמך.",
"Warning!": "אזהרה!", "Warning!": "אזהרה!",
"Upload Failed": "העלאה נכשלה", "Upload Failed": "העלאה נכשלה",
@ -53,12 +52,10 @@
"Source URL": "כתובת URL אתר המקור", "Source URL": "כתובת URL אתר המקור",
"Filter results": "סנן התוצאות", "Filter results": "סנן התוצאות",
"No update available.": "אין עדכון זמין.", "No update available.": "אין עדכון זמין.",
"Collecting app version information": "אוסף מידע על גרסת היישום",
"Tuesday": "שלישי", "Tuesday": "שלישי",
"Preparing to send logs": "מתכונן לשלוח יומנים", "Preparing to send logs": "מתכונן לשלוח יומנים",
"Saturday": "שבת", "Saturday": "שבת",
"Monday": "שני", "Monday": "שני",
"Collecting logs": "אוסף יומנים לנפוי שגיאה (דבאג)",
"All Rooms": "כל החדרים", "All Rooms": "כל החדרים",
"Wednesday": "רביעי", "Wednesday": "רביעי",
"All messages": "כל ההודעות", "All messages": "כל ההודעות",
@ -107,13 +104,7 @@
"Use an identity server": "השתמש בשרת זיהוי", "Use an identity server": "השתמש בשרת זיהוי",
"Double check that your server supports the room version chosen and try again.": "בדקו שהשרת תומך בגרסאת החדר ונסו שוב.", "Double check that your server supports the room version chosen and try again.": "בדקו שהשרת תומך בגרסאת החדר ונסו שוב.",
"Error upgrading room": "שגיאה בשדרוג חדר", "Error upgrading room": "שגיאה בשדרוג חדר",
"Usage": "שימוש",
"Command error": "שגיאת פקודה", "Command error": "שגיאת פקודה",
"Other": "אחר",
"Effects": "אפקטים",
"Advanced": "מתקדם",
"Actions": "פעולות",
"Messages": "הודעות",
"Setting up keys": "מגדיר מפתחות", "Setting up keys": "מגדיר מפתחות",
"Are you sure you want to cancel entering passphrase?": "האם אתם בטוחים שהינכם רוצים לבטל?", "Are you sure you want to cancel entering passphrase?": "האם אתם בטוחים שהינכם רוצים לבטל?",
"Cancel entering passphrase?": "בטל הקלדת סיסמא?", "Cancel entering passphrase?": "בטל הקלדת סיסמא?",
@ -130,7 +121,6 @@
"You need to be able to invite users to do that.": "עליכם להיות מאושרים להזמין משתמשים על מנת לבצע פעולה זו.", "You need to be able to invite users to do that.": "עליכם להיות מאושרים להזמין משתמשים על מנת לבצע פעולה זו.",
"You need to be logged in.": "עליכם להיות מחוברים.", "You need to be logged in.": "עליכם להיות מחוברים.",
"Failed to invite": "הזמנה נכשלה", "Failed to invite": "הזמנה נכשלה",
"Admin": "אדמין",
"Moderator": "מנהל", "Moderator": "מנהל",
"Restricted": "מחוץ לתחום", "Restricted": "מחוץ לתחום",
"Timor-Leste": "טמור-לסטה", "Timor-Leste": "טמור-לסטה",
@ -146,13 +136,6 @@
"Permission Required": "הרשאה דרושה", "Permission Required": "הרשאה דרושה",
"You've reached the maximum number of simultaneous calls.": "הגעתם למקסימום שיחות שניתן לבצע בו זמנית.", "You've reached the maximum number of simultaneous calls.": "הגעתם למקסימום שיחות שניתן לבצע בו זמנית.",
"Too Many Calls": "יותר מדי שיחות", "Too Many Calls": "יותר מדי שיחות",
"No other application is using the webcam": "שום אפליקציה אחרת אינה משתמשת במצלמה",
"Permission is granted to use the webcam": "ניתנה הרשאה לשימוש במצלמה",
"A microphone and webcam are plugged in and set up correctly": "מצלמה ומיקרופון מחוברים ומוגדרים היטב",
"Call failed because webcam or microphone could not be accessed. Check that:": "השיחה נכשלה משום שלא ניתן היה להפעיל מצלמה או מיקרופון, בדקו:",
"Unable to access webcam / microphone": "לא ניתן היה להפעיל מצלמה / מיקרופון",
"Call failed because microphone could not be accessed. Check that a microphone is plugged in and set up correctly.": "השיחה נכשלה בגלל שלא ניתן היה להפעיל את המיקרופון. אנא בדקו שהמיקרופון מחובר ומוגדר נכון.",
"Unable to access microphone": "לא ניתן לגשת אל המיקרופון",
"Please ask the administrator of your homeserver (<code>%(homeserverDomain)s</code>) to configure a TURN server in order for calls to work reliably.": "אנא בקשו ממנהל השרת (<code>%(homeserverDomain)s</code>) לסדר את הגדרות שרת TURN על מנת שהשיחות יפעלו בעקביות.", "Please ask the administrator of your homeserver (<code>%(homeserverDomain)s</code>) to configure a TURN server in order for calls to work reliably.": "אנא בקשו ממנהל השרת (<code>%(homeserverDomain)s</code>) לסדר את הגדרות שרת TURN על מנת שהשיחות יפעלו בעקביות.",
"Call failed due to misconfigured server": "השיחה נכשלה בגלל הגדרות שרת שגויות", "Call failed due to misconfigured server": "השיחה נכשלה בגלל הגדרות שרת שגויות",
"The call was answered on another device.": "השיחה נענתה במכשיר אחר.", "The call was answered on another device.": "השיחה נענתה במכשיר אחר.",
@ -684,26 +667,18 @@
"You've successfully verified this user.": "המשתמש הזה אומת בהצלחה.", "You've successfully verified this user.": "המשתמש הזה אומת בהצלחה.",
"Verified!": "אומת!", "Verified!": "אומת!",
"The other party cancelled the verification.": "הצד השני ביטל את האימות.", "The other party cancelled the verification.": "הצד השני ביטל את האימות.",
"Unknown caller": "מתקשר לא ידוע",
"%(name)s on hold": "%(name)s במצב המתנה",
"You held the call <a>Switch</a>": "שמם את השיחה על המתנה <a>להחליף</a>",
"sends snowfall": "שלח שלג נופל", "sends snowfall": "שלח שלג נופל",
"Sends the given message with snowfall": "שלח הודעה זו עם שלג נופל", "Sends the given message with snowfall": "שלח הודעה זו עם שלג נופל",
"%(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 %(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 %(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", "%(weekDayName)s, %(monthName)s %(day)s %(time)s": "%(weekDayName)s, %(monthName)s - %(day)s - %(time)s",
"%(weekDayName)s %(time)s": "%(weekDayName)s %(time)s", "%(weekDayName)s %(time)s": "%(weekDayName)s %(time)s",
"Return to call": "חזור לשיחה",
"%(peerName)s held the call": "%(peerName)s שם את השיחה במצב המתנה",
"You held the call <a>Resume</a>": "שמתם את השיחה במצב המתנה <a>לשוב</a>",
"sends fireworks": "שלח זיקוקים", "sends fireworks": "שלח זיקוקים",
"Sends the given message with fireworks": "שולח הודעה זו עם זיקוקים", "Sends the given message with fireworks": "שולח הודעה זו עם זיקוקים",
"sends confetti": "שלח קונפטי", "sends confetti": "שלח קונפטי",
"Sends the given message with confetti": "שולח הודעה זו ביחד עם קונפטי", "Sends the given message with confetti": "שולח הודעה זו ביחד עם קונפטי",
"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!": "זוהי רשימת השרתים\\משתמשים אשר בחרתם לחסום - אל תצאו מחדר זה!",
"My Ban List": "רשימת החסומים שלי", "My Ban List": "רשימת החסומים שלי",
"Downloading logs": "מוריד לוגים",
"Uploading logs": "מעלה לוגים",
"IRC display name width": "רוחב תצוגת השם של IRC", "IRC display name width": "רוחב תצוגת השם של IRC",
"Manually verify all remote sessions": "אמת באופן ידני את כל ההתחברויות", "Manually verify all remote sessions": "אמת באופן ידני את כל ההתחברויות",
"How fast should messages be downloaded.": "באיזו מהירות הודעות יורדות.", "How fast should messages be downloaded.": "באיזו מהירות הודעות יורדות.",
@ -722,19 +697,6 @@
"Use custom size": "השתמשו בגודל מותאם אישית", "Use custom size": "השתמשו בגודל מותאם אישית",
"Font size": "גודל אותיות", "Font size": "גודל אותיות",
"Change notification settings": "שינוי הגדרת התרעות", "Change notification settings": "שינוי הגדרת התרעות",
"%(senderName)s: %(stickerName)s": "%(senderName)s: %(stickerName)s",
"%(senderName)s: %(message)s": "%(senderName)s :%(message)s",
"* %(senderName)s %(emote)s": "* %(senderName)s %(emote)s",
"%(senderName)s is calling": "%(senderName)s מתקשר",
"Waiting for answer": "ממתין לתשובה",
"%(senderName)s started a call": "%(senderName)s התחיל שיחה",
"You started a call": "התחלתם שיחה",
"Call ended": "השיחה הסתיימה",
"%(senderName)s ended the call": "%(senderName)s סיים את השיחה",
"You ended the call": "סיימתם את השיחה",
"Call in progress": "שיחה פעילה",
"%(senderName)s joined the call": "%(senderName)s התחבר אל השיחה",
"You joined the call": "התחברתם אל השיחה בהצלחה",
"Please contact your homeserver administrator.": "אנא צרו קשר עם מנהל השרת שלכם.", "Please contact your homeserver administrator.": "אנא צרו קשר עם מנהל השרת שלכם.",
"New version of %(brand)s is available": "גרסה חדשה של %(brand)s קיימת", "New version of %(brand)s is available": "גרסה חדשה של %(brand)s קיימת",
"Update %(brand)s": "עדכן %(brand)s", "Update %(brand)s": "עדכן %(brand)s",
@ -1077,7 +1039,6 @@
"Admin Tools": "כלי מנהל", "Admin Tools": "כלי מנהל",
"Could not revoke the invite. The server may be experiencing a temporary problem or you do not have sufficient permissions to revoke the invite.": "לא ניתן היה לבטל את ההזמנה. ייתכן שהשרת נתקל בבעיה זמנית או שאין לך הרשאות מספיקות לבטל את ההזמנה.", "Could not revoke the invite. The server may be experiencing a temporary problem or you do not have sufficient permissions to revoke the invite.": "לא ניתן היה לבטל את ההזמנה. ייתכן שהשרת נתקל בבעיה זמנית או שאין לך הרשאות מספיקות לבטל את ההזמנה.",
"Failed to revoke invite": "ביטול ההזמנה נכשל", "Failed to revoke invite": "ביטול ההזמנה נכשל",
"Stickerpack": "חבילת מדבקות",
"Add some now": "הוסף אותם כעת", "Add some now": "הוסף אותם כעת",
"You don't currently have any stickerpacks enabled": "כרגע אין לך חבילות מדבקה מופעלות", "You don't currently have any stickerpacks enabled": "כרגע אין לך חבילות מדבקה מופעלות",
"Failed to connect to integration manager": "ההתחברות למנהל האינטגרציה נכשלה", "Failed to connect to integration manager": "ההתחברות למנהל האינטגרציה נכשלה",
@ -1105,7 +1066,6 @@
"Sign Up": "הרשמה", "Sign Up": "הרשמה",
"Join the conversation with an account": "הצטרף לשיחה עם חשבון", "Join the conversation with an account": "הצטרף לשיחה עם חשבון",
"Historical": "היסטוריה", "Historical": "היסטוריה",
"System Alerts": "התרעות מערכת",
"Low priority": "עדיפות נמוכה", "Low priority": "עדיפות נמוכה",
"Explore public rooms": "שוטט בחדרים ציבוריים", "Explore public rooms": "שוטט בחדרים ציבוריים",
"Create new room": "צור חדר חדש", "Create new room": "צור חדר חדש",
@ -1138,13 +1098,6 @@
"You do not have permission to post to this room": "אין לך הרשאה לפרסם בחדר זה", "You do not have permission to post to this room": "אין לך הרשאה לפרסם בחדר זה",
"This room has been replaced and is no longer active.": "חדר זה הוחלף ואינו פעיל יותר.", "This room has been replaced and is no longer active.": "חדר זה הוחלף ואינו פעיל יותר.",
"The conversation continues here.": "השיחה נמשכת כאן.", "The conversation continues here.": "השיחה נמשכת כאן.",
"Send a message…": "שליחת הודעה…",
"Send an encrypted message…": "שליחת הודעה מוצפנת…",
"Send a reply…": "שליחת תגובה…",
"Send an encrypted reply…": "שליחת תגובה מוצפנת…",
"Hangup": "ניתוק",
"Video call": "שיחת וידאו",
"Voice call": "שיחת אודיו",
"%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (רמת הרשאה %(powerLevelNumber)s)", "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (רמת הרשאה %(powerLevelNumber)s)",
"Filter room members": "סינון חברי חדר", "Filter room members": "סינון חברי חדר",
"Invited": "מוזמן", "Invited": "מוזמן",
@ -1210,13 +1163,6 @@
"Muted Users": "משתמשים מושתקים", "Muted Users": "משתמשים מושתקים",
"Privileged Users": "משתמשים מורשים", "Privileged Users": "משתמשים מורשים",
"No users have specific privileges in this room": "אין למשתמשים הרשאות ספציפיות בחדר זה", "No users have specific privileges in this room": "אין למשתמשים הרשאות ספציפיות בחדר זה",
"Notify everyone": "התראה לכולם",
"Remove messages sent by others": "הסרת הודעות שנשלחו על ידי אחרים",
"Ban users": "חסימת משתמשים",
"Change settings": "שינוי הגדרות",
"Invite users": "הזמנת משתמשים",
"Send messages": "שלח הודעות",
"Default role": "תפקיד ברירת מחדל",
"An error occurred changing the user's power level. Ensure you have sufficient permissions and try again.": "אירעה שגיאה בשינוי רמת ההספק של המשתמש. ודא שיש לך הרשאות מספיקות ונסה שוב.", "An error occurred changing the user's power level. Ensure you have sufficient permissions and try again.": "אירעה שגיאה בשינוי רמת ההספק של המשתמש. ודא שיש לך הרשאות מספיקות ונסה שוב.",
"Error changing power level": "שגיאה בשינוי דרגת הניהול", "Error changing power level": "שגיאה בשינוי דרגת הניהול",
"An error occurred changing the room's power level requirements. Ensure you have sufficient permissions and try again.": "אירעה שגיאה בשינוי דרישות רמת הניהול של החדר. ודא שיש לך הרשאות מספיקות ונסה שוב.", "An error occurred changing the room's power level requirements. Ensure you have sufficient permissions and try again.": "אירעה שגיאה בשינוי דרישות רמת הניהול של החדר. ודא שיש לך הרשאות מספיקות ונסה שוב.",
@ -1224,11 +1170,6 @@
"Banned by %(displayName)s": "נחסם על ידי %(displayName)s", "Banned by %(displayName)s": "נחסם על ידי %(displayName)s",
"Unban": "הסר חסימה", "Unban": "הסר חסימה",
"Failed to unban": "שגיאה בהסרת חסימה", "Failed to unban": "שגיאה בהסרת חסימה",
"Modify widgets": "שנה ישומונים",
"Enable room encryption": "הפעל הצפנת חדר",
"Upgrade the room": "שדרג את החדר",
"Change topic": "שנה נושא",
"Change permissions": "שנה הרשאות",
"This widget may use cookies.": "יישומון זה עשוי להשתמש בעוגיות.", "This widget may use cookies.": "יישומון זה עשוי להשתמש בעוגיות.",
"Widget added by": "ישומון נוסף על ידי", "Widget added by": "ישומון נוסף על ידי",
"Widgets do not use message encryption.": "יישומונים אינם משתמשים בהצפנת הודעות.", "Widgets do not use message encryption.": "יישומונים אינם משתמשים בהצפנת הודעות.",
@ -1269,10 +1210,6 @@
"%(senderDisplayName)s removed the room avatar.": "%(senderDisplayName)s הסיר את האווטאר של החדר.", "%(senderDisplayName)s removed the room avatar.": "%(senderDisplayName)s הסיר את האווטאר של החדר.",
"%(senderDisplayName)s changed the avatar for %(roomName)s": "%(senderDisplayName)s שינה את האווטר עבור חדר %(roomName)s", "%(senderDisplayName)s changed the avatar for %(roomName)s": "%(senderDisplayName)s שינה את האווטר עבור חדר %(roomName)s",
"Message deleted on %(date)s": "הודעה נמחקה בתאריך %(date)s", "Message deleted on %(date)s": "הודעה נמחקה בתאריך %(date)s",
"Change history visibility": "שנה תצוגת הסטוריה",
"Change main address for the room": "שנה את הכתובת הראשית של החדר",
"Change room name": "שנה את שם החדר",
"Change room avatar": "שנה אווטר של החדר",
"Browse": "דפדף", "Browse": "דפדף",
"Set a new custom sound": "הגדר צליל מותאם אישי", "Set a new custom sound": "הגדר צליל מותאם אישי",
"Notification sound": "צליל התראה", "Notification sound": "צליל התראה",
@ -1299,9 +1236,7 @@
"You may need to manually permit %(brand)s to access your microphone/webcam": "ייתכן שיהיה עליך לאפשר ידנית ל-%(brand)s גישה למיקרופון / מצלמת האינטרנט שלך", "You may need to manually permit %(brand)s to access your microphone/webcam": "ייתכן שיהיה עליך לאפשר ידנית ל-%(brand)s גישה למיקרופון / מצלמת האינטרנט שלך",
"No media permissions": "אין הרשאות מדיה", "No media permissions": "אין הרשאות מדיה",
"Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "מנהל השרת שלך השבית הצפנה מקצה לקצה כברירת מחדל בחדרים פרטיים ובהודעות ישירות.", "Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "מנהל השרת שלך השבית הצפנה מקצה לקצה כברירת מחדל בחדרים פרטיים ובהודעות ישירות.",
"Cross-signing": "חתימה צולבת",
"Message search": "חיפוש הודעה", "Message search": "חיפוש הודעה",
"Secure Backup": "גיבוי מאובטח",
"Reject all %(invitedRooms)s invites": "דחה את כל ההזמנות של %(invitedRooms)s", "Reject all %(invitedRooms)s invites": "דחה את כל ההזמנות של %(invitedRooms)s",
"Accept all %(invitedRooms)s invites": "קבל את כל ההזמנות של %(invitedRooms)s", "Accept all %(invitedRooms)s invites": "קבל את כל ההזמנות של %(invitedRooms)s",
"Bulk options": "אפשרויות בתפזורת", "Bulk options": "אפשרויות בתפזורת",
@ -1905,8 +1840,6 @@
"Transfer Failed": "ההעברה נכשלה", "Transfer Failed": "ההעברה נכשלה",
"Unable to transfer call": "לא ניתן להעביר שיחה", "Unable to transfer call": "לא ניתן להעביר שיחה",
"Connectivity to the server has been lost": "נותק החיבור מול השרת", "Connectivity to the server has been lost": "נותק החיבור מול השרת",
"You cannot place calls in this browser.": "לא ניתן לבצע שיחות בדפדפן זה.",
"Calls are unsupported": "שיחות לא נתמכות",
"Your new device is now verified. Other users will see it as trusted.": "המכשיר שלך מוגדר כעת כמאומת. משתמשים אחרים יראו אותו כמכשיר מהימן.", "Your new device is now verified. Other users will see it as trusted.": "המכשיר שלך מוגדר כעת כמאומת. משתמשים אחרים יראו אותו כמכשיר מהימן.",
"Your new device is now verified. It has access to your encrypted messages, and other users will see it as trusted.": "המכשיר שלך מוגדר כעת כמאומת. יש לו גישה להודעות המוצפנות שלך ומשתמשים אחרים יראו אותו כמכשיר מהימן.", "Your new device is now verified. It has access to your encrypted messages, and other users will see it as trusted.": "המכשיר שלך מוגדר כעת כמאומת. יש לו גישה להודעות המוצפנות שלך ומשתמשים אחרים יראו אותו כמכשיר מהימן.",
"Device verified": "המכשיר אומת", "Device verified": "המכשיר אומת",
@ -1930,17 +1863,12 @@
"Back to thread": "חזרה לשרשור", "Back to thread": "חזרה לשרשור",
"Room members": "חברי החדר", "Room members": "חברי החדר",
"Back to chat": "חזרה לצ'אט", "Back to chat": "חזרה לצ'אט",
"Sound on": "צליל דולק",
"That's fine": "זה בסדר", "That's fine": "זה בסדר",
"Voice Message": "הודעה קולית", "Voice Message": "הודעה קולית",
"Send voice message": "שלח הודעה קולית", "Send voice message": "שלח הודעה קולית",
"Reply to thread…": "תשובה לשרשור…",
"Send message": "לשלוח הודעה",
"Your message was sent": "ההודעה שלך נשלחה", "Your message was sent": "ההודעה שלך נשלחה",
"Copy link to thread": "העתק קישור לשרשור", "Copy link to thread": "העתק קישור לשרשור",
"Unknown failure": "כשל לא ידוע", "Unknown failure": "כשל לא ידוע",
"Remove users": "הסר משתמשים",
"Send reactions": "שלח תגובות",
"You have no ignored users.": "אין לך משתמשים שהתעלמו מהם.", "You have no ignored users.": "אין לך משתמשים שהתעלמו מהם.",
"Displaying time": "מציג זמן", "Displaying time": "מציג זמן",
"Keyboard": "מקלדת", "Keyboard": "מקלדת",
@ -1974,17 +1902,6 @@
"More": "יותר", "More": "יותר",
"Show sidebar": "הצג סרגל צד", "Show sidebar": "הצג סרגל צד",
"Hide sidebar": "הסתר סרגל צד", "Hide sidebar": "הסתר סרגל צד",
"Start sharing your screen": "התחל לשתף את המסך שלך",
"Stop sharing your screen": "הפסק לשתף את המסך שלך",
"Start the camera": "הפעל את המצלמה",
"Stop the camera": "עצור את המצלמה",
"Unmute the microphone": "בטל את השתקת המיקרופון",
"Mute the microphone": "השתקת המיקרופון",
"Dialpad": "משטח חיוג",
"Dial": "לחייג",
"Your camera is still enabled": "המצלמה שלך עדיין מופעלת",
"Your camera is turned off": "המצלמה שלך כבויה",
"You are presenting": "אתה מציג",
"Connecting": "מקשר", "Connecting": "מקשר",
"unknown person": "אדם לא ידוע", "unknown person": "אדם לא ידוע",
"Sends the given message with rainfall": "שלח הודעה זו עם גשם נופל", "Sends the given message with rainfall": "שלח הודעה זו עם גשם נופל",
@ -1992,7 +1909,6 @@
"Waiting for you to verify on your other device…": "ממתין לאישור שלך במכשיר השני…", "Waiting for you to verify on your other device…": "ממתין לאישור שלך במכשיר השני…",
"Confirm the emoji below are displayed on both devices, in the same order:": "ודא ואשר שהסמלים הבאים מופיעים בשני המכשירים ובאותו הסדר:", "Confirm the emoji below are displayed on both devices, in the same order:": "ודא ואשר שהסמלים הבאים מופיעים בשני המכשירים ובאותו הסדר:",
"Other rooms": "חדרים אחרים", "Other rooms": "חדרים אחרים",
"Silence call": "השתקת שיחה",
"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.": "הסכמתם בעבר לשתף איתנו מידע אנונימי לגבי השימוש שלכם. אנחנו מעדכנים איך זה מתבצע.",
"This homeserver has been blocked by its administrator.": "שרת זה נחסם על ידי מנהלו.", "This homeserver has been blocked by its administrator.": "שרת זה נחסם על ידי מנהלו.",
"The user you called is busy.": "המשתמש עסוק כרגע.", "The user you called is busy.": "המשתמש עסוק כרגע.",
@ -2003,8 +1919,6 @@
"Failed to post poll": "תקלה בפרסום הסקר", "Failed to post poll": "תקלה בפרסום הסקר",
"You can't see earlier messages": "לא ניתן לצפות בהודעות קודמות", "You can't see earlier messages": "לא ניתן לצפות בהודעות קודמות",
"Confirm your Security Phrase": "אשר את ביטוי האבטחה שלך", "Confirm your Security Phrase": "אשר את ביטוי האבטחה שלך",
"You're already in a call with this person.": "אתה כבר בשיחה עם האדם הזה.",
"Already in call": "כבר בשיחה",
"%(oneUser)sremoved a message %(count)s times": { "%(oneUser)sremoved a message %(count)s times": {
"other": "%(oneUser)sהסיר%(count)sהודעות", "other": "%(oneUser)sהסיר%(count)sהודעות",
"one": "%(oneUser)sהסיר הודעה" "one": "%(oneUser)sהסיר הודעה"
@ -2105,7 +2019,6 @@
"Collapse reply thread": "אחד שרשור של התשובות", "Collapse reply thread": "אחד שרשור של התשובות",
"Can't create a thread from an event with an existing relation": "לא ניתן ליצור שרשור מאירוע עם קשר קיים", "Can't create a thread from an event with an existing relation": "לא ניתן ליצור שרשור מאירוע עם קשר קיים",
"Open thread": "פתיחת שרשור", "Open thread": "פתיחת שרשור",
"Reply to encrypted thread…": "מענה לשרשור מוצפן…",
"From a thread": "משרשור", "From a thread": "משרשור",
"Reply in thread": "מענה בשרשור", "Reply in thread": "מענה בשרשור",
"Reply to an ongoing thread or use “%(replyInThread)s” when hovering over a message to start a new one.": "השיבו לשרשור מתמשך או השתמשו ב-\"%(replyInThread)s\" כשאתם מרחפים מעל הודעה כדי להתחיל הודעה חדשה.", "Reply to an ongoing thread or use “%(replyInThread)s” when hovering over a message to start a new one.": "השיבו לשרשור מתמשך או השתמשו ב-\"%(replyInThread)s\" כשאתם מרחפים מעל הודעה כדי להתחיל הודעה חדשה.",
@ -2237,10 +2150,6 @@
"Public space": "מרחב עבודה ציבורי", "Public space": "מרחב עבודה ציבורי",
"Invite to this space": "הזמינו למרחב עבודה זה", "Invite to this space": "הזמינו למרחב עבודה זה",
"Select the roles required to change various parts of the space": "ביחרו את ההרשאות הנדרשות כדי לשנות חלקים שונים של מרחב העבודה", "Select the roles required to change various parts of the space": "ביחרו את ההרשאות הנדרשות כדי לשנות חלקים שונים של מרחב העבודה",
"Manage rooms in this space": "נהלו חדרים במרחב העבודה הנוכחי",
"Change main address for the space": "שינוי הכתובת הראשית של מרחב העבודה",
"Change space name": "שינוי שם מרחב העבודה",
"Change space avatar": "שנה את דמות מרחב העבודה",
"Space information": "מידע על מרחב העבודה", "Space information": "מידע על מרחב העבודה",
"View older version of %(spaceName)s.": "צפו בגירסא ישנה יותר של %(spaceName)s.", "View older version of %(spaceName)s.": "צפו בגירסא ישנה יותר של %(spaceName)s.",
"Upgrade this space to the recommended room version": "שדרג את מרחב העבודה הזה לגרסת החדר המומלצת", "Upgrade this space to the recommended room version": "שדרג את מרחב העבודה הזה לגרסת החדר המומלצת",
@ -2308,7 +2217,6 @@
"You won't get any notifications": "לא תקבל שום התראה", "You won't get any notifications": "לא תקבל שום התראה",
"Get notified for every message": "קבלת התראות על כל הודעה", "Get notified for every message": "קבלת התראות על כל הודעה",
"Get notifications as set up in your <a>settings</a>": "קבלת התראות על פי ההעדפות שלך במסך<a>הגדרות</a>", "Get notifications as set up in your <a>settings</a>": "קבלת התראות על פי ההעדפות שלך במסך<a>הגדרות</a>",
"Voice broadcasts": "שליחת הקלטות קוליות",
"People with supported clients will be able to join the room without having a registered account.": "אורחים בעלי תוכנת התחברות מתאימה יוכלו להצטרף לחדר גם אם אין להם חשבון משתמש.", "People with supported clients will be able to join the room without having a registered account.": "אורחים בעלי תוכנת התחברות מתאימה יוכלו להצטרף לחדר גם אם אין להם חשבון משתמש.",
"Enable guest access": "אפשר גישה לאורחים", "Enable guest access": "אפשר גישה לאורחים",
"Decide who can join %(roomName)s.": "החליטו מי יוכל להצטרף ל - %(roomName)s.", "Decide who can join %(roomName)s.": "החליטו מי יוכל להצטרף ל - %(roomName)s.",
@ -2346,7 +2254,6 @@
"Pinned": "הודעות נעוצות", "Pinned": "הודעות נעוצות",
"Nothing pinned, yet": "אין הודעות נעוצות, לבינתיים", "Nothing pinned, yet": "אין הודעות נעוצות, לבינתיים",
"Files": "קבצים", "Files": "קבצים",
"Manage pinned events": "נהל אירועים נעוצים",
"When enabled, the other party might be able to see your IP address": "כאשר מופעל, הצד השני יוכל לראות את כתובת ה-IP שלך", "When enabled, the other party might be able to see your IP address": "כאשר מופעל, הצד השני יוכל לראות את כתובת ה-IP שלך",
"Allow Peer-to-Peer for 1:1 calls": "אפשר חיבור ישיר (Peer-to-Peer) בשיחות 1:1", "Allow Peer-to-Peer for 1:1 calls": "אפשר חיבור ישיר (Peer-to-Peer) בשיחות 1:1",
"Only applies if your homeserver does not offer one. Your IP address would be shared during a call.": "רלוונטי רק אם שרת הבית לא מציע שרת שיחות. כתובת ה-IP שלך תשותף במהלך שיחה.", "Only applies if your homeserver does not offer one. Your IP address would be shared during a call.": "רלוונטי רק אם שרת הבית לא מציע שרת שיחות. כתובת ה-IP שלך תשותף במהלך שיחה.",
@ -2423,7 +2330,11 @@
"accessibility": "נגישות", "accessibility": "נגישות",
"server": "שרת", "server": "שרת",
"capabilities": "יכולות", "capabilities": "יכולות",
"unnamed_room": "חדר ללא שם" "unnamed_room": "חדר ללא שם",
"stickerpack": "חבילת מדבקות",
"system_alerts": "התרעות מערכת",
"secure_backup": "גיבוי מאובטח",
"cross_signing": "חתימה צולבת"
}, },
"action": { "action": {
"continue": "המשך", "continue": "המשך",
@ -2542,7 +2453,14 @@
"format_bold": "מודגש", "format_bold": "מודגש",
"format_strikethrough": "קו חוצה", "format_strikethrough": "קו חוצה",
"format_inline_code": "קוד", "format_inline_code": "קוד",
"format_code_block": "בלוק קוד" "format_code_block": "בלוק קוד",
"send_button_title": "לשלוח הודעה",
"placeholder_thread_encrypted": "מענה לשרשור מוצפן…",
"placeholder_thread": "תשובה לשרשור…",
"placeholder_reply_encrypted": "שליחת תגובה מוצפנת…",
"placeholder_reply": "שליחת תגובה…",
"placeholder_encrypted": "שליחת הודעה מוצפנת…",
"placeholder": "שליחת הודעה…"
}, },
"Bold": "מודגש", "Bold": "מודגש",
"Code": "קוד", "Code": "קוד",
@ -2564,7 +2482,11 @@
"send_logs": "שלח יומנים", "send_logs": "שלח יומנים",
"github_issue": "סוגיית GitHub", "github_issue": "סוגיית GitHub",
"download_logs": "הורד יומנים", "download_logs": "הורד יומנים",
"before_submitting": "לפני שמגישים יומנים, עליכם <a> ליצור בעיה של GitHub </a> כדי לתאר את הבעיה שלכם." "before_submitting": "לפני שמגישים יומנים, עליכם <a> ליצור בעיה של GitHub </a> כדי לתאר את הבעיה שלכם.",
"collecting_information": "אוסף מידע על גרסת היישום",
"collecting_logs": "אוסף יומנים לנפוי שגיאה (דבאג)",
"uploading_logs": "מעלה לוגים",
"downloading_logs": "מוריד לוגים"
}, },
"time": { "time": {
"hours_minutes_seconds_left": "נשארו %(hours)s שעות, %(minutes)s דקות ו-%(seconds)s שניות", "hours_minutes_seconds_left": "נשארו %(hours)s שעות, %(minutes)s דקות ו-%(seconds)s שניות",
@ -2658,7 +2580,9 @@
"active_widgets": "יישומונים פעילים", "active_widgets": "יישומונים פעילים",
"toolbox": "תיבת כלים", "toolbox": "תיבת כלים",
"developer_tools": "כלי מפתחים", "developer_tools": "כלי מפתחים",
"room_id": "זיהוי חדר: %(roomId)s" "room_id": "זיהוי חדר: %(roomId)s",
"category_room": "חדר",
"category_other": "אחר"
}, },
"export_chat": { "export_chat": {
"html": "HTML", "html": "HTML",
@ -2790,6 +2714,9 @@
"one": "%(names)s ועוד משהו כותבים…", "one": "%(names)s ועוד משהו כותבים…",
"other": "%(names)s ו%(count)s אחרים כותבים…" "other": "%(names)s ו%(count)s אחרים כותבים…"
} }
},
"m.call.hangup": {
"dm": "השיחה הסתיימה"
} }
}, },
"slash_command": { "slash_command": {
@ -2824,7 +2751,14 @@
"help": "מציג רשימת פקודות עם שימוש והוראות", "help": "מציג רשימת פקודות עם שימוש והוראות",
"whois": "מציג מידע אודות משתמש", "whois": "מציג מידע אודות משתמש",
"rageshake": "שולח דוח תקלה עם לוג", "rageshake": "שולח דוח תקלה עם לוג",
"msg": "שליחת הודעת למשתמש מסויים" "msg": "שליחת הודעת למשתמש מסויים",
"usage": "שימוש",
"category_messages": "הודעות",
"category_actions": "פעולות",
"category_admin": "אדמין",
"category_advanced": "מתקדם",
"category_effects": "אפקטים",
"category_other": "אחר"
}, },
"presence": { "presence": {
"online_for": "מחובר %(duration)s", "online_for": "מחובר %(duration)s",
@ -2837,5 +2771,92 @@
"offline": "לא מחובר", "offline": "לא מחובר",
"away": "מרוחק" "away": "מרוחק"
}, },
"Unknown": "לא ידוע" "Unknown": "לא ידוע",
"event_preview": {
"m.call.answer": {
"you": "התחברתם אל השיחה בהצלחה",
"user": "%(senderName)s התחבר אל השיחה",
"dm": "שיחה פעילה"
},
"m.call.hangup": {
"you": "סיימתם את השיחה",
"user": "%(senderName)s סיים את השיחה"
},
"m.call.invite": {
"you": "התחלתם שיחה",
"user": "%(senderName)s התחיל שיחה",
"dm_send": "ממתין לתשובה",
"dm_receive": "%(senderName)s מתקשר"
},
"m.emote": "* %(senderName)s %(emote)s",
"m.text": "%(senderName)s :%(message)s",
"m.sticker": "%(senderName)s: %(stickerName)s"
},
"voip": {
"disable_microphone": "השתקת המיקרופון",
"enable_microphone": "בטל את השתקת המיקרופון",
"disable_camera": "עצור את המצלמה",
"enable_camera": "הפעל את המצלמה",
"dial": "לחייג",
"you_are_presenting": "אתה מציג",
"camera_disabled": "המצלמה שלך כבויה",
"camera_enabled": "המצלמה שלך עדיין מופעלת",
"call_held_switch": "שמם את השיחה על המתנה <a>להחליף</a>",
"call_held_resume": "שמתם את השיחה במצב המתנה <a>לשוב</a>",
"call_held": "%(peerName)s שם את השיחה במצב המתנה",
"dialpad": "משטח חיוג",
"stop_screenshare": "הפסק לשתף את המסך שלך",
"start_screenshare": "התחל לשתף את המסך שלך",
"hangup": "ניתוק",
"expand": "חזור לשיחה",
"on_hold": "%(name)s במצב המתנה",
"voice_call": "שיחת אודיו",
"video_call": "שיחת וידאו",
"unsilence": "צליל דולק",
"silence": "השתקת שיחה",
"unknown_caller": "מתקשר לא ידוע",
"call_failed": "השיחה נכשלה",
"unable_to_access_microphone": "לא ניתן לגשת אל המיקרופון",
"call_failed_microphone": "השיחה נכשלה בגלל שלא ניתן היה להפעיל את המיקרופון. אנא בדקו שהמיקרופון מחובר ומוגדר נכון.",
"unable_to_access_media": "לא ניתן היה להפעיל מצלמה / מיקרופון",
"call_failed_media": "השיחה נכשלה משום שלא ניתן היה להפעיל מצלמה או מיקרופון, בדקו:",
"call_failed_media_connected": "מצלמה ומיקרופון מחוברים ומוגדרים היטב",
"call_failed_media_permissions": "ניתנה הרשאה לשימוש במצלמה",
"call_failed_media_applications": "שום אפליקציה אחרת אינה משתמשת במצלמה",
"already_in_call": "כבר בשיחה",
"already_in_call_person": "אתה כבר בשיחה עם האדם הזה.",
"unsupported": "שיחות לא נתמכות",
"unsupported_browser": "לא ניתן לבצע שיחות בדפדפן זה."
},
"Messages": "הודעות",
"Other": "אחר",
"Advanced": "מתקדם",
"room_settings": {
"permissions": {
"m.room.avatar_space": "שנה את דמות מרחב העבודה",
"m.room.avatar": "שנה אווטר של החדר",
"m.room.name_space": "שינוי שם מרחב העבודה",
"m.room.name": "שנה את שם החדר",
"m.room.canonical_alias_space": "שינוי הכתובת הראשית של מרחב העבודה",
"m.room.canonical_alias": "שנה את הכתובת הראשית של החדר",
"m.space.child": "נהלו חדרים במרחב העבודה הנוכחי",
"m.room.history_visibility": "שנה תצוגת הסטוריה",
"m.room.power_levels": "שנה הרשאות",
"m.room.topic": "שנה נושא",
"m.room.tombstone": "שדרג את החדר",
"m.room.encryption": "הפעל הצפנת חדר",
"m.reaction": "שלח תגובות",
"m.widget": "שנה ישומונים",
"io.element.voice_broadcast_info": "שליחת הקלטות קוליות",
"m.room.pinned_events": "נהל אירועים נעוצים",
"users_default": "תפקיד ברירת מחדל",
"events_default": "שלח הודעות",
"invite": "הזמנת משתמשים",
"state_default": "שינוי הגדרות",
"kick": "הסר משתמשים",
"ban": "חסימת משתמשים",
"redact": "הסרת הודעות שנשלחו על ידי אחרים",
"notifications.room": "התראה לכולם"
}
}
} }

View file

@ -5,7 +5,6 @@
"This phone number is already in use": "यह फ़ोन नंबर पहले से इस्तेमाल में है", "This phone number is already in use": "यह फ़ोन नंबर पहले से इस्तेमाल में है",
"Failed to verify email address: make sure you clicked the link in the email": "ईमेल आईडी सत्यापित नही हो पाया: कृपया सुनिश्चित कर लें कि आपने ईमेल में मौजूद लिंक पर क्लिक किया है", "Failed to verify email address: make sure you clicked the link in the email": "ईमेल आईडी सत्यापित नही हो पाया: कृपया सुनिश्चित कर लें कि आपने ईमेल में मौजूद लिंक पर क्लिक किया है",
"powered by Matrix": "मैट्रिक्स द्वारा संचालित", "powered by Matrix": "मैट्रिक्स द्वारा संचालित",
"Call Failed": "कॉल विफल",
"You cannot place a call with yourself.": "आप अपने साथ कॉल नहीं कर सकते हैं।", "You cannot place a call with yourself.": "आप अपने साथ कॉल नहीं कर सकते हैं।",
"Permission Required": "अनुमति आवश्यक है", "Permission Required": "अनुमति आवश्यक है",
"You do not have permission to start a conference call in this room": "आपको इस रूम में कॉन्फ़्रेंस कॉल शुरू करने की अनुमति नहीं है", "You do not have permission to start a conference call in this room": "आपको इस रूम में कॉन्फ़्रेंस कॉल शुरू करने की अनुमति नहीं है",
@ -40,7 +39,6 @@
"Default": "डिफ़ॉल्ट", "Default": "डिफ़ॉल्ट",
"Restricted": "वर्जित", "Restricted": "वर्जित",
"Moderator": "मध्यस्थ", "Moderator": "मध्यस्थ",
"Admin": "व्यवस्थापक",
"Operation failed": "कार्रवाई विफल", "Operation failed": "कार्रवाई विफल",
"Failed to invite": "आमंत्रित करने में विफल", "Failed to invite": "आमंत्रित करने में विफल",
"You need to be logged in.": "आपको लॉग इन करने की जरूरत है।", "You need to be logged in.": "आपको लॉग इन करने की जरूरत है।",
@ -56,7 +54,6 @@
"Missing room_id in request": "अनुरोध में रूम_आईडी गुम है", "Missing room_id in request": "अनुरोध में रूम_आईडी गुम है",
"Room %(roomId)s not visible": "%(roomId)s रूम दिखाई नहीं दे रहा है", "Room %(roomId)s not visible": "%(roomId)s रूम दिखाई नहीं दे रहा है",
"Missing user_id in request": "अनुरोध में user_id गुम है", "Missing user_id in request": "अनुरोध में user_id गुम है",
"Usage": "प्रयोग",
"Ignored user": "अनदेखा उपयोगकर्ता", "Ignored user": "अनदेखा उपयोगकर्ता",
"You are now ignoring %(userId)s": "आप %(userId)s को अनदेखा कर रहे हैं", "You are now ignoring %(userId)s": "आप %(userId)s को अनदेखा कर रहे हैं",
"Unignored user": "अनदेखा बंद किया गया उपयोगकर्ता", "Unignored user": "अनदेखा बंद किया गया उपयोगकर्ता",
@ -82,8 +79,6 @@
"Enable URL previews for this room (only affects you)": "इस रूम के लिए यूआरएल पूर्वावलोकन सक्षम करें (केवल आपको प्रभावित करता है)", "Enable URL previews for this room (only affects you)": "इस रूम के लिए यूआरएल पूर्वावलोकन सक्षम करें (केवल आपको प्रभावित करता है)",
"Enable URL previews by default for participants in this room": "इस रूम में प्रतिभागियों के लिए डिफ़ॉल्ट रूप से यूआरएल पूर्वावलोकन सक्षम करें", "Enable URL previews by default for participants in this room": "इस रूम में प्रतिभागियों के लिए डिफ़ॉल्ट रूप से यूआरएल पूर्वावलोकन सक्षम करें",
"Enable widget screenshots on supported widgets": "समर्थित विजेट्स पर विजेट स्क्रीनशॉट सक्षम करें", "Enable widget screenshots on supported widgets": "समर्थित विजेट्स पर विजेट स्क्रीनशॉट सक्षम करें",
"Collecting app version information": "ऐप संस्करण जानकारी एकत्रित कर रहा हैं",
"Collecting logs": "लॉग एकत्रित कर रहा हैं",
"Waiting for response from server": "सर्वर से प्रतिक्रिया की प्रतीक्षा कर रहा है", "Waiting for response from server": "सर्वर से प्रतिक्रिया की प्रतीक्षा कर रहा है",
"Incorrect verification code": "गलत सत्यापन कोड", "Incorrect verification code": "गलत सत्यापन कोड",
"Phone": "फ़ोन", "Phone": "फ़ोन",
@ -155,11 +150,6 @@
"Invited": "आमंत्रित", "Invited": "आमंत्रित",
"Filter room members": "रूम के सदस्यों को फ़िल्टर करें", "Filter room members": "रूम के सदस्यों को फ़िल्टर करें",
"%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (शक्ति %(powerLevelNumber)s)", "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (शक्ति %(powerLevelNumber)s)",
"Hangup": "फोन रख देना",
"Voice call": "आवाज कॉल",
"Video call": "वीडियो कॉल",
"Send an encrypted reply…": "एक एन्क्रिप्टेड उत्तर भेजें …",
"Send an encrypted message…": "एक एन्क्रिप्टेड संदेश भेजें …",
"This room has been replaced and is no longer active.": "इस रूम को बदल दिया गया है और अब सक्रिय नहीं है।", "This room has been replaced and is no longer active.": "इस रूम को बदल दिया गया है और अब सक्रिय नहीं है।",
"The conversation continues here.": "वार्तालाप यहां जारी है।", "The conversation continues here.": "वार्तालाप यहां जारी है।",
"You do not have permission to post to this room": "आपको इस रूम में पोस्ट करने की अनुमति नहीं है", "You do not have permission to post to this room": "आपको इस रूम में पोस्ट करने की अनुमति नहीं है",
@ -255,7 +245,6 @@
"Restore from Backup": "बैकअप से बहाल करना", "Restore from Backup": "बैकअप से बहाल करना",
"Back up your keys before signing out to avoid losing them.": "उन्हें खोने से बचने के लिए साइन आउट करने से पहले अपनी कुंजियों का बैकअप लें।", "Back up your keys before signing out to avoid losing them.": "उन्हें खोने से बचने के लिए साइन आउट करने से पहले अपनी कुंजियों का बैकअप लें।",
"All keys backed up": "सभी कुंजियाँ वापस आ गईं", "All keys backed up": "सभी कुंजियाँ वापस आ गईं",
"Advanced": "उन्नत",
"Start using Key Backup": "कुंजी बैकअप का उपयोग करना शुरू करें", "Start using Key Backup": "कुंजी बैकअप का उपयोग करना शुरू करें",
"Unable to verify phone number.": "फ़ोन नंबर सत्यापित करने में असमर्थ।", "Unable to verify phone number.": "फ़ोन नंबर सत्यापित करने में असमर्थ।",
"Verification code": "पुष्टि संख्या", "Verification code": "पुष्टि संख्या",
@ -477,17 +466,6 @@
"Too Many Calls": "बहुत अधिक कॉल", "Too Many Calls": "बहुत अधिक कॉल",
"You cannot place calls without a connection to the server.": "आप सर्वर से कनेक्शन के बिना कॉल नहीं कर सकते।", "You cannot place calls without a connection to the server.": "आप सर्वर से कनेक्शन के बिना कॉल नहीं कर सकते।",
"Connectivity to the server has been lost": "सर्वर से कनेक्टिविटी खो गई है", "Connectivity to the server has been lost": "सर्वर से कनेक्टिविटी खो गई है",
"You cannot place calls in this browser.": "आप इस ब्राउज़र में कॉल नहीं कर सकते।",
"Calls are unsupported": "कॉल असमर्थित हैं",
"You're already in a call with this person.": "आप पहले से ही इस व्यक्ति के साथ कॉल में हैं।",
"Already in call": "पहले से ही कॉल में है",
"No other application is using the webcam": "कोई अन्य एप्लिकेशन वेबकैम का उपयोग नहीं कर रहा है",
"Permission is granted to use the webcam": "वेबकैम का उपयोग करने की अनुमति दी गई है",
"A microphone and webcam are plugged in and set up correctly": "एक माइक्रोफ़ोन और वेब कैमरा प्लग इन किया गया है और सही तरीके से सेट किया गया है",
"Call failed because webcam or microphone could not be accessed. Check that:": "कॉल विफल हुआ क्योंकि वेबकैम या माइक्रोफ़ोन तक नहीं पहुंचा जा सका। जांच करे:",
"Unable to access webcam / microphone": "वेबकैम / माइक्रोफ़ोन तक पहुँचने में असमर्थ",
"Call failed because microphone could not be accessed. Check that a microphone is plugged in and set up correctly.": "कॉल विफल हुआ क्योंकि माइक्रोफ़ोन तक नहीं पहुँचा जा सका। जांचें कि एक माइक्रोफ़ोन प्लग इन है और सही तरीके से सेट है।",
"Unable to access microphone": "माइक्रोफ़ोन एक्सेस करने में असमर्थ",
"Please ask the administrator of your homeserver (<code>%(homeserverDomain)s</code>) to configure a TURN server in order for calls to work reliably.": "कृपया अपने होमसर्वर (<code>%(homeserverDomain)s</code>) के व्यवस्थापक से एक TURN सर्वर कॉन्फ़िगर करने के लिए कहें ताकि कॉल विश्वसनीय रूप से काम करें।", "Please ask the administrator of your homeserver (<code>%(homeserverDomain)s</code>) to configure a TURN server in order for calls to work reliably.": "कृपया अपने होमसर्वर (<code>%(homeserverDomain)s</code>) के व्यवस्थापक से एक TURN सर्वर कॉन्फ़िगर करने के लिए कहें ताकि कॉल विश्वसनीय रूप से काम करें।",
"Call failed due to misconfigured server": "गलत कॉन्फ़िगर किए गए सर्वर के कारण कॉल विफल रहा", "Call failed due to misconfigured server": "गलत कॉन्फ़िगर किए गए सर्वर के कारण कॉल विफल रहा",
"The call was answered on another device.": "किसी अन्य डिवाइस पर कॉल का उत्तर दिया गया था।", "The call was answered on another device.": "किसी अन्य डिवाइस पर कॉल का उत्तर दिया गया था।",
@ -564,7 +542,9 @@
}, },
"bug_reporting": { "bug_reporting": {
"submit_debug_logs": "डिबग लॉग जमा करें", "submit_debug_logs": "डिबग लॉग जमा करें",
"title": "बग रिपोर्टिंग" "title": "बग रिपोर्टिंग",
"collecting_information": "ऐप संस्करण जानकारी एकत्रित कर रहा हैं",
"collecting_logs": "लॉग एकत्रित कर रहा हैं"
}, },
"time": { "time": {
"date_at_time": "%(date)s %(time)s पर", "date_at_time": "%(date)s %(time)s पर",
@ -663,7 +643,10 @@
"ignore": "उपयोगकर्ता को अनदेखा करें और स्वयं से संदेश छुपाएं", "ignore": "उपयोगकर्ता को अनदेखा करें और स्वयं से संदेश छुपाएं",
"unignore": "उपयोगकर्ता को अनदेखा करना बंद करें और एक संदेश प्रदर्शित करें", "unignore": "उपयोगकर्ता को अनदेखा करना बंद करें और एक संदेश प्रदर्शित करें",
"devtools": "डेवलपर टूल्स संवाद खोलता है", "devtools": "डेवलपर टूल्स संवाद खोलता है",
"addwidget": "रूम में URL द्वारा एक कस्टम विजेट जोड़ता है" "addwidget": "रूम में URL द्वारा एक कस्टम विजेट जोड़ता है",
"usage": "प्रयोग",
"category_admin": "व्यवस्थापक",
"category_advanced": "उन्नत"
}, },
"presence": { "presence": {
"online_for": "%(duration)s के लिए ऑनलाइन", "online_for": "%(duration)s के लिए ऑनलाइन",
@ -675,5 +658,27 @@
"unknown": "अज्ञात", "unknown": "अज्ञात",
"offline": "ऑफलाइन" "offline": "ऑफलाइन"
}, },
"Unknown": "अज्ञात" "Unknown": "अज्ञात",
"voip": {
"hangup": "फोन रख देना",
"voice_call": "आवाज कॉल",
"video_call": "वीडियो कॉल",
"call_failed": "कॉल विफल",
"unable_to_access_microphone": "माइक्रोफ़ोन एक्सेस करने में असमर्थ",
"call_failed_microphone": "कॉल विफल हुआ क्योंकि माइक्रोफ़ोन तक नहीं पहुँचा जा सका। जांचें कि एक माइक्रोफ़ोन प्लग इन है और सही तरीके से सेट है।",
"unable_to_access_media": "वेबकैम / माइक्रोफ़ोन तक पहुँचने में असमर्थ",
"call_failed_media": "कॉल विफल हुआ क्योंकि वेबकैम या माइक्रोफ़ोन तक नहीं पहुंचा जा सका। जांच करे:",
"call_failed_media_connected": "एक माइक्रोफ़ोन और वेब कैमरा प्लग इन किया गया है और सही तरीके से सेट किया गया है",
"call_failed_media_permissions": "वेबकैम का उपयोग करने की अनुमति दी गई है",
"call_failed_media_applications": "कोई अन्य एप्लिकेशन वेबकैम का उपयोग नहीं कर रहा है",
"already_in_call": "पहले से ही कॉल में है",
"already_in_call_person": "आप पहले से ही इस व्यक्ति के साथ कॉल में हैं।",
"unsupported": "कॉल असमर्थित हैं",
"unsupported_browser": "आप इस ब्राउज़र में कॉल नहीं कर सकते।"
},
"Advanced": "उन्नत",
"composer": {
"placeholder_reply_encrypted": "एक एन्क्रिप्टेड उत्तर भेजें …",
"placeholder_encrypted": "एक एन्क्रिप्टेड संदेश भेजें …"
}
} }

View file

@ -125,17 +125,8 @@
"You do not have permission to start a conference call in this room": "Nemate dopuštenje uspostaviti konferencijski poziv u ovoj sobi", "You do not have permission to start a conference call in this room": "Nemate dopuštenje uspostaviti konferencijski poziv u ovoj sobi",
"Permission Required": "Potrebno dopuštenje", "Permission Required": "Potrebno dopuštenje",
"You cannot place a call with yourself.": "Ne možete uspostaviti poziv sami sa sobom.", "You cannot place a call with yourself.": "Ne možete uspostaviti poziv sami sa sobom.",
"You're already in a call with this person.": "Već ste u pozivu sa tom osobom.",
"Already in call": "Već u pozivu",
"You've reached the maximum number of simultaneous calls.": "Dosegli ste maksimalan broj istodobnih poziva.", "You've reached the maximum number of simultaneous calls.": "Dosegli ste maksimalan broj istodobnih poziva.",
"Too Many Calls": "Previše poziva", "Too Many Calls": "Previše poziva",
"No other application is using the webcam": "Da ni jedna druga aplikacija već ne koristi web kameru",
"Permission is granted to use the webcam": "Jeli dopušteno korištenje web kamere",
"A microphone and webcam are plugged in and set up correctly": "Jesu li mikrofon i web kamera priključeni i pravilno postavljeni",
"Unable to access webcam / microphone": "Nije moguće pristupiti web kameri / mikrofonu",
"Call failed because webcam or microphone could not be accessed. Check that:": "Poziv nije uspio jer nije bilo moguće pristupiti web kameri ili mikrofonu. Provjerite:",
"Call failed because microphone could not be accessed. Check that a microphone is plugged in and set up correctly.": "Poziv nije uspio jer nije bilo moguće pristupiti mikrofonu. Provjerite je li mikrofon priključen i ispravno postavljen.",
"Unable to access microphone": "Nije moguće pristupiti mikrofonu",
"Please ask the administrator of your homeserver (<code>%(homeserverDomain)s</code>) to configure a TURN server in order for calls to work reliably.": "Zamolite administratora Vašeg kućnog poslužitelja (<code>%(homeserverDomain)s</code>) da konfigurira TURN poslužitelj kako bi pozivi mogli pouzdano funkcionirati.", "Please ask the administrator of your homeserver (<code>%(homeserverDomain)s</code>) to configure a TURN server in order for calls to work reliably.": "Zamolite administratora Vašeg kućnog poslužitelja (<code>%(homeserverDomain)s</code>) da konfigurira TURN poslužitelj kako bi pozivi mogli pouzdano funkcionirati.",
"Call failed due to misconfigured server": "Poziv neuspješan radi pogrešno konfiguriranog poslužitelja", "Call failed due to misconfigured server": "Poziv neuspješan radi pogrešno konfiguriranog poslužitelja",
"The call was answered on another device.": "Na poziv je odgovoreno sa drugog uređaja.", "The call was answered on another device.": "Na poziv je odgovoreno sa drugog uređaja.",
@ -143,7 +134,6 @@
"The call could not be established": "Poziv se nije mogao uspostaviti", "The call could not be established": "Poziv se nije mogao uspostaviti",
"The user you called is busy.": "Pozvani korisnik je zauzet.", "The user you called is busy.": "Pozvani korisnik je zauzet.",
"User Busy": "Korisnik zauzet", "User Busy": "Korisnik zauzet",
"Call Failed": "Poziv neuspješan",
"Unable to load! Check your network connectivity and try again.": "Učitavanje nije moguće! Provjerite mrežnu povezanost i pokušajte ponovo.", "Unable to load! Check your network connectivity and try again.": "Učitavanje nije moguće! Provjerite mrežnu povezanost i pokušajte ponovo.",
"Confirm adding this phone number by using Single Sign On to prove your identity.": "Potvrdite dodavanje ovog telefonskog broja koristeći jedinstvenu prijavu (SSO) da biste dokazali Vaš identitet.", "Confirm adding this phone number by using Single Sign On to prove your identity.": "Potvrdite dodavanje ovog telefonskog broja koristeći jedinstvenu prijavu (SSO) da biste dokazali Vaš identitet.",
"Confirm adding this email address by using Single Sign On to prove your identity.": "Potvrdite dodavanje ove email adrese koristeći jedinstvenu prijavu (SSO) da biste dokazali Vaš identitet.", "Confirm adding this email address by using Single Sign On to prove your identity.": "Potvrdite dodavanje ove email adrese koristeći jedinstvenu prijavu (SSO) da biste dokazali Vaš identitet.",
@ -170,5 +160,17 @@
"trust": "Vjeruj", "trust": "Vjeruj",
"dismiss": "Odbaci", "dismiss": "Odbaci",
"confirm": "Potvrdi" "confirm": "Potvrdi"
},
"voip": {
"call_failed": "Poziv neuspješan",
"unable_to_access_microphone": "Nije moguće pristupiti mikrofonu",
"call_failed_microphone": "Poziv nije uspio jer nije bilo moguće pristupiti mikrofonu. Provjerite je li mikrofon priključen i ispravno postavljen.",
"unable_to_access_media": "Nije moguće pristupiti web kameri / mikrofonu",
"call_failed_media": "Poziv nije uspio jer nije bilo moguće pristupiti web kameri ili mikrofonu. Provjerite:",
"call_failed_media_connected": "Jesu li mikrofon i web kamera priključeni i pravilno postavljeni",
"call_failed_media_permissions": "Jeli dopušteno korištenje web kamere",
"call_failed_media_applications": "Da ni jedna druga aplikacija već ne koristi web kameru",
"already_in_call": "Već u pozivu",
"already_in_call_person": "Već ste u pozivu sa tom osobom."
} }
} }

View file

@ -6,14 +6,12 @@
"powered by Matrix": "a gépházban: Matrix", "powered by Matrix": "a gépházban: Matrix",
"unknown error code": "ismeretlen hibakód", "unknown error code": "ismeretlen hibakód",
"Account": "Fiók", "Account": "Fiók",
"Admin": "Admin",
"Admin Tools": "Admin. Eszközök", "Admin Tools": "Admin. Eszközök",
"No Microphones detected": "Nem található mikrofon", "No Microphones detected": "Nem található mikrofon",
"No Webcams detected": "Nem található webkamera", "No Webcams detected": "Nem található webkamera",
"No media permissions": "Nincs média jogosultság", "No media permissions": "Nincs média jogosultság",
"You may need to manually permit %(brand)s to access your microphone/webcam": "Lehet, hogy kézileg kell engedélyeznie a(z) %(brand)s számára, hogy hozzáférjen a mikrofonjához és webkamerájához", "You may need to manually permit %(brand)s to access your microphone/webcam": "Lehet, hogy kézileg kell engedélyeznie a(z) %(brand)s számára, hogy hozzáférjen a mikrofonjához és webkamerájához",
"Default Device": "Alapértelmezett eszköz", "Default Device": "Alapértelmezett eszköz",
"Advanced": "Speciális",
"Authentication": "Azonosítás", "Authentication": "Azonosítás",
"Failed to change password. Is your password correct?": "Nem sikerült megváltoztatni a jelszót. Helyesen írta be a jelszavát?", "Failed to change password. Is your password correct?": "Nem sikerült megváltoztatni a jelszót. Helyesen írta be a jelszavát?",
"Create new room": "Új szoba létrehozása", "Create new room": "Új szoba létrehozása",
@ -64,7 +62,6 @@
"Forget room": "Szoba elfelejtése", "Forget room": "Szoba elfelejtése",
"For security, this session has been signed out. Please sign in again.": "A biztonság érdekében ez a kapcsolat le lesz bontva. Légy szíves jelentkezz be újra.", "For security, this session has been signed out. Please sign in again.": "A biztonság érdekében ez a kapcsolat le lesz bontva. Légy szíves jelentkezz be újra.",
"%(userId)s from %(fromPowerLevel)s to %(toPowerLevel)s": "%(userId)s: %(fromPowerLevel)s -> %(toPowerLevel)s", "%(userId)s from %(fromPowerLevel)s to %(toPowerLevel)s": "%(userId)s: %(fromPowerLevel)s -> %(toPowerLevel)s",
"Hangup": "Bontás",
"Historical": "Archív", "Historical": "Archív",
"Home": "Kezdőlap", "Home": "Kezdőlap",
"Import E2E room keys": "E2E szobakulcsok importálása", "Import E2E room keys": "E2E szobakulcsok importálása",
@ -134,13 +131,10 @@
}, },
"Upload avatar": "Profilkép feltöltése", "Upload avatar": "Profilkép feltöltése",
"Upload Failed": "Feltöltés sikertelen", "Upload Failed": "Feltöltés sikertelen",
"Usage": "Használat",
"%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (szint: %(powerLevelNumber)s)", "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (szint: %(powerLevelNumber)s)",
"Users": "Felhasználók", "Users": "Felhasználók",
"Verification Pending": "Ellenőrzés függőben", "Verification Pending": "Ellenőrzés függőben",
"Verified key": "Ellenőrzött kulcs", "Verified key": "Ellenőrzött kulcs",
"Video call": "Videóhívás",
"Voice call": "Hanghívás",
"Warning!": "Figyelmeztetés!", "Warning!": "Figyelmeztetés!",
"Who can read history?": "Ki olvashatja a régi üzeneteket?", "Who can read history?": "Ki olvashatja a régi üzeneteket?",
"You cannot place a call with yourself.": "Nem hívhatja fel saját magát.", "You cannot place a call with yourself.": "Nem hívhatja fel saját magát.",
@ -346,20 +340,16 @@
"%(duration)sd": "%(duration)s nap", "%(duration)sd": "%(duration)s nap",
"collapse": "becsukás", "collapse": "becsukás",
"expand": "kinyitás", "expand": "kinyitás",
"Call Failed": "Sikertelen hívás",
"Send": "Elküldés", "Send": "Elküldés",
"Old cryptography data detected": "Régi titkosítási adatot találhatók", "Old cryptography data detected": "Régi titkosítási adatot találhatók",
"Data from an older version of %(brand)s has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "Régebbi %(brand)s verzióból származó adatok találhatók. Ezek hibás működéshez vezethettek a végpontok közti titkosításban a régebbi verzióknál. A nemrég küldött/fogadott titkosított üzenetek, ha a régi adatokat használták, lehetséges, hogy nem lesznek visszafejthetők ebben a verzióban. Ha problémákba ütközik, akkor jelentkezzen ki és be. A régi üzenetek elérésének biztosításához exportálja a kulcsokat, és importálja be újra.", "Data from an older version of %(brand)s has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "Régebbi %(brand)s verzióból származó adatok találhatók. Ezek hibás működéshez vezethettek a végpontok közti titkosításban a régebbi verzióknál. A nemrég küldött/fogadott titkosított üzenetek, ha a régi adatokat használták, lehetséges, hogy nem lesznek visszafejthetők ebben a verzióban. Ha problémákba ütközik, akkor jelentkezzen ki és be. A régi üzenetek elérésének biztosításához exportálja a kulcsokat, és importálja be újra.",
"You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.": "Ahogy lefokozod magad a változás visszafordíthatatlan, ha te vagy az utolsó jogosultságokkal bíró felhasználó a szobában a jogok már nem szerezhetők vissza.", "You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.": "Ahogy lefokozod magad a változás visszafordíthatatlan, ha te vagy az utolsó jogosultságokkal bíró felhasználó a szobában a jogok már nem szerezhetők vissza.",
"Send an encrypted reply…": "Titkosított válasz küldése…",
"Send an encrypted message…": "Titkosított üzenet küldése…",
"Replying": "Válasz", "Replying": "Válasz",
"%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(fullYear)s. %(monthName)s %(day)s., %(weekDayName)s", "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(fullYear)s. %(monthName)s %(day)s., %(weekDayName)s",
"This room is not public. You will not be able to rejoin without an invite.": "Ez a szoba nem nyilvános. Kilépés után csak újabb meghívóval tudsz újra belépni a szobába.", "This room is not public. You will not be able to rejoin without an invite.": "Ez a szoba nem nyilvános. Kilépés után csak újabb meghívóval tudsz újra belépni a szobába.",
"<a>In reply to</a> <pill>": "<a>Válasz neki</a> <pill>", "<a>In reply to</a> <pill>": "<a>Válasz neki</a> <pill>",
"Failed to remove tag %(tagName)s from room": "Nem sikerült a szobáról eltávolítani ezt: %(tagName)s", "Failed to remove tag %(tagName)s from room": "Nem sikerült a szobáról eltávolítani ezt: %(tagName)s",
"Failed to add tag %(tagName)s to room": "Nem sikerült hozzáadni a szobához ezt: %(tagName)s", "Failed to add tag %(tagName)s to room": "Nem sikerült hozzáadni a szobához ezt: %(tagName)s",
"Stickerpack": "Matrica csomag",
"You don't currently have any stickerpacks enabled": "Nincs engedélyezett matrica csomagod", "You don't currently have any stickerpacks enabled": "Nincs engedélyezett matrica csomagod",
"Sunday": "Vasárnap", "Sunday": "Vasárnap",
"Notification targets": "Értesítések célpontja", "Notification targets": "Értesítések célpontja",
@ -376,12 +366,10 @@
"Filter results": "Találatok szűrése", "Filter results": "Találatok szűrése",
"No update available.": "Nincs elérhető frissítés.", "No update available.": "Nincs elérhető frissítés.",
"Noisy": "Hangos", "Noisy": "Hangos",
"Collecting app version information": "Alkalmazás verzióinformációinak összegyűjtése",
"Tuesday": "Kedd", "Tuesday": "Kedd",
"Preparing to send logs": "Előkészülés napló küldéshez", "Preparing to send logs": "Előkészülés napló küldéshez",
"Saturday": "Szombat", "Saturday": "Szombat",
"Monday": "Hétfő", "Monday": "Hétfő",
"Collecting logs": "Naplók összegyűjtése",
"Invite to this room": "Meghívás a szobába", "Invite to this room": "Meghívás a szobába",
"All messages": "Összes üzenet", "All messages": "Összes üzenet",
"What's new?": "Mik az újdonságok?", "What's new?": "Mik az újdonságok?",
@ -429,7 +417,6 @@
"This event could not be displayed": "Az eseményt nem lehet megjeleníteni", "This event could not be displayed": "Az eseményt nem lehet megjeleníteni",
"Permission Required": "Jogosultság szükséges", "Permission Required": "Jogosultság szükséges",
"You do not have permission to start a conference call in this room": "Nincs jogosultsága konferenciahívást kezdeményezni ebben a szobában", "You do not have permission to start a conference call in this room": "Nincs jogosultsága konferenciahívást kezdeményezni ebben a szobában",
"System Alerts": "Rendszer figyelmeztetések",
"Only room administrators will see this warning": "Csak a szoba adminisztrátorai látják ezt a figyelmeztetést", "Only room administrators will see this warning": "Csak a szoba adminisztrátorai látják ezt a figyelmeztetést",
"This homeserver has hit its Monthly Active User limit.": "A Matrix-kiszolgáló elérte a havi aktív felhasználói korlátot.", "This homeserver has hit its Monthly Active User limit.": "A Matrix-kiszolgáló elérte a havi aktív felhasználói korlátot.",
"This homeserver has exceeded one of its resource limits.": "A Matrix-kiszolgáló túllépte valamelyik erőforráskorlátját.", "This homeserver has exceeded one of its resource limits.": "A Matrix-kiszolgáló túllépte valamelyik erőforráskorlátját.",
@ -568,7 +555,6 @@
"Email (optional)": "E-mail (nem kötelező)", "Email (optional)": "E-mail (nem kötelező)",
"Phone (optional)": "Telefonszám (nem kötelező)", "Phone (optional)": "Telefonszám (nem kötelező)",
"Join millions for free on the largest public server": "Csatlakozzon több millió felhasználóhoz ingyen a legnagyobb nyilvános szerveren", "Join millions for free on the largest public server": "Csatlakozzon több millió felhasználóhoz ingyen a legnagyobb nyilvános szerveren",
"Other": "Egyéb",
"Create account": "Fiók létrehozása", "Create account": "Fiók létrehozása",
"Recovery Method Removed": "Helyreállítási mód törölve", "Recovery Method Removed": "Helyreállítási mód törölve",
"If you didn't remove the recovery method, an attacker may be trying to access your account. Change your account password and set a new recovery method immediately in Settings.": "Ha nem Ön törölte a helyreállítási módot, akkor lehet, hogy egy támadó hozzá akar férni a fiókjához. Azonnal változtassa meg a jelszavát, és állítson be egy helyreállítási módot a Beállításokban.", "If you didn't remove the recovery method, an attacker may be trying to access your account. Change your account password and set a new recovery method immediately in Settings.": "Ha nem Ön törölte a helyreállítási módot, akkor lehet, hogy egy támadó hozzá akar férni a fiókjához. Azonnal változtassa meg a jelszavát, és állítson be egy helyreállítási módot a Beállításokban.",
@ -662,19 +648,6 @@
"Could not load user profile": "A felhasználói profil nem tölthető be", "Could not load user profile": "A felhasználói profil nem tölthető be",
"The user must be unbanned before they can be invited.": "Előbb vissza kell vonni felhasználó kitiltását, mielőtt újra meghívható lesz.", "The user must be unbanned before they can be invited.": "Előbb vissza kell vonni felhasználó kitiltását, mielőtt újra meghívható lesz.",
"Accept all %(invitedRooms)s invites": "Mind a(z) %(invitedRooms)s meghívó elfogadása", "Accept all %(invitedRooms)s invites": "Mind a(z) %(invitedRooms)s meghívó elfogadása",
"Change room avatar": "Szoba profilképének megváltoztatása",
"Change room name": "Szoba nevének megváltoztatása",
"Change main address for the room": "A szoba elsődleges címének megváltoztatása",
"Change history visibility": "Régi üzenetek láthatóságának megváltoztatása",
"Change permissions": "Jogosultságok megváltoztatása",
"Change topic": "Téma megváltoztatása",
"Modify widgets": "Kisalkalmazások megváltoztatása",
"Default role": "Alapértelmezett szerep",
"Send messages": "Üzenetek küldése",
"Invite users": "Felhasználók meghívása",
"Change settings": "Beállítások megváltoztatása",
"Ban users": "Felhasználók kitiltása",
"Notify everyone": "Mindenki értesítése",
"Send %(eventType)s events": "%(eventType)s esemény küldése", "Send %(eventType)s events": "%(eventType)s esemény küldése",
"Select the roles required to change various parts of the room": "A szoba bizonyos beállításainak megváltoztatásához szükséges szerep kiválasztása", "Select the roles required to change various parts of the room": "A szoba bizonyos beállításainak megváltoztatásához szükséges szerep kiválasztása",
"Enable encryption?": "Titkosítás engedélyezése?", "Enable encryption?": "Titkosítás engedélyezése?",
@ -808,8 +781,6 @@
"Summary": "Összefoglaló", "Summary": "Összefoglaló",
"Call failed due to misconfigured server": "A hívás a helytelenül beállított kiszolgáló miatt sikertelen", "Call failed due to misconfigured server": "A hívás a helytelenül beállított kiszolgáló miatt sikertelen",
"Please ask the administrator of your homeserver (<code>%(homeserverDomain)s</code>) to configure a TURN server in order for calls to work reliably.": "Kérje meg a Matrix-kiszolgáló (<code>%(homeserverDomain)s</code>) rendszergazdáját, hogy a hívások megfelelő működéséhez állítson be egy TURN-kiszolgálót.", "Please ask the administrator of your homeserver (<code>%(homeserverDomain)s</code>) to configure a TURN server in order for calls to work reliably.": "Kérje meg a Matrix-kiszolgáló (<code>%(homeserverDomain)s</code>) rendszergazdáját, hogy a hívások megfelelő működéséhez állítson be egy TURN-kiszolgálót.",
"Messages": "Üzenetek",
"Actions": "Műveletek",
"Accept <policyLink /> to continue:": "<policyLink /> elfogadása a továbblépéshez:", "Accept <policyLink /> to continue:": "<policyLink /> elfogadása a továbblépéshez:",
"Checking server": "Kiszolgáló ellenőrzése", "Checking server": "Kiszolgáló ellenőrzése",
"Terms of service not accepted or the identity server is invalid.": "A felhasználási feltételek nincsenek elfogadva, vagy az azonosítási kiszolgáló nem érvényes.", "Terms of service not accepted or the identity server is invalid.": "A felhasználási feltételek nincsenek elfogadva, vagy az azonosítási kiszolgáló nem érvényes.",
@ -840,10 +811,8 @@
"If you don't want to use <server /> to discover and be discoverable by existing contacts you know, enter another identity server below.": "Ha nem szeretné a(z) <server /> kiszolgálót használnia kapcsolatok kereséséhez, és hogy megtalálják az ismerősei, akkor adjon meg egy másik azonosítási kiszolgálót.", "If you don't want to use <server /> to discover and be discoverable by existing contacts you know, enter another identity server below.": "Ha nem szeretné a(z) <server /> kiszolgálót használnia kapcsolatok kereséséhez, és hogy megtalálják az ismerősei, akkor adjon meg egy másik azonosítási kiszolgálót.",
"Using an identity server is optional. If you choose not to use an identity server, you won't be discoverable by other users and you won't be able to invite others by email or phone.": "Az azonosítási kiszolgáló használata nem kötelező. Ha úgy dönt, hogy nem használ azonosítási kiszolgálót, akkor felhasználók nem találják meg Önt, és nem tud másokat meghívni e-mail-cím vagy telefonszám alapján.", "Using an identity server is optional. If you choose not to use an identity server, you won't be discoverable by other users and you won't be able to invite others by email or phone.": "Az azonosítási kiszolgáló használata nem kötelező. Ha úgy dönt, hogy nem használ azonosítási kiszolgálót, akkor felhasználók nem találják meg Önt, és nem tud másokat meghívni e-mail-cím vagy telefonszám alapján.",
"Do not use an identity server": "Az azonosítási kiszolgáló mellőzése", "Do not use an identity server": "Az azonosítási kiszolgáló mellőzése",
"Upgrade the room": "Szoba fejlesztése",
"Use an identity server to invite by email. <default>Use the default (%(defaultIdentityServerName)s)</default> or manage in <settings>Settings</settings>.": "Használjon azonosítási kiszolgálót az e-mailben történő meghíváshoz. <default> Használja az alapértelmezett kiszolgálót (%(defaultIdentityServerName)s)</default> vagy adjon meg egy másikat a <settings>Beállításokban</settings>.", "Use an identity server to invite by email. <default>Use the default (%(defaultIdentityServerName)s)</default> or manage in <settings>Settings</settings>.": "Használjon azonosítási kiszolgálót az e-mailben történő meghíváshoz. <default> Használja az alapértelmezett kiszolgálót (%(defaultIdentityServerName)s)</default> vagy adjon meg egy másikat a <settings>Beállításokban</settings>.",
"Use an identity server to invite by email. Manage in <settings>Settings</settings>.": "Használjon egy azonosítási kiszolgálót az e-maillel történő meghíváshoz. Kezelés a <settings>Beállításokban</settings>.", "Use an identity server to invite by email. Manage in <settings>Settings</settings>.": "Használjon egy azonosítási kiszolgálót az e-maillel történő meghíváshoz. Kezelés a <settings>Beállításokban</settings>.",
"Enable room encryption": "Szoba titkosításának bekapcsolása",
"Use an identity server": "Azonosítási kiszolgáló használata", "Use an identity server": "Azonosítási kiszolgáló használata",
"Use an identity server to invite by email. Click continue to use the default identity server (%(defaultIdentityServerName)s) or manage in Settings.": "Azonosítási kiszolgáló használata az e-maillel történő meghíváshoz. Kattintson a folytatásra az alapértelmezett azonosítási kiszolgáló (%(defaultIdentityServerName)s) használatához, vagy állítsa be a Beállításokban.", "Use an identity server to invite by email. Click continue to use the default identity server (%(defaultIdentityServerName)s) or manage in Settings.": "Azonosítási kiszolgáló használata az e-maillel történő meghíváshoz. Kattintson a folytatásra az alapértelmezett azonosítási kiszolgáló (%(defaultIdentityServerName)s) használatához, vagy állítsa be a Beállításokban.",
"Use an identity server to invite by email. Manage in Settings.": "Egy azonosítási kiszolgáló használata az e-maillel történő meghíváshoz. Módosítás a Beállításokban.", "Use an identity server to invite by email. Manage in Settings.": "Egy azonosítási kiszolgáló használata az e-maillel történő meghíváshoz. Módosítás a Beállításokban.",
@ -1012,7 +981,6 @@
"in secret storage": "a biztonsági tárolóban", "in secret storage": "a biztonsági tárolóban",
"Secret storage public key:": "Titkos tároló nyilvános kulcsa:", "Secret storage public key:": "Titkos tároló nyilvános kulcsa:",
"in account data": "fiókadatokban", "in account data": "fiókadatokban",
"Cross-signing": "Eszközök közti hitelesítés",
"Unable to set up secret storage": "A biztonsági tárolót nem sikerült beállítani", "Unable to set up secret storage": "A biztonsági tárolót nem sikerült beállítani",
"%(senderName)s removed the rule banning users matching %(glob)s": "%(senderName)s törölte azt a szabályt, amellyel az ennek megfelelő felhasználók voltak kitiltva: %(glob)s", "%(senderName)s removed the rule banning users matching %(glob)s": "%(senderName)s törölte azt a szabályt, amellyel az ennek megfelelő felhasználók voltak kitiltva: %(glob)s",
"%(senderName)s removed the rule banning rooms matching %(glob)s": "%(senderName)s törölte azt a szabályt, amellyel az ennek megfelelő szobák voltak kitiltva: %(glob)s", "%(senderName)s removed the rule banning rooms matching %(glob)s": "%(senderName)s törölte azt a szabályt, amellyel az ennek megfelelő szobák voltak kitiltva: %(glob)s",
@ -1062,8 +1030,6 @@
"Send as message": "Küldés üzenetként", "Send as message": "Küldés üzenetként",
"This room is end-to-end encrypted": "Ez a szoba végpontok közötti titkosítást használ", "This room is end-to-end encrypted": "Ez a szoba végpontok közötti titkosítást használ",
"Everyone in this room is verified": "A szobában mindenki ellenőrizve van", "Everyone in this room is verified": "A szobában mindenki ellenőrizve van",
"Send a reply…": "Válasz küldése…",
"Send a message…": "Üzenet küldése…",
"Reject & Ignore user": "Felhasználó elutasítása és figyelmen kívül hagyása", "Reject & Ignore user": "Felhasználó elutasítása és figyelmen kívül hagyása",
"Enter your account password to confirm the upgrade:": "A fejlesztés megerősítéséhez add meg a fiók jelszavadat:", "Enter your account password to confirm the upgrade:": "A fejlesztés megerősítéséhez add meg a fiók jelszavadat:",
"You'll need to authenticate with the server to confirm the upgrade.": "A fejlesztés megerősítéséhez újból hitelesítenie kell a kiszolgálóval.", "You'll need to authenticate with the server to confirm the upgrade.": "A fejlesztés megerősítéséhez újból hitelesítenie kell a kiszolgálóval.",
@ -1344,16 +1310,6 @@
"System font name": "Rendszer betűkészletének neve", "System font name": "Rendszer betűkészletének neve",
"Hey you. You're the best!": "Szia! Te vagy a legjobb!", "Hey you. You're the best!": "Szia! Te vagy a legjobb!",
"The authenticity of this encrypted message can't be guaranteed on this device.": "A titkosított üzenetek valódiságát ezen az eszközön nem lehet garantálni.", "The authenticity of this encrypted message can't be guaranteed on this device.": "A titkosított üzenetek valódiságát ezen az eszközön nem lehet garantálni.",
"You joined the call": "Csatlakozott a hívásba",
"%(senderName)s joined the call": "%(senderName)s csatlakozott a hívásba",
"Call in progress": "Folyamatban lévő hívás",
"Call ended": "A hívás befejeződött",
"You started a call": "Hívást indított",
"%(senderName)s started a call": "%(senderName)s hívást indított",
"Waiting for answer": "Válaszra várakozás",
"%(senderName)s is calling": "%(senderName)s hívja",
"%(senderName)s: %(message)s": "%(senderName)s: %(message)s",
"%(senderName)s: %(stickerName)s": "%(senderName)s: %(stickerName)s",
"Message deleted on %(date)s": "Az üzenetet ekkor törölték: %(date)s", "Message deleted on %(date)s": "Az üzenetet ekkor törölték: %(date)s",
"Wrong file type": "A fájltípus hibás", "Wrong file type": "A fájltípus hibás",
"Security Phrase": "Biztonsági jelmondat", "Security Phrase": "Biztonsági jelmondat",
@ -1368,7 +1324,6 @@
"Set a Security Phrase": "Biztonsági Jelmondat beállítása", "Set a Security Phrase": "Biztonsági Jelmondat beállítása",
"Confirm Security Phrase": "Biztonsági jelmondat megerősítése", "Confirm Security Phrase": "Biztonsági jelmondat megerősítése",
"Save your Security Key": "Mentse el a biztonsági kulcsát", "Save your Security Key": "Mentse el a biztonsági kulcsát",
"Unknown caller": "Ismeretlen hívó",
"Appearance Settings only affect this %(brand)s session.": "A megjelenés beállításai csak erre az %(brand)s munkamenetre lesznek érvényesek.", "Appearance Settings only affect this %(brand)s session.": "A megjelenés beállításai csak erre az %(brand)s munkamenetre lesznek érvényesek.",
"Notification options": "Értesítési beállítások", "Notification options": "Értesítési beállítások",
"Favourited": "Kedvencnek jelölt", "Favourited": "Kedvencnek jelölt",
@ -1382,7 +1337,6 @@
"Show previews of messages": "Üzenet előnézet megjelenítése", "Show previews of messages": "Üzenet előnézet megjelenítése",
"Edited at %(date)s": "Szerkesztve ekkor: %(date)s", "Edited at %(date)s": "Szerkesztve ekkor: %(date)s",
"Click to view edits": "A szerkesztések megtekintéséhez kattints", "Click to view edits": "A szerkesztések megtekintéséhez kattints",
"* %(senderName)s %(emote)s": "* %(senderName)s %(emote)s",
"Change notification settings": "Értesítési beállítások megváltoztatása", "Change notification settings": "Értesítési beállítások megváltoztatása",
"Your server isn't responding to some <a>requests</a>.": "A kiszolgálója nem válaszol néhány <a>kérésre</a>.", "Your server isn't responding to some <a>requests</a>.": "A kiszolgálója nem válaszol néhány <a>kérésre</a>.",
"You're all caught up.": "Mindennel naprakész.", "You're all caught up.": "Mindennel naprakész.",
@ -1403,8 +1357,6 @@
"Explore public rooms": "Nyilvános szobák felfedezése", "Explore public rooms": "Nyilvános szobák felfedezése",
"Unexpected server error trying to leave the room": "Váratlan kiszolgálóhiba lépett fel a szobából való kilépés során", "Unexpected server error trying to leave the room": "Váratlan kiszolgálóhiba lépett fel a szobából való kilépés során",
"Error leaving room": "Hiba a szoba elhagyásakor", "Error leaving room": "Hiba a szoba elhagyásakor",
"Uploading logs": "Naplók feltöltése folyamatban",
"Downloading logs": "Naplók letöltése folyamatban",
"Information": "Információ", "Information": "Információ",
"Preparing to download logs": "Napló előkészítése feltöltéshez", "Preparing to download logs": "Napló előkészítése feltöltéshez",
"Set up Secure Backup": "Biztonsági mentés beállítása", "Set up Secure Backup": "Biztonsági mentés beállítása",
@ -1424,7 +1376,6 @@
"Secret storage:": "Titkos tároló:", "Secret storage:": "Titkos tároló:",
"ready": "kész", "ready": "kész",
"not ready": "nincs kész", "not ready": "nincs kész",
"Secure Backup": "Biztonsági mentés",
"Start a conversation with someone using their name or username (like <userId/>).": "Indíts beszélgetést valakivel és használd hozzá a nevét vagy a felhasználói nevét (mint <userId/>).", "Start a conversation with someone using their name or username (like <userId/>).": "Indíts beszélgetést valakivel és használd hozzá a nevét vagy a felhasználói nevét (mint <userId/>).",
"Invite someone using their name, username (like <userId/>) or <a>share this room</a>.": "Hívj meg valakit a nevét, vagy felhasználónevét (például <userId/>) megadva, vagy <a>oszd meg ezt a szobát</a>.", "Invite someone using their name, username (like <userId/>) or <a>share this room</a>.": "Hívj meg valakit a nevét, vagy felhasználónevét (például <userId/>) megadva, vagy <a>oszd meg ezt a szobát</a>.",
"Add widgets, bridges & bots": "Kisalkalmazások, hidak, és botok hozzáadása", "Add widgets, bridges & bots": "Kisalkalmazások, hidak, és botok hozzáadása",
@ -1446,7 +1397,6 @@
"Video conference started by %(senderName)s": "A videókonferenciát elindította: %(senderName)s", "Video conference started by %(senderName)s": "A videókonferenciát elindította: %(senderName)s",
"Failed to save your profile": "A saját profil mentése sikertelen", "Failed to save your profile": "A saját profil mentése sikertelen",
"The operation could not be completed": "A műveletet nem lehetett befejezni", "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",
"The call could not be established": "A hívás felépítése sikertelen", "The call could not be established": "A hívás felépítése sikertelen",
"Move right": "Mozgatás jobbra", "Move right": "Mozgatás jobbra",
"Move left": "Mozgatás balra", "Move left": "Mozgatás balra",
@ -1461,8 +1411,6 @@
"The call was answered on another device.": "A hívás másik eszközön lett fogadva.", "The call was answered on another device.": "A hívás másik eszközön lett fogadva.",
"Answered Elsewhere": "Máshol lett felvéve", "Answered Elsewhere": "Máshol lett felvéve",
"Feedback sent": "Visszajelzés elküldve", "Feedback sent": "Visszajelzés elküldve",
"%(senderName)s ended the call": "%(senderName)s befejezte a hívást",
"You ended the call": "Befejezte a hívást",
"New version of %(brand)s is available": "Új %(brand)s verzió érhető el", "New version of %(brand)s is available": "Új %(brand)s verzió érhető el",
"Update %(brand)s": "A(z) %(brand)s frissítése", "Update %(brand)s": "A(z) %(brand)s frissítése",
"Enable desktop notifications": "Asztali értesítések engedélyezése", "Enable desktop notifications": "Asztali értesítések engedélyezése",
@ -1769,9 +1717,6 @@
"Continuing without email": "Folytatás e-mail-cím nélkül", "Continuing without email": "Folytatás e-mail-cím nélkül",
"Reason (optional)": "Ok (opcionális)", "Reason (optional)": "Ok (opcionális)",
"Continue with %(provider)s": "Folytatás ezzel a szolgáltatóval: %(provider)s", "Continue with %(provider)s": "Folytatás ezzel a szolgáltatóval: %(provider)s",
"Return to call": "Visszatérés a híváshoz",
"%(peerName)s held the call": "%(peerName)s várakoztatja a hívást",
"You held the call <a>Resume</a>": "A hívás várakozik, <a>folytatás</a>",
"sends fireworks": "tűzijátékot küld", "sends fireworks": "tűzijátékot küld",
"Sends the given message with fireworks": "Tűzijátékkal küldi el az üzenetet", "Sends the given message with fireworks": "Tűzijátékkal küldi el az üzenetet",
"sends confetti": "konfettit küld", "sends confetti": "konfettit küld",
@ -1807,15 +1752,8 @@
"See when the topic changes in this room": "A szoba témaváltozásainak megjelenítése", "See when the topic changes in this room": "A szoba témaváltozásainak megjelenítése",
"Remain on your screen while running": "Amíg fut, addig maradjon a képernyőn", "Remain on your screen while running": "Amíg fut, addig maradjon a képernyőn",
"Remain on your screen when viewing another room, when running": "Amíg fut, akkor is maradjon a képernyőn, ha egy másik szobát néz", "Remain on your screen when viewing another room, when running": "Amíg fut, akkor is maradjon a képernyőn, ha egy másik szobát néz",
"Effects": "Effektek",
"You've reached the maximum number of simultaneous calls.": "Elérte az egyidejű hívások maximális számát.", "You've reached the maximum number of simultaneous calls.": "Elérte az egyidejű hívások maximális számát.",
"Too Many Calls": "Túl sok hívás", "Too Many Calls": "Túl sok hívás",
"No other application is using the webcam": "A webkamerát nem használja másik alkalmazás",
"Permission is granted to use the webcam": "A webkamera használatának engedélye meg van adva",
"A microphone and webcam are plugged in and set up correctly": "A mikrofon és webkamera csatlakoztatva van és megfelelően be van állítva",
"Unable to access webcam / microphone": "A webkamerát / mikrofont nem lehet használni",
"Call failed because microphone could not be accessed. Check that a microphone is plugged in and set up correctly.": "A hívás sikertelen mert a mikrofont nem lehet használni. Ellenőrizze, hogy csatlakoztatva van-e és megfelelően van-e beállítva.",
"Unable to access microphone": "A mikrofont nem lehet használni",
"Already have an account? <a>Sign in here</a>": "Van már fiókod? <a>Belépés</a>", "Already have an account? <a>Sign in here</a>": "Van már fiókod? <a>Belépés</a>",
"Use email to optionally be discoverable by existing contacts.": "Az e-mail (nem kötelező) megadása segíthet abban, hogy az ismerőseid megtaláljanak Matrix-on.", "Use email to optionally be discoverable by existing contacts.": "Az e-mail (nem kötelező) megadása segíthet abban, hogy az ismerőseid megtaláljanak Matrix-on.",
"Use email or phone to optionally be discoverable by existing contacts.": "Az e-mail, vagy telefonszám használatával a jelenlegi ismerőseid is megtalálhatnak.", "Use email or phone to optionally be discoverable by existing contacts.": "Az e-mail, vagy telefonszám használatával a jelenlegi ismerőseid is megtalálhatnak.",
@ -1826,7 +1764,6 @@
"Use your preferred Matrix homeserver if you have one, or host your own.": "Használja a választott Matrix-kiszolgálóját, ha van ilyenje, vagy üzemeltessen egy sajátot.", "Use your preferred Matrix homeserver if you have one, or host your own.": "Használja a választott Matrix-kiszolgálóját, ha van ilyenje, vagy üzemeltessen egy sajátot.",
"Other homeserver": "Másik Matrix-kiszolgáló", "Other homeserver": "Másik Matrix-kiszolgáló",
"Host account on": "Fiók létrehozása itt:", "Host account on": "Fiók létrehozása itt:",
"Call failed because webcam or microphone could not be accessed. Check that:": "A hívás sikertelen, mert a webkamera, vagy a mikrofon nem érhető el. Ellenőrizze a következőket:",
"Decide where your account is hosted": "Döntse el, hol szeretne fiókot létrehozni", "Decide where your account is hosted": "Döntse el, hol szeretne fiókot létrehozni",
"Send <b>%(msgtype)s</b> messages as you in your active room": "<b>%(msgtype)s</b> üzenetek küldése az aktív szobájába saját néven", "Send <b>%(msgtype)s</b> messages as you in your active room": "<b>%(msgtype)s</b> üzenetek küldése az aktív szobájába saját néven",
"Send <b>%(msgtype)s</b> messages as you in this room": "<b>%(msgtype)s</b> üzenetek küldése ebbe a szobába saját néven", "Send <b>%(msgtype)s</b> messages as you in this room": "<b>%(msgtype)s</b> üzenetek küldése ebbe a szobába saját néven",
@ -1847,8 +1784,6 @@
"one": "A titkosított üzenetek biztonságos helyi gyorsítótárazása, hogy megjelenhessenek a keresési találatok között, ehhez %(size)s helyet használ %(rooms)s szoba üzeneteihez.", "one": "A titkosított üzenetek biztonságos helyi gyorsítótárazása, hogy megjelenhessenek a keresési találatok között, ehhez %(size)s helyet használ %(rooms)s szoba üzeneteihez.",
"other": "A titkosított üzenetek biztonságos helyi gyorsítótárazása, hogy megjelenhessenek a keresési találatok között, ehhez %(size)s helyet használ %(rooms)s szoba üzeneteihez." "other": "A titkosított üzenetek biztonságos helyi gyorsítótárazása, hogy megjelenhessenek a keresési találatok között, ehhez %(size)s helyet használ %(rooms)s szoba üzeneteihez."
}, },
"%(name)s on hold": "%(name)s várakoztatva",
"You held the call <a>Switch</a>": "A hívás várakozik, <a>átkapcsolás</a>",
"sends snowfall": "hóesést küld", "sends snowfall": "hóesést küld",
"Sends the given message with snowfall": "Hóeséssel küldi el az üzenetet", "Sends the given message with snowfall": "Hóeséssel küldi el az üzenetet",
"See emotes posted to your active room": "Az aktív szobájába küldött emodzsik megjelenítése", "See emotes posted to your active room": "Az aktív szobájába küldött emodzsik megjelenítése",
@ -1934,7 +1869,6 @@
"You do not have permissions to add rooms to this space": "Nincs jogosultsága szobát hozzáadni ehhez a térhez", "You do not have permissions to add rooms to this space": "Nincs jogosultsága szobát hozzáadni ehhez a térhez",
"Add existing room": "Létező szoba hozzáadása", "Add existing room": "Létező szoba hozzáadása",
"You do not have permissions to create new rooms in this space": "Nincs jogosultsága szoba létrehozására ebben a térben", "You do not have permissions to create new rooms in this space": "Nincs jogosultsága szoba létrehozására ebben a térben",
"Send message": "Üzenet küldése",
"Invite to this space": "Meghívás a térbe", "Invite to this space": "Meghívás a térbe",
"Your message was sent": "Üzenet elküldve", "Your message was sent": "Üzenet elküldve",
"Space options": "Tér beállításai", "Space options": "Tér beállításai",
@ -1949,8 +1883,6 @@
"Open space for anyone, best for communities": "Mindenki számára nyílt tér, a közösségek számára ideális", "Open space for anyone, best for communities": "Mindenki számára nyílt tér, a közösségek számára ideális",
"Create a space": "Tér létrehozása", "Create a space": "Tér létrehozása",
"This homeserver has been blocked by its administrator.": "A Matrix-kiszolgálót a rendszergazda zárolta.", "This homeserver has been blocked by its administrator.": "A Matrix-kiszolgálót a rendszergazda zárolta.",
"You're already in a call with this person.": "Már hívásban van ezzel a személlyel.",
"Already in call": "A hívás már folyamatban van",
"Make sure the right people have access. You can invite more later.": "Ellenőrizze, hogy a megfelelő személyeknek van hozzáférése. Később meghívhat másokat is.", "Make sure the right people have access. You can invite more later.": "Ellenőrizze, hogy a megfelelő személyeknek van hozzáférése. Később meghívhat másokat is.",
"A private space to organise your rooms": "Privát tér a szobái csoportosításához", "A private space to organise your rooms": "Privát tér a szobái csoportosításához",
"Just me": "Csak én", "Just me": "Csak én",
@ -1998,11 +1930,9 @@
}, },
"Invite to just this room": "Meghívás csak ebbe a szobába", "Invite to just this room": "Meghívás csak ebbe a szobába",
"Manage & explore rooms": "Szobák kezelése és felderítése", "Manage & explore rooms": "Szobák kezelése és felderítése",
"Consulting with %(transferTarget)s. <a>Transfer to %(transferee)s</a>": "Egyeztetés vele: %(transferTarget)s. <a>Átadás ide: %(transferee)s</a>",
"unknown person": "ismeretlen személy", "unknown person": "ismeretlen személy",
"%(deviceId)s from %(ip)s": "%(deviceId)s innen: %(ip)s", "%(deviceId)s from %(ip)s": "%(deviceId)s innen: %(ip)s",
"Review to ensure your account is safe": "Tekintse át, hogy meggyőződjön arról, hogy a fiókja biztonságban van", "Review to ensure your account is safe": "Tekintse át, hogy meggyőződjön arról, hogy a fiókja biztonságban van",
"Change server ACLs": "Kiszolgáló ACL-ek módosítása",
"You are the only person here. If you leave, no one will be able to join in the future, including you.": "Csak ön van itt. Ha kilép, akkor a jövőben senki nem tud majd ide belépni, beleértve önt is.", "You are the only person here. If you leave, no one will be able to join in the future, including you.": "Csak ön van itt. Ha kilép, akkor a jövőben senki nem tud majd ide belépni, beleértve önt is.",
"If you reset everything, you will restart with no trusted sessions, no trusted users, and might not be able to see past messages.": "Ha mindent alaphelyzetbe állít, akkor nem lesz megbízható munkamenete, nem lesznek megbízható felhasználók és a régi üzenetekhez sem biztos, hogy hozzáfér majd.", "If you reset everything, you will restart with no trusted sessions, no trusted users, and might not be able to see past messages.": "Ha mindent alaphelyzetbe állít, akkor nem lesz megbízható munkamenete, nem lesznek megbízható felhasználók és a régi üzenetekhez sem biztos, hogy hozzáfér majd.",
"Only do this if you have no other device to complete verification with.": "Csak akkor tegye meg, ha egyetlen másik eszköze sincs az ellenőrzés elvégzéséhez.", "Only do this if you have no other device to complete verification with.": "Csak akkor tegye meg, ha egyetlen másik eszköze sincs az ellenőrzés elvégzéséhez.",
@ -2119,8 +2049,6 @@
"Failed to update the visibility of this space": "A tér láthatóságának frissítése sikertelen", "Failed to update the visibility of this space": "A tér láthatóságának frissítése sikertelen",
"Address": "Cím", "Address": "Cím",
"e.g. my-space": "például sajat-ter", "e.g. my-space": "például sajat-ter",
"Silence call": "Hívás némítása",
"Sound on": "Hang be",
"Unnamed audio": "Névtelen hang", "Unnamed audio": "Névtelen hang",
"Error processing audio message": "Hiba a hangüzenet feldolgozásánál", "Error processing audio message": "Hiba a hangüzenet feldolgozásánál",
"Show %(count)s other previews": { "Show %(count)s other previews": {
@ -2201,10 +2129,6 @@
"An error occurred whilst saving your notification preferences.": "Hiba történt az értesítési beállításai mentése során.", "An error occurred whilst saving your notification preferences.": "Hiba történt az értesítési beállításai mentése során.",
"Error saving notification preferences": "Hiba az értesítési beállítások mentése során", "Error saving notification preferences": "Hiba az értesítési beállítások mentése során",
"Messages containing keywords": "Kulcsszavakat tartalmazó üzenetek", "Messages containing keywords": "Kulcsszavakat tartalmazó üzenetek",
"Your camera is still enabled": "A kamerája még mindig be van kapcsolva",
"Your camera is turned off": "A kamerája ki van kapcsolva",
"%(sharerName)s is presenting": "%(sharerName)s tartja a bemutatót",
"You are presenting": "Ön tartja a bemutatót",
"Transfer Failed": "Átadás sikertelen", "Transfer Failed": "Átadás sikertelen",
"Unable to transfer call": "A hívás átadása nem lehetséges", "Unable to transfer call": "A hívás átadása nem lehetséges",
"Anyone will be able to find and join this room.": "Bárki megtalálhatja és beléphet ebbe a szobába.", "Anyone will be able to find and join this room.": "Bárki megtalálhatja és beléphet ebbe a szobába.",
@ -2235,16 +2159,9 @@
"Olm version:": "Olm verzió:", "Olm version:": "Olm verzió:",
"Stop recording": "Felvétel megállítása", "Stop recording": "Felvétel megállítása",
"Send voice message": "Hang üzenet küldése", "Send voice message": "Hang üzenet küldése",
"Mute the microphone": "Mikrofon némítása",
"Unmute the microphone": "Mikrofon némításának feloldása",
"Dialpad": "Tárcsázó",
"More": "Több", "More": "Több",
"Show sidebar": "Oldalsáv megjelenítése", "Show sidebar": "Oldalsáv megjelenítése",
"Hide sidebar": "Oldalsáv elrejtése", "Hide sidebar": "Oldalsáv elrejtése",
"Start sharing your screen": "Képernyőmegosztás bekapcsolása",
"Stop sharing your screen": "Képernyőmegosztás kikapcsolása",
"Stop the camera": "Kamera kikapcsolása",
"Start the camera": "Kamera bekapcsolása",
"Surround selected text when typing special characters": "Kijelölt szöveg körülvétele speciális karakterek beírásakor", "Surround selected text when typing special characters": "Kijelölt szöveg körülvétele speciális karakterek beírásakor",
"Unknown failure: %(reason)s": "Ismeretlen hiba: %(reason)s", "Unknown failure: %(reason)s": "Ismeretlen hiba: %(reason)s",
"No answer": "Nincs válasz", "No answer": "Nincs válasz",
@ -2264,15 +2181,9 @@
"Some encryption parameters have been changed.": "Néhány titkosítási paraméter megváltozott.", "Some encryption parameters have been changed.": "Néhány titkosítási paraméter megváltozott.",
"Role in <RoomName/>": "Szerep itt: <RoomName/>", "Role in <RoomName/>": "Szerep itt: <RoomName/>",
"Send a sticker": "Matrica küldése", "Send a sticker": "Matrica küldése",
"Reply to thread…": "Válasz az üzenetszálra…",
"Reply to encrypted thread…": "Válasz a titkosított üzenetszálra…",
"Unknown failure": "Ismeretlen hiba", "Unknown failure": "Ismeretlen hiba",
"Failed to update the join rules": "A csatlakozási szabályokat nem sikerült frissíteni", "Failed to update the join rules": "A csatlakozási szabályokat nem sikerült frissíteni",
"Select the roles required to change various parts of the space": "A tér bizonyos beállításainak megváltoztatásához szükséges szerep kiválasztása", "Select the roles required to change various parts of the space": "A tér bizonyos beállításainak megváltoztatásához szükséges szerep kiválasztása",
"Change description": "Leírás megváltoztatása",
"Change main address for the space": "Tér elsődleges címének megváltoztatása",
"Change space name": "Tér nevének megváltoztatása",
"Change space avatar": "Tér profilképének megváltoztatása",
"Anyone in <spaceName/> can find and join. You can select other spaces too.": "A(z) <spaceName/> téren bárki megtalálhatja és beléphet. Kiválaszthat más tereket is.", "Anyone in <spaceName/> can find and join. You can select other spaces too.": "A(z) <spaceName/> téren bárki megtalálhatja és beléphet. Kiválaszthat más tereket is.",
"Message didn't send. Click for info.": "Az üzenet nincs elküldve. Kattintson az információkért.", "Message didn't send. Click for info.": "Az üzenet nincs elküldve. Kattintson az információkért.",
"To join a space you'll need an invite.": "A térre való belépéshez meghívóra van szükség.", "To join a space you'll need an invite.": "A térre való belépéshez meghívóra van szükség.",
@ -2408,7 +2319,6 @@
"Files": "Fájlok", "Files": "Fájlok",
"Close this widget to view it in this panel": "Kisalkalmazás bezárása ezen a panelen való megjelenítéshez", "Close this widget to view it in this panel": "Kisalkalmazás bezárása ezen a panelen való megjelenítéshez",
"Unpin this widget to view it in this panel": "Kisalkalmazás rögzítésének megszüntetése az ezen a panelen való megjelenítéshez", "Unpin this widget to view it in this panel": "Kisalkalmazás rögzítésének megszüntetése az ezen a panelen való megjelenítéshez",
"Manage rooms in this space": "A tér szobáinak kezelése",
"You won't get any notifications": "Nem kap semmilyen értesítést", "You won't get any notifications": "Nem kap semmilyen értesítést",
"Get notified only with mentions and keywords as set up in your <a>settings</a>": "Értesítések fogadása csak megemlítéseknél és kulcsszavaknál, a <a>beállításokban</a> megadottak szerint", "Get notified only with mentions and keywords as set up in your <a>settings</a>": "Értesítések fogadása csak megemlítéseknél és kulcsszavaknál, a <a>beállításokban</a> megadottak szerint",
"@mentions & keywords": "@megemlítések és kulcsszavak", "@mentions & keywords": "@megemlítések és kulcsszavak",
@ -2461,13 +2371,10 @@
}, },
"No votes cast": "Nem adtak le szavazatot", "No votes cast": "Nem adtak le szavazatot",
"Share location": "Tartózkodási hely megosztása", "Share location": "Tartózkodási hely megosztása",
"Manage pinned events": "Kitűzött események kezelése",
"Help improve %(analyticsOwner)s": "Segítsen jobbá tenni: %(analyticsOwner)s", "Help improve %(analyticsOwner)s": "Segítsen jobbá tenni: %(analyticsOwner)s",
"That's fine": "Rendben van", "That's fine": "Rendben van",
"You cannot place calls without a connection to the server.": "Nem kezdeményezhet hívást a kiszolgálóval való kapcsolat nélkül.", "You cannot place calls without a connection to the server.": "Nem kezdeményezhet hívást a kiszolgálóval való kapcsolat nélkül.",
"Connectivity to the server has been lost": "Megszakadt a kapcsolat a kiszolgálóval", "Connectivity to the server has been lost": "Megszakadt a kapcsolat a kiszolgálóval",
"You cannot place calls in this browser.": "Nem indíthat hívást ebben a böngészőben.",
"Calls are unsupported": "A hívások nem támogatottak",
"Final result based on %(count)s votes": { "Final result based on %(count)s votes": {
"one": "Végeredmény %(count)s szavazat alapján", "one": "Végeredmény %(count)s szavazat alapján",
"other": "Végeredmény %(count)s szavazat alapján" "other": "Végeredmény %(count)s szavazat alapján"
@ -2514,12 +2421,10 @@
"Verify this device by completing one of the following:": "Ellenőrizze ezt az eszközt az alábbiak egyikével:", "Verify this device by completing one of the following:": "Ellenőrizze ezt az eszközt az alábbiak egyikével:",
"The device you are trying to verify doesn't support scanning a QR code or emoji verification, which is what %(brand)s supports. Try with a different client.": "Az ellenőrizni kívánt eszköz nem támogatja se a QR kód beolvasást se az emodzsi ellenőrzést, amit a %(brand)s támogat. Próbálja meg egy másik klienssel.", "The device you are trying to verify doesn't support scanning a QR code or emoji verification, which is what %(brand)s supports. Try with a different client.": "Az ellenőrizni kívánt eszköz nem támogatja se a QR kód beolvasást se az emodzsi ellenőrzést, amit a %(brand)s támogat. Próbálja meg egy másik klienssel.",
"To proceed, please accept the verification request on your other device.": "A folytatáshoz fogadja el az ellenőrzés kérést a másik eszközről.", "To proceed, please accept the verification request on your other device.": "A folytatáshoz fogadja el az ellenőrzés kérést a másik eszközről.",
"Send reactions": "Reakció küldése",
"Waiting for you to verify on your other device…": "Várakozás a másik eszköztől való ellenőrzésre…", "Waiting for you to verify on your other device…": "Várakozás a másik eszköztől való ellenőrzésre…",
"Waiting for you to verify on your other device, %(deviceName)s (%(deviceId)s)…": "Várakozás a másik eszközről való ellenőrzésre: %(deviceName)s (%(deviceId)s)…", "Waiting for you to verify on your other device, %(deviceName)s (%(deviceId)s)…": "Várakozás a másik eszközről való ellenőrzésre: %(deviceName)s (%(deviceId)s)…",
"Verify this device by confirming the following number appears on its screen.": "Ellenőrizze ezt az eszközt azzal, hogy megerősíti, hogy a következő szám jelenik meg a képernyőjén.", "Verify this device by confirming the following number appears on its screen.": "Ellenőrizze ezt az eszközt azzal, hogy megerősíti, hogy a következő szám jelenik meg a képernyőjén.",
"Confirm the emoji below are displayed on both devices, in the same order:": "Erősítse meg, hogy az alábbi emodzsik mindkét eszközön azonos sorrendben jelentek-e meg:", "Confirm the emoji below are displayed on both devices, in the same order:": "Erősítse meg, hogy az alábbi emodzsik mindkét eszközön azonos sorrendben jelentek-e meg:",
"Dial": "Tárcsázás",
"Back to thread": "Vissza az üzenetszálhoz", "Back to thread": "Vissza az üzenetszálhoz",
"Room members": "Szobatagok", "Room members": "Szobatagok",
"Back to chat": "Vissza a csevegéshez", "Back to chat": "Vissza a csevegéshez",
@ -2553,7 +2458,6 @@
"Remove from %(roomName)s": "Eltávolít innen: %(roomName)s", "Remove from %(roomName)s": "Eltávolít innen: %(roomName)s",
"You were removed from %(roomName)s by %(memberName)s": "Önt %(memberName)s eltávolította ebből a szobából: %(roomName)s", "You were removed from %(roomName)s by %(memberName)s": "Önt %(memberName)s eltávolította ebből a szobából: %(roomName)s",
"From a thread": "Az üzenetszálból", "From a thread": "Az üzenetszálból",
"Remove users": "Felhasználók eltávolítása",
"Keyboard": "Billentyűzet", "Keyboard": "Billentyűzet",
"Automatically send debug logs on decryption errors": "Hibakeresési naplók automatikus küldése titkosítás-visszafejtési hiba esetén", "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 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",
@ -2641,7 +2545,6 @@
"Switch to space by number": "Tér váltás szám alapján", "Switch to space by number": "Tér váltás szám alapján",
"Pinned": "Kitűzött", "Pinned": "Kitűzött",
"Open thread": "Üzenetszál megnyitása", "Open thread": "Üzenetszál megnyitása",
"Remove messages sent by me": "Saját elküldött üzenetek törlése",
"No virtual room for this room": "Ehhez a szobához nincs virtuális szoba", "No virtual room for this room": "Ehhez a szobához nincs virtuális szoba",
"Switches to this room's virtual room, if it has one": "Átváltás a szoba virtuális szobájába, ha létezik", "Switches to this room's virtual room, if it has one": "Átváltás a szoba virtuális szobájába, ha létezik",
"Export Cancelled": "Exportálás megszakítva", "Export Cancelled": "Exportálás megszakítva",
@ -2758,12 +2661,6 @@
"one": "Megerősítés ebből az eszközből való kijelentkezéshez", "one": "Megerősítés ebből az eszközből való kijelentkezéshez",
"other": "Megerősítés ezekből az eszközökből való kijelentkezéshez" "other": "Megerősítés ezekből az eszközökből való kijelentkezéshez"
}, },
"Turn on camera": "Kamera bekapcsolása",
"Turn off camera": "Kamera kikapcsolása",
"Video devices": "Videóeszközök",
"Unmute microphone": "Mikrofon némításának feloldása",
"Mute microphone": "Mikrofon némítása",
"Audio devices": "Hangeszközök",
"sends hearts": "szívecskéket küld", "sends hearts": "szívecskéket küld",
"Sends the given message with hearts": "Szívecskékkel küldi el az üzenetet", "Sends the given message with hearts": "Szívecskékkel küldi el az üzenetet",
"Failed to join": "Csatlakozás sikertelen", "Failed to join": "Csatlakozás sikertelen",
@ -2951,7 +2848,6 @@
"Sign out of this session": "Kijelentkezés ebből a munkamenetből", "Sign out of this session": "Kijelentkezés ebből a munkamenetből",
"Rename session": "Munkamenet átnevezése", "Rename session": "Munkamenet átnevezése",
"You need to be able to kick users to do that.": "Hogy ezt tegye, ahhoz ki kell tudnia rúgni felhasználókat.", "You need to be able to kick users to do that.": "Hogy ezt tegye, ahhoz ki kell tudnia rúgni felhasználókat.",
"Voice broadcasts": "Hangközvetítés",
"Video call ended": "Videó hívás befejeződött", "Video call ended": "Videó hívás befejeződött",
"%(name)s started a video call": "%(name)s videóhívást indított", "%(name)s started a video call": "%(name)s videóhívást indított",
"You do not have permission to start voice calls": "Nincs jogosultságod hang hívást indítani", "You do not have permission to start voice calls": "Nincs jogosultságod hang hívást indítani",
@ -2967,12 +2863,8 @@
"Turn off to disable notifications on all your devices and sessions": "Kapcsolja ki, hogy letiltsa az értesítéseket az összes eszközökén és munkamenetében", "Turn off to disable notifications on all your devices and sessions": "Kapcsolja ki, hogy letiltsa az értesítéseket az összes eszközökén és munkamenetében",
"Enable notifications for this account": "Értesítések engedélyezése ehhez a fiókhoz", "Enable notifications for this account": "Értesítések engedélyezése ehhez a fiókhoz",
"Live": "Élő közvetítés", "Live": "Élő közvetítés",
"Join %(brand)s calls": "Csatlakozás ebbe a hívásba: %(brand)s",
"Start %(brand)s calls": "%(brand)s hívás indítása",
"Fill screen": "Képernyő kitöltése",
"Sorry — this call is currently full": "Bocsánat — ez a hívás betelt", "Sorry — this call is currently full": "Bocsánat — ez a hívás betelt",
"Record the client name, version, and url to recognise sessions more easily in session manager": "A kliens nevének, verziójának és webcímének felvétele a munkamenetek könnyebb felismerése érdekében a munkamenet-kezelőben", "Record the client name, version, and url to recognise sessions more easily in session manager": "A kliens nevének, verziójának és webcímének felvétele a munkamenetek könnyebb felismerése érdekében a munkamenet-kezelőben",
"Video call started": "A videóhívás elindult",
"Unknown room": "Ismeretlen szoba", "Unknown room": "Ismeretlen szoba",
"resume voice broadcast": "hangközvetítés folytatása", "resume voice broadcast": "hangközvetítés folytatása",
"pause voice broadcast": "hangközvetítés szüneteltetése", "pause voice broadcast": "hangközvetítés szüneteltetése",
@ -2992,7 +2884,6 @@
"You do not have sufficient permissions to change this.": "Nincs megfelelő jogosultság a megváltoztatáshoz.", "You do not have sufficient permissions to change this.": "Nincs megfelelő jogosultság a megváltoztatáshoz.",
"%(brand)s is end-to-end encrypted, but is currently limited to smaller numbers of users.": "%(brand)s végpontok között titkosított de jelenleg csak kevés számú résztvevővel működik.", "%(brand)s is end-to-end encrypted, but is currently limited to smaller numbers of users.": "%(brand)s végpontok között titkosított de jelenleg csak kevés számú résztvevővel működik.",
"Enable %(brand)s as an additional calling option in this room": "%(brand)s engedélyezése mint további opció hívásokhoz a szobában", "Enable %(brand)s as an additional calling option in this room": "%(brand)s engedélyezése mint további opció hívásokhoz a szobában",
"Notifications silenced": "Értesítések némítva",
"Stop live broadcasting?": "Megszakítja az élő közvetítést?", "Stop live broadcasting?": "Megszakítja az élő közvetítést?",
"Someone else is already recording a voice broadcast. Wait for their voice broadcast to end to start a new one.": "Valaki már elindított egy hangközvetítést. Várja meg a közvetítés végét az új indításához.", "Someone else is already recording a voice broadcast. Wait for their voice broadcast to end to start a new one.": "Valaki már elindított egy hangközvetítést. Várja meg a közvetítés végét az új indításához.",
"You don't have the required permissions to start a voice broadcast in this room. Contact a room administrator to upgrade your permissions.": "Nincs jogosultsága hangközvetítést indítani ebben a szobában. Vegye fel a kapcsolatot a szoba adminisztrátorával a szükséges jogosultság megszerzéséhez.", "You don't have the required permissions to start a voice broadcast in this room. Contact a room administrator to upgrade your permissions.": "Nincs jogosultsága hangközvetítést indítani ebben a szobában. Vegye fel a kapcsolatot a szoba adminisztrátorával a szükséges jogosultság megszerzéséhez.",
@ -3265,8 +3156,6 @@
"%(errorMessage)s (HTTP status %(httpStatus)s)": "%(errorMessage)s (HTTP állapot: %(httpStatus)s)", "%(errorMessage)s (HTTP status %(httpStatus)s)": "%(errorMessage)s (HTTP állapot: %(httpStatus)s)",
"Unknown password change error (%(stringifiedError)s)": "Ismeretlen jelszómódosítási hiba (%(stringifiedError)s)", "Unknown password change error (%(stringifiedError)s)": "Ismeretlen jelszómódosítási hiba (%(stringifiedError)s)",
"Error while changing password: %(error)s": "Hiba a jelszó módosítása során: %(error)s", "Error while changing password: %(error)s": "Hiba a jelszó módosítása során: %(error)s",
"%(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.", "Cannot invite user by email without an identity server. You can connect to one under \"Settings\".": "Matrix-kiszolgáló nélkül nem lehet felhasználókat meghívni e-mailben. Kapcsolódjon egyhez a „Beállítások” alatt.",
"Failed to download source media, no source url was found": "A forrásmédia letöltése sikertelen, nem található forráswebcím", "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", "Unable to create room with moderation bot": "Nem hozható létre szoba moderációs bottal",
@ -3352,7 +3241,11 @@
"server": "Kiszolgáló", "server": "Kiszolgáló",
"capabilities": "Képességek", "capabilities": "Képességek",
"unnamed_room": "Névtelen szoba", "unnamed_room": "Névtelen szoba",
"unnamed_space": "Névtelen tér" "unnamed_space": "Névtelen tér",
"stickerpack": "Matrica csomag",
"system_alerts": "Rendszer figyelmeztetések",
"secure_backup": "Biztonsági mentés",
"cross_signing": "Eszközök közti hitelesítés"
}, },
"action": { "action": {
"continue": "Folytatás", "continue": "Folytatás",
@ -3525,7 +3418,14 @@
"format_decrease_indent": "Behúzás csökkentés", "format_decrease_indent": "Behúzás csökkentés",
"format_inline_code": "Kód", "format_inline_code": "Kód",
"format_code_block": "Kód blokk", "format_code_block": "Kód blokk",
"format_link": "Hivatkozás" "format_link": "Hivatkozás",
"send_button_title": "Üzenet küldése",
"placeholder_thread_encrypted": "Válasz a titkosított üzenetszálra…",
"placeholder_thread": "Válasz az üzenetszálra…",
"placeholder_reply_encrypted": "Titkosított válasz küldése…",
"placeholder_reply": "Válasz küldése…",
"placeholder_encrypted": "Titkosított üzenet küldése…",
"placeholder": "Üzenet küldése…"
}, },
"Bold": "Félkövér", "Bold": "Félkövér",
"Link": "Hivatkozás", "Link": "Hivatkozás",
@ -3548,7 +3448,11 @@
"send_logs": "Naplófájlok elküldése", "send_logs": "Naplófájlok elküldése",
"github_issue": "GitHub hibajegy", "github_issue": "GitHub hibajegy",
"download_logs": "Napló letöltése", "download_logs": "Napló letöltése",
"before_submitting": "Mielőtt a naplót elküldöd, egy <a>Github jegyet kell nyitni</a> amiben leírod a problémádat." "before_submitting": "Mielőtt a naplót elküldöd, egy <a>Github jegyet kell nyitni</a> amiben leírod a problémádat.",
"collecting_information": "Alkalmazás verzióinformációinak összegyűjtése",
"collecting_logs": "Naplók összegyűjtése",
"uploading_logs": "Naplók feltöltése folyamatban",
"downloading_logs": "Naplók letöltése folyamatban"
}, },
"time": { "time": {
"hours_minutes_seconds_left": "%(hours)s ó %(minutes)s p %(seconds)s mp van hátra", "hours_minutes_seconds_left": "%(hours)s ó %(minutes)s p %(seconds)s mp van hátra",
@ -3749,7 +3653,9 @@
"toolbox": "Eszköztár", "toolbox": "Eszköztár",
"developer_tools": "Fejlesztői eszközök", "developer_tools": "Fejlesztői eszközök",
"room_id": "Szoba azon.: %(roomId)s", "room_id": "Szoba azon.: %(roomId)s",
"event_id": "Esemény azon.: %(eventId)s" "event_id": "Esemény azon.: %(eventId)s",
"category_room": "Szoba",
"category_other": "Egyéb"
}, },
"export_chat": { "export_chat": {
"html": "HTML", "html": "HTML",
@ -3903,6 +3809,9 @@
"other": "%(names)s és még %(count)s felhasználó gépel…", "other": "%(names)s és még %(count)s felhasználó gépel…",
"one": "%(names)s és még valaki gépel…" "one": "%(names)s és még valaki gépel…"
} }
},
"m.call.hangup": {
"dm": "A hívás befejeződött"
} }
}, },
"slash_command": { "slash_command": {
@ -3937,7 +3846,14 @@
"help": "Parancsok megjelenítése példával és leírással", "help": "Parancsok megjelenítése példával és leírással",
"whois": "Információt jelenít meg a felhasználóról", "whois": "Információt jelenít meg a felhasználóról",
"rageshake": "Hibajelentés beküldése naplóval", "rageshake": "Hibajelentés beküldése naplóval",
"msg": "Üzenet küldése a megadott felhasználónak" "msg": "Üzenet küldése a megadott felhasználónak",
"usage": "Használat",
"category_messages": "Üzenetek",
"category_actions": "Műveletek",
"category_admin": "Admin",
"category_advanced": "Speciális",
"category_effects": "Effektek",
"category_other": "Egyéb"
}, },
"presence": { "presence": {
"busy": "Foglalt", "busy": "Foglalt",
@ -3951,5 +3867,108 @@
"offline": "Nem érhető el", "offline": "Nem érhető el",
"away": "Távol" "away": "Távol"
}, },
"Unknown": "Ismeretlen" "Unknown": "Ismeretlen",
"event_preview": {
"m.call.answer": {
"you": "Csatlakozott a hívásba",
"user": "%(senderName)s csatlakozott a hívásba",
"dm": "Folyamatban lévő hívás"
},
"m.call.hangup": {
"you": "Befejezte a hívást",
"user": "%(senderName)s befejezte a hívást"
},
"m.call.invite": {
"you": "Hívást indított",
"user": "%(senderName)s hívást indított",
"dm_send": "Válaszra várakozás",
"dm_receive": "%(senderName)s hívja"
},
"m.emote": "* %(senderName)s %(emote)s",
"m.text": "%(senderName)s: %(message)s",
"m.reaction": {
"you": "Ezzel a reagált: %(reaction)s, a következőre: %(message)s",
"user": "%(sender)s ezzel a reagált: %(reaction)s, a következőre: %(message)s"
},
"m.sticker": "%(senderName)s: %(stickerName)s"
},
"voip": {
"disable_microphone": "Mikrofon némítása",
"enable_microphone": "Mikrofon némításának feloldása",
"disable_camera": "Kamera kikapcsolása",
"enable_camera": "Kamera bekapcsolása",
"audio_devices": "Hangeszközök",
"video_devices": "Videóeszközök",
"dial": "Tárcsázás",
"you_are_presenting": "Ön tartja a bemutatót",
"user_is_presenting": "%(sharerName)s tartja a bemutatót",
"camera_disabled": "A kamerája ki van kapcsolva",
"camera_enabled": "A kamerája még mindig be van kapcsolva",
"consulting": "Egyeztetés vele: %(transferTarget)s. <a>Átadás ide: %(transferee)s</a>",
"call_held_switch": "A hívás várakozik, <a>átkapcsolás</a>",
"call_held_resume": "A hívás várakozik, <a>folytatás</a>",
"call_held": "%(peerName)s várakoztatja a hívást",
"dialpad": "Tárcsázó",
"stop_screenshare": "Képernyőmegosztás kikapcsolása",
"start_screenshare": "Képernyőmegosztás bekapcsolása",
"hangup": "Bontás",
"maximise": "Képernyő kitöltése",
"expand": "Visszatérés a híváshoz",
"on_hold": "%(name)s várakoztatva",
"voice_call": "Hanghívás",
"video_call": "Videóhívás",
"video_call_started": "A videóhívás elindult",
"unsilence": "Hang be",
"silence": "Hívás némítása",
"silenced": "Értesítések némítva",
"unknown_caller": "Ismeretlen hívó",
"call_failed": "Sikertelen hívás",
"unable_to_access_microphone": "A mikrofont nem lehet használni",
"call_failed_microphone": "A hívás sikertelen mert a mikrofont nem lehet használni. Ellenőrizze, hogy csatlakoztatva van-e és megfelelően van-e beállítva.",
"unable_to_access_media": "A webkamerát / mikrofont nem lehet használni",
"call_failed_media": "A hívás sikertelen, mert a webkamera, vagy a mikrofon nem érhető el. Ellenőrizze a következőket:",
"call_failed_media_connected": "A mikrofon és webkamera csatlakoztatva van és megfelelően be van állítva",
"call_failed_media_permissions": "A webkamera használatának engedélye meg van adva",
"call_failed_media_applications": "A webkamerát nem használja másik alkalmazás",
"already_in_call": "A hívás már folyamatban van",
"already_in_call_person": "Már hívásban van ezzel a személlyel.",
"unsupported": "A hívások nem támogatottak",
"unsupported_browser": "Nem indíthat hívást ebben a böngészőben."
},
"Messages": "Üzenetek",
"Other": "Egyéb",
"Advanced": "Speciális",
"room_settings": {
"permissions": {
"m.room.avatar_space": "Tér profilképének megváltoztatása",
"m.room.avatar": "Szoba profilképének megváltoztatása",
"m.room.name_space": "Tér nevének megváltoztatása",
"m.room.name": "Szoba nevének megváltoztatása",
"m.room.canonical_alias_space": "Tér elsődleges címének megváltoztatása",
"m.room.canonical_alias": "A szoba elsődleges címének megváltoztatása",
"m.space.child": "A tér szobáinak kezelése",
"m.room.history_visibility": "Régi üzenetek láthatóságának megváltoztatása",
"m.room.power_levels": "Jogosultságok megváltoztatása",
"m.room.topic_space": "Leírás megváltoztatása",
"m.room.topic": "Téma megváltoztatása",
"m.room.tombstone": "Szoba fejlesztése",
"m.room.encryption": "Szoba titkosításának bekapcsolása",
"m.room.server_acl": "Kiszolgáló ACL-ek módosítása",
"m.reaction": "Reakció küldése",
"m.room.redaction": "Saját elküldött üzenetek törlése",
"m.widget": "Kisalkalmazások megváltoztatása",
"io.element.voice_broadcast_info": "Hangközvetítés",
"m.room.pinned_events": "Kitűzött események kezelése",
"m.call": "%(brand)s hívás indítása",
"m.call.member": "Csatlakozás ebbe a hívásba: %(brand)s",
"users_default": "Alapértelmezett szerep",
"events_default": "Üzenetek küldése",
"invite": "Felhasználók meghívása",
"state_default": "Beállítások megváltoztatása",
"kick": "Felhasználók eltávolítása",
"ban": "Felhasználók kitiltása",
"redact": "Mások által küldött üzenetek törlése",
"notifications.room": "Mindenki értesítése"
}
}
} }

View file

@ -40,8 +40,6 @@
"Unable to verify email address.": "Tidak dapat memverifikasi alamat email.", "Unable to verify email address.": "Tidak dapat memverifikasi alamat email.",
"unknown error code": "kode kesalahan tidak diketahui", "unknown error code": "kode kesalahan tidak diketahui",
"Verification Pending": "Verifikasi Menunggu", "Verification Pending": "Verifikasi Menunggu",
"Video call": "Panggilan video",
"Voice call": "Panggilan suara",
"Warning!": "Peringatan!", "Warning!": "Peringatan!",
"You cannot place a call with yourself.": "Anda tidak dapat melakukan panggilan dengan diri sendiri.", "You cannot place a call with yourself.": "Anda tidak dapat melakukan panggilan dengan diri sendiri.",
"Sun": "Min", "Sun": "Min",
@ -63,12 +61,10 @@
"Oct": "Okt", "Oct": "Okt",
"Nov": "Nov", "Nov": "Nov",
"Dec": "Des", "Dec": "Des",
"Admin": "Admin",
"Admin Tools": "Peralatan Admin", "Admin Tools": "Peralatan Admin",
"No Webcams detected": "Tidak ada Webcam terdeteksi", "No Webcams detected": "Tidak ada Webcam terdeteksi",
"You may need to manually permit %(brand)s to access your microphone/webcam": "Anda mungkin perlu mengizinkan %(brand)s secara manual untuk mengakses mikrofon/webcam", "You may need to manually permit %(brand)s to access your microphone/webcam": "Anda mungkin perlu mengizinkan %(brand)s secara manual untuk mengakses mikrofon/webcam",
"Default Device": "Perangkat Bawaan", "Default Device": "Perangkat Bawaan",
"Advanced": "Tingkat Lanjut",
"Authentication": "Autentikasi", "Authentication": "Autentikasi",
"Are you sure you want to leave the room '%(roomName)s'?": "Anda yakin ingin meninggalkan ruangan '%(roomName)s'?", "Are you sure you want to leave the room '%(roomName)s'?": "Anda yakin ingin meninggalkan ruangan '%(roomName)s'?",
"A new password must be entered.": "Kata sandi baru harus dimasukkan.", "A new password must be entered.": "Kata sandi baru harus dimasukkan.",
@ -95,14 +91,12 @@
"Source URL": "URL Sumber", "Source URL": "URL Sumber",
"Failed to add tag %(tagName)s to room": "Gagal menambahkan tag %(tagName)s ke ruangan", "Failed to add tag %(tagName)s to room": "Gagal menambahkan tag %(tagName)s ke ruangan",
"No update available.": "Tidak ada pembaruan yang tersedia.", "No update available.": "Tidak ada pembaruan yang tersedia.",
"Collecting app version information": "Mengumpulkan informasi versi aplikasi",
"Tuesday": "Selasa", "Tuesday": "Selasa",
"Search…": "Cari…", "Search…": "Cari…",
"Unnamed room": "Ruang tanpa nama", "Unnamed room": "Ruang tanpa nama",
"Friday": "Jumat", "Friday": "Jumat",
"Saturday": "Sabtu", "Saturday": "Sabtu",
"Monday": "Senin", "Monday": "Senin",
"Collecting logs": "Mengumpulkan catatan",
"Failed to forget room %(errCode)s": "Gagal melupakan ruangan %(errCode)s", "Failed to forget room %(errCode)s": "Gagal melupakan ruangan %(errCode)s",
"Wednesday": "Rabu", "Wednesday": "Rabu",
"You cannot delete this message. (%(code)s)": "Anda tidak dapat menghapus pesan ini. (%(code)s)", "You cannot delete this message. (%(code)s)": "Anda tidak dapat menghapus pesan ini. (%(code)s)",
@ -122,7 +116,6 @@
"This email address is already in use": "Alamat email ini telah dipakai", "This email address is already in use": "Alamat email ini telah dipakai",
"This phone number is already in use": "Nomor telepon ini telah dipakai", "This phone number is already in use": "Nomor telepon ini telah dipakai",
"Failed to verify email address: make sure you clicked the link in the email": "Gagal memverifikasi alamat email: pastikan Anda telah menekan link di dalam email", "Failed to verify email address: make sure you clicked the link in the email": "Gagal memverifikasi alamat email: pastikan Anda telah menekan link di dalam email",
"Call Failed": "Panggilan Gagal",
"Permission Required": "Izin Dibutuhkan", "Permission Required": "Izin Dibutuhkan",
"You do not have permission to start a conference call in this room": "Anda tidak memiliki permisi untuk memulai panggilan konferensi di ruang ini", "You do not have permission to start a conference call in this room": "Anda tidak memiliki permisi untuk memulai panggilan konferensi di ruang ini",
"Explore rooms": "Jelajahi ruangan", "Explore rooms": "Jelajahi ruangan",
@ -156,11 +149,6 @@
"Use an identity server to invite by email. Manage in Settings.": "Gunakan server identitas untuk mengundang melalui email. Kelola di Pengaturan.", "Use an identity server to invite by email. Manage in Settings.": "Gunakan server identitas untuk mengundang melalui email. Kelola di Pengaturan.",
"Use an identity server to invite by email. Click continue to use the default identity server (%(defaultIdentityServerName)s) or manage in Settings.": "Gunakan server identitas untuk mengundang melalui email. Klik lanjutkan untuk menggunakan server identitas bawaan (%(defaultIdentityServerName)s) atau kelola di Pengaturan.", "Use an identity server to invite by email. Click continue to use the default identity server (%(defaultIdentityServerName)s) or manage in Settings.": "Gunakan server identitas untuk mengundang melalui email. Klik lanjutkan untuk menggunakan server identitas bawaan (%(defaultIdentityServerName)s) atau kelola di Pengaturan.",
"Use an identity server": "Gunakan sebuah server identitias", "Use an identity server": "Gunakan sebuah server identitias",
"Usage": "Penggunaan",
"Other": "Lainnya",
"Effects": "Efek",
"Actions": "Aksi",
"Messages": "Pesan",
"Setting up keys": "Menyiapkan kunci", "Setting up keys": "Menyiapkan kunci",
"Are you sure you want to cancel entering passphrase?": "Apakah Anda yakin untuk membatalkan pemasukkan frasa sandi?", "Are you sure you want to cancel entering passphrase?": "Apakah Anda yakin untuk membatalkan pemasukkan frasa sandi?",
"Cancel entering passphrase?": "Batalkan memasukkan frasa sandi?", "Cancel entering passphrase?": "Batalkan memasukkan frasa sandi?",
@ -459,16 +447,7 @@
"Unable to look up phone number": "Tidak dapat mencari nomor telepon", "Unable to look up phone number": "Tidak dapat mencari nomor telepon",
"You've reached the maximum number of simultaneous calls.": "Anda telah mencapai jumlah maksimum panggilan pada waktu bersamaan.", "You've reached the maximum number of simultaneous calls.": "Anda telah mencapai jumlah maksimum panggilan pada waktu bersamaan.",
"Too Many Calls": "Terlalu Banyak Panggilan", "Too Many Calls": "Terlalu Banyak Panggilan",
"You're already in a call with this person.": "Anda sudah ada di panggilan dengan orang itu.",
"Already in call": "Sudah ada di panggilan",
"No other application is using the webcam": "Tidak ada aplikasi lain yang menggunakan webcam",
"Permission is granted to use the webcam": "Izin diberikan untuk menggunakan webcam",
"A microphone and webcam are plugged in and set up correctly": "Mikrofon dan webcam telah dicolokkan dan diatur dengan benar",
"Call failed because webcam or microphone could not be accessed. Check that:": "Panggilan gagal karena webcam atau mikrofon tidak dapat diakses. Periksa bahwa:",
"Unable to access webcam / microphone": "Tidak dapat mengakses webcam/mikrofon",
"Call failed because microphone could not be accessed. Check that a microphone is plugged in and set up correctly.": "Panggilan gagal karena mikrofon tidak dapat diakses. Periksa apakah mikrofon sudah dicolokkan dan diatur dengan benar.",
"Unable to load! Check your network connectivity and try again.": "Tidak dapat memuat! Periksa koneksi jaringan Anda dan coba lagi.", "Unable to load! Check your network connectivity and try again.": "Tidak dapat memuat! Periksa koneksi jaringan Anda dan coba lagi.",
"Unable to access microphone": "Tidak dapat mengakses mikrofon",
"Please ask the administrator of your homeserver (<code>%(homeserverDomain)s</code>) to configure a TURN server in order for calls to work reliably.": "Mohon tanyakan ke administrator homeserver Anda (<code>%(homeserverDomain)s</code>) untuk mengkonfigurasikan server TURN supaya panggilan dapat bekerja dengan benar.", "Please ask the administrator of your homeserver (<code>%(homeserverDomain)s</code>) to configure a TURN server in order for calls to work reliably.": "Mohon tanyakan ke administrator homeserver Anda (<code>%(homeserverDomain)s</code>) untuk mengkonfigurasikan server TURN supaya panggilan dapat bekerja dengan benar.",
"Call failed due to misconfigured server": "Panggilan gagal karena servernya tidak dikonfigurasi dengan benar", "Call failed due to misconfigured server": "Panggilan gagal karena servernya tidak dikonfigurasi dengan benar",
"Answered Elsewhere": "Dijawab di Perangkat Lain", "Answered Elsewhere": "Dijawab di Perangkat Lain",
@ -533,7 +512,6 @@
"Categories": "Categori", "Categories": "Categori",
"Unencrypted": "Tidak Dienkripsi", "Unencrypted": "Tidak Dienkripsi",
"Bridges": "Jembatan", "Bridges": "Jembatan",
"Cross-signing": "Penandatanganan silang",
"exists": "sudah ada", "exists": "sudah ada",
"Lock": "Gembok", "Lock": "Gembok",
"Later": "Nanti", "Later": "Nanti",
@ -618,7 +596,6 @@
"Cat": "Kucing", "Cat": "Kucing",
"Dog": "Anjing", "Dog": "Anjing",
"Demote": "Turunkan", "Demote": "Turunkan",
"Stickerpack": "Paket Stiker",
"Replying": "Membalas", "Replying": "Membalas",
"Composer": "Komposer", "Composer": "Komposer",
"Versions": "Versi", "Versions": "Versi",
@ -655,15 +632,6 @@
"Create account": "Buat akun", "Create account": "Buat akun",
"Email (optional)": "Email (opsional)", "Email (optional)": "Email (opsional)",
"Enable encryption?": "Aktifkan enkripsi?", "Enable encryption?": "Aktifkan enkripsi?",
"Notify everyone": "Beri tahu semua",
"Ban users": "Cekal pengguna",
"Change settings": "Ubah pengaturan",
"Invite users": "Undang pengguna",
"Send messages": "Kirim pesan",
"Default role": "Peran bawaan",
"Modify widgets": "Ubah widget",
"Change topic": "Ubah topik",
"Change permissions": "Ubah izin",
"Light bulb": "Bohlam lampu", "Light bulb": "Bohlam lampu",
"Thumbs up": "Jempol", "Thumbs up": "Jempol",
"Room avatar": "Avatar ruangan", "Room avatar": "Avatar ruangan",
@ -691,7 +659,6 @@
"Invite anyway": "Undang saja", "Invite anyway": "Undang saja",
"Demote yourself?": "Turunkan diri Anda?", "Demote yourself?": "Turunkan diri Anda?",
"Share room": "Bagikan ruangan", "Share room": "Bagikan ruangan",
"System Alerts": "Pemberitahuan Sistem",
"Email Address": "Alamat Email", "Email Address": "Alamat Email",
"Verification code": "Kode verifikasi", "Verification code": "Kode verifikasi",
"Audio Output": "Output Audio", "Audio Output": "Output Audio",
@ -772,8 +739,6 @@
"Keyword": "Kata kunci", "Keyword": "Kata kunci",
"Visibility": "Visibilitas", "Visibility": "Visibilitas",
"Address": "Alamat", "Address": "Alamat",
"Hangup": "Akhiri",
"Dialpad": "Tombol Penyetel",
"More": "Lagi", "More": "Lagi",
"Avatar": "Avatar", "Avatar": "Avatar",
"Hold": "Jeda", "Hold": "Jeda",
@ -1105,24 +1070,8 @@
"Secure messages with this user are end-to-end encrypted and not able to be read by third parties.": "Pesan dengan pengguna ini terenkripsi secara ujung ke ujung dan tidak dapat dibaca oleh pihak ketiga.", "Secure messages with this user are end-to-end encrypted and not able to be read by third parties.": "Pesan dengan pengguna ini terenkripsi secara ujung ke ujung dan tidak dapat dibaca oleh pihak ketiga.",
"You've successfully verified this user.": "Anda berhasil memverifikasi pengguna ini.", "You've successfully verified this user.": "Anda berhasil memverifikasi pengguna ini.",
"The other party cancelled the verification.": "Pengguna yang lain membatalkan proses verifikasi ini.", "The other party cancelled the verification.": "Pengguna yang lain membatalkan proses verifikasi ini.",
"%(name)s on hold": "%(name)s ditahan",
"Return to call": "Kembali ke panggilan",
"Mute the microphone": "Matikan mikrofon",
"Unmute the microphone": "Nyalakan mikrofon",
"Show sidebar": "Tampilkan sisi bilah", "Show sidebar": "Tampilkan sisi bilah",
"Hide sidebar": "Sembunyikan sisi bilah", "Hide sidebar": "Sembunyikan sisi bilah",
"Start sharing your screen": "Mulai membagikan layar Anda",
"Stop sharing your screen": "Berhenti membagikan layar Anda",
"Stop the camera": "Tutup kamera",
"Start the camera": "Buka kamera",
"Your camera is still enabled": "Kamera Anda masih nyala",
"Your camera is turned off": "Kamera Anda dimatikan",
"%(sharerName)s is presenting": "%(sharerName)s sedang mempresentasi",
"You are presenting": "Anda sedang mempresentasi",
"%(peerName)s held the call": "%(peerName)s menahan panggilan",
"You held the call <a>Resume</a>": "Anda menahan panggilan <a>Lanjutkan</a>",
"You held the call <a>Switch</a>": "Anda menahan panggilan <a>Ubah</a>",
"Consulting with %(transferTarget)s. <a>Transfer to %(transferee)s</a>": "Mengkonsultasi dengan %(transferTarget)s. <a>Transfer ke %(transferee)s</a>",
"unknown person": "pengguna tidak dikenal", "unknown person": "pengguna tidak dikenal",
"sends space invaders": "mengirim penjajah luar angkasa", "sends space invaders": "mengirim penjajah luar angkasa",
"Sends the given message with a space themed effect": "Kirim pesan dengan efek luar angkasa", "Sends the given message with a space themed effect": "Kirim pesan dengan efek luar angkasa",
@ -1134,8 +1083,6 @@
"Sends the given message with confetti": "Kirim pesan dengan konfeti", "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!", "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", "My Ban List": "Daftar Cekalan Saya",
"Downloading logs": "Mengunduh catatan",
"Uploading logs": "Mengunggah catatan",
"Automatically send debug logs on any error": "Kirim catatan pengawakutu secara otomatis saat ada kesalahan", "Automatically send debug logs on any error": "Kirim catatan pengawakutu secara otomatis saat ada kesalahan",
"Developer mode": "Mode pengembang", "Developer mode": "Mode pengembang",
"IRC display name width": "Lebar nama tampilan IRC", "IRC display name width": "Lebar nama tampilan IRC",
@ -1158,19 +1105,6 @@
"Use custom size": "Gunakan ukuran kustom", "Use custom size": "Gunakan ukuran kustom",
"Font size": "Ukuran font", "Font size": "Ukuran font",
"Change notification settings": "Ubah pengaturan notifikasi", "Change notification settings": "Ubah pengaturan notifikasi",
"%(senderName)s: %(stickerName)s": "%(senderName)s: %(stickerName)s",
"%(senderName)s: %(message)s": "%(senderName)s: %(message)s",
"* %(senderName)s %(emote)s": "* %(senderName)s %(emote)s",
"%(senderName)s is calling": "%(senderName)s sedang memanggil",
"Waiting for answer": "Menunggu untuk jawaban",
"%(senderName)s started a call": "%(senderName)s memulai sebuah panggilan",
"You started a call": "Anda memulai sebuah panggilan",
"Call ended": "Panggilan berakhir",
"%(senderName)s ended the call": "%(senderName)s mengakhiri panggilan ini",
"You ended the call": "Anda mengakhiri panggilan ini",
"Call in progress": "Panggilan sedang berjalan",
"You joined the call": "Anda bergabung dengan panggilan saat ini",
"%(senderName)s joined the call": "%(senderName)s bergabung dengan panggilan saat ini",
"Please contact your homeserver administrator.": "Mohon hubungi administrator homeserver Anda.", "Please contact your homeserver administrator.": "Mohon hubungi administrator homeserver Anda.",
"New version of %(brand)s is available": "Sebuah versi %(brand)s yang baru telah tersedia", "New version of %(brand)s is available": "Sebuah versi %(brand)s yang baru telah tersedia",
"%(deviceId)s from %(ip)s": "%(deviceId)s dari %(ip)s", "%(deviceId)s from %(ip)s": "%(deviceId)s dari %(ip)s",
@ -1185,9 +1119,6 @@
"Your homeserver has exceeded its user limit.": "Homeserver Anda telah melebihi batas penggunanya.", "Your homeserver has exceeded its user limit.": "Homeserver Anda telah melebihi batas penggunanya.",
"Use app": "Gunakan aplikasi", "Use app": "Gunakan aplikasi",
"Use app for a better experience": "Gunakan aplikasi untuk pengalaman yang lebih baik", "Use app for a better experience": "Gunakan aplikasi untuk pengalaman yang lebih baik",
"Silence call": "Diamkan panggilan",
"Sound on": "Suara dinyalakan",
"Unknown caller": "Penelpon tak dikenal",
"Enable desktop notifications": "Aktifkan notifikasi desktop", "Enable desktop notifications": "Aktifkan notifikasi desktop",
"Don't miss a reply": "Jangan lewatkan sebuah balasan", "Don't miss a reply": "Jangan lewatkan sebuah balasan",
"Review to ensure your account is safe": "Periksa untuk memastikan akun Anda aman", "Review to ensure your account is safe": "Periksa untuk memastikan akun Anda aman",
@ -1233,7 +1164,6 @@
"Sidebar": "Bilah Samping", "Sidebar": "Bilah Samping",
"Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "Admin server Anda telah menonaktifkan enkripsi ujung ke ujung secara bawaan di ruangan privat & Pesan Langsung.", "Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "Admin server Anda telah menonaktifkan enkripsi ujung ke ujung secara bawaan di ruangan privat & Pesan Langsung.",
"Message search": "Pencarian pesan", "Message search": "Pencarian pesan",
"Secure Backup": "Cadangan Aman",
"Reject all %(invitedRooms)s invites": "Tolak semua %(invitedRooms)s undangan", "Reject all %(invitedRooms)s invites": "Tolak semua %(invitedRooms)s undangan",
"Accept all %(invitedRooms)s invites": "Terima semua %(invitedRooms)s undangan", "Accept all %(invitedRooms)s invites": "Terima semua %(invitedRooms)s undangan",
"You have no ignored users.": "Anda tidak memiliki pengguna yang diabaikan.", "You have no ignored users.": "Anda tidak memiliki pengguna yang diabaikan.",
@ -1437,15 +1367,8 @@
"More options": "Opsi lebih banyak", "More options": "Opsi lebih banyak",
"Send voice message": "Kirim sebuah pesan suara", "Send voice message": "Kirim sebuah pesan suara",
"Send a sticker": "Kirim sebuah stiker", "Send a sticker": "Kirim sebuah stiker",
"Send a message…": "Kirim sebuah pesan…",
"Send an encrypted message…": "Kirim sebuah pesan terenkripsi…",
"Send a reply…": "Kirim sebuah balasan…",
"Send an encrypted reply…": "Kirim sebuah balasan terenkripsi…",
"Reply to thread…": "Balas ke utasan…",
"Reply to encrypted thread…": "Balas ke utasan yang terenkripsi…",
"Create poll": "Buat poll", "Create poll": "Buat poll",
"You do not have permission to start polls in this room.": "Anda tidak memiliki izin untuk memulai sebuah poll di ruangan ini.", "You do not have permission to start polls in this room.": "Anda tidak memiliki izin untuk memulai sebuah poll di ruangan ini.",
"Send message": "Kirim pesan",
"%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (tingkat daya %(powerLevelNumber)s)", "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (tingkat daya %(powerLevelNumber)s)",
"Filter room members": "Saring anggota ruangan", "Filter room members": "Saring anggota ruangan",
"Invite to this space": "Undang ke space ini", "Invite to this space": "Undang ke space ini",
@ -1521,19 +1444,6 @@
"Roles & Permissions": "Peran & Izin", "Roles & Permissions": "Peran & Izin",
"Send %(eventType)s events": "Kirim peristiwa %(eventType)s", "Send %(eventType)s events": "Kirim peristiwa %(eventType)s",
"No users have specific privileges in this room": "Tidak ada pengguna yang memiliki hak khusus di ruangan ini", "No users have specific privileges in this room": "Tidak ada pengguna yang memiliki hak khusus di ruangan ini",
"Remove messages sent by others": "Hapus pesan yang dikirim oleh orang lain",
"Change server ACLs": "Ubah ACL server",
"Enable room encryption": "Aktifkan enkripsi ruangan",
"Upgrade the room": "Tingkatkan ruangan ini",
"Change description": "Ubah deskripsi",
"Change history visibility": "Ubah visibilitas riwayat",
"Manage rooms in this space": "Kelola ruangan di space ini",
"Change main address for the space": "Ubah alamat utama untuk space ini",
"Change main address for the room": "Ubah alamat utama untuk ruangan ini",
"Change room name": "Ubah nama ruangan",
"Change space name": "Ubah nama space",
"Change room avatar": "Ubah avatar ruangan",
"Change space avatar": "Ubah avatar space",
"An error occurred changing the user's power level. Ensure you have sufficient permissions and try again.": "Sebuah kesalahan terjadi mengubah persyaratan tingkat daya pengguna. Pastikan Anda mempunyai izin yang dibutuhkan dan coba lagi.", "An error occurred changing the user's power level. Ensure you have sufficient permissions and try again.": "Sebuah kesalahan terjadi mengubah persyaratan tingkat daya pengguna. Pastikan Anda mempunyai izin yang dibutuhkan dan coba lagi.",
"Error changing power level": "Terjadi kesalahan saat mengubah tingkat daya", "Error changing power level": "Terjadi kesalahan saat mengubah tingkat daya",
"An error occurred changing the room's power level requirements. Ensure you have sufficient permissions and try again.": "Sebuah kesalahan terjadi mengubah persyaratan tingkat daya ruangan. Pastikan Anda mempunyai izin yang dibutuhkan dan coba lagi.", "An error occurred changing the room's power level requirements. Ensure you have sufficient permissions and try again.": "Sebuah kesalahan terjadi mengubah persyaratan tingkat daya ruangan. Pastikan Anda mempunyai izin yang dibutuhkan dan coba lagi.",
@ -2467,11 +2377,8 @@
"Help improve %(analyticsOwner)s": "Bantu membuat %(analyticsOwner)s lebih baik", "Help improve %(analyticsOwner)s": "Bantu membuat %(analyticsOwner)s lebih baik",
"That's fine": "Saya tidak keberatan", "That's fine": "Saya tidak keberatan",
"Share location": "Bagikan lokasi", "Share location": "Bagikan lokasi",
"Manage pinned events": "Kelola peristiwa yang disematkan",
"You cannot place calls without a connection to the server.": "Anda tidak dapat membuat panggilan tanpa terhubung ke server.", "You cannot place calls without a connection to the server.": "Anda tidak dapat membuat panggilan tanpa terhubung ke server.",
"Connectivity to the server has been lost": "Koneksi ke server telah hilang", "Connectivity to the server has been lost": "Koneksi ke server telah hilang",
"You cannot place calls in this browser.": "Anda tidak dapat membuat panggilan di browser ini.",
"Calls are unsupported": "Panggilan tidak didukung",
"Toggle space panel": "Alih panel space", "Toggle space panel": "Alih panel space",
"Are you sure you want to end this poll? This will show the final results of the poll and stop people from being able to vote.": "Apakah Anda yakin untuk mengakhiri poll ini? Ini akan menampilkan hasil akhir dari poll dan orang-orang tidak dapat memberikan suara lagi.", "Are you sure you want to end this poll? This will show the final results of the poll and stop people from being able to vote.": "Apakah Anda yakin untuk mengakhiri poll ini? Ini akan menampilkan hasil akhir dari poll dan orang-orang tidak dapat memberikan suara lagi.",
"End Poll": "Akhiri Poll", "End Poll": "Akhiri Poll",
@ -2498,7 +2405,6 @@
"Failed to load list of rooms.": "Gagal untuk memuat daftar ruangan.", "Failed to load list of rooms.": "Gagal untuk memuat daftar ruangan.",
"Open in OpenStreetMap": "Buka di OpenStreetMap", "Open in OpenStreetMap": "Buka di OpenStreetMap",
"toggle event": "alih peristiwa", "toggle event": "alih peristiwa",
"Dial": "Dial",
"Missing room name or separator e.g. (my-room:domain.org)": "Kurang nama ruangan atau pemisah mis. (ruangan-saya:domain.org)", "Missing room name or separator e.g. (my-room:domain.org)": "Kurang nama ruangan atau pemisah mis. (ruangan-saya:domain.org)",
"Missing domain separator e.g. (:domain.org)": "Kurang pemisah domain mis. (:domain.org)", "Missing domain separator e.g. (:domain.org)": "Kurang pemisah domain mis. (:domain.org)",
"This address had invalid server or is already in use": "Alamat ini memiliki server yang tidak absah atau telah digunakan", "This address had invalid server or is already in use": "Alamat ini memiliki server yang tidak absah atau telah digunakan",
@ -2522,7 +2428,6 @@
"Verify this device by confirming the following number appears on its screen.": "Verifikasi perangkat ini dengan mengkonfirmasi nomor berikut ini yang ditampilkan di layarnya.", "Verify this device by confirming the following number appears on its screen.": "Verifikasi perangkat ini dengan mengkonfirmasi nomor berikut ini yang ditampilkan di layarnya.",
"Confirm the emoji below are displayed on both devices, in the same order:": "Konfirmasi emoji di bawah yang ditampilkan di kedua perangkat, dalam urutan yang sama:", "Confirm the emoji below are displayed on both devices, in the same order:": "Konfirmasi emoji di bawah yang ditampilkan di kedua perangkat, dalam urutan yang sama:",
"Expand map": "Buka peta", "Expand map": "Buka peta",
"Send reactions": "Kirim reaksi",
"No active call in this room": "Tidak ada panggilan aktif di ruangan ini", "No active call in this room": "Tidak ada panggilan aktif di ruangan ini",
"Unable to find Matrix ID for phone number": "Tidak dapat menemukan ID Matrix untuk nomor telepon", "Unable to find Matrix ID for phone number": "Tidak dapat menemukan ID Matrix untuk nomor telepon",
"Unknown (user, session) pair: (%(userId)s, %(deviceId)s)": "Pasangan tidak diketahui (pengguna, sesi): (%(userId)s, %(deviceId)s)", "Unknown (user, session) pair: (%(userId)s, %(deviceId)s)": "Pasangan tidak diketahui (pengguna, sesi): (%(userId)s, %(deviceId)s)",
@ -2550,7 +2455,6 @@
"Failed to remove user": "Gagal untuk mengeluarkan pengguna", "Failed to remove user": "Gagal untuk mengeluarkan pengguna",
"Remove them from specific things I'm able to": "Keluarkan dari hal-hal spesifik yang saya bisa", "Remove them from specific things I'm able to": "Keluarkan dari hal-hal spesifik yang saya bisa",
"Remove them from everything I'm able to": "Keluarkan dari semuanya yang saya bisa", "Remove them from everything I'm able to": "Keluarkan dari semuanya yang saya bisa",
"Remove users": "Keluarkan pengguna",
"Remove, ban, or invite people to your active room, and make you leave": "Keluarkan, cekal, atau undang orang-orang ke ruangan aktif Anda, dan keluarkan Anda sendiri", "Remove, ban, or invite people to your active room, and make you leave": "Keluarkan, cekal, atau undang orang-orang ke ruangan aktif Anda, dan keluarkan Anda sendiri",
"Remove, ban, or invite people to this room, and make you leave": "Keluarkan, cekal, atau undang orang-orang ke ruangan ini, dan keluarkan Anda sendiri", "Remove, ban, or invite people to this room, and make you leave": "Keluarkan, cekal, atau undang orang-orang ke ruangan ini, dan keluarkan Anda sendiri",
"Message pending moderation: %(reason)s": "Pesan akan dimoderasikan: %(reason)s", "Message pending moderation: %(reason)s": "Pesan akan dimoderasikan: %(reason)s",
@ -2643,7 +2547,6 @@
"Pinned": "Disematkan", "Pinned": "Disematkan",
"Open thread": "Buka utasan", "Open thread": "Buka utasan",
"No virtual room for this room": "Tidak ada ruangan virtual untuk ruangan ini", "No virtual room for this room": "Tidak ada ruangan virtual untuk ruangan ini",
"Remove messages sent by me": "Hapus pesan yang terkirim oleh saya",
"Export Cancelled": "Ekspor Dibatalkan", "Export Cancelled": "Ekspor Dibatalkan",
"What location type do you want to share?": "Tipe lokasi apa yang Anda ingin bagikan?", "What location type do you want to share?": "Tipe lokasi apa yang Anda ingin bagikan?",
"Drop a Pin": "Drop sebuah Pin", "Drop a Pin": "Drop sebuah Pin",
@ -2763,12 +2666,6 @@
"View List": "Tampilkan Daftar", "View List": "Tampilkan Daftar",
"View list": "Tampilkan daftar", "View list": "Tampilkan daftar",
"Updated %(humanizedUpdateTime)s": "Diperbarui %(humanizedUpdateTime)s", "Updated %(humanizedUpdateTime)s": "Diperbarui %(humanizedUpdateTime)s",
"Turn on camera": "Nyalakan kamera",
"Turn off camera": "Matikan kamera",
"Video devices": "Perangkat video",
"Unmute microphone": "Suarakan mikrofon",
"Mute microphone": "Bisukan mikrofon",
"Audio devices": "Perangkat audio",
"Hide my messages from new joiners": "Sembunyikan pesan saya dari orang baru bergabung", "Hide my messages from new joiners": "Sembunyikan pesan saya dari orang baru bergabung",
"Your old messages will still be visible to people who received them, just like emails you sent in the past. Would you like to hide your sent messages from people who join rooms in the future?": "Pesan lama Anda akan masih terlihat kepada orang-orang yang menerimanya, sama seperti email yang Anda kirim di masa lalu. Apakah Anda ingin menyembunyikan pesan terkirim Anda dari orang-orang yang bergabung ruangan di masa depan?", "Your old messages will still be visible to people who received them, just like emails you sent in the past. Would you like to hide your sent messages from people who join rooms in the future?": "Pesan lama Anda akan masih terlihat kepada orang-orang yang menerimanya, sama seperti email yang Anda kirim di masa lalu. Apakah Anda ingin menyembunyikan pesan terkirim Anda dari orang-orang yang bergabung ruangan di masa depan?",
"You will be removed from the identity server: your friends will no longer be able to find you with your email or phone number": "Anda akan dihapus dari server identitas: teman-teman Anda tidak akan dapat menemukan Anda dari email atau nomor telepon Anda", "You will be removed from the identity server: your friends will no longer be able to find you with your email or phone number": "Anda akan dihapus dari server identitas: teman-teman Anda tidak akan dapat menemukan Anda dari email atau nomor telepon Anda",
@ -2951,7 +2848,6 @@
"Sign out of this session": "Keluarkan sesi ini", "Sign out of this session": "Keluarkan sesi ini",
"Rename session": "Ubah nama sesi", "Rename session": "Ubah nama sesi",
"Voice broadcast": "Siaran suara", "Voice broadcast": "Siaran suara",
"Voice broadcasts": "Siaran suara",
"You do not have permission to start voice calls": "Anda tidak memiliki izin untuk memulai panggilan suara", "You do not have permission to start voice calls": "Anda tidak memiliki izin untuk memulai panggilan suara",
"There's no one here to call": "Tidak ada siapa pun di sini untuk dipanggil", "There's no one here to call": "Tidak ada siapa pun di sini untuk dipanggil",
"You do not have permission to start video calls": "Anda tidak memiliki izin untuk memulai panggilan video", "You do not have permission to start video calls": "Anda tidak memiliki izin untuk memulai panggilan video",
@ -2984,15 +2880,10 @@
"Call type": "Jenis panggilan", "Call type": "Jenis panggilan",
"You do not have sufficient permissions to change this.": "Anda tidak memiliki izin untuk mengubah ini.", "You do not have sufficient permissions to change this.": "Anda tidak memiliki izin untuk mengubah ini.",
"Enable %(brand)s as an additional calling option in this room": "Aktifkan %(brand)s sebagai opsi panggilan tambahan di ruangan ini", "Enable %(brand)s as an additional calling option in this room": "Aktifkan %(brand)s sebagai opsi panggilan tambahan di ruangan ini",
"Start %(brand)s calls": "Mulai panggilan %(brand)s",
"Join %(brand)s calls": "Bergabung panggilan %(brand)s",
"Fill screen": "Penuhi layar",
"Sorry — this call is currently full": "Maaf — panggilan ini saat ini penuh", "Sorry — this call is currently full": "Maaf — panggilan ini saat ini penuh",
"Video call started": "Panggilan video dimulai",
"Unknown room": "Ruangan yang tidak diketahui", "Unknown room": "Ruangan yang tidak diketahui",
"resume voice broadcast": "lanjutkan siaran suara", "resume voice broadcast": "lanjutkan siaran suara",
"pause voice broadcast": "jeda siaran suara", "pause voice broadcast": "jeda siaran suara",
"Notifications silenced": "Notifikasi dibisukan",
"Completing set up of your new device": "Menyelesaikan penyiapan perangkat baru Anda", "Completing set up of your new device": "Menyelesaikan penyiapan perangkat baru Anda",
"Waiting for device to sign in": "Menunggu perangkat untuk masuk", "Waiting for device to sign in": "Menunggu perangkat untuk masuk",
"Review and approve the sign in": "Lihat dan perbolehkan pemasukan", "Review and approve the sign in": "Lihat dan perbolehkan pemasukan",
@ -3264,8 +3155,6 @@
"%(errorMessage)s (HTTP status %(httpStatus)s)": "%(errorMessage)s (status HTTP %(httpStatus)s)", "%(errorMessage)s (HTTP status %(httpStatus)s)": "%(errorMessage)s (status HTTP %(httpStatus)s)",
"Unknown password change error (%(stringifiedError)s)": "Terjadi kesalahan perubahan kata sandi yang tidak diketahui (%(stringifiedError)s)", "Unknown password change error (%(stringifiedError)s)": "Terjadi kesalahan perubahan kata sandi yang tidak diketahui (%(stringifiedError)s)",
"Error while changing password: %(error)s": "Terjadi kesalahan mengubah kata sandi: %(error)s", "Error while changing password: %(error)s": "Terjadi kesalahan mengubah kata sandi: %(error)s",
"%(sender)s reacted %(reaction)s to %(message)s": "%(sender)s bereaksi %(reaction)s ke %(message)s",
"You reacted %(reaction)s to %(message)s": "Anda bereaksi %(reaction)s ke %(message)s",
"WebGL is required to display maps, please enable it in your browser settings.": "WebGL diperlukam untuk menampilkan peta, silakan aktifkan di pengaturan peramban.", "WebGL is required to display maps, please enable it in your browser settings.": "WebGL diperlukam untuk menampilkan peta, silakan aktifkan di pengaturan peramban.",
"Cannot invite user by email without an identity server. You can connect to one under \"Settings\".": "Tidak dapat mengundang pengguna dengan surel tanpa server identitas. Anda dapat menghubungkan di \"Pengaturan\".", "Cannot invite user by email without an identity server. You can connect to one under \"Settings\".": "Tidak dapat mengundang pengguna dengan surel tanpa server identitas. Anda dapat menghubungkan di \"Pengaturan\".",
"Unable to create room with moderation bot": "Tidak dapat membuat ruangan dengan bot moderasi", "Unable to create room with moderation bot": "Tidak dapat membuat ruangan dengan bot moderasi",
@ -3433,7 +3322,11 @@
"server": "Server", "server": "Server",
"capabilities": "Kemampuan", "capabilities": "Kemampuan",
"unnamed_room": "Ruangan Tanpa Nama", "unnamed_room": "Ruangan Tanpa Nama",
"unnamed_space": "Space Tidak Dinamai" "unnamed_space": "Space Tidak Dinamai",
"stickerpack": "Paket Stiker",
"system_alerts": "Pemberitahuan Sistem",
"secure_backup": "Cadangan Aman",
"cross_signing": "Penandatanganan silang"
}, },
"action": { "action": {
"continue": "Lanjut", "continue": "Lanjut",
@ -3613,7 +3506,14 @@
"format_decrease_indent": "Kurangi indentasi", "format_decrease_indent": "Kurangi indentasi",
"format_inline_code": "Kode", "format_inline_code": "Kode",
"format_code_block": "Blok kode", "format_code_block": "Blok kode",
"format_link": "Tautan" "format_link": "Tautan",
"send_button_title": "Kirim pesan",
"placeholder_thread_encrypted": "Balas ke utasan yang terenkripsi…",
"placeholder_thread": "Balas ke utasan…",
"placeholder_reply_encrypted": "Kirim sebuah balasan terenkripsi…",
"placeholder_reply": "Kirim sebuah balasan…",
"placeholder_encrypted": "Kirim sebuah pesan terenkripsi…",
"placeholder": "Kirim sebuah pesan…"
}, },
"Bold": "Tebal", "Bold": "Tebal",
"Link": "Tautan", "Link": "Tautan",
@ -3636,7 +3536,11 @@
"send_logs": "Kirim catatan", "send_logs": "Kirim catatan",
"github_issue": "Masalah GitHub", "github_issue": "Masalah GitHub",
"download_logs": "Unduh catatan", "download_logs": "Unduh catatan",
"before_submitting": "Sebelum mengirimkan catatan, Anda harus <a>membuat sebuah issue GitHub</a> untuk menjelaskan masalah Anda." "before_submitting": "Sebelum mengirimkan catatan, Anda harus <a>membuat sebuah issue GitHub</a> untuk menjelaskan masalah Anda.",
"collecting_information": "Mengumpulkan informasi versi aplikasi",
"collecting_logs": "Mengumpulkan catatan",
"uploading_logs": "Mengunggah catatan",
"downloading_logs": "Mengunduh catatan"
}, },
"time": { "time": {
"hours_minutes_seconds_left": "Sisa %(hours)sj %(minutes)sm %(seconds)sd", "hours_minutes_seconds_left": "Sisa %(hours)sj %(minutes)sm %(seconds)sd",
@ -3844,7 +3748,9 @@
"developer_tools": "Alat Pengembang", "developer_tools": "Alat Pengembang",
"room_id": "ID ruangan: %(roomId)s", "room_id": "ID ruangan: %(roomId)s",
"thread_root_id": "ID Akar Utas: %(threadRootId)s", "thread_root_id": "ID Akar Utas: %(threadRootId)s",
"event_id": "ID peristiwa: %(eventId)s" "event_id": "ID peristiwa: %(eventId)s",
"category_room": "Ruangan",
"category_other": "Lainnya"
}, },
"export_chat": { "export_chat": {
"html": "HTML", "html": "HTML",
@ -4002,6 +3908,9 @@
"one": "%(names)s dan satu lainnya sedang mengetik …", "one": "%(names)s dan satu lainnya sedang mengetik …",
"other": "%(names)s dan %(count)s lainnya sedang mengetik …" "other": "%(names)s dan %(count)s lainnya sedang mengetik …"
} }
},
"m.call.hangup": {
"dm": "Panggilan berakhir"
} }
}, },
"slash_command": { "slash_command": {
@ -4038,7 +3947,14 @@
"help": "Menampilkan daftar perintah dengan penggunaan dan deskripsi", "help": "Menampilkan daftar perintah dengan penggunaan dan deskripsi",
"whois": "Menampilkan informasi tentang sebuah pengguna", "whois": "Menampilkan informasi tentang sebuah pengguna",
"rageshake": "Kirim laporan kutu dengan catatan", "rageshake": "Kirim laporan kutu dengan catatan",
"msg": "Mengirim sebuah pesan ke pengguna yang dicantumkan" "msg": "Mengirim sebuah pesan ke pengguna yang dicantumkan",
"usage": "Penggunaan",
"category_messages": "Pesan",
"category_actions": "Aksi",
"category_admin": "Admin",
"category_advanced": "Tingkat Lanjut",
"category_effects": "Efek",
"category_other": "Lainnya"
}, },
"presence": { "presence": {
"busy": "Sibuk", "busy": "Sibuk",
@ -4052,5 +3968,108 @@
"offline": "Luring", "offline": "Luring",
"away": "Idle" "away": "Idle"
}, },
"Unknown": "Tidak Dikenal" "Unknown": "Tidak Dikenal",
"event_preview": {
"m.call.answer": {
"you": "Anda bergabung dengan panggilan saat ini",
"user": "%(senderName)s bergabung dengan panggilan saat ini",
"dm": "Panggilan sedang berjalan"
},
"m.call.hangup": {
"you": "Anda mengakhiri panggilan ini",
"user": "%(senderName)s mengakhiri panggilan ini"
},
"m.call.invite": {
"you": "Anda memulai sebuah panggilan",
"user": "%(senderName)s memulai sebuah panggilan",
"dm_send": "Menunggu untuk jawaban",
"dm_receive": "%(senderName)s sedang memanggil"
},
"m.emote": "* %(senderName)s %(emote)s",
"m.text": "%(senderName)s: %(message)s",
"m.reaction": {
"you": "Anda bereaksi %(reaction)s ke %(message)s",
"user": "%(sender)s bereaksi %(reaction)s ke %(message)s"
},
"m.sticker": "%(senderName)s: %(stickerName)s"
},
"voip": {
"disable_microphone": "Bisukan mikrofon",
"enable_microphone": "Suarakan mikrofon",
"disable_camera": "Matikan kamera",
"enable_camera": "Nyalakan kamera",
"audio_devices": "Perangkat audio",
"video_devices": "Perangkat video",
"dial": "Dial",
"you_are_presenting": "Anda sedang mempresentasi",
"user_is_presenting": "%(sharerName)s sedang mempresentasi",
"camera_disabled": "Kamera Anda dimatikan",
"camera_enabled": "Kamera Anda masih nyala",
"consulting": "Mengkonsultasi dengan %(transferTarget)s. <a>Transfer ke %(transferee)s</a>",
"call_held_switch": "Anda menahan panggilan <a>Ubah</a>",
"call_held_resume": "Anda menahan panggilan <a>Lanjutkan</a>",
"call_held": "%(peerName)s menahan panggilan",
"dialpad": "Tombol Penyetel",
"stop_screenshare": "Berhenti membagikan layar Anda",
"start_screenshare": "Mulai membagikan layar Anda",
"hangup": "Akhiri",
"maximise": "Penuhi layar",
"expand": "Kembali ke panggilan",
"on_hold": "%(name)s ditahan",
"voice_call": "Panggilan suara",
"video_call": "Panggilan video",
"video_call_started": "Panggilan video dimulai",
"unsilence": "Suara dinyalakan",
"silence": "Diamkan panggilan",
"silenced": "Notifikasi dibisukan",
"unknown_caller": "Penelpon tak dikenal",
"call_failed": "Panggilan Gagal",
"unable_to_access_microphone": "Tidak dapat mengakses mikrofon",
"call_failed_microphone": "Panggilan gagal karena mikrofon tidak dapat diakses. Periksa apakah mikrofon sudah dicolokkan dan diatur dengan benar.",
"unable_to_access_media": "Tidak dapat mengakses webcam/mikrofon",
"call_failed_media": "Panggilan gagal karena webcam atau mikrofon tidak dapat diakses. Periksa bahwa:",
"call_failed_media_connected": "Mikrofon dan webcam telah dicolokkan dan diatur dengan benar",
"call_failed_media_permissions": "Izin diberikan untuk menggunakan webcam",
"call_failed_media_applications": "Tidak ada aplikasi lain yang menggunakan webcam",
"already_in_call": "Sudah ada di panggilan",
"already_in_call_person": "Anda sudah ada di panggilan dengan orang itu.",
"unsupported": "Panggilan tidak didukung",
"unsupported_browser": "Anda tidak dapat membuat panggilan di browser ini."
},
"Messages": "Pesan",
"Other": "Lainnya",
"Advanced": "Tingkat Lanjut",
"room_settings": {
"permissions": {
"m.room.avatar_space": "Ubah avatar space",
"m.room.avatar": "Ubah avatar ruangan",
"m.room.name_space": "Ubah nama space",
"m.room.name": "Ubah nama ruangan",
"m.room.canonical_alias_space": "Ubah alamat utama untuk space ini",
"m.room.canonical_alias": "Ubah alamat utama untuk ruangan ini",
"m.space.child": "Kelola ruangan di space ini",
"m.room.history_visibility": "Ubah visibilitas riwayat",
"m.room.power_levels": "Ubah izin",
"m.room.topic_space": "Ubah deskripsi",
"m.room.topic": "Ubah topik",
"m.room.tombstone": "Tingkatkan ruangan ini",
"m.room.encryption": "Aktifkan enkripsi ruangan",
"m.room.server_acl": "Ubah ACL server",
"m.reaction": "Kirim reaksi",
"m.room.redaction": "Hapus pesan yang terkirim oleh saya",
"m.widget": "Ubah widget",
"io.element.voice_broadcast_info": "Siaran suara",
"m.room.pinned_events": "Kelola peristiwa yang disematkan",
"m.call": "Mulai panggilan %(brand)s",
"m.call.member": "Bergabung panggilan %(brand)s",
"users_default": "Peran bawaan",
"events_default": "Kirim pesan",
"invite": "Undang pengguna",
"state_default": "Ubah pengaturan",
"kick": "Keluarkan pengguna",
"ban": "Cekal pengguna",
"redact": "Hapus pesan yang dikirim oleh orang lain",
"notifications.room": "Beri tahu semua"
}
}
} }

View file

@ -32,7 +32,6 @@
"Default": "Sjálfgefið", "Default": "Sjálfgefið",
"Restricted": "Takmarkað", "Restricted": "Takmarkað",
"Moderator": "Umsjónarmaður", "Moderator": "Umsjónarmaður",
"Admin": "Stjórnandi",
"Operation failed": "Aðgerð tókst ekki", "Operation failed": "Aðgerð tókst ekki",
"You need to be logged in.": "Þú þarft að vera skráð/ur inn.", "You need to be logged in.": "Þú þarft að vera skráð/ur inn.",
"Unable to create widget.": "Gat ekki búið til viðmótshluta.", "Unable to create widget.": "Gat ekki búið til viðmótshluta.",
@ -43,12 +42,9 @@
"You do not have permission to do that in this room.": "Þú hefur ekki réttindi til þess að gera þetta á þessari spjallrás.", "You do not have permission to do that in this room.": "Þú hefur ekki réttindi til þess að gera þetta á þessari spjallrás.",
"Missing room_id in request": "Vantar spjallrásarauðkenni í beiðni", "Missing room_id in request": "Vantar spjallrásarauðkenni í beiðni",
"Missing user_id in request": "Vantar notandaauðkenni í beiðni", "Missing user_id in request": "Vantar notandaauðkenni í beiðni",
"Usage": "Notkun",
"Reason": "Ástæða", "Reason": "Ástæða",
"Send": "Senda", "Send": "Senda",
"Send analytics data": "Senda greiningargögn", "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", "Waiting for response from server": "Bíð eftir svari frá vefþjóni",
"Phone": "Sími", "Phone": "Sími",
"Export E2E room keys": "Flytja út E2E dulritunarlykla spjallrásar", "Export E2E room keys": "Flytja út E2E dulritunarlykla spjallrásar",
@ -69,10 +65,6 @@
"Admin Tools": "Kerfisstjóratól", "Admin Tools": "Kerfisstjóratól",
"Invited": "Boðið", "Invited": "Boðið",
"Filter room members": "Sía meðlimi spjallrásar", "Filter room members": "Sía meðlimi spjallrásar",
"Hangup": "Leggja á",
"Voice call": "Raddsímtal",
"Video call": "Myndsímtal",
"Send an encrypted message…": "Senda dulrituð skilaboð…",
"You do not have permission to post to this room": "Þú hefur ekki heimild til að senda skilaboð á þessa spjallrás", "You do not have permission to post to this room": "Þú hefur ekki heimild til að senda skilaboð á þessa spjallrás",
"Server error": "Villa á þjóni", "Server error": "Villa á þjóni",
"Command error": "Skipanavilla", "Command error": "Skipanavilla",
@ -92,7 +84,6 @@
"Members only (since they were invited)": "Einungis meðlimir (síðan þeim var boðið)", "Members only (since they were invited)": "Einungis meðlimir (síðan þeim var boðið)",
"Members only (since they joined)": "Einungis meðlimir (síðan þeir skráðu sig)", "Members only (since they joined)": "Einungis meðlimir (síðan þeir skráðu sig)",
"Permissions": "Heimildir", "Permissions": "Heimildir",
"Advanced": "Nánar",
"Search…": "Leita…", "Search…": "Leita…",
"This Room": "Þessi spjallrás", "This Room": "Þessi spjallrás",
"All Rooms": "Allar spjallrásir", "All Rooms": "Allar spjallrásir",
@ -221,7 +212,6 @@
"Add room": "Bæta við spjallrás", "Add room": "Bæta við spjallrás",
"Switch to dark mode": "Skiptu yfir í dökkan ham", "Switch to dark mode": "Skiptu yfir í dökkan ham",
"Switch to light mode": "Skiptu yfir í ljósan ham", "Switch to light mode": "Skiptu yfir í ljósan ham",
"Modify widgets": "Breyta viðmótshluta",
"Room information": "Upplýsingar um spjallrás", "Room information": "Upplýsingar um spjallrás",
"Room options": "Valkostir spjallrásar", "Room options": "Valkostir spjallrásar",
"Invite people": "Bjóða fólki", "Invite people": "Bjóða fólki",
@ -248,17 +238,13 @@
"You can't send any messages until you review and agree to <consentLink>our terms and conditions</consentLink>.": "Þú getur ekki sent nein skilaboð fyrr en þú hefur farið yfir og samþykkir <consentLink>skilmála okkar</consentLink>.", "You can't send any messages until you review and agree to <consentLink>our terms and conditions</consentLink>.": "Þú getur ekki sent nein skilaboð fyrr en þú hefur farið yfir og samþykkir <consentLink>skilmála okkar</consentLink>.",
"Send a Direct Message": "Senda bein skilaboð", "Send a Direct Message": "Senda bein skilaboð",
"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.": "Tilkynning um þessi skilaboð mun senda einstakt 'atviksauðkenni' til stjórnanda heimaþjóns. Ef skilaboð í þessari spjallrás eru dulrituð getur stjórnandi heimaþjóns ekki lesið skilaboðatextann eða skoðað skrár eða myndir.", "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.": "Tilkynning um þessi skilaboð mun senda einstakt 'atviksauðkenni' til stjórnanda heimaþjóns. Ef skilaboð í þessari spjallrás eru dulrituð getur stjórnandi heimaþjóns ekki lesið skilaboðatextann eða skoðað skrár eða myndir.",
"Send a message…": "Senda skilaboð…",
"Send message": "Senda skilaboð",
"Send as message": "Senda sem skilaboð", "Send as message": "Senda sem skilaboð",
"You can use <code>/help</code> to list available commands. Did you mean to send this as a message?": "Þú getur notað <code>/help</code> til að lista tilteknar skipanir. Ætlaðir þú að senda þetta sem skilaboð?", "You can use <code>/help</code> to list available commands. Did you mean to send this as a message?": "Þú getur notað <code>/help</code> til að lista tilteknar skipanir. Ætlaðir þú að senda þetta sem skilaboð?",
"Send messages": "Senda skilaboð",
"Sends the given message with snowfall": "Sendir skilaboðin með snjókomu", "Sends the given message with snowfall": "Sendir skilaboðin með snjókomu",
"Sends the given message with fireworks": "Sendir skilaboðin með flugeldum", "Sends the given message with fireworks": "Sendir skilaboðin með flugeldum",
"Sends the given message with confetti": "Sendir skilaboðin með skrauti", "Sends the given message with confetti": "Sendir skilaboðin með skrauti",
"Never send encrypted messages to unverified sessions in this room from this session": "Aldrei senda dulrituð skilaboð af þessu tæki til ósannvottaðra tækja á þessari spjallrás úr þessari setu", "Never send encrypted messages to unverified sessions in this room from this session": "Aldrei senda dulrituð skilaboð af þessu tæki til ósannvottaðra tækja á þessari spjallrás úr þessari setu",
"Never send encrypted messages to unverified sessions from this session": "Aldrei senda dulrituð skilaboð af þessu tæki til ósannvottaðra tækja", "Never send encrypted messages to unverified sessions from this session": "Aldrei senda dulrituð skilaboð af þessu tæki til ósannvottaðra tækja",
"%(senderName)s: %(message)s": "%(senderName)s: %(message)s",
"Send <b>%(msgtype)s</b> messages as you in your active room": "Senda <b>%(msgtype)s</b>-skilaboð sem þú á virku spjallrásina þína", "Send <b>%(msgtype)s</b> messages as you in your active room": "Senda <b>%(msgtype)s</b>-skilaboð sem þú á virku spjallrásina þína",
"Send <b>%(msgtype)s</b> messages as you in this room": "Senda <b>%(msgtype)s</b>-skilaboð sem þú á þessa spjallrás", "Send <b>%(msgtype)s</b> messages as you in this room": "Senda <b>%(msgtype)s</b>-skilaboð sem þú á þessa spjallrás",
"Send text messages as you in your active room": "Senda textaskilaboð sem þú á virku spjallrásina þína", "Send text messages as you in your active room": "Senda textaskilaboð sem þú á virku spjallrásina þína",
@ -294,7 +280,6 @@
"Unencrypted": "Ódulritað", "Unencrypted": "Ódulritað",
"Messages in this room are end-to-end encrypted.": "Skilaboð í þessari spjallrás eru enda-í-enda dulrituð.", "Messages in this room are end-to-end encrypted.": "Skilaboð í þessari spjallrás eru enda-í-enda dulrituð.",
"Clearing your browser's storage may fix the problem, but will sign you out and cause any encrypted chat history to become unreadable.": "Hreinsun geymslu vafrans gæti lagað vandamálið en mun skrá þig út og valda því að dulritaður spjallferil verði ólæsilegur.", "Clearing your browser's storage may fix the problem, but will sign you out and cause any encrypted chat history to become unreadable.": "Hreinsun geymslu vafrans gæti lagað vandamálið en mun skrá þig út og valda því að dulritaður spjallferil verði ólæsilegur.",
"Send an encrypted reply…": "Senda dulritað svar…",
"Once enabled, encryption for a room cannot be disabled. Messages sent in an encrypted room cannot be seen by the server, only by the participants of the room. Enabling encryption may prevent many bots and bridges from working correctly. <a>Learn more about encryption.</a>": "Þegar hún er gerð virk er ekki hægt að gera dulritun óvirka. Skilaboð á dulritaðri spjallrás getur netþjónninn ekki séð, aðeins þátttakendur á spjallrásinni. Virkjun dulritunar gæti komið í veg fyrir að vélmenni og brýr virki rétt. <a>Lærðu meira um dulritun.</a>", "Once enabled, encryption for a room cannot be disabled. Messages sent in an encrypted room cannot be seen by the server, only by the participants of the room. Enabling encryption may prevent many bots and bridges from working correctly. <a>Learn more about encryption.</a>": "Þegar hún er gerð virk er ekki hægt að gera dulritun óvirka. Skilaboð á dulritaðri spjallrás getur netþjónninn ekki séð, aðeins þátttakendur á spjallrásinni. Virkjun dulritunar gæti komið í veg fyrir að vélmenni og brýr virki rétt. <a>Lærðu meira um dulritun.</a>",
"Once enabled, encryption cannot be disabled.": "Eftir að kveikt er á dulritun er ekki hægt að slökkva á henni.", "Once enabled, encryption cannot be disabled.": "Eftir að kveikt er á dulritun er ekki hægt að slökkva á henni.",
"In encrypted rooms, like this one, URL previews are disabled by default to ensure that your homeserver (where the previews are generated) cannot gather information about links you see in this room.": "Í dulrituðum spjallrásum, eins og þessari, er sjálfgefið slökkt á forskoðun vefslóða til að tryggja að heimaþjónn þinn (þar sem forskoðunin myndast) geti ekki safnað upplýsingum um tengla sem þú sérð í þessari spjallrás.", "In encrypted rooms, like this one, URL previews are disabled by default to ensure that your homeserver (where the previews are generated) cannot gather information about links you see in this room.": "Í dulrituðum spjallrásum, eins og þessari, er sjálfgefið slökkt á forskoðun vefslóða til að tryggja að heimaþjónn þinn (þar sem forskoðunin myndast) geti ekki safnað upplýsingum um tengla sem þú sérð í þessari spjallrás.",
@ -312,7 +297,6 @@
"Direct Messages": "Bein skilaboð", "Direct Messages": "Bein skilaboð",
"Frequently Used": "Oft notað", "Frequently Used": "Oft notað",
"Preparing to download logs": "Undirbý niðurhal atvikaskráa", "Preparing to download logs": "Undirbý niðurhal atvikaskráa",
"Downloading logs": "Sæki atvikaskrá",
"Error downloading theme information.": "Villa við að niðurhala þemaupplýsingum.", "Error downloading theme information.": "Villa við að niðurhala þemaupplýsingum.",
"Message downloading sleep time(ms)": "Svæfingartími við niðurhal skilaboða (ms)", "Message downloading sleep time(ms)": "Svæfingartími við niðurhal skilaboða (ms)",
"How fast should messages be downloaded.": "Hve hratt ætti að hlaða niður skilaboðum.", "How fast should messages be downloaded.": "Hve hratt ætti að hlaða niður skilaboðum.",
@ -329,7 +313,6 @@
"Remove recent messages by %(user)s": "Fjarlægja nýleg skilaboð frá %(user)s", "Remove recent messages by %(user)s": "Fjarlægja nýleg skilaboð frá %(user)s",
"Messages in this room are not end-to-end encrypted.": "Skilaboð í þessari spjallrás eru ekki enda-í-enda dulrituð.", "Messages in this room are not end-to-end encrypted.": "Skilaboð í þessari spjallrás eru ekki enda-í-enda dulrituð.",
"You cannot place a call with yourself.": "Þú getur ekki byrjað símtal með sjálfum þér.", "You cannot place a call with yourself.": "Þú getur ekki byrjað símtal með sjálfum þér.",
"Call Failed": "Símtal mistókst",
"Add Phone Number": "Bæta við símanúmeri", "Add Phone Number": "Bæta við símanúmeri",
"Click the button below to confirm adding this phone number.": "Smelltu á hnappinn hér að neðan til að staðfesta að bæta við þessu símanúmeri.", "Click the button below to confirm adding this phone number.": "Smelltu á hnappinn hér að neðan til að staðfesta að bæta við þessu símanúmeri.",
"Confirm adding phone number": "Staðfestu að bæta við símanúmeri", "Confirm adding phone number": "Staðfestu að bæta við símanúmeri",
@ -345,8 +328,6 @@
"Document": "Skjal", "Document": "Skjal",
"Italics": "Skáletrað", "Italics": "Skáletrað",
"Discovery": "Uppgötvun", "Discovery": "Uppgötvun",
"Actions": "Aðgerðir",
"Messages": "Skilaboð",
"Summary": "Yfirlit", "Summary": "Yfirlit",
"Service": "Þjónusta", "Service": "Þjónusta",
"Removing…": "Er að fjarlægja…", "Removing…": "Er að fjarlægja…",
@ -378,7 +359,6 @@
"Lion": "Ljón", "Lion": "Ljón",
"Cat": "Köttur", "Cat": "Köttur",
"Dog": "Hundur", "Dog": "Hundur",
"Other": "Annað",
"Encryption": "Dulritun", "Encryption": "Dulritun",
"Composer": "Skrifreitur", "Composer": "Skrifreitur",
"Versions": "Útgáfur", "Versions": "Útgáfur",
@ -401,7 +381,6 @@
"one": "%(severalUsers)sskráðu sig", "one": "%(severalUsers)sskráðu sig",
"other": "%(severalUsers)shafa skráð sig %(count)s sinnum" "other": "%(severalUsers)shafa skráð sig %(count)s sinnum"
}, },
"Stickerpack": "Límmerkjapakki",
"Replying": "Svara", "Replying": "Svara",
"%(duration)sd": "%(duration)sd", "%(duration)sd": "%(duration)sd",
"%(duration)sh": "%(duration)sklst", "%(duration)sh": "%(duration)sklst",
@ -417,7 +396,6 @@
"Welcome to <name/>": "Velkomin í <name/>", "Welcome to <name/>": "Velkomin í <name/>",
"Welcome to %(appName)s": "Velkomin í %(appName)s", "Welcome to %(appName)s": "Velkomin í %(appName)s",
"Identity server": "Auðkennisþjónn", "Identity server": "Auðkennisþjónn",
"Unable to access microphone": "Mistókst að ná aðgangi að hljóðnema",
"Search for rooms": "Leita að spjallrásum", "Search for rooms": "Leita að spjallrásum",
"Create a new room": "Búa til nýja spjallrás", "Create a new room": "Búa til nýja spjallrás",
"Adding rooms... (%(progress)s out of %(count)s)": { "Adding rooms... (%(progress)s out of %(count)s)": {
@ -673,7 +651,6 @@
"United States": "Bandaríkin", "United States": "Bandaríkin",
"United Kingdom": "Stóra Bretland", "United Kingdom": "Stóra Bretland",
"More": "Meira", "More": "Meira",
"Dialpad": "Talnaborð",
"Connecting": "Tengist", "Connecting": "Tengist",
"System font name": "Nafn kerfisleturs", "System font name": "Nafn kerfisleturs",
"Use a system font": "Nota kerfisletur", "Use a system font": "Nota kerfisletur",
@ -693,7 +670,6 @@
"Unknown App": "Óþekkt forrit", "Unknown App": "Óþekkt forrit",
"Light high contrast": "Ljóst með mikil birtuskil", "Light high contrast": "Ljóst með mikil birtuskil",
"Use an identity server": "Nota auðkennisþjón", "Use an identity server": "Nota auðkennisþjón",
"Effects": "Brellur",
"Setting up keys": "Set upp dulritunarlykla", "Setting up keys": "Set upp dulritunarlykla",
"%(spaceName)s and %(count)s others": { "%(spaceName)s and %(count)s others": {
"other": "%(spaceName)s og %(count)s til viðbótar", "other": "%(spaceName)s og %(count)s til viðbótar",
@ -705,7 +681,6 @@
"Failed to transfer call": "Mistókst að áframsenda símtal", "Failed to transfer call": "Mistókst að áframsenda símtal",
"Transfer Failed": "Flutningur mistókst", "Transfer Failed": "Flutningur mistókst",
"Too Many Calls": "Of mörg símtöl", "Too Many Calls": "Of mörg símtöl",
"Already in call": "Nú þegar í símtali",
"Answered Elsewhere": "Svarað annars staðar", "Answered Elsewhere": "Svarað annars staðar",
"The user you called is busy.": "Notandinn sem þú hringdir í er upptekinn.", "The user you called is busy.": "Notandinn sem þú hringdir í er upptekinn.",
"User Busy": "Notandi upptekinn", "User Busy": "Notandi upptekinn",
@ -881,9 +856,6 @@
"Unknown failure": "Óþekkt bilun", "Unknown failure": "Óþekkt bilun",
"Enable encryption?": "Virkja dulritun?", "Enable encryption?": "Virkja dulritun?",
"Muted Users": "Þaggaðir notendur", "Muted Users": "Þaggaðir notendur",
"Change settings": "Breyta stillingum",
"Invite users": "Bjóða notendum",
"Change permissions": "Breyta aðgangsheimildum",
"Notification sound": "Hljóð með tilkynningu", "Notification sound": "Hljóð með tilkynningu",
"@mentions & keywords": "@minnst á og stikkorð", "@mentions & keywords": "@minnst á og stikkorð",
"Bridges": "Brýr", "Bridges": "Brýr",
@ -954,11 +926,9 @@
"Got It": "Náði því", "Got It": "Náði því",
"Show sidebar": "Sýna hliðarspjald", "Show sidebar": "Sýna hliðarspjald",
"Hide sidebar": "Fela hliðarspjald", "Hide sidebar": "Fela hliðarspjald",
"Dial": "Hringja",
"Unknown Command": "Óþekkt skipun", "Unknown Command": "Óþekkt skipun",
"Match system theme": "Samsvara þema kerfis", "Match system theme": "Samsvara þema kerfis",
"Messaging": "Skilaboð", "Messaging": "Skilaboð",
"%(senderName)s: %(stickerName)s": "%(senderName)s: %(stickerName)s",
"Share your public space": "Deildu opinbera svæðinu þínu", "Share your public space": "Deildu opinbera svæðinu þínu",
"Invite to %(spaceName)s": "Bjóða inn á %(spaceName)s", "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", "Short keyboard patterns are easy to guess": "Auðvelt er að giska á styttri mynstur á lyklaborði",
@ -1027,10 +997,6 @@
"There was an error looking up the phone number": "Það kom upp villa við að fletta upp símanúmerinu", "There was an error looking up the phone number": "Það kom upp villa við að fletta upp símanúmerinu",
"You've reached the maximum number of simultaneous calls.": "Þú hefur náð hámarksfjölda samhliða símtala.", "You've reached the maximum number of simultaneous calls.": "Þú hefur náð hámarksfjölda samhliða símtala.",
"You cannot place calls without a connection to the server.": "Þú getur ekki hringt símtöl án tengingar við netþjóninn.", "You cannot place calls without a connection to the server.": "Þú getur ekki hringt símtöl án tengingar við netþjóninn.",
"Calls are unsupported": "Ekki er stuðningur við símtöl",
"A microphone and webcam are plugged in and set up correctly": "Hljóðnemi og vefmyndavél eru tengd og rétt upp sett",
"Call failed because webcam or microphone could not be accessed. Check that:": "Símtal mistókst þar sem ekki tókst að fá aðgang að vefmyndavél eða hljóðnema. Athugaðu þetta:",
"Call failed because microphone could not be accessed. Check that a microphone is plugged in and set up correctly.": "Símtal mistókst þar sem ekki tókst að fá aðgang að hljóðnema. Athugaðu hvort hljóðnemi sé tengdur og rétt upp settur.",
"Please ask the administrator of your homeserver (<code>%(homeserverDomain)s</code>) to configure a TURN server in order for calls to work reliably.": "Spurðu kerfisstjóra (<code>%(homeserverDomain)s</code>) heimaþjónsins þíns um að setja upp TURN-þjón til að tryggja að símtöl virki eðlilega.", "Please ask the administrator of your homeserver (<code>%(homeserverDomain)s</code>) to configure a TURN server in order for calls to work reliably.": "Spurðu kerfisstjóra (<code>%(homeserverDomain)s</code>) heimaþjónsins þíns um að setja upp TURN-þjón til að tryggja að símtöl virki eðlilega.",
"Search (must be enabled)": "Leita (verður að vera virkjað)", "Search (must be enabled)": "Leita (verður að vera virkjað)",
"Toggle space panel": "Víxla svæðaspjaldi af/á", "Toggle space panel": "Víxla svæðaspjaldi af/á",
@ -1052,11 +1018,6 @@
"Permission Required": "Krafist er heimildar", "Permission Required": "Krafist er heimildar",
"Unable to transfer call": "Mistókst að áframsenda símtal", "Unable to transfer call": "Mistókst að áframsenda símtal",
"Unable to look up phone number": "Ekki er hægt að fletta upp símanúmeri", "Unable to look up phone number": "Ekki er hægt að fletta upp símanúmeri",
"You cannot place calls in this browser.": "Þú getur ekki hringt símtöl í þessum vafra.",
"You're already in a call with this person.": "Þú ert nú þegar í símtali við þennan aðila.",
"No other application is using the webcam": "Ekkert annað forrit er að nota vefmyndavélina",
"Permission is granted to use the webcam": "Heimild veitt til að nota vefmyndavélina",
"Unable to access webcam / microphone": "Mistókst að ná aðgangi að vefmyndavél / hljóðnema",
"Unable to load! Check your network connectivity and try again.": "Mistókst að hlaða inn. Athugaðu nettenginguna þína og reyndu aftur.", "Unable to load! Check your network connectivity and try again.": "Mistókst að hlaða inn. Athugaðu nettenginguna þína og reyndu aftur.",
"Upgrade your encryption": "Uppfærðu dulritunina þína", "Upgrade your encryption": "Uppfærðu dulritunina þína",
"The email address doesn't appear to be valid.": "Tölvupóstfangið lítur ekki út fyrir að vera í lagi.", "The email address doesn't appear to be valid.": "Tölvupóstfangið lítur ekki út fyrir að vera í lagi.",
@ -1071,13 +1032,6 @@
"This client does not support end-to-end encryption.": "Þetta forrit styður ekki enda-í-enda dulritun.", "This client does not support end-to-end encryption.": "Þetta forrit styður ekki enda-í-enda dulritun.",
"End-to-end encryption isn't enabled": "Enda-í-enda dulritun er ekki virkjuð", "End-to-end encryption isn't enabled": "Enda-í-enda dulritun er ekki virkjuð",
"Enable encryption in settings.": "Virkjaðu dulritun í stillingum.", "Enable encryption in settings.": "Virkjaðu dulritun í stillingum.",
"Reply to encrypted thread…": "Svara dulrituðum þræði…",
"Enable room encryption": "Virkja dulritun spjallrásar",
"Upgrade the room": "Uppfæra spjallrásina",
"Manage rooms in this space": "Sýsla með spjallrásir á þessu svæði",
"Change main address for the room": "Skipta um aðalvistfang spjallrásarinnar",
"Change room name": "Breyta nafni spjallrásar",
"Change room avatar": "Skipta um auðkennismynd spjallrásar",
"Room Addresses": "Vistföng spjallrása", "Room Addresses": "Vistföng spjallrása",
"Room version:": "Útgáfa spjallrásar:", "Room version:": "Útgáfa spjallrásar:",
"Room version": "Útgáfa spjallrásar", "Room version": "Útgáfa spjallrásar",
@ -1097,9 +1051,6 @@
"Your homeserver has exceeded one of its resource limits.": "Heimaþjóninn þinn er kominn fram yfir takmörk á tilföngum.", "Your homeserver has exceeded one of its resource limits.": "Heimaþjóninn þinn er kominn fram yfir takmörk á tilföngum.",
"Your homeserver has exceeded its user limit.": "Heimaþjóninn þinn er kominn fram yfir takmörk á fjölda notenda.", "Your homeserver has exceeded its user limit.": "Heimaþjóninn þinn er kominn fram yfir takmörk á fjölda notenda.",
"Use app for a better experience": "Notaðu smáforritið til að njóta betur reynslunnar", "Use app for a better experience": "Notaðu smáforritið til að njóta betur reynslunnar",
"Silence call": "Þagga niður í símtali",
"Sound on": "Hljóð á",
"Unknown caller": "Óþekktur hringjandi",
"Enable desktop notifications": "Virkja tilkynningar á skjáborði", "Enable desktop notifications": "Virkja tilkynningar á skjáborði",
"Don't miss a reply": "Ekki missa af svari", "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", "Review to ensure your account is safe": "Yfirfarðu þetta til að tryggja að aðgangurinn þinn sé öruggur",
@ -1191,36 +1142,11 @@
}, },
"Close preview": "Loka forskoðun", "Close preview": "Loka forskoðun",
"View in room": "Skoða á spjallrás", "View in room": "Skoða á spjallrás",
"Notify everyone": "Tilkynna öllum",
"Remove messages sent by others": "Fjarlægja skilaboð send af öðrum",
"Ban users": "Banna notendur",
"Remove users": "Fjarlægja notendur",
"Default role": "Sjálfgefið hlutverk",
"Change topic": "Breyta umfjöllunarefni",
"Change history visibility": "Breyta sýnileika ferils",
"Change main address for the space": "Skipta um aðalvistfang svæðisins",
"Change space name": "Breyta nafni svæðis",
"Change space avatar": "Skipta um táknmynd svæðis",
"Set up": "Setja upp", "Set up": "Setja upp",
"Your private space": "Einkasvæðið þitt", "Your private space": "Einkasvæðið þitt",
"Your public space": "Opinbera svæðið þitt", "Your public space": "Opinbera svæðið þitt",
"Return to call": "Fara til baka í símtal",
"Start the camera": "Ræsa myndavélina",
"Stop the camera": "Stöðva myndavélina",
"Unmute the microphone": "Kveikja á hljóðnema",
"Mute the microphone": "Þagga niður í hljóðnema",
"sends confetti": "sendir skraut", "sends confetti": "sendir skraut",
"Back to chat": "Til baka í spjall", "Back to chat": "Til baka í spjall",
"* %(senderName)s %(emote)s": "* %(senderName)s %(emote)s",
"%(senderName)s is calling": "%(senderName)s er að hringja",
"%(senderName)s started a call": "%(senderName)s hóf símtal",
"You started a call": "Þú hófst símtal",
"Call ended": "Símtali lokið",
"%(senderName)s ended the call": "%(senderName)s lauk símtalinu",
"You ended the call": "Þú laukst símtalinu",
"Call in progress": "Símtal í gangi",
"%(senderName)s joined the call": "%(senderName)s kom inn í símtalið",
"You joined the call": "Þú komst inn í símtalið",
"Update %(brand)s": "Uppfæra %(brand)s", "Update %(brand)s": "Uppfæra %(brand)s",
"%(deviceId)s from %(ip)s": "%(deviceId)s frá %(ip)s", "%(deviceId)s from %(ip)s": "%(deviceId)s frá %(ip)s",
"New login. Was this you?": "Ný innskráning. Varst þetta þú?", "New login. Was this you?": "Ný innskráning. Varst þetta þú?",
@ -1241,7 +1167,6 @@
"Failed to copy": "Mistókst að afrita", "Failed to copy": "Mistókst að afrita",
"Invite only, best for yourself or teams": "Einungis gegn boði, best fyrir þig og lítinn hóp", "Invite only, best for yourself or teams": "Einungis gegn boði, best fyrir þig og lítinn hóp",
"Open space for anyone, best for communities": "Opið öllum, best fyrir dreifða hópa", "Open space for anyone, best for communities": "Opið öllum, best fyrir dreifða hópa",
"System Alerts": "Aðvaranir kerfis",
"Copy link to thread": "Afrita tengil á spjallþráð", "Copy link to thread": "Afrita tengil á spjallþráð",
"You can change these anytime.": "Þú getur breytt þessu hvenær sem er.", "You can change these anytime.": "Þú getur breytt þessu hvenær sem er.",
"Create a space": "Búa til svæði", "Create a space": "Búa til svæði",
@ -1275,9 +1200,6 @@
"Strawberry": "Jarðarber", "Strawberry": "Jarðarber",
"They match": "Þau samsvara", "They match": "Þau samsvara",
"They don't match": "Þau samsvara ekki", "They don't match": "Þau samsvara ekki",
"%(name)s on hold": "%(name)s er í bið",
"Start sharing your screen": "Byrjaðu að deila skjánum þínum",
"Stop sharing your screen": "Hætta að deila skjánum þínum",
"unknown person": "óþekktur einstaklingur", "unknown person": "óþekktur einstaklingur",
"Unrecognised command: %(commandText)s": "Óþekkt skipun: %(commandText)s", "Unrecognised command: %(commandText)s": "Óþekkt skipun: %(commandText)s",
"Server unavailable, overloaded, or something else went wrong.": "Netþjónninn gæti verið undir miklu álagi eða ekki til taks, nú eða að eitthvað hafi farið úrskeiðis.", "Server unavailable, overloaded, or something else went wrong.": "Netþjónninn gæti verið undir miklu álagi eða ekki til taks, nú eða að eitthvað hafi farið úrskeiðis.",
@ -1300,7 +1222,6 @@
"Closed poll": "Lokuð könnun", "Closed poll": "Lokuð könnun",
"No votes cast": "Engin atkvæði greidd", "No votes cast": "Engin atkvæði greidd",
"This room has been replaced and is no longer active.": "Þessari spjallrás hefur verið skipt út og er hún ekki lengur virk.", "This room has been replaced and is no longer active.": "Þessari spjallrás hefur verið skipt út og er hún ekki lengur virk.",
"Secure Backup": "Varið öryggisafrit",
"Delete Backup": "Eyða öryggisafriti", "Delete Backup": "Eyða öryggisafriti",
"Message bubbles": "Skilaboðablöðrur", "Message bubbles": "Skilaboðablöðrur",
"IRC (Experimental)": "IRC (á tilraunastigi)", "IRC (Experimental)": "IRC (á tilraunastigi)",
@ -1324,7 +1245,6 @@
"No display name": "Ekkert birtingarnafn", "No display name": "Ekkert birtingarnafn",
"Access": "Aðgangur", "Access": "Aðgangur",
"Back to thread": "Til baka í spjallþráð", "Back to thread": "Til baka í spjallþráð",
"Waiting for answer": "Bíð eftir svari",
"Verify this session": "Sannprófa þessa setu", "Verify this session": "Sannprófa þessa setu",
"This homeserver has exceeded one of its resource limits.": "Þessi heimaþjónn er kominn fram yfir takmörk á tilföngum sínum.", "This homeserver has exceeded one of its resource limits.": "Þessi heimaþjónn er kominn fram yfir takmörk á tilföngum sínum.",
"This homeserver has hit its Monthly Active User limit.": "Þessi heimaþjónn er kominn fram yfir takmörk á mánaðarlega virkum notendum.", "This homeserver has hit its Monthly Active User limit.": "Þessi heimaþjónn er kominn fram yfir takmörk á mánaðarlega virkum notendum.",
@ -1575,7 +1495,6 @@
"You are about to be taken to a third-party site so you can authenticate your account for use with %(integrationsUrl)s. Do you wish to continue?": "Verið er að beina þér á utanaðkomandi vefsvæði til að auðkenna aðganginn þinn til notkunar með %(integrationsUrl)s. Viltu halda áfram?", "You are about to be taken to a third-party site so you can authenticate your account for use with %(integrationsUrl)s. Do you wish to continue?": "Verið er að beina þér á utanaðkomandi vefsvæði til að auðkenna aðganginn þinn til notkunar með %(integrationsUrl)s. Viltu halda áfram?",
"Add an Integration": "Bæta við samþættingu", "Add an Integration": "Bæta við samþættingu",
"Failed to connect to integration manager": "Mistókst að tengjast samþættingarstýringu", "Failed to connect to integration manager": "Mistókst að tengjast samþættingarstýringu",
"Cross-signing": "Kross-undirritun",
"Integration managers receive configuration data, and can modify widgets, send room invites, and set power levels on your behalf.": "Samþættingarstýringar taka við stillingagögnum og geta breytt viðmótshlutum, sent boð í spjallrásir, auk þess að geta úthlutað völdum fyrir þína hönd.", "Integration managers receive configuration data, and can modify widgets, send room invites, and set power levels on your behalf.": "Samþættingarstýringar taka við stillingagögnum og geta breytt viðmótshlutum, sent boð í spjallrásir, auk þess að geta úthlutað völdum fyrir þína hönd.",
"Manage integrations": "Sýsla með samþættingar", "Manage integrations": "Sýsla með samþættingar",
"Use an integration manager to manage bots, widgets, and sticker packs.": "Notaðu samþættingarstýringu til að stýra vélmennum, viðmótshlutum og límmerkjapökkum.", "Use an integration manager to manage bots, widgets, and sticker packs.": "Notaðu samþættingarstýringu til að stýra vélmennum, viðmótshlutum og límmerkjapökkum.",
@ -1607,14 +1526,6 @@
"Secure messages with this user are end-to-end encrypted and not able to be read by third parties.": "Örugg skilaboð við þennan notanda eru enda-í-enda dulrituð þannig að enginn annar getur lesið þau.", "Secure messages with this user are end-to-end encrypted and not able to be read by third parties.": "Örugg skilaboð við þennan notanda eru enda-í-enda dulrituð þannig að enginn annar getur lesið þau.",
"You've successfully verified this user.": "Þér hefur tekist að sannreyna þennan notanda.", "You've successfully verified this user.": "Þér hefur tekist að sannreyna þennan notanda.",
"The other party cancelled the verification.": "Hinn aðilinn hætti við sannvottunina.", "The other party cancelled the verification.": "Hinn aðilinn hætti við sannvottunina.",
"Your camera is still enabled": "Enn er kveikt á myndavélinni þinni",
"Your camera is turned off": "Slökkt er á myndavélinni þinni",
"%(sharerName)s is presenting": "%(sharerName)s er að kynna",
"You are presenting": "Þú ert að kynna",
"%(peerName)s held the call": "%(peerName)s setti símtalið í bið",
"You held the call <a>Resume</a>": "Þú settir símtalið í bið <a>Halda áfram</a>",
"You held the call <a>Switch</a>": "Þú settir símtalið í bið <a>Skipta</a>",
"Uploading logs": "Sendi inn atvikaskrár",
"Automatically send debug logs when key backup is not functioning": "Senda atvikaskrár sjálfkrafa þegar öryggisafrit dulritunarlykla virkar ekki", "Automatically send debug logs when key backup is not functioning": "Senda atvikaskrár sjálfkrafa þegar öryggisafrit dulritunarlykla virkar ekki",
"Automatically send debug logs on decryption errors": "Senda atvikaskrár sjálfkrafa við afkóðunarvillur", "Automatically send debug logs on decryption errors": "Senda atvikaskrár sjálfkrafa við afkóðunarvillur",
"Automatically send debug logs on any error": "Senda atvikaskrár sjálfkrafa við allar villur", "Automatically send debug logs on any error": "Senda atvikaskrár sjálfkrafa við allar villur",
@ -1815,11 +1726,6 @@
"Send %(eventType)s events": "Senda %(eventType)s atburði", "Send %(eventType)s events": "Senda %(eventType)s atburði",
"Privileged Users": "Notendur með auknar heimildir", "Privileged Users": "Notendur með auknar heimildir",
"No users have specific privileges in this room": "Engir notendur eru með neinar sérheimildir á þessari spjallrás", "No users have specific privileges in this room": "Engir notendur eru með neinar sérheimildir á þessari spjallrás",
"Manage pinned events": "Sýsla með festa atburði",
"Remove messages sent by me": "Fjarlægja skilaboð send af mér",
"Send reactions": "Senda viðbrögð",
"Change server ACLs": "Breyta ACL á netþjóni",
"Change description": "Breyta lýsingu",
"Error changing power level": "Villa við að breyta valdastigi", "Error changing power level": "Villa við að breyta valdastigi",
"Error changing power level requirement": "Villa við að breyta kröfum um valdastig", "Error changing power level requirement": "Villa við að breyta kröfum um valdastig",
"Banned by %(displayName)s": "Bannaður af %(displayName)s", "Banned by %(displayName)s": "Bannaður af %(displayName)s",
@ -1836,8 +1742,6 @@
"Call declined": "Símtali hafnað", "Call declined": "Símtali hafnað",
"Only the two of you are in this conversation, unless either of you invites anyone to join.": "Aðeins þið tveir/tvö eruð í þessu samtali, nema annar hvor bjóði einhverjum að taka þátt.", "Only the two of you are in this conversation, unless either of you invites anyone to join.": "Aðeins þið tveir/tvö eruð í þessu samtali, nema annar hvor bjóði einhverjum að taka þátt.",
"The conversation continues here.": "Samtalið heldur áfram hér.", "The conversation continues here.": "Samtalið heldur áfram hér.",
"Send a reply…": "Senda svar…",
"Reply to thread…": "Svara spjallþræði…",
"%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (með völd sem %(powerLevelNumber)s)", "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (með völd sem %(powerLevelNumber)s)",
"You can't see earlier messages": "Þú getur ekki séð eldri skilaboð", "You can't see earlier messages": "Þú getur ekki séð eldri skilaboð",
"Message Actions": "Aðgerðir skilaboða", "Message Actions": "Aðgerðir skilaboða",
@ -2430,7 +2334,6 @@
"The identity server you have chosen does not have any terms of service.": "Auðkennisþjónninn sem þú valdir er ekki með neina þjónustuskilmála.", "The identity server you have chosen does not have any terms of service.": "Auðkennisþjónninn sem þú valdir er ekki með neina þjónustuskilmála.",
"Terms of service not accepted or the identity server is invalid.": "Þjónustuskilmálar eru ekki samþykktir eða að auðkennisþjónn er ógildur.", "Terms of service not accepted or the identity server is invalid.": "Þjónustuskilmálar eru ekki samþykktir eða að auðkennisþjónn er ógildur.",
"Connect this session to Key Backup": "Tengja þessa setu við öryggisafrit af lykli", "Connect this session to Key Backup": "Tengja þessa setu við öryggisafrit af lykli",
"Consulting with %(transferTarget)s. <a>Transfer to %(transferee)s</a>": "Ráðfæri við %(transferTarget)s. <a>Flytja á %(transferee)s</a>",
"This is your list of users/servers you have blocked - don't leave the room!": "Þetta er listinn þinn yfir notendur/netþjóna sem þú hefur lokað á - ekki fara af spjallsvæðinu!", "This is your list of users/servers you have blocked - don't leave the room!": "Þetta er listinn þinn yfir notendur/netþjóna sem þú hefur lokað á - ekki fara af spjallsvæðinu!",
"%(brand)s is experimental on a mobile web browser. For a better experience and the latest features, use our free native app.": "%(brand)s í farsímavafra er á tilraunastigi. Til að fá eðlilegri hegðun og nýjustu eiginleikana, ættirðu að nota til þess gerða smáforritið okkar.", "%(brand)s is experimental on a mobile web browser. For a better experience and the latest features, use our free native app.": "%(brand)s í farsímavafra er á tilraunastigi. Til að fá eðlilegri hegðun og nýjustu eiginleikana, ættirðu að nota til þess gerða smáforritið okkar.",
"This homeserver is not configured correctly to display maps, or the configured map server may be unreachable.": "Heimaþjónninn er ekki rétt stilltur til að geta birt landakort, eða að uppsettur kortaþjónn er ekki aðgengilegur.", "This homeserver is not configured correctly to display maps, or the configured map server may be unreachable.": "Heimaþjónninn er ekki rétt stilltur til að geta birt landakort, eða að uppsettur kortaþjónn er ekki aðgengilegur.",
@ -2497,12 +2400,6 @@
"Video rooms are a beta feature": "Myndspjallrásir eru beta-prófunareiginleiki", "Video rooms are a beta feature": "Myndspjallrásir eru beta-prófunareiginleiki",
"Read receipts": "Leskvittanir", "Read receipts": "Leskvittanir",
"%(members)s and more": "%(members)s og fleiri", "%(members)s and more": "%(members)s og fleiri",
"Turn on camera": "Kveikja á myndavél",
"Turn off camera": "Slökkva á myndavél",
"Video devices": "Myndmerkistæki",
"Unmute microphone": "Kveikja á hljóðnema",
"Mute microphone": "Þagga niður í hljóðnema",
"Audio devices": "Hljóðtæki",
"Show Labs settings": "Sýna tilraunastillingar", "Show Labs settings": "Sýna tilraunastillingar",
"%(members)s and %(last)s": "%(members)s og %(last)s", "%(members)s and %(last)s": "%(members)s og %(last)s",
"Disinvite from space": "Afbjóða frá stað", "Disinvite from space": "Afbjóða frá stað",
@ -2736,13 +2633,10 @@
"Video settings": "Myndstillingar", "Video settings": "Myndstillingar",
"Voice settings": "Raddstillingar", "Voice settings": "Raddstillingar",
"Search users in this room…": "Leita að notendum á þessari spjallrás…", "Search users in this room…": "Leita að notendum á þessari spjallrás…",
"Fill screen": "Fylla skjá",
"Low bandwidth mode": "Hamur fyrir litla bandbreidd", "Low bandwidth mode": "Hamur fyrir litla bandbreidd",
"Automatic gain control": "Sjálfvirk stýring styrkaukningar", "Automatic gain control": "Sjálfvirk stýring styrkaukningar",
"When enabled, the other party might be able to see your IP address": "Ef þetta er virkjað, getur viðkomandi mögulega séð IP-vistfangið þitt", "When enabled, the other party might be able to see your IP address": "Ef þetta er virkjað, getur viðkomandi mögulega séð IP-vistfangið þitt",
"Allow Peer-to-Peer for 1:1 calls": "Leyfa jafningi-á-jafningja fyrir maður-á-mann samtöl", "Allow Peer-to-Peer for 1:1 calls": "Leyfa jafningi-á-jafningja fyrir maður-á-mann samtöl",
"Notifications silenced": "Þaggað niður í tilkynningum",
"Video call started": "Myndsímtal er byrjað",
"You have unverified sessions": "Þú ert með óstaðfestar setur", "You have unverified sessions": "Þú ert með óstaðfestar setur",
"Buffering…": "Hleð í biðminni…", "Buffering…": "Hleð í biðminni…",
"Go live": "Fara í beina útsendingu", "Go live": "Fara í beina útsendingu",
@ -2797,9 +2691,6 @@
"Call type": "Tegund samtals", "Call type": "Tegund samtals",
"Failed to update the join rules": "Mistókst að uppfæra reglur fyrir þátttöku", "Failed to update the join rules": "Mistókst að uppfæra reglur fyrir þátttöku",
"Select the roles required to change various parts of the space": "Veldu þau hlutverk sem krafist er til að breyta ýmsum þáttum svæðisins", "Select the roles required to change various parts of the space": "Veldu þau hlutverk sem krafist er til að breyta ýmsum þáttum svæðisins",
"Join %(brand)s calls": "Taka þátt í %(brand)s samtali",
"Start %(brand)s calls": "Byrja %(brand)s samtal",
"Voice broadcasts": "Útsendingar tals",
"Voice processing": "Meðhöndlun tals", "Voice processing": "Meðhöndlun tals",
"Automatically adjust the microphone volume": "Aðlaga hljóðstyrk hljóðnema sjálfvirkt", "Automatically adjust the microphone volume": "Aðlaga hljóðstyrk hljóðnema sjálfvirkt",
"Are you sure you want to sign out of %(count)s sessions?": { "Are you sure you want to sign out of %(count)s sessions?": {
@ -2892,7 +2783,11 @@
"server": "Netþjónn", "server": "Netþjónn",
"capabilities": "Geta", "capabilities": "Geta",
"unnamed_room": "Nafnlaus spjallrás", "unnamed_room": "Nafnlaus spjallrás",
"unnamed_space": "Nafnlaust svæði" "unnamed_space": "Nafnlaust svæði",
"stickerpack": "Límmerkjapakki",
"system_alerts": "Aðvaranir kerfis",
"secure_backup": "Varið öryggisafrit",
"cross_signing": "Kross-undirritun"
}, },
"action": { "action": {
"continue": "Halda áfram", "continue": "Halda áfram",
@ -3046,7 +2941,14 @@
"format_ordered_list": "Tölusettur listi", "format_ordered_list": "Tölusettur listi",
"format_inline_code": "Kóði", "format_inline_code": "Kóði",
"format_code_block": "Kóðablokk", "format_code_block": "Kóðablokk",
"format_link": "Tengill" "format_link": "Tengill",
"send_button_title": "Senda skilaboð",
"placeholder_thread_encrypted": "Svara dulrituðum þræði…",
"placeholder_thread": "Svara spjallþræði…",
"placeholder_reply_encrypted": "Senda dulritað svar…",
"placeholder_reply": "Senda svar…",
"placeholder_encrypted": "Senda dulrituð skilaboð…",
"placeholder": "Senda skilaboð…"
}, },
"Bold": "Feitletrað", "Bold": "Feitletrað",
"Link": "Tengill", "Link": "Tengill",
@ -3067,7 +2969,11 @@
"title": "Tilkynningar um villur", "title": "Tilkynningar um villur",
"send_logs": "Senda atvikaskrá", "send_logs": "Senda atvikaskrá",
"github_issue": "Villutilkynning á GitHub", "github_issue": "Villutilkynning á GitHub",
"download_logs": "Niðurhal atvikaskrá" "download_logs": "Niðurhal atvikaskrá",
"collecting_information": "Safna upplýsingum um útgáfu smáforrits",
"collecting_logs": "Safna atvikaskrám",
"uploading_logs": "Sendi inn atvikaskrár",
"downloading_logs": "Sæki atvikaskrá"
}, },
"time": { "time": {
"hours_minutes_seconds_left": "%(hours)sk %(minutes)sm %(seconds)ss eftir", "hours_minutes_seconds_left": "%(hours)sk %(minutes)sm %(seconds)ss eftir",
@ -3239,7 +3145,9 @@
"toolbox": "Verkfærakassi", "toolbox": "Verkfærakassi",
"developer_tools": "Forritunartól", "developer_tools": "Forritunartól",
"room_id": "Auðkenni spjallrásar: %(roomId)s", "room_id": "Auðkenni spjallrásar: %(roomId)s",
"event_id": "Auðkenni atburðar: %(eventId)s" "event_id": "Auðkenni atburðar: %(eventId)s",
"category_room": "Spjallrás",
"category_other": "Annað"
}, },
"export_chat": { "export_chat": {
"html": "HTML", "html": "HTML",
@ -3388,6 +3296,9 @@
"one": "%(names)s og einn til viðbótar eru að skrifa……", "one": "%(names)s og einn til viðbótar eru að skrifa……",
"other": "%(names)s og %(count)s til viðbótar eru að skrifa……" "other": "%(names)s og %(count)s til viðbótar eru að skrifa……"
} }
},
"m.call.hangup": {
"dm": "Símtali lokið"
} }
}, },
"slash_command": { "slash_command": {
@ -3422,7 +3333,14 @@
"help": "Birtir lista yfir skipanir með notkunarleiðbeiningum og lýsingum", "help": "Birtir lista yfir skipanir með notkunarleiðbeiningum og lýsingum",
"whois": "Birtir upplýsingar um notanda", "whois": "Birtir upplýsingar um notanda",
"rageshake": "Senda villuskýrslu með atvikaskrám", "rageshake": "Senda villuskýrslu með atvikaskrám",
"msg": "Sendir skilaboð til viðkomandi notanda" "msg": "Sendir skilaboð til viðkomandi notanda",
"usage": "Notkun",
"category_messages": "Skilaboð",
"category_actions": "Aðgerðir",
"category_admin": "Stjórnandi",
"category_advanced": "Nánar",
"category_effects": "Brellur",
"category_other": "Annað"
}, },
"presence": { "presence": {
"busy": "Upptekinn", "busy": "Upptekinn",
@ -3436,5 +3354,104 @@
"offline": "Ónettengt", "offline": "Ónettengt",
"away": "Fjarverandi" "away": "Fjarverandi"
}, },
"Unknown": "Óþekkt" "Unknown": "Óþekkt",
"event_preview": {
"m.call.answer": {
"you": "Þú komst inn í símtalið",
"user": "%(senderName)s kom inn í símtalið",
"dm": "Símtal í gangi"
},
"m.call.hangup": {
"you": "Þú laukst símtalinu",
"user": "%(senderName)s lauk símtalinu"
},
"m.call.invite": {
"you": "Þú hófst símtal",
"user": "%(senderName)s hóf símtal",
"dm_send": "Bíð eftir svari",
"dm_receive": "%(senderName)s er að hringja"
},
"m.emote": "* %(senderName)s %(emote)s",
"m.text": "%(senderName)s: %(message)s",
"m.sticker": "%(senderName)s: %(stickerName)s"
},
"voip": {
"disable_microphone": "Þagga niður í hljóðnema",
"enable_microphone": "Kveikja á hljóðnema",
"disable_camera": "Slökkva á myndavél",
"enable_camera": "Kveikja á myndavél",
"audio_devices": "Hljóðtæki",
"video_devices": "Myndmerkistæki",
"dial": "Hringja",
"you_are_presenting": "Þú ert að kynna",
"user_is_presenting": "%(sharerName)s er að kynna",
"camera_disabled": "Slökkt er á myndavélinni þinni",
"camera_enabled": "Enn er kveikt á myndavélinni þinni",
"consulting": "Ráðfæri við %(transferTarget)s. <a>Flytja á %(transferee)s</a>",
"call_held_switch": "Þú settir símtalið í bið <a>Skipta</a>",
"call_held_resume": "Þú settir símtalið í bið <a>Halda áfram</a>",
"call_held": "%(peerName)s setti símtalið í bið",
"dialpad": "Talnaborð",
"stop_screenshare": "Hætta að deila skjánum þínum",
"start_screenshare": "Byrjaðu að deila skjánum þínum",
"hangup": "Leggja á",
"maximise": "Fylla skjá",
"expand": "Fara til baka í símtal",
"on_hold": "%(name)s er í bið",
"voice_call": "Raddsímtal",
"video_call": "Myndsímtal",
"video_call_started": "Myndsímtal er byrjað",
"unsilence": "Hljóð á",
"silence": "Þagga niður í símtali",
"silenced": "Þaggað niður í tilkynningum",
"unknown_caller": "Óþekktur hringjandi",
"call_failed": "Símtal mistókst",
"unable_to_access_microphone": "Mistókst að ná aðgangi að hljóðnema",
"call_failed_microphone": "Símtal mistókst þar sem ekki tókst að fá aðgang að hljóðnema. Athugaðu hvort hljóðnemi sé tengdur og rétt upp settur.",
"unable_to_access_media": "Mistókst að ná aðgangi að vefmyndavél / hljóðnema",
"call_failed_media": "Símtal mistókst þar sem ekki tókst að fá aðgang að vefmyndavél eða hljóðnema. Athugaðu þetta:",
"call_failed_media_connected": "Hljóðnemi og vefmyndavél eru tengd og rétt upp sett",
"call_failed_media_permissions": "Heimild veitt til að nota vefmyndavélina",
"call_failed_media_applications": "Ekkert annað forrit er að nota vefmyndavélina",
"already_in_call": "Nú þegar í símtali",
"already_in_call_person": "Þú ert nú þegar í símtali við þennan aðila.",
"unsupported": "Ekki er stuðningur við símtöl",
"unsupported_browser": "Þú getur ekki hringt símtöl í þessum vafra."
},
"Messages": "Skilaboð",
"Other": "Annað",
"Advanced": "Nánar",
"room_settings": {
"permissions": {
"m.room.avatar_space": "Skipta um táknmynd svæðis",
"m.room.avatar": "Skipta um auðkennismynd spjallrásar",
"m.room.name_space": "Breyta nafni svæðis",
"m.room.name": "Breyta nafni spjallrásar",
"m.room.canonical_alias_space": "Skipta um aðalvistfang svæðisins",
"m.room.canonical_alias": "Skipta um aðalvistfang spjallrásarinnar",
"m.space.child": "Sýsla með spjallrásir á þessu svæði",
"m.room.history_visibility": "Breyta sýnileika ferils",
"m.room.power_levels": "Breyta aðgangsheimildum",
"m.room.topic_space": "Breyta lýsingu",
"m.room.topic": "Breyta umfjöllunarefni",
"m.room.tombstone": "Uppfæra spjallrásina",
"m.room.encryption": "Virkja dulritun spjallrásar",
"m.room.server_acl": "Breyta ACL á netþjóni",
"m.reaction": "Senda viðbrögð",
"m.room.redaction": "Fjarlægja skilaboð send af mér",
"m.widget": "Breyta viðmótshluta",
"io.element.voice_broadcast_info": "Útsendingar tals",
"m.room.pinned_events": "Sýsla með festa atburði",
"m.call": "Byrja %(brand)s samtal",
"m.call.member": "Taka þátt í %(brand)s samtali",
"users_default": "Sjálfgefið hlutverk",
"events_default": "Senda skilaboð",
"invite": "Bjóða notendum",
"state_default": "Breyta stillingum",
"kick": "Fjarlægja notendur",
"ban": "Banna notendur",
"redact": "Fjarlægja skilaboð send af öðrum",
"notifications.room": "Tilkynna öllum"
}
}
} }

View file

@ -8,13 +8,11 @@
"Favourite": "Preferito", "Favourite": "Preferito",
"Failed to change password. Is your password correct?": "Modifica password fallita. La tua password è corretta?", "Failed to change password. Is your password correct?": "Modifica password fallita. La tua password è corretta?",
"Account": "Account", "Account": "Account",
"Admin": "Amministratore",
"Admin Tools": "Strumenti di amministrazione", "Admin Tools": "Strumenti di amministrazione",
"No Microphones detected": "Nessun Microfono rilevato", "No Microphones detected": "Nessun Microfono rilevato",
"No Webcams detected": "Nessuna Webcam rilevata", "No Webcams detected": "Nessuna Webcam rilevata",
"You may need to manually permit %(brand)s to access your microphone/webcam": "Potresti dover permettere manualmente a %(brand)s di accedere al tuo microfono/webcam", "You may need to manually permit %(brand)s to access your microphone/webcam": "Potresti dover permettere manualmente a %(brand)s di accedere al tuo microfono/webcam",
"Default Device": "Dispositivo Predefinito", "Default Device": "Dispositivo Predefinito",
"Advanced": "Avanzato",
"Authentication": "Autenticazione", "Authentication": "Autenticazione",
"This email address is already in use": "Questo indirizzo e-mail è già in uso", "This email address is already in use": "Questo indirizzo e-mail è già in uso",
"This phone number is already in use": "Questo numero di telefono è già in uso", "This phone number is already in use": "Questo numero di telefono è già in uso",
@ -47,7 +45,6 @@
"%(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 %(time)s": "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s",
"Rooms": "Stanze", "Rooms": "Stanze",
"Unnamed room": "Stanza senza nome", "Unnamed room": "Stanza senza nome",
"Call Failed": "Chiamata fallita",
"Upload Failed": "Invio fallito", "Upload Failed": "Invio fallito",
"%(weekDayName)s, %(monthName)s %(day)s %(fullYear)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",
"%(brand)s does not have permission to send you notifications - please check your browser settings": "%(brand)s non ha l'autorizzazione ad inviarti notifiche - controlla le impostazioni del browser", "%(brand)s does not have permission to send you notifications - please check your browser settings": "%(brand)s non ha l'autorizzazione ad inviarti notifiche - controlla le impostazioni del browser",
@ -68,7 +65,6 @@
"Missing room_id in request": "Manca l'id_stanza nella richiesta", "Missing room_id in request": "Manca l'id_stanza nella richiesta",
"Room %(roomId)s not visible": "Stanza %(roomId)s non visibile", "Room %(roomId)s not visible": "Stanza %(roomId)s non visibile",
"Missing user_id in request": "Manca l'id_utente nella richiesta", "Missing user_id in request": "Manca l'id_utente nella richiesta",
"Usage": "Utilizzo",
"Ignored user": "Utente ignorato", "Ignored user": "Utente ignorato",
"You are now ignoring %(userId)s": "Ora stai ignorando %(userId)s", "You are now ignoring %(userId)s": "Ora stai ignorando %(userId)s",
"Unignored user": "Utente non più ignorato", "Unignored user": "Utente non più ignorato",
@ -112,11 +108,6 @@
"Invited": "Invitato/a", "Invited": "Invitato/a",
"Filter room members": "Filtra membri della stanza", "Filter room members": "Filtra membri della stanza",
"%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (poteri %(powerLevelNumber)s)", "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (poteri %(powerLevelNumber)s)",
"Hangup": "Riaggancia",
"Voice call": "Telefonata",
"Video call": "Videochiamata",
"Send an encrypted reply…": "Invia una risposta criptata…",
"Send an encrypted message…": "Invia un messaggio criptato…",
"You do not have permission to post to this room": "Non hai il permesso di inviare in questa stanza", "You do not have permission to post to this room": "Non hai il permesso di inviare in questa stanza",
"Server error": "Errore del server", "Server error": "Errore del server",
"Server unavailable, overloaded, or something else went wrong.": "Server non disponibile, sovraccarico o qualcos'altro è andato storto.", "Server unavailable, overloaded, or something else went wrong.": "Server non disponibile, sovraccarico o qualcos'altro è andato storto.",
@ -357,7 +348,6 @@
"File to import": "File da importare", "File to import": "File da importare",
"Failed to remove tag %(tagName)s from room": "Rimozione etichetta %(tagName)s dalla stanza fallita", "Failed to remove tag %(tagName)s from room": "Rimozione etichetta %(tagName)s dalla stanza fallita",
"Failed to add tag %(tagName)s to room": "Aggiunta etichetta %(tagName)s alla stanza fallita", "Failed to add tag %(tagName)s to room": "Aggiunta etichetta %(tagName)s alla stanza fallita",
"Stickerpack": "Pacchetto adesivi",
"You don't currently have any stickerpacks enabled": "Non hai ancora alcun pacchetto di adesivi attivato", "You don't currently have any stickerpacks enabled": "Non hai ancora alcun pacchetto di adesivi attivato",
"Sunday": "Domenica", "Sunday": "Domenica",
"Notification targets": "Obiettivi di notifica", "Notification targets": "Obiettivi di notifica",
@ -373,13 +363,11 @@
"Source URL": "URL d'origine", "Source URL": "URL d'origine",
"Filter results": "Filtra risultati", "Filter results": "Filtra risultati",
"No update available.": "Nessun aggiornamento disponibile.", "No update available.": "Nessun aggiornamento disponibile.",
"Collecting app version information": "Raccolta di informazioni sulla versione dell'applicazione",
"Tuesday": "Martedì", "Tuesday": "Martedì",
"Search…": "Cerca…", "Search…": "Cerca…",
"Preparing to send logs": "Preparazione invio dei log", "Preparing to send logs": "Preparazione invio dei log",
"Saturday": "Sabato", "Saturday": "Sabato",
"Monday": "Lunedì", "Monday": "Lunedì",
"Collecting logs": "Sto recuperando i log",
"All Rooms": "Tutte le stanze", "All Rooms": "Tutte le stanze",
"Wednesday": "Mercoledì", "Wednesday": "Mercoledì",
"You cannot delete this message. (%(code)s)": "Non puoi eliminare questo messaggio. (%(code)s)", "You cannot delete this message. (%(code)s)": "Non puoi eliminare questo messaggio. (%(code)s)",
@ -429,7 +417,6 @@
"In encrypted rooms, like this one, URL previews are disabled by default to ensure that your homeserver (where the previews are generated) cannot gather information about links you see in this room.": "Nelle stanze criptate, come questa, le anteprime degli URL sono disattivate in modo predefinito per garantire che il tuo homeserver (dove vengono generate le anteprime) non possa raccogliere informazioni sui collegamenti che vedi in questa stanza.", "In encrypted rooms, like this one, URL previews are disabled by default to ensure that your homeserver (where the previews are generated) cannot gather information about links you see in this room.": "Nelle stanze criptate, come questa, le anteprime degli URL sono disattivate in modo predefinito per garantire che il tuo homeserver (dove vengono generate le anteprime) non possa raccogliere informazioni sui collegamenti che vedi in questa stanza.",
"When someone puts a URL in their message, a URL preview can be shown to give more information about that link such as the title, description, and an image from the website.": "Quando qualcuno inserisce un URL nel proprio messaggio, è possibile mostrare un'anteprima dell'URL per fornire maggiori informazioni su quel collegamento, come il titolo, la descrizione e un'immagine dal sito web.", "When someone puts a URL in their message, a URL preview can be shown to give more information about that link such as the title, description, and an image from the website.": "Quando qualcuno inserisce un URL nel proprio messaggio, è possibile mostrare un'anteprima dell'URL per fornire maggiori informazioni su quel collegamento, come il titolo, la descrizione e un'immagine dal sito web.",
"You can't send any messages until you review and agree to <consentLink>our terms and conditions</consentLink>.": "Non puoi inviare alcun messaggio fino a quando non leggi ed accetti <consentLink>i nostri termini e condizioni</consentLink>.", "You can't send any messages until you review and agree to <consentLink>our terms and conditions</consentLink>.": "Non puoi inviare alcun messaggio fino a quando non leggi ed accetti <consentLink>i nostri termini e condizioni</consentLink>.",
"System Alerts": "Avvisi di sistema",
"Only room administrators will see this warning": "Solo gli amministratori della stanza vedranno questo avviso", "Only room administrators will see this warning": "Solo gli amministratori della stanza vedranno questo avviso",
"This homeserver has hit its Monthly Active User limit.": "Questo homeserver ha raggiunto il suo limite di utenti attivi mensili.", "This homeserver has hit its Monthly Active User limit.": "Questo homeserver ha raggiunto il suo limite di utenti attivi mensili.",
"This homeserver has exceeded one of its resource limits.": "Questo homeserver ha oltrepassato uno dei suoi limiti di risorse.", "This homeserver has exceeded one of its resource limits.": "Questo homeserver ha oltrepassato uno dei suoi limiti di risorse.",
@ -628,19 +615,6 @@
"Room version": "Versione stanza", "Room version": "Versione stanza",
"Room version:": "Versione stanza:", "Room version:": "Versione stanza:",
"Room Addresses": "Indirizzi stanza", "Room Addresses": "Indirizzi stanza",
"Change room avatar": "Cambia avatar stanza",
"Change room name": "Modifica nome stanza",
"Change main address for the room": "Modifica indirizzo principale della stanza",
"Change history visibility": "Cambia visibilità cronologia",
"Change permissions": "Cambia autorizzazioni",
"Change topic": "Modifica argomento",
"Modify widgets": "Modifica i widget",
"Default role": "Ruolo predefinito",
"Send messages": "Invia messaggi",
"Invite users": "Invita utenti",
"Change settings": "Modifica impostazioni",
"Ban users": "Bandisci utenti",
"Notify everyone": "Notifica tutti",
"Send %(eventType)s events": "Invia eventi %(eventType)s", "Send %(eventType)s events": "Invia eventi %(eventType)s",
"Roles & Permissions": "Ruoli e permessi", "Roles & Permissions": "Ruoli e permessi",
"Select the roles required to change various parts of the room": "Seleziona i ruoli necessari per cambiare varie parti della stanza", "Select the roles required to change various parts of the room": "Seleziona i ruoli necessari per cambiare varie parti della stanza",
@ -668,7 +642,6 @@
"Email (optional)": "Email (facoltativa)", "Email (optional)": "Email (facoltativa)",
"Phone (optional)": "Telefono (facoltativo)", "Phone (optional)": "Telefono (facoltativo)",
"Join millions for free on the largest public server": "Unisciti gratis a milioni nel più grande server pubblico", "Join millions for free on the largest public server": "Unisciti gratis a milioni nel più grande server pubblico",
"Other": "Altro",
"Couldn't load page": "Caricamento pagina fallito", "Couldn't load page": "Caricamento pagina fallito",
"Could not load user profile": "Impossibile caricare il profilo utente", "Could not load user profile": "Impossibile caricare il profilo utente",
"Your password has been reset.": "La tua password è stata reimpostata.", "Your password has been reset.": "La tua password è stata reimpostata.",
@ -808,8 +781,6 @@
"Summary": "Riepilogo", "Summary": "Riepilogo",
"Call failed due to misconfigured server": "Chiamata non riuscita a causa di un server non configurato correttamente", "Call failed due to misconfigured server": "Chiamata non riuscita a causa di un server non configurato correttamente",
"Please ask the administrator of your homeserver (<code>%(homeserverDomain)s</code>) to configure a TURN server in order for calls to work reliably.": "Chiedi all'amministratore del tuo homeserver(<code>%(homeserverDomain)s</code>) per configurare un server TURN affinché le chiamate funzionino in modo affidabile.", "Please ask the administrator of your homeserver (<code>%(homeserverDomain)s</code>) to configure a TURN server in order for calls to work reliably.": "Chiedi all'amministratore del tuo homeserver(<code>%(homeserverDomain)s</code>) per configurare un server TURN affinché le chiamate funzionino in modo affidabile.",
"Messages": "Messaggi",
"Actions": "Azioni",
"Checking server": "Controllo del server", "Checking server": "Controllo del server",
"Disconnect from the identity server <idserver />?": "Disconnettere dal server di identità <idserver />?", "Disconnect from the identity server <idserver />?": "Disconnettere dal server di identità <idserver />?",
"You are currently using <server></server> to discover and be discoverable by existing contacts you know. You can change your identity server below.": "Stai attualmente usando <server></server> per trovare ed essere trovabile dai contatti esistenti che conosci. Puoi cambiare il tuo server di identità sotto.", "You are currently using <server></server> to discover and be discoverable by existing contacts you know. You can change your identity server below.": "Stai attualmente usando <server></server> per trovare ed essere trovabile dai contatti esistenti che conosci. Puoi cambiare il tuo server di identità sotto.",
@ -843,8 +814,6 @@
"Use an identity server": "Usa un server di identità", "Use an identity server": "Usa un server di identità",
"Use an identity server to invite by email. Click continue to use the default identity server (%(defaultIdentityServerName)s) or manage in Settings.": "Usa un server d'identità per invitare via email. Clicca \"Continua\" per usare quello predefinito (%(defaultIdentityServerName)s) o gestiscilo nelle impostazioni.", "Use an identity server to invite by email. Click continue to use the default identity server (%(defaultIdentityServerName)s) or manage in Settings.": "Usa un server d'identità per invitare via email. Clicca \"Continua\" per usare quello predefinito (%(defaultIdentityServerName)s) o gestiscilo nelle impostazioni.",
"Use an identity server to invite by email. Manage in Settings.": "Usa un server di identità per invitare via email. Gestisci nelle impostazioni.", "Use an identity server to invite by email. Manage in Settings.": "Usa un server di identità per invitare via email. Gestisci nelle impostazioni.",
"Upgrade the room": "Aggiorna la stanza",
"Enable room encryption": "Attiva la crittografia della stanza",
"Deactivate user?": "Disattivare l'utente?", "Deactivate user?": "Disattivare l'utente?",
"Deactivating this user will log them out and prevent them from logging back in. Additionally, they will leave all the rooms they are in. This action cannot be reversed. Are you sure you want to deactivate this user?": "Disattivare questo utente lo disconnetterà e ne impedirà nuovi accessi. In aggiunta, abbandonerà tutte le stanze in cui è presente. Questa azione non può essere annullata. Sei sicuro di volere disattivare questo utente?", "Deactivating this user will log them out and prevent them from logging back in. Additionally, they will leave all the rooms they are in. This action cannot be reversed. Are you sure you want to deactivate this user?": "Disattivare questo utente lo disconnetterà e ne impedirà nuovi accessi. In aggiunta, abbandonerà tutte le stanze in cui è presente. Questa azione non può essere annullata. Sei sicuro di volere disattivare questo utente?",
"Deactivate user": "Disattiva utente", "Deactivate user": "Disattiva utente",
@ -1028,7 +997,6 @@
"in secret storage": "in un archivio segreto", "in secret storage": "in un archivio segreto",
"Secret storage public key:": "Chiave pubblica dell'archivio segreto:", "Secret storage public key:": "Chiave pubblica dell'archivio segreto:",
"in account data": "nei dati dell'account", "in account data": "nei dati dell'account",
"Cross-signing": "Firma incrociata",
"<userName/> wants to chat": "<userName/> vuole chattare", "<userName/> wants to chat": "<userName/> vuole chattare",
"Start chatting": "Inizia a chattare", "Start chatting": "Inizia a chattare",
"not stored": "non salvato", "not stored": "non salvato",
@ -1058,8 +1026,6 @@
"Start Verification": "Inizia la verifica", "Start Verification": "Inizia la verifica",
"This room is end-to-end encrypted": "Questa stanza è cifrata end-to-end", "This room is end-to-end encrypted": "Questa stanza è cifrata end-to-end",
"Everyone in this room is verified": "Tutti in questa stanza sono verificati", "Everyone in this room is verified": "Tutti in questa stanza sono verificati",
"Send a reply…": "Invia risposta…",
"Send a message…": "Invia un messaggio…",
"Reject & Ignore user": "Rifiuta e ignora l'utente", "Reject & Ignore user": "Rifiuta e ignora l'utente",
"Unknown Command": "Comando sconosciuto", "Unknown Command": "Comando sconosciuto",
"Unrecognised command: %(commandText)s": "Comando non riconosciuto: %(commandText)s", "Unrecognised command: %(commandText)s": "Comando non riconosciuto: %(commandText)s",
@ -1346,18 +1312,7 @@
"Use a system font": "Usa un carattere di sistema", "Use a system font": "Usa un carattere di sistema",
"System font name": "Nome carattere di sistema", "System font name": "Nome carattere di sistema",
"The authenticity of this encrypted message can't be guaranteed on this device.": "L'autenticità di questo messaggio cifrato non può essere garantita su questo dispositivo.", "The authenticity of this encrypted message can't be guaranteed on this device.": "L'autenticità di questo messaggio cifrato non può essere garantita su questo dispositivo.",
"You joined the call": "Ti sei unito alla chiamata",
"%(senderName)s joined the call": "%(senderName)s si è unito alla chiamata",
"Call in progress": "Chiamata in corso",
"Call ended": "Chiamata terminata",
"You started a call": "Hai iniziato una chiamata",
"%(senderName)s started a call": "%(senderName)s ha iniziato una chiamata",
"Waiting for answer": "In attesa di risposta",
"%(senderName)s is calling": "%(senderName)s sta chiamando",
"%(senderName)s: %(message)s": "%(senderName)s: %(message)s",
"%(senderName)s: %(stickerName)s": "%(senderName)s: %(stickerName)s",
"Message deleted on %(date)s": "Messaggio eliminato il %(date)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 <desktopLink>%(brand)s Desktop</desktopLink> 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 <desktopLink>%(brand)s Desktop</desktopLink> affinché i messaggi cifrati appaiano nei risultati di ricerca.", "%(brand)s can't securely cache encrypted messages locally while running in a web browser. Use <desktopLink>%(brand)s Desktop</desktopLink> 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 <desktopLink>%(brand)s Desktop</desktopLink> affinché i messaggi cifrati appaiano nei risultati di ricerca.",
"Set the name of a font installed on your system & %(brand)s will attempt to use it.": "Imposta il nome di un font installato nel tuo sistema e %(brand)s proverà ad usarlo.", "Set the name of a font installed on your system & %(brand)s will attempt to use it.": "Imposta il nome di un font installato nel tuo sistema e %(brand)s proverà ad usarlo.",
"Notification options": "Opzioni di notifica", "Notification options": "Opzioni di notifica",
@ -1382,7 +1337,6 @@
"Edited at %(date)s": "Modificato il %(date)s", "Edited at %(date)s": "Modificato il %(date)s",
"Click to view edits": "Clicca per vedere le modifiche", "Click to view edits": "Clicca per vedere le modifiche",
"Are you sure you want to cancel entering passphrase?": "Sei sicuro di volere annullare l'inserimento della frase?", "Are you sure you want to cancel entering passphrase?": "Sei sicuro di volere annullare l'inserimento della frase?",
"* %(senderName)s %(emote)s": "* %(senderName)s %(emote)s",
"Change notification settings": "Cambia impostazioni di notifica", "Change notification settings": "Cambia impostazioni di notifica",
"Your server isn't responding to some <a>requests</a>.": "Il tuo server non sta rispondendo ad alcune <a>richieste</a>.", "Your server isn't responding to some <a>requests</a>.": "Il tuo server non sta rispondendo ad alcune <a>richieste</a>.",
"Master private key:": "Chiave privata principale:", "Master private key:": "Chiave privata principale:",
@ -1401,8 +1355,6 @@
"No files visible in this room": "Nessun file visibile in questa stanza", "No files visible in this room": "Nessun file visibile in questa stanza",
"Attach files from chat or just drag and drop them anywhere in a room.": "Allega file dalla chat o trascinali in qualsiasi punto in una stanza.", "Attach files from chat or just drag and drop them anywhere in a room.": "Allega file dalla chat o trascinali in qualsiasi punto in una stanza.",
"Explore public rooms": "Esplora stanze pubbliche", "Explore public rooms": "Esplora stanze pubbliche",
"Uploading logs": "Invio dei log",
"Downloading logs": "Scaricamento dei log",
"Preparing to download logs": "Preparazione al download dei log", "Preparing to download logs": "Preparazione al download dei log",
"Unexpected server error trying to leave the room": "Errore inaspettato del server tentando di abbandonare la stanza", "Unexpected server error trying to leave the room": "Errore inaspettato del server tentando di abbandonare la stanza",
"Error leaving room": "Errore uscendo dalla stanza", "Error leaving room": "Errore uscendo dalla stanza",
@ -1421,7 +1373,6 @@
"Secret storage:": "Archivio segreto:", "Secret storage:": "Archivio segreto:",
"ready": "pronto", "ready": "pronto",
"not ready": "non pronto", "not ready": "non pronto",
"Secure Backup": "Backup Sicuro",
"Not encrypted": "Non cifrato", "Not encrypted": "Non cifrato",
"Room settings": "Impostazioni stanza", "Room settings": "Impostazioni stanza",
"Take a picture": "Scatta una foto", "Take a picture": "Scatta una foto",
@ -1446,7 +1397,6 @@
"Ignored attempt to disable encryption": "Tentativo di disattivare la crittografia ignorato", "Ignored attempt to disable encryption": "Tentativo di disattivare la crittografia ignorato",
"Failed to save your profile": "Salvataggio del profilo fallito", "Failed to save your profile": "Salvataggio del profilo fallito",
"The operation could not be completed": "Impossibile completare l'operazione", "The operation could not be completed": "Impossibile completare l'operazione",
"Remove messages sent by others": "Rimuovi i messaggi inviati dagli altri",
"The call could not be established": "Impossibile stabilire la chiamata", "The call could not be established": "Impossibile stabilire la chiamata",
"Move right": "Sposta a destra", "Move right": "Sposta a destra",
"Move left": "Sposta a sinistra", "Move left": "Sposta a sinistra",
@ -1464,8 +1414,6 @@
"Please view <existingIssuesLink>existing bugs on Github</existingIssuesLink> first. No match? <newIssueLink>Start a new one</newIssueLink>.": "Prima controlla <existingIssuesLink>gli errori esistenti su Github</existingIssuesLink>. Non l'hai trovato? <newIssueLink>Apri una segnalazione</newIssueLink>.", "Please view <existingIssuesLink>existing bugs on Github</existingIssuesLink> first. No match? <newIssueLink>Start a new one</newIssueLink>.": "Prima controlla <existingIssuesLink>gli errori esistenti su Github</existingIssuesLink>. Non l'hai trovato? <newIssueLink>Apri una segnalazione</newIssueLink>.",
"Comment": "Commento", "Comment": "Commento",
"Feedback sent": "Feedback inviato", "Feedback sent": "Feedback inviato",
"%(senderName)s ended the call": "%(senderName)s ha terminato la chiamata",
"You ended the call": "Hai terminato la chiamata",
"Now, let's help you get started": "Alcuni consigli per iniziare", "Now, let's help you get started": "Alcuni consigli per iniziare",
"Welcome %(name)s": "Benvenuto/a %(name)s", "Welcome %(name)s": "Benvenuto/a %(name)s",
"Add a photo so people know it's you.": "Aggiungi una foto in modo che le persone ti riconoscano.", "Add a photo so people know it's you.": "Aggiungi una foto in modo che le persone ti riconoscano.",
@ -1780,13 +1728,6 @@
"Send stickers into this room": "Invia adesivi in questa stanza", "Send stickers into this room": "Invia adesivi in questa stanza",
"Remain on your screen while running": "Resta sul tuo schermo mentre in esecuzione", "Remain on your screen while running": "Resta sul tuo schermo mentre in esecuzione",
"Remain on your screen when viewing another room, when running": "Resta sul tuo schermo quando vedi un'altra stanza, quando in esecuzione", "Remain on your screen when viewing another room, when running": "Resta sul tuo schermo quando vedi un'altra stanza, quando in esecuzione",
"No other application is using the webcam": "Nessun'altra applicazione sta usando la webcam",
"Permission is granted to use the webcam": "Permesso concesso per usare la webcam",
"A microphone and webcam are plugged in and set up correctly": "Un microfono e una webcam siano collegati e configurati correttamente",
"Unable to access webcam / microphone": "Impossibile accedere alla webcam / microfono",
"Call failed because webcam or microphone could not be accessed. Check that:": "Chiamata fallita perchè la webcam o il microfono non sono accessibili. Controlla che:",
"Call failed because microphone could not be accessed. Check that a microphone is plugged in and set up correctly.": "Chiamata fallita perchè il microfono non è accessibile. Controlla che ci sia un microfono collegato e configurato correttamente.",
"Unable to access microphone": "Impossibile accedere al microfono",
"Decide where your account is hosted": "Decidi dove ospitare il tuo account", "Decide where your account is hosted": "Decidi dove ospitare il tuo account",
"Host account on": "Ospita account su", "Host account on": "Ospita account su",
"Already have an account? <a>Sign in here</a>": "Hai già un account? <a>Accedi qui</a>", "Already have an account? <a>Sign in here</a>": "Hai già un account? <a>Accedi qui</a>",
@ -1817,7 +1758,6 @@
"Reason (optional)": "Motivo (facoltativo)", "Reason (optional)": "Motivo (facoltativo)",
"Continue with %(provider)s": "Continua con %(provider)s", "Continue with %(provider)s": "Continua con %(provider)s",
"Server Options": "Opzioni server", "Server Options": "Opzioni server",
"Return to call": "Torna alla chiamata",
"sends confetti": "invia coriandoli", "sends confetti": "invia coriandoli",
"Sends the given message with confetti": "Invia il messaggio in questione con coriandoli", "Sends the given message with confetti": "Invia il messaggio in questione con coriandoli",
"See <b>%(msgtype)s</b> messages posted to your active room": "Vedi messaggi <b>%(msgtype)s</b> inviati alla tua stanza attiva", "See <b>%(msgtype)s</b> messages posted to your active room": "Vedi messaggi <b>%(msgtype)s</b> inviati alla tua stanza attiva",
@ -1840,15 +1780,10 @@
"See emotes posted to this room": "Vedi emoticon inviate a questa stanza", "See emotes posted to this room": "Vedi emoticon inviate a questa stanza",
"Send emotes as you in your active room": "Invia emoticon a tuo nome nella tua stanza attiva", "Send emotes as you in your active room": "Invia emoticon a tuo nome nella tua stanza attiva",
"Send emotes as you in this room": "Invia emoticon a tuo nome in questa stanza", "Send emotes as you in this room": "Invia emoticon a tuo nome in questa stanza",
"Effects": "Effetti",
"Hold": "Sospendi", "Hold": "Sospendi",
"Resume": "Riprendi", "Resume": "Riprendi",
"%(peerName)s held the call": "%(peerName)s ha sospeso la chiamata",
"You held the call <a>Resume</a>": "Hai sospeso la chiamata <a>Riprendi</a>",
"You've reached the maximum number of simultaneous calls.": "Hai raggiungo il numero massimo di chiamate simultanee.", "You've reached the maximum number of simultaneous calls.": "Hai raggiungo il numero massimo di chiamate simultanee.",
"Too Many Calls": "Troppe chiamate", "Too Many Calls": "Troppe chiamate",
"%(name)s on hold": "%(name)s in sospeso",
"You held the call <a>Switch</a>": "Hai sospeso la chiamata <a>Cambia</a>",
"sends snowfall": "invia nevicata", "sends snowfall": "invia nevicata",
"Sends the given message with snowfall": "Invia il messaggio con una nevicata", "Sends the given message with snowfall": "Invia il messaggio con una nevicata",
"sends fireworks": "invia fuochi d'artificio", "sends fireworks": "invia fuochi d'artificio",
@ -1934,7 +1869,6 @@
"You do not have permissions to add rooms to this space": "Non hai i permessi per aggiungere stanze a questo spazio", "You do not have permissions to add rooms to this space": "Non hai i permessi per aggiungere stanze a questo spazio",
"Add existing room": "Aggiungi stanza esistente", "Add existing room": "Aggiungi stanza esistente",
"You do not have permissions to create new rooms in this space": "Non hai i permessi per creare stanze in questo spazio", "You do not have permissions to create new rooms in this space": "Non hai i permessi per creare stanze in questo spazio",
"Send message": "Invia messaggio",
"Invite to this space": "Invita in questo spazio", "Invite to this space": "Invita in questo spazio",
"Your message was sent": "Il tuo messaggio è stato inviato", "Your message was sent": "Il tuo messaggio è stato inviato",
"Space options": "Opzioni dello spazio", "Space options": "Opzioni dello spazio",
@ -1949,8 +1883,6 @@
"Open space for anyone, best for communities": "Spazio aperto a tutti, la scelta migliore per le comunità", "Open space for anyone, best for communities": "Spazio aperto a tutti, la scelta migliore per le comunità",
"Create a space": "Crea uno spazio", "Create a space": "Crea uno spazio",
"This homeserver has been blocked by its administrator.": "Questo homeserver è stato bloccato dal suo amministratore.", "This homeserver has been blocked by its administrator.": "Questo homeserver è stato bloccato dal suo amministratore.",
"You're already in a call with this person.": "Sei già in una chiamata con questa persona.",
"Already in call": "Già in una chiamata",
"Make sure the right people have access. You can invite more later.": "Assicurati che le persone giuste abbiano accesso. Puoi invitarne altre dopo.", "Make sure the right people have access. You can invite more later.": "Assicurati che le persone giuste abbiano accesso. Puoi invitarne altre dopo.",
"A private space to organise your rooms": "Uno spazio privato per organizzare le tue stanze", "A private space to organise your rooms": "Uno spazio privato per organizzare le tue stanze",
"Just me": "Solo io", "Just me": "Solo io",
@ -1982,7 +1914,6 @@
"unknown person": "persona sconosciuta", "unknown person": "persona sconosciuta",
"Review to ensure your account is safe": "Controlla per assicurarti che l'account sia sicuro", "Review to ensure your account is safe": "Controlla per assicurarti che l'account sia sicuro",
"%(deviceId)s from %(ip)s": "%(deviceId)s da %(ip)s", "%(deviceId)s from %(ip)s": "%(deviceId)s da %(ip)s",
"Consulting with %(transferTarget)s. <a>Transfer to %(transferee)s</a>": "Consultazione con %(transferTarget)s. <a>Trasferisci a %(transferee)s</a>",
"Manage & explore rooms": "Gestisci ed esplora le stanze", "Manage & explore rooms": "Gestisci ed esplora le stanze",
"Invite to just this room": "Invita solo in questa stanza", "Invite to just this room": "Invita solo in questa stanza",
"%(count)s people you know have already joined": { "%(count)s people you know have already joined": {
@ -2009,7 +1940,6 @@
"Forgotten or lost all recovery methods? <a>Reset all</a>": "Hai dimenticato o perso tutti i metodi di recupero? <a>Reimposta tutto</a>", "Forgotten or lost all recovery methods? <a>Reset all</a>": "Hai dimenticato o perso tutti i metodi di recupero? <a>Reimposta tutto</a>",
"If you do, please note that none of your messages will be deleted, but the search experience might be degraded for a few moments whilst the index is recreated": "Se lo fai, ricorda che nessuno dei tuoi messaggi verrà eliminato, ma l'esperienza di ricerca potrà peggiorare per qualche momento mentre l'indice viene ricreato", "If you do, please note that none of your messages will be deleted, but the search experience might be degraded for a few moments whilst the index is recreated": "Se lo fai, ricorda che nessuno dei tuoi messaggi verrà eliminato, ma l'esperienza di ricerca potrà peggiorare per qualche momento mentre l'indice viene ricreato",
"View message": "Vedi messaggio", "View message": "Vedi messaggio",
"Change server ACLs": "Modifica le ACL del server",
"You can select all or individual messages to retry or delete": "Puoi selezionare tutti o alcuni messaggi da riprovare o eliminare", "You can select all or individual messages to retry or delete": "Puoi selezionare tutti o alcuni messaggi da riprovare o eliminare",
"Sending": "Invio in corso", "Sending": "Invio in corso",
"Retry all": "Riprova tutti", "Retry all": "Riprova tutti",
@ -2092,8 +2022,6 @@
"Enable guest access": "Attiva accesso ospiti", "Enable guest access": "Attiva accesso ospiti",
"Address": "Indirizzo", "Address": "Indirizzo",
"e.g. my-space": "es. mio-spazio", "e.g. my-space": "es. mio-spazio",
"Silence call": "Silenzia la chiamata",
"Sound on": "Audio attivo",
"Collapse reply thread": "Riduci conversazione di risposta", "Collapse reply thread": "Riduci conversazione di risposta",
"Some invites couldn't be sent": "Alcuni inviti non sono stati spediti", "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 <RoomName/>": "Abbiamo inviato gli altri, ma non è stato possibile invitare le seguenti persone in <RoomName/>", "We sent the others, but the below people couldn't be invited to <RoomName/>": "Abbiamo inviato gli altri, ma non è stato possibile invitare le seguenti persone in <RoomName/>",
@ -2225,26 +2153,15 @@
"Application window": "Finestra applicazione", "Application window": "Finestra applicazione",
"Share entire screen": "Condividi schermo intero", "Share entire screen": "Condividi schermo intero",
"Show all rooms": "Mostra tutte le stanze", "Show all rooms": "Mostra tutte le stanze",
"Your camera is still enabled": "La tua fotocamera è ancora attiva",
"Your camera is turned off": "La tua fotocamera è spenta",
"%(sharerName)s is presenting": "%(sharerName)s sta presentando",
"You are presenting": "Stai presentando",
"Decrypting": "Decifrazione", "Decrypting": "Decifrazione",
"Missed call": "Chiamata persa", "Missed call": "Chiamata persa",
"Call declined": "Chiamata rifiutata", "Call declined": "Chiamata rifiutata",
"Stop recording": "Ferma la registrazione", "Stop recording": "Ferma la registrazione",
"Send voice message": "Invia messaggio vocale", "Send voice message": "Invia messaggio vocale",
"Olm version:": "Versione Olm:", "Olm version:": "Versione Olm:",
"Mute the microphone": "Spegni il microfono",
"Unmute the microphone": "Accendi il microfono",
"Dialpad": "Tastierino",
"More": "Altro", "More": "Altro",
"Show sidebar": "Mostra barra laterale", "Show sidebar": "Mostra barra laterale",
"Hide sidebar": "Nascondi barra laterale", "Hide sidebar": "Nascondi barra laterale",
"Start sharing your screen": "Avvia la condivisione dello schermo",
"Stop sharing your screen": "Ferma la condivisione dello schermo",
"Stop the camera": "Ferma la fotocamera",
"Start the camera": "Avvia la fotocamera",
"Surround selected text when typing special characters": "Circonda il testo selezionato quando si digitano caratteri speciali", "Surround selected text when typing special characters": "Circonda il testo selezionato quando si digitano caratteri speciali",
"Unknown failure: %(reason)s": "Malfunzionamento sconosciuto: %(reason)s", "Unknown failure: %(reason)s": "Malfunzionamento sconosciuto: %(reason)s",
"Delete avatar": "Elimina avatar", "Delete avatar": "Elimina avatar",
@ -2263,16 +2180,10 @@
"Some encryption parameters have been changed.": "Alcuni parametri di crittografia sono stati modificati.", "Some encryption parameters have been changed.": "Alcuni parametri di crittografia sono stati modificati.",
"Role in <RoomName/>": "Ruolo in <RoomName/>", "Role in <RoomName/>": "Ruolo in <RoomName/>",
"Send a sticker": "Invia uno sticker", "Send a sticker": "Invia uno sticker",
"Reply to thread…": "Rispondi alla conversazione…",
"Reply to encrypted thread…": "Rispondi alla conversazione cifrata…",
"Unknown failure": "Errore sconosciuto", "Unknown failure": "Errore sconosciuto",
"Failed to update the join rules": "Modifica delle regole di accesso fallita", "Failed to update the join rules": "Modifica delle regole di accesso fallita",
"Anyone in <spaceName/> can find and join. You can select other spaces too.": "Chiunque in <spaceName/> può trovare ed entrare. Puoi selezionare anche altri spazi.", "Anyone in <spaceName/> can find and join. You can select other spaces too.": "Chiunque in <spaceName/> può trovare ed entrare. Puoi selezionare anche altri spazi.",
"Select the roles required to change various parts of the space": "Seleziona i ruoli necessari per cambiare varie parti dello spazio", "Select the roles required to change various parts of the space": "Seleziona i ruoli necessari per cambiare varie parti dello spazio",
"Change description": "Cambia descrizione",
"Change main address for the space": "Cambia indirizzo principale dello spazio",
"Change space name": "Cambia nome dello spazio",
"Change space avatar": "Cambia avatar dello spazio",
"Message didn't send. Click for info.": "Il messaggio non è stato inviato. Clicca per informazioni.", "Message didn't send. Click for info.": "Il messaggio non è stato inviato. Clicca per informazioni.",
"To join a space you'll need an invite.": "Per entrare in uno spazio ti serve un invito.", "To join a space you'll need an invite.": "Per entrare in uno spazio ti serve un invito.",
"%(reactors)s reacted with %(content)s": "%(reactors)s ha reagito con %(content)s", "%(reactors)s reacted with %(content)s": "%(reactors)s ha reagito con %(content)s",
@ -2402,7 +2313,6 @@
"Show tray icon and minimise window to it on close": "Mostra icona in tray e usala alla chiusura della finestra", "Show tray icon and minimise window to it on close": "Mostra icona in tray e usala alla chiusura della finestra",
"Show all threads": "Mostra tutte le conversazioni", "Show all threads": "Mostra tutte le conversazioni",
"Keep discussions organised with threads": "Tieni le discussioni organizzate in conversazioni", "Keep discussions organised with threads": "Tieni le discussioni organizzate in conversazioni",
"Manage rooms in this space": "Gestisci le stanze in questo spazio",
"Mentions only": "Solo le citazioni", "Mentions only": "Solo le citazioni",
"Forget": "Dimentica", "Forget": "Dimentica",
"Files": "File", "Files": "File",
@ -2462,7 +2372,6 @@
"We <Bold>don't</Bold> record or profile any account data": "<Bold>Non</Bold> registriamo o profiliamo alcun dato dell'account", "We <Bold>don't</Bold> record or profile any account data": "<Bold>Non</Bold> registriamo o profiliamo alcun dato dell'account",
"You can read all our terms <PrivacyPolicyUrl>here</PrivacyPolicyUrl>": "Puoi leggere tutti i nostri termini di servizio <PrivacyPolicyUrl>qui</PrivacyPolicyUrl>", "You can read all our terms <PrivacyPolicyUrl>here</PrivacyPolicyUrl>": "Puoi leggere tutti i nostri termini di servizio <PrivacyPolicyUrl>qui</PrivacyPolicyUrl>",
"Share location": "Condividi posizione", "Share location": "Condividi posizione",
"Manage pinned events": "Gestisci eventi ancorati",
"Share anonymous data to help us identify issues. Nothing personal. No third parties.": "Condividi dati anonimi per aiutarci a identificare problemi. Niente di personale. Niente terze parti.", "Share anonymous data to help us identify issues. Nothing personal. No third parties.": "Condividi dati anonimi per aiutarci a identificare problemi. Niente di personale. Niente terze parti.",
"Share anonymous data to help us identify issues. Nothing personal. No third parties. <LearnMoreLink>Learn More</LearnMoreLink>": "Condividi dati anonimi per aiutarci a identificare problemi. Niente di personale. Niente terze parti. <LearnMoreLink>Maggiori informazioni</LearnMoreLink>", "Share anonymous data to help us identify issues. Nothing personal. No third parties. <LearnMoreLink>Learn More</LearnMoreLink>": "Condividi dati anonimi per aiutarci a identificare problemi. Niente di personale. Niente terze parti. <LearnMoreLink>Maggiori informazioni</LearnMoreLink>",
"You previously consented to share anonymous usage data with us. We're updating how that works.": "Hai precedentemente accettato di condividere dati anonimi di utilizzo con noi. Ne stiamo aggiornando il funzionamento.", "You previously consented to share anonymous usage data with us. We're updating how that works.": "Hai precedentemente accettato di condividere dati anonimi di utilizzo con noi. Ne stiamo aggiornando il funzionamento.",
@ -2470,8 +2379,6 @@
"That's fine": "Va bene", "That's fine": "Va bene",
"You cannot place calls without a connection to the server.": "Non puoi fare chiamate senza una connessione al server.", "You cannot place calls without a connection to the server.": "Non puoi fare chiamate senza una connessione al server.",
"Connectivity to the server has been lost": "La connessione al server è stata persa", "Connectivity to the server has been lost": "La connessione al server è stata persa",
"You cannot place calls in this browser.": "Non puoi fare chiamate in questo browser.",
"Calls are unsupported": "Le chiamate non sono supportate",
"Toggle space panel": "Apri/chiudi pannello spazio", "Toggle space panel": "Apri/chiudi pannello spazio",
"End Poll": "Termina sondaggio", "End Poll": "Termina sondaggio",
"Sorry, the poll did not end. Please try again.": "Spiacenti, il sondaggio non è terminato. Riprova.", "Sorry, the poll did not end. Please try again.": "Spiacenti, il sondaggio non è terminato. Riprova.",
@ -2501,7 +2408,6 @@
"Missing room name or separator e.g. (my-room:domain.org)": "Nome o separatore della stanza mancante, es. (mia-stanza:dominio.org)", "Missing room name or separator e.g. (my-room:domain.org)": "Nome o separatore della stanza mancante, es. (mia-stanza:dominio.org)",
"Missing domain separator e.g. (:domain.org)": "Separatore del dominio mancante, es. (:dominio.org)", "Missing domain separator e.g. (:domain.org)": "Separatore del dominio mancante, es. (:dominio.org)",
"toggle event": "commuta evento", "toggle event": "commuta evento",
"Dial": "Componi",
"Your new device is now verified. Other users will see it as trusted.": "Il tuo nuovo dispositivo è ora verificato. Gli altri utenti lo vedranno come fidato.", "Your new device is now verified. Other users will see it as trusted.": "Il tuo nuovo dispositivo è ora verificato. Gli altri utenti lo vedranno come fidato.",
"Your new device is now verified. It has access to your encrypted messages, and other users will see it as trusted.": "Il tuo nuovo dispositivo ora è verificato. Ha accesso ai messaggi cifrati e gli altri utenti lo vedranno come fidato.", "Your new device is now verified. It has access to your encrypted messages, and other users will see it as trusted.": "Il tuo nuovo dispositivo ora è verificato. Ha accesso ai messaggi cifrati e gli altri utenti lo vedranno come fidato.",
"Verify with another device": "Verifica con un altro dispositivo", "Verify with another device": "Verifica con un altro dispositivo",
@ -2522,7 +2428,6 @@
"Back to thread": "Torna alla conversazione", "Back to thread": "Torna alla conversazione",
"Room members": "Membri stanza", "Room members": "Membri stanza",
"Back to chat": "Torna alla chat", "Back to chat": "Torna alla chat",
"Send reactions": "Invia reazioni",
"No active call in this room": "Nessuna chiamata attiva in questa stanza", "No active call in this room": "Nessuna chiamata attiva in questa stanza",
"Unable to find Matrix ID for phone number": "Impossibile trovare ID Matrix per il numero di telefono", "Unable to find Matrix ID for phone number": "Impossibile trovare ID Matrix per il numero di telefono",
"Unknown (user, session) pair: (%(userId)s, %(deviceId)s)": "Coppia (utente, sessione) sconosciuta: (%(userId)s, %(deviceId)s)", "Unknown (user, session) pair: (%(userId)s, %(deviceId)s)": "Coppia (utente, sessione) sconosciuta: (%(userId)s, %(deviceId)s)",
@ -2551,7 +2456,6 @@
"Remove them from everything I'm able to": "Rimuovilo da ovunque io possa farlo", "Remove them from everything I'm able to": "Rimuovilo da ovunque io possa farlo",
"Remove from %(roomName)s": "Rimuovi da %(roomName)s", "Remove from %(roomName)s": "Rimuovi da %(roomName)s",
"You were removed from %(roomName)s by %(memberName)s": "Sei stato rimosso da %(roomName)s da %(memberName)s", "You were removed from %(roomName)s by %(memberName)s": "Sei stato rimosso da %(roomName)s da %(memberName)s",
"Remove users": "Rimuovi utenti",
"Keyboard": "Tastiera", "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 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", "Remove, ban, or invite people to this room, and make you leave": "Buttare fuori, bandire o invitare persone in questa stanza e farti uscire",
@ -2646,7 +2550,6 @@
"My live location": "La mia posizione in tempo reale", "My live location": "La mia posizione in tempo reale",
"My current location": "La mia posizione attuale", "My current location": "La mia posizione attuale",
"Pinned": "Fissato", "Pinned": "Fissato",
"Remove messages sent by me": "Rimuovi i messaggi che ho inviato",
"No virtual room for this room": "Nessuna stanza virtuale per questa stanza", "No virtual room for this room": "Nessuna stanza virtuale per questa stanza",
"Switches to this room's virtual room, if it has one": "Passa alla stanza virtuale di questa stanza, se ne ha una", "Switches to this room's virtual room, if it has one": "Passa alla stanza virtuale di questa stanza, se ne ha una",
"Match system": "Sistema di corrispondenza", "Match system": "Sistema di corrispondenza",
@ -2772,12 +2675,6 @@
"You will not be able to reactivate your account": "Non potrai più riattivare il tuo account", "You will not be able to reactivate your account": "Non potrai più riattivare il tuo account",
"Confirm that you would like to deactivate your account. If you proceed:": "Conferma che vorresti disattivare il tuo account. Se procedi:", "Confirm that you would like to deactivate your account. If you proceed:": "Conferma che vorresti disattivare il tuo account. Se procedi:",
"To continue, please enter your account password:": "Per continuare, inserisci la password del tuo account:", "To continue, please enter your account password:": "Per continuare, inserisci la password del tuo account:",
"Turn on camera": "Accendi la fotocamera",
"Turn off camera": "Spegni la fotocamera",
"Video devices": "Dispositivi video",
"Unmute microphone": "Riaccendi il microfono",
"Mute microphone": "Spegni il microfono",
"Audio devices": "Dispositivi audio",
"You have been logged out of all devices and will no longer receive push notifications. To re-enable notifications, sign in again on each device.": "Hai eseguito la disconnessione da tutti i dispositivi e non riceverai più notifiche push. Per riattivare le notifiche, riaccedi su ogni dispositivo.", "You have been logged out of all devices and will no longer receive push notifications. To re-enable notifications, sign in again on each device.": "Hai eseguito la disconnessione da tutti i dispositivi e non riceverai più notifiche push. Per riattivare le notifiche, riaccedi su ogni dispositivo.",
"If you want to retain access to your chat history in encrypted rooms, set up Key Backup or export your message keys from one of your other devices before proceeding.": "Se vuoi mantenere l'accesso alla cronologia della chat nelle stanze cifrate, imposta il backup delle chiavi o esporta le tue chiavi dei messaggi da un altro dispositivo prima di procedere.", "If you want to retain access to your chat history in encrypted rooms, set up Key Backup or export your message keys from one of your other devices before proceeding.": "Se vuoi mantenere l'accesso alla cronologia della chat nelle stanze cifrate, imposta il backup delle chiavi o esporta le tue chiavi dei messaggi da un altro dispositivo prima di procedere.",
"Signing out your devices will delete the message encryption keys stored on them, making encrypted chat history unreadable.": "La disconnessione dai tuoi dispositivi eliminerà le chiavi di crittografia dei messaggi salvate in essi, rendendo illeggibile la cronologia delle chat cifrate.", "Signing out your devices will delete the message encryption keys stored on them, making encrypted chat history unreadable.": "La disconnessione dai tuoi dispositivi eliminerà le chiavi di crittografia dei messaggi salvate in essi, rendendo illeggibile la cronologia delle chat cifrate.",
@ -2951,7 +2848,6 @@
"You need to be able to kick users to do that.": "Devi poter cacciare via utenti per completare l'azione.", "You need to be able to kick users to do that.": "Devi poter cacciare via utenti per completare l'azione.",
"Voice broadcast": "Trasmissione vocale", "Voice broadcast": "Trasmissione vocale",
"Rename session": "Rinomina sessione", "Rename session": "Rinomina sessione",
"Voice broadcasts": "Trasmissioni vocali",
"You do not have permission to start voice calls": "Non hai il permesso di avviare chiamate", "You do not have permission to start voice calls": "Non hai il permesso di avviare chiamate",
"There's no one here to call": "Non c'è nessuno da chiamare qui", "There's no one here to call": "Non c'è nessuno da chiamare qui",
"You do not have permission to start video calls": "Non hai il permesso di avviare videochiamate", "You do not have permission to start video calls": "Non hai il permesso di avviare videochiamate",
@ -2979,20 +2875,15 @@
"Spotlight": "Riflettore", "Spotlight": "Riflettore",
"Freedom": "Libertà", "Freedom": "Libertà",
"Operating system": "Sistema operativo", "Operating system": "Sistema operativo",
"Fill screen": "Riempi schermo",
"Video call started": "Videochiamata iniziata",
"Unknown room": "Stanza sconosciuta", "Unknown room": "Stanza sconosciuta",
"Video call (%(brand)s)": "Videochiamata (%(brand)s)", "Video call (%(brand)s)": "Videochiamata (%(brand)s)",
"Call type": "Tipo chiamata", "Call type": "Tipo chiamata",
"You do not have sufficient permissions to change this.": "Non hai autorizzazioni sufficienti per cambiarlo.", "You do not have sufficient permissions to change this.": "Non hai autorizzazioni sufficienti per cambiarlo.",
"%(brand)s is end-to-end encrypted, but is currently limited to smaller numbers of users.": "%(brand)s è crittografato end-to-end, ma attualmente è limitato ad un minore numero di utenti.", "%(brand)s is end-to-end encrypted, but is currently limited to smaller numbers of users.": "%(brand)s è crittografato end-to-end, ma attualmente è limitato ad un minore numero di utenti.",
"Enable %(brand)s as an additional calling option in this room": "Attiva %(brand)s come opzione di chiamata aggiuntiva in questa stanza", "Enable %(brand)s as an additional calling option in this room": "Attiva %(brand)s come opzione di chiamata aggiuntiva in questa stanza",
"Join %(brand)s calls": "Entra in chiamate di %(brand)s",
"Start %(brand)s calls": "Inizia chiamate di %(brand)s",
"Sorry — this call is currently full": "Spiacenti — questa chiamata è piena", "Sorry — this call is currently full": "Spiacenti — questa chiamata è piena",
"resume voice broadcast": "riprendi trasmissione vocale", "resume voice broadcast": "riprendi trasmissione vocale",
"pause voice broadcast": "sospendi trasmissione vocale", "pause voice broadcast": "sospendi trasmissione vocale",
"Notifications silenced": "Notifiche silenziose",
"Yes, stop broadcast": "Sì, ferma la trasmissione", "Yes, stop broadcast": "Sì, ferma la trasmissione",
"Stop live broadcasting?": "Fermare la trasmissione in diretta?", "Stop live broadcasting?": "Fermare la trasmissione in diretta?",
"You don't have the required permissions to start a voice broadcast in this room. Contact a room administrator to upgrade your permissions.": "Non hai l'autorizzazione necessaria per iniziare una trasmissione vocale in questa stanza. Contatta un amministratore della stanza per aggiornare le tue autorizzazioni.", "You don't have the required permissions to start a voice broadcast in this room. Contact a room administrator to upgrade your permissions.": "Non hai l'autorizzazione necessaria per iniziare una trasmissione vocale in questa stanza. Contatta un amministratore della stanza per aggiornare le tue autorizzazioni.",
@ -3265,8 +3156,6 @@
"%(errorMessage)s (HTTP status %(httpStatus)s)": "%(errorMessage)s (stato HTTP %(httpStatus)s)", "%(errorMessage)s (HTTP status %(httpStatus)s)": "%(errorMessage)s (stato HTTP %(httpStatus)s)",
"Unknown password change error (%(stringifiedError)s)": "Errore sconosciuto di modifica della password (%(stringifiedError)s)", "Unknown password change error (%(stringifiedError)s)": "Errore sconosciuto di modifica della password (%(stringifiedError)s)",
"Error while changing password: %(error)s": "Errore nella modifica della password: %(error)s", "Error while changing password: %(error)s": "Errore nella modifica della password: %(error)s",
"%(sender)s reacted %(reaction)s to %(message)s": "%(sender)s ha reagito con %(reaction)s a %(message)s",
"You reacted %(reaction)s to %(message)s": "Hai reagito con %(reaction)s a %(message)s",
"Cannot invite user by email without an identity server. You can connect to one under \"Settings\".": "Impossibile invitare l'utente per email senza un server d'identità. Puoi connetterti a uno in \"Impostazioni\".", "Cannot invite user by email without an identity server. You can connect to one under \"Settings\".": "Impossibile invitare l'utente per email senza un server d'identità. Puoi connetterti a uno in \"Impostazioni\".",
"Unable to create room with moderation bot": "Impossibile creare la stanza con il bot di moderazione", "Unable to create room with moderation bot": "Impossibile creare la stanza con il bot di moderazione",
"Failed to download source media, no source url was found": "Scaricamento della fonte fallito, nessun url trovato", "Failed to download source media, no source url was found": "Scaricamento della fonte fallito, nessun url trovato",
@ -3433,7 +3322,11 @@
"server": "Server", "server": "Server",
"capabilities": "Capacità", "capabilities": "Capacità",
"unnamed_room": "Stanza senza nome", "unnamed_room": "Stanza senza nome",
"unnamed_space": "Spazio senza nome" "unnamed_space": "Spazio senza nome",
"stickerpack": "Pacchetto adesivi",
"system_alerts": "Avvisi di sistema",
"secure_backup": "Backup Sicuro",
"cross_signing": "Firma incrociata"
}, },
"action": { "action": {
"continue": "Continua", "continue": "Continua",
@ -3613,7 +3506,14 @@
"format_decrease_indent": "Diminuzione indentazione", "format_decrease_indent": "Diminuzione indentazione",
"format_inline_code": "Codice", "format_inline_code": "Codice",
"format_code_block": "Code block", "format_code_block": "Code block",
"format_link": "Collegamento" "format_link": "Collegamento",
"send_button_title": "Invia messaggio",
"placeholder_thread_encrypted": "Rispondi alla conversazione cifrata…",
"placeholder_thread": "Rispondi alla conversazione…",
"placeholder_reply_encrypted": "Invia una risposta criptata…",
"placeholder_reply": "Invia risposta…",
"placeholder_encrypted": "Invia un messaggio criptato…",
"placeholder": "Invia un messaggio…"
}, },
"Bold": "Grassetto", "Bold": "Grassetto",
"Link": "Collegamento", "Link": "Collegamento",
@ -3636,7 +3536,11 @@
"send_logs": "Invia i log", "send_logs": "Invia i log",
"github_issue": "Segnalazione GitHub", "github_issue": "Segnalazione GitHub",
"download_logs": "Scarica i log", "download_logs": "Scarica i log",
"before_submitting": "Prima di inviare i log, devi <a>creare una segnalazione su GitHub</a> per descrivere il tuo problema." "before_submitting": "Prima di inviare i log, devi <a>creare una segnalazione su GitHub</a> per descrivere il tuo problema.",
"collecting_information": "Raccolta di informazioni sulla versione dell'applicazione",
"collecting_logs": "Sto recuperando i log",
"uploading_logs": "Invio dei log",
"downloading_logs": "Scaricamento dei log"
}, },
"time": { "time": {
"hours_minutes_seconds_left": "%(hours)so %(minutes)sm %(seconds)ss rimasti", "hours_minutes_seconds_left": "%(hours)so %(minutes)sm %(seconds)ss rimasti",
@ -3844,7 +3748,9 @@
"developer_tools": "Strumenti per sviluppatori", "developer_tools": "Strumenti per sviluppatori",
"room_id": "ID stanza: %(roomId)s", "room_id": "ID stanza: %(roomId)s",
"thread_root_id": "ID root del thread: %(threadRootId)s", "thread_root_id": "ID root del thread: %(threadRootId)s",
"event_id": "ID evento: %(eventId)s" "event_id": "ID evento: %(eventId)s",
"category_room": "Stanza",
"category_other": "Altro"
}, },
"export_chat": { "export_chat": {
"html": "HTML", "html": "HTML",
@ -4002,6 +3908,9 @@
"other": "%(names)s e altri %(count)s stanno scrivendo …", "other": "%(names)s e altri %(count)s stanno scrivendo …",
"one": "%(names)s ed un altro stanno scrivendo …" "one": "%(names)s ed un altro stanno scrivendo …"
} }
},
"m.call.hangup": {
"dm": "Chiamata terminata"
} }
}, },
"slash_command": { "slash_command": {
@ -4038,7 +3947,14 @@
"help": "Visualizza l'elenco dei comandi con usi e descrizioni", "help": "Visualizza l'elenco dei comandi con usi e descrizioni",
"whois": "Mostra le informazioni di un utente", "whois": "Mostra le informazioni di un utente",
"rageshake": "Invia una segnalazione di errore con i registri", "rageshake": "Invia una segnalazione di errore con i registri",
"msg": "Invia un messaggio all'utente specificato" "msg": "Invia un messaggio all'utente specificato",
"usage": "Utilizzo",
"category_messages": "Messaggi",
"category_actions": "Azioni",
"category_admin": "Amministratore",
"category_advanced": "Avanzato",
"category_effects": "Effetti",
"category_other": "Altro"
}, },
"presence": { "presence": {
"busy": "Occupato", "busy": "Occupato",
@ -4052,5 +3968,108 @@
"offline": "Offline", "offline": "Offline",
"away": "Assente" "away": "Assente"
}, },
"Unknown": "Sconosciuto" "Unknown": "Sconosciuto",
"event_preview": {
"m.call.answer": {
"you": "Ti sei unito alla chiamata",
"user": "%(senderName)s si è unito alla chiamata",
"dm": "Chiamata in corso"
},
"m.call.hangup": {
"you": "Hai terminato la chiamata",
"user": "%(senderName)s ha terminato la chiamata"
},
"m.call.invite": {
"you": "Hai iniziato una chiamata",
"user": "%(senderName)s ha iniziato una chiamata",
"dm_send": "In attesa di risposta",
"dm_receive": "%(senderName)s sta chiamando"
},
"m.emote": "* %(senderName)s %(emote)s",
"m.text": "%(senderName)s: %(message)s",
"m.reaction": {
"you": "Hai reagito con %(reaction)s a %(message)s",
"user": "%(sender)s ha reagito con %(reaction)s a %(message)s"
},
"m.sticker": "%(senderName)s: %(stickerName)s"
},
"voip": {
"disable_microphone": "Spegni il microfono",
"enable_microphone": "Riaccendi il microfono",
"disable_camera": "Spegni la fotocamera",
"enable_camera": "Accendi la fotocamera",
"audio_devices": "Dispositivi audio",
"video_devices": "Dispositivi video",
"dial": "Componi",
"you_are_presenting": "Stai presentando",
"user_is_presenting": "%(sharerName)s sta presentando",
"camera_disabled": "La tua fotocamera è spenta",
"camera_enabled": "La tua fotocamera è ancora attiva",
"consulting": "Consultazione con %(transferTarget)s. <a>Trasferisci a %(transferee)s</a>",
"call_held_switch": "Hai sospeso la chiamata <a>Cambia</a>",
"call_held_resume": "Hai sospeso la chiamata <a>Riprendi</a>",
"call_held": "%(peerName)s ha sospeso la chiamata",
"dialpad": "Tastierino",
"stop_screenshare": "Ferma la condivisione dello schermo",
"start_screenshare": "Avvia la condivisione dello schermo",
"hangup": "Riaggancia",
"maximise": "Riempi schermo",
"expand": "Torna alla chiamata",
"on_hold": "%(name)s in sospeso",
"voice_call": "Telefonata",
"video_call": "Videochiamata",
"video_call_started": "Videochiamata iniziata",
"unsilence": "Audio attivo",
"silence": "Silenzia la chiamata",
"silenced": "Notifiche silenziose",
"unknown_caller": "Chiamante sconosciuto",
"call_failed": "Chiamata fallita",
"unable_to_access_microphone": "Impossibile accedere al microfono",
"call_failed_microphone": "Chiamata fallita perchè il microfono non è accessibile. Controlla che ci sia un microfono collegato e configurato correttamente.",
"unable_to_access_media": "Impossibile accedere alla webcam / microfono",
"call_failed_media": "Chiamata fallita perchè la webcam o il microfono non sono accessibili. Controlla che:",
"call_failed_media_connected": "Un microfono e una webcam siano collegati e configurati correttamente",
"call_failed_media_permissions": "Permesso concesso per usare la webcam",
"call_failed_media_applications": "Nessun'altra applicazione sta usando la webcam",
"already_in_call": "Già in una chiamata",
"already_in_call_person": "Sei già in una chiamata con questa persona.",
"unsupported": "Le chiamate non sono supportate",
"unsupported_browser": "Non puoi fare chiamate in questo browser."
},
"Messages": "Messaggi",
"Other": "Altro",
"Advanced": "Avanzato",
"room_settings": {
"permissions": {
"m.room.avatar_space": "Cambia avatar dello spazio",
"m.room.avatar": "Cambia avatar stanza",
"m.room.name_space": "Cambia nome dello spazio",
"m.room.name": "Modifica nome stanza",
"m.room.canonical_alias_space": "Cambia indirizzo principale dello spazio",
"m.room.canonical_alias": "Modifica indirizzo principale della stanza",
"m.space.child": "Gestisci le stanze in questo spazio",
"m.room.history_visibility": "Cambia visibilità cronologia",
"m.room.power_levels": "Cambia autorizzazioni",
"m.room.topic_space": "Cambia descrizione",
"m.room.topic": "Modifica argomento",
"m.room.tombstone": "Aggiorna la stanza",
"m.room.encryption": "Attiva la crittografia della stanza",
"m.room.server_acl": "Modifica le ACL del server",
"m.reaction": "Invia reazioni",
"m.room.redaction": "Rimuovi i messaggi che ho inviato",
"m.widget": "Modifica i widget",
"io.element.voice_broadcast_info": "Trasmissioni vocali",
"m.room.pinned_events": "Gestisci eventi ancorati",
"m.call": "Inizia chiamate di %(brand)s",
"m.call.member": "Entra in chiamate di %(brand)s",
"users_default": "Ruolo predefinito",
"events_default": "Invia messaggi",
"invite": "Invita utenti",
"state_default": "Modifica impostazioni",
"kick": "Rimuovi utenti",
"ban": "Bandisci utenti",
"redact": "Rimuovi i messaggi inviati dagli altri",
"notifications.room": "Notifica tutti"
}
}
} }

View file

@ -34,9 +34,7 @@
"Friday": "金曜日", "Friday": "金曜日",
"Yesterday": "昨日", "Yesterday": "昨日",
"Low Priority": "低優先度", "Low Priority": "低優先度",
"Collecting logs": "ログを収集しています",
"No update available.": "更新はありません。", "No update available.": "更新はありません。",
"Collecting app version information": "アプリのバージョン情報を収集",
"Changelog": "更新履歴", "Changelog": "更新履歴",
"Invite to this room": "このルームに招待", "Invite to this room": "このルームに招待",
"Waiting for response from server": "サーバーからの応答を待っています", "Waiting for response from server": "サーバーからの応答を待っています",
@ -94,7 +92,6 @@
"Default": "既定値", "Default": "既定値",
"Restricted": "制限", "Restricted": "制限",
"Moderator": "モデレーター", "Moderator": "モデレーター",
"Admin": "管理者",
"Failed to invite": "招待に失敗しました", "Failed to invite": "招待に失敗しました",
"You need to be logged in.": "ログインする必要があります。", "You need to be logged in.": "ログインする必要があります。",
"You need to be able to invite users to do that.": "それを行うにはユーザーを招待する権限が必要です。", "You need to be able to invite users to do that.": "それを行うにはユーザーを招待する権限が必要です。",
@ -108,7 +105,6 @@
"Missing room_id in request": "リクエストにroom_idがありません", "Missing room_id in request": "リクエストにroom_idがありません",
"Room %(roomId)s not visible": "ルーム %(roomId)s は見えません", "Room %(roomId)s not visible": "ルーム %(roomId)s は見えません",
"Missing user_id in request": "リクエストにuser_idがありません", "Missing user_id in request": "リクエストにuser_idがありません",
"Usage": "用法",
"Ignored user": "無視しているユーザー", "Ignored user": "無視しているユーザー",
"You are now ignoring %(userId)s": "%(userId)sを無視しています", "You are now ignoring %(userId)s": "%(userId)sを無視しています",
"Unignored user": "無視していないユーザー", "Unignored user": "無視していないユーザー",
@ -149,7 +145,6 @@
"On": "オン", "On": "オン",
"Drop file here to upload": "アップロードするファイルをここにドロップしてください", "Drop file here to upload": "アップロードするファイルをここにドロップしてください",
"This event could not be displayed": "このイベントは表示できませんでした", "This event could not be displayed": "このイベントは表示できませんでした",
"Call Failed": "呼び出しに失敗しました",
"Demote yourself?": "自身を降格しますか?", "Demote yourself?": "自身を降格しますか?",
"You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.": "あなたは自分自身を降格させようとしています。この変更は取り消せません。あなたがルームの中で最後の特権ユーザーである場合、特権を再取得することはできなくなります。", "You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.": "あなたは自分自身を降格させようとしています。この変更は取り消せません。あなたがルームの中で最後の特権ユーザーである場合、特権を再取得することはできなくなります。",
"Demote": "降格する", "Demote": "降格する",
@ -164,11 +159,6 @@
"one": "他1人…" "one": "他1人…"
}, },
"%(userName)s (power %(powerLevelNumber)s)": "%(userName)s権限レベル%(powerLevelNumber)s", "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s権限レベル%(powerLevelNumber)s",
"Hangup": "電話を切る",
"Voice call": "音声通話",
"Video call": "ビデオ通話",
"Send an encrypted reply…": "暗号化された返信を送る…",
"Send an encrypted message…": "暗号化されたメッセージを送信…",
"This room has been replaced and is no longer active.": "このルームは置き換えられており、アクティブではありません。", "This room has been replaced and is no longer active.": "このルームは置き換えられており、アクティブではありません。",
"The conversation continues here.": "こちらから継続中の会話を確認。", "The conversation continues here.": "こちらから継続中の会話を確認。",
"You do not have permission to post to this room": "このルームに投稿する権限がありません", "You do not have permission to post to this room": "このルームに投稿する権限がありません",
@ -189,7 +179,6 @@
"Share room": "ルームを共有", "Share room": "ルームを共有",
"Unban": "ブロックを解除", "Unban": "ブロックを解除",
"Failed to ban user": "ユーザーをブロックできませんでした", "Failed to ban user": "ユーザーをブロックできませんでした",
"System Alerts": "システムアラート",
"%(roomName)s does not exist.": "%(roomName)sは存在しません。", "%(roomName)s does not exist.": "%(roomName)sは存在しません。",
"%(roomName)s is not accessible at this time.": "%(roomName)sは現在アクセスできません。", "%(roomName)s is not accessible at this time.": "%(roomName)sは現在アクセスできません。",
"Failed to unban": "ブロック解除に失敗しました", "Failed to unban": "ブロック解除に失敗しました",
@ -205,11 +194,9 @@
"Members only (since they were invited)": "メンバーのみ(招待を送った時点から)", "Members only (since they were invited)": "メンバーのみ(招待を送った時点から)",
"Members only (since they joined)": "メンバーのみ(参加した時点から)", "Members only (since they joined)": "メンバーのみ(参加した時点から)",
"Permissions": "権限", "Permissions": "権限",
"Advanced": "詳細",
"Only room administrators will see this warning": "この警告はルームの管理者にのみ表示されます", "Only room administrators will see this warning": "この警告はルームの管理者にのみ表示されます",
"You don't currently have any stickerpacks enabled": "現在、ステッカーパックが有効になっていません", "You don't currently have any stickerpacks enabled": "現在、ステッカーパックが有効になっていません",
"Add some now": "今すぐ追加", "Add some now": "今すぐ追加",
"Stickerpack": "ステッカーパック",
"Jump to first unread message.": "最初の未読メッセージに移動。", "Jump to first unread message.": "最初の未読メッセージに移動。",
"not specified": "指定なし", "not specified": "指定なし",
"This room has no local addresses": "このルームにはローカルアドレスがありません", "This room has no local addresses": "このルームにはローカルアドレスがありません",
@ -479,7 +466,6 @@
"Sequences like abc or 6543 are easy to guess": "abc や 6543 のような規則的な文字列は簡単に推測されます", "Sequences like abc or 6543 are easy to guess": "abc や 6543 のような規則的な文字列は簡単に推測されます",
"Recent years are easy to guess": "最近の年号は簡単に推測されます", "Recent years are easy to guess": "最近の年号は簡単に推測されます",
"Dates are often easy to guess": "たいていの日付は簡単に推測されます", "Dates are often easy to guess": "たいていの日付は簡単に推測されます",
"Change room name": "ルーム名の変更",
"Room Name": "ルーム名", "Room Name": "ルーム名",
"Add Email Address": "メールアドレスを追加", "Add Email Address": "メールアドレスを追加",
"Add Phone Number": "電話番号を追加", "Add Phone Number": "電話番号を追加",
@ -488,9 +474,6 @@
"The file '%(fileName)s' exceeds this homeserver's size limit for uploads": "ファイル '%(fileName)s' はこのホームサーバーのアップロードのサイズ上限を超過しています", "The file '%(fileName)s' exceeds this homeserver's size limit for uploads": "ファイル '%(fileName)s' はこのホームサーバーのアップロードのサイズ上限を超過しています",
"The server does not support the room version specified.": "このサーバーは指定されたルームのバージョンをサポートしていません。", "The server does not support the room version specified.": "このサーバーは指定されたルームのバージョンをサポートしていません。",
"Identity server has no terms of service": "IDサーバーには利用規約がありません", "Identity server has no terms of service": "IDサーバーには利用規約がありません",
"Messages": "メッセージ",
"Actions": "アクション",
"Other": "その他",
"Use an identity server": "IDサーバーを使用", "Use an identity server": "IDサーバーを使用",
"Please supply a https:// or http:// widget URL": "https:// または http:// で始まるウィジェットURLを指定してください", "Please supply a https:// or http:// widget URL": "https:// または http:// で始まるウィジェットURLを指定してください",
"You cannot modify widgets in this room.": "このルームのウィジェットを変更できません。", "You cannot modify widgets in this room.": "このルームのウィジェットを変更できません。",
@ -529,22 +512,8 @@
"Hide advanced": "高度な設定を非表示にする", "Hide advanced": "高度な設定を非表示にする",
"Show advanced": "高度な設定を表示", "Show advanced": "高度な設定を表示",
"Room Settings - %(roomName)s": "ルームの設定 - %(roomName)s", "Room Settings - %(roomName)s": "ルームの設定 - %(roomName)s",
"Enable room encryption": "ルームの暗号化を有効にする",
"Change room avatar": "ルームのアバターの変更",
"Change main address for the room": "ルームのメインアドレスの変更",
"Change history visibility": "履歴の見え方の変更",
"Change permissions": "権限の変更",
"Change topic": "トピックの変更",
"Upgrade the room": "ルームのアップグレード",
"Modify widgets": "ウィジェットの変更",
"Error changing power level requirement": "必要な権限レベルを変更する際にエラーが発生しました", "Error changing power level requirement": "必要な権限レベルを変更する際にエラーが発生しました",
"An error occurred changing the room's power level requirements. Ensure you have sufficient permissions and try again.": "ルームで必要な権限レベルを変更する際にエラーが発生しました。必要な権限があることを確認したうえで、もう一度やり直してください。", "An error occurred changing the room's power level requirements. Ensure you have sufficient permissions and try again.": "ルームで必要な権限レベルを変更する際にエラーが発生しました。必要な権限があることを確認したうえで、もう一度やり直してください。",
"Default role": "既定の役割",
"Send messages": "メッセージの送信",
"Invite users": "ユーザーの招待",
"Change settings": "設定の変更",
"Ban users": "ユーザーのブロック",
"Notify everyone": "全員に通知",
"Select the roles required to change various parts of the room": "ルームに関する変更を行うために必要な役割を選択", "Select the roles required to change various parts of the room": "ルームに関する変更を行うために必要な役割を選択",
"Room Topic": "ルームのトピック", "Room Topic": "ルームのトピック",
"<reactors/><reactedWith>reacted with %(shortName)s</reactedWith>": "<reactors/><reactedWith>%(shortName)sでリアクションしました</reactedWith>", "<reactors/><reactedWith>reacted with %(shortName)s</reactedWith>": "<reactors/><reactedWith>%(shortName)sでリアクションしました</reactedWith>",
@ -582,7 +551,6 @@
"Clear cache and reload": "キャッシュを削除して再読み込み", "Clear cache and reload": "キャッシュを削除して再読み込み",
"Session ID:": "セッションID", "Session ID:": "セッションID",
"Session key:": "セッションキー:", "Session key:": "セッションキー:",
"Cross-signing": "クロス署名",
"Session name": "セッション名", "Session name": "セッション名",
"Session key": "セッションキー", "Session key": "セッションキー",
"Never send encrypted messages to unverified sessions from this session": "このセッションでは、未認証のセッションに対して暗号化されたメッセージを送信しない", "Never send encrypted messages to unverified sessions from this session": "このセッションでは、未認証のセッションに対して暗号化されたメッセージを送信しない",
@ -763,7 +731,6 @@
"Add widgets, bridges & bots": "ウィジェット、ブリッジ、ボットの追加", "Add widgets, bridges & bots": "ウィジェット、ブリッジ、ボットの追加",
"Widgets": "ウィジェット", "Widgets": "ウィジェット",
"Cross-signing is ready for use.": "クロス署名の使用準備が完了しました。", "Cross-signing is ready for use.": "クロス署名の使用準備が完了しました。",
"Secure Backup": "セキュアバックアップ",
"Set up Secure Backup": "セキュアバックアップを設定", "Set up Secure Backup": "セキュアバックアップを設定",
"Everyone in this room is verified": "このルーム内の全員を認証済", "Everyone in this room is verified": "このルーム内の全員を認証済",
"Verify all users in a room to ensure it's secure.": "ルームの全てのユーザーを認証すると、ルームが安全であることを確認できます。", "Verify all users in a room to ensure it's secure.": "ルームの全てのユーザーを認証すると、ルームが安全であることを確認できます。",
@ -795,8 +762,6 @@
"Invite someone using their name, username (like <userId/>) or <a>share this room</a>.": "このルームに誰かを招待したい場合は、招待したいユーザーの名前、またはユーザー名(<userId/>の形式)を指定するか、<a>このルームを共有</a>してください。", "Invite someone using their name, username (like <userId/>) or <a>share this room</a>.": "このルームに誰かを招待したい場合は、招待したいユーザーの名前、またはユーザー名(<userId/>の形式)を指定するか、<a>このルームを共有</a>してください。",
"Invite someone using their name, email address, username (like <userId/>) or <a>share this room</a>.": "このルームに誰かを招待したい場合は、招待したいユーザーの名前、メールアドレス、またはユーザー名(<userId/>の形式)を指定するか、<a>このルームを共有</a>してください。", "Invite someone using their name, email address, username (like <userId/>) or <a>share this room</a>.": "このルームに誰かを招待したい場合は、招待したいユーザーの名前、メールアドレス、またはユーザー名(<userId/>の形式)を指定するか、<a>このルームを共有</a>してください。",
"Upgrade your encryption": "暗号化をアップグレード", "Upgrade your encryption": "暗号化をアップグレード",
"Send a reply…": "返信を送る…",
"Send a message…": "メッセージを送信…",
"This is the beginning of your direct message history with <displayName/>.": "ここがあなたと<displayName/>のダイレクトメッセージの履歴の先頭です。", "This is the beginning of your direct message history with <displayName/>.": "ここがあなたと<displayName/>のダイレクトメッセージの履歴の先頭です。",
"This is the start of <roomName/>.": "ここが<roomName/>の先頭です。", "This is the start of <roomName/>.": "ここが<roomName/>の先頭です。",
"<a>Add a topic</a> to help people know what it is about.": "<a>トピックを追加する</a>と、このルームの目的が分かりやすくなります。", "<a>Add a topic</a> to help people know what it is about.": "<a>トピックを追加する</a>と、このルームの目的が分かりやすくなります。",
@ -904,7 +869,6 @@
"Unable to revoke sharing for email address": "メールアドレスの共有を取り消せません", "Unable to revoke sharing for email address": "メールアドレスの共有を取り消せません",
"To link to this room, please add an address.": "このルームにリンクするにはアドレスを追加してください。", "To link to this room, please add an address.": "このルームにリンクするにはアドレスを追加してください。",
"Send %(eventType)s events": "%(eventType)sイベントの送信", "Send %(eventType)s events": "%(eventType)sイベントの送信",
"Remove messages sent by others": "他の人から送信されたメッセージの削除",
"An error occurred changing the user's power level. Ensure you have sufficient permissions and try again.": "ユーザーの権限レベルを変更する際にエラーが発生しました。必要な権限があることを確認して、もう一度やり直してください。", "An error occurred changing the user's power level. Ensure you have sufficient permissions and try again.": "ユーザーの権限レベルを変更する際にエラーが発生しました。必要な権限があることを確認して、もう一度やり直してください。",
"Uploaded sound": "アップロードされた音", "Uploaded sound": "アップロードされた音",
"Bridges": "ブリッジ", "Bridges": "ブリッジ",
@ -1169,7 +1133,6 @@
"Joins room with given address": "指定したアドレスのルームに参加", "Joins room with given address": "指定したアドレスのルームに参加",
"Use an identity server to invite by email. Click continue to use the default identity server (%(defaultIdentityServerName)s) or manage in Settings.": "メールでの招待にIDサーバーを使用します。デフォルトのIDサーバー%(defaultIdentityServerName)sを使用する場合は「続行」をクリックしてください。または設定画面を開いて変更してください。", "Use an identity server to invite by email. Click continue to use the default identity server (%(defaultIdentityServerName)s) or manage in Settings.": "メールでの招待にIDサーバーを使用します。デフォルトのIDサーバー%(defaultIdentityServerName)sを使用する場合は「続行」をクリックしてください。または設定画面を開いて変更してください。",
"Double check that your server supports the room version chosen and try again.": "選択したルームのバージョンをあなたのサーバーがサポートしているか改めて確認し、もう一度試してください。", "Double check that your server supports the room version chosen and try again.": "選択したルームのバージョンをあなたのサーバーがサポートしているか改めて確認し、もう一度試してください。",
"Effects": "効果",
"Setting up keys": "鍵のセットアップ", "Setting up keys": "鍵のセットアップ",
"Are you sure you want to cancel entering passphrase?": "パスフレーズの入力をキャンセルしてよろしいですか?", "Are you sure you want to cancel entering passphrase?": "パスフレーズの入力をキャンセルしてよろしいですか?",
"Cancel entering passphrase?": "パスフレーズの入力をキャンセルしますか?", "Cancel entering passphrase?": "パスフレーズの入力をキャンセルしますか?",
@ -1447,9 +1410,6 @@
"This action requires accessing the default identity server <server /> to validate an email address or phone number, but the server does not have any terms of service.": "このアクションを行うには、既定のIDサーバー <server /> にアクセスしてメールアドレスまたは電話番号を認証する必要がありますが、サーバーには利用規約がありません。", "This action requires accessing the default identity server <server /> to validate an email address or phone number, but the server does not have any terms of service.": "このアクションを行うには、既定のIDサーバー <server /> にアクセスしてメールアドレスまたは電話番号を認証する必要がありますが、サーバーには利用規約がありません。",
"You've reached the maximum number of simultaneous calls.": "同時通話数の上限に達しました。", "You've reached the maximum number of simultaneous calls.": "同時通話数の上限に達しました。",
"Too Many Calls": "通話が多すぎます", "Too Many Calls": "通話が多すぎます",
"No other application is using the webcam": "他のアプリケーションがWebカメラを使用していないこと",
"Permission is granted to use the webcam": "Webカメラを使用する権限が与えられていること",
"A microphone and webcam are plugged in and set up correctly": "マイクとWebカメラが接続されていて、正しく設定されていること",
"Verify this user by confirming the following emoji appear on their screen.": "このユーザーを認証するには、相手の画面に以下の絵文字が表示されていることを確認してください。", "Verify this user by confirming the following emoji appear on their screen.": "このユーザーを認証するには、相手の画面に以下の絵文字が表示されていることを確認してください。",
"Compare a unique set of emoji if you don't have a camera on either device": "両方の端末でQRコードをキャプチャできない場合、絵文字の比較を選んでください", "Compare a unique set of emoji if you don't have a camera on either device": "両方の端末でQRコードをキャプチャできない場合、絵文字の比較を選んでください",
"Compare unique emoji": "絵文字の並びを比較", "Compare unique emoji": "絵文字の並びを比較",
@ -1457,15 +1417,9 @@
"Secure messages with this user are end-to-end encrypted and not able to be read by third parties.": "このユーザーとのメッセージはエンドツーエンドで暗号化されており、第三者が解読することはできません。", "Secure messages with this user are end-to-end encrypted and not able to be read by third parties.": "このユーザーとのメッセージはエンドツーエンドで暗号化されており、第三者が解読することはできません。",
"Verified!": "認証しました!", "Verified!": "認証しました!",
"The other party cancelled the verification.": "相手が認証をキャンセルしました。", "The other party cancelled the verification.": "相手が認証をキャンセルしました。",
"Unknown caller": "不明な発信者",
"Dial pad": "ダイヤルパッド", "Dial pad": "ダイヤルパッド",
"There was an error looking up the phone number": "電話番号を検索する際にエラーが発生しました", "There was an error looking up the phone number": "電話番号を検索する際にエラーが発生しました",
"Unable to look up phone number": "電話番号が見つかりません", "Unable to look up phone number": "電話番号が見つかりません",
"%(name)s on hold": "%(name)sを保留しています",
"Return to call": "通話に戻る",
"%(peerName)s held the call": "%(peerName)sが通話を保留しました",
"You held the call <a>Resume</a>": "通話を保留しました <a>再開</a>",
"You held the call <a>Switch</a>": "通話を保留しました <a>切り替える</a>",
"sends snowfall": "降雪を送る", "sends snowfall": "降雪を送る",
"Sends the given message with snowfall": "メッセージを降雪と共に送信", "Sends the given message with snowfall": "メッセージを降雪と共に送信",
"sends fireworks": "花火を送る", "sends fireworks": "花火を送る",
@ -1474,26 +1428,11 @@
"Sends the given message with confetti": "メッセージを紙吹雪と共に送信", "Sends the given message with confetti": "メッセージを紙吹雪と共に送信",
"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!": "あなたがブロックしたユーザーとサーバーのリストです。このルームから退出しないでください!",
"My Ban List": "マイブロックリスト", "My Ban List": "マイブロックリスト",
"Downloading logs": "ログをダウンロードしています",
"Uploading logs": "ログをアップロードしています",
"IRC display name width": "IRCの表示名の幅", "IRC display name width": "IRCの表示名の幅",
"How fast should messages be downloaded.": "メッセージをダウンロードする速度。", "How fast should messages be downloaded.": "メッセージをダウンロードする速度。",
"Enable message search in encrypted rooms": "暗号化されたルームでメッセージの検索を有効にする", "Enable message search in encrypted rooms": "暗号化されたルームでメッセージの検索を有効にする",
"Show hidden events in timeline": "タイムラインで非表示のイベントを表示", "Show hidden events in timeline": "タイムラインで非表示のイベントを表示",
"Change notification settings": "通知設定を変更", "Change notification settings": "通知設定を変更",
"%(senderName)s: %(stickerName)s": "%(senderName)s%(stickerName)s",
"%(senderName)s: %(message)s": "%(senderName)s%(message)s",
"* %(senderName)s %(emote)s": "* %(senderName)s %(emote)s",
"%(senderName)s is calling": "%(senderName)sが呼び出しています",
"Waiting for answer": "応答を待機しています",
"%(senderName)s started a call": "%(senderName)sが通話を開始しました",
"You started a call": "通話を開始しました",
"Call ended": "通話が終了しました",
"%(senderName)s ended the call": "%(senderName)sが通話を終了しました",
"You ended the call": "通話を終了しました",
"Call in progress": "通話しています",
"%(senderName)s joined the call": "%(senderName)sが通話に参加しました",
"You joined the call": "通話に参加しました",
"New login. Was this you?": "新しいログインです。ログインしましたか?", "New login. Was this you?": "新しいログインです。ログインしましたか?",
"Safeguard against losing access to encrypted messages & data": "暗号化されたメッセージとデータへのアクセスが失われるのを防ぎましょう", "Safeguard against losing access to encrypted messages & data": "暗号化されたメッセージとデータへのアクセスが失われるのを防ぎましょう",
"Ok": "OK", "Ok": "OK",
@ -1508,10 +1447,6 @@
"Straight rows of keys are easy to guess": "キーボードの同じ列の文字を使用すると簡単に推測されます", "Straight rows of keys are easy to guess": "キーボードの同じ列の文字を使用すると簡単に推測されます",
"Common names and surnames are easy to guess": "名前や名字は簡単に推測されます", "Common names and surnames are easy to guess": "名前や名字は簡単に推測されます",
"Names and surnames by themselves are easy to guess": "名前や名字は簡単に推測されます", "Names and surnames by themselves are easy to guess": "名前や名字は簡単に推測されます",
"Call failed because webcam or microphone could not be accessed. Check that:": "Webカメラまたはマイクを使用できなかったため、通話に失敗しました。以下を確認してください",
"Unable to access webcam / microphone": "Webカメラまたはマイクを使用できません",
"Call failed because microphone could not be accessed. Check that a microphone is plugged in and set up correctly.": "マイクを使用できなかったため、通話に失敗しました。マイクが接続され、正しく設定されているか確認してください。",
"Unable to access microphone": "マイクを使用できません",
"Please ask the administrator of your homeserver (<code>%(homeserverDomain)s</code>) to configure a TURN server in order for calls to work reliably.": "安定した通話のために、ホームサーバー(<code>%(homeserverDomain)s</code>の管理者にTURNサーバーの設定を依頼してください。", "Please ask the administrator of your homeserver (<code>%(homeserverDomain)s</code>) to configure a TURN server in order for calls to work reliably.": "安定した通話のために、ホームサーバー(<code>%(homeserverDomain)s</code>の管理者にTURNサーバーの設定を依頼してください。",
"The call was answered on another device.": "他の端末で呼び出しに応答しました。", "The call was answered on another device.": "他の端末で呼び出しに応答しました。",
"Answered Elsewhere": "他の端末で応答しました", "Answered Elsewhere": "他の端末で応答しました",
@ -1577,7 +1512,6 @@
"You do not have permissions to add rooms to this space": "このスペースにルームを追加する権限がありません", "You do not have permissions to add rooms to this space": "このスペースにルームを追加する権限がありません",
"Add existing room": "既存のルームを追加", "Add existing room": "既存のルームを追加",
"You do not have permissions to create new rooms in this space": "このスペースに新しいルームを作成する権限がありません", "You do not have permissions to create new rooms in this space": "このスペースに新しいルームを作成する権限がありません",
"Send message": "メッセージを送信",
"Invite to this space": "このスペースに招待", "Invite to this space": "このスペースに招待",
"Your message was sent": "メッセージが送信されました", "Your message was sent": "メッセージが送信されました",
"Space options": "スペースのオプション", "Space options": "スペースのオプション",
@ -1592,8 +1526,6 @@
"Open space for anyone, best for communities": "誰でも参加できる公開スペース。コミュニティー向け", "Open space for anyone, best for communities": "誰でも参加できる公開スペース。コミュニティー向け",
"Create a space": "スペースを作成", "Create a space": "スペースを作成",
"This homeserver has been blocked by its administrator.": "このホームサーバーは管理者によりブロックされています。", "This homeserver has been blocked by its administrator.": "このホームサーバーは管理者によりブロックされています。",
"You're already in a call with this person.": "既にこの人と通話中です。",
"Already in call": "既に通話中です",
"Edit devices": "端末を編集", "Edit devices": "端末を編集",
"You have no ignored users.": "無視しているユーザーはいません。", "You have no ignored users.": "無視しているユーザーはいません。",
"Join the beta": "ベータ版に参加", "Join the beta": "ベータ版に参加",
@ -1696,10 +1628,7 @@
"You can't see earlier messages": "以前のメッセージは表示できません", "You can't see earlier messages": "以前のメッセージは表示できません",
"Encrypted messages before this point are unavailable.": "これ以前の暗号化されたメッセージは利用できません。", "Encrypted messages before this point are unavailable.": "これ以前の暗号化されたメッセージは利用できません。",
"Take a picture": "画像を撮影", "Take a picture": "画像を撮影",
"Change main address for the space": "スペースのメインアドレスの変更",
"Copy room link": "ルームのリンクをコピー", "Copy room link": "ルームのリンクをコピー",
"Remove users": "ユーザーの追放",
"Manage rooms in this space": "このスペースのルームの管理",
"Close dialog": "ダイアログを閉じる", "Close dialog": "ダイアログを閉じる",
"Preparing to download logs": "ログのダウンロードを準備しています", "Preparing to download logs": "ログのダウンロードを準備しています",
"User Busy": "通話中", "User Busy": "通話中",
@ -1710,19 +1639,13 @@
"Voice Message": "音声メッセージ", "Voice Message": "音声メッセージ",
"Poll": "アンケート", "Poll": "アンケート",
"Insert link": "リンクを挿入", "Insert link": "リンクを挿入",
"Calls are unsupported": "通話はサポートされていません",
"Reason (optional)": "理由(任意)", "Reason (optional)": "理由(任意)",
"Copy link to thread": "スレッドへのリンクをコピー", "Copy link to thread": "スレッドへのリンクをコピー",
"You're all caught up": "未読はありません", "You're all caught up": "未読はありません",
"Unable to find Matrix ID for phone number": "電話番号からMatrix IDを発見できません", "Unable to find Matrix ID for phone number": "電話番号からMatrix IDを発見できません",
"Connecting": "接続しています", "Connecting": "接続しています",
"Unmute the microphone": "マイクのミュートを解除",
"Mute the microphone": "マイクをミュート",
"Dialpad": "ダイヤルパッド",
"Dial": "ダイヤル",
"You cannot place calls without a connection to the server.": "サーバーに接続していないため、通話を発信できません。", "You cannot place calls without a connection to the server.": "サーバーに接続していないため、通話を発信できません。",
"Connectivity to the server has been lost": "サーバーとの接続が失われました", "Connectivity to the server has been lost": "サーバーとの接続が失われました",
"You cannot place calls in this browser.": "このブラウザーで通話を発信することはできません。",
"Create a new space": "新しいスペースを作成", "Create a new space": "新しいスペースを作成",
"This address is already in use": "このアドレスは既に使用されています", "This address is already in use": "このアドレスは既に使用されています",
"This address is available to use": "このアドレスは使用できます", "This address is available to use": "このアドレスは使用できます",
@ -1738,10 +1661,6 @@
}, },
"Share anonymous data to help us identify issues. Nothing personal. No third parties.": "匿名のデータを共有すると、問題の特定に役立ちます。個人データの収集や、第三者とのデータ共有はありません。", "Share anonymous data to help us identify issues. Nothing personal. No third parties.": "匿名のデータを共有すると、問題の特定に役立ちます。個人データの収集や、第三者とのデータ共有はありません。",
"Hide sidebar": "サイドバーを表示しない", "Hide sidebar": "サイドバーを表示しない",
"Start sharing your screen": "画面共有を開始",
"Stop sharing your screen": "画面共有を停止",
"Start the camera": "カメラを開始",
"Stop the camera": "カメラを停止",
"sends space invaders": "スペースインベーダーを送る", "sends space invaders": "スペースインベーダーを送る",
"Failed to transfer call": "通話の転送に失敗しました", "Failed to transfer call": "通話の転送に失敗しました",
"Command error: Unable to handle slash command.": "コマンドエラー:スラッシュコマンドは使えません。", "Command error: Unable to handle slash command.": "コマンドエラー:スラッシュコマンドは使えません。",
@ -1990,12 +1909,6 @@
"Published addresses can be used by anyone on any server to join your room.": "公開アドレスを設定すると、どのサーバーのユーザーでも、あなたのルームに参加できるようになります。", "Published addresses can be used by anyone on any server to join your room.": "公開アドレスを設定すると、どのサーバーのユーザーでも、あなたのルームに参加できるようになります。",
"Published addresses can be used by anyone on any server to join your space.": "公開アドレスを設定すると、どのサーバーのユーザーでも、あなたのスペースに参加できるようになります。", "Published addresses can be used by anyone on any server to join your space.": "公開アドレスを設定すると、どのサーバーのユーザーでも、あなたのスペースに参加できるようになります。",
"Access": "アクセス", "Access": "アクセス",
"Change space name": "スペース名の変更",
"Change space avatar": "スペースのアバターの変更",
"Manage pinned events": "固定されたイベントの管理",
"Change description": "説明文の変更",
"Send reactions": "リアクションの送信",
"Change server ACLs": "サーバーのアクセス制御リストの変更",
"Missed call": "不在着信", "Missed call": "不在着信",
"Call back": "かけ直す", "Call back": "かけ直す",
"Search for rooms or people": "ルームと連絡先を検索", "Search for rooms or people": "ルームと連絡先を検索",
@ -2020,7 +1933,6 @@
"Success!": "成功しました!", "Success!": "成功しました!",
"Comment": "コメント", "Comment": "コメント",
"Information": "情報", "Information": "情報",
"Remove messages sent by me": "自分が送信したメッセージの削除",
"Search for spaces": "スペースを検索", "Search for spaces": "スペースを検索",
"You can read all our terms <PrivacyPolicyUrl>here</PrivacyPolicyUrl>": "規約は<PrivacyPolicyUrl>ここ</PrivacyPolicyUrl>で確認できます", "You can read all our terms <PrivacyPolicyUrl>here</PrivacyPolicyUrl>": "規約は<PrivacyPolicyUrl>ここ</PrivacyPolicyUrl>で確認できます",
"Share location": "位置情報を共有", "Share location": "位置情報を共有",
@ -2158,8 +2070,6 @@
"View message": "メッセージを表示", "View message": "メッセージを表示",
"End-to-end encryption isn't enabled": "エンドツーエンド暗号化が有効になっていません", "End-to-end encryption isn't enabled": "エンドツーエンド暗号化が有効になっていません",
"Enable encryption in settings.": "暗号化を設定から有効にする。", "Enable encryption in settings.": "暗号化を設定から有効にする。",
"Reply to thread…": "スレッドに返信…",
"Reply to encrypted thread…": "暗号化されたスレッドに返信…",
"Show %(count)s other previews": { "Show %(count)s other previews": {
"one": "他%(count)s個のプレビューを表示", "one": "他%(count)s個のプレビューを表示",
"other": "他%(count)s個のプレビューを表示" "other": "他%(count)s個のプレビューを表示"
@ -2335,8 +2245,6 @@
"other": "%(severalUsers)sが%(count)s件の非表示のメッセージを送信しました" "other": "%(severalUsers)sが%(count)s件の非表示のメッセージを送信しました"
}, },
"Are you sure you want to end this poll? This will show the final results of the poll and stop people from being able to vote.": "アンケートを終了してよろしいですか?投票を締め切り、最終結果を表示します。", "Are you sure you want to end this poll? This will show the final results of the poll and stop people from being able to vote.": "アンケートを終了してよろしいですか?投票を締め切り、最終結果を表示します。",
"Your camera is still enabled": "カメラがまだ有効です",
"Your camera is turned off": "カメラが無効です",
"Sends the given message with a space themed effect": "メッセージを宇宙のテーマのエフェクトと共に送信", "Sends the given message with a space themed effect": "メッセージを宇宙のテーマのエフェクトと共に送信",
"sends rainfall": "雨を送信", "sends rainfall": "雨を送信",
"Sends the given message with rainfall": "メッセージを雨と共に送信", "Sends the given message with rainfall": "メッセージを雨と共に送信",
@ -2443,7 +2351,6 @@
"Search spaces": "スペースを検索", "Search spaces": "スペースを検索",
"Unnamed audio": "名前のない音声", "Unnamed audio": "名前のない音声",
"e.g. my-space": "例my-space", "e.g. my-space": "例my-space",
"Silence call": "サイレントモード",
"Move right": "右に移動", "Move right": "右に移動",
"Move left": "左に移動", "Move left": "左に移動",
"Rotate Right": "右に回転", "Rotate Right": "右に回転",
@ -2675,10 +2582,6 @@
"No live locations": "位置情報(ライブ)がありません", "No live locations": "位置情報(ライブ)がありません",
"View list": "一覧を表示", "View list": "一覧を表示",
"View List": "一覧を表示", "View List": "一覧を表示",
"Mute microphone": "マイクをミュート",
"Unmute microphone": "マイクのミュートを解除",
"Turn off camera": "カメラを無効にする",
"Turn on camera": "カメラを有効にする",
"%(user1)s and %(user2)s": "%(user1)sと%(user2)s", "%(user1)s and %(user2)s": "%(user1)sと%(user2)s",
"You need to be able to kick users to do that.": "それを行うにはユーザーをキックする権限が必要です。", "You need to be able to kick users to do that.": "それを行うにはユーザーをキックする権限が必要です。",
"Empty room (was %(oldName)s)": "空のルーム(以前の名前は%(oldName)s", "Empty room (was %(oldName)s)": "空のルーム(以前の名前は%(oldName)s",
@ -2691,7 +2594,6 @@
"one": "%(user)sと1人", "one": "%(user)sと1人",
"other": "%(user)sと%(count)s人" "other": "%(user)sと%(count)s人"
}, },
"Video call started": "ビデオ通話を開始しました",
"Unknown room": "不明のルーム", "Unknown room": "不明のルーム",
"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.": "以前あなたは利用状況に関する匿名データの共有に同意しました。私たちはそれが機能する仕方を更新しています。",
"Mapbox logo": "Mapboxのロゴ", "Mapbox logo": "Mapboxのロゴ",
@ -2814,12 +2716,8 @@
"one": "%(count)s人が参加しました", "one": "%(count)s人が参加しました",
"other": "%(count)s人が参加しました" "other": "%(count)s人が参加しました"
}, },
"Video devices": "ビデオ装置",
"Audio devices": "オーディオ装置",
"Download %(brand)s": "%(brand)sをダウンロード", "Download %(brand)s": "%(brand)sをダウンロード",
"Show shortcut to welcome checklist above the room list": "ルームの一覧の上に、最初に設定すべき項目のチェックリストのショートカットを表示", "Show shortcut to welcome checklist above the room list": "ルームの一覧の上に、最初に設定すべき項目のチェックリストのショートカットを表示",
"Notifications silenced": "無音で通知",
"Sound on": "音を有効にする",
"You are already recording a voice broadcast. Please end your current voice broadcast to start a new one.": "既に音声配信を録音しています。新しく始めるには現在の音声配信を終了してください。", "You are already recording a voice broadcast. Please end your current voice broadcast to start a new one.": "既に音声配信を録音しています。新しく始めるには現在の音声配信を終了してください。",
"Close sidebar": "サイドバーを閉じる", "Close sidebar": "サイドバーを閉じる",
"You are sharing your live location": "位置情報(ライブ)を共有しています", "You are sharing your live location": "位置情報(ライブ)を共有しています",
@ -2889,9 +2787,6 @@
"Sign out of all other sessions (%(otherSessionsCount)s)": "他のすべてのセッションからサインアウト(%(otherSessionsCount)s", "Sign out of all other sessions (%(otherSessionsCount)s)": "他のすべてのセッションからサインアウト(%(otherSessionsCount)s",
"%(brand)s is end-to-end encrypted, but is currently limited to smaller numbers of users.": "%(brand)sではエンドツーエンド暗号化が設定されていますが、より少ないユーザー数に限定されています。", "%(brand)s is end-to-end encrypted, but is currently limited to smaller numbers of users.": "%(brand)sではエンドツーエンド暗号化が設定されていますが、より少ないユーザー数に限定されています。",
"<b>It's not recommended to add encryption to public rooms.</b> Anyone can find and join public rooms, so anyone can read messages in them. You'll get none of the benefits of encryption, and you won't be able to turn it off later. Encrypting messages in a public room will make receiving and sending messages slower.": "<b>公開ルームを暗号化することは推奨されません。</b>公開ルームは誰でも検索、参加でき、メッセージを読むことができます。暗号化の利益を得ることはできず、後で暗号化を無効にすることもできません。また、公開ルームでメッセージを暗号化すると、メッセージの送受信が遅くなります。", "<b>It's not recommended to add encryption to public rooms.</b> Anyone can find and join public rooms, so anyone can read messages in them. You'll get none of the benefits of encryption, and you won't be able to turn it off later. Encrypting messages in a public room will make receiving and sending messages slower.": "<b>公開ルームを暗号化することは推奨されません。</b>公開ルームは誰でも検索、参加でき、メッセージを読むことができます。暗号化の利益を得ることはできず、後で暗号化を無効にすることもできません。また、公開ルームでメッセージを暗号化すると、メッセージの送受信が遅くなります。",
"Join %(brand)s calls": "%(brand)s通話に参加",
"Start %(brand)s calls": "%(brand)s通話を開始",
"Voice broadcasts": "音声配信",
"Connection": "接続", "Connection": "接続",
"Voice processing": "音声を処理しています", "Voice processing": "音声を処理しています",
"Automatically adjust the microphone volume": "マイクの音量を自動的に調節", "Automatically adjust the microphone volume": "マイクの音量を自動的に調節",
@ -3090,7 +2985,6 @@
"Share for %(duration)s": "%(duration)sの間共有", "Share for %(duration)s": "%(duration)sの間共有",
"All messages and invites from this user will be hidden. Are you sure you want to ignore them?": "このユーザーのメッセージと招待を非表示にします。無視してよろしいですか?", "All messages and invites from this user will be hidden. Are you sure you want to ignore them?": "このユーザーのメッセージと招待を非表示にします。無視してよろしいですか?",
"Send your first message to invite <displayName/> to chat": "最初のメッセージを送信すると、<displayName/>を会話に招待", "Send your first message to invite <displayName/> to chat": "最初のメッセージを送信すると、<displayName/>を会話に招待",
"Consulting with %(transferTarget)s. <a>Transfer to %(transferee)s</a>": "%(transferTarget)sと相談しています。<a>%(transferee)sに転送</a>",
"unknown": "不明", "unknown": "不明",
"Red": "赤色", "Red": "赤色",
"Grey": "灰色", "Grey": "灰色",
@ -3111,7 +3005,6 @@
" in <strong>%(room)s</strong>": " <strong>%(room)s</strong>内で", " in <strong>%(room)s</strong>": " <strong>%(room)s</strong>内で",
"Failed to set pusher state": "プッシュサービスの設定に失敗しました", "Failed to set pusher state": "プッシュサービスの設定に失敗しました",
"Your account details are managed separately at <code>%(hostname)s</code>.": "あなたのアカウントの詳細は<code>%(hostname)s</code>で管理されています。", "Your account details are managed separately at <code>%(hostname)s</code>.": "あなたのアカウントの詳細は<code>%(hostname)s</code>で管理されています。",
"Fill screen": "全画面",
"More": "その他", "More": "その他",
"Some results may be hidden for privacy": "プライバシーの観点から表示していない結果があります", "Some results may be hidden for privacy": "プライバシーの観点から表示していない結果があります",
"You cannot search for rooms that are neither a room nor a space": "ルームまたはスペースではないルームを探すことはできません", "You cannot search for rooms that are neither a room nor a space": "ルームまたはスペースではないルームを探すことはできません",
@ -3133,8 +3026,6 @@
"Reset event store": "イベントストアをリセット", "Reset event store": "イベントストアをリセット",
"You most likely do not want to reset your event index store": "必要がなければ、イベントインデックスストアをリセットするべきではありません", "You most likely do not want to reset your event index store": "必要がなければ、イベントインデックスストアをリセットするべきではありません",
"Upgrading a room is an advanced action and is usually recommended when a room is unstable due to bugs, missing features or security vulnerabilities.": "ルームのアップグレードは高度な操作です。バグや欠けている機能、セキュリティーの脆弱性などによってルームが不安定な場合に、アップデートを推奨します。", "Upgrading a room is an advanced action and is usually recommended when a room is unstable due to bugs, missing features or security vulnerabilities.": "ルームのアップグレードは高度な操作です。バグや欠けている機能、セキュリティーの脆弱性などによってルームが不安定な場合に、アップデートを推奨します。",
"%(sharerName)s is presenting": "%(sharerName)sが画面を共有しています",
"You are presenting": "あなたが画面を共有しています",
"Force 15s voice broadcast chunk length": "音声配信のチャンク長を15秒に強制", "Force 15s voice broadcast chunk length": "音声配信のチャンク長を15秒に強制",
"Your email address does not appear to be associated with a Matrix ID on this homeserver.": "あなたのメールアドレスは、このホームサーバーのMatrix IDに関連付けられていないようです。", "Your email address does not appear to be associated with a Matrix ID on this homeserver.": "あなたのメールアドレスは、このホームサーバーのMatrix IDに関連付けられていないようです。",
"Your server lacks native support, you must specify a proxy": "あなたのサーバーはネイティブでサポートしていません。プロクシーを指定してください", "Your server lacks native support, you must specify a proxy": "あなたのサーバーはネイティブでサポートしていません。プロクシーを指定してください",
@ -3267,7 +3158,11 @@
"server": "サーバー", "server": "サーバー",
"capabilities": "機能", "capabilities": "機能",
"unnamed_room": "名前のないルーム", "unnamed_room": "名前のないルーム",
"unnamed_space": "名前のないスペース" "unnamed_space": "名前のないスペース",
"stickerpack": "ステッカーパック",
"system_alerts": "システムアラート",
"secure_backup": "セキュアバックアップ",
"cross_signing": "クロス署名"
}, },
"action": { "action": {
"continue": "続行", "continue": "続行",
@ -3431,7 +3326,14 @@
"format_decrease_indent": "インデントを減らす", "format_decrease_indent": "インデントを減らす",
"format_inline_code": "コード", "format_inline_code": "コード",
"format_code_block": "コードブロック", "format_code_block": "コードブロック",
"format_link": "リンク" "format_link": "リンク",
"send_button_title": "メッセージを送信",
"placeholder_thread_encrypted": "暗号化されたスレッドに返信…",
"placeholder_thread": "スレッドに返信…",
"placeholder_reply_encrypted": "暗号化された返信を送る…",
"placeholder_reply": "返信を送る…",
"placeholder_encrypted": "暗号化されたメッセージを送信…",
"placeholder": "メッセージを送信…"
}, },
"Bold": "太字", "Bold": "太字",
"Link": "リンク", "Link": "リンク",
@ -3454,7 +3356,11 @@
"send_logs": "ログを送信", "send_logs": "ログを送信",
"github_issue": "GitHub issue", "github_issue": "GitHub issue",
"download_logs": "ログのダウンロード", "download_logs": "ログのダウンロード",
"before_submitting": "ログを送信する前に、問題を説明する<a>GitHub issueを作成</a>してください。" "before_submitting": "ログを送信する前に、問題を説明する<a>GitHub issueを作成</a>してください。",
"collecting_information": "アプリのバージョン情報を収集",
"collecting_logs": "ログを収集しています",
"uploading_logs": "ログをアップロードしています",
"downloading_logs": "ログをダウンロードしています"
}, },
"time": { "time": {
"hours_minutes_seconds_left": "残り%(hours)s時間%(minutes)s分%(seconds)s秒", "hours_minutes_seconds_left": "残り%(hours)s時間%(minutes)s分%(seconds)s秒",
@ -3646,7 +3552,9 @@
"toolbox": "ツールボックス", "toolbox": "ツールボックス",
"developer_tools": "開発者ツール", "developer_tools": "開発者ツール",
"room_id": "ルームID%(roomId)s", "room_id": "ルームID%(roomId)s",
"event_id": "イベントID%(eventId)s" "event_id": "イベントID%(eventId)s",
"category_room": "ルーム",
"category_other": "その他"
}, },
"export_chat": { "export_chat": {
"html": "HTML", "html": "HTML",
@ -3799,6 +3707,9 @@
"other": "%(names)sと他%(count)s人が入力しています…", "other": "%(names)sと他%(count)s人が入力しています…",
"one": "%(names)sともう1人が入力しています…" "one": "%(names)sともう1人が入力しています…"
} }
},
"m.call.hangup": {
"dm": "通話が終了しました"
} }
}, },
"slash_command": { "slash_command": {
@ -3833,7 +3744,14 @@
"help": "使い方と説明付きのコマンド一覧を表示", "help": "使い方と説明付きのコマンド一覧を表示",
"whois": "ユーザーの情報を表示", "whois": "ユーザーの情報を表示",
"rageshake": "ログ付きのバグレポートを送信", "rageshake": "ログ付きのバグレポートを送信",
"msg": "指定したユーザーにメッセージを送信" "msg": "指定したユーザーにメッセージを送信",
"usage": "用法",
"category_messages": "メッセージ",
"category_actions": "アクション",
"category_admin": "管理者",
"category_advanced": "詳細",
"category_effects": "効果",
"category_other": "その他"
}, },
"presence": { "presence": {
"busy": "取り込み中", "busy": "取り込み中",
@ -3847,5 +3765,104 @@
"offline": "オフライン", "offline": "オフライン",
"away": "離席中" "away": "離席中"
}, },
"Unknown": "不明" "Unknown": "不明",
"event_preview": {
"m.call.answer": {
"you": "通話に参加しました",
"user": "%(senderName)sが通話に参加しました",
"dm": "通話しています"
},
"m.call.hangup": {
"you": "通話を終了しました",
"user": "%(senderName)sが通話を終了しました"
},
"m.call.invite": {
"you": "通話を開始しました",
"user": "%(senderName)sが通話を開始しました",
"dm_send": "応答を待機しています",
"dm_receive": "%(senderName)sが呼び出しています"
},
"m.emote": "* %(senderName)s %(emote)s",
"m.text": "%(senderName)s%(message)s",
"m.sticker": "%(senderName)s%(stickerName)s"
},
"voip": {
"disable_microphone": "マイクをミュート",
"enable_microphone": "マイクのミュートを解除",
"disable_camera": "カメラを無効にする",
"enable_camera": "カメラを有効にする",
"audio_devices": "オーディオ装置",
"video_devices": "ビデオ装置",
"dial": "ダイヤル",
"you_are_presenting": "あなたが画面を共有しています",
"user_is_presenting": "%(sharerName)sが画面を共有しています",
"camera_disabled": "カメラが無効です",
"camera_enabled": "カメラがまだ有効です",
"consulting": "%(transferTarget)sと相談しています。<a>%(transferee)sに転送</a>",
"call_held_switch": "通話を保留しました <a>切り替える</a>",
"call_held_resume": "通話を保留しました <a>再開</a>",
"call_held": "%(peerName)sが通話を保留しました",
"dialpad": "ダイヤルパッド",
"stop_screenshare": "画面共有を停止",
"start_screenshare": "画面共有を開始",
"hangup": "電話を切る",
"maximise": "全画面",
"expand": "通話に戻る",
"on_hold": "%(name)sを保留しています",
"voice_call": "音声通話",
"video_call": "ビデオ通話",
"video_call_started": "ビデオ通話を開始しました",
"unsilence": "音を有効にする",
"silence": "サイレントモード",
"silenced": "無音で通知",
"unknown_caller": "不明な発信者",
"call_failed": "呼び出しに失敗しました",
"unable_to_access_microphone": "マイクを使用できません",
"call_failed_microphone": "マイクを使用できなかったため、通話に失敗しました。マイクが接続され、正しく設定されているか確認してください。",
"unable_to_access_media": "Webカメラまたはマイクを使用できません",
"call_failed_media": "Webカメラまたはマイクを使用できなかったため、通話に失敗しました。以下を確認してください",
"call_failed_media_connected": "マイクとWebカメラが接続されていて、正しく設定されていること",
"call_failed_media_permissions": "Webカメラを使用する権限が与えられていること",
"call_failed_media_applications": "他のアプリケーションがWebカメラを使用していないこと",
"already_in_call": "既に通話中です",
"already_in_call_person": "既にこの人と通話中です。",
"unsupported": "通話はサポートされていません",
"unsupported_browser": "このブラウザーで通話を発信することはできません。"
},
"Messages": "メッセージ",
"Other": "その他",
"Advanced": "詳細",
"room_settings": {
"permissions": {
"m.room.avatar_space": "スペースのアバターの変更",
"m.room.avatar": "ルームのアバターの変更",
"m.room.name_space": "スペース名の変更",
"m.room.name": "ルーム名の変更",
"m.room.canonical_alias_space": "スペースのメインアドレスの変更",
"m.room.canonical_alias": "ルームのメインアドレスの変更",
"m.space.child": "このスペースのルームの管理",
"m.room.history_visibility": "履歴の見え方の変更",
"m.room.power_levels": "権限の変更",
"m.room.topic_space": "説明文の変更",
"m.room.topic": "トピックの変更",
"m.room.tombstone": "ルームのアップグレード",
"m.room.encryption": "ルームの暗号化を有効にする",
"m.room.server_acl": "サーバーのアクセス制御リストの変更",
"m.reaction": "リアクションの送信",
"m.room.redaction": "自分が送信したメッセージの削除",
"m.widget": "ウィジェットの変更",
"io.element.voice_broadcast_info": "音声配信",
"m.room.pinned_events": "固定されたイベントの管理",
"m.call": "%(brand)s通話を開始",
"m.call.member": "%(brand)s通話に参加",
"users_default": "既定の役割",
"events_default": "メッセージの送信",
"invite": "ユーザーの招待",
"state_default": "設定の変更",
"kick": "ユーザーの追放",
"ban": "ユーザーのブロック",
"redact": "他の人から送信されたメッセージの削除",
"notifications.room": "全員に通知"
}
}
} }

View file

@ -2,7 +2,6 @@
"This email address is already in use": ".i xa'o pilno fa da le samymri judri", "This email address is already in use": ".i xa'o pilno fa da le samymri judri",
"This phone number is already in use": ".i xa'o pilno fa da le fonxa judri", "This phone number is already in use": ".i xa'o pilno fa da le fonxa judri",
"Failed to verify email address: make sure you clicked the link in the email": ".i da nabmi fi lo nu facki le du'u do ponse le te samymri .i ko birti le du'u do samcu'a le judrysni pe le se samymri", "Failed to verify email address: make sure you clicked the link in the email": ".i da nabmi fi lo nu facki le du'u do ponse le te samymri .i ko birti le du'u do samcu'a le judrysni pe le se samymri",
"Call Failed": ".i da nabmi fi lo nu co'a fonjo'e",
"You cannot place a call with yourself.": ".i do na ka'e fonjo'e do", "You cannot place a call with yourself.": ".i do na ka'e fonjo'e do",
"Permission Required": ".i lo nu curmi cu sarcu", "Permission Required": ".i lo nu curmi cu sarcu",
"You do not have permission to start a conference call in this room": ".i na curmi lo nu le du'u co'a girzu fonjo'e cu zilbe'i do fo le ca se cuxna", "You do not have permission to start a conference call in this room": ".i na curmi lo nu le du'u co'a girzu fonjo'e cu zilbe'i do fo le ca se cuxna",
@ -40,7 +39,6 @@
"Default": "zmiselcu'a", "Default": "zmiselcu'a",
"Restricted": "vlipa so'u da", "Restricted": "vlipa so'u da",
"Moderator": "vlipa so'o da", "Moderator": "vlipa so'o da",
"Admin": "vlipa so'i da",
"Power level must be positive integer.": ".i lo nu le ni vlipa cu kacna'u cu sarcu", "Power level must be positive integer.": ".i lo nu le ni vlipa cu kacna'u cu sarcu",
"%(senderName)s changed the power level of %(powerLevelDiffText)s.": ".i la'o ly. %(senderName)s .ly. gafygau %(powerLevelDiffText)s", "%(senderName)s changed the power level of %(powerLevelDiffText)s.": ".i la'o ly. %(senderName)s .ly. gafygau %(powerLevelDiffText)s",
"Failed to change power level": ".i pu fliba lo nu gafygau lo ni vlipa", "Failed to change power level": ".i pu fliba lo nu gafygau lo ni vlipa",
@ -58,7 +56,6 @@
"Missing room_id in request": ".i na pa judri be pa ve zilbe'i cu pagbu le ve cpedu", "Missing room_id in request": ".i na pa judri be pa ve zilbe'i cu pagbu le ve cpedu",
"Room %(roomId)s not visible": ".i na kakne lo nu viska la'o ly. %(roomId)s .ly. noi kumfa pe'a", "Room %(roomId)s not visible": ".i na kakne lo nu viska la'o ly. %(roomId)s .ly. noi kumfa pe'a",
"Missing user_id in request": ".i na pa judri be pa pilno cu pagbu le ve cpedu", "Missing user_id in request": ".i na pa judri be pa pilno cu pagbu le ve cpedu",
"Usage": "tadji lo nu pilno",
"Changes your display nickname": "", "Changes your display nickname": "",
"Ignored user": ".i mo'u co'a na jundi tu'a le pilno", "Ignored user": ".i mo'u co'a na jundi tu'a le pilno",
"You are now ignoring %(userId)s": ".i ca na jundi tu'a la'o zoi. %(userId)s .zoi", "You are now ignoring %(userId)s": ".i ca na jundi tu'a la'o zoi. %(userId)s .zoi",
@ -80,8 +77,6 @@
"Enable URL previews for this room (only affects you)": "lo du'u xu kau do zmiku purzga lo se urli ne'i le kumfa pe'a", "Enable URL previews for this room (only affects you)": "lo du'u xu kau do zmiku purzga lo se urli ne'i le kumfa pe'a",
"Enable URL previews by default for participants in this room": "lo zmiselcu'a pe lo du'u xu kau lo cmima be le kumfa pe'a cu zmiku purzga lo se urli", "Enable URL previews by default for participants in this room": "lo zmiselcu'a pe lo du'u xu kau lo cmima be le kumfa pe'a cu zmiku purzga lo se urli",
"Enable widget screenshots on supported widgets": "lo du'u xu kau kakne lo nu co'a pixra lo uidje kei lo nu kakne tu'a .ubu", "Enable widget screenshots on supported widgets": "lo du'u xu kau kakne lo nu co'a pixra lo uidje kei lo nu kakne tu'a .ubu",
"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", "Waiting for response from server": ".i ca'o denpa lo nu le samtcise'u cu spuda",
"Incorrect verification code": ".i na'e drani ke lacri lerpoi", "Incorrect verification code": ".i na'e drani ke lacri lerpoi",
"Phone": "fonxa", "Phone": "fonxa",
@ -97,10 +92,6 @@
"Change Password": "nu basti fi le ka lerpoijaspu", "Change Password": "nu basti fi le ka lerpoijaspu",
"Authentication": "lo nu facki lo du'u do du ma kau", "Authentication": "lo nu facki lo du'u do du ma kau",
"Failed to set display name": ".i pu fliba lo nu galfi lo cmene", "Failed to set display name": ".i pu fliba lo nu galfi lo cmene",
"Messages": "notci",
"Actions": "ka'e se zukte",
"Advanced": "macnu",
"Other": "drata",
"Command error": ".i da nabmi fi lo nu minde", "Command error": ".i da nabmi fi lo nu minde",
"Could not find user in room": ".i le pilno na pagbu le se 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", "Session already verified!": ".i xa'o lacri le se samtcise'u",
@ -171,10 +162,6 @@
"Trumpet": "tabra", "Trumpet": "tabra",
"Bell": "janbe", "Bell": "janbe",
"Headphones": "selsnapra", "Headphones": "selsnapra",
"Send an encrypted reply…": "nu pa mifra be pa jai te spuda cu zilbe'i",
"Send a reply…": "nu pa jai te spuda cu zilbe'i",
"Send an encrypted message…": "nu pa mifra be pa notci cu zilbe'i",
"Send a message…": "nu pa notci cu zilbe'i",
"Rooms": "ve zilbe'i", "Rooms": "ve zilbe'i",
"Show %(count)s more": { "Show %(count)s more": {
"other": "nu viska %(count)s na du", "other": "nu viska %(count)s na du",
@ -218,25 +205,11 @@
"Ok": "je'e", "Ok": "je'e",
"Verify this session": "nu co'a lacri le se samtcise'u", "Verify this session": "nu co'a lacri le se samtcise'u",
"What's New": "notci le du'u cnino", "What's New": "notci le du'u cnino",
"You joined the call": ".i do mo'u co'a fonjo'e",
"%(senderName)s joined the call": ".i la'o zoi. %(senderName)s .zoi mo'u co'a fonjo'e",
"Call in progress": ".i ca'o fonjo'e",
"Call ended": ".i co'u fonjo'e",
"You started a call": ".i do co'a fonjo'e",
"%(senderName)s started a call": ".i la'o zoi. %(senderName)s .zoi co'a fonjo'e",
"Waiting for answer": ".i ca'o denpa lo nu spuda",
"%(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",
"Use a system font": "nu da pe le vanbi cu ci'artai", "Use a system font": "nu da pe le vanbi cu ci'artai",
"System font name": "cmene le ci'artai pe le vanbi", "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", "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",
"Later": "nu ca na co'e", "Later": "nu ca na co'e",
"Other users may not trust it": ".i la'a na pa na du be do cu lacri", "Other users may not trust it": ".i la'a na pa na du be do cu lacri",
"Change room avatar": "nu basti fi le ka pixra sinxa le ve zilbe'i",
"Change room name": "nu basti fi le ka cmene le ve zilbe'i",
"Change main address for the room": "nu basti fi le ka ralju lu'i ro judri be le ve zilbe'i",
"Change topic": "nu basti fi le ka skicu lerpoi",
"Sign Up": "nu co'a na'o jaspu", "Sign Up": "nu co'a na'o jaspu",
"<userName/> wants to chat": ".i la'o zoi. <userName/> .zoi kaidji le ka tavla do", "<userName/> wants to chat": ".i la'o zoi. <userName/> .zoi kaidji le ka tavla do",
"<userName/> invited you": ".i la'o zoi. <userName/> .zoi friti le ka ziljmina kei do", "<userName/> invited you": ".i la'o zoi. <userName/> .zoi friti le ka ziljmina kei do",
@ -257,10 +230,7 @@
"This room is end-to-end encrypted": ".i ro zilbe'i be fo le cei'i cu mifra", "This room is end-to-end encrypted": ".i ro zilbe'i be fo le cei'i cu mifra",
"Everyone in this room is verified": ".i do lacri ro pagbu be le se zilbe'i", "Everyone in this room is verified": ".i do lacri ro pagbu be le se zilbe'i",
"The file '%(fileName)s' failed to upload.": ".i da nabmi fi lo nu kibdu'a la'o zoi. %(fileName)s .zoi", "The file '%(fileName)s' failed to upload.": ".i da nabmi fi lo nu kibdu'a la'o zoi. %(fileName)s .zoi",
"Invite users": "nu friti le ka ziljmina kei pa pilno",
"Invite to this room": "nu friti le ka ziljmina le se zilbe'i", "Invite to this room": "nu friti le ka ziljmina le se zilbe'i",
"Voice call": "nu snavi fonjo'e",
"Video call": "nu vidvi fonjo'e",
"Revoke invite": "nu zukte le ka na ckaji le se friti", "Revoke invite": "nu zukte le ka na ckaji le se friti",
"collapse": "nu tcila be na ku viska", "collapse": "nu tcila be na ku viska",
"expand": "nu tcila viska", "expand": "nu tcila viska",
@ -427,6 +397,9 @@
"other": ".i la'o zoi. %(names)s .zoi je %(count)s na du ca'o ciska", "other": ".i la'o zoi. %(names)s .zoi je %(count)s na du ca'o ciska",
"one": ".i la'o zoi. %(names)s .zoi je pa na du ca'o ciska" "one": ".i la'o zoi. %(names)s .zoi je pa na du ca'o ciska"
} }
},
"m.call.hangup": {
"dm": ".i co'u fonjo'e"
} }
}, },
"slash_command": { "slash_command": {
@ -435,6 +408,58 @@
"ban": ".i rinka lo nu lo pilno poi se judri ti cu vitno cliva", "ban": ".i rinka lo nu lo pilno poi se judri ti cu vitno cliva",
"ignore": ".i rinka lo nu no'e jundi lo pilno gi'e mipri lo notci be fi py. do", "ignore": ".i rinka lo nu no'e jundi lo pilno gi'e mipri lo notci be fi py. do",
"unignore": ".i sisti lo nu no'e jundi lo pilno gi'e mipri lo notci be fi py. do", "unignore": ".i sisti lo nu no'e jundi lo pilno gi'e mipri lo notci be fi py. do",
"devtools": ".i samymo'i lo favgau se pilno uidje" "devtools": ".i samymo'i lo favgau se pilno uidje",
"usage": "tadji lo nu pilno",
"category_messages": "notci",
"category_actions": "ka'e se zukte",
"category_admin": "vlipa so'i da",
"category_advanced": "macnu",
"category_other": "drata"
},
"event_preview": {
"m.call.answer": {
"you": ".i do mo'u co'a fonjo'e",
"user": ".i la'o zoi. %(senderName)s .zoi mo'u co'a fonjo'e",
"dm": ".i ca'o fonjo'e"
},
"m.call.hangup": {},
"m.call.invite": {
"you": ".i do co'a fonjo'e",
"user": ".i la'o zoi. %(senderName)s .zoi co'a fonjo'e",
"dm_send": ".i ca'o denpa lo nu spuda",
"dm_receive": ".i la'o zoi. %(senderName)s .zoi co'a fonjo'e"
},
"m.text": "%(senderName)s: %(message)s",
"m.sticker": "%(senderName)s: %(stickerName)s"
},
"bug_reporting": {
"collecting_information": ".i ca'o facki le du'u favytcinymupli",
"collecting_logs": ".i ca'o facki le du'u citri"
},
"voip": {
"voice_call": "nu snavi fonjo'e",
"video_call": "nu vidvi fonjo'e",
"call_failed": ".i da nabmi fi lo nu co'a fonjo'e"
},
"Messages": "notci",
"devtools": {
"category_other": "drata"
},
"Other": "drata",
"Advanced": "macnu",
"composer": {
"placeholder_reply_encrypted": "nu pa mifra be pa jai te spuda cu zilbe'i",
"placeholder_reply": "nu pa jai te spuda cu zilbe'i",
"placeholder_encrypted": "nu pa mifra be pa notci cu zilbe'i",
"placeholder": "nu pa notci cu zilbe'i"
},
"room_settings": {
"permissions": {
"m.room.avatar": "nu basti fi le ka pixra sinxa le ve zilbe'i",
"m.room.name": "nu basti fi le ka cmene le ve zilbe'i",
"m.room.canonical_alias": "nu basti fi le ka ralju lu'i ro judri be le ve zilbe'i",
"m.room.topic": "nu basti fi le ka skicu lerpoi",
"invite": "nu friti le ka ziljmina kei pa pilno"
}
} }
} }

View file

@ -24,13 +24,7 @@
"Create Account": "Rnu amiḍan", "Create Account": "Rnu amiḍan",
"Default": "Amezwer", "Default": "Amezwer",
"Moderator": "Aseɣyad", "Moderator": "Aseɣyad",
"Admin": "Anedbal",
"You need to be logged in.": "Tesriḍ ad teqqneḍ.", "You need to be logged in.": "Tesriḍ ad teqqneḍ.",
"Messages": "Iznan",
"Actions": "Tigawin",
"Advanced": "Talqayt",
"Other": "Nniḍen",
"Usage": "Aseqdec",
"Thank you!": "Tanemmirt!", "Thank you!": "Tanemmirt!",
"Reason": "Taɣẓint", "Reason": "Taɣẓint",
"Add another word or two. Uncommon words are better.": "Rnu awal-nniḍen neɣ sin. Awalen imexḍa ad lhun.", "Add another word or two. Uncommon words are better.": "Rnu awal-nniḍen neɣ sin. Awalen imexḍa ad lhun.",
@ -75,7 +69,6 @@
"Composer": "Imsuddes", "Composer": "Imsuddes",
"Sounds": "Imesla", "Sounds": "Imesla",
"Browse": "Inig", "Browse": "Inig",
"Default role": "Tamlilt tamzwert",
"Permissions": "Tisirag", "Permissions": "Tisirag",
"Anyone": "Yal yiwen", "Anyone": "Yal yiwen",
"Encryption": "Awgelhen", "Encryption": "Awgelhen",
@ -177,7 +170,6 @@
"Session key": "Tasarut n tɣimit", "Session key": "Tasarut n tɣimit",
"Please check your email and click on the link it contains. Once this is done, click continue.": "Ma ulac aɣilif, senqed imayl-ik/im syen sit ɣef useɣwen i yellan. Akken ara yemmed waya, sit ad tkemmleḍ.", "Please check your email and click on the link it contains. Once this is done, click continue.": "Ma ulac aɣilif, senqed imayl-ik/im syen sit ɣef useɣwen i yellan. Akken ara yemmed waya, sit ad tkemmleḍ.",
"This will allow you to reset your password and receive notifications.": "Ayagi ad ak(akem)-yeǧǧ ad twennzeḍ awal-ik/im uffir yerna ad d-tremseḍ ilɣa.", "This will allow you to reset your password and receive notifications.": "Ayagi ad ak(akem)-yeǧǧ ad twennzeḍ awal-ik/im uffir yerna ad d-tremseḍ ilɣa.",
"Call Failed": "Ur iddi ara usiwel",
"You cannot place a call with yourself.": "Ur tezmireḍ ara a temsawaleḍ d yiman-ik.", "You cannot place a call with yourself.": "Ur tezmireḍ ara a temsawaleḍ d yiman-ik.",
"The file '%(fileName)s' failed to upload.": "Yegguma ad d-yali '%(fileName)s' ufaylu.", "The file '%(fileName)s' failed to upload.": "Yegguma ad d-yali '%(fileName)s' ufaylu.",
"Upload Failed": "Asali ur yeddi ara", "Upload Failed": "Asali ur yeddi ara",
@ -269,17 +261,6 @@
"Encryption upgrade available": "Yella uleqqem n uwgelhen", "Encryption upgrade available": "Yella uleqqem n uwgelhen",
"Verify this session": "Asenqed n tɣimit", "Verify this session": "Asenqed n tɣimit",
"Other users may not trust it": "Iseqdacen-nniḍen yezmer ur tettamnen ara", "Other users may not trust it": "Iseqdacen-nniḍen yezmer ur tettamnen ara",
"You joined the call": "Terniḍ ɣer usiwel",
"%(senderName)s joined the call": "%(senderName)s yerna ɣer usiwel",
"Call in progress": "Asiwel la iteddu",
"Call ended": "Asiwel yekfa",
"You started a call": "Tebdiḍ asiwel",
"%(senderName)s started a call": "%(senderName)s yebda asiwel",
"Waiting for answer": "Yettṛaǧu tiririt",
"%(senderName)s is calling": "%(senderName)s yessawal",
"%(senderName)s: %(message)s": "%(senderName)s: %(message)s",
"%(senderName)s: %(stickerName)s": "%(senderName)s: %(stickerName)s",
"Collecting logs": "Alqaḍ n yiɣmisen",
"Waiting for response from server": "Aṛaǧu n tririt sɣur aqeddac", "Waiting for response from server": "Aṛaǧu n tririt sɣur aqeddac",
"Failed to set display name": "Asbadu n yisem yettwaskanen ur yeddi ara", "Failed to set display name": "Asbadu n yisem yettwaskanen ur yeddi ara",
"Cannot connect to integration manager": "Ur nessaweḍ ara ad neqqen ɣer umsefrak n useddu", "Cannot connect to integration manager": "Ur nessaweḍ ara ad neqqen ɣer umsefrak n useddu",
@ -390,7 +371,6 @@
"This is a top-10 common password": "Wagi d awal uffir gar 10 yimezwura yettwassnen", "This is a top-10 common password": "Wagi d awal uffir gar 10 yimezwura yettwassnen",
"This is a top-100 common password": "Wagi d awal uffir gar 100 yimezwura yettwassnen", "This is a top-100 common password": "Wagi d awal uffir gar 100 yimezwura yettwassnen",
"This is a very common password": "Wagi d awal uffir yettwassnen", "This is a very common password": "Wagi d awal uffir yettwassnen",
"* %(senderName)s %(emote)s": "* %(senderName)s %(emote)s",
"Change notification settings": "Snifel iɣewwaren n yilɣa", "Change notification settings": "Snifel iɣewwaren n yilɣa",
"Match system theme": "Asentel n unagraw yemṣadan", "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", "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",
@ -446,17 +426,8 @@
"Room version": "Lqem n texxamt", "Room version": "Lqem n texxamt",
"Room version:": "Lqem n texxamt:", "Room version:": "Lqem n texxamt:",
"Notification sound": "Imesli i yilɣa", "Notification sound": "Imesli i yilɣa",
"Change main address for the room": "Beddel tansa tagejdant n texxamt",
"Change permissions": "Beddel tisirag",
"Change topic": "Beddel asentel",
"Upgrade the room": "Leqqem taxxamt",
"Enable room encryption": "Rmed awgelhen n texxamt",
"Failed to unban": "Sefsex aḍraq yugi ad yeddu", "Failed to unban": "Sefsex aḍraq yugi ad yeddu",
"Banned by %(displayName)s": "Yettwagi sɣur %(displayName)s", "Banned by %(displayName)s": "Yettwagi sɣur %(displayName)s",
"Send messages": "Azen iznan",
"Invite users": "Nced-d iseqdacen",
"Change settings": "Snifel iɣewwaren",
"Ban users": "Agi yiseqdacen",
"Privileged Users": "Iseqdacen i yettwafernen", "Privileged Users": "Iseqdacen i yettwafernen",
"Muted Users": "Iseqdacen i isusmen", "Muted Users": "Iseqdacen i isusmen",
"Banned users": "Iseqdacen i yettwagin", "Banned users": "Iseqdacen i yettwagin",
@ -476,12 +447,6 @@
"Invite to this room": "Nced-d ɣer texxamt-a", "Invite to this room": "Nced-d ɣer texxamt-a",
"Filter room members": "Sizdeg iɛeggalen n texxamt", "Filter room members": "Sizdeg iɛeggalen n texxamt",
"%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (i iǧehden %(powerLevelNumber)s", "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (i iǧehden %(powerLevelNumber)s",
"Voice call": "Asiwel s taɣect",
"Video call": "Asiwel s tvidyut",
"Send an encrypted reply…": "Azen tiririt yettuwgelhen…",
"Send a reply…": "Azen tiririt…",
"Send an encrypted message…": "Azen izen yettuwgelhen…",
"Send a message…": "Azen izen…",
"Italics": "Uknan", "Italics": "Uknan",
"Replying": "Tiririt", "Replying": "Tiririt",
"(~%(count)s results)": { "(~%(count)s results)": {
@ -664,7 +629,6 @@
"Cross-signing public keys:": "Tisura n uzmul anmidag tizuyaz:", "Cross-signing public keys:": "Tisura n uzmul anmidag tizuyaz:",
"in memory": "deg tkatut", "in memory": "deg tkatut",
"Cross-signing private keys:": "Tisura tusligin n uzmul anmidag:", "Cross-signing private keys:": "Tisura tusligin n uzmul anmidag:",
"System Alerts": "Ilɣa n unagraw",
"Forget this room": "Ttu taxxamt-a", "Forget this room": "Ttu taxxamt-a",
"Reject & Ignore user": "Agi & Zgel aseqdac", "Reject & Ignore user": "Agi & Zgel aseqdac",
"%(roomName)s does not exist.": "%(roomName)s ulac-it.", "%(roomName)s does not exist.": "%(roomName)s ulac-it.",
@ -956,7 +920,6 @@
"Bulk options": "Tixtiṛiyin s ubleɣ", "Bulk options": "Tixtiṛiyin s ubleɣ",
"Accept all %(invitedRooms)s invites": "Qbel akk tinubgiwin %(invitedRooms)s", "Accept all %(invitedRooms)s invites": "Qbel akk tinubgiwin %(invitedRooms)s",
"Reject all %(invitedRooms)s invites": "Agi akk tinubgiwin %(invitedRooms)s", "Reject all %(invitedRooms)s invites": "Agi akk tinubgiwin %(invitedRooms)s",
"Cross-signing": "Azmul anmidag",
"Security & Privacy": "Taɣellist & tbaḍnit", "Security & Privacy": "Taɣellist & tbaḍnit",
"No media permissions": "Ulac tisirag n umidyat", "No media permissions": "Ulac tisirag n umidyat",
"Missing media permissions, click the button below to request.": "Ulac tisirag n umidyat, sit ɣef tqeffalt ddaw i usentem.", "Missing media permissions, click the button below to request.": "Ulac tisirag n umidyat, sit ɣef tqeffalt ddaw i usentem.",
@ -973,14 +936,9 @@
"URL Previews": "Tiskanin n URL", "URL Previews": "Tiskanin n URL",
"Uploaded sound": "Ameslaw i d-yulin", "Uploaded sound": "Ameslaw i d-yulin",
"Set a new custom sound": "Sbadu ameslaw udmawan amaynut", "Set a new custom sound": "Sbadu ameslaw udmawan amaynut",
"Change room avatar": "Beddel avaṭar n texxamt",
"Change room name": "Beddel isem n texxamt",
"Change history visibility": "Beddel amazray n texxamt",
"Modify widgets": "Snifel iwiǧiten",
"Unban": "Asefsex n tigtin", "Unban": "Asefsex n tigtin",
"Error changing power level requirement": "Tuccḍa deg usnifel n tuttra n uswir afellay", "Error changing power level requirement": "Tuccḍa deg usnifel n tuttra n uswir afellay",
"Error changing power level": "Tuccḍa deg usnifel n uswir afellay", "Error changing power level": "Tuccḍa deg usnifel n uswir afellay",
"Notify everyone": "Selɣu yal yiwen",
"Send %(eventType)s events": "Azen tidyanin n %(eventType)s", "Send %(eventType)s events": "Azen tidyanin n %(eventType)s",
"Roles & Permissions": "Timlellay & Tisirag", "Roles & Permissions": "Timlellay & Tisirag",
"To link to this room, please add an address.": "I ucuddu ɣer texxamt-a, ttxil-k·m rnu tansa.", "To link to this room, please add an address.": "I ucuddu ɣer texxamt-a, ttxil-k·m rnu tansa.",
@ -1013,7 +971,6 @@
"Unencrypted": "Ur yettwawgelhen ara", "Unencrypted": "Ur yettwawgelhen ara",
"The authenticity of this encrypted message can't be guaranteed on this device.": "Asesteb n yizen-a awgelhen ur yettwaḍman ara deg yibenk-a.", "The authenticity of this encrypted message can't be guaranteed on this device.": "Asesteb n yizen-a awgelhen ur yettwaḍman ara deg yibenk-a.",
"Invited": "Yettwancad", "Invited": "Yettwancad",
"Hangup": "Ɛelleq",
"The conversation continues here.": "Adiwenni yettkemmil dagi.", "The conversation continues here.": "Adiwenni yettkemmil dagi.",
"This room has been replaced and is no longer active.": "Taxxamt-a ad tettusmelsi, dayen d tarurmidt.", "This room has been replaced and is no longer active.": "Taxxamt-a ad tettusmelsi, dayen d tarurmidt.",
"You do not have permission to post to this room": "Ur tesεiḍ ara tasiregt ad d-tsuffɣeḍ deg texxamt-a", "You do not have permission to post to this room": "Ur tesεiḍ ara tasiregt ad d-tsuffɣeḍ deg texxamt-a",
@ -1102,10 +1059,6 @@
"Enable message search in encrypted rooms": "Rmed anadi n yiznan deg texxamin yettwawgelhen", "Enable message search in encrypted rooms": "Rmed anadi n yiznan deg texxamin yettwawgelhen",
"Manually verify all remote sessions": "Senqed s ufus akk tiɣimiyin tinmeggagin", "Manually verify all remote sessions": "Senqed s ufus akk tiɣimiyin tinmeggagin",
"IRC display name width": "Tehri n yisem i d-yettwaseknen IRC", "IRC display name width": "Tehri n yisem i d-yettwaseknen IRC",
"Collecting app version information": "Alqaḍ n telɣa n lqem n usnas",
"Uploading logs": "Asali n yiɣmisen",
"Downloading logs": "Asader n yiɣmisen",
"Unknown caller": "Asiwel arussin",
"The other party cancelled the verification.": "Wayeḍ issefsex asenqed.", "The other party cancelled the verification.": "Wayeḍ issefsex asenqed.",
"You've successfully verified this user.": "Tesneqdeḍ aseqdac-a akken iwata.", "You've successfully verified this user.": "Tesneqdeḍ aseqdac-a akken iwata.",
"Secure messages with this user are end-to-end encrypted and not able to be read by third parties.": "Iznan iɣellsanen akked useqdac-a ttwawgelhen seg yixef ɣer yixef yerna yiwen ur yezmir ad ten-iɣeṛ.", "Secure messages with this user are end-to-end encrypted and not able to be read by third parties.": "Iznan iɣellsanen akked useqdac-a ttwawgelhen seg yixef ɣer yixef yerna yiwen ur yezmir ad ten-iɣeṛ.",
@ -1300,7 +1253,6 @@
"Upgrading this room will shut down the current instance of the room and create an upgraded room with the same name.": "Aleqqem n texxamt-a ad tsens tummant tamirant n texxamt yerna ad ternu taxxamt yettuleqqmen s yisem-nni kan.", "Upgrading this room will shut down the current instance of the room and create an upgraded room with the same name.": "Aleqqem n texxamt-a ad tsens tummant tamirant n texxamt yerna ad ternu taxxamt yettuleqqmen s yisem-nni kan.",
"You can use <code>/help</code> to list available commands. Did you mean to send this as a message?": "Tzemreḍ ad tesqedceḍ <code>tallalt</code> i wakken ad twaliḍ tabdart n tiludna yellan. Tbɣiḍ ad tceggɛeḍ ayagi d izen?", "You can use <code>/help</code> to list available commands. Did you mean to send this as a message?": "Tzemreḍ ad tesqedceḍ <code>tallalt</code> i wakken ad twaliḍ tabdart n tiludna yellan. Tbɣiḍ ad tceggɛeḍ ayagi d izen?",
"You don't currently have any stickerpacks enabled": "Ulac ɣer-k·m akka tura ikemmusen n yimyintaḍ yettwaremden", "You don't currently have any stickerpacks enabled": "Ulac ɣer-k·m akka tura ikemmusen n yimyintaḍ yettwaremden",
"Stickerpack": "Akemmus n yimyintaḍ",
"Could not revoke the invite. The server may be experiencing a temporary problem or you do not have sufficient permissions to revoke the invite.": "Tigtin n tinubga d awezɣi. Aqeddac yettmagar-d ahat ugur akka tura neɣ ur tesɛiḍ tisirag i iwulmen i wakken ad tagiḍ tinubga-a.", "Could not revoke the invite. The server may be experiencing a temporary problem or you do not have sufficient permissions to revoke the invite.": "Tigtin n tinubga d awezɣi. Aqeddac yettmagar-d ahat ugur akka tura neɣ ur tesɛiḍ tisirag i iwulmen i wakken ad tagiḍ tinubga-a.",
"There was an error updating the room's main address. It may not be allowed by the server or a temporary failure occurred.": "Tellad-d tuccḍa deg uleqqem n tansa tagejdant n texxamt. Ur ittusireg ara ula sɣur aqeddac neɣ d tuccḍa kan meẓẓiyen i d-yeḍran.", "There was an error updating the room's main address. It may not be allowed by the server or a temporary failure occurred.": "Tellad-d tuccḍa deg uleqqem n tansa tagejdant n texxamt. Ur ittusireg ara ula sɣur aqeddac neɣ d tuccḍa kan meẓẓiyen i d-yeḍran.",
"There was an error updating the room's alternative addresses. It may not be allowed by the server or a temporary failure occurred.": "Tella-d tuccḍa deg uleqqem n tansiwin-nniḍen n texxamt. Ur yettusireg ara waya sɣur aqeddac neɣ d tuccḍa kan meẓẓiyen i d-yeḍran.", "There was an error updating the room's alternative addresses. It may not be allowed by the server or a temporary failure occurred.": "Tella-d tuccḍa deg uleqqem n tansiwin-nniḍen n texxamt. Ur yettusireg ara waya sɣur aqeddac neɣ d tuccḍa kan meẓẓiyen i d-yeḍran.",
@ -1418,7 +1370,6 @@
"Backup key stored:": "Tasarut n uklas tettwaḥrez:", "Backup key stored:": "Tasarut n uklas tettwaḥrez:",
"ready": "yewjed", "ready": "yewjed",
"not ready": "ur yewjid ara", "not ready": "ur yewjid ara",
"Secure Backup": "Aklas aɣellsan",
"Not encrypted": "Ur yettwawgelhen ara", "Not encrypted": "Ur yettwawgelhen ara",
"Room settings": "Iɣewwaṛen n texxamt", "Room settings": "Iɣewwaṛen n texxamt",
"Take a picture": "Ṭṭef tawlaft", "Take a picture": "Ṭṭef tawlaft",
@ -1427,7 +1378,6 @@
"The operation could not be completed": "Tamahilt ur tezmir ara ad tettwasmed", "The operation could not be completed": "Tamahilt ur tezmir ara ad tettwasmed",
"Backup key cached:": "Tasarut n ukles tettwaffer:", "Backup key cached:": "Tasarut n ukles tettwaffer:",
"Secret storage:": "Aklas uffir:", "Secret storage:": "Aklas uffir:",
"Remove messages sent by others": "Kkes iznan i uznen wiyaḍ",
"Widgets": "Iwiǧiten", "Widgets": "Iwiǧiten",
"Iraq": "ɛiṛaq", "Iraq": "ɛiṛaq",
"Bosnia": "Busniya", "Bosnia": "Busniya",
@ -1501,7 +1451,6 @@
"United Arab Emirates": "Tiglednuwin Taεrabin Yedduklen", "United Arab Emirates": "Tiglednuwin Taεrabin Yedduklen",
"Micronesia": "Mikṛunizya", "Micronesia": "Mikṛunizya",
"Cameroon": "Kamirun", "Cameroon": "Kamirun",
"Return to call": "Uɣal ɣer usiwel",
"Curaçao": "Kuṛačaw", "Curaçao": "Kuṛačaw",
"Thailand": "Tayland", "Thailand": "Tayland",
"Croatia": "Karwaṣiya", "Croatia": "Karwaṣiya",
@ -1566,7 +1515,6 @@
"Zambia": "Ẓambya", "Zambia": "Ẓambya",
"Tonga": "Tatungit", "Tonga": "Tatungit",
"Singapore": "Singapour", "Singapore": "Singapour",
"Effects": "Effets",
"Djibouti": "Djibouti", "Djibouti": "Djibouti",
"Montenegro": "Muntinigru", "Montenegro": "Muntinigru",
"Hungary": "Hungarya", "Hungary": "Hungarya",
@ -1587,7 +1535,6 @@
"Aruba": "Aruba", "Aruba": "Aruba",
"Japan": "Japun", "Japan": "Japun",
"Fiji": "Fidji", "Fiji": "Fidji",
"Unable to access microphone": "Anekcum ɣer usawaḍ ulamek",
"Nigeria": "Nijirya", "Nigeria": "Nijirya",
"St. Barthélemy": "St. Barthélemy", "St. Barthélemy": "St. Barthélemy",
"Guadeloupe": "Guadeloupe", "Guadeloupe": "Guadeloupe",
@ -1691,11 +1638,6 @@
"New Caledonia": "Kaliduni amaynut", "New Caledonia": "Kaliduni amaynut",
"You've reached the maximum number of simultaneous calls.": "Tessawḍeḍ amḍan n yisawalen afellay yemseḍfaren.", "You've reached the maximum number of simultaneous calls.": "Tessawḍeḍ amḍan n yisawalen afellay yemseḍfaren.",
"Too Many Calls": "Ddeqs n yisawalen", "Too Many Calls": "Ddeqs n yisawalen",
"No other application is using the webcam": "Ulac asnas-nniḍen i iseqdacen takamiṛat",
"Permission is granted to use the webcam": "Tettynefk tsiregt i useqdec takamiṛat",
"A microphone and webcam are plugged in and set up correctly": "Asawaḍ d tkamiṛat qqnen yerna ttusewlen akken iwata",
"Call failed because webcam or microphone could not be accessed. Check that:": "Asiwel ur yeddi ara aku takamiṛat neɣ asawaḍ ulac anekum ɣur-s. Senqed aya:",
"Unable to access webcam / microphone": "Anekcum ɣer tkamiṛat / usawaḍ d awezɣi",
"The call was answered on another device.": "Tiririt ɣef usiwel tella-d ɣef yibenk-nniḍen.", "The call was answered on another device.": "Tiririt ɣef usiwel tella-d ɣef yibenk-nniḍen.",
"Answered Elsewhere": "Yerra-d seg wadeg-nniḍen", "Answered Elsewhere": "Yerra-d seg wadeg-nniḍen",
"The call could not be established": "Asiwel ur yeqεid ara", "The call could not be established": "Asiwel ur yeqεid ara",
@ -1709,7 +1651,6 @@
"See images posted to your active room": "Wali tignatin i d-yeffɣen deg texxamt-a iremden", "See images posted to your active room": "Wali tignatin i d-yeffɣen deg texxamt-a iremden",
"Takes the call in the current room off hold": "Uɣal ɣer usiwel ara iteddun deg -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", "Places the call in the current room on hold": "Seḥbes asiwel deg texxamt-a i kra n wakud",
"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.",
"Integration manager": "Amsefrak n umsidef", "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.", "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 <helpIcon /> with %(widgetDomain)s & your integration manager.": "Aseqdec n uwiǧit-a yezmer ad yebḍu isefka <helpIcon/> d %(widgetDomain)s & amsefrak-inek·inem n umsidef.", "Using this widget may share data <helpIcon /> with %(widgetDomain)s & your integration manager.": "Aseqdec n uwiǧit-a yezmer ad yebḍu isefka <helpIcon/> d %(widgetDomain)s & amsefrak-inek·inem n umsidef.",
@ -1770,7 +1711,11 @@
"matrix": "Matrix", "matrix": "Matrix",
"trusted": "Yettwattkal", "trusted": "Yettwattkal",
"not_trusted": "Ur yettwattkal ara", "not_trusted": "Ur yettwattkal ara",
"unnamed_room": "Taxxamt war isem" "unnamed_room": "Taxxamt war isem",
"stickerpack": "Akemmus n yimyintaḍ",
"system_alerts": "Ilɣa n unagraw",
"secure_backup": "Aklas aɣellsan",
"cross_signing": "Azmul anmidag"
}, },
"action": { "action": {
"continue": "Kemmel", "continue": "Kemmel",
@ -1876,7 +1821,11 @@
"format_bold": "Azuran", "format_bold": "Azuran",
"format_strikethrough": "Derrer", "format_strikethrough": "Derrer",
"format_inline_code": "Tangalt", "format_inline_code": "Tangalt",
"format_code_block": "Iḥder n tengalt" "format_code_block": "Iḥder n tengalt",
"placeholder_reply_encrypted": "Azen tiririt yettuwgelhen…",
"placeholder_reply": "Azen tiririt…",
"placeholder_encrypted": "Azen izen yettuwgelhen…",
"placeholder": "Azen izen…"
}, },
"Bold": "Azuran", "Bold": "Azuran",
"Code": "Tangalt", "Code": "Tangalt",
@ -1896,7 +1845,11 @@
"send_logs": "Azen iɣmisen", "send_logs": "Azen iɣmisen",
"github_issue": "Ugur Github", "github_issue": "Ugur Github",
"download_logs": "Sider imisen", "download_logs": "Sider imisen",
"before_submitting": "Send ad tazneḍ iɣmisen-ik·im, ilaq <a>ad ternuḍ ugur deg Github</a> i wakken ad d-tgelmeḍ ugur-inek·inem." "before_submitting": "Send ad tazneḍ iɣmisen-ik·im, ilaq <a>ad ternuḍ ugur deg Github</a> i wakken ad d-tgelmeḍ ugur-inek·inem.",
"collecting_information": "Alqaḍ n telɣa n lqem n usnas",
"collecting_logs": "Alqaḍ n yiɣmisen",
"uploading_logs": "Asali n yiɣmisen",
"downloading_logs": "Asader n yiɣmisen"
}, },
"time": { "time": {
"few_seconds_ago": "kra n tesinin seg yimir-nni", "few_seconds_ago": "kra n tesinin seg yimir-nni",
@ -1951,7 +1904,9 @@
"event_sent": "Tadyant tettwazen!", "event_sent": "Tadyant tettwazen!",
"event_content": "Agbur n tedyant", "event_content": "Agbur n tedyant",
"toolbox": "Tabewwaḍt n yifecka", "toolbox": "Tabewwaḍt n yifecka",
"developer_tools": "Ifecka n uneflay" "developer_tools": "Ifecka n uneflay",
"category_room": "Taxxamt",
"category_other": "Nniḍen"
}, },
"create_room": { "create_room": {
"title_public_room": "Rnu taxxamt tazayezt", "title_public_room": "Rnu taxxamt tazayezt",
@ -2025,6 +1980,9 @@
"other": "%(names)s d %(count)s wiyaḍ ttarun-d …", "other": "%(names)s d %(count)s wiyaḍ ttarun-d …",
"one": "%(names)s d wayeḍ-nniḍen yettaru-d …" "one": "%(names)s d wayeḍ-nniḍen yettaru-d …"
} }
},
"m.call.hangup": {
"dm": "Asiwel yekfa"
} }
}, },
"slash_command": { "slash_command": {
@ -2054,7 +2012,14 @@
"help": "Yeskan tabdart n tiludna s usegdec d uglam", "help": "Yeskan tabdart n tiludna s usegdec d uglam",
"whois": "Yeskan talɣut ɣef useqdac", "whois": "Yeskan talɣut ɣef useqdac",
"rageshake": "Azen aneqqis n wabug s yiɣƔisen", "rageshake": "Azen aneqqis n wabug s yiɣƔisen",
"msg": "Yuzen iznan i useqdac i d-yettunefken" "msg": "Yuzen iznan i useqdac i d-yettunefken",
"usage": "Aseqdec",
"category_messages": "Iznan",
"category_actions": "Tigawin",
"category_admin": "Anedbal",
"category_advanced": "Talqayt",
"category_effects": "Effets",
"category_other": "Nniḍen"
}, },
"presence": { "presence": {
"online_for": "Srid azal n %(duration)s", "online_for": "Srid azal n %(duration)s",
@ -2067,5 +2032,60 @@
"offline": "Beṛṛa n tuqqna", "offline": "Beṛṛa n tuqqna",
"away": "Akin" "away": "Akin"
}, },
"Unknown": "Arussin" "Unknown": "Arussin",
"event_preview": {
"m.call.answer": {
"you": "Terniḍ ɣer usiwel",
"user": "%(senderName)s yerna ɣer usiwel",
"dm": "Asiwel la iteddu"
},
"m.call.hangup": {},
"m.call.invite": {
"you": "Tebdiḍ asiwel",
"user": "%(senderName)s yebda asiwel",
"dm_send": "Yettṛaǧu tiririt",
"dm_receive": "%(senderName)s yessawal"
},
"m.emote": "* %(senderName)s %(emote)s",
"m.text": "%(senderName)s: %(message)s",
"m.sticker": "%(senderName)s: %(stickerName)s"
},
"voip": {
"hangup": "Ɛelleq",
"expand": "Uɣal ɣer usiwel",
"voice_call": "Asiwel s taɣect",
"video_call": "Asiwel s tvidyut",
"unknown_caller": "Asiwel arussin",
"call_failed": "Ur iddi ara usiwel",
"unable_to_access_microphone": "Anekcum ɣer usawaḍ ulamek",
"call_failed_microphone": "Tawuri tecceḍ acku asawaḍ ur yessaweḍ ara ad yekcem. Senqed ma yella usawaḍ yeqqnen yerna yettusbadu akken iwata.",
"unable_to_access_media": "Anekcum ɣer tkamiṛat / usawaḍ d awezɣi",
"call_failed_media": "Asiwel ur yeddi ara aku takamiṛat neɣ asawaḍ ulac anekum ɣur-s. Senqed aya:",
"call_failed_media_connected": "Asawaḍ d tkamiṛat qqnen yerna ttusewlen akken iwata",
"call_failed_media_permissions": "Tettynefk tsiregt i useqdec takamiṛat",
"call_failed_media_applications": "Ulac asnas-nniḍen i iseqdacen takamiṛat"
},
"Messages": "Iznan",
"Other": "Nniḍen",
"Advanced": "Talqayt",
"room_settings": {
"permissions": {
"m.room.avatar": "Beddel avaṭar n texxamt",
"m.room.name": "Beddel isem n texxamt",
"m.room.canonical_alias": "Beddel tansa tagejdant n texxamt",
"m.room.history_visibility": "Beddel amazray n texxamt",
"m.room.power_levels": "Beddel tisirag",
"m.room.topic": "Beddel asentel",
"m.room.tombstone": "Leqqem taxxamt",
"m.room.encryption": "Rmed awgelhen n texxamt",
"m.widget": "Snifel iwiǧiten",
"users_default": "Tamlilt tamzwert",
"events_default": "Azen iznan",
"invite": "Nced-d iseqdacen",
"state_default": "Snifel iɣewwaren",
"ban": "Agi yiseqdacen",
"redact": "Kkes iznan i uznen wiyaḍ",
"notifications.room": "Selɣu yal yiwen"
}
}
} }

View file

@ -4,13 +4,11 @@
"powered by Matrix": "Matrix의 지원을 받음", "powered by Matrix": "Matrix의 지원을 받음",
"unknown error code": "알 수 없는 오류 코드", "unknown error code": "알 수 없는 오류 코드",
"Account": "계정", "Account": "계정",
"Admin": "관리자",
"Admin Tools": "관리자 도구", "Admin Tools": "관리자 도구",
"No Microphones detected": "마이크 감지 없음", "No Microphones detected": "마이크 감지 없음",
"No Webcams detected": "카메라 감지 없음", "No Webcams detected": "카메라 감지 없음",
"No media permissions": "미디어 권한 없음", "No media permissions": "미디어 권한 없음",
"Default Device": "기본 기기", "Default Device": "기본 기기",
"Advanced": "고급",
"Authentication": "인증", "Authentication": "인증",
"A new password must be entered.": "새 비밀번호를 입력해주세요.", "A new password must be entered.": "새 비밀번호를 입력해주세요.",
"An error has occurred.": "오류가 발생했습니다.", "An error has occurred.": "오류가 발생했습니다.",
@ -65,7 +63,6 @@
"Forget room": "방 지우기", "Forget room": "방 지우기",
"For security, this session has been signed out. Please sign in again.": "안전을 위해서 이 세션에서 로그아웃했습니다. 다시 로그인해주세요.", "For security, this session has been signed out. Please sign in again.": "안전을 위해서 이 세션에서 로그아웃했습니다. 다시 로그인해주세요.",
"%(userId)s from %(fromPowerLevel)s to %(toPowerLevel)s": "%(userId)s를 %(fromPowerLevel)s에서 %(toPowerLevel)s로", "%(userId)s from %(fromPowerLevel)s to %(toPowerLevel)s": "%(userId)s를 %(fromPowerLevel)s에서 %(toPowerLevel)s로",
"Hangup": "전화 끊기",
"Historical": "기록", "Historical": "기록",
"Home": "홈", "Home": "홈",
"Import E2E room keys": "종단간 암호화 방 키 불러오기", "Import E2E room keys": "종단간 암호화 방 키 불러오기",
@ -138,12 +135,9 @@
}, },
"Upload avatar": "아바타 업로드", "Upload avatar": "아바타 업로드",
"Upload Failed": "업로드 실패", "Upload Failed": "업로드 실패",
"Usage": "사용",
"Users": "사용자", "Users": "사용자",
"Verification Pending": "인증을 기다리는 중", "Verification Pending": "인증을 기다리는 중",
"Verified key": "인증한 열쇠", "Verified key": "인증한 열쇠",
"Video call": "영상 통화",
"Voice call": "음성 통화",
"Warning!": "주의!", "Warning!": "주의!",
"Who can read history?": "누가 기록을 읽을 수 있나요?", "Who can read history?": "누가 기록을 읽을 수 있나요?",
"You cannot place a call with yourself.": "자기 자신에게는 전화를 걸 수 없습니다.", "You cannot place a call with yourself.": "자기 자신에게는 전화를 걸 수 없습니다.",
@ -234,13 +228,11 @@
"Failed to add tag %(tagName)s to room": "방에 %(tagName)s 태그 추가에 실패함", "Failed to add tag %(tagName)s to room": "방에 %(tagName)s 태그 추가에 실패함",
"No update available.": "업데이트가 없습니다.", "No update available.": "업데이트가 없습니다.",
"Noisy": "소리", "Noisy": "소리",
"Collecting app version information": "앱 버전 정보를 수집하는 중",
"Tuesday": "화요일", "Tuesday": "화요일",
"Search…": "찾기…", "Search…": "찾기…",
"Unnamed room": "이름 없는 방", "Unnamed room": "이름 없는 방",
"Saturday": "토요일", "Saturday": "토요일",
"Monday": "월요일", "Monday": "월요일",
"Collecting logs": "로그 수집 중",
"All Rooms": "모든 방", "All Rooms": "모든 방",
"All messages": "모든 메시지", "All messages": "모든 메시지",
"What's new?": "새로운 점은?", "What's new?": "새로운 점은?",
@ -266,7 +258,6 @@
"Data from an older version of %(brand)s has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "이전 버전 %(brand)s의 데이터가 감지됬습니다. 이 때문에 이전 버전에서 종단간 암호화가 작동하지 않을 수 있습니다. 이전 버전을 사용하면서 최근에 교환한 종단간 암호화 메시지를 이 버전에서는 복호화할 수 없습니다. 이 버전에서 메시지를 교환할 수 없을 수도 있습니다. 문제가 발생하면 로그아웃한 후 다시 로그인하세요. 메시지 기록을 유지하려면 키를 내보낸 후 다시 가져오세요.", "Data from an older version of %(brand)s has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "이전 버전 %(brand)s의 데이터가 감지됬습니다. 이 때문에 이전 버전에서 종단간 암호화가 작동하지 않을 수 있습니다. 이전 버전을 사용하면서 최근에 교환한 종단간 암호화 메시지를 이 버전에서는 복호화할 수 없습니다. 이 버전에서 메시지를 교환할 수 없을 수도 있습니다. 문제가 발생하면 로그아웃한 후 다시 로그인하세요. 메시지 기록을 유지하려면 키를 내보낸 후 다시 가져오세요.",
"This event could not be displayed": "이 이벤트를 표시할 수 없음", "This event could not be displayed": "이 이벤트를 표시할 수 없음",
"Banned by %(displayName)s": "%(displayName)s님에 의해 출입 금지됨", "Banned by %(displayName)s": "%(displayName)s님에 의해 출입 금지됨",
"Call Failed": "전화 실패",
"PM": "오후", "PM": "오후",
"AM": "오전", "AM": "오전",
"%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(fullYear)s년 %(monthName)s %(day)s일 (%(weekDayName)s)", "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(fullYear)s년 %(monthName)s %(day)s일 (%(weekDayName)s)",
@ -289,8 +280,6 @@
"%(duration)sh": "%(duration)s시간", "%(duration)sh": "%(duration)s시간",
"%(duration)sd": "%(duration)s일", "%(duration)sd": "%(duration)s일",
"Replying": "답장 중", "Replying": "답장 중",
"Send an encrypted message…": "암호화된 메시지를 보내세요…",
"Send an encrypted reply…": "암호화된 메시지를 보내세요…",
"Share Link to User": "사용자에게 링크 공유", "Share Link to User": "사용자에게 링크 공유",
"Unignore": "그만 무시하기", "Unignore": "그만 무시하기",
"Demote": "강등", "Demote": "강등",
@ -361,7 +350,6 @@
"You do not have permission to start a conference call in this room": "이 방에서는 회의 전화를 시작할 권한이 없습니다", "You do not have permission to start a conference call in this room": "이 방에서는 회의 전화를 시작할 권한이 없습니다",
"Copied!": "복사했습니다!", "Copied!": "복사했습니다!",
"Failed to copy": "복사 실패함", "Failed to copy": "복사 실패함",
"Stickerpack": "스티커 팩",
"You don't currently have any stickerpacks enabled": "현재 사용하고 있는 스티커 팩이 없음", "You don't currently have any stickerpacks enabled": "현재 사용하고 있는 스티커 팩이 없음",
"Filter results": "필터 결과", "Filter results": "필터 결과",
"Muted Users": "음소거된 사용자", "Muted Users": "음소거된 사용자",
@ -415,7 +403,6 @@
"Please contact your homeserver administrator.": "홈서버 관리자에게 연락하세요.", "Please contact your homeserver administrator.": "홈서버 관리자에게 연락하세요.",
"This room has been replaced and is no longer active.": "이 방은 대체되어서 더 이상 활동하지 않습니다.", "This room has been replaced and is no longer active.": "이 방은 대체되어서 더 이상 활동하지 않습니다.",
"The conversation continues here.": "이 대화는 여기서 이어집니다.", "The conversation continues here.": "이 대화는 여기서 이어집니다.",
"System Alerts": "시스템 알림",
"Members only (since the point in time of selecting this option)": "구성원만(이 설정을 선택한 시점부터)", "Members only (since the point in time of selecting this option)": "구성원만(이 설정을 선택한 시점부터)",
"Members only (since they were invited)": "구성원만(구성원이 초대받은 시점부터)", "Members only (since they were invited)": "구성원만(구성원이 초대받은 시점부터)",
"Only room administrators will see this warning": "방 관리자만이 이 경고를 볼 수 있음", "Only room administrators will see this warning": "방 관리자만이 이 경고를 볼 수 있음",
@ -441,9 +428,6 @@
"The file '%(fileName)s' exceeds this homeserver's size limit for uploads": "'%(fileName)s' 파일이 홈서버의 업로드 크기 제한을 초과합니다", "The file '%(fileName)s' exceeds this homeserver's size limit for uploads": "'%(fileName)s' 파일이 홈서버의 업로드 크기 제한을 초과합니다",
"The server does not support the room version specified.": "서버가 지정된 방 버전을 지원하지 않습니다.", "The server does not support the room version specified.": "서버가 지정된 방 버전을 지원하지 않습니다.",
"Unable to load! Check your network connectivity and try again.": "불러올 수 없습니다! 네트워크 연결 상태를 확인한 후 다시 시도하세요.", "Unable to load! Check your network connectivity and try again.": "불러올 수 없습니다! 네트워크 연결 상태를 확인한 후 다시 시도하세요.",
"Messages": "메시지",
"Actions": "활동",
"Other": "기타",
"Please supply a https:// or http:// widget URL": "https:// 혹은 http:// 위젯 URL을 제공하세요", "Please supply a https:// or http:// widget URL": "https:// 혹은 http:// 위젯 URL을 제공하세요",
"You cannot modify widgets in this room.": "이 방에서 위젯을 수정할 수 없습니다.", "You cannot modify widgets in this room.": "이 방에서 위젯을 수정할 수 없습니다.",
"Forces the current outbound group session in an encrypted room to be discarded": "암호화된 방에서 현재 방 외부의 그룹 세션을 강제로 삭제합니다", "Forces the current outbound group session in an encrypted room to be discarded": "암호화된 방에서 현재 방 외부의 그룹 세션을 강제로 삭제합니다",
@ -623,20 +607,6 @@
"Notification sound": "알림 소리", "Notification sound": "알림 소리",
"Set a new custom sound": "새 맞춤 소리 설정", "Set a new custom sound": "새 맞춤 소리 설정",
"Browse": "찾기", "Browse": "찾기",
"Change room avatar": "방 아바타 변경",
"Change room name": "방 이름 변경",
"Change main address for the room": "방에 대한 기본 주소 변경",
"Change history visibility": "기록 가시성 변경",
"Change permissions": "권한 변경",
"Change topic": "주제 변경",
"Upgrade the room": "방 업그레이드",
"Modify widgets": "위젯 수정",
"Default role": "기본 규칙",
"Send messages": "메시지 보내기",
"Invite users": "사용자 초대",
"Change settings": "설정 변경",
"Ban users": "사용자 출입 금지",
"Notify everyone": "모두에게 알림",
"Send %(eventType)s events": "%(eventType)s 이벤트 보내기", "Send %(eventType)s events": "%(eventType)s 이벤트 보내기",
"Roles & Permissions": "규칙 & 권한", "Roles & Permissions": "규칙 & 권한",
"Select the roles required to change various parts of the room": "방의 여러 부분을 변경하는 데 필요한 규칙을 선택", "Select the roles required to change various parts of the room": "방의 여러 부분을 변경하는 데 필요한 규칙을 선택",
@ -744,7 +714,6 @@
"Upgrading this room requires closing down the current instance of the room and creating a new room in its place. To give room members the best possible experience, we will:": "이 방을 업그레이드하려면 현재 방의 인스턴스를 닫고 그 자리에 새 방을 만들어야 합니다. 방 구성원에게 최상의 경험을 제공하려면 다음 조치를 취해야 합니다:", "Upgrading this room requires closing down the current instance of the room and creating a new room in its place. To give room members the best possible experience, we will:": "이 방을 업그레이드하려면 현재 방의 인스턴스를 닫고 그 자리에 새 방을 만들어야 합니다. 방 구성원에게 최상의 경험을 제공하려면 다음 조치를 취해야 합니다:",
"Update any local room aliases to point to the new room": "모든 로컬 방 별칭을 새 방을 향하도록 업데이트", "Update any local room aliases to point to the new room": "모든 로컬 방 별칭을 새 방을 향하도록 업데이트",
"Sign out and remove encryption keys?": "로그아웃하고 암호화 키를 제거합니까?", "Sign out and remove encryption keys?": "로그아웃하고 암호화 키를 제거합니까?",
"Enable room encryption": "방 암호화 켜기",
"Command Help": "명령어 도움", "Command Help": "명령어 도움",
"To help us prevent this in future, please <a>send us logs</a>.": "앞으로 이를 방지할 수 있도록, <a>로그를 보내주세요</a>.", "To help us prevent this in future, please <a>send us logs</a>.": "앞으로 이를 방지할 수 있도록, <a>로그를 보내주세요</a>.",
"Missing session data": "누락된 세션 데이터", "Missing session data": "누락된 세션 데이터",
@ -1115,7 +1084,6 @@
"Laos": "라오스", "Laos": "라오스",
"Transfer Failed": "전송 실패", "Transfer Failed": "전송 실패",
"User Busy": "사용자 바쁨", "User Busy": "사용자 바쁨",
"Already in call": "이미 전화중",
"Ukraine": "우크라이나", "Ukraine": "우크라이나",
"United Kingdom": "영국", "United Kingdom": "영국",
"Converts the DM to a room": "DM을 방으로 변환", "Converts the DM to a room": "DM을 방으로 변환",
@ -1134,8 +1102,6 @@
"Australia": "호주", "Australia": "호주",
"Afghanistan": "아프가니스탄", "Afghanistan": "아프가니스탄",
"United States": "미국", "United States": "미국",
"Unable to access webcam / microphone": "웹캠 / 마이크에 접근 불가",
"Unable to access microphone": "마이크에 접근 불가",
"The call was answered on another device.": "이 전화는 다른 기기에서 응답했습니다.", "The call was answered on another device.": "이 전화는 다른 기기에서 응답했습니다.",
"Answered Elsewhere": "다른 기기에서 응답함", "Answered Elsewhere": "다른 기기에서 응답함",
"No active call in this room": "이 방에 진행중인 통화 없음", "No active call in this room": "이 방에 진행중인 통화 없음",
@ -1203,7 +1169,9 @@
"trusted": "신뢰함", "trusted": "신뢰함",
"not_trusted": "신뢰하지 않음", "not_trusted": "신뢰하지 않음",
"accessibility": "접근성", "accessibility": "접근성",
"unnamed_room": "이름 없는 방" "unnamed_room": "이름 없는 방",
"stickerpack": "스티커 팩",
"system_alerts": "시스템 알림"
}, },
"action": { "action": {
"continue": "계속하기", "continue": "계속하기",
@ -1283,7 +1251,9 @@
"format_bold": "굵게", "format_bold": "굵게",
"format_strikethrough": "취소선", "format_strikethrough": "취소선",
"format_inline_code": "코드", "format_inline_code": "코드",
"format_code_block": "코드 블록" "format_code_block": "코드 블록",
"placeholder_reply_encrypted": "암호화된 메시지를 보내세요…",
"placeholder_encrypted": "암호화된 메시지를 보내세요…"
}, },
"Bold": "굵게", "Bold": "굵게",
"Code": "코드", "Code": "코드",
@ -1300,7 +1270,9 @@
"additional_context": "언제, 방 ID, 사용자 ID 등, 문제 분석에 도움이 되는 추가 문맥이 있다면, 그것들도 여기에 포함해주세요.", "additional_context": "언제, 방 ID, 사용자 ID 등, 문제 분석에 도움이 되는 추가 문맥이 있다면, 그것들도 여기에 포함해주세요.",
"send_logs": "로그 보내기", "send_logs": "로그 보내기",
"github_issue": "GitHub 이슈", "github_issue": "GitHub 이슈",
"before_submitting": "로그를 전송하기 전에, 문제를 설명하는 <a>GitHub 이슈를 만들어야 합니다</a>." "before_submitting": "로그를 전송하기 전에, 문제를 설명하는 <a>GitHub 이슈를 만들어야 합니다</a>.",
"collecting_information": "앱 버전 정보를 수집하는 중",
"collecting_logs": "로그 수집 중"
}, },
"time": { "time": {
"n_minutes_ago": "%(num)s분 전", "n_minutes_ago": "%(num)s분 전",
@ -1346,7 +1318,9 @@
"event_content": "이벤트 내용", "event_content": "이벤트 내용",
"threads_timeline": "스레드 타임라인", "threads_timeline": "스레드 타임라인",
"toolbox": "도구 상자", "toolbox": "도구 상자",
"developer_tools": "개발자 도구" "developer_tools": "개발자 도구",
"category_room": "방",
"category_other": "기타"
}, },
"create_room": { "create_room": {
"title_public_room": "공개 방 만들기", "title_public_room": "공개 방 만들기",
@ -1440,7 +1414,13 @@
"addwidget": "URL로 방에 맞춤 위젯 추가하기", "addwidget": "URL로 방에 맞춤 위젯 추가하기",
"rainbow": "주어진 메시지를 무지개 색으로 보냅니다", "rainbow": "주어진 메시지를 무지개 색으로 보냅니다",
"rainbowme": "주어진 감정 표현을 무지개 색으로 보냅니다", "rainbowme": "주어진 감정 표현을 무지개 색으로 보냅니다",
"help": "사용법과 설명이 포함된 명령어 목록을 표시합니다" "help": "사용법과 설명이 포함된 명령어 목록을 표시합니다",
"usage": "사용",
"category_messages": "메시지",
"category_actions": "활동",
"category_admin": "관리자",
"category_advanced": "고급",
"category_other": "기타"
}, },
"presence": { "presence": {
"online_for": "%(duration)s 동안 온라인", "online_for": "%(duration)s 동안 온라인",
@ -1452,5 +1432,36 @@
"unknown": "알 수 없음", "unknown": "알 수 없음",
"offline": "접속 없음" "offline": "접속 없음"
}, },
"Unknown": "알 수 없음" "Unknown": "알 수 없음",
"voip": {
"hangup": "전화 끊기",
"voice_call": "음성 통화",
"video_call": "영상 통화",
"call_failed": "전화 실패",
"unable_to_access_microphone": "마이크에 접근 불가",
"unable_to_access_media": "웹캠 / 마이크에 접근 불가",
"already_in_call": "이미 전화중"
},
"Messages": "메시지",
"Other": "기타",
"Advanced": "고급",
"room_settings": {
"permissions": {
"m.room.avatar": "방 아바타 변경",
"m.room.name": "방 이름 변경",
"m.room.canonical_alias": "방에 대한 기본 주소 변경",
"m.room.history_visibility": "기록 가시성 변경",
"m.room.power_levels": "권한 변경",
"m.room.topic": "주제 변경",
"m.room.tombstone": "방 업그레이드",
"m.room.encryption": "방 암호화 켜기",
"m.widget": "위젯 수정",
"users_default": "기본 규칙",
"events_default": "메시지 보내기",
"invite": "사용자 초대",
"state_default": "설정 변경",
"ban": "사용자 출입 금지",
"notifications.room": "모두에게 알림"
}
}
} }

View file

@ -237,16 +237,6 @@
"Too Many Calls": "ການໂທຫຼາຍເກີນໄປ", "Too Many Calls": "ການໂທຫຼາຍເກີນໄປ",
"You cannot place calls without a connection to the server.": "ທ່ານບໍ່ສາມາດໂທໄດ້ ຖ້າບໍ່ມີການເຊື່ອມຕໍ່ກັບເຊີເວີ.", "You cannot place calls without a connection to the server.": "ທ່ານບໍ່ສາມາດໂທໄດ້ ຖ້າບໍ່ມີການເຊື່ອມຕໍ່ກັບເຊີເວີ.",
"Connectivity to the server has been lost": "ການເຊື່ອມຕໍ່ກັບເຊີບເວີໄດ້ສູນຫາຍໄປ", "Connectivity to the server has been lost": "ການເຊື່ອມຕໍ່ກັບເຊີບເວີໄດ້ສູນຫາຍໄປ",
"You cannot place calls in this browser.": "ທ່ານບໍ່ສາມາດໂທອອກໃນບຣາວເຊີນີ້ໄດ້.",
"You're already in a call with this person.": "ທ່ານຢູ່ໃນການໂທກັບບຸກຄົນນີ້ແລ້ວ.",
"Already in call": "ຢູ່ໃນສາຍໂທແລ້ວ",
"No other application is using the webcam": "ບໍ່ມີແອັບພລິເຄຊັນອື່ນກຳລັງໃຊ້ກັບເວັບແຄັມ",
"Permission is granted to use the webcam": "ອະນຸຍາດໃຫ້ໃຊ້ webcam ໄດ້",
"A microphone and webcam are plugged in and set up correctly": "ໄມໂຄຣໂຟນ ແລະ ເວັບແຄມຖືກສຽບ ແລະ ຕັ້ງຢ່າງຖືກຕ້ອງ",
"Call failed because webcam or microphone could not be accessed. Check that:": "ການໂທບໍ່ສຳເລັດ ເນື່ອງຈາກເວັບແຄມ ຫຼື ບໍ່ສາມາດເຂົ້າເຖິງ ໄມໂຄຣໂຟນໄດ້. ກະລຸນາກວດເບິ່ງ:",
"Unable to access webcam / microphone": "ບໍ່ສາມາດເຂົ້າເຖິງ webcam / microphone ໄດ້",
"Call failed because microphone could not be accessed. Check that a microphone is plugged in and set up correctly.": "ໂທບໍ່ສຳເລັດ ເນື່ອງຈາກບໍ່ສາມາດເຂົ້າເຖິງໄມໂຄຣໂຟນໄດ້. ກວດເບິ່ງວ່າສຽບໄມໂຄຣໂຟນ ແລະ ຕັ້ງຄ່າໃຫ້ຖືກຕ້ອງ.",
"Unable to access microphone": "ບໍ່ສາມາດເຂົ້າເຖິງໄມໂຄຣໂຟນໄດ້",
"Please ask the administrator of your homeserver (<code>%(homeserverDomain)s</code>) to configure a TURN server in order for calls to work reliably.": "ກະລຸນາຕິດຕໍ່ຜູ້ຄຸ້ມຄອງສະຖານີຂອງທ່ານ (<code>%(homeserverDomain)s</code>) ເພື່ອກໍານົດຄ່າຂອງ TURN Server ເພື່ອໃຫ້ການໂທເຮັດວຽກໄດ້ຢ່າງສະຖຽນ.", "Please ask the administrator of your homeserver (<code>%(homeserverDomain)s</code>) to configure a TURN server in order for calls to work reliably.": "ກະລຸນາຕິດຕໍ່ຜູ້ຄຸ້ມຄອງສະຖານີຂອງທ່ານ (<code>%(homeserverDomain)s</code>) ເພື່ອກໍານົດຄ່າຂອງ TURN Server ເພື່ອໃຫ້ການໂທເຮັດວຽກໄດ້ຢ່າງສະຖຽນ.",
"Call failed due to misconfigured server": "ການໂທບໍ່ສຳເລັດເນື່ອງຈາກເຊີບເວີຕັ້ງຄ່າຜິດພາດ", "Call failed due to misconfigured server": "ການໂທບໍ່ສຳເລັດເນື່ອງຈາກເຊີບເວີຕັ້ງຄ່າຜິດພາດ",
"The call was answered on another device.": "ການຮັບສາຍຢູ່ໃນອຸປະກອນອື່ນ.", "The call was answered on another device.": "ການຮັບສາຍຢູ່ໃນອຸປະກອນອື່ນ.",
@ -254,9 +244,7 @@
"The call could not be established": "ບໍ່ສາມາດໂທຫາໄດ້", "The call could not be established": "ບໍ່ສາມາດໂທຫາໄດ້",
"The user you called is busy.": "ຜູ້ໃຊ້ທີ່ທ່ານໂທຫາຍັງບໍ່ຫວ່າງ.", "The user you called is busy.": "ຜູ້ໃຊ້ທີ່ທ່ານໂທຫາຍັງບໍ່ຫວ່າງ.",
"User Busy": "ຜູ້ໃຊ້ບໍ່ຫວ່າງ", "User Busy": "ຜູ້ໃຊ້ບໍ່ຫວ່າງ",
"Call Failed": "ໂທບໍ່ສຳເລັດ",
"Unable to load! Check your network connectivity and try again.": "ບໍ່ສາມາດໂຫຼດໄດ້! ກະລຸນາກວດເບິ່ງການເຊື່ອມຕໍ່ເຄືອຂ່າຍຂອງທ່ານ ແລະ ລອງໃໝ່ອີກຄັ້ງ.", "Unable to load! Check your network connectivity and try again.": "ບໍ່ສາມາດໂຫຼດໄດ້! ກະລຸນາກວດເບິ່ງການເຊື່ອມຕໍ່ເຄືອຂ່າຍຂອງທ່ານ ແລະ ລອງໃໝ່ອີກຄັ້ງ.",
"Calls are unsupported": "ບໍ່ຮອງຮັບການໂທ",
"Room %(roomId)s not visible": "ບໍ່ເຫັນຫ້ອງ %(roomId)s", "Room %(roomId)s not visible": "ບໍ່ເຫັນຫ້ອງ %(roomId)s",
"Missing room_id in request": "ບໍ່ມີການຮ້ອງຂໍ room_id", "Missing room_id in request": "ບໍ່ມີການຮ້ອງຂໍ room_id",
"You do not have permission to do that in this room.": "ທ່ານບໍ່ໄດ້ຮັບອະນຸຍາດໃຫ້ເຮັດສິ່ງນັ້ນຢູ່ໃນຫ້ອງນີ້.", "You do not have permission to do that in this room.": "ທ່ານບໍ່ໄດ້ຮັບອະນຸຍາດໃຫ້ເຮັດສິ່ງນັ້ນຢູ່ໃນຫ້ອງນີ້.",
@ -273,7 +261,6 @@
"Failed to invite users to %(roomName)s": "ໃນການເຊີນຜູ້ໃຊ້ໄປຫາ %(roomName)s ບໍ່ສຳເລັດ", "Failed to invite users to %(roomName)s": "ໃນການເຊີນຜູ້ໃຊ້ໄປຫາ %(roomName)s ບໍ່ສຳເລັດ",
"Operation failed": "ການດໍາເນີນງານບໍ່ສຳເລັດ", "Operation failed": "ການດໍາເນີນງານບໍ່ສຳເລັດ",
"Failed to invite": "ການເຊີນບໍ່ສຳເລັດ", "Failed to invite": "ການເຊີນບໍ່ສຳເລັດ",
"Admin": "ບໍລິຫານ",
"Moderator": "ຜູ້ດຳເນິນລາຍການ", "Moderator": "ຜູ້ດຳເນິນລາຍການ",
"Restricted": "ຖືກຈຳກັດ", "Restricted": "ຖືກຈຳກັດ",
"Default": "ຄ່າເລີ່ມຕົ້ນ", "Default": "ຄ່າເລີ່ມຕົ້ນ",
@ -425,32 +412,6 @@
"Muted Users": "ຜູ້ໃຊ້ທີ່ປິດສຽງ", "Muted Users": "ຜູ້ໃຊ້ທີ່ປິດສຽງ",
"Privileged Users": "ສິດທິພິເສດຂອງຜູ້ໃຊ້", "Privileged Users": "ສິດທິພິເສດຂອງຜູ້ໃຊ້",
"No users have specific privileges in this room": "ບໍ່ມີຜູ້ໃຊ້ໃດມີສິດທິພິເສດຢູ່ໃນຫ້ອງນີ້", "No users have specific privileges in this room": "ບໍ່ມີຜູ້ໃຊ້ໃດມີສິດທິພິເສດຢູ່ໃນຫ້ອງນີ້",
"Notify everyone": "ແຈ້ງເຕືອນທຸກຄົນ",
"Remove messages sent by others": "ລົບຂໍ້ຄວາມທີ່ຄົນອື່ນສົ່ງມາ",
"Ban users": "ຫ້າມຜູ້ໃຊ້",
"Remove users": "ເອົາຜູ້ໃຊ້ອອກ",
"Change settings": "ປ່ຽນການຕັ້ງຄ່າ",
"Invite users": "ເຊີນຜູ້ໃຊ້",
"Send messages": "ສົ່ງຂໍ້ຄວາມ",
"Default role": "ບົດບາດເລີ່ມຕົ້ນ",
"Manage pinned events": "ຈັດການເຫດການທີ່ປັກໝຸດໄວ້",
"Modify widgets": "ແກ້ໄຂ widget",
"Remove messages sent by me": "ເອົາຂໍ້ຄວາມທີ່ຂ້ອຍສົ່ງອອກ",
"Send reactions": "ສົ່ງການຕອບກັບ",
"Change server ACLs": "ປ່ຽນ ACL ຂອງເຊີບເວີ",
"Enable room encryption": "ເປີດໃຊ້ການເຂົ້າລະຫັດຫ້ອງ",
"Upgrade the room": "ຍົກລະດັບຫ້ອງ",
"Change topic": "ປ່ຽນຫົວຂໍ້",
"Change description": "ປ່ຽນຄຳອະທິບາຍ",
"Change permissions": "ປ່ຽນສິດອະນຸຍາດ",
"Change history visibility": "ປ່ຽນການເບິ່ງເຫັນປະຫວັດ",
"Manage rooms in this space": "ຈັດການຫ້ອງຢູ່ໃນພື້ນທີ່ນີ້",
"Change main address for the room": "ປ່ຽນທີ່ຢູ່ຫຼັກສຳລັບຫ້ອງ",
"Change main address for the space": "ປ່ຽນທີ່ຢູ່ຫຼັກສຳລັບພື້ນທີ່",
"Change room name": "ປ່ຽນຊື່ຫ້ອງ",
"Change space name": "ປ່ຽນຊື່ພຶ້ນທີ່",
"Change room avatar": "ປ່ຽນ avatar ຂອງຫ້ອງ",
"Change space avatar": "ປ່ຽນຮູບ avatar",
"An error occurred changing the user's power level. Ensure you have sufficient permissions and try again.": "ເກີດຄວາມຜິດພາດໃນການປ່ຽນແປງລະດັບສິດຂອງຜູ້ໃຊ້. ກວດໃຫ້ແນ່ໃຈວ່າເຈົ້າມີສິດອະນຸຍາດພຽງພໍແລ້ວລອງໃໝ່ອີກຄັ້ງ.", "An error occurred changing the user's power level. Ensure you have sufficient permissions and try again.": "ເກີດຄວາມຜິດພາດໃນການປ່ຽນແປງລະດັບສິດຂອງຜູ້ໃຊ້. ກວດໃຫ້ແນ່ໃຈວ່າເຈົ້າມີສິດອະນຸຍາດພຽງພໍແລ້ວລອງໃໝ່ອີກຄັ້ງ.",
"Error changing power level": "ເກີດຄວາມຜິດພາດໃນການປ່ຽນແປງລະດັບສິດ", "Error changing power level": "ເກີດຄວາມຜິດພາດໃນການປ່ຽນແປງລະດັບສິດ",
"An error occurred changing the room's power level requirements. Ensure you have sufficient permissions and try again.": "ເກີດຄວາມຜິດພາດໃນການປ່ຽນແປງຂໍ້ກຳນົດລະດັບສິດຂອງຫ້ອງ. ກວດໃຫ້ແນ່ໃຈວ່າເຈົ້າມີສິດອະນຸຍາດພຽງພໍແລ້ວລອງໃໝ່ອີກຄັ້ງ.", "An error occurred changing the room's power level requirements. Ensure you have sufficient permissions and try again.": "ເກີດຄວາມຜິດພາດໃນການປ່ຽນແປງຂໍ້ກຳນົດລະດັບສິດຂອງຫ້ອງ. ກວດໃຫ້ແນ່ໃຈວ່າເຈົ້າມີສິດອະນຸຍາດພຽງພໍແລ້ວລອງໃໝ່ອີກຄັ້ງ.",
@ -502,9 +463,7 @@
"Sidebar": "ແຖບດ້ານຂ້າງ", "Sidebar": "ແຖບດ້ານຂ້າງ",
"Share anonymous data to help us identify issues. Nothing personal. No third parties.": "ແບ່ງປັນຂໍ້ມູນທີ່ບໍ່ເປີດເຜີຍຊື່ເພື່ອຊ່ວຍໃຫ້ພວກເຮົາລະບຸບັນຫາ. ບໍ່ມີຫຍັງເປັນສ່ວນຕົວ. ບໍ່ມີພາກສ່ວນທີສາມ.", "Share anonymous data to help us identify issues. Nothing personal. No third parties.": "ແບ່ງປັນຂໍ້ມູນທີ່ບໍ່ເປີດເຜີຍຊື່ເພື່ອຊ່ວຍໃຫ້ພວກເຮົາລະບຸບັນຫາ. ບໍ່ມີຫຍັງເປັນສ່ວນຕົວ. ບໍ່ມີພາກສ່ວນທີສາມ.",
"Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "ຜູ້ຄຸມເຊີບເວີຂອງທ່ານໄດ້ປິດການນຳໃຊ້ການເຂົ້າລະຫັດແບບຕົ້ນທາງຮອດປາຍທາງໂດຍຄ່າເລີ່ມຕົ້ນໃນຫ້ອງສ່ວນຕົວ ແລະ ຂໍ້ຄວາມໂດຍກົງ.", "Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "ຜູ້ຄຸມເຊີບເວີຂອງທ່ານໄດ້ປິດການນຳໃຊ້ການເຂົ້າລະຫັດແບບຕົ້ນທາງຮອດປາຍທາງໂດຍຄ່າເລີ່ມຕົ້ນໃນຫ້ອງສ່ວນຕົວ ແລະ ຂໍ້ຄວາມໂດຍກົງ.",
"Cross-signing": "ການເຂົ້າລະຫັດແບບໄຂ້ວ",
"Message search": "ຄົ້ນຫາຂໍ້ຄວາມ", "Message search": "ຄົ້ນຫາຂໍ້ຄວາມ",
"Secure Backup": "ການສໍາຮອງທີ່ປອດໄພ",
"Reject all %(invitedRooms)s invites": "ປະຕິເສດການເຊີນທັງໝົດ %(invitedRooms)s", "Reject all %(invitedRooms)s invites": "ປະຕິເສດການເຊີນທັງໝົດ %(invitedRooms)s",
"Accept all %(invitedRooms)s invites": "ຍອມຮັບການເຊີນທັງໝົດ %(invitedRooms)s", "Accept all %(invitedRooms)s invites": "ຍອມຮັບການເຊີນທັງໝົດ %(invitedRooms)s",
"Bulk options": "ຕົວເລືອກຈຳນວນຫຼາຍ", "Bulk options": "ຕົວເລືອກຈຳນວນຫຼາຍ",
@ -1057,7 +1016,6 @@
"Admin Tools": "ເຄື່ອງມືຜູ້ຄຸ້ມຄອງ", "Admin Tools": "ເຄື່ອງມືຜູ້ຄຸ້ມຄອງ",
"Could not revoke the invite. The server may be experiencing a temporary problem or you do not have sufficient permissions to revoke the invite.": "ບໍ່ສາມາດຖອນຄຳເຊີນໄດ້. ເຊີບເວີອາດຈະປະສົບບັນຫາຊົ່ວຄາວ ຫຼື ທ່ານບໍ່ມີສິດພຽງພໍໃນການຖອນຄຳເຊີນ.", "Could not revoke the invite. The server may be experiencing a temporary problem or you do not have sufficient permissions to revoke the invite.": "ບໍ່ສາມາດຖອນຄຳເຊີນໄດ້. ເຊີບເວີອາດຈະປະສົບບັນຫາຊົ່ວຄາວ ຫຼື ທ່ານບໍ່ມີສິດພຽງພໍໃນການຖອນຄຳເຊີນ.",
"Failed to revoke invite": "ຍົກເລີກການເຊີນບໍ່ສຳເລັດ", "Failed to revoke invite": "ຍົກເລີກການເຊີນບໍ່ສຳເລັດ",
"Stickerpack": "ຊຸດສະຕິກເກີ",
"Add some now": "ເພີ່ມບາງອັນດຽວນີ້", "Add some now": "ເພີ່ມບາງອັນດຽວນີ້",
"You don't currently have any stickerpacks enabled": "ທ່ານບໍ່ໄດ້ເປີດໃຊ້ສະຕິກເກີແພັກເກັດໃນປັດຈຸບັນ", "You don't currently have any stickerpacks enabled": "ທ່ານບໍ່ໄດ້ເປີດໃຊ້ສະຕິກເກີແພັກເກັດໃນປັດຈຸບັນ",
"Failed to connect to integration manager": "ການເຊື່ອມຕໍ່ຕົວຈັດການການເຊື່ອມໂຍງບໍ່ສຳເລັດ", "Failed to connect to integration manager": "ການເຊື່ອມຕໍ່ຕົວຈັດການການເຊື່ອມໂຍງບໍ່ສຳເລັດ",
@ -1297,14 +1255,8 @@
"You cannot modify widgets in this room.": "ທ່ານບໍ່ສາມາດແກ້ໄຂ widget ໃນຫ້ອງນີ້ໄດ້.", "You cannot modify widgets in this room.": "ທ່ານບໍ່ສາມາດແກ້ໄຂ widget ໃນຫ້ອງນີ້ໄດ້.",
"Please supply a https:// or http:// widget URL": "ກະລຸນາສະໜອງ https:// ຫຼື http:// widget URL", "Please supply a https:// or http:// widget URL": "ກະລຸນາສະໜອງ https:// ຫຼື http:// widget URL",
"Please supply a widget URL or embed code": "ກະລຸນາສະໜອງ widget URL ຫຼືລະຫັດຝັງ", "Please supply a widget URL or embed code": "ກະລຸນາສະໜອງ widget URL ຫຼືລະຫັດຝັງ",
"Usage": "ການນໍາໃຊ້",
"Command error: Unable to find rendering type (%(renderingType)s)": "ຄໍາສັ່ງຜິດພາດ: ບໍ່ສາມາດຊອກຫາປະເພດການສະແດງຜົນ (%(renderingType)s)", "Command error: Unable to find rendering type (%(renderingType)s)": "ຄໍາສັ່ງຜິດພາດ: ບໍ່ສາມາດຊອກຫາປະເພດການສະແດງຜົນ (%(renderingType)s)",
"Command error: Unable to handle slash command.": "ຄໍາສັ່ງຜິດພາດ: ບໍ່ສາມາດຈັດການກັບຄໍາສັ່ງ slash ໄດ້.", "Command error: Unable to handle slash command.": "ຄໍາສັ່ງຜິດພາດ: ບໍ່ສາມາດຈັດການກັບຄໍາສັ່ງ slash ໄດ້.",
"Other": "ອື່ນໆ",
"Effects": "ຜົນກະທົບ",
"Advanced": "ຂັ້ນສູງ",
"Actions": "ການປະຕິບັດ",
"Messages": "ຂໍ້ຄວາມ",
"Setting up keys": "ການຕັ້ງຄ່າກະແຈ", "Setting up keys": "ການຕັ້ງຄ່າກະແຈ",
"Are you sure you want to cancel entering passphrase?": "ທ່ານແນ່ໃຈບໍ່ວ່າຕ້ອງການຍົກເລີກການໃສ່ປະໂຫຍກລະຫັດຜ່ານ?", "Are you sure you want to cancel entering passphrase?": "ທ່ານແນ່ໃຈບໍ່ວ່າຕ້ອງການຍົກເລີກການໃສ່ປະໂຫຍກລະຫັດຜ່ານ?",
"Cancel entering passphrase?": "ຍົກເລີກການໃສ່ປະໂຫຍກລະຫັດຜ່ານບໍ?", "Cancel entering passphrase?": "ຍົກເລີກການໃສ່ປະໂຫຍກລະຫັດຜ່ານບໍ?",
@ -1891,10 +1843,6 @@
"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!": "ນີ້ແມ່ນບັນຊີລາຍຊື່ຜູ້ໃຊ້ / ເຊີບເວີຂອງທ່ານທີ່ທ່ານໄດ້ບລັອກ - ຢ່າອອກຈາກຫ້ອງ!",
"My Ban List": "ບັນຊີລາຍຊື່ການຫ້າມຂອງຂ້ອຍ", "My Ban List": "ບັນຊີລາຍຊື່ການຫ້າມຂອງຂ້ອຍ",
"Waiting for response from server": "ກຳລັງລໍຖ້າການຕອບສະໜອງຈາກເຊີບເວີ", "Waiting for response from server": "ກຳລັງລໍຖ້າການຕອບສະໜອງຈາກເຊີບເວີ",
"Downloading logs": "ບັນທຶກການດາວໂຫຼດ",
"Uploading logs": "ກຳລັງບັນທຶກການອັບໂຫຼດ",
"Collecting logs": "ການເກັບກໍາຂໍ້ມູນບັນທຶກ",
"Collecting app version information": "ກຳລັງເກັບກຳຂໍ້ມູນເວີຊັນແອັບ",
"Automatically send debug logs when key backup is not functioning": "ສົ່ງບັນທຶກການດີບັ໊ກໂດຍອັດຕະໂນມັດເມື່ອການສຳຮອງຂໍ້ມູນກະແຈບໍ່ເຮັດວຽກ", "Automatically send debug logs when key backup is not functioning": "ສົ່ງບັນທຶກການດີບັ໊ກໂດຍອັດຕະໂນມັດເມື່ອການສຳຮອງຂໍ້ມູນກະແຈບໍ່ເຮັດວຽກ",
"Automatically send debug logs on decryption errors": "ສົ່ງບັນທຶກການດີບັ໊ກໂດຍອັດຕະໂນມັດໃນຄວາມຜິດພາດການຖອດລະຫັດ", "Automatically send debug logs on decryption errors": "ສົ່ງບັນທຶກການດີບັ໊ກໂດຍອັດຕະໂນມັດໃນຄວາມຜິດພາດການຖອດລະຫັດ",
"Automatically send debug logs on any error": "ສົ່ງບັນທຶກ ບັນຫາບັກ ໂດຍອັດຕະໂນມັດກ່ຽວກັບຂໍ້ຜິດພາດໃດໆ", "Automatically send debug logs on any error": "ສົ່ງບັນທຶກ ບັນຫາບັກ ໂດຍອັດຕະໂນມັດກ່ຽວກັບຂໍ້ຜິດພາດໃດໆ",
@ -1933,16 +1881,6 @@
"Room members": "ສະມາຊິກຫ້ອງ", "Room members": "ສະມາຊິກຫ້ອງ",
"Room information": "ຂໍ້ມູນຫ້ອງ", "Room information": "ຂໍ້ມູນຫ້ອງ",
"Back to chat": "ກັບໄປທີ່ການສົນທະນາ", "Back to chat": "ກັບໄປທີ່ການສົນທະນາ",
"%(senderName)s is calling": "%(senderName)s ກຳລັງໂທຫາ",
"Waiting for answer": "ລໍຖ້າຄໍາຕອບ",
"%(senderName)s started a call": "%(senderName)s ເລີ່ມໂທ",
"You started a call": "ທ່ານເລີ່ມໂທ",
"Call ended": "ສິ້ນສຸດການໂທ",
"%(senderName)s ended the call": "%(senderName)s ວາງສາຍ",
"You ended the call": "ທ່ານສິ້ນສຸດການໂທ",
"Call in progress": "ກຳລັງໂທຢູ່",
"%(senderName)s joined the call": "%(senderName)s ເຂົ້າຮ່ວມການໂທ",
"You joined the call": "ທ່ານເຂົ້າຮ່ວມການໂທ",
"Other rooms": "ຫ້ອງອື່ນໆ", "Other rooms": "ຫ້ອງອື່ນໆ",
"Replying": "ກຳລັງຕອບກັບ", "Replying": "ກຳລັງຕອບກັບ",
"Recently viewed": "ເບິ່ງເມື່ອບໍ່ດົນມານີ້", "Recently viewed": "ເບິ່ງເມື່ອບໍ່ດົນມານີ້",
@ -2063,11 +2001,6 @@
"Use app": "ໃຊ້ແອັບ", "Use app": "ໃຊ້ແອັບ",
"%(brand)s is experimental on a mobile web browser. For a better experience and the latest features, use our free native app.": "%(brand)s ແມ່ນທົດລອງຢູ່ໃນບຣາວຂອງມືຖື. ເພື່ອປະສົບການທີ່ດີກວ່າ ແລະ ຄຸນສົມບັດຫຼ້າສຸດ, ໃຫ້ໃຊ້ແອັບຟຣີຂອງພວກເຮົາ.", "%(brand)s is experimental on a mobile web browser. For a better experience and the latest features, use our free native app.": "%(brand)s ແມ່ນທົດລອງຢູ່ໃນບຣາວຂອງມືຖື. ເພື່ອປະສົບການທີ່ດີກວ່າ ແລະ ຄຸນສົມບັດຫຼ້າສຸດ, ໃຫ້ໃຊ້ແອັບຟຣີຂອງພວກເຮົາ.",
"Use app for a better experience": "ໃຊ້ແອັບເພື່ອປະສົບການທີ່ດີກວ່າ", "Use app for a better experience": "ໃຊ້ແອັບເພື່ອປະສົບການທີ່ດີກວ່າ",
"Silence call": "ປິດສຽງໂທ",
"Sound on": "ເປີດສຽງ",
"Video call": "ໂທດ້ວວິດີໂອ",
"Voice call": "ໂທດ້ວຍສຽງ",
"Unknown caller": "ບໍ່ຮູ້ຈັກຜູ້ທີ່ໂທ",
"Enable desktop notifications": "ເປີດໃຊ້ການແຈ້ງເຕືອນເດັສທັອບ", "Enable desktop notifications": "ເປີດໃຊ້ການແຈ້ງເຕືອນເດັສທັອບ",
"Notifications": "ການແຈ້ງເຕືອນ", "Notifications": "ການແຈ້ງເຕືອນ",
"Don't miss a reply": "ຢ່າພາດການຕອບກັບ", "Don't miss a reply": "ຢ່າພາດການຕອບກັບ",
@ -2197,7 +2130,6 @@
"Empty room": "ຫ້ອງຫວ່າງ", "Empty room": "ຫ້ອງຫວ່າງ",
"Suggested Rooms": "ຫ້ອງແນະນຳ", "Suggested Rooms": "ຫ້ອງແນະນຳ",
"Historical": "ປະຫວັດ", "Historical": "ປະຫວັດ",
"System Alerts": "ການແຈ້ງເຕືອນລະບົບ",
"Low priority": "ບູລິມະສິດຕໍ່າ", "Low priority": "ບູລິມະສິດຕໍ່າ",
"Add room": "ເພີ່ມຫ້ອງ", "Add room": "ເພີ່ມຫ້ອງ",
"Explore public rooms": "ສຳຫຼວດຫ້ອງສາທາລະນະ", "Explore public rooms": "ສຳຫຼວດຫ້ອງສາທາລະນະ",
@ -2210,15 +2142,7 @@
"Illegal Content": "ເນື້ອຫາທີ່ຜິດຕໍ່ກົດໝາຍ", "Illegal Content": "ເນື້ອຫາທີ່ຜິດຕໍ່ກົດໝາຍ",
"Toxic Behaviour": "ພຶດຕິກຳທີ່ບໍ່ເປັນມິດ", "Toxic Behaviour": "ພຶດຕິກຳທີ່ບໍ່ເປັນມິດ",
"Disagree": "ບໍ່ເຫັນດີ", "Disagree": "ບໍ່ເຫັນດີ",
"Your camera is still enabled": "ກ້ອງຂອງທ່ານຍັງເປີດໃຊ້ງານຢູ່",
"Your camera is turned off": "ກ້ອງຂອງທ່ານປິດຢູ່",
"%(sharerName)s is presenting": "%(sharerName)s ກຳລັງນຳສະເໜີ",
"You are presenting": "ທ່ານກໍາລັງນໍາສະເຫນີ",
"Connecting": "ກຳລັງເຊື່ອມຕໍ່", "Connecting": "ກຳລັງເຊື່ອມຕໍ່",
"Unmute microphone": "ເປີດສຽງໄມໂຄຣໂຟນ",
"Mute microphone": "ປິດສຽງໄມໂຄຣໂຟນ",
"Audio devices": "ອຸປະກອນສຽງ",
"Dial": "ໂທ",
"%(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 %(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 %(fullYear)s": "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s",
"Tuesday": "ວັນອັງຄານ", "Tuesday": "ວັນອັງຄານ",
@ -2521,22 +2445,9 @@
"You've successfully verified this user.": "ທ່ານໄດ້ຢັ້ງຢືນຜູ້ໃຊ້ນີ້ສຳເລັດແລ້ວ.", "You've successfully verified this user.": "ທ່ານໄດ້ຢັ້ງຢືນຜູ້ໃຊ້ນີ້ສຳເລັດແລ້ວ.",
"Verified!": "ຢືນຢັນແລ້ວ!", "Verified!": "ຢືນຢັນແລ້ວ!",
"The other party cancelled the verification.": "ອີກຝ່າຍໄດ້ຍົກເລີກການຢັ້ງຢືນ.", "The other party cancelled the verification.": "ອີກຝ່າຍໄດ້ຍົກເລີກການຢັ້ງຢືນ.",
"%(name)s on hold": "%(name)s ຖືກລະງັບໄວ້",
"Return to call": "ກັບໄປທີ່ການໂທ",
"Hangup": "ວາງສາຍ",
"More": "ເພີ່ມເຕີມ", "More": "ເພີ່ມເຕີມ",
"Show sidebar": "ສະແດງແຖບດ້ານຂ້າງ", "Show sidebar": "ສະແດງແຖບດ້ານຂ້າງ",
"Hide sidebar": "ເຊື່ອງແຖບດ້ານຂ້າງ", "Hide sidebar": "ເຊື່ອງແຖບດ້ານຂ້າງ",
"Start sharing your screen": "ເລີ່ມການແບ່ງປັນໜ້າຈໍຂອງທ່ານ",
"Stop sharing your screen": "ຢຸດການແບ່ງປັນຫນ້າຈໍຂອງທ່ານ",
"Start the camera": "ເລີ່ມກ້ອງຖ່າຍຮູບ",
"Stop the camera": "ຢຸດກ້ອງຖ່າຍຮູບ",
"Unmute the microphone": "ເປີດສຽງໄມໂຄຣໂຟນ",
"Mute the microphone": "ປິດສຽງໄມໂຄຣໂຟນ",
"Dialpad": "ປຸ່ມກົດ",
"Turn on camera": "ເປີດກ້ອງຖ່າຍຮູບ",
"Turn off camera": "ປິດກ້ອງຖ່າຍຮູບ",
"Video devices": "ອຸປະກອນວິດີໂອ",
"Error processing audio message": "ການປະມວນຜົນຂໍ້ຄວາມສຽງຜິດພາດ", "Error processing audio message": "ການປະມວນຜົນຂໍ້ຄວາມສຽງຜິດພາດ",
"Pick a date to jump to": "ເລືອກວັນທີເພື່ອໄປຫາ", "Pick a date to jump to": "ເລືອກວັນທີເພື່ອໄປຫາ",
"Message pending moderation": "ຂໍ້ຄວາມທີ່ລໍຖ້າການກວດກາ", "Message pending moderation": "ຂໍ້ຄວາມທີ່ລໍຖ້າການກວດກາ",
@ -2679,10 +2590,6 @@
"Cross-signing private keys:": "ກະແຈສ່ວນຕົວCross-signing :", "Cross-signing private keys:": "ກະແຈສ່ວນຕົວCross-signing :",
"not found": "ບໍ່ພົບເຫັນ", "not found": "ບໍ່ພົບເຫັນ",
"in memory": "ໃນຄວາມຊົງຈໍາ", "in memory": "ໃນຄວາມຊົງຈໍາ",
"%(peerName)s held the call": "%(peerName)sຖືສາຍ",
"You held the call <a>Resume</a>": "ທ່ານໄດ້ໂທຫາ <a>Resume</a>",
"You held the call <a>Switch</a>": "ທ່ານຖືການໂທ <a>Switch</a>",
"Consulting with %(transferTarget)s. <a>Transfer to %(transferee)s</a>": "ໃຫ້ຄໍາປຶກສາກັບ %(transferTarget)s. <a>ໂອນໄປໃຫ້ %(transferee)s</a>",
"unknown person": "ຄົນທີ່ບໍ່ຮູ້", "unknown person": "ຄົນທີ່ບໍ່ຮູ້",
"Send as message": "ສົ່ງຂໍ້ເປັນຄວາມ", "Send as message": "ສົ່ງຂໍ້ເປັນຄວາມ",
"Hint: Begin your message with <code>//</code> to start it with a slash.": "ຄຳໃບ້: ເລີ່ມຕົ້ນຂໍ້ຄວາມຂອງທ່ານດ້ວຍ <code>//</code> ເພື່ອເລີ່ມຕົ້ນມັນດ້ວຍເຄື່ອງໝາຍທັບ.", "Hint: Begin your message with <code>//</code> to start it with a slash.": "ຄຳໃບ້: ເລີ່ມຕົ້ນຂໍ້ຄວາມຂອງທ່ານດ້ວຍ <code>//</code> ເພື່ອເລີ່ມຕົ້ນມັນດ້ວຍເຄື່ອງໝາຍທັບ.",
@ -2700,12 +2607,7 @@
"Sends the given message with snowfall": "ສົ່ງຂໍ້ຄວາມທີ່ກຳນົດພ້ອມດ້ວຍຫິມະຕົກ", "Sends the given message with snowfall": "ສົ່ງຂໍ້ຄວາມທີ່ກຳນົດພ້ອມດ້ວຍຫິມະຕົກ",
"sends rainfall": "ສົ່ງຝົນ", "sends rainfall": "ສົ່ງຝົນ",
"Sends the given message with rainfall": "ສົ່ງຂໍ້ຄວາມທີ່ກຳນົດພ້ອມດ້ວຍສາຍຝົນ", "Sends the given message with rainfall": "ສົ່ງຂໍ້ຄວາມທີ່ກຳນົດພ້ອມດ້ວຍສາຍຝົນ",
"%(senderName)s: %(stickerName)s": "%(senderName)s: %(stickerName)s",
"%(senderName)s: %(message)s": "%(senderName)s: %(message)s",
"* %(senderName)s %(emote)s": "* %(senderName)s%(emote)s",
"The authenticity of this encrypted message can't be guaranteed on this device.": "ອຸປະກອນນີ້ບໍ່ສາມາດຮັບປະກັນຄວາມຖືກຕ້ອງຂອງຂໍ້ຄວາມທີ່ເຂົ້າລະຫັດນີ້ໄດ້.", "The authenticity of this encrypted message can't be guaranteed on this device.": "ອຸປະກອນນີ້ບໍ່ສາມາດຮັບປະກັນຄວາມຖືກຕ້ອງຂອງຂໍ້ຄວາມທີ່ເຂົ້າລະຫັດນີ້ໄດ້.",
"Reply to encrypted thread…": "ຕອບກັບກະທູ້ທີ່ເຂົ້າລະຫັດໄວ້…",
"Send message": "ສົ່ງຂໍ້ຄວາມ",
"%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (power %(powerLevelNumber)s)", "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (power %(powerLevelNumber)s)",
"Filter room members": "ການກັ່ນຕອງສະມາຊິກຫ້ອງ", "Filter room members": "ການກັ່ນຕອງສະມາຊິກຫ້ອງ",
"Invited": "ເຊີນ", "Invited": "ເຊີນ",
@ -2779,11 +2681,6 @@
"You do not have permission to post to this room": "ທ່ານບໍ່ໄດ້ຮັບອະນຸຍາດໃຫ້ໂພສໃສ່ຫ້ອງນີ້", "You do not have permission to post to this room": "ທ່ານບໍ່ໄດ້ຮັບອະນຸຍາດໃຫ້ໂພສໃສ່ຫ້ອງນີ້",
"This room has been replaced and is no longer active.": "ຫ້ອງນີ້ໄດ້ໍປ່ຽນແທນ ແລະບໍ່ມີການເຄື່ອນໄຫວອີກຕໍ່ໄປ.", "This room has been replaced and is no longer active.": "ຫ້ອງນີ້ໄດ້ໍປ່ຽນແທນ ແລະບໍ່ມີການເຄື່ອນໄຫວອີກຕໍ່ໄປ.",
"The conversation continues here.": "ການສົນທະນາສືບຕໍ່ຢູ່ທີ່ນີ້.", "The conversation continues here.": "ການສົນທະນາສືບຕໍ່ຢູ່ທີ່ນີ້.",
"Send a message…": "ສົ່ງຂໍ້ຄວາມ…",
"Send an encrypted message…": "ສົ່ງຂໍ້ຄວາມທີ່ເຂົ້າລະຫັດ…",
"Send a reply…": "ສົ່ງຄຳຕອບ…",
"Send an encrypted reply…": "ສົ່ງຄຳຕອບທີ່ເຂົ້າລະຫັດໄວ້…",
"Reply to thread…": "ຕອບກັບກະທູ້…",
"Invite to this space": "ເຊີນໄປບ່ອນນີ້", "Invite to this space": "ເຊີນໄປບ່ອນນີ້",
"Invite to this room": "ເຊີນເຂົ້າຫ້ອງນີ້", "Invite to this room": "ເຊີນເຂົ້າຫ້ອງນີ້",
"and %(count)s others...": { "and %(count)s others...": {
@ -2890,7 +2787,11 @@
"server": "ເຊີບເວີ", "server": "ເຊີບເວີ",
"capabilities": "ຄວາມສາມາດ", "capabilities": "ຄວາມສາມາດ",
"unnamed_room": "ບໍ່ມີຊື່ຫ້ອງ", "unnamed_room": "ບໍ່ມີຊື່ຫ້ອງ",
"unnamed_space": "ພື້ນທີ່ບໍ່ລະບຸຊື່" "unnamed_space": "ພື້ນທີ່ບໍ່ລະບຸຊື່",
"stickerpack": "ຊຸດສະຕິກເກີ",
"system_alerts": "ການແຈ້ງເຕືອນລະບົບ",
"secure_backup": "ການສໍາຮອງທີ່ປອດໄພ",
"cross_signing": "ການເຂົ້າລະຫັດແບບໄຂ້ວ"
}, },
"action": { "action": {
"continue": "ສືບຕໍ່", "continue": "ສືບຕໍ່",
@ -3018,7 +2919,14 @@
"format_bold": "ຕົວໜາ", "format_bold": "ຕົວໜາ",
"format_strikethrough": "ບຸກທະລຸ", "format_strikethrough": "ບຸກທະລຸ",
"format_inline_code": "ລະຫັດ", "format_inline_code": "ລະຫັດ",
"format_code_block": "ບລັອກລະຫັດ" "format_code_block": "ບລັອກລະຫັດ",
"send_button_title": "ສົ່ງຂໍ້ຄວາມ",
"placeholder_thread_encrypted": "ຕອບກັບກະທູ້ທີ່ເຂົ້າລະຫັດໄວ້…",
"placeholder_thread": "ຕອບກັບກະທູ້…",
"placeholder_reply_encrypted": "ສົ່ງຄຳຕອບທີ່ເຂົ້າລະຫັດໄວ້…",
"placeholder_reply": "ສົ່ງຄຳຕອບ…",
"placeholder_encrypted": "ສົ່ງຂໍ້ຄວາມທີ່ເຂົ້າລະຫັດ…",
"placeholder": "ສົ່ງຂໍ້ຄວາມ…"
}, },
"Bold": "ຕົວໜາ", "Bold": "ຕົວໜາ",
"Code": "ລະຫັດ", "Code": "ລະຫັດ",
@ -3040,7 +2948,11 @@
"send_logs": "ສົ່ງບັນທຶກ", "send_logs": "ສົ່ງບັນທຶກ",
"github_issue": "ບັນຫາ GitHub", "github_issue": "ບັນຫາ GitHub",
"download_logs": "ບັນທຶກການດາວໂຫຼດ", "download_logs": "ບັນທຶກການດາວໂຫຼດ",
"before_submitting": "ກ່ອນທີ່ຈະສົ່ງບັນທຶກ, ທ່ານຕ້ອງ <a>ສ້າງບັນຫາ GitHub</a> ເພື່ອອະທິບາຍບັນຫາຂອງທ່ານ." "before_submitting": "ກ່ອນທີ່ຈະສົ່ງບັນທຶກ, ທ່ານຕ້ອງ <a>ສ້າງບັນຫາ GitHub</a> ເພື່ອອະທິບາຍບັນຫາຂອງທ່ານ.",
"collecting_information": "ກຳລັງເກັບກຳຂໍ້ມູນເວີຊັນແອັບ",
"collecting_logs": "ການເກັບກໍາຂໍ້ມູນບັນທຶກ",
"uploading_logs": "ກຳລັງບັນທຶກການອັບໂຫຼດ",
"downloading_logs": "ບັນທຶກການດາວໂຫຼດ"
}, },
"time": { "time": {
"seconds_left": "ຍັງເຫຼືອ %(seconds)s", "seconds_left": "ຍັງເຫຼືອ %(seconds)s",
@ -3178,7 +3090,9 @@
"toolbox": "ກ່ອງເຄື່ອງມື", "toolbox": "ກ່ອງເຄື່ອງມື",
"developer_tools": "ເຄື່ອງມືພັດທະນາ", "developer_tools": "ເຄື່ອງມືພັດທະນາ",
"room_id": "ID ຫ້ອງ: %(roomId)s", "room_id": "ID ຫ້ອງ: %(roomId)s",
"event_id": "ກໍລິນີ ID %(eventId)s" "event_id": "ກໍລິນີ ID %(eventId)s",
"category_room": "ຫ້ອງ",
"category_other": "ອື່ນໆ"
}, },
"export_chat": { "export_chat": {
"html": "HTML", "html": "HTML",
@ -3323,6 +3237,9 @@
"one": "%(names)s ແລະ ອີກຄົນນຶ່ງກຳລັງພິມ…", "one": "%(names)s ແລະ ອີກຄົນນຶ່ງກຳລັງພິມ…",
"other": "%(names)s and %(count)sຄົນອື່ນກຳລັງພິມ…" "other": "%(names)s and %(count)sຄົນອື່ນກຳລັງພິມ…"
} }
},
"m.call.hangup": {
"dm": "ສິ້ນສຸດການໂທ"
} }
}, },
"slash_command": { "slash_command": {
@ -3357,7 +3274,14 @@
"help": "ສະແດງລາຍຊື່ຄໍາສັ່ງທີ່ມີການໃຊ້ງານ ແລະ ຄໍາອະທິບາຍ", "help": "ສະແດງລາຍຊື່ຄໍາສັ່ງທີ່ມີການໃຊ້ງານ ແລະ ຄໍາອະທິບາຍ",
"whois": "ສະແດງຂໍ້ມູນກ່ຽວກັບຜູ້ໃຊ້", "whois": "ສະແດງຂໍ້ມູນກ່ຽວກັບຜູ້ໃຊ້",
"rageshake": "ສົ່ງບົດລາຍງານຂໍ້ຜິດພາດພ້ອມດ້ວຍການບັນທຶກເຫດການ", "rageshake": "ສົ່ງບົດລາຍງານຂໍ້ຜິດພາດພ້ອມດ້ວຍການບັນທຶກເຫດການ",
"msg": "ສົ່ງຂໍ້ຄວາມໄປຫາຜູ້ໃຊ້ທີ່ກຳນົດໄວ້" "msg": "ສົ່ງຂໍ້ຄວາມໄປຫາຜູ້ໃຊ້ທີ່ກຳນົດໄວ້",
"usage": "ການນໍາໃຊ້",
"category_messages": "ຂໍ້ຄວາມ",
"category_actions": "ການປະຕິບັດ",
"category_admin": "ບໍລິຫານ",
"category_advanced": "ຂັ້ນສູງ",
"category_effects": "ຜົນກະທົບ",
"category_other": "ອື່ນໆ"
}, },
"presence": { "presence": {
"busy": "ບໍ່ຫວ່າງ", "busy": "ບໍ່ຫວ່າງ",
@ -3371,5 +3295,98 @@
"offline": "ອອບໄລນ໌", "offline": "ອອບໄລນ໌",
"away": "ຫ່າງອອກໄປ" "away": "ຫ່າງອອກໄປ"
}, },
"Unknown": "ບໍ່ຮູ້ຈັກ" "Unknown": "ບໍ່ຮູ້ຈັກ",
"event_preview": {
"m.call.answer": {
"you": "ທ່ານເຂົ້າຮ່ວມການໂທ",
"user": "%(senderName)s ເຂົ້າຮ່ວມການໂທ",
"dm": "ກຳລັງໂທຢູ່"
},
"m.call.hangup": {
"you": "ທ່ານສິ້ນສຸດການໂທ",
"user": "%(senderName)s ວາງສາຍ"
},
"m.call.invite": {
"you": "ທ່ານເລີ່ມໂທ",
"user": "%(senderName)s ເລີ່ມໂທ",
"dm_send": "ລໍຖ້າຄໍາຕອບ",
"dm_receive": "%(senderName)s ກຳລັງໂທຫາ"
},
"m.emote": "* %(senderName)s%(emote)s",
"m.text": "%(senderName)s: %(message)s",
"m.sticker": "%(senderName)s: %(stickerName)s"
},
"voip": {
"disable_microphone": "ປິດສຽງໄມໂຄຣໂຟນ",
"enable_microphone": "ເປີດສຽງໄມໂຄຣໂຟນ",
"disable_camera": "ປິດກ້ອງຖ່າຍຮູບ",
"enable_camera": "ເປີດກ້ອງຖ່າຍຮູບ",
"audio_devices": "ອຸປະກອນສຽງ",
"video_devices": "ອຸປະກອນວິດີໂອ",
"dial": "ໂທ",
"you_are_presenting": "ທ່ານກໍາລັງນໍາສະເຫນີ",
"user_is_presenting": "%(sharerName)s ກຳລັງນຳສະເໜີ",
"camera_disabled": "ກ້ອງຂອງທ່ານປິດຢູ່",
"camera_enabled": "ກ້ອງຂອງທ່ານຍັງເປີດໃຊ້ງານຢູ່",
"consulting": "ໃຫ້ຄໍາປຶກສາກັບ %(transferTarget)s. <a>ໂອນໄປໃຫ້ %(transferee)s</a>",
"call_held_switch": "ທ່ານຖືການໂທ <a>Switch</a>",
"call_held_resume": "ທ່ານໄດ້ໂທຫາ <a>Resume</a>",
"call_held": "%(peerName)sຖືສາຍ",
"dialpad": "ປຸ່ມກົດ",
"stop_screenshare": "ຢຸດການແບ່ງປັນຫນ້າຈໍຂອງທ່ານ",
"start_screenshare": "ເລີ່ມການແບ່ງປັນໜ້າຈໍຂອງທ່ານ",
"hangup": "ວາງສາຍ",
"expand": "ກັບໄປທີ່ການໂທ",
"on_hold": "%(name)s ຖືກລະງັບໄວ້",
"voice_call": "ໂທດ້ວຍສຽງ",
"video_call": "ໂທດ້ວວິດີໂອ",
"unsilence": "ເປີດສຽງ",
"silence": "ປິດສຽງໂທ",
"unknown_caller": "ບໍ່ຮູ້ຈັກຜູ້ທີ່ໂທ",
"call_failed": "ໂທບໍ່ສຳເລັດ",
"unable_to_access_microphone": "ບໍ່ສາມາດເຂົ້າເຖິງໄມໂຄຣໂຟນໄດ້",
"call_failed_microphone": "ໂທບໍ່ສຳເລັດ ເນື່ອງຈາກບໍ່ສາມາດເຂົ້າເຖິງໄມໂຄຣໂຟນໄດ້. ກວດເບິ່ງວ່າສຽບໄມໂຄຣໂຟນ ແລະ ຕັ້ງຄ່າໃຫ້ຖືກຕ້ອງ.",
"unable_to_access_media": "ບໍ່ສາມາດເຂົ້າເຖິງ webcam / microphone ໄດ້",
"call_failed_media": "ການໂທບໍ່ສຳເລັດ ເນື່ອງຈາກເວັບແຄມ ຫຼື ບໍ່ສາມາດເຂົ້າເຖິງ ໄມໂຄຣໂຟນໄດ້. ກະລຸນາກວດເບິ່ງ:",
"call_failed_media_connected": "ໄມໂຄຣໂຟນ ແລະ ເວັບແຄມຖືກສຽບ ແລະ ຕັ້ງຢ່າງຖືກຕ້ອງ",
"call_failed_media_permissions": "ອະນຸຍາດໃຫ້ໃຊ້ webcam ໄດ້",
"call_failed_media_applications": "ບໍ່ມີແອັບພລິເຄຊັນອື່ນກຳລັງໃຊ້ກັບເວັບແຄັມ",
"already_in_call": "ຢູ່ໃນສາຍໂທແລ້ວ",
"already_in_call_person": "ທ່ານຢູ່ໃນການໂທກັບບຸກຄົນນີ້ແລ້ວ.",
"unsupported": "ບໍ່ຮອງຮັບການໂທ",
"unsupported_browser": "ທ່ານບໍ່ສາມາດໂທອອກໃນບຣາວເຊີນີ້ໄດ້."
},
"Messages": "ຂໍ້ຄວາມ",
"Other": "ອື່ນໆ",
"Advanced": "ຂັ້ນສູງ",
"room_settings": {
"permissions": {
"m.room.avatar_space": "ປ່ຽນຮູບ avatar",
"m.room.avatar": "ປ່ຽນ avatar ຂອງຫ້ອງ",
"m.room.name_space": "ປ່ຽນຊື່ພຶ້ນທີ່",
"m.room.name": "ປ່ຽນຊື່ຫ້ອງ",
"m.room.canonical_alias_space": "ປ່ຽນທີ່ຢູ່ຫຼັກສຳລັບພື້ນທີ່",
"m.room.canonical_alias": "ປ່ຽນທີ່ຢູ່ຫຼັກສຳລັບຫ້ອງ",
"m.space.child": "ຈັດການຫ້ອງຢູ່ໃນພື້ນທີ່ນີ້",
"m.room.history_visibility": "ປ່ຽນການເບິ່ງເຫັນປະຫວັດ",
"m.room.power_levels": "ປ່ຽນສິດອະນຸຍາດ",
"m.room.topic_space": "ປ່ຽນຄຳອະທິບາຍ",
"m.room.topic": "ປ່ຽນຫົວຂໍ້",
"m.room.tombstone": "ຍົກລະດັບຫ້ອງ",
"m.room.encryption": "ເປີດໃຊ້ການເຂົ້າລະຫັດຫ້ອງ",
"m.room.server_acl": "ປ່ຽນ ACL ຂອງເຊີບເວີ",
"m.reaction": "ສົ່ງການຕອບກັບ",
"m.room.redaction": "ເອົາຂໍ້ຄວາມທີ່ຂ້ອຍສົ່ງອອກ",
"m.widget": "ແກ້ໄຂ widget",
"m.room.pinned_events": "ຈັດການເຫດການທີ່ປັກໝຸດໄວ້",
"users_default": "ບົດບາດເລີ່ມຕົ້ນ",
"events_default": "ສົ່ງຂໍ້ຄວາມ",
"invite": "ເຊີນຜູ້ໃຊ້",
"state_default": "ປ່ຽນການຕັ້ງຄ່າ",
"kick": "ເອົາຜູ້ໃຊ້ອອກ",
"ban": "ຫ້າມຜູ້ໃຊ້",
"redact": "ລົບຂໍ້ຄວາມທີ່ຄົນອື່ນສົ່ງມາ",
"notifications.room": "ແຈ້ງເຕືອນທຸກຄົນ"
}
}
} }

View file

@ -21,13 +21,11 @@
"Filter results": "Išfiltruoti rezultatus", "Filter results": "Išfiltruoti rezultatus",
"No update available.": "Nėra galimų atnaujinimų.", "No update available.": "Nėra galimų atnaujinimų.",
"Noisy": "Triukšmingas", "Noisy": "Triukšmingas",
"Collecting app version information": "Renkama programos versijos informacija",
"Tuesday": "Antradienis", "Tuesday": "Antradienis",
"Search…": "Paieška…", "Search…": "Paieška…",
"Unnamed room": "Kambarys be pavadinimo", "Unnamed room": "Kambarys be pavadinimo",
"Saturday": "Šeštadienis", "Saturday": "Šeštadienis",
"Monday": "Pirmadienis", "Monday": "Pirmadienis",
"Collecting logs": "Renkami žurnalai",
"Rooms": "Kambariai", "Rooms": "Kambariai",
"Failed to forget room %(errCode)s": "Nepavyko pamiršti kambario %(errCode)s", "Failed to forget room %(errCode)s": "Nepavyko pamiršti kambario %(errCode)s",
"What's New": "Kas naujo", "What's New": "Kas naujo",
@ -45,7 +43,6 @@
"Low Priority": "Žemo prioriteto", "Low Priority": "Žemo prioriteto",
"Off": "Išjungta", "Off": "Išjungta",
"Thank you!": "Ačiū!", "Thank you!": "Ačiū!",
"Call Failed": "Skambutis Nepavyko",
"Permission Required": "Reikalingas Leidimas", "Permission Required": "Reikalingas Leidimas",
"Upload Failed": "Įkėlimas Nepavyko", "Upload Failed": "Įkėlimas Nepavyko",
"Sun": "Sek", "Sun": "Sek",
@ -77,7 +74,6 @@
"%(brand)s was not given permission to send notifications - please try again": "%(brand)s nebuvo suteiktas leidimas siųsti pranešimus - bandykite dar kartą", "%(brand)s was not given permission to send notifications - please try again": "%(brand)s nebuvo suteiktas leidimas siųsti pranešimus - bandykite dar kartą",
"Unable to enable Notifications": "Nepavyko įjungti Pranešimų", "Unable to enable Notifications": "Nepavyko įjungti Pranešimų",
"This email address was not found": "Šis el. pašto adresas buvo nerastas", "This email address was not found": "Šis el. pašto adresas buvo nerastas",
"Admin": "Administratorius",
"Failed to invite": "Nepavyko pakviesti", "Failed to invite": "Nepavyko pakviesti",
"You need to be logged in.": "Jūs turite būti prisijungę.", "You need to be logged in.": "Jūs turite būti prisijungę.",
"Unable to create widget.": "Nepavyko sukurti valdiklio.", "Unable to create widget.": "Nepavyko sukurti valdiklio.",
@ -104,10 +100,6 @@
"Failed to mute user": "Nepavyko nutildyti vartotojo", "Failed to mute user": "Nepavyko nutildyti vartotojo",
"Are you sure?": "Ar tikrai?", "Are you sure?": "Ar tikrai?",
"Admin Tools": "Administratoriaus įrankiai", "Admin Tools": "Administratoriaus įrankiai",
"Voice call": "Balso skambutis",
"Video call": "Vaizdo skambutis",
"Send an encrypted reply…": "Siųsti šifruotą atsakymą…",
"Send an encrypted message…": "Siųsti šifruotą žinutę…",
"Server error": "Serverio klaida", "Server error": "Serverio klaida",
"Command error": "Komandos klaida", "Command error": "Komandos klaida",
"(~%(count)s results)": { "(~%(count)s results)": {
@ -120,7 +112,6 @@
"Muted Users": "Nutildyti naudotojai", "Muted Users": "Nutildyti naudotojai",
"Anyone": "Bet kas", "Anyone": "Bet kas",
"Permissions": "Leidimai", "Permissions": "Leidimai",
"Advanced": "Išplėstiniai",
"This room has no local addresses": "Šis kambarys neturi jokių vietinių adresų", "This room has no local addresses": "Šis kambarys neturi jokių vietinių adresų",
"URL Previews": "URL nuorodų peržiūros", "URL Previews": "URL nuorodų peržiūros",
"Error decrypting attachment": "Klaida iššifruojant priedą", "Error decrypting attachment": "Klaida iššifruojant priedą",
@ -202,10 +193,8 @@
"Send analytics data": "Siųsti analitinius duomenis", "Send analytics data": "Siųsti analitinius duomenis",
"Change Password": "Keisti Slaptažodį", "Change Password": "Keisti Slaptažodį",
"Authentication": "Autentifikavimas", "Authentication": "Autentifikavimas",
"Hangup": "Padėti ragelį",
"Forget room": "Pamiršti kambarį", "Forget room": "Pamiršti kambarį",
"Share room": "Bendrinti kambarį", "Share room": "Bendrinti kambarį",
"Usage": "Naudojimas",
"Please contact your homeserver administrator.": "Susisiekite su savo serverio administratoriumi.", "Please contact your homeserver administrator.": "Susisiekite su savo serverio administratoriumi.",
"Enable URL previews for this room (only affects you)": "Įjungti URL nuorodų peržiūras šiame kambaryje (įtakoja tik jus)", "Enable URL previews for this room (only affects you)": "Įjungti URL nuorodų peržiūras šiame kambaryje (įtakoja tik jus)",
"Enable URL previews by default for participants in this room": "Įjungti URL nuorodų peržiūras kaip numatytasias šiame kambaryje esantiems dalyviams", "Enable URL previews by default for participants in this room": "Įjungti URL nuorodų peržiūras kaip numatytasias šiame kambaryje esantiems dalyviams",
@ -258,7 +247,6 @@
}, },
"This room has been replaced and is no longer active.": "Šis kambarys buvo pakeistas ir daugiau nebėra aktyvus.", "This room has been replaced and is no longer active.": "Šis kambarys buvo pakeistas ir daugiau nebėra aktyvus.",
"You do not have permission to post to this room": "Jūs neturite leidimų rašyti šiame kambaryje", "You do not have permission to post to this room": "Jūs neturite leidimų rašyti šiame kambaryje",
"System Alerts": "Sistemos įspėjimai",
"Failed to unban": "Nepavyko atblokuoti", "Failed to unban": "Nepavyko atblokuoti",
"not specified": "nenurodyta", "not specified": "nenurodyta",
"In encrypted rooms, like this one, URL previews are disabled by default to ensure that your homeserver (where the previews are generated) cannot gather information about links you see in this room.": "Šifruotuose kambariuose, tokiuose kaip šis, URL nuorodų peržiūros pagal numatymą yra išjungtos, kad būtų užtikrinta, jog jūsų serveris (kur yra generuojamos peržiūros) negali rinkti informacijos apie jūsų šiame kambaryje peržiūrėtas nuorodas.", "In encrypted rooms, like this one, URL previews are disabled by default to ensure that your homeserver (where the previews are generated) cannot gather information about links you see in this room.": "Šifruotuose kambariuose, tokiuose kaip šis, URL nuorodų peržiūros pagal numatymą yra išjungtos, kad būtų užtikrinta, jog jūsų serveris (kur yra generuojamos peržiūros) negali rinkti informacijos apie jūsų šiame kambaryje peržiūrėtas nuorodas.",
@ -348,9 +336,6 @@
"Only continue if you trust the owner of the server.": "Tęskite tik tuo atveju, jei pasitikite serverio savininku.", "Only continue if you trust the owner of the server.": "Tęskite tik tuo atveju, jei pasitikite serverio savininku.",
"You need to be able to invite users to do that.": "Norėdami tai atlikti jūs turite turėti galimybę pakviesti vartotojus.", "You need to be able to invite users to do that.": "Norėdami tai atlikti jūs turite turėti galimybę pakviesti vartotojus.",
"Power level must be positive integer.": "Galios lygis privalo būti teigiamas sveikasis skaičius.", "Power level must be positive integer.": "Galios lygis privalo būti teigiamas sveikasis skaičius.",
"Messages": "Žinutės",
"Actions": "Veiksmai",
"Other": "Kitas",
"Use an identity server": "Naudoti tapatybės serverį", "Use an identity server": "Naudoti tapatybės serverį",
"Use an identity server to invite by email. Click continue to use the default identity server (%(defaultIdentityServerName)s) or manage in Settings.": "Norėdami pakviesti nurodydami el. paštą, naudokite tapatybės serverį. Tam, kad toliau būtų naudojamas numatytasis tapatybės serveris %(defaultIdentityServerName)s, spauskite tęsti, arba tvarkykite Nustatymuose.", "Use an identity server to invite by email. Click continue to use the default identity server (%(defaultIdentityServerName)s) or manage in Settings.": "Norėdami pakviesti nurodydami el. paštą, naudokite tapatybės serverį. Tam, kad toliau būtų naudojamas numatytasis tapatybės serveris %(defaultIdentityServerName)s, spauskite tęsti, arba tvarkykite Nustatymuose.",
"Use an identity server to invite by email. Manage in Settings.": "Norėdami pakviesti nurodydami el. paštą, naudokite tapatybės serverį. Tvarkykite nustatymuose.", "Use an identity server to invite by email. Manage in Settings.": "Norėdami pakviesti nurodydami el. paštą, naudokite tapatybės serverį. Tvarkykite nustatymuose.",
@ -418,13 +403,6 @@
"Enter username": "Įveskite vartotojo vardą", "Enter username": "Įveskite vartotojo vardą",
"Create account": "Sukurti paskyrą", "Create account": "Sukurti paskyrą",
"Change identity server": "Pakeisti tapatybės serverį", "Change identity server": "Pakeisti tapatybės serverį",
"Change room avatar": "Keisti kambario pseudoportretą",
"Change room name": "Keisti kambario pavadinimą",
"Change main address for the room": "Keisti pagrindinį kambario adresą",
"Change history visibility": "Keisti istorijos matomumą",
"Change permissions": "Keisti leidimus",
"Change topic": "Keisti temą",
"Change settings": "Keisti nustatymus",
"Select the roles required to change various parts of the room": "Pasirinkite įvairių kambario dalių keitimui reikalingas roles", "Select the roles required to change various parts of the room": "Pasirinkite įvairių kambario dalių keitimui reikalingas roles",
"You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.": "Jūs neturėsite galimybės atšaukti šio keitimo, kadangi jūs žeminate savo privilegijas kambaryje. Jei jūs esate paskutinis privilegijuotas vartotojas kambaryje, atgauti privilegijas bus neįmanoma.", "You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.": "Jūs neturėsite galimybės atšaukti šio keitimo, kadangi jūs žeminate savo privilegijas kambaryje. Jei jūs esate paskutinis privilegijuotas vartotojas kambaryje, atgauti privilegijas bus neįmanoma.",
"Failed to change power level": "Nepavyko pakeisti galios lygio", "Failed to change power level": "Nepavyko pakeisti galios lygio",
@ -555,7 +533,6 @@
"If you've joined lots of rooms, this might take a while": "Jei esate prisijungę prie daug kambarių, tai gali užtrukti", "If you've joined lots of rooms, this might take a while": "Jei esate prisijungę prie daug kambarių, tai gali užtrukti",
"Later": "Vėliau", "Later": "Vėliau",
"This room is end-to-end encrypted": "Šis kambarys visapusiškai užšifruotas", "This room is end-to-end encrypted": "Šis kambarys visapusiškai užšifruotas",
"Send a message…": "Siųsti žinutę…",
"Send as message": "Siųsti kaip žinutę", "Send as message": "Siųsti kaip žinutę",
"Messages in this room are end-to-end encrypted.": "Žinutės šiame kambaryje yra visapusiškai užšifruotos.", "Messages in this room are end-to-end encrypted.": "Žinutės šiame kambaryje yra visapusiškai užšifruotos.",
"Messages in this room are not end-to-end encrypted.": "Žinutės šiame kambaryje nėra visapusiškai užšifruotos.", "Messages in this room are not end-to-end encrypted.": "Žinutės šiame kambaryje nėra visapusiškai užšifruotos.",
@ -593,7 +570,6 @@
"Cryptography": "Kriptografija", "Cryptography": "Kriptografija",
"Security & Privacy": "Saugumas ir Privatumas", "Security & Privacy": "Saugumas ir Privatumas",
"Voice & Video": "Garsas ir Vaizdas", "Voice & Video": "Garsas ir Vaizdas",
"Enable room encryption": "Įjungti kambario šifravimą",
"Enable encryption?": "Įjungti šifravimą?", "Enable encryption?": "Įjungti šifravimą?",
"Encryption": "Šifravimas", "Encryption": "Šifravimas",
"Once enabled, encryption cannot be disabled.": "Įjungus šifravimą jo nebus galima išjungti.", "Once enabled, encryption cannot be disabled.": "Įjungus šifravimą jo nebus galima išjungti.",
@ -760,12 +736,10 @@
"If you don't want to use <server /> to discover and be discoverable by existing contacts you know, enter another identity server below.": "Jei jūs nenorite naudoti <server /> serverio radimui ir tam, kad būtumėte randamas esamų, jums žinomų kontaktų, žemiau įveskite kitą tapatybės serverį.", "If you don't want to use <server /> to discover and be discoverable by existing contacts you know, enter another identity server below.": "Jei jūs nenorite naudoti <server /> serverio radimui ir tam, kad būtumėte randamas esamų, jums žinomų kontaktų, žemiau įveskite kitą tapatybės serverį.",
"Using an identity server is optional. If you choose not to use an identity server, you won't be discoverable by other users and you won't be able to invite others by email or phone.": "Tapatybės serverio naudojimas yra pasirinktinis. Jei jūs pasirinksite jo nenaudoti, jūs nebūsite randamas kitų vartotojų ir neturėsite galimybės pakviesti kitų nurodydamas el. paštą ar telefoną.", "Using an identity server is optional. If you choose not to use an identity server, you won't be discoverable by other users and you won't be able to invite others by email or phone.": "Tapatybės serverio naudojimas yra pasirinktinis. Jei jūs pasirinksite jo nenaudoti, jūs nebūsite randamas kitų vartotojų ir neturėsite galimybės pakviesti kitų nurodydamas el. paštą ar telefoną.",
"Do not use an identity server": "Nenaudoti tapatybės serverio", "Do not use an identity server": "Nenaudoti tapatybės serverio",
"Cross-signing": "Kryžminis pasirašymas",
"Error changing power level requirement": "Klaida keičiant galios lygio reikalavimą", "Error changing power level requirement": "Klaida keičiant galios lygio reikalavimą",
"An error occurred changing the room's power level requirements. Ensure you have sufficient permissions and try again.": "Keičiant kambario galios lygio reikalavimus įvyko klaida. Įsitikinkite, kad turite tam leidimą ir bandykite dar kartą.", "An error occurred changing the room's power level requirements. Ensure you have sufficient permissions and try again.": "Keičiant kambario galios lygio reikalavimus įvyko klaida. Įsitikinkite, kad turite tam leidimą ir bandykite dar kartą.",
"Error changing power level": "Klaida keičiant galios lygį", "Error changing power level": "Klaida keičiant galios lygį",
"An error occurred changing the user's power level. Ensure you have sufficient permissions and try again.": "Keičiant vartotojo galios lygį įvyko klaida. Įsitikinkite, kad turite tam leidimą ir bandykite dar kartą.", "An error occurred changing the user's power level. Ensure you have sufficient permissions and try again.": "Keičiant vartotojo galios lygį įvyko klaida. Įsitikinkite, kad turite tam leidimą ir bandykite dar kartą.",
"Default role": "Numatytoji rolė",
"This user has not verified all of their sessions.": "Šis vartotojas nepatvirtino visų savo seansų.", "This user has not verified all of their sessions.": "Šis vartotojas nepatvirtino visų savo seansų.",
"You have not verified this user.": "Jūs nepatvirtinote šio vartotojo.", "You have not verified this user.": "Jūs nepatvirtinote šio vartotojo.",
"You have verified this user. This user has verified all of their sessions.": "Jūs patvirtinote šį vartotoją. Šis vartotojas patvirtino visus savo seansus.", "You have verified this user. This user has verified all of their sessions.": "Jūs patvirtinote šį vartotoją. Šis vartotojas patvirtino visus savo seansus.",
@ -980,7 +954,6 @@
"other": "Galite prisegti tik iki %(count)s valdiklių" "other": "Galite prisegti tik iki %(count)s valdiklių"
}, },
"Hide Widgets": "Slėpti Valdiklius", "Hide Widgets": "Slėpti Valdiklius",
"Modify widgets": "Keisti valdiklius",
"%(brand)s now uses 3-5x less memory, by only loading information about other users when needed. Please wait whilst we resynchronise with the server!": "%(brand)s dabar naudoja 3-5 kartus mažiau atminties, įkeliant vartotojų informaciją tik prireikus. Palaukite, kol mes iš naujo sinchronizuosime su serveriu!", "%(brand)s now uses 3-5x less memory, by only loading information about other users when needed. Please wait whilst we resynchronise with the server!": "%(brand)s dabar naudoja 3-5 kartus mažiau atminties, įkeliant vartotojų informaciją tik prireikus. Palaukite, kol mes iš naujo sinchronizuosime su serveriu!",
"You are about to be taken to a third-party site so you can authenticate your account for use with %(integrationsUrl)s. Do you wish to continue?": "Jūs būsite nukreipti į trečiosios šalies svetainę, kad galėtumėte patvirtinti savo paskyrą naudojimui su %(integrationsUrl)s. Ar norite tęsti?", "You are about to be taken to a third-party site so you can authenticate your account for use with %(integrationsUrl)s. Do you wish to continue?": "Jūs būsite nukreipti į trečiosios šalies svetainę, kad galėtumėte patvirtinti savo paskyrą naudojimui su %(integrationsUrl)s. Ar norite tęsti?",
"Once enabled, encryption for a room cannot be disabled. Messages sent in an encrypted room cannot be seen by the server, only by the participants of the room. Enabling encryption may prevent many bots and bridges from working correctly. <a>Learn more about encryption.</a>": "Įjungus kambario šifravimą jo išjungti negalima. Žinutės, siunčiamos šifruotame kambaryje, nėra matomos serverio. Jas gali matyti tik kambario dalyviai. Įjungus šifravimą, daugelis botų ir tiltų gali veikti netinkamai. <a>Sužinoti daugiau apie šifravimą.</a>", "Once enabled, encryption for a room cannot be disabled. Messages sent in an encrypted room cannot be seen by the server, only by the participants of the room. Enabling encryption may prevent many bots and bridges from working correctly. <a>Learn more about encryption.</a>": "Įjungus kambario šifravimą jo išjungti negalima. Žinutės, siunčiamos šifruotame kambaryje, nėra matomos serverio. Jas gali matyti tik kambario dalyviai. Įjungus šifravimą, daugelis botų ir tiltų gali veikti netinkamai. <a>Sužinoti daugiau apie šifravimą.</a>",
@ -995,8 +968,6 @@
"Join the conversation with an account": "Prisijunkite prie pokalbio su paskyra", "Join the conversation with an account": "Prisijunkite prie pokalbio su paskyra",
"Join Room": "Prisijungti prie kambario", "Join Room": "Prisijungti prie kambario",
"Subscribing to a ban list will cause you to join it!": "Užsiprenumeravus draudimų sąrašą, būsite prie jo prijungtas!", "Subscribing to a ban list will cause you to join it!": "Užsiprenumeravus draudimų sąrašą, būsite prie jo prijungtas!",
"%(senderName)s joined the call": "%(senderName)s prisijungė prie skambučio",
"You joined the call": "Jūs prisijungėte prie skambučio",
"Joins room with given address": "Prisijungia prie kambario su nurodytu adresu", "Joins room with given address": "Prisijungia prie kambario su nurodytu adresu",
"You have ignored this user, so their message is hidden. <a>Show anyways.</a>": "Jūs ignoravote šį vartotoją, todėl jo žinutė yra paslėpta. <a>Rodyti vistiek.</a>", "You have ignored this user, so their message is hidden. <a>Show anyways.</a>": "Jūs ignoravote šį vartotoją, todėl jo žinutė yra paslėpta. <a>Rodyti vistiek.</a>",
"When someone puts a URL in their message, a URL preview can be shown to give more information about that link such as the title, description, and an image from the website.": "Kai kas nors į savo žinutę įtraukia URL, gali būti rodoma URL peržiūra, suteikianti daugiau informacijos apie tą nuorodą, tokios kaip pavadinimas, aprašymas ir vaizdas iš svetainės.", "When someone puts a URL in their message, a URL preview can be shown to give more information about that link such as the title, description, and an image from the website.": "Kai kas nors į savo žinutę įtraukia URL, gali būti rodoma URL peržiūra, suteikianti daugiau informacijos apie tą nuorodą, tokios kaip pavadinimas, aprašymas ir vaizdas iš svetainės.",
@ -1034,7 +1005,6 @@
"Could not find user in room": "Vartotojo rasti kambaryje nepavyko", "Could not find user in room": "Vartotojo rasti kambaryje nepavyko",
"You signed in to a new session without verifying it:": "Jūs prisijungėte prie naujo seanso, jo nepatvirtinę:", "You signed in to a new session without verifying it:": "Jūs prisijungėte prie naujo seanso, jo nepatvirtinę:",
"You can also set up Secure Backup & manage your keys in Settings.": "Jūs taip pat galite nustatyti Saugią Atsarginę Kopiją ir tvarkyti savo raktus Nustatymuose.", "You can also set up Secure Backup & manage your keys in Settings.": "Jūs taip pat galite nustatyti Saugią Atsarginę Kopiją ir tvarkyti savo raktus Nustatymuose.",
"Secure Backup": "Saugi Atsarginė Kopija",
"Set up Secure Backup": "Nustatyti Saugią Atsarginę Kopiją", "Set up Secure Backup": "Nustatyti Saugią Atsarginę Kopiją",
"Ok": "Gerai", "Ok": "Gerai",
"Contact your <a>server admin</a>.": "Susisiekite su savo <a>serverio administratoriumi</a>.", "Contact your <a>server admin</a>.": "Susisiekite su savo <a>serverio administratoriumi</a>.",
@ -1064,7 +1034,6 @@
}, },
"Remove %(phone)s?": "Pašalinti %(phone)s?", "Remove %(phone)s?": "Pašalinti %(phone)s?",
"Remove %(email)s?": "Pašalinti %(email)s?", "Remove %(email)s?": "Pašalinti %(email)s?",
"Remove messages sent by others": "Pašalinti kitų siųstas žinutes",
"Remove for everyone": "Pašalinti visiems", "Remove for everyone": "Pašalinti visiems",
"Popout widget": "Iššokti valdiklį", "Popout widget": "Iššokti valdiklį",
"Video conference started by %(senderName)s": "%(senderName)s pradėjo video konferenciją", "Video conference started by %(senderName)s": "%(senderName)s pradėjo video konferenciją",
@ -1146,9 +1115,6 @@
"This bridge was provisioned by <user />.": "Šis tiltas buvo parūpintas <user />.", "This bridge was provisioned by <user />.": "Šis tiltas buvo parūpintas <user />.",
"Your server isn't responding to some <a>requests</a>.": "Jūsų serveris neatsako į kai kurias <a>užklausas</a>.", "Your server isn't responding to some <a>requests</a>.": "Jūsų serveris neatsako į kai kurias <a>užklausas</a>.",
"Unable to find a supported verification method.": "Nepavyko rasti palaikomo patvirtinimo metodo.", "Unable to find a supported verification method.": "Nepavyko rasti palaikomo patvirtinimo metodo.",
"Unknown caller": "Nežinomas skambintojas",
"Downloading logs": "Parsiunčiami žurnalai",
"Uploading logs": "Įkeliami žurnalai",
"System font name": "Sistemos šrifto pavadinimas", "System font name": "Sistemos šrifto pavadinimas",
"Use a system font": "Naudoti sistemos šriftą", "Use a system font": "Naudoti sistemos šriftą",
"Use custom size": "Naudoti pasirinktinį dydį", "Use custom size": "Naudoti pasirinktinį dydį",
@ -1158,15 +1124,6 @@
"You might enable this if the room will only be used for collaborating with internal teams on your homeserver. This cannot be changed later.": "Jūs galite tai įjungti, jei kambarys bus naudojamas tik bendradarbiavimui su vidinėmis komandomis jūsų serveryje. Tai negali būti vėliau pakeista.", "You might enable this if the room will only be used for collaborating with internal teams on your homeserver. This cannot be changed later.": "Jūs galite tai įjungti, jei kambarys bus naudojamas tik bendradarbiavimui su vidinėmis komandomis jūsų serveryje. Tai negali būti vėliau pakeista.",
"Your server requires encryption to be enabled in private rooms.": "Jūsų serveris reikalauja, kad šifravimas būtų įjungtas privačiuose kambariuose.", "Your server requires encryption to be enabled in private rooms.": "Jūsų serveris reikalauja, kad šifravimas būtų įjungtas privačiuose kambariuose.",
"You don't currently have any stickerpacks enabled": "Jūs šiuo metu neturite jokių įjungtų lipdukų paketų", "You don't currently have any stickerpacks enabled": "Jūs šiuo metu neturite jokių įjungtų lipdukų paketų",
"%(senderName)s: %(stickerName)s": "%(senderName)s: %(stickerName)s",
"%(senderName)s: %(message)s": "%(senderName)s: %(message)s",
"* %(senderName)s %(emote)s": "* %(senderName)s %(emote)s",
"%(senderName)s is calling": "%(senderName)s skambina",
"Waiting for answer": "Laukiama atsakymo",
"%(senderName)s started a call": "%(senderName)s pradėjo skambutį",
"You started a call": "Jūs pradėjote skambutį",
"Call ended": "Skambutis baigtas",
"Call in progress": "Vykdomas skambutis",
"Verifying this user will mark their session as trusted, and also mark your session as trusted to them.": "Patvirtinant šį vartotoją, jo seansas bus pažymėtas kaip patikimas, taip pat jūsų seansas bus pažymėtas kaip patikimas jam.", "Verifying this user will mark their session as trusted, and also mark your session as trusted to them.": "Patvirtinant šį vartotoją, jo seansas bus pažymėtas kaip patikimas, taip pat jūsų seansas bus pažymėtas kaip patikimas jam.",
"Verify the link in your inbox": "Patvirtinkite nuorodą savo el. pašto dėžutėje", "Verify the link in your inbox": "Patvirtinkite nuorodą savo el. pašto dėžutėje",
"Click the link in the email you received to verify and then click continue again.": "Paspauskite nuorodą gautame el. laiške, kad patvirtintumėte, tada dar kartą spustelėkite tęsti.", "Click the link in the email you received to verify and then click continue again.": "Paspauskite nuorodą gautame el. laiške, kad patvirtintumėte, tada dar kartą spustelėkite tęsti.",
@ -1217,13 +1174,6 @@
"United Kingdom": "Jungtinė Karalystė", "United Kingdom": "Jungtinė Karalystė",
"You've reached the maximum number of simultaneous calls.": "Pasiekėte maksimalų vienu metu vykdomų skambučių skaičių.", "You've reached the maximum number of simultaneous calls.": "Pasiekėte maksimalų vienu metu vykdomų skambučių skaičių.",
"Too Many Calls": "Per daug skambučių", "Too Many Calls": "Per daug skambučių",
"No other application is using the webcam": "Jokia kita programa nenaudoja kameros",
"Permission is granted to use the webcam": "Suteiktas leidimas naudoti kamerą",
"A microphone and webcam are plugged in and set up correctly": "Mikrofonas ir kamera yra prijungti ir tinkamai nustatyti",
"Call failed because webcam or microphone could not be accessed. Check that:": "Skambutis nepavyko, nes kamera arba mikrofonas negali būti pasiekta. Patikrinkite tai:",
"Unable to access webcam / microphone": "Nepavyksta pasiekti kameros / mikrofono",
"Call failed because microphone could not be accessed. Check that a microphone is plugged in and set up correctly.": "Skambutis nepavyko, nes mikrofonas negali būti pasiektas. Patikrinkite, ar mikrofonas yra prijungtas ir tinkamai nustatytas.",
"Unable to access microphone": "Nepavyksta pasiekti mikrofono",
"Local Addresses": "Vietiniai Adresai", "Local Addresses": "Vietiniai Adresai",
"If you have previously used a more recent version of %(brand)s, your session may be incompatible with this version. Close this window and return to the more recent version.": "Jei anksčiau naudojote naujesnę %(brand)s versiją, jūsų seansas gali būti nesuderinamas su šia versija. Uždarykite šį langą ir grįžkite į naujesnę versiją.", "If you have previously used a more recent version of %(brand)s, your session may be incompatible with this version. Close this window and return to the more recent version.": "Jei anksčiau naudojote naujesnę %(brand)s versiją, jūsų seansas gali būti nesuderinamas su šia versija. Uždarykite šį langą ir grįžkite į naujesnę versiją.",
"We encountered an error trying to restore your previous session.": "Bandant atkurti ankstesnį seansą įvyko klaida.", "We encountered an error trying to restore your previous session.": "Bandant atkurti ankstesnį seansą įvyko klaida.",
@ -1288,8 +1238,6 @@
"Belgium": "Belgija", "Belgium": "Belgija",
"Bangladesh": "Bangladešas", "Bangladesh": "Bangladešas",
"We couldn't log you in": "Mes negalėjome jūsų prijungti", "We couldn't log you in": "Mes negalėjome jūsų prijungti",
"You're already in a call with this person.": "Jūs jau esate pokalbyje su šiuo asmeniu.",
"Already in call": "Jau pokalbyje",
"Confirm your Security Phrase": "Patvirtinkite savo Saugumo Frazę", "Confirm your Security Phrase": "Patvirtinkite savo Saugumo Frazę",
"Generate a Security Key": "Generuoti Saugumo Raktą", "Generate a Security Key": "Generuoti Saugumo Raktą",
"Save your Security Key": "Išsaugoti savo Saugumo Raktą", "Save your Security Key": "Išsaugoti savo Saugumo Raktą",
@ -1516,8 +1464,6 @@
"Unable to look up phone number": "Nepavyko rasti telefono numerio", "Unable to look up phone number": "Nepavyko rasti telefono numerio",
"You cannot place calls without a connection to the server.": "Jūs negalite skambinti kai nėra ryšio su serveriu.", "You cannot place calls without a connection to the server.": "Jūs negalite skambinti kai nėra ryšio su serveriu.",
"Connectivity to the server has been lost": "Ryšys su serveriu nutrūko", "Connectivity to the server has been lost": "Ryšys su serveriu nutrūko",
"You cannot place calls in this browser.": "Jūs negalite skambinti šioje naršyklėje.",
"Calls are unsupported": "Skambučiai nėra palaikomi",
"Unable to share email address": "Nepavyko pasidalinti el. pašto adresu", "Unable to share email address": "Nepavyko pasidalinti el. pašto adresu",
"Verification code": "Patvirtinimo kodas", "Verification code": "Patvirtinimo kodas",
"Olm version:": "Olm versija:", "Olm version:": "Olm versija:",
@ -1562,11 +1508,6 @@
"Address": "Adresas", "Address": "Adresas",
"Search %(spaceName)s": "Ieškoti %(spaceName)s", "Search %(spaceName)s": "Ieškoti %(spaceName)s",
"Delete avatar": "Ištrinti avatarą", "Delete avatar": "Ištrinti avatarą",
"Return to call": "Grįžti prie skambučio",
"Start the camera": "Įjungti kamerą",
"Stop the camera": "Išjungti kamerą",
"Unmute the microphone": "Įjungti mikrofoną",
"Mute the microphone": "Išjungti mikrofoną",
"More": "Daugiau", "More": "Daugiau",
"Connecting": "Jungiamasi", "Connecting": "Jungiamasi",
"sends fireworks": "nusiunčia fejerverkus", "sends fireworks": "nusiunčia fejerverkus",
@ -1655,7 +1596,6 @@
"Revoke invite": "Atšaukti kvietimą", "Revoke invite": "Atšaukti kvietimą",
"Could not revoke the invite. The server may be experiencing a temporary problem or you do not have sufficient permissions to revoke the invite.": "Kvietimo atšaukti nepavyko. Gali būti, kad serveryje kilo laikina problema arba neturite pakankamų leidimų atšaukti kvietimą.", "Could not revoke the invite. The server may be experiencing a temporary problem or you do not have sufficient permissions to revoke the invite.": "Kvietimo atšaukti nepavyko. Gali būti, kad serveryje kilo laikina problema arba neturite pakankamų leidimų atšaukti kvietimą.",
"Failed to revoke invite": "Nepavyko atšaukti kvietimo", "Failed to revoke invite": "Nepavyko atšaukti kvietimo",
"Stickerpack": "Lipdukų paketas",
"Add some now": "Pridėkite keletą dabar", "Add some now": "Pridėkite keletą dabar",
"This room is running room version <roomVersion />, which this homeserver has marked as <i>unstable</i>.": "Šiame kambaryje naudojama kambario versija <roomVersion />, kurią šis namų serveris pažymėjo kaip <i>nestabilią</i>.", "This room is running room version <roomVersion />, which this homeserver has marked as <i>unstable</i>.": "Šiame kambaryje naudojama kambario versija <roomVersion />, kurią šis namų serveris pažymėjo kaip <i>nestabilią</i>.",
"This room has already been upgraded.": "Šis kambarys jau yra atnaujintas.", "This room has already been upgraded.": "Šis kambarys jau yra atnaujintas.",
@ -1738,21 +1678,6 @@
"Select the roles required to change various parts of the space": "Pasirinkti roles, reikalingas įvairioms erdvės dalims keisti", "Select the roles required to change various parts of the space": "Pasirinkti roles, reikalingas įvairioms erdvės dalims keisti",
"Send %(eventType)s events": "Siųsti %(eventType)s įvykius", "Send %(eventType)s events": "Siųsti %(eventType)s įvykius",
"No users have specific privileges in this room": "Šiame kambaryje nėra naudotojų, turinčių konkrečias privilegijas", "No users have specific privileges in this room": "Šiame kambaryje nėra naudotojų, turinčių konkrečias privilegijas",
"Notify everyone": "Pranešti visiems",
"Ban users": "Užblokuoti naudotojus",
"Remove users": "Pašalinti naudotojus",
"Invite users": "Kviesti naudotojus",
"Send messages": "Siųsti žinutes",
"Manage pinned events": "Valdyti prisegtus įvykius",
"Remove messages sent by me": "Pašalinti mano išsiųstas žinutes",
"Send reactions": "Siųsti reakcijas",
"Change server ACLs": "Keisti serverių ACL",
"Upgrade the room": "Atnaujinti kambarį",
"Change description": "Keisti aprašymą",
"Manage rooms in this space": "Valdyti kambarius šioje erdvėje",
"Change main address for the space": "Keisti pagrindinį erdvės adresą",
"Change space name": "Keisti erdvės pavadinimą",
"Change space avatar": "Keisti erdvės avatarą",
"Banned by %(displayName)s": "Užblokuotas nuo %(displayName)s", "Banned by %(displayName)s": "Užblokuotas nuo %(displayName)s",
"You won't get any notifications": "Negausite jokių pranešimų", "You won't get any notifications": "Negausite jokių pranešimų",
"Get notified only with mentions and keywords as set up in your <a>settings</a>": "Gaukite pranešimus tik apie paminėjimus ir raktinius žodžius, kaip nustatyta jūsų <a>nustatymuose</a>", "Get notified only with mentions and keywords as set up in your <a>settings</a>": "Gaukite pranešimus tik apie paminėjimus ir raktinius žodžius, kaip nustatyta jūsų <a>nustatymuose</a>",
@ -1841,10 +1766,8 @@
"Spaces": "Erdvės", "Spaces": "Erdvės",
"Messaging": "Žinučių siuntimas", "Messaging": "Žinučių siuntimas",
"Back to thread": "Grįžti prie temos", "Back to thread": "Grįžti prie temos",
"You ended the call": "Baigėte skambutį",
"Room members": "Kambario nariai", "Room members": "Kambario nariai",
"Back to chat": "Grįžti į pokalbį", "Back to chat": "Grįžti į pokalbį",
"%(senderName)s ended the call": "%(senderName)s baigė skambutį",
"Other rooms": "Kiti kambariai", "Other rooms": "Kiti kambariai",
"All rooms": "Visi kambariai", "All rooms": "Visi kambariai",
"You were disconnected from the call. (Error: %(message)s)": "Jūsų skambutis buvo nutrauktas. (Klaida: %(message)s)", "You were disconnected from the call. (Error: %(message)s)": "Jūsų skambutis buvo nutrauktas. (Klaida: %(message)s)",
@ -1858,8 +1781,6 @@
"Use app": "Naudoti programėlę", "Use app": "Naudoti programėlę",
"%(brand)s is experimental on a mobile web browser. For a better experience and the latest features, use our free native app.": "%(brand)s yra eksperimentinis mobiliojoje žiniatinklio naršyklėje. Jei norite geresnės patirties ir naujausių funkcijų, naudokitės nemokama vietine programėle.", "%(brand)s is experimental on a mobile web browser. For a better experience and the latest features, use our free native app.": "%(brand)s yra eksperimentinis mobiliojoje žiniatinklio naršyklėje. Jei norite geresnės patirties ir naujausių funkcijų, naudokitės nemokama vietine programėle.",
"Use app for a better experience": "Naudokite programėlę geresnei patirčiai", "Use app for a better experience": "Naudokite programėlę geresnei patirčiai",
"Silence call": "Nutildyti skambutį",
"Sound on": "Garsas įjungtas",
"Enable desktop notifications": "Įjungti darbalaukio pranešimus", "Enable desktop notifications": "Įjungti darbalaukio pranešimus",
"Don't miss a reply": "Nepraleiskite atsakymų", "Don't miss a reply": "Nepraleiskite atsakymų",
"Review to ensure your account is safe": "Peržiūrėkite, ar jūsų paskyra yra saugi", "Review to ensure your account is safe": "Peržiūrėkite, ar jūsų paskyra yra saugi",
@ -1901,27 +1822,9 @@
"Waiting for you to verify on your other device, %(deviceName)s (%(deviceId)s)…": "Laukiama, kol patvirtinsite kitame įrenginyje, %(deviceName)s (%(deviceId)s)…", "Waiting for you to verify on your other device, %(deviceName)s (%(deviceId)s)…": "Laukiama, kol patvirtinsite kitame įrenginyje, %(deviceName)s (%(deviceId)s)…",
"Verify this device by confirming the following number appears on its screen.": "Patvirtinkite šį prietaisą patvirtindami, kad jo ekrane rodomas šis numeris.", "Verify this device by confirming the following number appears on its screen.": "Patvirtinkite šį prietaisą patvirtindami, kad jo ekrane rodomas šis numeris.",
"Confirm the emoji below are displayed on both devices, in the same order:": "Patvirtinkite, kad toliau pateikti jaustukai rodomi abiejuose prietaisuose ta pačia tvarka:", "Confirm the emoji below are displayed on both devices, in the same order:": "Patvirtinkite, kad toliau pateikti jaustukai rodomi abiejuose prietaisuose ta pačia tvarka:",
"%(name)s on hold": "%(name)s sulaikytas",
"Show sidebar": "Rodyti šoninę juostą", "Show sidebar": "Rodyti šoninę juostą",
"Hide sidebar": "Slėpti šoninę juostą", "Hide sidebar": "Slėpti šoninę juostą",
"Start sharing your screen": "Pradėti bendrinti savo ekraną",
"Stop sharing your screen": "Nustoti bendrinti savo ekraną",
"Dialpad": "Rinkiklis",
"%(peerName)s held the call": "%(peerName)s pristabdė skambutį",
"You held the call <a>Resume</a>": "Jūs pristabdėte skambutį <a>Tęsti</a>",
"You held the call <a>Switch</a>": "Jūs pristabdėte skambutį <a>Perjungti</a>",
"unknown person": "nežinomas asmuo", "unknown person": "nežinomas asmuo",
"Your camera is still enabled": "Jūsų kamera vis dar įjungta",
"Your camera is turned off": "Jūsų kamera yra išjungta",
"%(sharerName)s is presenting": "%(sharerName)s pristato",
"You are presenting": "Jūs pristatote",
"Dial": "Rinkti",
"Unmute microphone": "Įjungti mikrofoną",
"Mute microphone": "Išjungti mikrofoną",
"Turn on camera": "Įjungti kamerą",
"Turn off camera": "Išjungti kamerą",
"Video devices": "Vaizdo įrenginiai",
"Audio devices": "Garso įrenginiai",
"%(count)s people joined": { "%(count)s people joined": {
"one": "%(count)s žmogus prisijungė", "one": "%(count)s žmogus prisijungė",
"other": "%(count)s žmonės prisijungė" "other": "%(count)s žmonės prisijungė"
@ -2028,10 +1931,6 @@
"Voice broadcast": "Balso transliacija", "Voice broadcast": "Balso transliacija",
"Hide stickers": "Slėpti lipdukus", "Hide stickers": "Slėpti lipdukus",
"Send voice message": "Siųsti balso žinutę", "Send voice message": "Siųsti balso žinutę",
"Send a reply…": "Siųsti atsakymą…",
"Reply to thread…": "Atsakyti į temą…",
"Reply to encrypted thread…": "Atsakyti į užšifruotą temą…",
"Send message": "Siųsti žinutę",
"Invite to this space": "Pakviesti į šią erdvę", "Invite to this space": "Pakviesti į šią erdvę",
"Close preview": "Uždaryti peržiūrą", "Close preview": "Uždaryti peržiūrą",
"Show %(count)s other previews": { "Show %(count)s other previews": {
@ -2162,7 +2061,11 @@
"unverified": "Nepatvirtinta", "unverified": "Nepatvirtinta",
"trusted": "Patikimas", "trusted": "Patikimas",
"not_trusted": "Nepatikimas", "not_trusted": "Nepatikimas",
"unnamed_room": "Bevardis Kambarys" "unnamed_room": "Bevardis Kambarys",
"stickerpack": "Lipdukų paketas",
"system_alerts": "Sistemos įspėjimai",
"secure_backup": "Saugi Atsarginė Kopija",
"cross_signing": "Kryžminis pasirašymas"
}, },
"action": { "action": {
"continue": "Tęsti", "continue": "Tęsti",
@ -2285,7 +2188,14 @@
"format_bold": "Pusjuodis", "format_bold": "Pusjuodis",
"format_strikethrough": "Perbrauktas", "format_strikethrough": "Perbrauktas",
"format_inline_code": "Kodas", "format_inline_code": "Kodas",
"format_code_block": "Kodo blokas" "format_code_block": "Kodo blokas",
"send_button_title": "Siųsti žinutę",
"placeholder_thread_encrypted": "Atsakyti į užšifruotą temą…",
"placeholder_thread": "Atsakyti į temą…",
"placeholder_reply_encrypted": "Siųsti šifruotą atsakymą…",
"placeholder_reply": "Siųsti atsakymą…",
"placeholder_encrypted": "Siųsti šifruotą žinutę…",
"placeholder": "Siųsti žinutę…"
}, },
"Bold": "Pusjuodis", "Bold": "Pusjuodis",
"Code": "Kodas", "Code": "Kodas",
@ -2307,7 +2217,11 @@
"send_logs": "Siųsti žurnalus", "send_logs": "Siųsti žurnalus",
"github_issue": "GitHub problema", "github_issue": "GitHub problema",
"download_logs": "Parsisiųsti žurnalus", "download_logs": "Parsisiųsti žurnalus",
"before_submitting": "Prieš pateikiant žurnalus jūs turite <a>sukurti GitHub problemą</a>, kad apibūdintumėte savo problemą." "before_submitting": "Prieš pateikiant žurnalus jūs turite <a>sukurti GitHub problemą</a>, kad apibūdintumėte savo problemą.",
"collecting_information": "Renkama programos versijos informacija",
"collecting_logs": "Renkami žurnalai",
"uploading_logs": "Įkeliami žurnalai",
"downloading_logs": "Parsiunčiami žurnalai"
}, },
"time": { "time": {
"seconds_left": "%(seconds)ss liko", "seconds_left": "%(seconds)ss liko",
@ -2429,7 +2343,9 @@
"failed_to_find_widget": "Įvyko klaida ieškant šio valdiklio.", "failed_to_find_widget": "Įvyko klaida ieškant šio valdiklio.",
"active_widgets": "Aktyvūs Valdikliai", "active_widgets": "Aktyvūs Valdikliai",
"toolbox": "Įrankinė", "toolbox": "Įrankinė",
"developer_tools": "Programuotojo Įrankiai" "developer_tools": "Programuotojo Įrankiai",
"category_room": "Kambarys",
"category_other": "Kitas"
}, },
"export_chat": { "export_chat": {
"html": "HTML", "html": "HTML",
@ -2547,6 +2463,9 @@
"other": "%(names)s ir %(count)s kiti(-ų) rašo …", "other": "%(names)s ir %(count)s kiti(-ų) rašo …",
"one": "%(names)s ir dar vienas rašo …" "one": "%(names)s ir dar vienas rašo …"
} }
},
"m.call.hangup": {
"dm": "Skambutis baigtas"
} }
}, },
"slash_command": { "slash_command": {
@ -2574,7 +2493,13 @@
"help": "Parodo komandų sąrašą su naudojimo būdais ir aprašymais", "help": "Parodo komandų sąrašą su naudojimo būdais ir aprašymais",
"whois": "Parodo informaciją apie vartotoją", "whois": "Parodo informaciją apie vartotoją",
"rageshake": "Siųsti pranešimą apie klaidą kartu su žurnalu", "rageshake": "Siųsti pranešimą apie klaidą kartu su žurnalu",
"msg": "Siunčia žinutę nurodytam vartotojui" "msg": "Siunčia žinutę nurodytam vartotojui",
"usage": "Naudojimas",
"category_messages": "Žinutės",
"category_actions": "Veiksmai",
"category_admin": "Administratorius",
"category_advanced": "Išplėstiniai",
"category_other": "Kitas"
}, },
"presence": { "presence": {
"busy": "Užsiėmęs", "busy": "Užsiėmęs",
@ -2587,5 +2512,97 @@
"unknown": "Nežinoma", "unknown": "Nežinoma",
"offline": "Atsijungęs" "offline": "Atsijungęs"
}, },
"Unknown": "Nežinoma" "Unknown": "Nežinoma",
"event_preview": {
"m.call.answer": {
"you": "Jūs prisijungėte prie skambučio",
"user": "%(senderName)s prisijungė prie skambučio",
"dm": "Vykdomas skambutis"
},
"m.call.hangup": {
"you": "Baigėte skambutį",
"user": "%(senderName)s baigė skambutį"
},
"m.call.invite": {
"you": "Jūs pradėjote skambutį",
"user": "%(senderName)s pradėjo skambutį",
"dm_send": "Laukiama atsakymo",
"dm_receive": "%(senderName)s skambina"
},
"m.emote": "* %(senderName)s %(emote)s",
"m.text": "%(senderName)s: %(message)s",
"m.sticker": "%(senderName)s: %(stickerName)s"
},
"voip": {
"disable_microphone": "Išjungti mikrofoną",
"enable_microphone": "Įjungti mikrofoną",
"disable_camera": "Išjungti kamerą",
"enable_camera": "Įjungti kamerą",
"audio_devices": "Garso įrenginiai",
"video_devices": "Vaizdo įrenginiai",
"dial": "Rinkti",
"you_are_presenting": "Jūs pristatote",
"user_is_presenting": "%(sharerName)s pristato",
"camera_disabled": "Jūsų kamera yra išjungta",
"camera_enabled": "Jūsų kamera vis dar įjungta",
"call_held_switch": "Jūs pristabdėte skambutį <a>Perjungti</a>",
"call_held_resume": "Jūs pristabdėte skambutį <a>Tęsti</a>",
"call_held": "%(peerName)s pristabdė skambutį",
"dialpad": "Rinkiklis",
"stop_screenshare": "Nustoti bendrinti savo ekraną",
"start_screenshare": "Pradėti bendrinti savo ekraną",
"hangup": "Padėti ragelį",
"expand": "Grįžti prie skambučio",
"on_hold": "%(name)s sulaikytas",
"voice_call": "Balso skambutis",
"video_call": "Vaizdo skambutis",
"unsilence": "Garsas įjungtas",
"silence": "Nutildyti skambutį",
"unknown_caller": "Nežinomas skambintojas",
"call_failed": "Skambutis Nepavyko",
"unable_to_access_microphone": "Nepavyksta pasiekti mikrofono",
"call_failed_microphone": "Skambutis nepavyko, nes mikrofonas negali būti pasiektas. Patikrinkite, ar mikrofonas yra prijungtas ir tinkamai nustatytas.",
"unable_to_access_media": "Nepavyksta pasiekti kameros / mikrofono",
"call_failed_media": "Skambutis nepavyko, nes kamera arba mikrofonas negali būti pasiekta. Patikrinkite tai:",
"call_failed_media_connected": "Mikrofonas ir kamera yra prijungti ir tinkamai nustatyti",
"call_failed_media_permissions": "Suteiktas leidimas naudoti kamerą",
"call_failed_media_applications": "Jokia kita programa nenaudoja kameros",
"already_in_call": "Jau pokalbyje",
"already_in_call_person": "Jūs jau esate pokalbyje su šiuo asmeniu.",
"unsupported": "Skambučiai nėra palaikomi",
"unsupported_browser": "Jūs negalite skambinti šioje naršyklėje."
},
"Messages": "Žinutės",
"Other": "Kitas",
"Advanced": "Išplėstiniai",
"room_settings": {
"permissions": {
"m.room.avatar_space": "Keisti erdvės avatarą",
"m.room.avatar": "Keisti kambario pseudoportretą",
"m.room.name_space": "Keisti erdvės pavadinimą",
"m.room.name": "Keisti kambario pavadinimą",
"m.room.canonical_alias_space": "Keisti pagrindinį erdvės adresą",
"m.room.canonical_alias": "Keisti pagrindinį kambario adresą",
"m.space.child": "Valdyti kambarius šioje erdvėje",
"m.room.history_visibility": "Keisti istorijos matomumą",
"m.room.power_levels": "Keisti leidimus",
"m.room.topic_space": "Keisti aprašymą",
"m.room.topic": "Keisti temą",
"m.room.tombstone": "Atnaujinti kambarį",
"m.room.encryption": "Įjungti kambario šifravimą",
"m.room.server_acl": "Keisti serverių ACL",
"m.reaction": "Siųsti reakcijas",
"m.room.redaction": "Pašalinti mano išsiųstas žinutes",
"m.widget": "Keisti valdiklius",
"m.room.pinned_events": "Valdyti prisegtus įvykius",
"users_default": "Numatytoji rolė",
"events_default": "Siųsti žinutes",
"invite": "Kviesti naudotojus",
"state_default": "Keisti nustatymus",
"kick": "Pašalinti naudotojus",
"ban": "Užblokuoti naudotojus",
"redact": "Pašalinti kitų siųstas žinutes",
"notifications.room": "Pranešti visiems"
}
}
} }

View file

@ -1,13 +1,11 @@
{ {
"Account": "Konts", "Account": "Konts",
"Admin": "Administrators",
"Admin Tools": "Administratora rīki", "Admin Tools": "Administratora rīki",
"No Microphones detected": "Nav mikrofonu", "No Microphones detected": "Nav mikrofonu",
"No Webcams detected": "Nav webkameru", "No Webcams detected": "Nav webkameru",
"No media permissions": "Nav datu nesēju, kuriem atļauta piekļuve", "No media permissions": "Nav datu nesēju, kuriem atļauta piekļuve",
"You may need to manually permit %(brand)s to access your microphone/webcam": "Jums varētu būt nepieciešams manuāli atļaut %(brand)s piekļuvi mikrofonam vai tīmekļa kamerai", "You may need to manually permit %(brand)s to access your microphone/webcam": "Jums varētu būt nepieciešams manuāli atļaut %(brand)s piekļuvi mikrofonam vai tīmekļa kamerai",
"Default Device": "Noklusējuma ierīce", "Default Device": "Noklusējuma ierīce",
"Advanced": "Papildu",
"Authentication": "Autentifikācija", "Authentication": "Autentifikācija",
"%(items)s and %(lastItem)s": "%(items)s un %(lastItem)s", "%(items)s and %(lastItem)s": "%(items)s un %(lastItem)s",
"A new password must be entered.": "Nepieciešams ievadīt jauno paroli.", "A new password must be entered.": "Nepieciešams ievadīt jauno paroli.",
@ -58,7 +56,6 @@
"Forget room": "Aizmirst istabu", "Forget room": "Aizmirst istabu",
"For security, this session has been signed out. Please sign in again.": "Drošības nolūkos šī sesija ir pārtraukta. Lūdzu, pieraksties par jaunu.", "For security, this session has been signed out. Please sign in again.": "Drošības nolūkos šī sesija ir pārtraukta. Lūdzu, pieraksties par jaunu.",
"%(userId)s from %(fromPowerLevel)s to %(toPowerLevel)s": "%(userId)s no %(fromPowerLevel)s uz %(toPowerLevel)s", "%(userId)s from %(fromPowerLevel)s to %(toPowerLevel)s": "%(userId)s no %(fromPowerLevel)s uz %(toPowerLevel)s",
"Hangup": "Beigt zvanu",
"Historical": "Bijušie", "Historical": "Bijušie",
"Home": "Mājup", "Home": "Mājup",
"Import E2E room keys": "Importēt E2E istabas atslēgas", "Import E2E room keys": "Importēt E2E istabas atslēgas",
@ -145,12 +142,9 @@
"You have <a>enabled</a> URL previews by default.": "URL priekšskatījumi pēc noklusējuma jums ir<a>iespējoti</a> .", "You have <a>enabled</a> URL previews by default.": "URL priekšskatījumi pēc noklusējuma jums ir<a>iespējoti</a> .",
"Upload avatar": "Augšupielādēt avataru", "Upload avatar": "Augšupielādēt avataru",
"Upload Failed": "Augšupielāde (nosūtīšana) neizdevās", "Upload Failed": "Augšupielāde (nosūtīšana) neizdevās",
"Usage": "Lietojums",
"Users": "Lietotāji", "Users": "Lietotāji",
"Verification Pending": "Gaida verifikāciju", "Verification Pending": "Gaida verifikāciju",
"Verified key": "Verificēta atslēga", "Verified key": "Verificēta atslēga",
"Video call": "Video zvans",
"Voice call": "Balss zvans",
"Warning!": "Brīdinājums!", "Warning!": "Brīdinājums!",
"Who can read history?": "Kas var lasīt vēsturi?", "Who can read history?": "Kas var lasīt vēsturi?",
"You cannot place a call with yourself.": "Nav iespējams piezvanīt sev.", "You cannot place a call with yourself.": "Nav iespējams piezvanīt sev.",
@ -229,7 +223,6 @@
"You do not have permission to do that in this room.": "Tev nav atļaujas šai darbībai šajā istabā.", "You do not have permission to do that in this room.": "Tev nav atļaujas šai darbībai šajā istabā.",
"Send": "Sūtīt", "Send": "Sūtīt",
"Unnamed room": "Nenosaukta istaba", "Unnamed room": "Nenosaukta istaba",
"Call Failed": "Zvans neizdevā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": "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s",
"Restricted": "Ierobežots", "Restricted": "Ierobežots",
"Ignored user": "Ignorēts lietotājs", "Ignored user": "Ignorēts lietotājs",
@ -242,8 +235,6 @@
"You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.": "Jūs nevarēsiet atcelt šīs izmaiņas pēc sava statusa pazemināšanas. Gadījumā, ja esat pēdējais priviliģētais lietotājs istabā, būs neiespējami atgūt šīs privilēģijas.", "You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.": "Jūs nevarēsiet atcelt šīs izmaiņas pēc sava statusa pazemināšanas. Gadījumā, ja esat pēdējais priviliģētais lietotājs istabā, būs neiespējami atgūt šīs privilēģijas.",
"Unignore": "Atcelt ignorēšanu", "Unignore": "Atcelt ignorēšanu",
"Jump to read receipt": "Pāriet uz pēdējo skatīto ziņu", "Jump to read receipt": "Pāriet uz pēdējo skatīto ziņu",
"Send an encrypted reply…": "Sūtīt šifrētu atbildi…",
"Send an encrypted message…": "Sūtīt šifrētu ziņu…",
"%(duration)ss": "%(duration)s sek", "%(duration)ss": "%(duration)s sek",
"%(duration)sm": "%(duration)smin", "%(duration)sm": "%(duration)smin",
"%(duration)sh": "%(duration)s stundas", "%(duration)sh": "%(duration)s stundas",
@ -374,13 +365,11 @@
"Source URL": "Avota URL adrese", "Source URL": "Avota URL adrese",
"Filter results": "Filtrēt rezultātus", "Filter results": "Filtrēt rezultātus",
"No update available.": "Nav atjauninājumu.", "No update available.": "Nav atjauninājumu.",
"Collecting app version information": "Tiek iegūta programmas versijas informācija",
"Tuesday": "Otrdiena", "Tuesday": "Otrdiena",
"Search…": "Meklēt…", "Search…": "Meklēt…",
"Preparing to send logs": "Gatavojos nosūtīt atutošanas logfailus", "Preparing to send logs": "Gatavojos nosūtīt atutošanas logfailus",
"Saturday": "Sestdiena", "Saturday": "Sestdiena",
"Monday": "Pirmdiena", "Monday": "Pirmdiena",
"Collecting logs": "Tiek iegūti logfaili",
"All Rooms": "Visās istabās", "All Rooms": "Visās istabās",
"Wednesday": "Trešdiena", "Wednesday": "Trešdiena",
"You cannot delete this message. (%(code)s)": "Tu nevari dzēst šo ziņu. (%(code)s)", "You cannot delete this message. (%(code)s)": "Tu nevari dzēst šo ziņu. (%(code)s)",
@ -413,7 +402,6 @@
"Philippines": "Filipīnas", "Philippines": "Filipīnas",
"Got It": "Sapratu", "Got It": "Sapratu",
"Waiting for %(displayName)s to accept…": "Gaida, kamēr %(displayName)s akceptēs…", "Waiting for %(displayName)s to accept…": "Gaida, kamēr %(displayName)s akceptēs…",
"Waiting for answer": "Tiek gaidīta atbilde",
"To be secure, do this in person or use a trusted way to communicate.": "Lai tas būtu droši, dariet to klātienē vai lietojiet kādu uzticamu saziņas veidu.", "To be secure, do this in person or use a trusted way to communicate.": "Lai tas būtu droši, dariet to klātienē vai lietojiet kādu uzticamu saziņas veidu.",
"For extra security, verify this user by checking a one-time code on both of your devices.": "Papildu drošībai verificējiet šo lietotāju, pārbaudot vienreizēju kodu abās ierīcēs.", "For extra security, verify this user by checking a one-time code on both of your devices.": "Papildu drošībai verificējiet šo lietotāju, pārbaudot vienreizēju kodu abās ierīcēs.",
"Not Trusted": "Neuzticama", "Not Trusted": "Neuzticama",
@ -468,7 +456,6 @@
"Remove recent messages": "Dzēst nesenās ziņas", "Remove recent messages": "Dzēst nesenās ziņas",
"Banana": "Banāns", "Banana": "Banāns",
"You were banned from %(roomName)s by %(memberName)s": "%(memberName)s liedza jums pieeju %(roomName)s", "You were banned from %(roomName)s by %(memberName)s": "%(memberName)s liedza jums pieeju %(roomName)s",
"Ban users": "Pieejas liegumi lietotājiem",
"The user must be unbanned before they can be invited.": "Lietotājam jābūt atceltam pieejas liegumam pirms uzaicināšanas.", "The user must be unbanned before they can be invited.": "Lietotājam jābūt atceltam pieejas liegumam pirms uzaicināšanas.",
"%(senderName)s created a ban rule matching %(glob)s for %(reason)s": "%(senderName)s izveidoja noteikumu pieejas liegšanai, kas atbilst %(glob)s dēļ %(reason)s", "%(senderName)s created a ban rule matching %(glob)s for %(reason)s": "%(senderName)s izveidoja noteikumu pieejas liegšanai, kas atbilst %(glob)s dēļ %(reason)s",
"%(senderName)s created a rule banning servers matching %(glob)s for %(reason)s": "%(senderName)s izveidoja noteikumu pieejas liegšanai serveriem, kas atbilst %(glob)s dēļ %(reason)s", "%(senderName)s created a rule banning servers matching %(glob)s for %(reason)s": "%(senderName)s izveidoja noteikumu pieejas liegšanai serveriem, kas atbilst %(glob)s dēļ %(reason)s",
@ -577,20 +564,8 @@
"Phone numbers": "Tālruņa numuri", "Phone numbers": "Tālruņa numuri",
"Email Address": "Epasta adrese", "Email Address": "Epasta adrese",
"Email addresses": "Epasta adreses", "Email addresses": "Epasta adreses",
"Change topic": "Nomainīt tematu",
"Change room avatar": "Mainīt istabas avataru",
"Change main address for the room": "Mainīt istabas galveno adresi",
"Change history visibility": "Mainīt vēstures redzamību",
"Change permissions": "Mainīt atļaujas",
"Notify everyone": "Apziņot visus",
"Remove messages sent by others": "Dzēst citu sūtītas ziņas",
"Change settings": "Mainīt iestatījumus",
"Invite users": "Uzaicināt lietotājus",
"Send messages": "Sūtīt ziņas",
"Default role": "Noklusējuma loma",
"Changes to who can read history will only apply to future messages in this room. The visibility of existing history will be unchanged.": "Izmaiņas attiecībā uz to, kas var lasīt vēsturi, attieksies tikai uz nākamajiem ziņām šajā istabā. Esošās vēstures redzamība nemainīsies.", "Changes to who can read history will only apply to future messages in this room. The visibility of existing history will be unchanged.": "Izmaiņas attiecībā uz to, kas var lasīt vēsturi, attieksies tikai uz nākamajiem ziņām šajā istabā. Esošās vēstures redzamība nemainīsies.",
"Never send encrypted messages to unverified sessions in this room from this session": "Nesūtīt šifrētas ziņas no šīs sesijas neverificētām sesijām šajā istabā", "Never send encrypted messages to unverified sessions in this room from this session": "Nesūtīt šifrētas ziņas no šīs sesijas neverificētām sesijām šajā istabā",
"Enable room encryption": "Iespējot istabas šifrēšanu",
"Enable encryption?": "Iespējot šifrēšanu?", "Enable encryption?": "Iespējot šifrēšanu?",
"Encryption": "Šifrēšana", "Encryption": "Šifrēšana",
"Roles & Permissions": "Lomas un atļaujas", "Roles & Permissions": "Lomas un atļaujas",
@ -610,7 +585,6 @@
"Published Addresses": "Publiskotās adreses", "Published Addresses": "Publiskotās adreses",
"Other published addresses:": "Citas publiskotās adreses:", "Other published addresses:": "Citas publiskotās adreses:",
"This address is already in use": "Šī adrese jau tiek izmantota", "This address is already in use": "Šī adrese jau tiek izmantota",
"Other": "Citi",
"Show less": "Rādīt mazāk", "Show less": "Rādīt mazāk",
"Show more": "Rādīt vairāk", "Show more": "Rādīt vairāk",
"Show %(count)s more": { "Show %(count)s more": {
@ -622,7 +596,6 @@
"This address is available to use": "Šī adrese ir pieejama", "This address is available to use": "Šī adrese ir pieejama",
"Room Addresses": "Istabas adreses", "Room Addresses": "Istabas adreses",
"Room Topic": "Istabas temats", "Room Topic": "Istabas temats",
"Change room name": "Nomainīt istabas nosaukumu",
"Room %(name)s": "Istaba %(name)s", "Room %(name)s": "Istaba %(name)s",
"Room Name": "Istabas nosaukums", "Room Name": "Istabas nosaukums",
"General failure": "Vispārīga kļūda", "General failure": "Vispārīga kļūda",
@ -739,7 +712,6 @@
"Enter password": "Ievadiet paroli", "Enter password": "Ievadiet paroli",
"Something went wrong in confirming your identity. Cancel and try again.": "Kaut kas nogāja greizi, mēģinot apstiprināt jūsu identitāti. Atceliet un mēģiniet vēlreiz.", "Something went wrong in confirming your identity. Cancel and try again.": "Kaut kas nogāja greizi, mēģinot apstiprināt jūsu identitāti. Atceliet un mēģiniet vēlreiz.",
"Session key": "Sesijas atslēga", "Session key": "Sesijas atslēga",
"Secure Backup": "Droša rezerves kopija",
"Accept all %(invitedRooms)s invites": "Pieņemt visus %(invitedRooms)s uzaicinājumus", "Accept all %(invitedRooms)s invites": "Pieņemt visus %(invitedRooms)s uzaicinājumus",
"Bulk options": "Lielapjoma opcijas", "Bulk options": "Lielapjoma opcijas",
"Clear cache and reload": "Notīrīt kešatmiņu un pārlādēt", "Clear cache and reload": "Notīrīt kešatmiņu un pārlādēt",
@ -754,14 +726,6 @@
"Scan this unique code": "Noskenējiet šo unikālo kodu", "Scan this unique code": "Noskenējiet šo unikālo kodu",
"The other party cancelled the verification.": "Pretējā puse pārtrauca verificēšanu.", "The other party cancelled the verification.": "Pretējā puse pārtrauca verificēšanu.",
"Send analytics data": "Sūtīt analītikas datus", "Send analytics data": "Sūtīt analītikas datus",
"%(senderName)s: %(stickerName)s": "%(senderName)s: %(stickerName)s",
"%(senderName)s: %(message)s": "%(senderName)s: %(message)s",
"* %(senderName)s %(emote)s": "* %(senderName)s %(emote)s",
"%(senderName)s is calling": "%(senderName)s zvana",
"%(senderName)s started a call": "%(senderName)s uzsāka zvanu",
"You started a call": "Jūs uzsākāt zvanu",
"%(senderName)s joined the call": "%(senderName)s pievienojās zvanam",
"You joined the call": "Jūs pievienojāties zvanam",
"New version of %(brand)s is available": "Pieejama jauna %(brand)s versija", "New version of %(brand)s is available": "Pieejama jauna %(brand)s versija",
"Update %(brand)s": "Atjaunināt %(brand)s", "Update %(brand)s": "Atjaunināt %(brand)s",
"New login. Was this you?": "Jauna pierakstīšanās. Vai tas bijāt jūs?", "New login. Was this you?": "Jauna pierakstīšanās. Vai tas bijāt jūs?",
@ -864,13 +828,11 @@
"Accept <policyLink /> to continue:": "Akceptēt <policyLink />, lai turpinātu:", "Accept <policyLink /> to continue:": "Akceptēt <policyLink />, lai turpinātu:",
"Anchor": "Enkurs", "Anchor": "Enkurs",
"Aeroplane": "Aeroplāns", "Aeroplane": "Aeroplāns",
"%(senderName)s ended the call": "%(senderName)s pabeidza zvanu",
"A word by itself is easy to guess": "Vārds pats par sevi ir viegli uzminams", "A word by itself is easy to guess": "Vārds pats par sevi ir viegli uzminams",
"Add another word or two. Uncommon words are better.": "Papildiniet ar vēl kādiem vārdiem. Netipiski vārdi ir labāk.", "Add another word or two. Uncommon words are better.": "Papildiniet ar vēl kādiem vārdiem. Netipiski vārdi ir labāk.",
"All-uppercase is almost as easy to guess as all-lowercase": "Visus lielos burtus ir gandrīz tikpat viegli uzminēt kā visus mazos", "All-uppercase is almost as easy to guess as all-lowercase": "Visus lielos burtus ir gandrīz tikpat viegli uzminēt kā visus mazos",
"%(name)s (%(userId)s)": "%(name)s (%(userId)s)", "%(name)s (%(userId)s)": "%(name)s (%(userId)s)",
"%(name)s (%(userId)s) signed in to a new session without verifying it:": "%(name)s (%(userId)s) pierakstījās jaunā sesijā, neveicot tās verifikāciju:", "%(name)s (%(userId)s) signed in to a new session without verifying it:": "%(name)s (%(userId)s) pierakstījās jaunā sesijā, neveicot tās verifikāciju:",
"Actions": "Darbības",
"Denmark": "Dānija", "Denmark": "Dānija",
"American Samoa": "Amerikāņu Samoa", "American Samoa": "Amerikāņu Samoa",
"Algeria": "Alžīrija", "Algeria": "Alžīrija",
@ -909,12 +871,9 @@
"Remove %(email)s?": "Dēst %(email)s?", "Remove %(email)s?": "Dēst %(email)s?",
"Waiting for %(displayName)s to verify…": "Gaida uz %(displayName)s, lai verificētu…", "Waiting for %(displayName)s to verify…": "Gaida uz %(displayName)s, lai verificētu…",
"Verify this user by confirming the following number appears on their screen.": "Verificēt šo lietotāju, apstiprinot, ka šāds numurs pārādās lietotāja ekrānā.", "Verify this user by confirming the following number appears on their screen.": "Verificēt šo lietotāju, apstiprinot, ka šāds numurs pārādās lietotāja ekrānā.",
"You ended the call": "Jūs pabeidzāt zvanu",
"Other users may not trust it": "Citi lietotāji var neuzskatīt to par uzticamu", "Other users may not trust it": "Citi lietotāji var neuzskatīt to par uzticamu",
"Verify this session": "Verificēt šo sesiju", "Verify this session": "Verificēt šo sesiju",
"You signed in to a new session without verifying it:": "Jūs pierakstījāties jaunā sesijā, neveicot tās verifikāciju:", "You signed in to a new session without verifying it:": "Jūs pierakstījāties jaunā sesijā, neveicot tās verifikāciju:",
"You're already in a call with this person.": "Jums jau notiek zvans ar šo personu.",
"Already in call": "Notiek zvans",
"%(deviceId)s from %(ip)s": "%(deviceId)s no %(ip)s", "%(deviceId)s from %(ip)s": "%(deviceId)s no %(ip)s",
"%(count)s people you know have already joined": { "%(count)s people you know have already joined": {
"other": "%(count)s pazīstami cilvēki ir jau pievienojusies", "other": "%(count)s pazīstami cilvēki ir jau pievienojusies",
@ -929,8 +888,6 @@
"Room List": "Istabu saraksts", "Room List": "Istabu saraksts",
"Send as message": "Nosūtīt kā ziņu", "Send as message": "Nosūtīt kā ziņu",
"%(brand)s URL": "%(brand)s URL", "%(brand)s URL": "%(brand)s URL",
"Send a message…": "Nosūtīt ziņu…",
"Send a reply…": "Nosūtīt atbildi…",
"Room version": "Istabas versija", "Room version": "Istabas versija",
"Room list": "Istabu saraksts", "Room list": "Istabu saraksts",
"Upload files": "Failu augšupielāde", "Upload files": "Failu augšupielāde",
@ -1023,8 +980,6 @@
"Use an identity server to invite by email. Manage in Settings.": "Izmantojiet identitātes serveri, lai uzaicinātu pa e-pastu. Pārvaldība pieejama Iestatījumos.", "Use an identity server to invite by email. Manage in Settings.": "Izmantojiet identitātes serveri, lai uzaicinātu pa e-pastu. Pārvaldība pieejama Iestatījumos.",
"Use an identity server to invite by email. Click continue to use the default identity server (%(defaultIdentityServerName)s) or manage in Settings.": "Izmantojiet identitātes serveri, lai uzaicinātu pa e-pastu. Noklikšķiniet uz Turpināt, lai izmantotu noklusējuma identitātes serveri (%(defaultIdentityServerName)s) vai nomainītu to Iestatījumos.", "Use an identity server to invite by email. Click continue to use the default identity server (%(defaultIdentityServerName)s) or manage in Settings.": "Izmantojiet identitātes serveri, lai uzaicinātu pa e-pastu. Noklikšķiniet uz Turpināt, lai izmantotu noklusējuma identitātes serveri (%(defaultIdentityServerName)s) vai nomainītu to Iestatījumos.",
"Use an identity server": "Izmantot identitāšu serveri", "Use an identity server": "Izmantot identitāšu serveri",
"Effects": "Efekti",
"Messages": "Ziņas",
"Setting up keys": "Atslēgu iestatīšana", "Setting up keys": "Atslēgu iestatīšana",
"We sent the others, but the below people couldn't be invited to <RoomName/>": "Pārējiem uzaicinājumi tika nosūtīti, bet zemāk norādītos cilvēkus uz <RoomName/> nevarēja uzaicināt", "We sent the others, but the below people couldn't be invited to <RoomName/>": "Pārējiem uzaicinājumi tika nosūtīti, bet zemāk norādītos cilvēkus uz <RoomName/> nevarēja uzaicināt",
"Some invites couldn't be sent": "Dažus uzaicinājumus nevarēja nosūtīt", "Some invites couldn't be sent": "Dažus uzaicinājumus nevarēja nosūtīt",
@ -1270,13 +1225,6 @@
"Unable to transfer call": "Neizdevās pārsūtīt zvanu", "Unable to transfer call": "Neizdevās pārsūtīt zvanu",
"There was an error looking up the phone number": "Meklējot tālruņa numuru, radās kļūda", "There was an error looking up the phone number": "Meklējot tālruņa numuru, radās kļūda",
"Unable to look up phone number": "Nevar atrast tālruņa numuru", "Unable to look up phone number": "Nevar atrast tālruņa numuru",
"No other application is using the webcam": "Neviena cita lietotne neizmanto kameru",
"Permission is granted to use the webcam": "Piešķirta atļauja izmantot kameru",
"A microphone and webcam are plugged in and set up correctly": "Mikrofons un kamera ir pievienoti un pareizi konfigurēti",
"Call failed because webcam or microphone could not be accessed. Check that:": "Zvans neizdevās, jo nevarēja piekļūt kamerai vai mikrofonam. Pārbaudiet, vai:",
"Unable to access webcam / microphone": "Nevar piekļūt kamerai / mikrofonam",
"Call failed because microphone could not be accessed. Check that a microphone is plugged in and set up correctly.": "Zvans neizdevās, jo nebija piekļuves mikrofonam. Pārliecinieties, vai mikrofons ir pievienots un pareizi konfigurēts.",
"Unable to access microphone": "Nav pieejas mikrofonam",
"The call was answered on another device.": "Uz zvanu tika atbildēts no citas ierīces.", "The call was answered on another device.": "Uz zvanu tika atbildēts no citas ierīces.",
"Answered Elsewhere": "Atbildēja citur", "Answered Elsewhere": "Atbildēja citur",
"The call could not be established": "Savienojums nevarēja tikt izveidots", "The call could not be established": "Savienojums nevarēja tikt izveidots",
@ -1296,7 +1244,6 @@
"Can't load this message": "Nevar ielādēt šo ziņu", "Can't load this message": "Nevar ielādēt šo ziņu",
"Send voice message": "Sūtīt balss ziņu", "Send voice message": "Sūtīt balss ziņu",
"Address": "Adrese", "Address": "Adrese",
"%(sharerName)s is presenting": "%(sharerName)s prezentē",
"Hey you. You're the best!": "Sveiks! Tu esi labākais!", "Hey you. You're the best!": "Sveiks! Tu esi labākais!",
"Share %(name)s": "Dalīties ar %(name)s", "Share %(name)s": "Dalīties ar %(name)s",
"Explore Public Rooms": "Pārlūkot publiskas istabas", "Explore Public Rooms": "Pārlūkot publiskas istabas",
@ -1363,7 +1310,6 @@
"Surround selected text when typing special characters": "Iekļaut iezīmēto tekstu, rakstot speciālās rakstzīmes", "Surround selected text when typing special characters": "Iekļaut iezīmēto tekstu, rakstot speciālās rakstzīmes",
"Use custom size": "Izmantot pielāgotu izmēru", "Use custom size": "Izmantot pielāgotu izmēru",
"Font size": "Šrifta izmērs", "Font size": "Šrifta izmērs",
"Call ended": "Zvans beidzās",
"Dates are often easy to guess": "Datumi bieži vien ir viegli uzminami", "Dates are often easy to guess": "Datumi bieži vien ir viegli uzminami",
"Final result based on %(count)s votes": { "Final result based on %(count)s votes": {
"one": "Gala rezultāts pamatojoties uz %(count)s balss", "one": "Gala rezultāts pamatojoties uz %(count)s balss",
@ -1585,7 +1531,8 @@
"encrypted": "Šifrēts", "encrypted": "Šifrēts",
"trusted": "Uzticama", "trusted": "Uzticama",
"not_trusted": "Neuzticama", "not_trusted": "Neuzticama",
"unnamed_room": "Istaba bez nosaukuma" "unnamed_room": "Istaba bez nosaukuma",
"secure_backup": "Droša rezerves kopija"
}, },
"action": { "action": {
"continue": "Turpināt", "continue": "Turpināt",
@ -1666,7 +1613,11 @@
"home": "Mājup" "home": "Mājup"
}, },
"composer": { "composer": {
"format_inline_code": "Kods" "format_inline_code": "Kods",
"placeholder_reply_encrypted": "Sūtīt šifrētu atbildi…",
"placeholder_reply": "Nosūtīt atbildi…",
"placeholder_encrypted": "Sūtīt šifrētu ziņu…",
"placeholder": "Nosūtīt ziņu…"
}, },
"Code": "Kods", "Code": "Kods",
"power_level": { "power_level": {
@ -1678,7 +1629,9 @@
}, },
"bug_reporting": { "bug_reporting": {
"submit_debug_logs": "Iesniegt atutošanas logfailus", "submit_debug_logs": "Iesniegt atutošanas logfailus",
"send_logs": "Nosūtīt logfailus" "send_logs": "Nosūtīt logfailus",
"collecting_information": "Tiek iegūta programmas versijas informācija",
"collecting_logs": "Tiek iegūti logfaili"
}, },
"time": { "time": {
"seconds_left": "%(seconds)s sekundes atlikušas", "seconds_left": "%(seconds)s sekundes atlikušas",
@ -1745,7 +1698,9 @@
"event_sent": "Notikums nosūtīts!", "event_sent": "Notikums nosūtīts!",
"event_content": "Notikuma saturs", "event_content": "Notikuma saturs",
"toolbox": "Instrumentārijs", "toolbox": "Instrumentārijs",
"developer_tools": "Izstrādātāja rīki" "developer_tools": "Izstrādātāja rīki",
"category_room": "Istaba",
"category_other": "Citi"
}, },
"export_chat": { "export_chat": {
"creator_summary": "%(creatorName)s izveidoja šo istabu." "creator_summary": "%(creatorName)s izveidoja šo istabu."
@ -1851,6 +1806,9 @@
"other": "%(names)s un %(count)s citi raksta…", "other": "%(names)s un %(count)s citi raksta…",
"one": "%(names)s un vēl viens raksta…" "one": "%(names)s un vēl viens raksta…"
} }
},
"m.call.hangup": {
"dm": "Zvans beidzās"
} }
}, },
"slash_command": { "slash_command": {
@ -1881,7 +1839,14 @@
"help": "Parāda komandu sarakstu ar pielietojumiem un aprakstiem", "help": "Parāda komandu sarakstu ar pielietojumiem un aprakstiem",
"whois": "Parāda lietotāja informāciju", "whois": "Parāda lietotāja informāciju",
"rageshake": "Nosūtīt kļūdas ziņojumu ar žurnāliem/logiem", "rageshake": "Nosūtīt kļūdas ziņojumu ar žurnāliem/logiem",
"msg": "Nosūtīt ziņu dotajam lietotājam" "msg": "Nosūtīt ziņu dotajam lietotājam",
"usage": "Lietojums",
"category_messages": "Ziņas",
"category_actions": "Darbības",
"category_admin": "Administrators",
"category_advanced": "Papildu",
"category_effects": "Efekti",
"category_other": "Citi"
}, },
"presence": { "presence": {
"online_for": "Tiešsaistē %(duration)s", "online_for": "Tiešsaistē %(duration)s",
@ -1893,5 +1858,61 @@
"unknown": "Neskaidrs statuss", "unknown": "Neskaidrs statuss",
"offline": "Bezsaistē" "offline": "Bezsaistē"
}, },
"Unknown": "Neskaidrs statuss" "Unknown": "Neskaidrs statuss",
"event_preview": {
"m.call.answer": {
"you": "Jūs pievienojāties zvanam",
"user": "%(senderName)s pievienojās zvanam"
},
"m.call.hangup": {
"you": "Jūs pabeidzāt zvanu",
"user": "%(senderName)s pabeidza zvanu"
},
"m.call.invite": {
"you": "Jūs uzsākāt zvanu",
"user": "%(senderName)s uzsāka zvanu",
"dm_send": "Tiek gaidīta atbilde",
"dm_receive": "%(senderName)s zvana"
},
"m.emote": "* %(senderName)s %(emote)s",
"m.text": "%(senderName)s: %(message)s",
"m.sticker": "%(senderName)s: %(stickerName)s"
},
"voip": {
"user_is_presenting": "%(sharerName)s prezentē",
"hangup": "Beigt zvanu",
"voice_call": "Balss zvans",
"video_call": "Video zvans",
"call_failed": "Zvans neizdevās",
"unable_to_access_microphone": "Nav pieejas mikrofonam",
"call_failed_microphone": "Zvans neizdevās, jo nebija piekļuves mikrofonam. Pārliecinieties, vai mikrofons ir pievienots un pareizi konfigurēts.",
"unable_to_access_media": "Nevar piekļūt kamerai / mikrofonam",
"call_failed_media": "Zvans neizdevās, jo nevarēja piekļūt kamerai vai mikrofonam. Pārbaudiet, vai:",
"call_failed_media_connected": "Mikrofons un kamera ir pievienoti un pareizi konfigurēti",
"call_failed_media_permissions": "Piešķirta atļauja izmantot kameru",
"call_failed_media_applications": "Neviena cita lietotne neizmanto kameru",
"already_in_call": "Notiek zvans",
"already_in_call_person": "Jums jau notiek zvans ar šo personu."
},
"Messages": "Ziņas",
"Other": "Citi",
"Advanced": "Papildu",
"room_settings": {
"permissions": {
"m.room.avatar": "Mainīt istabas avataru",
"m.room.name": "Nomainīt istabas nosaukumu",
"m.room.canonical_alias": "Mainīt istabas galveno adresi",
"m.room.history_visibility": "Mainīt vēstures redzamību",
"m.room.power_levels": "Mainīt atļaujas",
"m.room.topic": "Nomainīt tematu",
"m.room.encryption": "Iespējot istabas šifrēšanu",
"users_default": "Noklusējuma loma",
"events_default": "Sūtīt ziņas",
"invite": "Uzaicināt lietotājus",
"state_default": "Mainīt iestatījumus",
"ban": "Pieejas liegumi lietotājiem",
"redact": "Dzēst citu sūtītas ziņas",
"notifications.room": "Apziņot visus"
}
}
} }

View file

@ -21,12 +21,10 @@
"Source URL": "സോഴ്സ് യു ആര്‍ എല്‍", "Source URL": "സോഴ്സ് യു ആര്‍ എല്‍",
"Failed to add tag %(tagName)s to room": "റൂമിന് %(tagName)s എന്ന ടാഗ് ആഡ് ചെയ്യുവാന്‍ സാധിച്ചില്ല", "Failed to add tag %(tagName)s to room": "റൂമിന് %(tagName)s എന്ന ടാഗ് ആഡ് ചെയ്യുവാന്‍ സാധിച്ചില്ല",
"No update available.": "അപ്ഡേറ്റുകള്‍ ലഭ്യമല്ല.", "No update available.": "അപ്ഡേറ്റുകള്‍ ലഭ്യമല്ല.",
"Collecting app version information": "ആപ്പ് പതിപ്പു വിവരങ്ങള്‍ ശേഖരിക്കുന്നു",
"Tuesday": "ചൊവ്വ", "Tuesday": "ചൊവ്വ",
"Unnamed room": "പേരില്ലാത്ത റൂം", "Unnamed room": "പേരില്ലാത്ത റൂം",
"Saturday": "ശനി", "Saturday": "ശനി",
"Monday": "തിങ്കള്‍", "Monday": "തിങ്കള്‍",
"Collecting logs": "നാള്‍വഴി ശേഖരിക്കുന്നു",
"All Rooms": "എല്ലാ മുറികളും കാണുക", "All Rooms": "എല്ലാ മുറികളും കാണുക",
"Wednesday": "ബുധന്‍", "Wednesday": "ബുധന്‍",
"You cannot delete this message. (%(code)s)": "നിങ്ങള്‍ക്ക് ഈ സന്ദേശം നീക്കം ചെയ്യാനാകില്ല. (%(code)s)", "You cannot delete this message. (%(code)s)": "നിങ്ങള്‍ക്ക് ഈ സന്ദേശം നീക്കം ചെയ്യാനാകില്ല. (%(code)s)",
@ -72,7 +70,9 @@
"back": "തിരികെ" "back": "തിരികെ"
}, },
"bug_reporting": { "bug_reporting": {
"send_logs": "നാള്‍വഴി അയയ്ക്കുക" "send_logs": "നാള്‍വഴി അയയ്ക്കുക",
"collecting_information": "ആപ്പ് പതിപ്പു വിവരങ്ങള്‍ ശേഖരിക്കുന്നു",
"collecting_logs": "നാള്‍വഴി ശേഖരിക്കുന്നു"
}, },
"settings": { "settings": {
"notifications": { "notifications": {

View file

@ -28,7 +28,6 @@
"Off": "Av", "Off": "Av",
"Failed to remove tag %(tagName)s from room": "Kunne ikke fjerne tagg %(tagName)s fra rommet", "Failed to remove tag %(tagName)s from room": "Kunne ikke fjerne tagg %(tagName)s fra rommet",
"Saturday": "Lørdag", "Saturday": "Lørdag",
"Call Failed": "Oppringning mislyktes",
"You cannot place a call with yourself.": "Du kan ikke ringe deg selv.", "You cannot place a call with yourself.": "Du kan ikke ringe deg selv.",
"Permission Required": "Tillatelse kreves", "Permission Required": "Tillatelse kreves",
"You do not have permission to start a conference call in this room": "Du har ikke tillatelse til å starte en konferansesamtale i dette rommet", "You do not have permission to start a conference call in this room": "Du har ikke tillatelse til å starte en konferansesamtale i dette rommet",
@ -70,7 +69,6 @@
"Default": "Standard", "Default": "Standard",
"Restricted": "Begrenset", "Restricted": "Begrenset",
"Moderator": "Moderator", "Moderator": "Moderator",
"Admin": "Admin",
"Operation failed": "Operasjon mislyktes", "Operation failed": "Operasjon mislyktes",
"Failed to invite": "Klarte ikke invitere", "Failed to invite": "Klarte ikke invitere",
"You need to be logged in.": "Du må være logget inn.", "You need to be logged in.": "Du må være logget inn.",
@ -85,16 +83,11 @@
"Missing room_id in request": "Manglende room_id i forespørselen", "Missing room_id in request": "Manglende room_id i forespørselen",
"Room %(roomId)s not visible": "Rom %(roomId)s er ikke synlig", "Room %(roomId)s not visible": "Rom %(roomId)s er ikke synlig",
"Missing user_id in request": "Manglende user_id i forespørselen", "Missing user_id in request": "Manglende user_id i forespørselen",
"Usage": "Bruk",
"Chat with %(brand)s Bot": "Chat med %(brand)s Bot", "Chat with %(brand)s Bot": "Chat med %(brand)s Bot",
"Call failed due to misconfigured server": "Oppringingen feilet på grunn av feil-konfigurert tjener", "Call failed due to misconfigured server": "Oppringingen feilet på grunn av feil-konfigurert tjener",
"Please ask the administrator of your homeserver (<code>%(homeserverDomain)s</code>) to configure a TURN server in order for calls to work reliably.": "Vennligst be administratoren av din hjemmetjener (<code>%(homeserverDomain)s</code>) til å konfigurere en TURN tjener slik at samtaler vil fungere best mulig.", "Please ask the administrator of your homeserver (<code>%(homeserverDomain)s</code>) to configure a TURN server in order for calls to work reliably.": "Vennligst be administratoren av din hjemmetjener (<code>%(homeserverDomain)s</code>) til å konfigurere en TURN tjener slik at samtaler vil fungere best mulig.",
"The file '%(fileName)s' failed to upload.": "Filen '%(fileName)s' kunne ikke lastes opp.", "The file '%(fileName)s' failed to upload.": "Filen '%(fileName)s' kunne ikke lastes opp.",
"The server does not support the room version specified.": "Tjeneren støtter ikke rom versjonen som ble spesifisert.", "The server does not support the room version specified.": "Tjeneren støtter ikke rom versjonen som ble spesifisert.",
"Messages": "Meldinger",
"Actions": "Handlinger",
"Advanced": "Avansert",
"Other": "Andre",
"Ignored user": "Ignorert(e) bruker", "Ignored user": "Ignorert(e) bruker",
"You are now ignoring %(userId)s": "%(userId)s er nå ignorert", "You are now ignoring %(userId)s": "%(userId)s er nå ignorert",
"Unignored user": "Uignorert bruker", "Unignored user": "Uignorert bruker",
@ -170,9 +163,6 @@
"Are you sure?": "Er du sikker?", "Are you sure?": "Er du sikker?",
"Admin Tools": "Adminverktøy", "Admin Tools": "Adminverktøy",
"Invited": "Invitert", "Invited": "Invitert",
"Send an encrypted reply…": "Send et kryptert svar …",
"Send an encrypted message…": "Send en kryptert beskjed …",
"Send a message…": "Send en melding …",
"Italics": "Kursiv", "Italics": "Kursiv",
"Direct Messages": "Direktemeldinger", "Direct Messages": "Direktemeldinger",
"Rooms": "Rom", "Rooms": "Rom",
@ -309,15 +299,7 @@
"Sounds": "Lyder", "Sounds": "Lyder",
"Notification sound": "Varslingslyd", "Notification sound": "Varslingslyd",
"Set a new custom sound": "Velg en ny selvvalgt lyd", "Set a new custom sound": "Velg en ny selvvalgt lyd",
"Change permissions": "Endre tillatelser",
"Change topic": "Endre samtaletema",
"Upgrade the room": "Oppgrader rommet",
"Modify widgets": "Endre på moduler",
"Banned by %(displayName)s": "Bannlyst av %(displayName)s", "Banned by %(displayName)s": "Bannlyst av %(displayName)s",
"Send messages": "Send meldinger",
"Invite users": "Inviter brukere",
"Change settings": "Endre innstillinger",
"Ban users": "Bannlys brukere",
"Roles & Permissions": "Roller og tillatelser", "Roles & Permissions": "Roller og tillatelser",
"Enable encryption?": "Vil du skru på kryptering?", "Enable encryption?": "Vil du skru på kryptering?",
"Drop file here to upload": "Slipp ned en fil her for å laste opp", "Drop file here to upload": "Slipp ned en fil her for å laste opp",
@ -325,8 +307,6 @@
"Unencrypted": "Ukryptert", "Unencrypted": "Ukryptert",
"Deactivate user?": "Vil du deaktivere brukeren?", "Deactivate user?": "Vil du deaktivere brukeren?",
"Deactivate user": "Deaktiver brukeren", "Deactivate user": "Deaktiver brukeren",
"Voice call": "Stemmesamtale",
"Video call": "Videosamtale",
"%(duration)ss": "%(duration)ss", "%(duration)ss": "%(duration)ss",
"%(duration)sm": "%(duration)sm", "%(duration)sm": "%(duration)sm",
"%(duration)sh": "%(duration)st", "%(duration)sh": "%(duration)st",
@ -345,7 +325,6 @@
"%(roomName)s is not accessible at this time.": "%(roomName)s er ikke tilgjengelig for øyeblikket.", "%(roomName)s is not accessible at this time.": "%(roomName)s er ikke tilgjengelig for øyeblikket.",
"This Room": "Dette rommet", "This Room": "Dette rommet",
"Server error": "Serverfeil", "Server error": "Serverfeil",
"Stickerpack": "Klistremerkepakke",
"Main address": "Hovedadresse", "Main address": "Hovedadresse",
"not specified": "ikke spesifisert", "not specified": "ikke spesifisert",
"Local address": "Lokal adresse", "Local address": "Lokal adresse",
@ -448,12 +427,6 @@
"Clear cache and reload": "Tøm mellomlageret og last inn siden på nytt", "Clear cache and reload": "Tøm mellomlageret og last inn siden på nytt",
"To report a Matrix-related security issue, please read the Matrix.org <a>Security Disclosure Policy</a>.": "For å rapportere inn et Matrix-relatert sikkerhetsproblem, vennligst less Matrix.org sine <a>Retningslinjer for sikkerhetspublisering</a>.", "To report a Matrix-related security issue, please read the Matrix.org <a>Security Disclosure Policy</a>.": "For å rapportere inn et Matrix-relatert sikkerhetsproblem, vennligst less Matrix.org sine <a>Retningslinjer for sikkerhetspublisering</a>.",
"Import E2E room keys": "Importer E2E-romnøkler", "Import E2E room keys": "Importer E2E-romnøkler",
"Change room avatar": "Endre rommets avatar",
"Change room name": "Endre rommets navn",
"Change main address for the room": "Endre hovedadressen til rommet",
"Change history visibility": "Endre historikkens synlighet",
"Enable room encryption": "Skru på kryptering av rommet",
"Default role": "Forvalgt rolle",
"Privileged Users": "Priviligerte brukere", "Privileged Users": "Priviligerte brukere",
"Send %(eventType)s events": "Send %(eventType)s-hendelser", "Send %(eventType)s events": "Send %(eventType)s-hendelser",
"Select the roles required to change various parts of the room": "Velg rollene som kreves for å endre på diverse deler av rommet", "Select the roles required to change various parts of the room": "Velg rollene som kreves for å endre på diverse deler av rommet",
@ -466,7 +439,6 @@
"Scroll to most recent messages": "Hopp bort til de nyeste meldingene", "Scroll to most recent messages": "Hopp bort til de nyeste meldingene",
"Share Link to User": "Del en lenke til brukeren", "Share Link to User": "Del en lenke til brukeren",
"Filter room members": "Filtrer rommets medlemmer", "Filter room members": "Filtrer rommets medlemmer",
"Send a reply…": "Send et svar …",
"Replying": "Svarer på", "Replying": "Svarer på",
"Room %(name)s": "Rom %(name)s", "Room %(name)s": "Rom %(name)s",
"Start chatting": "Begynn å chatte", "Start chatting": "Begynn å chatte",
@ -612,7 +584,6 @@
"Homeserver feature support:": "Hjemmetjener-funksjonsstøtte:", "Homeserver feature support:": "Hjemmetjener-funksjonsstøtte:",
"Read Marker lifetime (ms)": "Lesemarkørens visningstid (ms)", "Read Marker lifetime (ms)": "Lesemarkørens visningstid (ms)",
"Read Marker off-screen lifetime (ms)": "Lesemarkørens visningstid utenfor skjermen (ms)", "Read Marker off-screen lifetime (ms)": "Lesemarkørens visningstid utenfor skjermen (ms)",
"Cross-signing": "Kryssignering",
"URL previews are enabled by default for participants in this room.": "URL-forhåndsvisninger er skrudd på som standard for deltakerene i dette rommet.", "URL previews are enabled by default for participants in this room.": "URL-forhåndsvisninger er skrudd på som standard for deltakerene i dette rommet.",
"URL previews are disabled by default for participants in this room.": "URL-forhåndsvisninger er skrudd av som standard for deltakerene i dette rommet.", "URL previews are disabled by default for participants in this room.": "URL-forhåndsvisninger er skrudd av som standard for deltakerene i dette rommet.",
"In encrypted rooms, like this one, URL previews are disabled by default to ensure that your homeserver (where the previews are generated) cannot gather information about links you see in this room.": "I krypterte rom som denne, er URL-forhåndsvisninger skrudd av som standard for å sikre at hjemmetjeneren din (der forhåndsvisningene blir generert) ikke kan samle inn informasjon om lenkene som du ser i dette rommet.", "In encrypted rooms, like this one, URL previews are disabled by default to ensure that your homeserver (where the previews are generated) cannot gather information about links you see in this room.": "I krypterte rom som denne, er URL-forhåndsvisninger skrudd av som standard for å sikre at hjemmetjeneren din (der forhåndsvisningene blir generert) ikke kan samle inn informasjon om lenkene som du ser i dette rommet.",
@ -643,7 +614,6 @@
"You have not ignored anyone.": "Du har ikke ignorert noen.", "You have not ignored anyone.": "Du har ikke ignorert noen.",
"You are not subscribed to any lists": "Du er ikke abonnert på noen lister", "You are not subscribed to any lists": "Du er ikke abonnert på noen lister",
"Uploaded sound": "Lastet opp lyd", "Uploaded sound": "Lastet opp lyd",
"Notify everyone": "Varsle alle",
"Muted Users": "Dempede brukere", "Muted Users": "Dempede brukere",
"Incorrect verification code": "Ugyldig verifiseringskode", "Incorrect verification code": "Ugyldig verifiseringskode",
"Unable to add email address": "Klarte ikke å legge til E-postadressen", "Unable to add email address": "Klarte ikke å legge til E-postadressen",
@ -655,9 +625,7 @@
"one": "og én annen …" "one": "og én annen …"
}, },
"%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (styrkenivå %(powerLevelNumber)s)", "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (styrkenivå %(powerLevelNumber)s)",
"Hangup": "Legg på røret",
"The conversation continues here.": "Samtalen fortsetter her.", "The conversation continues here.": "Samtalen fortsetter her.",
"System Alerts": "Systemvarsler",
"Reason: %(reason)s": "Årsak: %(reason)s", "Reason: %(reason)s": "Årsak: %(reason)s",
"You were banned from %(roomName)s by %(memberName)s": "Du ble bannlyst fra %(roomName)s av %(memberName)s", "You were banned from %(roomName)s by %(memberName)s": "Du ble bannlyst fra %(roomName)s av %(memberName)s",
"Do you want to chat with %(user)s?": "Vil du prate med %(user)s?", "Do you want to chat with %(user)s?": "Vil du prate med %(user)s?",
@ -834,8 +802,6 @@
"United States": "USA", "United States": "USA",
"%(name)s is requesting verification": "%(name)s ber om verifisering", "%(name)s is requesting verification": "%(name)s ber om verifisering",
"We couldn't log you in": "Vi kunne ikke logge deg inn", "We couldn't log you in": "Vi kunne ikke logge deg inn",
"You're already in a call with this person.": "Du er allerede i en samtale med denne personen.",
"Already in call": "Allerede i en samtale",
"Burundi": "Burundi", "Burundi": "Burundi",
"Burkina Faso": "Burkina Faso", "Burkina Faso": "Burkina Faso",
"Bulgaria": "Bulgaria", "Bulgaria": "Bulgaria",
@ -871,8 +837,6 @@
"Only continue if you trust the owner of the server.": "Fortsett kun om du stoler på eieren av serveren.", "Only continue if you trust the owner of the server.": "Fortsett kun om du stoler på eieren av serveren.",
"This action requires accessing the default identity server <server /> to validate an email address or phone number, but the server does not have any terms of service.": "Denne handlingen krever tilgang til standard identitetsserver <server /> for å kunne validere en epostaddresse eller telefonnummer, men serveren har ikke bruksvilkår.", "This action requires accessing the default identity server <server /> to validate an email address or phone number, but the server does not have any terms of service.": "Denne handlingen krever tilgang til standard identitetsserver <server /> for å kunne validere en epostaddresse eller telefonnummer, men serveren har ikke bruksvilkår.",
"Too Many Calls": "For mange samtaler", "Too Many Calls": "For mange samtaler",
"Call failed because webcam or microphone could not be accessed. Check that:": "Samtalen mislyktes fordi du fikk ikke tilgang til webkamera eller mikrofon. Sørg for at:",
"Unable to access webcam / microphone": "Ingen tilgang til webkamera / mikrofon",
"The call was answered on another device.": "Samtalen ble besvart på en annen enhet.", "The call was answered on another device.": "Samtalen ble besvart på en annen enhet.",
"The call could not be established": "Samtalen kunne ikke etableres", "The call could not be established": "Samtalen kunne ikke etableres",
"Click the button below to confirm adding this phone number.": "Klikk knappen nedenfor for å bekrefte dette telefonnummeret.", "Click the button below to confirm adding this phone number.": "Klikk knappen nedenfor for å bekrefte dette telefonnummeret.",
@ -883,7 +847,6 @@
"Edit devices": "Rediger enheter", "Edit devices": "Rediger enheter",
"Add existing room": "Legg til et eksisterende rom", "Add existing room": "Legg til et eksisterende rom",
"Invite to this space": "Inviter til dette området", "Invite to this space": "Inviter til dette området",
"Send message": "Send melding",
"Invite to %(roomName)s": "Inviter til %(roomName)s", "Invite to %(roomName)s": "Inviter til %(roomName)s",
"Resume": "Fortsett", "Resume": "Fortsett",
"Avatar": "Profilbilde", "Avatar": "Profilbilde",
@ -1021,14 +984,10 @@
"Hide Widgets": "Skjul moduler", "Hide Widgets": "Skjul moduler",
"Update %(brand)s": "Oppdater %(brand)s", "Update %(brand)s": "Oppdater %(brand)s",
"You are currently ignoring:": "Du ignorerer for øyeblikket:", "You are currently ignoring:": "Du ignorerer for øyeblikket:",
"Unknown caller": "Ukjent oppringer",
"Dial pad": "Nummerpanel", "Dial pad": "Nummerpanel",
"%(name)s on hold": "%(name)s står på vent",
"sends confetti": "sender konfetti", "sends confetti": "sender konfetti",
"System font name": "Systemskrifttypenavn", "System font name": "Systemskrifttypenavn",
"Use a system font": "Bruk en systemskrifttype", "Use a system font": "Bruk en systemskrifttype",
"Waiting for answer": "Venter på svar",
"Call in progress": "Anrop pågår",
"Channel: <channelLink/>": "Kanal: <channelLink/>", "Channel: <channelLink/>": "Kanal: <channelLink/>",
"Enable desktop notifications": "Aktiver skrivebordsvarsler", "Enable desktop notifications": "Aktiver skrivebordsvarsler",
"Don't miss a reply": "Ikke gå glipp av noen svar", "Don't miss a reply": "Ikke gå glipp av noen svar",
@ -1043,7 +1002,6 @@
"No need for symbols, digits, or uppercase letters": "Ikke nødvendig med symboler, sifre eller bokstaver", "No need for symbols, digits, or uppercase letters": "Ikke nødvendig med symboler, sifre eller bokstaver",
"See images posted to this room": "Se bilder som er lagt ut i dette rommet", "See images posted to this room": "Se bilder som er lagt ut i dette rommet",
"Change the topic of this room": "Endre dette rommets tema", "Change the topic of this room": "Endre dette rommets tema",
"Effects": "Effekter",
"Zimbabwe": "Zimbabwe", "Zimbabwe": "Zimbabwe",
"Yemen": "Jemen", "Yemen": "Jemen",
"Zambia": "Zambia", "Zambia": "Zambia",
@ -1266,12 +1224,7 @@
"Delete avatar": "Slett profilbilde", "Delete avatar": "Slett profilbilde",
"Corn": "Mais", "Corn": "Mais",
"Cloud": "Sky", "Cloud": "Sky",
"Mute the microphone": "Demp mikrofonen",
"Unmute the microphone": "Opphev demping av mikrofonen",
"Dialpad": "Nummerpanel",
"More": "Mer", "More": "Mer",
"Stop the camera": "Stopp kameraet",
"Start the camera": "Start kameraet",
"Connecting": "Kobler til", "Connecting": "Kobler til",
"Change the name of this room": "Endre rommets navn", "Change the name of this room": "Endre rommets navn",
"St. Pierre & Miquelon": "Saint-Pierre og Miquelon", "St. Pierre & Miquelon": "Saint-Pierre og Miquelon",
@ -1279,11 +1232,6 @@
"St. Barthélemy": "Saint Barthélemy", "St. Barthélemy": "Saint Barthélemy",
"You cannot place calls without a connection to the server.": "Du kan ikke ringe uten tilkobling til serveren.", "You cannot place calls without a connection to the server.": "Du kan ikke ringe uten tilkobling til serveren.",
"Connectivity to the server has been lost": "Mistet forbindelsen til serveren", "Connectivity to the server has been lost": "Mistet forbindelsen til serveren",
"You cannot place calls in this browser.": "Du kan ikke ringe i denne nettleseren.",
"Calls are unsupported": "Samtaler støttes ikke",
"No other application is using the webcam": "Ingen andre applikasjoner bruker webkameraet",
"A microphone and webcam are plugged in and set up correctly": "En mikrofon og webkamera er koblet til og satt opp riktig",
"Call failed because microphone could not be accessed. Check that a microphone is plugged in and set up correctly.": "Samtalen mislyktes fordi mikrofonen ikke var tilgjengelig. Sjekk at en mikrofon er koblet til og satt opp riktig.",
"common": { "common": {
"about": "Om", "about": "Om",
"analytics": "Statistikk", "analytics": "Statistikk",
@ -1346,7 +1294,10 @@
"matrix": "Matrix", "matrix": "Matrix",
"trusted": "Betrodd", "trusted": "Betrodd",
"not_trusted": "Ikke betrodd", "not_trusted": "Ikke betrodd",
"unnamed_room": "Navnløst rom" "unnamed_room": "Navnløst rom",
"stickerpack": "Klistremerkepakke",
"system_alerts": "Systemvarsler",
"cross_signing": "Kryssignering"
}, },
"action": { "action": {
"continue": "Fortsett", "continue": "Fortsett",
@ -1456,7 +1407,12 @@
"format_bold": "Fet", "format_bold": "Fet",
"format_strikethrough": "Gjennomstreking", "format_strikethrough": "Gjennomstreking",
"format_inline_code": "Kode", "format_inline_code": "Kode",
"format_code_block": "Kodefelt" "format_code_block": "Kodefelt",
"send_button_title": "Send melding",
"placeholder_reply_encrypted": "Send et kryptert svar …",
"placeholder_reply": "Send et svar …",
"placeholder_encrypted": "Send en kryptert beskjed …",
"placeholder": "Send en melding …"
}, },
"Bold": "Fet", "Bold": "Fet",
"Code": "Kode", "Code": "Kode",
@ -1534,7 +1490,9 @@
"value": "Verdi", "value": "Verdi",
"active_widgets": "Aktive moduler", "active_widgets": "Aktive moduler",
"toolbox": "Verktøykasse", "toolbox": "Verktøykasse",
"developer_tools": "Utviklerverktøy" "developer_tools": "Utviklerverktøy",
"category_room": "Rom",
"category_other": "Andre"
}, },
"export_chat": { "export_chat": {
"html": "HTML", "html": "HTML",
@ -1634,7 +1592,14 @@
"rainbow": "Sender gitte melding i regnbuens farger", "rainbow": "Sender gitte melding i regnbuens farger",
"rainbowme": "Sender gitte emote i regnbuens farger", "rainbowme": "Sender gitte emote i regnbuens farger",
"help": "Viser liste over kommandoer med bruks eksempler og beskrivelser", "help": "Viser liste over kommandoer med bruks eksempler og beskrivelser",
"whois": "Viser informasjon om en bruker" "whois": "Viser informasjon om en bruker",
"usage": "Bruk",
"category_messages": "Meldinger",
"category_actions": "Handlinger",
"category_admin": "Admin",
"category_advanced": "Avansert",
"category_effects": "Effekter",
"category_other": "Andre"
}, },
"presence": { "presence": {
"online_for": "På nett i %(duration)s", "online_for": "På nett i %(duration)s",
@ -1645,5 +1610,57 @@
"offline": "Frakoblet", "offline": "Frakoblet",
"away": "Borte" "away": "Borte"
}, },
"Unknown": "Ukjent" "Unknown": "Ukjent",
"event_preview": {
"m.call.answer": {
"dm": "Anrop pågår"
},
"m.call.invite": {
"dm_send": "Venter på svar"
}
},
"voip": {
"disable_microphone": "Demp mikrofonen",
"enable_microphone": "Opphev demping av mikrofonen",
"disable_camera": "Stopp kameraet",
"enable_camera": "Start kameraet",
"dialpad": "Nummerpanel",
"hangup": "Legg på røret",
"on_hold": "%(name)s står på vent",
"voice_call": "Stemmesamtale",
"video_call": "Videosamtale",
"unknown_caller": "Ukjent oppringer",
"call_failed": "Oppringning mislyktes",
"call_failed_microphone": "Samtalen mislyktes fordi mikrofonen ikke var tilgjengelig. Sjekk at en mikrofon er koblet til og satt opp riktig.",
"unable_to_access_media": "Ingen tilgang til webkamera / mikrofon",
"call_failed_media": "Samtalen mislyktes fordi du fikk ikke tilgang til webkamera eller mikrofon. Sørg for at:",
"call_failed_media_connected": "En mikrofon og webkamera er koblet til og satt opp riktig",
"call_failed_media_applications": "Ingen andre applikasjoner bruker webkameraet",
"already_in_call": "Allerede i en samtale",
"already_in_call_person": "Du er allerede i en samtale med denne personen.",
"unsupported": "Samtaler støttes ikke",
"unsupported_browser": "Du kan ikke ringe i denne nettleseren."
},
"Messages": "Meldinger",
"Other": "Andre",
"Advanced": "Avansert",
"room_settings": {
"permissions": {
"m.room.avatar": "Endre rommets avatar",
"m.room.name": "Endre rommets navn",
"m.room.canonical_alias": "Endre hovedadressen til rommet",
"m.room.history_visibility": "Endre historikkens synlighet",
"m.room.power_levels": "Endre tillatelser",
"m.room.topic": "Endre samtaletema",
"m.room.tombstone": "Oppgrader rommet",
"m.room.encryption": "Skru på kryptering av rommet",
"m.widget": "Endre på moduler",
"users_default": "Forvalgt rolle",
"events_default": "Send meldinger",
"invite": "Inviter brukere",
"state_default": "Endre innstillinger",
"ban": "Bannlys brukere",
"notifications.room": "Varsle alle"
}
}
} }

View file

@ -1,7 +1,5 @@
{ {
"Account": "Account", "Account": "Account",
"Admin": "Beheerder",
"Advanced": "Geavanceerd",
"Authentication": "Login bevestigen", "Authentication": "Login bevestigen",
"%(items)s and %(lastItem)s": "%(items)s en %(lastItem)s", "%(items)s and %(lastItem)s": "%(items)s en %(lastItem)s",
"and %(count)s others...": { "and %(count)s others...": {
@ -101,7 +99,6 @@
"Forget room": "Kamer vergeten", "Forget room": "Kamer vergeten",
"For security, this session has been signed out. Please sign in again.": "Wegens veiligheidsredenen is deze sessie uitgelogd. Log opnieuw in.", "For security, this session has been signed out. Please sign in again.": "Wegens veiligheidsredenen is deze sessie uitgelogd. Log opnieuw in.",
"%(userId)s from %(fromPowerLevel)s to %(toPowerLevel)s": "%(userId)s van %(fromPowerLevel)s naar %(toPowerLevel)s", "%(userId)s from %(fromPowerLevel)s to %(toPowerLevel)s": "%(userId)s van %(fromPowerLevel)s naar %(toPowerLevel)s",
"Hangup": "Ophangen",
"Historical": "Historisch", "Historical": "Historisch",
"Home": "Home", "Home": "Home",
"Import E2E room keys": "E2E-kamersleutels importeren", "Import E2E room keys": "E2E-kamersleutels importeren",
@ -157,13 +154,10 @@
}, },
"Upload avatar": "Afbeelding uploaden", "Upload avatar": "Afbeelding uploaden",
"Upload Failed": "Uploaden mislukt", "Upload Failed": "Uploaden mislukt",
"Usage": "Gebruik",
"%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (macht %(powerLevelNumber)s)", "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (macht %(powerLevelNumber)s)",
"Users": "Personen", "Users": "Personen",
"Verification Pending": "Verificatie in afwachting", "Verification Pending": "Verificatie in afwachting",
"Verified key": "Geverifieerde sleutel", "Verified key": "Geverifieerde sleutel",
"Video call": "Video-oproep",
"Voice call": "Spraakoproep",
"Warning!": "Let op!", "Warning!": "Let op!",
"Who can read history?": "Wie kan de geschiedenis lezen?", "Who can read history?": "Wie kan de geschiedenis lezen?",
"You cannot place a call with yourself.": "Je kan jezelf niet bellen.", "You cannot place a call with yourself.": "Je kan jezelf niet bellen.",
@ -229,7 +223,6 @@
"You do not have permission to do that in this room.": "Je hebt geen rechten om dat in deze kamer te doen.", "You do not have permission to do that in this room.": "Je hebt geen rechten om dat in deze kamer te doen.",
"Copied!": "Gekopieerd!", "Copied!": "Gekopieerd!",
"Failed to copy": "Kopiëren mislukt", "Failed to copy": "Kopiëren mislukt",
"Call Failed": "Oproep mislukt",
"Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "Widgets verwijderen geldt voor alle deelnemers aan deze kamer. Weet je zeker dat je deze widget wilt verwijderen?", "Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "Widgets verwijderen geldt voor alle deelnemers aan deze kamer. Weet je zeker dat je deze widget wilt verwijderen?",
"Delete Widget": "Widget verwijderen", "Delete Widget": "Widget verwijderen",
"Restricted": "Beperkte toegang", "Restricted": "Beperkte toegang",
@ -245,8 +238,6 @@
"You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.": "Zelfdegradatie is onomkeerbaar. Als je de laatst gemachtigde persoon in de kamer bent zullen deze rechten voorgoed verloren gaan.", "You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.": "Zelfdegradatie is onomkeerbaar. Als je de laatst gemachtigde persoon in de kamer bent zullen deze rechten voorgoed verloren gaan.",
"Unignore": "Niet meer negeren", "Unignore": "Niet meer negeren",
"Jump to read receipt": "Naar het laatst gelezen bericht gaan", "Jump to read receipt": "Naar het laatst gelezen bericht gaan",
"Send an encrypted reply…": "Verstuur een versleuteld antwoord…",
"Send an encrypted message…": "Verstuur een versleuteld bericht…",
"%(duration)ss": "%(duration)ss", "%(duration)ss": "%(duration)ss",
"%(duration)sm": "%(duration)sm", "%(duration)sm": "%(duration)sm",
"%(duration)sh": "%(duration)su", "%(duration)sh": "%(duration)su",
@ -359,7 +350,6 @@
"This room is not public. You will not be able to rejoin without an invite.": "Dit is geen publieke kamer. Slechts op uitnodiging zal je opnieuw kunnen toetreden.", "This room is not public. You will not be able to rejoin without an invite.": "Dit is geen publieke kamer. Slechts op uitnodiging zal je opnieuw kunnen toetreden.",
"Failed to remove tag %(tagName)s from room": "Verwijderen van %(tagName)s-label van kamer is mislukt", "Failed to remove tag %(tagName)s from room": "Verwijderen van %(tagName)s-label van kamer is mislukt",
"Failed to add tag %(tagName)s to room": "Toevoegen van %(tagName)s-label aan kamer is mislukt", "Failed to add tag %(tagName)s to room": "Toevoegen van %(tagName)s-label aan kamer is mislukt",
"Stickerpack": "Stickerpakket",
"You don't currently have any stickerpacks enabled": "Je hebt momenteel geen stickerpakketten ingeschakeld", "You don't currently have any stickerpacks enabled": "Je hebt momenteel geen stickerpakketten ingeschakeld",
"Sunday": "Zondag", "Sunday": "Zondag",
"Notification targets": "Meldingsbestemmingen", "Notification targets": "Meldingsbestemmingen",
@ -375,12 +365,10 @@
"Filter results": "Resultaten filteren", "Filter results": "Resultaten filteren",
"No update available.": "Geen update beschikbaar.", "No update available.": "Geen update beschikbaar.",
"Noisy": "Luid", "Noisy": "Luid",
"Collecting app version information": "App-versieinformatie wordt verzameld",
"Tuesday": "Dinsdag", "Tuesday": "Dinsdag",
"Search…": "Zoeken…", "Search…": "Zoeken…",
"Saturday": "Zaterdag", "Saturday": "Zaterdag",
"Monday": "Maandag", "Monday": "Maandag",
"Collecting logs": "Logs worden verzameld",
"Invite to this room": "Uitnodigen voor deze kamer", "Invite to this room": "Uitnodigen voor deze kamer",
"All messages": "Alle berichten", "All messages": "Alle berichten",
"What's new?": "Wat is er nieuw?", "What's new?": "Wat is er nieuw?",
@ -419,7 +407,6 @@
"Demote": "Degraderen", "Demote": "Degraderen",
"Share Link to User": "Koppeling naar persoon delen", "Share Link to User": "Koppeling naar persoon delen",
"Share room": "Kamer delen", "Share room": "Kamer delen",
"System Alerts": "Systeemmeldingen",
"In encrypted rooms, like this one, URL previews are disabled by default to ensure that your homeserver (where the previews are generated) cannot gather information about links you see in this room.": "In versleutelde kamers zoals deze zijn URL-voorvertoningen standaard uitgeschakeld, om te voorkomen dat jouw homeserver (waar de voorvertoningen worden gemaakt) informatie kan verzamelen over de koppelingen die je hier ziet.", "In encrypted rooms, like this one, URL previews are disabled by default to ensure that your homeserver (where the previews are generated) cannot gather information about links you see in this room.": "In versleutelde kamers zoals deze zijn URL-voorvertoningen standaard uitgeschakeld, om te voorkomen dat jouw homeserver (waar de voorvertoningen worden gemaakt) informatie kan verzamelen over de koppelingen die je hier ziet.",
"When someone puts a URL in their message, a URL preview can be shown to give more information about that link such as the title, description, and an image from the website.": "Als iemand een URL in een bericht invoegt, kan er een URL-voorvertoning weergegeven worden met meer informatie over de koppeling, zoals de titel, omschrijving en een afbeelding van de website.", "When someone puts a URL in their message, a URL preview can be shown to give more information about that link such as the title, description, and an image from the website.": "Als iemand een URL in een bericht invoegt, kan er een URL-voorvertoning weergegeven worden met meer informatie over de koppeling, zoals de titel, omschrijving en een afbeelding van de website.",
"Share Room": "Kamer delen", "Share Room": "Kamer delen",
@ -576,19 +563,6 @@
"Room version": "Kamerversie", "Room version": "Kamerversie",
"Room version:": "Kamerversie:", "Room version:": "Kamerversie:",
"Room Addresses": "Kameradressen", "Room Addresses": "Kameradressen",
"Change room avatar": "Kamerafbeelding wijzigen",
"Change room name": "Kamernaam wijzigen",
"Change main address for the room": "Hoofdadres voor de kamer wijzigen",
"Change history visibility": "Zichtbaarheid van geschiedenis wijzigen",
"Change permissions": "Rechten wijzigen",
"Change topic": "Onderwerp wijzigen",
"Modify widgets": "Widgets aanpassen",
"Default role": "Standaardrol",
"Send messages": "Berichten versturen",
"Invite users": "Personen uitnodigen",
"Change settings": "Instellingen wijzigen",
"Ban users": "Personen verbannen",
"Notify everyone": "Iedereen melden",
"Send %(eventType)s events": "%(eventType)s-gebeurtenissen versturen", "Send %(eventType)s events": "%(eventType)s-gebeurtenissen versturen",
"Roles & Permissions": "Rollen & rechten", "Roles & Permissions": "Rollen & rechten",
"Select the roles required to change various parts of the room": "Selecteer de vereiste rollen om verschillende delen van de kamer te wijzigen", "Select the roles required to change various parts of the room": "Selecteer de vereiste rollen om verschillende delen van de kamer te wijzigen",
@ -651,7 +625,6 @@
"Email (optional)": "E-mailadres (optioneel)", "Email (optional)": "E-mailadres (optioneel)",
"Phone (optional)": "Telefoonnummer (optioneel)", "Phone (optional)": "Telefoonnummer (optioneel)",
"Join millions for free on the largest public server": "Neem deel aan de grootste publieke server samen met miljoenen anderen", "Join millions for free on the largest public server": "Neem deel aan de grootste publieke server samen met miljoenen anderen",
"Other": "Overige",
"Couldn't load page": "Kon pagina niet laden", "Couldn't load page": "Kon pagina niet laden",
"Your message wasn't sent because this homeserver has hit its Monthly Active User Limit. Please <a>contact your service administrator</a> to continue using the service.": "Je bericht is niet verstuurd omdat deze homeserver zijn limiet voor maandelijks actieve personen heeft bereikt. <a>Neem contact op met je beheerder</a> om de dienst te blijven gebruiken.", "Your message wasn't sent because this homeserver has hit its Monthly Active User Limit. Please <a>contact your service administrator</a> to continue using the service.": "Je bericht is niet verstuurd omdat deze homeserver zijn limiet voor maandelijks actieve personen heeft bereikt. <a>Neem contact op met je beheerder</a> om de dienst te blijven gebruiken.",
"Your message wasn't sent because this homeserver has exceeded a resource limit. Please <a>contact your service administrator</a> to continue using the service.": "Je bericht is niet verstuurd omdat deze homeserver een systeembronlimiet heeft overschreden. <a>Neem contact op met je dienstbeheerder</a> om de dienst te blijven gebruiken.", "Your message wasn't sent because this homeserver has exceeded a resource limit. Please <a>contact your service administrator</a> to continue using the service.": "Je bericht is niet verstuurd omdat deze homeserver een systeembronlimiet heeft overschreden. <a>Neem contact op met je dienstbeheerder</a> om de dienst te blijven gebruiken.",
@ -807,8 +780,6 @@
"Sign in and regain access to your account.": "Meld je aan en herkrijg toegang tot je account.", "Sign in and regain access to your account.": "Meld je aan en herkrijg toegang tot je account.",
"You cannot sign in to your account. Please contact your homeserver admin for more information.": "Je kan niet inloggen met jouw account. Neem voor meer informatie contact op met de beheerder van je homeserver.", "You cannot sign in to your account. Please contact your homeserver admin for more information.": "Je kan niet inloggen met jouw account. Neem voor meer informatie contact op met de beheerder van je homeserver.",
"This account has been deactivated.": "Dit account is gesloten.", "This account has been deactivated.": "Dit account is gesloten.",
"Messages": "Berichten",
"Actions": "Acties",
"Checking server": "Server wordt gecontroleerd", "Checking server": "Server wordt gecontroleerd",
"Disconnect from the identity server <idserver />?": "Wil je de verbinding met de identiteitsserver <idserver /> verbreken?", "Disconnect from the identity server <idserver />?": "Wil je de verbinding met de identiteitsserver <idserver /> verbreken?",
"You are currently using <server></server> to discover and be discoverable by existing contacts you know. You can change your identity server below.": "Om bekenden te kunnen vinden en voor hen vindbaar te zijn gebruik je momenteel <server></server>. Je kan die identiteitsserver hieronder wijzigen.", "You are currently using <server></server> to discover and be discoverable by existing contacts you know. You can change your identity server below.": "Om bekenden te kunnen vinden en voor hen vindbaar te zijn gebruik je momenteel <server></server>. Je kan die identiteitsserver hieronder wijzigen.",
@ -851,8 +822,6 @@
"Agree to the identity server (%(serverName)s) Terms of Service to allow yourself to be discoverable by email address or phone number.": "Aanvaard de gebruiksvoorwaarden van de identiteitsserver (%(serverName)s) om vindbaar te zijn op e-mailadres of telefoonnummer.", "Agree to the identity server (%(serverName)s) Terms of Service to allow yourself to be discoverable by email address or phone number.": "Aanvaard de gebruiksvoorwaarden van de identiteitsserver (%(serverName)s) om vindbaar te zijn op e-mailadres of telefoonnummer.",
"Read Marker lifetime (ms)": "Levensduur van leesbevestigingen (ms)", "Read Marker lifetime (ms)": "Levensduur van leesbevestigingen (ms)",
"Read Marker off-screen lifetime (ms)": "Levensduur van levensbevestigingen, niet op scherm (ms)", "Read Marker off-screen lifetime (ms)": "Levensduur van levensbevestigingen, niet op scherm (ms)",
"Upgrade the room": "Upgrade de kamer",
"Enable room encryption": "Kamerversleuteling inschakelen",
"Error changing power level requirement": "Fout bij wijzigen van machtsniveauvereiste", "Error changing power level requirement": "Fout bij wijzigen van machtsniveauvereiste",
"An error occurred changing the room's power level requirements. Ensure you have sufficient permissions and try again.": "Er is een fout opgetreden bij het wijzigen van de machtsniveauvereisten van de kamer. Zorg ervoor dat je over voldoende machtigingen beschikt en probeer het opnieuw.", "An error occurred changing the room's power level requirements. Ensure you have sufficient permissions and try again.": "Er is een fout opgetreden bij het wijzigen van de machtsniveauvereisten van de kamer. Zorg ervoor dat je over voldoende machtigingen beschikt en probeer het opnieuw.",
"Error changing power level": "Fout bij wijzigen van machtsniveau", "Error changing power level": "Fout bij wijzigen van machtsniveau",
@ -1033,14 +1002,11 @@
"Cancelling…": "Bezig met annuleren…", "Cancelling…": "Bezig met annuleren…",
"%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with <nativeLink>search components added</nativeLink>.": "In %(brand)s ontbreken enige modulen vereist voor het veilig lokaal bewaren van versleutelde berichten. Wil je deze functie uittesten, compileer dan een aangepaste versie van %(brand)s Desktop <nativeLink>die de zoekmodulen bevat</nativeLink>.", "%(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 <nativeLink>search components added</nativeLink>.": "In %(brand)s ontbreken enige modulen vereist voor het veilig lokaal bewaren van versleutelde berichten. Wil je deze functie uittesten, compileer dan een aangepaste versie van %(brand)s Desktop <nativeLink>die de zoekmodulen bevat</nativeLink>.",
"This session is <b>not backing up your keys</b>, but you do have an existing backup you can restore from and add to going forward.": "Deze sessie <b>maakt geen back-ups van je sleutels</b>, maar je beschikt over een reeds bestaande back-up waaruit je kan herstellen en waaraan je nieuwe sleutels vanaf nu kunt toevoegen.", "This session is <b>not backing up your keys</b>, but you do have an existing backup you can restore from and add to going forward.": "Deze sessie <b>maakt geen back-ups van je sleutels</b>, maar je beschikt over een reeds bestaande back-up waaruit je kan herstellen en waaraan je nieuwe sleutels vanaf nu kunt toevoegen.",
"Cross-signing": "Kruiselings ondertekenen",
"Encrypted by an unverified session": "Versleuteld door een niet-geverifieerde sessie", "Encrypted by an unverified session": "Versleuteld door een niet-geverifieerde sessie",
"Unencrypted": "Onversleuteld", "Unencrypted": "Onversleuteld",
"Encrypted by a deleted session": "Versleuteld door een verwijderde sessie", "Encrypted by a deleted session": "Versleuteld door een verwijderde sessie",
"Close preview": "Voorbeeld sluiten", "Close preview": "Voorbeeld sluiten",
"Failed to deactivate user": "Deactiveren van persoon is mislukt", "Failed to deactivate user": "Deactiveren van persoon is mislukt",
"Send a reply…": "Verstuur een antwoord…",
"Send a message…": "Verstuur een bericht…",
"Room %(name)s": "Kamer %(name)s", "Room %(name)s": "Kamer %(name)s",
"<userName/> wants to chat": "<userName/> wil een chat met je beginnen", "<userName/> wants to chat": "<userName/> wil een chat met je beginnen",
"Start chatting": "Gesprek beginnen", "Start chatting": "Gesprek beginnen",
@ -1199,7 +1165,6 @@
"Your homeserver has exceeded its user limit.": "Jouw homeserver heeft het maximaal aantal personen overschreden.", "Your homeserver has exceeded its user limit.": "Jouw homeserver heeft het maximaal aantal personen overschreden.",
"Your homeserver has exceeded one of its resource limits.": "Jouw homeserver heeft een van zijn limieten overschreden.", "Your homeserver has exceeded one of its resource limits.": "Jouw homeserver heeft een van zijn limieten overschreden.",
"Ok": "Oké", "Ok": "Oké",
"Unable to access microphone": "Je microfoon lijkt niet beschikbaar",
"The call was answered on another device.": "De oproep werd op een ander toestel beantwoord.", "The call was answered on another device.": "De oproep werd op een ander toestel beantwoord.",
"Answered Elsewhere": "Ergens anders beantwoord", "Answered Elsewhere": "Ergens anders beantwoord",
"The call could not be established": "De oproep kon niet worden volbracht", "The call could not be established": "De oproep kon niet worden volbracht",
@ -1225,12 +1190,6 @@
"United Kingdom": "Verenigd Koninkrijk", "United Kingdom": "Verenigd Koninkrijk",
"You've reached the maximum number of simultaneous calls.": "Je hebt het maximum aantal van gelijktijdige oproepen bereikt.", "You've reached the maximum number of simultaneous calls.": "Je hebt het maximum aantal van gelijktijdige oproepen bereikt.",
"Too Many Calls": "Te veel oproepen", "Too Many Calls": "Te veel oproepen",
"No other application is using the webcam": "Geen andere applicatie de camera gebruikt",
"Permission is granted to use the webcam": "Toegang tot de webcam is toegestaan",
"A microphone and webcam are plugged in and set up correctly": "Een microfoon en webcam zijn aangesloten en juist ingesteld",
"Call failed because webcam or microphone could not be accessed. Check that:": "Oproep mislukt omdat er geen toegang is tot de webcam of de microfoon. Kijk na dat:",
"Unable to access webcam / microphone": "Je webcam of microfoon lijkt niet beschikbaar",
"Call failed because microphone could not be accessed. Check that a microphone is plugged in and set up correctly.": "Oproep mislukt omdat er geen toegang is tot de microfoon. Kijk na dat de microfoon juist is aangesloten en ingesteld.",
"Video conference started by %(senderName)s": "Videovergadering gestart door %(senderName)s", "Video conference started by %(senderName)s": "Videovergadering gestart door %(senderName)s",
"Video conference updated by %(senderName)s": "Videovergadering geüpdatet door %(senderName)s", "Video conference updated by %(senderName)s": "Videovergadering geüpdatet door %(senderName)s",
"Video conference ended by %(senderName)s": "Videovergadering beëindigd door %(senderName)s", "Video conference ended by %(senderName)s": "Videovergadering beëindigd door %(senderName)s",
@ -1471,7 +1430,6 @@
"Change which room, message, or user you're viewing": "Verander welke kamer, welk bericht of welk persoon je ziet", "Change which room, message, or user you're viewing": "Verander welke kamer, welk bericht of welk persoon je ziet",
"Change which room you're viewing": "Verander welke kamer je ziet", "Change which room you're viewing": "Verander welke kamer je ziet",
"Places the call in the current room on hold": "De huidige oproep in de wacht zetten", "Places the call in the current room on hold": "De huidige oproep in de wacht zetten",
"Effects": "Effecten",
"Are you sure you want to cancel entering passphrase?": "Weet je zeker, dat je het invoeren van je wachtwoord wilt afbreken?", "Are you sure you want to cancel entering passphrase?": "Weet je zeker, dat je het invoeren van je wachtwoord wilt afbreken?",
"Vatican City": "Vaticaanstad", "Vatican City": "Vaticaanstad",
"Taiwan": "Taiwan", "Taiwan": "Taiwan",
@ -1513,7 +1471,6 @@
"Scroll to most recent messages": "Spring naar meest recente bericht", "Scroll to most recent messages": "Spring naar meest recente bericht",
"The authenticity of this encrypted message can't be guaranteed on this device.": "De echtheid van dit versleutelde bericht kan op dit apparaat niet worden gegarandeerd.", "The authenticity of this encrypted message can't be guaranteed on this device.": "De echtheid van dit versleutelde bericht kan op dit apparaat niet worden gegarandeerd.",
"To link to this room, please add an address.": "Voeg een adres toe om naar deze kamer te kunnen verwijzen.", "To link to this room, please add an address.": "Voeg een adres toe om naar deze kamer te kunnen verwijzen.",
"Remove messages sent by others": "Berichten van anderen verwijderen",
"Appearance Settings only affect this %(brand)s session.": "Weergave-instellingen zijn alleen van toepassing op deze %(brand)s sessie.", "Appearance Settings only affect this %(brand)s session.": "Weergave-instellingen zijn alleen van toepassing op deze %(brand)s sessie.",
"Customise your appearance": "Weergave aanpassen", "Customise your appearance": "Weergave aanpassen",
"Use between %(min)s pt and %(max)s pt": "Gebruik een getal tussen %(min)s pt en %(max)s pt", "Use between %(min)s pt and %(max)s pt": "Gebruik een getal tussen %(min)s pt en %(max)s pt",
@ -1531,31 +1488,14 @@
"cached locally": "lokaal opgeslagen", "cached locally": "lokaal opgeslagen",
"not found in storage": "Niet gevonden in de opslag", "not found in storage": "Niet gevonden in de opslag",
"Channel: <channelLink/>": "Kanaal: <channelLink/>", "Channel: <channelLink/>": "Kanaal: <channelLink/>",
"Unknown caller": "Onbekende beller",
"There was an error looking up the phone number": "Bij het zoeken naar het telefoonnummer is een fout opgetreden", "There was an error looking up the phone number": "Bij het zoeken naar het telefoonnummer is een fout opgetreden",
"Unable to look up phone number": "Kan telefoonnummer niet opzoeken", "Unable to look up phone number": "Kan telefoonnummer niet opzoeken",
"Return to call": "Terug naar oproep",
"sends snowfall": "stuurt sneeuwval", "sends snowfall": "stuurt sneeuwval",
"sends confetti": "stuurt confetti", "sends confetti": "stuurt confetti",
"sends fireworks": "stuurt vuurwerk", "sends fireworks": "stuurt vuurwerk",
"Downloading logs": "Logs downloaden",
"Uploading logs": "Logs uploaden",
"Use custom size": "Aangepaste lettergrootte gebruiken", "Use custom size": "Aangepaste lettergrootte gebruiken",
"Font size": "Lettergrootte", "Font size": "Lettergrootte",
"Change notification settings": "Meldingsinstellingen wijzigen", "Change notification settings": "Meldingsinstellingen wijzigen",
"%(senderName)s: %(stickerName)s": "%(senderName)s: %(stickerName)s",
"%(senderName)s: %(message)s": "%(senderName)s: %(message)s",
"* %(senderName)s %(emote)s": "* %(senderName)s %(emote)s",
"%(senderName)s is calling": "%(senderName)s belt",
"Waiting for answer": "Wachten op antwoord",
"%(senderName)s started a call": "%(senderName)s heeft een oproep gestart",
"You started a call": "Je hebt een oproep gestart",
"Call ended": "Oproep beëindigd",
"%(senderName)s ended the call": "%(senderName)s heeft opgehangen",
"You ended the call": "Je hebt opgehangen",
"Call in progress": "Oproep gaande",
"%(senderName)s joined the call": "%(senderName)s neemt deel aan de oproep",
"You joined the call": "Je hebt deelgenomen aan de oproep",
"New version of %(brand)s is available": "Nieuwe versie van %(brand)s is beschikbaar", "New version of %(brand)s is available": "Nieuwe versie van %(brand)s is beschikbaar",
"Update %(brand)s": "%(brand)s updaten", "Update %(brand)s": "%(brand)s updaten",
"You've previously used a newer version of %(brand)s with this session. To use this version again with end to end encryption, you will need to sign out and back in again.": "Je hebt eerder een nieuwere versie van %(brand)s in deze sessie gebruikt. Om deze versie opnieuw met eind-tot-eind-versleuteling te gebruiken, zal je moeten uitloggen en opnieuw inloggen.", "You've previously used a newer version of %(brand)s with this session. To use this version again with end to end encryption, you will need to sign out and back in again.": "Je hebt eerder een nieuwere versie van %(brand)s in deze sessie gebruikt. Om deze versie opnieuw met eind-tot-eind-versleuteling te gebruiken, zal je moeten uitloggen en opnieuw inloggen.",
@ -1737,7 +1677,6 @@
"Confirm Security Phrase": "Veiligheidswachtwoord bevestigen", "Confirm Security Phrase": "Veiligheidswachtwoord bevestigen",
"Set a Security Phrase": "Een veiligheidswachtwoord instellen", "Set a Security Phrase": "Een veiligheidswachtwoord instellen",
"You can also set up Secure Backup & manage your keys in Settings.": "Je kan ook een beveiligde back-up instellen en je sleutels beheren via instellingen.", "You can also set up Secure Backup & manage your keys in Settings.": "Je kan ook een beveiligde back-up instellen en je sleutels beheren via instellingen.",
"Secure Backup": "Beveiligde back-up",
"Unable to access secret storage. Please verify that you entered the correct Security Phrase.": "Geen toegang tot geheime opslag. Controleer of u het juiste veiligheidswachtwoord hebt ingevoerd.", "Unable to access secret storage. Please verify that you entered the correct Security Phrase.": "Geen toegang tot geheime opslag. Controleer of u het juiste veiligheidswachtwoord hebt ingevoerd.",
"Secret storage:": "Sleutelopslag:", "Secret storage:": "Sleutelopslag:",
"Unable to query secret storage status": "Kan status sleutelopslag niet opvragen", "Unable to query secret storage status": "Kan status sleutelopslag niet opvragen",
@ -1882,10 +1821,6 @@
"Cross-signing is ready for use.": "Kruiselings ondertekenen is klaar voor gebruik.", "Cross-signing is ready for use.": "Kruiselings ondertekenen is klaar voor gebruik.",
"Your server isn't responding to some <a>requests</a>.": "Je server reageert niet op sommige <a>verzoeken</a>.", "Your server isn't responding to some <a>requests</a>.": "Je server reageert niet op sommige <a>verzoeken</a>.",
"Dial pad": "Kiestoetsen", "Dial pad": "Kiestoetsen",
"%(name)s on hold": "%(name)s in de wacht",
"%(peerName)s held the call": "%(peerName)s heeft de oproep in de wacht",
"You held the call <a>Resume</a>": "Je hebt een oproep in de wacht <a>Hervat</a>",
"You held the call <a>Switch</a>": "Je hebt een oproep in de wacht <a>Wissel</a>",
"Sends the given message with snowfall": "Stuurt het bericht met sneeuwval", "Sends the given message with snowfall": "Stuurt het bericht met sneeuwval",
"Sends the given message with fireworks": "Stuurt het bericht met vuurwerk", "Sends the given message with fireworks": "Stuurt het bericht met vuurwerk",
"Sends the given message with confetti": "Stuurt het bericht met confetti", "Sends the given message with confetti": "Stuurt het bericht met confetti",
@ -1933,7 +1868,6 @@
"You do not have permissions to add rooms to this space": "Je hebt geen toestemming om kamers toe te voegen in deze Space", "You do not have permissions to add rooms to this space": "Je hebt geen toestemming om kamers toe te voegen in deze Space",
"Add existing room": "Bestaande kamers toevoegen", "Add existing room": "Bestaande kamers toevoegen",
"You do not have permissions to create new rooms in this space": "Je hebt geen toestemming om kamers te maken in deze Space", "You do not have permissions to create new rooms in this space": "Je hebt geen toestemming om kamers te maken in deze Space",
"Send message": "Bericht versturen",
"Invite to this space": "Voor deze Space uitnodigen", "Invite to this space": "Voor deze Space uitnodigen",
"Your message was sent": "Je bericht is verstuurd", "Your message was sent": "Je bericht is verstuurd",
"Space options": "Space-opties", "Space options": "Space-opties",
@ -1948,8 +1882,6 @@
"Open space for anyone, best for communities": "Publieke space voor iedereen, geschikt voor gemeenschappen", "Open space for anyone, best for communities": "Publieke space voor iedereen, geschikt voor gemeenschappen",
"Create a space": "Space maken", "Create a space": "Space maken",
"This homeserver has been blocked by its administrator.": "Deze homeserver is geblokkeerd door jouw beheerder.", "This homeserver has been blocked by its administrator.": "Deze homeserver is geblokkeerd door jouw beheerder.",
"Already in call": "Al in de oproep",
"You're already in a call with this person.": "Je bent al in gesprek met deze persoon.",
"Make sure the right people have access. You can invite more later.": "Controleer of de juiste personen toegang hebben. Je kan later meer personen uitnodigen.", "Make sure the right people have access. You can invite more later.": "Controleer of de juiste personen toegang hebben. Je kan later meer personen uitnodigen.",
"A private space to organise your rooms": "Een privé Space om je kamers te organiseren", "A private space to organise your rooms": "Een privé Space om je kamers te organiseren",
"Just me": "Alleen ik", "Just me": "Alleen ik",
@ -1997,7 +1929,6 @@
}, },
"Invite to just this room": "Uitnodigen voor alleen deze kamer", "Invite to just this room": "Uitnodigen voor alleen deze kamer",
"Manage & explore rooms": "Beheer & ontdek kamers", "Manage & explore rooms": "Beheer & ontdek kamers",
"Consulting with %(transferTarget)s. <a>Transfer to %(transferee)s</a>": "Overleggen met %(transferTarget)s. <a>Verstuur naar %(transferee)s</a>",
"unknown person": "onbekend persoon", "unknown person": "onbekend persoon",
"%(deviceId)s from %(ip)s": "%(deviceId)s van %(ip)s", "%(deviceId)s from %(ip)s": "%(deviceId)s van %(ip)s",
"Review to ensure your account is safe": "Controleer ze zodat jouw account veilig is", "Review to ensure your account is safe": "Controleer ze zodat jouw account veilig is",
@ -2008,7 +1939,6 @@
"Forgotten or lost all recovery methods? <a>Reset all</a>": "Alles vergeten en alle herstelmethoden verloren? <a>Alles opnieuw instellen</a>", "Forgotten or lost all recovery methods? <a>Reset all</a>": "Alles vergeten en alle herstelmethoden verloren? <a>Alles opnieuw instellen</a>",
"If you do, please note that none of your messages will be deleted, but the search experience might be degraded for a few moments whilst the index is recreated": "Als je dat doet, let wel op dat geen van jouw berichten wordt verwijderd, maar de zoekresultaten zullen gedurende enkele ogenblikken verslechteren terwijl de index opnieuw wordt aangemaakt", "If you do, please note that none of your messages will be deleted, but the search experience might be degraded for a few moments whilst the index is recreated": "Als je dat doet, let wel op dat geen van jouw berichten wordt verwijderd, maar de zoekresultaten zullen gedurende enkele ogenblikken verslechteren terwijl de index opnieuw wordt aangemaakt",
"View message": "Bericht bekijken", "View message": "Bericht bekijken",
"Change server ACLs": "Wijzig server ACL's",
"You can select all or individual messages to retry or delete": "Je kan alles selecteren of per individueel bericht opnieuw versturen of verwijderen", "You can select all or individual messages to retry or delete": "Je kan alles selecteren of per individueel bericht opnieuw versturen of verwijderen",
"Sending": "Wordt verstuurd", "Sending": "Wordt verstuurd",
"Retry all": "Alles opnieuw proberen", "Retry all": "Alles opnieuw proberen",
@ -2117,8 +2047,6 @@
"Failed to update the visibility of this space": "Het bijwerken van de zichtbaarheid van deze space is mislukt", "Failed to update the visibility of this space": "Het bijwerken van de zichtbaarheid van deze space is mislukt",
"Address": "Adres", "Address": "Adres",
"e.g. my-space": "v.b. mijn-Space", "e.g. my-space": "v.b. mijn-Space",
"Silence call": "Oproep dempen",
"Sound on": "Geluid aan",
"Some invites couldn't be sent": "Sommige uitnodigingen konden niet verstuurd worden", "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 <RoomName/>": "De anderen zijn verstuurd, maar de volgende personen konden niet worden uitgenodigd voor <RoomName/>", "We sent the others, but the below people couldn't be invited to <RoomName/>": "De anderen zijn verstuurd, maar de volgende personen konden niet worden uitgenodigd voor <RoomName/>",
"Unnamed audio": "Naamloze audio", "Unnamed audio": "Naamloze audio",
@ -2206,10 +2134,6 @@
"Share content": "Deel inhoud", "Share content": "Deel inhoud",
"Application window": "Deel een app", "Application window": "Deel een app",
"Share entire screen": "Deel je gehele scherm", "Share entire screen": "Deel je gehele scherm",
"Your camera is still enabled": "Je camera is nog ingeschakeld",
"Your camera is turned off": "Je camera staat uit",
"%(sharerName)s is presenting": "%(sharerName)s is aan het presenteren",
"You are presenting": "Je bent aan het presenteren",
"Add space": "Space toevoegen", "Add space": "Space toevoegen",
"Leave %(spaceName)s": "%(spaceName)s verlaten", "Leave %(spaceName)s": "%(spaceName)s verlaten",
"You're the only admin of some of the rooms or spaces you wish to leave. Leaving them will leave them without any admins.": "Je bent de enige beheerder van sommige kamers of Spaces die je wil verlaten. Door deze te verlaten hebben ze geen beheerder meer.", "You're the only admin of some of the rooms or spaces you wish to leave. Leaving them will leave them without any admins.": "Je bent de enige beheerder van sommige kamers of Spaces die je wil verlaten. Door deze te verlaten hebben ze geen beheerder meer.",
@ -2237,16 +2161,9 @@
"Stop recording": "Opname stoppen", "Stop recording": "Opname stoppen",
"Send voice message": "Spraakbericht versturen", "Send voice message": "Spraakbericht versturen",
"Olm version:": "Olm-versie:", "Olm version:": "Olm-versie:",
"Mute the microphone": "Microfoon uitschakelen",
"Unmute the microphone": "Microfoon inschakelen",
"Dialpad": "Toetsen",
"More": "Meer", "More": "Meer",
"Show sidebar": "Zijbalk weergeven", "Show sidebar": "Zijbalk weergeven",
"Hide sidebar": "Zijbalk verbergen", "Hide sidebar": "Zijbalk verbergen",
"Start sharing your screen": "Schermdelen starten",
"Stop sharing your screen": "Schermdelen stoppen",
"Stop the camera": "Camera stoppen",
"Start the camera": "Camera starten",
"Delete avatar": "Afbeelding verwijderen", "Delete avatar": "Afbeelding verwijderen",
"Unknown failure: %(reason)s": "Onbekende fout: %(reason)s", "Unknown failure: %(reason)s": "Onbekende fout: %(reason)s",
"Rooms and spaces": "Kamers en Spaces", "Rooms and spaces": "Kamers en Spaces",
@ -2264,15 +2181,9 @@
"Some encryption parameters have been changed.": "Enkele versleutingsparameters zijn gewijzigd.", "Some encryption parameters have been changed.": "Enkele versleutingsparameters zijn gewijzigd.",
"Role in <RoomName/>": "Rol in <RoomName/>", "Role in <RoomName/>": "Rol in <RoomName/>",
"Send a sticker": "Verstuur een sticker", "Send a sticker": "Verstuur een sticker",
"Reply to thread…": "Reageer op draad…",
"Reply to encrypted thread…": "Reageer op versleutelde draad…",
"Unknown failure": "Onbekende fout", "Unknown failure": "Onbekende fout",
"Failed to update the join rules": "Het updaten van de deelname regels is mislukt", "Failed to update the join rules": "Het updaten van de deelname regels is mislukt",
"Select the roles required to change various parts of the space": "Selecteer de rollen die vereist zijn om onderdelen van de space te wijzigen", "Select the roles required to change various parts of the space": "Selecteer de rollen die vereist zijn om onderdelen van de space te wijzigen",
"Change description": "Omschrijving wijzigen",
"Change main address for the space": "Hoofdadres van space wijzigen",
"Change space name": "Spacenaam wijzigen",
"Change space avatar": "Space-afbeelding wijzigen",
"Anyone in <spaceName/> can find and join. You can select other spaces too.": "Iedereen in <spaceName/> kan hem vinden en deelnemen. Je kan ook andere spaces selecteren.", "Anyone in <spaceName/> can find and join. You can select other spaces too.": "Iedereen in <spaceName/> kan hem vinden en deelnemen. Je kan ook andere spaces selecteren.",
"Message didn't send. Click for info.": "Bericht is niet verstuur. Klik voor meer info.", "Message didn't send. Click for info.": "Bericht is niet verstuur. Klik voor meer info.",
"To join a space you'll need an invite.": "Om te kunnen deelnemen aan een space heb je een uitnodiging nodig.", "To join a space you'll need an invite.": "Om te kunnen deelnemen aan een space heb je een uitnodiging nodig.",
@ -2402,7 +2313,6 @@
"The homeserver the user you're verifying is connected to": "De homeserver waarmee de persoon die jij verifieert verbonden is", "The homeserver the user you're verifying is connected to": "De homeserver waarmee de persoon die jij verifieert verbonden is",
"You do not have permission to start polls in this room.": "Je hebt geen toestemming om polls te starten in deze kamer.", "You do not have permission to start polls in this room.": "Je hebt geen toestemming om polls te starten in deze kamer.",
"Reply in thread": "Reageer in draad", "Reply in thread": "Reageer in draad",
"Manage rooms in this space": "Beheer kamers in deze space",
"You won't get any notifications": "Je krijgt geen meldingen", "You won't get any notifications": "Je krijgt geen meldingen",
"Get notified only with mentions and keywords as set up in your <a>settings</a>": "Krijg alleen meldingen met vermeldingen en trefwoorden zoals ingesteld in je <a>instellingen</a>", "Get notified only with mentions and keywords as set up in your <a>settings</a>": "Krijg alleen meldingen met vermeldingen en trefwoorden zoals ingesteld in je <a>instellingen</a>",
"@mentions & keywords": "@vermeldingen & trefwoorden", "@mentions & keywords": "@vermeldingen & trefwoorden",
@ -2467,11 +2377,8 @@
"Help improve %(analyticsOwner)s": "Help %(analyticsOwner)s verbeteren", "Help improve %(analyticsOwner)s": "Help %(analyticsOwner)s verbeteren",
"That's fine": "Dat is prima", "That's fine": "Dat is prima",
"Share location": "Locatie delen", "Share location": "Locatie delen",
"Manage pinned events": "Vastgeprikte gebeurtenissen beheren",
"You cannot place calls without a connection to the server.": "Je kan geen oproepen plaatsen zonder een verbinding met de server.", "You cannot place calls without a connection to the server.": "Je kan geen oproepen plaatsen zonder een verbinding met de server.",
"Connectivity to the server has been lost": "De verbinding met de server is verbroken", "Connectivity to the server has been lost": "De verbinding met de server is verbroken",
"You cannot place calls in this browser.": "Je kan geen oproepen plaatsen in deze browser.",
"Calls are unsupported": "Oproepen worden niet ondersteund",
"Toggle space panel": "Spacepaneel in- of uitschakelen", "Toggle space panel": "Spacepaneel in- of uitschakelen",
"Are you sure you want to end this poll? This will show the final results of the poll and stop people from being able to vote.": "Weet je zeker dat je de poll wil sluiten? Dit zal zichtbaar zijn in de einduitslag van de poll en personen kunnen dan niet langer stemmen.", "Are you sure you want to end this poll? This will show the final results of the poll and stop people from being able to vote.": "Weet je zeker dat je de poll wil sluiten? Dit zal zichtbaar zijn in de einduitslag van de poll en personen kunnen dan niet langer stemmen.",
"End Poll": "Poll sluiten", "End Poll": "Poll sluiten",
@ -2517,12 +2424,10 @@
"Waiting for you to verify on your other device, %(deviceName)s (%(deviceId)s)…": "Wachten op je verificatie op het andere apparaat, %(deviceName)s (%(deviceId)s)…", "Waiting for you to verify on your other device, %(deviceName)s (%(deviceId)s)…": "Wachten op je verificatie op het andere apparaat, %(deviceName)s (%(deviceId)s)…",
"Verify this device by confirming the following number appears on its screen.": "Verifieer dit apparaat door te bevestigen dat het volgende nummer zichtbaar is op het scherm.", "Verify this device by confirming the following number appears on its screen.": "Verifieer dit apparaat door te bevestigen dat het volgende nummer zichtbaar is op het scherm.",
"Confirm the emoji below are displayed on both devices, in the same order:": "Bevestig dat de onderstaande emoji zichtbaar zijn op beide apparaten en in dezelfde volgorde:", "Confirm the emoji below are displayed on both devices, in the same order:": "Bevestig dat de onderstaande emoji zichtbaar zijn op beide apparaten en in dezelfde volgorde:",
"Dial": "Bel",
"Back to thread": "Terug naar draad", "Back to thread": "Terug naar draad",
"Room members": "Kamerleden", "Room members": "Kamerleden",
"Back to chat": "Terug naar chat", "Back to chat": "Terug naar chat",
"Expand map": "Map uitvouwen", "Expand map": "Map uitvouwen",
"Send reactions": "Reacties versturen",
"No active call in this room": "Geen actieve oproep in deze kamer", "No active call in this room": "Geen actieve oproep in deze kamer",
"Unable to find Matrix ID for phone number": "Kan Matrix-ID voor telefoonnummer niet vinden", "Unable to find Matrix ID for phone number": "Kan Matrix-ID voor telefoonnummer niet vinden",
"Unknown (user, session) pair: (%(userId)s, %(deviceId)s)": "Onbekend paar (persoon, sessie): (%(userId)s, %(deviceId)s)", "Unknown (user, session) pair: (%(userId)s, %(deviceId)s)": "Onbekend paar (persoon, sessie): (%(userId)s, %(deviceId)s)",
@ -2557,7 +2462,6 @@
"You don't have permission to view messages from before you joined.": "Je hebt geen toestemming om berichten te bekijken voor voordat je lid werd.", "You don't have permission to view messages from before you joined.": "Je hebt geen toestemming om berichten te bekijken voor voordat je lid werd.",
"You don't have permission to view messages from before you were invited.": "Je bent niet gemachtigd om berichten te bekijken van voordat je werd uitgenodigd.", "You don't have permission to view messages from before you were invited.": "Je bent niet gemachtigd om berichten te bekijken van voordat je werd uitgenodigd.",
"From a thread": "Uit een conversatie", "From a thread": "Uit een conversatie",
"Remove users": "Personen verwijderen",
"Keyboard": "Toetsenbord", "Keyboard": "Toetsenbord",
"Automatically send debug logs on decryption errors": "Automatisch foutopsporingslogboeken versturen bij decoderingsfouten", "Automatically send debug logs on decryption errors": "Automatisch foutopsporingslogboeken versturen bij decoderingsfouten",
"Remove, ban, or invite people to your active room, and make you leave": "Verwijder, verbied of nodig mensen uit voor je actieve kamer en zorg ervoor dat je weggaat", "Remove, ban, or invite people to your active room, and make you leave": "Verwijder, verbied of nodig mensen uit voor je actieve kamer en zorg ervoor dat je weggaat",
@ -2705,7 +2609,6 @@
}, },
"New video room": "Nieuwe video kamer", "New video room": "Nieuwe video kamer",
"New room": "Nieuwe kamer", "New room": "Nieuwe kamer",
"Remove messages sent by me": "Door mij verzonden berichten verwijderen",
"View older version of %(spaceName)s.": "Bekijk oudere versie van %(spaceName)s.", "View older version of %(spaceName)s.": "Bekijk oudere versie van %(spaceName)s.",
"Upgrade this space to the recommended room version": "Upgrade deze ruimte naar de aanbevolen kamerversie", "Upgrade this space to the recommended room version": "Upgrade deze ruimte naar de aanbevolen kamerversie",
"Spaces are a new way to group rooms and people. What kind of Space do you want to create? You can change this later.": "Spaces zijn een nieuwe manier om kamers en mensen te groeperen. Wat voor ruimte wil je aanmaken? Je kan dit later wijzigen.", "Spaces are a new way to group rooms and people. What kind of Space do you want to create? You can change this later.": "Spaces zijn een nieuwe manier om kamers en mensen te groeperen. Wat voor ruimte wil je aanmaken? Je kan dit later wijzigen.",
@ -2780,12 +2683,6 @@
"other": "Gezien door %(count)s mensen" "other": "Gezien door %(count)s mensen"
}, },
"Your password was successfully changed.": "Wachtwoord veranderen geslaagd.", "Your password was successfully changed.": "Wachtwoord veranderen geslaagd.",
"Turn on camera": "Camera inschakelen",
"Turn off camera": "Camera uitschakelen",
"Video devices": "Video-apparaten",
"Unmute microphone": "Microfoon inschakelen",
"Mute microphone": "Microfoon dempen",
"Audio devices": "Audio-apparaten",
"An error occurred while stopping your live location": "Er is een fout opgetreden bij het stoppen van je live locatie", "An error occurred while stopping your live location": "Er is een fout opgetreden bij het stoppen van je live locatie",
"Enable live location sharing": "Live locatie delen inschakelen", "Enable live location sharing": "Live locatie delen inschakelen",
"Please note: this is a labs feature using a temporary implementation. This means you will not be able to delete your location history, and advanced users will be able to see your location history even after you stop sharing your live location with this room.": "Let op: dit is een labfunctie met een tijdelijke implementatie. Dit betekent dat je jouw locatiegeschiedenis niet kunt verwijderen en dat geavanceerde gebruikers jouw locatiegeschiedenis kunnen zien, zelfs nadat je stopt met het delen van uw live locatie met deze ruimte.", "Please note: this is a labs feature using a temporary implementation. This means you will not be able to delete your location history, and advanced users will be able to see your location history even after you stop sharing your live location with this room.": "Let op: dit is een labfunctie met een tijdelijke implementatie. Dit betekent dat je jouw locatiegeschiedenis niet kunt verwijderen en dat geavanceerde gebruikers jouw locatiegeschiedenis kunnen zien, zelfs nadat je stopt met het delen van uw live locatie met deze ruimte.",
@ -3008,9 +2905,6 @@
"You do not have sufficient permissions to change this.": "U heeft niet voldoende rechten om dit te wijzigen.", "You do not have sufficient permissions to change this.": "U heeft niet voldoende rechten om dit te wijzigen.",
"%(brand)s is end-to-end encrypted, but is currently limited to smaller numbers of users.": "%(brand)s is eind-tot-eind versleuteld, maar is momenteel beperkt tot kleinere aantallen gebruikers.", "%(brand)s is end-to-end encrypted, but is currently limited to smaller numbers of users.": "%(brand)s is eind-tot-eind versleuteld, maar is momenteel beperkt tot kleinere aantallen gebruikers.",
"Enable %(brand)s as an additional calling option in this room": "Schakel %(brand)s in als extra bel optie in deze kamer", "Enable %(brand)s as an additional calling option in this room": "Schakel %(brand)s in als extra bel optie in deze kamer",
"Join %(brand)s calls": "Deelnemen aan %(brand)s gesprekken",
"Start %(brand)s calls": "%(brand)s oproepen starten",
"Voice broadcasts": "Spraakuitzendingen",
"Are you sure you want to sign out of %(count)s sessions?": { "Are you sure you want to sign out of %(count)s sessions?": {
"one": "Weet u zeker dat u zich wilt afmelden bij %(count)s sessies?", "one": "Weet u zeker dat u zich wilt afmelden bij %(count)s sessies?",
"other": "Weet u zeker dat u zich wilt afmelden bij %(count)s sessies?" "other": "Weet u zeker dat u zich wilt afmelden bij %(count)s sessies?"
@ -3018,11 +2912,8 @@
"Enable notifications for this device": "Meldingen inschakelen voor dit apparaat", "Enable notifications for this device": "Meldingen inschakelen voor dit apparaat",
"Turn off to disable notifications on all your devices and sessions": "Schakel dit uit om meldingen op al je apparaten en sessies uit te schakelen", "Turn off to disable notifications on all your devices and sessions": "Schakel dit uit om meldingen op al je apparaten en sessies uit te schakelen",
"Enable notifications for this account": "Meldingen inschakelen voor dit account", "Enable notifications for this account": "Meldingen inschakelen voor dit account",
"Fill screen": "Scherm vullen",
"Sorry — this call is currently full": "Sorry — dit gesprek is momenteel vol", "Sorry — this call is currently full": "Sorry — dit gesprek is momenteel vol",
"Record the client name, version, and url to recognise sessions more easily in session manager": "Noteer de naam, versie en url van de applicatie om sessies gemakkelijker te herkennen in sessiebeheer", "Record the client name, version, and url to recognise sessions more easily in session manager": "Noteer de naam, versie en url van de applicatie om sessies gemakkelijker te herkennen in sessiebeheer",
"Notifications silenced": "Meldingen stilgezet",
"Video call started": "Videogesprek gestart",
"Unknown room": "Onbekende kamer", "Unknown room": "Onbekende kamer",
"Voice broadcast": "Spraakuitzending", "Voice broadcast": "Spraakuitzending",
"Live": "Live", "Live": "Live",
@ -3116,7 +3007,11 @@
"server": "Server", "server": "Server",
"capabilities": "Mogelijkheden", "capabilities": "Mogelijkheden",
"unnamed_room": "Naamloze Kamer", "unnamed_room": "Naamloze Kamer",
"unnamed_space": "Naamloze Space" "unnamed_space": "Naamloze Space",
"stickerpack": "Stickerpakket",
"system_alerts": "Systeemmeldingen",
"secure_backup": "Beveiligde back-up",
"cross_signing": "Kruiselings ondertekenen"
}, },
"action": { "action": {
"continue": "Doorgaan", "continue": "Doorgaan",
@ -3260,7 +3155,14 @@
"format_underline": "Onderstrepen", "format_underline": "Onderstrepen",
"format_strikethrough": "Doorstreept", "format_strikethrough": "Doorstreept",
"format_inline_code": "Code", "format_inline_code": "Code",
"format_code_block": "Codeblok" "format_code_block": "Codeblok",
"send_button_title": "Bericht versturen",
"placeholder_thread_encrypted": "Reageer op versleutelde draad…",
"placeholder_thread": "Reageer op draad…",
"placeholder_reply_encrypted": "Verstuur een versleuteld antwoord…",
"placeholder_reply": "Verstuur een antwoord…",
"placeholder_encrypted": "Verstuur een versleuteld bericht…",
"placeholder": "Verstuur een bericht…"
}, },
"Bold": "Vet", "Bold": "Vet",
"Code": "Code", "Code": "Code",
@ -3282,7 +3184,11 @@
"send_logs": "Logs versturen", "send_logs": "Logs versturen",
"github_issue": "GitHub-melding", "github_issue": "GitHub-melding",
"download_logs": "Logs downloaden", "download_logs": "Logs downloaden",
"before_submitting": "Voordat je logs indient, dien je jouw probleem te melden <a>in een GitHub issue</a>." "before_submitting": "Voordat je logs indient, dien je jouw probleem te melden <a>in een GitHub issue</a>.",
"collecting_information": "App-versieinformatie wordt verzameld",
"collecting_logs": "Logs worden verzameld",
"uploading_logs": "Logs uploaden",
"downloading_logs": "Logs downloaden"
}, },
"time": { "time": {
"seconds_left": "%(seconds)s's over", "seconds_left": "%(seconds)s's over",
@ -3455,7 +3361,9 @@
"toolbox": "Gereedschap", "toolbox": "Gereedschap",
"developer_tools": "Ontwikkelgereedschap", "developer_tools": "Ontwikkelgereedschap",
"room_id": "Kamer ID: %(roomId)s", "room_id": "Kamer ID: %(roomId)s",
"event_id": "Gebeurtenis ID: %(eventId)s" "event_id": "Gebeurtenis ID: %(eventId)s",
"category_room": "Kamer",
"category_other": "Overige"
}, },
"export_chat": { "export_chat": {
"html": "HTML", "html": "HTML",
@ -3604,6 +3512,9 @@
"other": "%(names)s en %(count)s anderen zijn aan het typen…", "other": "%(names)s en %(count)s anderen zijn aan het typen…",
"one": "%(names)s en nog iemand zijn aan het typen…" "one": "%(names)s en nog iemand zijn aan het typen…"
} }
},
"m.call.hangup": {
"dm": "Oproep beëindigd"
} }
}, },
"slash_command": { "slash_command": {
@ -3638,7 +3549,14 @@
"help": "Toont een lijst van beschikbare opdrachten, met hun toepassing en omschrijving", "help": "Toont een lijst van beschikbare opdrachten, met hun toepassing en omschrijving",
"whois": "Geeft informatie weer over een persoon", "whois": "Geeft informatie weer over een persoon",
"rageshake": "Stuur een bugrapport met logs", "rageshake": "Stuur een bugrapport met logs",
"msg": "Zendt die persoon een bericht" "msg": "Zendt die persoon een bericht",
"usage": "Gebruik",
"category_messages": "Berichten",
"category_actions": "Acties",
"category_admin": "Beheerder",
"category_advanced": "Geavanceerd",
"category_effects": "Effecten",
"category_other": "Overige"
}, },
"presence": { "presence": {
"busy": "Bezet", "busy": "Bezet",
@ -3652,5 +3570,104 @@
"offline": "Offline", "offline": "Offline",
"away": "Afwezig" "away": "Afwezig"
}, },
"Unknown": "Onbekend" "Unknown": "Onbekend",
"event_preview": {
"m.call.answer": {
"you": "Je hebt deelgenomen aan de oproep",
"user": "%(senderName)s neemt deel aan de oproep",
"dm": "Oproep gaande"
},
"m.call.hangup": {
"you": "Je hebt opgehangen",
"user": "%(senderName)s heeft opgehangen"
},
"m.call.invite": {
"you": "Je hebt een oproep gestart",
"user": "%(senderName)s heeft een oproep gestart",
"dm_send": "Wachten op antwoord",
"dm_receive": "%(senderName)s belt"
},
"m.emote": "* %(senderName)s %(emote)s",
"m.text": "%(senderName)s: %(message)s",
"m.sticker": "%(senderName)s: %(stickerName)s"
},
"voip": {
"disable_microphone": "Microfoon dempen",
"enable_microphone": "Microfoon inschakelen",
"disable_camera": "Camera uitschakelen",
"enable_camera": "Camera inschakelen",
"audio_devices": "Audio-apparaten",
"video_devices": "Video-apparaten",
"dial": "Bel",
"you_are_presenting": "Je bent aan het presenteren",
"user_is_presenting": "%(sharerName)s is aan het presenteren",
"camera_disabled": "Je camera staat uit",
"camera_enabled": "Je camera is nog ingeschakeld",
"consulting": "Overleggen met %(transferTarget)s. <a>Verstuur naar %(transferee)s</a>",
"call_held_switch": "Je hebt een oproep in de wacht <a>Wissel</a>",
"call_held_resume": "Je hebt een oproep in de wacht <a>Hervat</a>",
"call_held": "%(peerName)s heeft de oproep in de wacht",
"dialpad": "Toetsen",
"stop_screenshare": "Schermdelen stoppen",
"start_screenshare": "Schermdelen starten",
"hangup": "Ophangen",
"maximise": "Scherm vullen",
"expand": "Terug naar oproep",
"on_hold": "%(name)s in de wacht",
"voice_call": "Spraakoproep",
"video_call": "Video-oproep",
"video_call_started": "Videogesprek gestart",
"unsilence": "Geluid aan",
"silence": "Oproep dempen",
"silenced": "Meldingen stilgezet",
"unknown_caller": "Onbekende beller",
"call_failed": "Oproep mislukt",
"unable_to_access_microphone": "Je microfoon lijkt niet beschikbaar",
"call_failed_microphone": "Oproep mislukt omdat er geen toegang is tot de microfoon. Kijk na dat de microfoon juist is aangesloten en ingesteld.",
"unable_to_access_media": "Je webcam of microfoon lijkt niet beschikbaar",
"call_failed_media": "Oproep mislukt omdat er geen toegang is tot de webcam of de microfoon. Kijk na dat:",
"call_failed_media_connected": "Een microfoon en webcam zijn aangesloten en juist ingesteld",
"call_failed_media_permissions": "Toegang tot de webcam is toegestaan",
"call_failed_media_applications": "Geen andere applicatie de camera gebruikt",
"already_in_call": "Al in de oproep",
"already_in_call_person": "Je bent al in gesprek met deze persoon.",
"unsupported": "Oproepen worden niet ondersteund",
"unsupported_browser": "Je kan geen oproepen plaatsen in deze browser."
},
"Messages": "Berichten",
"Other": "Overige",
"Advanced": "Geavanceerd",
"room_settings": {
"permissions": {
"m.room.avatar_space": "Space-afbeelding wijzigen",
"m.room.avatar": "Kamerafbeelding wijzigen",
"m.room.name_space": "Spacenaam wijzigen",
"m.room.name": "Kamernaam wijzigen",
"m.room.canonical_alias_space": "Hoofdadres van space wijzigen",
"m.room.canonical_alias": "Hoofdadres voor de kamer wijzigen",
"m.space.child": "Beheer kamers in deze space",
"m.room.history_visibility": "Zichtbaarheid van geschiedenis wijzigen",
"m.room.power_levels": "Rechten wijzigen",
"m.room.topic_space": "Omschrijving wijzigen",
"m.room.topic": "Onderwerp wijzigen",
"m.room.tombstone": "Upgrade de kamer",
"m.room.encryption": "Kamerversleuteling inschakelen",
"m.room.server_acl": "Wijzig server ACL's",
"m.reaction": "Reacties versturen",
"m.room.redaction": "Door mij verzonden berichten verwijderen",
"m.widget": "Widgets aanpassen",
"io.element.voice_broadcast_info": "Spraakuitzendingen",
"m.room.pinned_events": "Vastgeprikte gebeurtenissen beheren",
"m.call": "%(brand)s oproepen starten",
"m.call.member": "Deelnemen aan %(brand)s gesprekken",
"users_default": "Standaardrol",
"events_default": "Berichten versturen",
"invite": "Personen uitnodigen",
"state_default": "Instellingen wijzigen",
"kick": "Personen verwijderen",
"ban": "Personen verbannen",
"redact": "Berichten van anderen verwijderen",
"notifications.room": "Iedereen melden"
}
}
} }

View file

@ -1,6 +1,5 @@
{ {
"This phone number is already in use": "Dette telefonnummeret er allereie i bruk", "This phone number is already in use": "Dette telefonnummeret er allereie i bruk",
"Call Failed": "Oppringjing Mislukkast",
"You cannot place a call with yourself.": "Du kan ikkje samtala med deg sjølv.", "You cannot place a call with yourself.": "Du kan ikkje samtala med deg sjølv.",
"Permission Required": "Tillating er Naudsynt", "Permission Required": "Tillating er Naudsynt",
"You do not have permission to start a conference call in this room": "Du har ikkje tillating til å starta ei gruppesamtale i dette rommet", "You do not have permission to start a conference call in this room": "Du har ikkje tillating til å starta ei gruppesamtale i dette rommet",
@ -37,7 +36,6 @@
"Default": "Opphavleg innstilling", "Default": "Opphavleg innstilling",
"Restricted": "Avgrensa", "Restricted": "Avgrensa",
"Moderator": "Moderator", "Moderator": "Moderator",
"Admin": "Administrator",
"Operation failed": "Handling mislukkast", "Operation failed": "Handling mislukkast",
"Failed to invite": "Fekk ikkje til å invitera", "Failed to invite": "Fekk ikkje til å invitera",
"You need to be logged in.": "Du må vera logga inn.", "You need to be logged in.": "Du må vera logga inn.",
@ -52,7 +50,6 @@
"Missing room_id in request": "Manglande room_Id i førespurnad", "Missing room_id in request": "Manglande room_Id i førespurnad",
"Room %(roomId)s not visible": "Rommet %(roomId)s er ikkje synleg", "Room %(roomId)s not visible": "Rommet %(roomId)s er ikkje synleg",
"Missing user_id in request": "Manglande user_id i førespurnad", "Missing user_id in request": "Manglande user_id i førespurnad",
"Usage": "Bruk",
"Ignored user": "Oversedd brukar", "Ignored user": "Oversedd brukar",
"You are now ignoring %(userId)s": "Du overser no %(userId)s", "You are now ignoring %(userId)s": "Du overser no %(userId)s",
"Unignored user": "Avoversedd brukar", "Unignored user": "Avoversedd brukar",
@ -77,8 +74,6 @@
"Enable URL previews for this room (only affects you)": "Skru URL-førehandsvisingar på for dette rommet (påverkar deg åleine)", "Enable URL previews for this room (only affects you)": "Skru URL-førehandsvisingar på for dette rommet (påverkar deg åleine)",
"Enable URL previews by default for participants in this room": "Skru URL-førehandsvisingar på som utgangspunkt for deltakarar i dette rommet", "Enable URL previews by default for participants in this room": "Skru URL-førehandsvisingar på som utgangspunkt for deltakarar i dette rommet",
"Enable widget screenshots on supported widgets": "Skru widget-skjermbilete på for støtta widgetar", "Enable widget screenshots on supported widgets": "Skru widget-skjermbilete på for støtta widgetar",
"Collecting app version information": "Samlar versjonsinfo for programmet",
"Collecting logs": "Samlar loggar",
"Waiting for response from server": "Ventar på svar frå tenaren", "Waiting for response from server": "Ventar på svar frå tenaren",
"Incorrect verification code": "Urett stadfestingskode", "Incorrect verification code": "Urett stadfestingskode",
"Phone": "Telefon", "Phone": "Telefon",
@ -118,11 +113,6 @@
}, },
"Invited": "Invitert", "Invited": "Invitert",
"%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (tilgangsnivå %(powerLevelNumber)s)", "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (tilgangsnivå %(powerLevelNumber)s)",
"Hangup": "Legg på",
"Voice call": "Talesamtale",
"Video call": "Videosamtale",
"Send an encrypted reply…": "Send eit kryptert svar…",
"Send an encrypted message…": "Send ei kryptert melding…",
"You do not have permission to post to this room": "Du har ikkje lov til å senda meldingar i dette rommet", "You do not have permission to post to this room": "Du har ikkje lov til å senda meldingar i dette rommet",
"Server error": "Noko gjekk gale med tenaren", "Server error": "Noko gjekk gale med tenaren",
"Server unavailable, overloaded, or something else went wrong.": "Tenar utilgjengeleg, overlasta eller har eit anna problem.", "Server unavailable, overloaded, or something else went wrong.": "Tenar utilgjengeleg, overlasta eller har eit anna problem.",
@ -143,7 +133,6 @@
"Share room": "Del rom", "Share room": "Del rom",
"Rooms": "Rom", "Rooms": "Rom",
"Low priority": "Låg prioritet", "Low priority": "Låg prioritet",
"System Alerts": "Systemvarsel",
"Historical": "Historiske", "Historical": "Historiske",
"%(roomName)s does not exist.": "%(roomName)s eksisterar ikkje.", "%(roomName)s does not exist.": "%(roomName)s eksisterar ikkje.",
"%(roomName)s is not accessible at this time.": "%(roomName)s er ikkje tilgjengeleg no.", "%(roomName)s is not accessible at this time.": "%(roomName)s er ikkje tilgjengeleg no.",
@ -163,12 +152,10 @@
"Members only (since they were invited)": "Berre medlemmar (frå då dei vart inviterte inn)", "Members only (since they were invited)": "Berre medlemmar (frå då dei vart inviterte inn)",
"Members only (since they joined)": "Berre medlemmar (frå då dei kom inn)", "Members only (since they joined)": "Berre medlemmar (frå då dei kom inn)",
"Permissions": "Tillatelsar", "Permissions": "Tillatelsar",
"Advanced": "Avansert",
"Search…": "Søk…", "Search…": "Søk…",
"This Room": "Dette rommet", "This Room": "Dette rommet",
"All Rooms": "Alle rom", "All Rooms": "Alle rom",
"You don't currently have any stickerpacks enabled": "Du har for tida ikkje skrudd nokre klistremerkepakkar på", "You don't currently have any stickerpacks enabled": "Du har for tida ikkje skrudd nokre klistremerkepakkar på",
"Stickerpack": "Klistremerkepakke",
"Jump to first unread message.": "Hopp til den fyrste uleste meldinga.", "Jump to first unread message.": "Hopp til den fyrste uleste meldinga.",
"This room has no local addresses": "Dette rommet har ingen lokale adresser", "This room has no local addresses": "Dette rommet har ingen lokale adresser",
"You have <a>enabled</a> URL previews by default.": "Du har <a>skrudd URL-førehandsvisingar på</a> i utgangspunktet.", "You have <a>enabled</a> URL previews by default.": "Du har <a>skrudd URL-førehandsvisingar på</a> i utgangspunktet.",
@ -493,9 +480,6 @@
"Please ask the administrator of your homeserver (<code>%(homeserverDomain)s</code>) to configure a TURN server in order for calls to work reliably.": "Spør administratoren for din heimetenar<code>%(homeserverDomain)s</code> om å setje opp ein \"TURN-server\" slik at talesamtalar fungerer på rett måte.", "Please ask the administrator of your homeserver (<code>%(homeserverDomain)s</code>) to configure a TURN server in order for calls to work reliably.": "Spør administratoren for din heimetenar<code>%(homeserverDomain)s</code> om å setje opp ein \"TURN-server\" slik at talesamtalar fungerer på rett måte.",
"The file '%(fileName)s' failed to upload.": "Fila '%(fileName)s' vart ikkje lasta opp.", "The file '%(fileName)s' failed to upload.": "Fila '%(fileName)s' vart ikkje lasta opp.",
"The server does not support the room version specified.": "Tenaren støttar ikkje den spesifikke versjonen av rommet.", "The server does not support the room version specified.": "Tenaren støttar ikkje den spesifikke versjonen av rommet.",
"Messages": "Meldingar",
"Actions": "Handlingar",
"Other": "Anna",
"Use an identity server": "Bruk ein identitetstenar", "Use an identity server": "Bruk ein identitetstenar",
"Use an identity server to invite by email. Click continue to use the default identity server (%(defaultIdentityServerName)s) or manage in Settings.": "Bruk ein identitetstenar for å invitera via e-post. Klikk for å fortsetja å bruka standard identitetstenar (%(defaultIdentityServerName)s) eller styre dette i innstillingane.", "Use an identity server to invite by email. Click continue to use the default identity server (%(defaultIdentityServerName)s) or manage in Settings.": "Bruk ein identitetstenar for å invitera via e-post. Klikk for å fortsetja å bruka standard identitetstenar (%(defaultIdentityServerName)s) eller styre dette i innstillingane.",
"Use an identity server to invite by email. Manage in Settings.": "Bruk ein identitetstenar for å invitera via e-post. Styr dette i Innstillingane.", "Use an identity server to invite by email. Manage in Settings.": "Bruk ein identitetstenar for å invitera via e-post. Styr dette i Innstillingane.",
@ -531,7 +515,6 @@
"Error changing power level requirement": "Feil under endring av krav for tilgangsnivå", "Error changing power level requirement": "Feil under endring av krav for tilgangsnivå",
"Error changing power level": "Feil under endring av tilgangsnivå", "Error changing power level": "Feil under endring av tilgangsnivå",
"An error occurred changing the user's power level. Ensure you have sufficient permissions and try again.": "Ein feil skjedde under endring av tilgangsnivå. Sjekk at du har lov til dette, deretter prøv på nytt.", "An error occurred changing the user's power level. Ensure you have sufficient permissions and try again.": "Ein feil skjedde under endring av tilgangsnivå. Sjekk at du har lov til dette, deretter prøv på nytt.",
"Invite users": "Inviter brukarar",
"Scroll to most recent messages": "Gå til dei nyaste meldingane", "Scroll to most recent messages": "Gå til dei nyaste meldingane",
"Close preview": "Lukk førehandsvisninga", "Close preview": "Lukk førehandsvisninga",
"No recent messages by %(user)s found": "Fann ingen nyare meldingar frå %(user)s", "No recent messages by %(user)s found": "Fann ingen nyare meldingar frå %(user)s",
@ -546,8 +529,6 @@
"Deactivate user": "Deaktiver brukar", "Deactivate user": "Deaktiver brukar",
"Failed to deactivate user": "Fekk ikkje til å deaktivere brukaren", "Failed to deactivate user": "Fekk ikkje til å deaktivere brukaren",
"Remove recent messages": "Fjern nyare meldingar", "Remove recent messages": "Fjern nyare meldingar",
"Send a reply…": "Send eit svar…",
"Send a message…": "Send melding…",
"The conversation continues here.": "Samtalen held fram her.", "The conversation continues here.": "Samtalen held fram her.",
"This room has been replaced and is no longer active.": "Dette rommet er erstatta og er ikkje lenger aktivt.", "This room has been replaced and is no longer active.": "Dette rommet er erstatta og er ikkje lenger aktivt.",
"Italics": "Kursiv", "Italics": "Kursiv",
@ -621,20 +602,6 @@
"Room Addresses": "Romadresser", "Room Addresses": "Romadresser",
"Sounds": "Lydar", "Sounds": "Lydar",
"Browse": "Bla gjennom", "Browse": "Bla gjennom",
"Change room avatar": "Endre rom-avatar",
"Change room name": "Endre romnamn",
"Change main address for the room": "Endre hovudadresse for rommet",
"Change history visibility": "Endre synlegheit for historikk",
"Change permissions": "Endre rettigheiter",
"Change topic": "Endre emne",
"Upgrade the room": "Oppgradere rommet",
"Enable room encryption": "Aktivere romkryptering",
"Modify widgets": "Endre programtillegg (widgets)",
"Default role": "Standard-rolle",
"Send messages": "Sende melding",
"Change settings": "Endre innstillingar",
"Ban users": "Stenge ute brukarar",
"Notify everyone": "Varsle alle",
"Send %(eventType)s events": "Sende %(eventType)s hendelsar", "Send %(eventType)s events": "Sende %(eventType)s hendelsar",
"Roles & Permissions": "Roller & Tilgangsrettar", "Roles & Permissions": "Roller & Tilgangsrettar",
"Select the roles required to change various parts of the room": "Juster roller som er påkrevd for å endre ulike deler av rommet", "Select the roles required to change various parts of the room": "Juster roller som er påkrevd for å endre ulike deler av rommet",
@ -757,10 +724,7 @@
"We recommend that you remove your email addresses and phone numbers from the identity server before disconnecting.": "Vi tilrår at du slettar personleg informasjon, som e-postadresser og telefonnummer frå identitetstenaren før du koplar frå.", "We recommend that you remove your email addresses and phone numbers from the identity server before disconnecting.": "Vi tilrår at du slettar personleg informasjon, som e-postadresser og telefonnummer frå identitetstenaren før du koplar frå.",
"Versions": "Versjonar", "Versions": "Versjonar",
"Identity server": "Identitetstenar", "Identity server": "Identitetstenar",
"You're already in a call with this person.": "Du er allereie i ein samtale med denne personen.",
"Already in call": "Allereie i ein samtale",
"The call was answered on another device.": "Samtalen vart svart på på ei anna eining.", "The call was answered on another device.": "Samtalen vart svart på på ei anna eining.",
"Unable to access webcam / microphone": "Får ikkje tilgang til nettkamera / mikrofon",
"Norway": "Noreg", "Norway": "Noreg",
"Bahamas": "Bahamas", "Bahamas": "Bahamas",
"Azerbaijan": "Aserbajdsjan", "Azerbaijan": "Aserbajdsjan",
@ -783,7 +747,6 @@
"United Kingdom": "Storbritannia", "United Kingdom": "Storbritannia",
"We couldn't log you in": "Vi klarte ikkje å logga deg inn", "We couldn't log you in": "Vi klarte ikkje å logga deg inn",
"Too Many Calls": "For mange samtalar", "Too Many Calls": "For mange samtalar",
"Unable to access microphone": "Får ikkje tilgang til mikrofonen",
"The call could not be established": "Samtalen kunne ikkje opprettast", "The call could not be established": "Samtalen kunne ikkje opprettast",
"The user you called is busy.": "Brukaren du ringde er opptatt.", "The user you called is busy.": "Brukaren du ringde er opptatt.",
"User Busy": "Brukaren er opptatt", "User Busy": "Brukaren er opptatt",
@ -861,13 +824,6 @@
"You've reached the maximum number of simultaneous calls.": "Du har nådd maksimalt tal samtidige samtalar.", "You've reached the maximum number of simultaneous calls.": "Du har nådd maksimalt tal samtidige samtalar.",
"You cannot place calls without a connection to the server.": "Du kan ikkje starta samtalar utan tilkopling til tenaren.", "You cannot place calls without a connection to the server.": "Du kan ikkje starta samtalar utan tilkopling til tenaren.",
"Connectivity to the server has been lost": "Tilkopling til tenaren vart tapt", "Connectivity to the server has been lost": "Tilkopling til tenaren vart tapt",
"You cannot place calls in this browser.": "Du kan ikkje samtala i nettlesaren.",
"Calls are unsupported": "Samtalar er ikkje støtta",
"Call failed because webcam or microphone could not be accessed. Check that:": "Samtalen gjekk gale fordi nettkamera eller mikrofon ikkje kunne aktiverast. Sjekk att:",
"No other application is using the webcam": "Ingen andre program brukar nettkameraet",
"Permission is granted to use the webcam": "Tilgang til nettkamera er aktivert",
"A microphone and webcam are plugged in and set up correctly": "Du har kopla til mikrofon og nettkamera, og at desse fungerer som dei skal",
"Call failed because microphone could not be accessed. Check that a microphone is plugged in and set up correctly.": "Samtalen feila fordi mikrofonen ikkje kunne aktiverast. Sjekk att ein mikrofon er tilkopla og at den fungerer.",
"common": { "common": {
"analytics": "Statistikk", "analytics": "Statistikk",
"error": "Noko gjekk gale", "error": "Noko gjekk gale",
@ -907,7 +863,9 @@
"someone": "Nokon", "someone": "Nokon",
"encrypted": "Kryptert", "encrypted": "Kryptert",
"matrix": "Matrix", "matrix": "Matrix",
"unnamed_room": "Rom utan namn" "unnamed_room": "Rom utan namn",
"stickerpack": "Klistremerkepakke",
"system_alerts": "Systemvarsel"
}, },
"action": { "action": {
"continue": "Fortset", "continue": "Fortset",
@ -974,7 +932,11 @@
"format_bold": "Feit", "format_bold": "Feit",
"format_strikethrough": "Gjennomstreka", "format_strikethrough": "Gjennomstreka",
"format_inline_code": "Kode", "format_inline_code": "Kode",
"format_code_block": "Kodeblokk" "format_code_block": "Kodeblokk",
"placeholder_reply_encrypted": "Send eit kryptert svar…",
"placeholder_reply": "Send eit svar…",
"placeholder_encrypted": "Send ei kryptert melding…",
"placeholder": "Send melding…"
}, },
"Bold": "Feit", "Bold": "Feit",
"Code": "Kode", "Code": "Kode",
@ -990,7 +952,9 @@
"submit_debug_logs": "Send inn feil-logg", "submit_debug_logs": "Send inn feil-logg",
"title": "Feilrapportering", "title": "Feilrapportering",
"additional_context": "Om du har meir info rundt korleis problemet oppstod, som kva du prøvde å gjere på det tidspunktet, brukar-IDar m.m ,inkluder gjerne den informasjonen her.", "additional_context": "Om du har meir info rundt korleis problemet oppstod, som kva du prøvde å gjere på det tidspunktet, brukar-IDar m.m ,inkluder gjerne den informasjonen her.",
"send_logs": "Send loggar inn" "send_logs": "Send loggar inn",
"collecting_information": "Samlar versjonsinfo for programmet",
"collecting_logs": "Samlar loggar"
}, },
"time": { "time": {
"hours_minutes_seconds_left": "%(hours)st %(minutes)sm %(seconds)ss att", "hours_minutes_seconds_left": "%(hours)st %(minutes)sm %(seconds)ss att",
@ -1048,7 +1012,9 @@
"event_sent": "Hending send!", "event_sent": "Hending send!",
"event_content": "Hendingsinnhald", "event_content": "Hendingsinnhald",
"toolbox": "Verktøykasse", "toolbox": "Verktøykasse",
"developer_tools": "Utviklarverktøy" "developer_tools": "Utviklarverktøy",
"category_room": "Rom",
"category_other": "Anna"
}, },
"create_room": { "create_room": {
"title_private_room": "Lag eit privat rom" "title_private_room": "Lag eit privat rom"
@ -1140,7 +1106,13 @@
"help": "Viser ei liste over kommandoar med bruksområde og skildringar", "help": "Viser ei liste over kommandoar med bruksområde og skildringar",
"whois": "Viser informasjon om ein brukar", "whois": "Viser informasjon om ein brukar",
"rageshake": "Send ein feilrapport med loggar", "rageshake": "Send ein feilrapport med loggar",
"msg": "Send ein melding til den spesifiserte brukaren" "msg": "Send ein melding til den spesifiserte brukaren",
"usage": "Bruk",
"category_messages": "Meldingar",
"category_actions": "Handlingar",
"category_admin": "Administrator",
"category_advanced": "Avansert",
"category_other": "Anna"
}, },
"presence": { "presence": {
"online_for": "tilkopla i %(duration)s", "online_for": "tilkopla i %(duration)s",
@ -1152,5 +1124,44 @@
"unknown": "Ukjend", "unknown": "Ukjend",
"offline": "Fråkopla" "offline": "Fråkopla"
}, },
"Unknown": "Ukjend" "Unknown": "Ukjend",
"voip": {
"hangup": "Legg på",
"voice_call": "Talesamtale",
"video_call": "Videosamtale",
"call_failed": "Oppringjing Mislukkast",
"unable_to_access_microphone": "Får ikkje tilgang til mikrofonen",
"call_failed_microphone": "Samtalen feila fordi mikrofonen ikkje kunne aktiverast. Sjekk att ein mikrofon er tilkopla og at den fungerer.",
"unable_to_access_media": "Får ikkje tilgang til nettkamera / mikrofon",
"call_failed_media": "Samtalen gjekk gale fordi nettkamera eller mikrofon ikkje kunne aktiverast. Sjekk att:",
"call_failed_media_connected": "Du har kopla til mikrofon og nettkamera, og at desse fungerer som dei skal",
"call_failed_media_permissions": "Tilgang til nettkamera er aktivert",
"call_failed_media_applications": "Ingen andre program brukar nettkameraet",
"already_in_call": "Allereie i ein samtale",
"already_in_call_person": "Du er allereie i ein samtale med denne personen.",
"unsupported": "Samtalar er ikkje støtta",
"unsupported_browser": "Du kan ikkje samtala i nettlesaren."
},
"Messages": "Meldingar",
"Other": "Anna",
"Advanced": "Avansert",
"room_settings": {
"permissions": {
"m.room.avatar": "Endre rom-avatar",
"m.room.name": "Endre romnamn",
"m.room.canonical_alias": "Endre hovudadresse for rommet",
"m.room.history_visibility": "Endre synlegheit for historikk",
"m.room.power_levels": "Endre rettigheiter",
"m.room.topic": "Endre emne",
"m.room.tombstone": "Oppgradere rommet",
"m.room.encryption": "Aktivere romkryptering",
"m.widget": "Endre programtillegg (widgets)",
"users_default": "Standard-rolle",
"events_default": "Sende melding",
"invite": "Inviter brukarar",
"state_default": "Endre innstillingar",
"ban": "Stenge ute brukarar",
"notifications.room": "Varsle alle"
}
}
} }

View file

@ -4,17 +4,10 @@
"Admin Tools": "Aisinas dadministrator", "Admin Tools": "Aisinas dadministrator",
"Invite to this room": "Convidar a aquesta sala", "Invite to this room": "Convidar a aquesta sala",
"Invited": "Convidat", "Invited": "Convidat",
"Voice call": "Sonada vocala",
"Video call": "Sonada vidèo",
"Send an encrypted reply…": "Enviar una responsa chifrada …",
"Send a reply…": "Enviar una responsa…",
"Send an encrypted message…": "Enviar un messatge chifrat…",
"Send a message…": "Enviar un messatge…",
"Unnamed room": "Sala sens nom", "Unnamed room": "Sala sens nom",
"Share room": "Partejar la sala", "Share room": "Partejar la sala",
"Rooms": "Salas", "Rooms": "Salas",
"Low priority": "Febla prioritat", "Low priority": "Febla prioritat",
"System Alerts": "Alèrtas sistèma",
"Reason: %(reason)s": "Rason: %(reason)s", "Reason: %(reason)s": "Rason: %(reason)s",
"Forget this room": "Oblidar aquesta sala", "Forget this room": "Oblidar aquesta sala",
"Do you want to chat with %(user)s?": "Volètz charrar amb %(user)s?", "Do you want to chat with %(user)s?": "Volètz charrar amb %(user)s?",
@ -52,13 +45,7 @@
"AM": "AM", "AM": "AM",
"Default": "Predefinit", "Default": "Predefinit",
"Moderator": "Moderator", "Moderator": "Moderator",
"Admin": "Admin",
"Operation failed": "L'operacion a fracassat", "Operation failed": "L'operacion a fracassat",
"Messages": "Messatges",
"Actions": "Accions",
"Advanced": "Avançat",
"Other": "Autre",
"Usage": "Usatge",
"Thank you!": "Mercés !", "Thank you!": "Mercés !",
"Reason": "Rason", "Reason": "Rason",
"Notifications": "Notificacions", "Notifications": "Notificacions",
@ -111,7 +98,6 @@
"Encryption": "Chiframent", "Encryption": "Chiframent",
"Phone Number": "Numèro de telefòn", "Phone Number": "Numèro de telefòn",
"Unencrypted": "Pas chifrat", "Unencrypted": "Pas chifrat",
"Hangup": "Penjar",
"Italics": "Italicas", "Italics": "Italicas",
"Historical": "Istoric", "Historical": "Istoric",
"Sign Up": "Sinscriure", "Sign Up": "Sinscriure",
@ -218,7 +204,8 @@
"encrypted": "Chifrat", "encrypted": "Chifrat",
"matrix": "Matritz", "matrix": "Matritz",
"trusted": "Fisable", "trusted": "Fisable",
"not_trusted": "Pas securizat" "not_trusted": "Pas securizat",
"system_alerts": "Alèrtas sistèma"
}, },
"action": { "action": {
"continue": "Contunhar", "continue": "Contunhar",
@ -298,7 +285,11 @@
}, },
"composer": { "composer": {
"format_bold": "Gras", "format_bold": "Gras",
"format_strikethrough": "Raiat" "format_strikethrough": "Raiat",
"placeholder_reply_encrypted": "Enviar una responsa chifrada …",
"placeholder_reply": "Enviar una responsa…",
"placeholder_encrypted": "Enviar un messatge chifrat…",
"placeholder": "Enviar un messatge…"
}, },
"Bold": "Gras", "Bold": "Gras",
"power_level": { "power_level": {
@ -309,7 +300,9 @@
}, },
"devtools": { "devtools": {
"toolbox": "Bóstia d'aisinas", "toolbox": "Bóstia d'aisinas",
"developer_tools": "Aisinas de desvolopament" "developer_tools": "Aisinas de desvolopament",
"category_room": "Sala",
"category_other": "Autre"
}, },
"presence": { "presence": {
"online_for": "En linha dempuèi %(duration)s", "online_for": "En linha dempuèi %(duration)s",
@ -322,5 +315,21 @@
"offline": "Fòra linha", "offline": "Fòra linha",
"away": "Absent" "away": "Absent"
}, },
"Unknown": "Desconegut" "Unknown": "Desconegut",
"slash_command": {
"usage": "Usatge",
"category_messages": "Messatges",
"category_actions": "Accions",
"category_admin": "Admin",
"category_advanced": "Avançat",
"category_other": "Autre"
},
"voip": {
"hangup": "Penjar",
"voice_call": "Sonada vocala",
"video_call": "Sonada vidèo"
},
"Messages": "Messatges",
"Other": "Autre",
"Advanced": "Avançat"
} }

View file

@ -28,7 +28,6 @@
"Who can read history?": "Kto może czytać historię?", "Who can read history?": "Kto może czytać historię?",
"Warning!": "Uwaga!", "Warning!": "Uwaga!",
"Users": "Użytkownicy", "Users": "Użytkownicy",
"Usage": "Użycie",
"Unban": "Odbanuj", "Unban": "Odbanuj",
"Account": "Konto", "Account": "Konto",
"Are you sure?": "Czy jesteś pewien?", "Are you sure?": "Czy jesteś pewien?",
@ -44,14 +43,12 @@
"Favourite": "Ulubiony", "Favourite": "Ulubiony",
"powered by Matrix": "napędzany przez Matrix", "powered by Matrix": "napędzany przez Matrix",
"Failed to change password. Is your password correct?": "Zmiana hasła nie powiodła się. Czy Twoje hasło jest poprawne?", "Failed to change password. Is your password correct?": "Zmiana hasła nie powiodła się. Czy Twoje hasło jest poprawne?",
"Admin": "Administrator",
"Admin Tools": "Narzędzia Administracyjne", "Admin Tools": "Narzędzia Administracyjne",
"No Microphones detected": "Nie wykryto żadnego mikrofonu", "No Microphones detected": "Nie wykryto żadnego mikrofonu",
"No Webcams detected": "Nie wykryto żadnej kamerki internetowej", "No Webcams detected": "Nie wykryto żadnej kamerki internetowej",
"No media permissions": "Brak uprawnień do mediów", "No media permissions": "Brak uprawnień do mediów",
"You may need to manually permit %(brand)s to access your microphone/webcam": "Możliwe, że będziesz musiał ręcznie pozwolić %(brand)sowi na dostęp do twojego mikrofonu/kamerki internetowej", "You may need to manually permit %(brand)s to access your microphone/webcam": "Możliwe, że będziesz musiał ręcznie pozwolić %(brand)sowi na dostęp do twojego mikrofonu/kamerki internetowej",
"Default Device": "Urządzenie domyślne", "Default Device": "Urządzenie domyślne",
"Advanced": "Zaawansowane",
"Authentication": "Uwierzytelnienie", "Authentication": "Uwierzytelnienie",
"%(items)s and %(lastItem)s": "%(items)s i %(lastItem)s", "%(items)s and %(lastItem)s": "%(items)s i %(lastItem)s",
"A new password must be entered.": "Musisz wprowadzić nowe hasło.", "A new password must be entered.": "Musisz wprowadzić nowe hasło.",
@ -97,7 +94,6 @@
"For security, this session has been signed out. Please sign in again.": "Ze względów bezpieczeństwa ta sesja została wylogowana. Zaloguj się jeszcze raz.", "For security, this session has been signed out. Please sign in again.": "Ze względów bezpieczeństwa ta sesja została wylogowana. Zaloguj się jeszcze raz.",
"%(userId)s from %(fromPowerLevel)s to %(toPowerLevel)s": "%(userId)s z %(fromPowerLevel)s na %(toPowerLevel)s", "%(userId)s from %(fromPowerLevel)s to %(toPowerLevel)s": "%(userId)s z %(fromPowerLevel)s na %(toPowerLevel)s",
"Deops user with given id": "Usuwa prawa administratora użytkownikowi o danym ID", "Deops user with given id": "Usuwa prawa administratora użytkownikowi o danym ID",
"Hangup": "Rozłącz",
"Home": "Strona główna", "Home": "Strona główna",
"Import E2E room keys": "Importuj klucze pokoju E2E", "Import E2E room keys": "Importuj klucze pokoju E2E",
"Incorrect username and/or password.": "Nieprawidłowa nazwa użytkownika i/lub hasło.", "Incorrect username and/or password.": "Nieprawidłowa nazwa użytkownika i/lub hasło.",
@ -171,8 +167,6 @@
"%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (moc uprawnień administratorskich %(powerLevelNumber)s)", "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (moc uprawnień administratorskich %(powerLevelNumber)s)",
"Verification Pending": "Oczekiwanie weryfikacji", "Verification Pending": "Oczekiwanie weryfikacji",
"Verified key": "Zweryfikowany klucz", "Verified key": "Zweryfikowany klucz",
"Video call": "Rozmowa wideo",
"Voice call": "Rozmowa głosowa",
"You are not in this room.": "Nie jesteś w tym pokoju.", "You are not in this room.": "Nie jesteś w tym pokoju.",
"You do not have permission to do that in this room.": "Nie masz pozwolenia na wykonanie tej akcji w tym pokoju.", "You do not have permission to do that in this room.": "Nie masz pozwolenia na wykonanie tej akcji w tym pokoju.",
"You cannot place a call with yourself.": "Nie możesz wykonać połączenia do siebie.", "You cannot place a call with yourself.": "Nie możesz wykonać połączenia do siebie.",
@ -237,8 +231,6 @@
"Enable URL previews for this room (only affects you)": "Włącz podgląd URL dla tego pokoju (dotyczy tylko Ciebie)", "Enable URL previews for this room (only affects you)": "Włącz podgląd URL dla tego pokoju (dotyczy tylko Ciebie)",
"Enable URL previews by default for participants in this room": "Włącz domyślny podgląd URL dla uczestników w tym pokoju", "Enable URL previews by default for participants in this room": "Włącz domyślny podgląd URL dla uczestników w tym pokoju",
"You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.": "Nie będziesz mógł cofnąć tej zmiany, ponieważ degradujesz swoje uprawnienia. Jeśli jesteś ostatnim użytkownikiem uprzywilejowanym w tym pokoju, nie będziesz mógł ich odzyskać.", "You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.": "Nie będziesz mógł cofnąć tej zmiany, ponieważ degradujesz swoje uprawnienia. Jeśli jesteś ostatnim użytkownikiem uprzywilejowanym w tym pokoju, nie będziesz mógł ich odzyskać.",
"Send an encrypted reply…": "Wyślij zaszyfrowaną odpowiedź…",
"Send an encrypted message…": "Wyślij zaszyfrowaną wiadomość…",
"Unnamed room": "Pokój bez nazwy", "Unnamed room": "Pokój bez nazwy",
"Sunday": "Niedziela", "Sunday": "Niedziela",
"Failed to add tag %(tagName)s to room": "Nie można dodać tagu %(tagName)s do pokoju", "Failed to add tag %(tagName)s to room": "Nie można dodać tagu %(tagName)s do pokoju",
@ -256,12 +248,10 @@
"Filter results": "Filtruj wyniki", "Filter results": "Filtruj wyniki",
"No update available.": "Brak aktualizacji.", "No update available.": "Brak aktualizacji.",
"Noisy": "Głośny", "Noisy": "Głośny",
"Collecting app version information": "Zbieranie informacji o wersji aplikacji",
"Tuesday": "Wtorek", "Tuesday": "Wtorek",
"Preparing to send logs": "Przygotowuję do wysłania dzienników", "Preparing to send logs": "Przygotowuję do wysłania dzienników",
"Saturday": "Sobota", "Saturday": "Sobota",
"Monday": "Poniedziałek", "Monday": "Poniedziałek",
"Collecting logs": "Zbieranie dzienników",
"All Rooms": "Wszystkie pokoje", "All Rooms": "Wszystkie pokoje",
"Wednesday": "Środa", "Wednesday": "Środa",
"You cannot delete this message. (%(code)s)": "Nie możesz usunąć tej wiadomości. (%(code)s)", "You cannot delete this message. (%(code)s)": "Nie możesz usunąć tej wiadomości. (%(code)s)",
@ -329,7 +319,6 @@
"Room Notification": "Powiadomienia pokoju", "Room Notification": "Powiadomienia pokoju",
"Demote yourself?": "Zdegradować siebie?", "Demote yourself?": "Zdegradować siebie?",
"Demote": "Degraduj", "Demote": "Degraduj",
"Call Failed": "Nieudane połączenie",
"%(severalUsers)sjoined %(count)s times": { "%(severalUsers)sjoined %(count)s times": {
"one": "%(severalUsers)sdołączyło", "one": "%(severalUsers)sdołączyło",
"other": "%(severalUsers)s dołączyło %(count)s razy" "other": "%(severalUsers)s dołączyło %(count)s razy"
@ -355,9 +344,7 @@
"This event could not be displayed": "Ten event nie może zostać wyświetlony", "This event could not be displayed": "Ten event nie może zostać wyświetlony",
"This room has been replaced and is no longer active.": "Ten pokój został zamieniony i nie jest już aktywny.", "This room has been replaced and is no longer active.": "Ten pokój został zamieniony i nie jest już aktywny.",
"The conversation continues here.": "Konwersacja jest kontynuowana tutaj.", "The conversation continues here.": "Konwersacja jest kontynuowana tutaj.",
"System Alerts": "Alerty systemowe",
"You don't currently have any stickerpacks enabled": "Nie masz obecnie włączonych żadnych pakietów naklejek", "You don't currently have any stickerpacks enabled": "Nie masz obecnie włączonych żadnych pakietów naklejek",
"Stickerpack": "Pakiet naklejek",
"This room is a continuation of another conversation.": "Ten pokój jest kontynuacją innej rozmowy.", "This room is a continuation of another conversation.": "Ten pokój jest kontynuacją innej rozmowy.",
"Click here to see older messages.": "Kliknij tutaj, aby zobaczyć starsze wiadomości.", "Click here to see older messages.": "Kliknij tutaj, aby zobaczyć starsze wiadomości.",
"%(oneUser)sjoined %(count)s times": { "%(oneUser)sjoined %(count)s times": {
@ -545,14 +532,6 @@
"Room list": "Lista pokojów", "Room list": "Lista pokojów",
"Security & Privacy": "Bezpieczeństwo i prywatność", "Security & Privacy": "Bezpieczeństwo i prywatność",
"Room Addresses": "Adresy pokoju", "Room Addresses": "Adresy pokoju",
"Change room avatar": "Zmień awatar pokoju",
"Change room name": "Zmień nazwę pokoju",
"Change permissions": "Zmienianie uprawnień",
"Change topic": "Zmienianie tematu",
"Default role": "Domyślna rola",
"Send messages": "Wysyłanie wiadomości",
"Change settings": "Zmienianie ustawień",
"Notify everyone": "Powiadamianie wszystkich",
"Roles & Permissions": "Role i uprawnienia", "Roles & Permissions": "Role i uprawnienia",
"Encryption": "Szyfrowanie", "Encryption": "Szyfrowanie",
"Join the conversation with an account": "Przyłącz się do rozmowy przy użyciu konta", "Join the conversation with an account": "Przyłącz się do rozmowy przy użyciu konta",
@ -576,9 +555,6 @@
"Email Address": "Adres e-mail", "Email Address": "Adres e-mail",
"Room version": "Wersja pokoju", "Room version": "Wersja pokoju",
"Room version:": "Wersja pokoju:", "Room version:": "Wersja pokoju:",
"Change main address for the room": "Zmienianie głównego adresu pokoju",
"Modify widgets": "Modyfikuj widżet",
"Invite users": "Zapraszanie użytkowników",
"edited": "edytowane", "edited": "edytowane",
"Edit message": "Edytuj wiadomość", "Edit message": "Edytuj wiadomość",
"Help & About": "Pomoc i o aplikacji", "Help & About": "Pomoc i o aplikacji",
@ -598,9 +574,6 @@
"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.": "Możesz się zalogować, lecz niektóre funkcje nie będą dostępne dopóki Serwer Tożsamości nie będzie znów online. Jeśli ciągle widzisz to ostrzeżenie, sprawdź swoją konfigurację lub skontaktuj się z administratorem serwera.", "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.": "Możesz się zalogować, lecz niektóre funkcje nie będą dostępne dopóki Serwer Tożsamości nie będzie znów online. Jeśli ciągle widzisz to ostrzeżenie, sprawdź swoją konfigurację lub skontaktuj się z administratorem serwera.",
"No homeserver URL provided": "Nie podano URL serwera głównego", "No homeserver URL provided": "Nie podano URL serwera głównego",
"The server does not support the room version specified.": "Serwer nie wspiera tej wersji pokoju.", "The server does not support the room version specified.": "Serwer nie wspiera tej wersji pokoju.",
"Messages": "Wiadomości",
"Actions": "Akcje",
"Other": "Inne",
"Please supply a https:// or http:// widget URL": "Podaj adres URL widżeta, zaczynający się od http:// lub https://", "Please supply a https:// or http:// widget URL": "Podaj adres URL widżeta, zaczynający się od http:// lub https://",
"You cannot modify widgets in this room.": "Nie możesz modyfikować widżetów w tym pokoju.", "You cannot modify widgets in this room.": "Nie możesz modyfikować widżetów w tym pokoju.",
"Please ask the administrator of your homeserver (<code>%(homeserverDomain)s</code>) to configure a TURN server in order for calls to work reliably.": "Poproś administratora swojego serwera głównego (<code>%(homeserverDomain)s</code>) by skonfigurował serwer TURN aby rozmowy działały bardziej niezawodnie.", "Please ask the administrator of your homeserver (<code>%(homeserverDomain)s</code>) to configure a TURN server in order for calls to work reliably.": "Poproś administratora swojego serwera głównego (<code>%(homeserverDomain)s</code>) by skonfigurował serwer TURN aby rozmowy działały bardziej niezawodnie.",
@ -685,9 +658,6 @@
"View older messages in %(roomName)s.": "Wyświetl starsze wiadomości w %(roomName)s.", "View older messages in %(roomName)s.": "Wyświetl starsze wiadomości w %(roomName)s.",
"Room information": "Informacje pokoju", "Room information": "Informacje pokoju",
"Uploaded sound": "Przesłano dźwięk", "Uploaded sound": "Przesłano dźwięk",
"Change history visibility": "Zmień widoczność historii",
"Upgrade the room": "Zaktualizuj pokój",
"Enable room encryption": "Włącz szyfrowanie pokoju",
"Select the roles required to change various parts of the room": "Wybierz role wymagane do zmieniania różnych części pokoju", "Select the roles required to change various parts of the room": "Wybierz role wymagane do zmieniania różnych części pokoju",
"Enable encryption?": "Włączyć szyfrowanie?", "Enable encryption?": "Włączyć szyfrowanie?",
"Your email address hasn't been verified yet": "Twój adres e-mail nie został jeszcze zweryfikowany", "Your email address hasn't been verified yet": "Twój adres e-mail nie został jeszcze zweryfikowany",
@ -809,8 +779,6 @@
"Session key:": "Klucz sesji:", "Session key:": "Klucz sesji:",
"Accept all %(invitedRooms)s invites": "Zaakceptuj wszystkie zaproszenia do %(invitedRooms)s", "Accept all %(invitedRooms)s invites": "Zaakceptuj wszystkie zaproszenia do %(invitedRooms)s",
"Close preview": "Zamknij podgląd", "Close preview": "Zamknij podgląd",
"Send a reply…": "Wyślij odpowiedź…",
"Send a message…": "Wyślij wiadomość…",
"Cancel search": "Anuluj wyszukiwanie", "Cancel search": "Anuluj wyszukiwanie",
"Your theme": "Twój motyw", "Your theme": "Twój motyw",
"More options": "Więcej opcji", "More options": "Więcej opcji",
@ -1117,7 +1085,6 @@
"Deactivate user": "Dezaktywuj użytkownika", "Deactivate user": "Dezaktywuj użytkownika",
"Deactivate user?": "Dezaktywować użytkownika?", "Deactivate user?": "Dezaktywować użytkownika?",
"Revoke invite": "Odwołaj zaproszenie", "Revoke invite": "Odwołaj zaproszenie",
"Ban users": "Zablokuj użytkowników",
"General failure": "Ogólny błąd", "General failure": "Ogólny błąd",
"Removing…": "Usuwanie…", "Removing…": "Usuwanie…",
"Cancelling…": "Anulowanie…", "Cancelling…": "Anulowanie…",
@ -1281,19 +1248,11 @@
"one": "%(senderName)s usunął alternatywny adres %(addresses)s tego pokoju.", "one": "%(senderName)s usunął alternatywny adres %(addresses)s tego pokoju.",
"other": "%(senderName)s usunął alternatywny adres %(addresses)s tego pokoju." "other": "%(senderName)s usunął alternatywny adres %(addresses)s tego pokoju."
}, },
"Effects": "Efekty",
"Japan": "Japonia", "Japan": "Japonia",
"Jamaica": "Jamajka", "Jamaica": "Jamajka",
"Italy": "Włochy", "Italy": "Włochy",
"You've reached the maximum number of simultaneous calls.": "Osiągnięto maksymalną liczbę jednoczesnych połączeń.", "You've reached the maximum number of simultaneous calls.": "Osiągnięto maksymalną liczbę jednoczesnych połączeń.",
"Too Many Calls": "Zbyt wiele połączeń", "Too Many Calls": "Zbyt wiele połączeń",
"No other application is using the webcam": "Kamera nie jest obecnie używana przez inną aplikację",
"Permission is granted to use the webcam": "Przyznano uprawnienia dostępu do kamery",
"A microphone and webcam are plugged in and set up correctly": "Mikrofon i kamera są podpięte i skonfigurowane prawidłowo",
"Call failed because webcam or microphone could not be accessed. Check that:": "Połączenie nieudane z powodu braku dostępu do kamery bądź mikrofonu. Sprawdź czy:",
"Unable to access webcam / microphone": "Nie można uzyskać dostępu do kamery / mikrofonu",
"Call failed because microphone could not be accessed. Check that a microphone is plugged in and set up correctly.": "Nie udało się zestawić połączenia z powodu braku dostępu do mikrofonu. Sprawdź czy mikrofon jest podłączony i poprawnie skonfigurowany.",
"Unable to access microphone": "Nie można uzyskać dostępu do mikrofonu",
"Use an identity server to invite by email. Manage in <settings>Settings</settings>.": "Użyj serwera tożsamości, aby zapraszać przez e-mail. Zarządzaj w <settings>Ustawieniach</settings>.", "Use an identity server to invite by email. Manage in <settings>Settings</settings>.": "Użyj serwera tożsamości, aby zapraszać przez e-mail. Zarządzaj w <settings>Ustawieniach</settings>.",
"Space used:": "Użyta powierzchnia:", "Space used:": "Użyta powierzchnia:",
"Verify by emoji": "Weryfikuj z użyciem emoji", "Verify by emoji": "Weryfikuj z użyciem emoji",
@ -1376,25 +1335,9 @@
"Compare a unique set of emoji if you don't have a camera on either device": "Porównaj unikatowy zestaw emoji, jeżeli nie masz aparatu na jednym z urządzeń", "Compare a unique set of emoji if you don't have a camera on either device": "Porównaj unikatowy zestaw emoji, jeżeli nie masz aparatu na jednym z urządzeń",
"Compare unique emoji": "Porównaj unikatowe emoji", "Compare unique emoji": "Porównaj unikatowe emoji",
"Scan this unique code": "Zeskanuj ten unikatowy kod", "Scan this unique code": "Zeskanuj ten unikatowy kod",
"Unknown caller": "Nieznany rozmówca",
"Return to call": "Wróć do połączenia",
"Uploading logs": "Wysyłanie logów",
"Downloading logs": "Pobieranie logów",
"How fast should messages be downloaded.": "Jak szybko powinny być pobierane wiadomości.", "How fast should messages be downloaded.": "Jak szybko powinny być pobierane wiadomości.",
"IRC display name width": "Szerokość nazwy wyświetlanej IRC", "IRC display name width": "Szerokość nazwy wyświetlanej IRC",
"Change notification settings": "Zmień ustawienia powiadomień", "Change notification settings": "Zmień ustawienia powiadomień",
"%(senderName)s: %(stickerName)s": "%(senderName)s: %(stickerName)s",
"%(senderName)s: %(message)s": "%(senderName)s: %(message)s",
"%(senderName)s is calling": "%(senderName)s dzwoni",
"Waiting for answer": "Oczekiwanie na odpowiedź",
"%(senderName)s started a call": "%(senderName)s rozpoczął połączenie",
"You started a call": "Rozpocząłeś połączenie",
"Call ended": "Połączenie zakończone",
"%(senderName)s ended the call": "%(senderName)s zakończył połączenie",
"You joined the call": "Dołączyłeś do połączenia",
"%(senderName)s joined the call": "%(senderName)s dołączył do połączenia",
"Call in progress": "Połączenie w trakcie",
"You ended the call": "Zakończyłeś połączenie",
"New login. Was this you?": "Nowe logowanie. Czy to byłeś Ty?", "New login. Was this you?": "Nowe logowanie. Czy to byłeś Ty?",
"Contact your <a>server admin</a>.": "Skontaktuj się ze swoim <a>administratorem serwera</a>.", "Contact your <a>server admin</a>.": "Skontaktuj się ze swoim <a>administratorem serwera</a>.",
"Your homeserver has exceeded one of its resource limits.": "Twój homeserver przekroczył jeden z limitów zasobów.", "Your homeserver has exceeded one of its resource limits.": "Twój homeserver przekroczył jeden z limitów zasobów.",
@ -1453,8 +1396,6 @@
"Encryption not enabled": "Nie włączono szyfrowania", "Encryption not enabled": "Nie włączono szyfrowania",
"We asked the browser to remember which homeserver you use to let you sign in, but unfortunately your browser has forgotten it. Go to the sign in page and try again.": "Poprosiliśmy przeglądarkę o zapamiętanie, z którego serwera domowego korzystasz, aby umożliwić Ci logowanie, ale niestety Twoja przeglądarka o tym zapomniała. Przejdź do strony logowania i spróbuj ponownie.", "We asked the browser to remember which homeserver you use to let you sign in, but unfortunately your browser has forgotten it. Go to the sign in page and try again.": "Poprosiliśmy przeglądarkę o zapamiętanie, z którego serwera domowego korzystasz, aby umożliwić Ci logowanie, ale niestety Twoja przeglądarka o tym zapomniała. Przejdź do strony logowania i spróbuj ponownie.",
"We couldn't log you in": "Nie mogliśmy Cię zalogować", "We couldn't log you in": "Nie mogliśmy Cię zalogować",
"You're already in a call with this person.": "Prowadzisz już rozmowę z tą osobą.",
"Already in call": "Już dzwoni",
"Never send encrypted messages to unverified sessions in this room from this session": "Nigdy nie wysyłaj zaszyfrowanych wiadomości do niezweryfikowanych sesji z tej sesji w tym pokoju", "Never send encrypted messages to unverified sessions in this room from this session": "Nigdy nie wysyłaj zaszyfrowanych wiadomości do niezweryfikowanych sesji z tej sesji w tym pokoju",
"Use the <a>Desktop app</a> to see all encrypted files": "Użyj <a>aplikacji desktopowej</a>, aby zobaczyć wszystkie szyfrowane pliki", "Use the <a>Desktop app</a> to see all encrypted files": "Użyj <a>aplikacji desktopowej</a>, aby zobaczyć wszystkie szyfrowane pliki",
"Verification requested": "Zażądano weryfikacji", "Verification requested": "Zażądano weryfikacji",
@ -1491,7 +1432,6 @@
"Failed to remove some rooms. Try again later": "Nie udało się usunąć niektórych pokojów. Spróbuj ponownie później", "Failed to remove some rooms. Try again later": "Nie udało się usunąć niektórych pokojów. Spróbuj ponownie później",
"Select a room below first": "Najpierw wybierz poniższy pokój", "Select a room below first": "Najpierw wybierz poniższy pokój",
"Spaces": "Przestrzenie", "Spaces": "Przestrzenie",
"Secure Backup": "Bezpieczna kopia zapasowa",
"Converts the DM to a room": "Zmienia wiadomości prywatne w pokój", "Converts the DM to a room": "Zmienia wiadomości prywatne w pokój",
"Converts the room to a DM": "Zamienia pokój w wiadomość prywatną", "Converts the room to a DM": "Zamienia pokój w wiadomość prywatną",
"User Busy": "Użytkownik zajęty", "User Busy": "Użytkownik zajęty",
@ -1539,8 +1479,6 @@
}, },
"You cannot place calls without a connection to the server.": "Nie możesz wykonywać rozmów bez połączenia z serwerem.", "You cannot place calls without a connection to the server.": "Nie możesz wykonywać rozmów bez połączenia z serwerem.",
"Connectivity to the server has been lost": "Połączenie z serwerem zostało przerwane", "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",
"Developer": "Developer", "Developer": "Developer",
"Experimental": "Eksperymentalne", "Experimental": "Eksperymentalne",
"Themes": "Motywy", "Themes": "Motywy",
@ -1549,14 +1487,11 @@
"Back to thread": "Wróć do wątku", "Back to thread": "Wróć do wątku",
"Room members": "Członkowie pokoju", "Room members": "Członkowie pokoju",
"Back to chat": "Wróć do chatu", "Back to chat": "Wróć do chatu",
"* %(senderName)s %(emote)s": "* %(senderName)s %(emote)s",
"Other rooms": "Inne pokoje", "Other rooms": "Inne pokoje",
"%(deviceId)s from %(ip)s": "%(deviceId)s z %(ip)s", "%(deviceId)s from %(ip)s": "%(deviceId)s z %(ip)s",
"Other users may not trust it": "Inni użytkownicy mogą temu nie ufać", "Other users may not trust it": "Inni użytkownicy mogą temu nie ufać",
"Use app": "Użyj aplikacji", "Use app": "Użyj aplikacji",
"Use app for a better experience": "Użyj aplikacji by mieć lepsze doświadczenie", "Use app for a better experience": "Użyj aplikacji by mieć lepsze doświadczenie",
"Silence call": "Wycisz rozmowę",
"Sound on": "Dźwięk włączony",
"Review to ensure your account is safe": "Sprawdź, by upewnić się że Twoje konto jest bezpieczne", "Review to ensure your account is safe": "Sprawdź, by upewnić się że Twoje konto jest bezpieczne",
"Share anonymous data to help us identify issues. Nothing personal. No third parties. <LearnMoreLink>Learn More</LearnMoreLink>": "Udostępnij anonimowe dane, aby pomóc nam zidentyfikować problemy. Nic osobistego. Żadnych podmiotów zewnętrznych. <LearnMoreLink>Dowiedz się więcej</LearnMoreLink>", "Share anonymous data to help us identify issues. Nothing personal. No third parties. <LearnMoreLink>Learn More</LearnMoreLink>": "Udostępnij anonimowe dane, aby pomóc nam zidentyfikować problemy. Nic osobistego. Żadnych podmiotów zewnętrznych. <LearnMoreLink>Dowiedz się więcej</LearnMoreLink>",
"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.", "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.",
@ -1804,31 +1739,10 @@
"Waiting for you to verify on your other device, %(deviceName)s (%(deviceId)s)…": "Oczekiwanie na zweryfikowanie przez ciebie twojego innego urządzenia, %(deviceName)s (%(deviceId)s)…", "Waiting for you to verify on your other device, %(deviceName)s (%(deviceId)s)…": "Oczekiwanie na zweryfikowanie przez ciebie twojego innego urządzenia, %(deviceName)s (%(deviceId)s)…",
"Verify this device by confirming the following number appears on its screen.": "Zweryfikuj to urządzenie, upewniając się że poniższy numer wyświetlony jest na jego ekranie.", "Verify this device by confirming the following number appears on its screen.": "Zweryfikuj to urządzenie, upewniając się że poniższy numer wyświetlony jest na jego ekranie.",
"Confirm the emoji below are displayed on both devices, in the same order:": "Potwierdź że poniższe emotikony są wyświetlane na obu urządzeniach, w tej samej kolejności:", "Confirm the emoji below are displayed on both devices, in the same order:": "Potwierdź że poniższe emotikony są wyświetlane na obu urządzeniach, w tej samej kolejności:",
"%(name)s on hold": "%(name)s na linii",
"More": "Więcej", "More": "Więcej",
"Show sidebar": "Pokaż pasek boczny", "Show sidebar": "Pokaż pasek boczny",
"Hide sidebar": "Ukryj pasek boczny", "Hide sidebar": "Ukryj pasek boczny",
"Start sharing your screen": "Udostępnij ekran",
"Stop sharing your screen": "Przestań udostępniać ekran",
"Start the camera": "Włącz kamerę",
"Stop the camera": "Wyłącz kamerę",
"Unmute the microphone": "Wyłącz wyciszenie mikrofonu",
"Mute the microphone": "Wycisz mikrofon",
"Dialpad": "Klawiatura telefoniczna",
"%(peerName)s held the call": "%(peerName)s zawiesił rozmowę",
"You held the call <a>Switch</a>": "Zawieszono rozmowę <a>Przełącz</a>",
"unknown person": "nieznana osoba", "unknown person": "nieznana osoba",
"Your camera is still enabled": "Twoja kamera jest nadal włączona",
"Your camera is turned off": "Twoja kamera jest wyłączona",
"%(sharerName)s is presenting": "%(sharerName)s prezentuje",
"You are presenting": "Prezentujesz",
"Dial": "Wybierz numer",
"Turn on camera": "Włącz kamerę",
"Turn off camera": "Wyłącz kamerę",
"Video devices": "Urządzenia wideo",
"Unmute microphone": "Wyłącz wyciszenie mikrofonu",
"Mute microphone": "Wycisz mikrofon",
"Audio devices": "Urządzenia audio",
"%(count)s people joined": { "%(count)s people joined": {
"one": "%(count)s osoba dołączyła", "one": "%(count)s osoba dołączyła",
"other": "%(count)s osób dołączyło" "other": "%(count)s osób dołączyło"
@ -1867,7 +1781,6 @@
"Image size in the timeline": "Rozmiar obrazu na osi czasu", "Image size in the timeline": "Rozmiar obrazu na osi czasu",
"Deactivating your account is a permanent action — be careful!": "Dezaktywacja konta jest akcją trwałą — bądź ostrożny!", "Deactivating your account is a permanent action — be careful!": "Dezaktywacja konta jest akcją trwałą — bądź ostrożny!",
"Send voice message": "Wyślij wiadomość głosową", "Send voice message": "Wyślij wiadomość głosową",
"Send message": "Wyślij wiadomość",
"Keyboard": "Skróty klawiszowe", "Keyboard": "Skróty klawiszowe",
"Jump to first message": "Przeskocz do pierwszej wiadomości", "Jump to first message": "Przeskocz do pierwszej wiadomości",
"Scroll down in the timeline": "Przewiń w dół na osi czasu", "Scroll down in the timeline": "Przewiń w dół na osi czasu",
@ -1930,7 +1843,6 @@
"Destroy cross-signing keys?": "Zniszczyć klucze weryfikacji krzyżowej?", "Destroy cross-signing keys?": "Zniszczyć klucze weryfikacji krzyżowej?",
"a device cross-signing signature": "sygnatura weryfikacji krzyżowej urządzenia", "a device cross-signing signature": "sygnatura weryfikacji krzyżowej urządzenia",
"a new cross-signing key signature": "nowa sygnatura kluczu weryfikacji krzyżowej", "a new cross-signing key signature": "nowa sygnatura kluczu weryfikacji krzyżowej",
"Cross-signing": "Weryfikacja krzyżowa",
"This session has detected that your Security Phrase and key for Secure Messages have been removed.": "Ta sesja wykryła, że Twoja fraza bezpieczeństwa i klucz dla bezpiecznych wiadomości zostały usunięte.", "This session has detected that your Security Phrase and key for Secure Messages have been removed.": "Ta sesja wykryła, że Twoja fraza bezpieczeństwa i klucz dla bezpiecznych wiadomości zostały usunięte.",
"A new Security Phrase and key for Secure Messages have been detected.": "Wykryto nową frazę bezpieczeństwa i klucz dla bezpiecznych wiadomości.", "A new Security Phrase and key for Secure Messages have been detected.": "Wykryto nową frazę bezpieczeństwa i klucz dla bezpiecznych wiadomości.",
"Save your Security Key": "Zapisz swój klucz bezpieczeństwa", "Save your Security Key": "Zapisz swój klucz bezpieczeństwa",
@ -1977,7 +1889,6 @@
"Database unexpectedly closed": "Baza danych została nieoczekiwanie zamknięta", "Database unexpectedly closed": "Baza danych została nieoczekiwanie zamknięta",
"No identity access token found": "Nie znaleziono tokena dostępu tożsamości", "No identity access token found": "Nie znaleziono tokena dostępu tożsamości",
"Identity server not set": "Serwer tożsamości nie jest ustawiony", "Identity server not set": "Serwer tożsamości nie jest ustawiony",
"You held the call <a>Resume</a>": "Zawieszono rozmowę <a>Wznów</a>",
"Sorry — this call is currently full": "Przepraszamy — to połączenie jest już zapełnione", "Sorry — this call is currently full": "Przepraszamy — to połączenie jest już zapełnione",
"Force 15s voice broadcast chunk length": "Wymuś 15s długość kawałków dla transmisji głosowej", "Force 15s voice broadcast chunk length": "Wymuś 15s długość kawałków dla transmisji głosowej",
"Requires your server to support the stable version of MSC3827": "Wymaga od Twojego serwera wsparcia wersji stabilnej MSC3827", "Requires your server to support the stable version of MSC3827": "Wymaga od Twojego serwera wsparcia wersji stabilnej MSC3827",
@ -1985,13 +1896,9 @@
"Unsent": "Niewysłane", "Unsent": "Niewysłane",
"Red": "Czerwony", "Red": "Czerwony",
"Grey": "Szary", "Grey": "Szary",
"%(sender)s reacted %(reaction)s to %(message)s": "%(sender)s dodał reakcję %(reaction)s do %(message)s",
"You reacted %(reaction)s to %(message)s": "Dodano reakcję %(reaction)s do %(message)s",
"If you know a room address, try joining through that instead.": "Jeśli znasz adres pokoju, spróbuj dołączyć za pomocą niego.", "If you know a room address, try joining through that instead.": "Jeśli znasz adres pokoju, spróbuj dołączyć za pomocą niego.",
"You attempted to join using a room ID without providing a list of servers to join through. Room IDs are internal identifiers and cannot be used to join a room without additional information.": "Spróbowałeś dołączyć za pomocą ID pokoju bez podania listy serwerów, z których można dołączyć. ID pokojów to wewnętrzne identyfikatory, których nie da się użyć bez dodatkowych informacji.", "You attempted to join using a room ID without providing a list of servers to join through. Room IDs are internal identifiers and cannot be used to join a room without additional information.": "Spróbowałeś dołączyć za pomocą ID pokoju bez podania listy serwerów, z których można dołączyć. ID pokojów to wewnętrzne identyfikatory, których nie da się użyć bez dodatkowych informacji.",
"Yes, it was me": "Tak, to byłem ja", "Yes, it was me": "Tak, to byłem ja",
"Notifications silenced": "Wyciszono powiadomienia",
"Video call started": "Rozpoczęto rozmowę wideo",
"Unknown room": "Nieznany pokój", "Unknown room": "Nieznany pokój",
"You have unverified sessions": "Masz niezweryfikowane sesje", "You have unverified sessions": "Masz niezweryfikowane sesje",
"Starting export process…": "Rozpoczynanie procesu eksportowania…", "Starting export process…": "Rozpoczynanie procesu eksportowania…",
@ -2037,7 +1944,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 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ą.", "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", "Can't start a new voice broadcast": "Nie można rozpocząć nowej transmisji głosowej",
"Consulting with %(transferTarget)s. <a>Transfer to %(transferee)s</a>": "Konsultowanie z %(transferTarget)s. <a>Transfer do %(transferee)s</a>",
"Log out and back in to disable": "Zaloguj się ponownie, aby wyłączyć", "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", "Can currently only be enabled via config.json": "Można go tylko włączyć przez config.json",
"Only applies if your homeserver does not offer one. Your IP address would be shared during a call.": "Stosuje się go tylko wtedy, kiedy Twój serwer domowy go nie oferuje. Twój adres IP zostanie współdzielony w trakcie połączenia.", "Only applies if your homeserver does not offer one. Your IP address would be shared during a call.": "Stosuje się go tylko wtedy, kiedy Twój serwer domowy go nie oferuje. Twój adres IP zostanie współdzielony w trakcie połączenia.",
@ -2050,7 +1956,6 @@
"When enabled, the other party might be able to see your IP address": "Po włączeniu, inni użytkownicy będą mogli zobaczyć twój adres IP", "When enabled, the other party might be able to see your IP address": "Po włączeniu, inni użytkownicy będą mogli zobaczyć twój adres IP",
"Allow Peer-to-Peer for 1:1 calls": "Zezwól Peer-to-Peer dla połączeń 1:1", "Allow Peer-to-Peer for 1:1 calls": "Zezwól Peer-to-Peer dla połączeń 1:1",
"Show avatars in user, room and event mentions": "Pokaż awatary w wzmiankach użytkownika, pokoju i wydarzenia", "Show avatars in user, room and event mentions": "Pokaż awatary w wzmiankach użytkownika, pokoju i wydarzenia",
"Remove users": "Usuń użytkowników",
"Connection": "Połączenie", "Connection": "Połączenie",
"Video settings": "Ustawienia wideo", "Video settings": "Ustawienia wideo",
"Error adding ignored user/server": "Wystąpił błąd podczas ignorowania użytkownika/serwera", "Error adding ignored user/server": "Wystąpił błąd podczas ignorowania użytkownika/serwera",
@ -2065,7 +1970,6 @@
"Saving…": "Zapisywanie…", "Saving…": "Zapisywanie…",
"Creating…": "Tworzenie…", "Creating…": "Tworzenie…",
"Verify Session": "Zweryfikuj sesję", "Verify Session": "Zweryfikuj sesję",
"Fill screen": "Wypełnij ekran",
"Failed to re-authenticate due to a homeserver problem": "Nie udało się uwierzytelnić ponownie z powodu błędu serwera domowego", "Failed to re-authenticate due to a homeserver problem": "Nie udało się uwierzytelnić ponownie z powodu błędu serwera domowego",
"Failed to re-authenticate": "Nie udało się uwierzytelnić ponownie", "Failed to re-authenticate": "Nie udało się uwierzytelnić ponownie",
"Ignoring people is done through ban lists which contain rules for who to ban. Subscribing to a ban list means the users/servers blocked by that list will be hidden from you.": "Ignorowanie ludzi odbywa się poprzez listy banów, które zawierają zasady dotyczące tego, kogo można zbanować. Subskrypcja do listy banów oznacza, że użytkownicy/serwery zablokowane przez tę listę będą ukryte.", "Ignoring people is done through ban lists which contain rules for who to ban. Subscribing to a ban list means the users/servers blocked by that list will be hidden from you.": "Ignorowanie ludzi odbywa się poprzez listy banów, które zawierają zasady dotyczące tego, kogo można zbanować. Subskrypcja do listy banów oznacza, że użytkownicy/serwery zablokowane przez tę listę będą ukryte.",
@ -2212,20 +2116,7 @@
"<b>It's not recommended to add encryption to public rooms.</b> Anyone can find and join public rooms, so anyone can read messages in them. You'll get none of the benefits of encryption, and you won't be able to turn it off later. Encrypting messages in a public room will make receiving and sending messages slower.": "<b>Nie zaleca się dodawania szyfrowania do pokojów publicznych.</b> Każdy może znaleźć Twój pokój, więc jest w stanie czytać wszystkie zawarte w nim wiadomości. Nie uzyskasz żadnych benefitów szyfrowania, a tej zmiany nie będzie można cofnąć. Szyfrowanie wiadomości w pokoju publicznym sprawi, że wysyłanie i odbieranie wiadomości będzie wolniejsze.", "<b>It's not recommended to add encryption to public rooms.</b> Anyone can find and join public rooms, so anyone can read messages in them. You'll get none of the benefits of encryption, and you won't be able to turn it off later. Encrypting messages in a public room will make receiving and sending messages slower.": "<b>Nie zaleca się dodawania szyfrowania do pokojów publicznych.</b> Każdy może znaleźć Twój pokój, więc jest w stanie czytać wszystkie zawarte w nim wiadomości. Nie uzyskasz żadnych benefitów szyfrowania, a tej zmiany nie będzie można cofnąć. Szyfrowanie wiadomości w pokoju publicznym sprawi, że wysyłanie i odbieranie wiadomości będzie wolniejsze.",
"Are you sure you want to add encryption to this public room?": "Czy na pewno chcesz dodać szyfrowanie do tego pokoju publicznego?", "Are you sure you want to add encryption to this public room?": "Czy na pewno chcesz dodać szyfrowanie do tego pokoju publicznego?",
"Select the roles required to change various parts of the space": "Wybierz wymagane role wymagane do zmiany różnych części przestrzeni", "Select the roles required to change various parts of the space": "Wybierz wymagane role wymagane do zmiany różnych części przestrzeni",
"Remove messages sent by others": "Usuń wiadomości wysłane przez innych",
"Join %(brand)s calls": "Dołącz do połączeń %(brand)s",
"Start %(brand)s calls": "Rozpocznij połączenie %(brand)s",
"Manage pinned events": "Zarządzaj przypiętymi wydarzeniami",
"Voice broadcasts": "Transmisje głosowe",
"Remove messages sent by me": "Usuń wiadomości wysłane przeze mnie",
"Send reactions": "Wyślij reakcje",
"Change server ACLs": "Zmień serwer ACLs",
"Change description": "Zmień opis",
"Manage rooms in this space": "Zarządzaj pokojami w tej przestrzeni",
"Change main address for the space": "Zmień adres główny przestrzeni",
"An error occurred changing the user's power level. Ensure you have sufficient permissions and try again.": "Wystąpił błąd podczas zmiany poziomu uprawnień użytkownika. Upewnij się, że posiadasz wystarczające uprawnienia i spróbuj ponownie.", "An error occurred changing the user's power level. Ensure you have sufficient permissions and try again.": "Wystąpił błąd podczas zmiany poziomu uprawnień użytkownika. Upewnij się, że posiadasz wystarczające uprawnienia i spróbuj ponownie.",
"Change space name": "Zmień nazwę przestrzeni",
"Change space avatar": "Zmień awatar przestrzeni",
"Error changing power level": "Wystąpił błąd podczas zmiany poziomu uprawnień", "Error changing power level": "Wystąpił błąd podczas zmiany poziomu uprawnień",
"An error occurred changing the room's power level requirements. Ensure you have sufficient permissions and try again.": "Wystąpił błąd podczas zmiany wymagań poziomu uprawnień pokoju. Upewnij się, że posiadasz wystarczające uprawnienia i spróbuj ponownie.", "An error occurred changing the room's power level requirements. Ensure you have sufficient permissions and try again.": "Wystąpił błąd podczas zmiany wymagań poziomu uprawnień pokoju. Upewnij się, że posiadasz wystarczające uprawnienia i spróbuj ponownie.",
"Error changing power level requirement": "Wystąpił błąd podczas zmiany wymagań poziomu uprawnień", "Error changing power level requirement": "Wystąpił błąd podczas zmiany wymagań poziomu uprawnień",
@ -2289,8 +2180,6 @@
"Hide formatting": "Ukryj formatowanie", "Hide formatting": "Ukryj formatowanie",
"You do not have permission to start polls in this room.": "Nie posiadasz uprawnień, aby rozpocząć ankiety w tym pokoju.", "You do not have permission to start polls in this room.": "Nie posiadasz uprawnień, aby rozpocząć ankiety w tym pokoju.",
"Hide stickers": "Ukryj naklejki", "Hide stickers": "Ukryj naklejki",
"Reply to thread…": "Odpowiedz do wątku…",
"Reply to encrypted thread…": "Odpowiedz do wątku szyfrowanego…",
"Invite to this space": "Zaproś do tej przestrzeni", "Invite to this space": "Zaproś do tej przestrzeni",
"%(count)s participants": { "%(count)s participants": {
"one": "1 uczestnik", "one": "1 uczestnik",
@ -3411,7 +3300,11 @@
"server": "Serwer", "server": "Serwer",
"capabilities": "Możliwości", "capabilities": "Możliwości",
"unnamed_room": "Pokój bez nazwy", "unnamed_room": "Pokój bez nazwy",
"unnamed_space": "Przestrzeń bez nazwy" "unnamed_space": "Przestrzeń bez nazwy",
"stickerpack": "Pakiet naklejek",
"system_alerts": "Alerty systemowe",
"secure_backup": "Bezpieczna kopia zapasowa",
"cross_signing": "Weryfikacja krzyżowa"
}, },
"action": { "action": {
"continue": "Kontynuuj", "continue": "Kontynuuj",
@ -3590,7 +3483,14 @@
"format_decrease_indent": "Zmniejszenie wcięcia", "format_decrease_indent": "Zmniejszenie wcięcia",
"format_inline_code": "Kod", "format_inline_code": "Kod",
"format_code_block": "Blok kodu", "format_code_block": "Blok kodu",
"format_link": "Link" "format_link": "Link",
"send_button_title": "Wyślij wiadomość",
"placeholder_thread_encrypted": "Odpowiedz do wątku szyfrowanego…",
"placeholder_thread": "Odpowiedz do wątku…",
"placeholder_reply_encrypted": "Wyślij zaszyfrowaną odpowiedź…",
"placeholder_reply": "Wyślij odpowiedź…",
"placeholder_encrypted": "Wyślij zaszyfrowaną wiadomość…",
"placeholder": "Wyślij wiadomość…"
}, },
"Bold": "Pogrubienie", "Bold": "Pogrubienie",
"Link": "Link", "Link": "Link",
@ -3613,7 +3513,11 @@
"send_logs": "Wyślij logi", "send_logs": "Wyślij logi",
"github_issue": "Zgłoszenie GitHub", "github_issue": "Zgłoszenie GitHub",
"download_logs": "Pobierz dzienniki", "download_logs": "Pobierz dzienniki",
"before_submitting": "Przed wysłaniem logów, <a>zgłoś problem na GitHubie</a> opisujący twój problem." "before_submitting": "Przed wysłaniem logów, <a>zgłoś problem na GitHubie</a> opisujący twój problem.",
"collecting_information": "Zbieranie informacji o wersji aplikacji",
"collecting_logs": "Zbieranie dzienników",
"uploading_logs": "Wysyłanie logów",
"downloading_logs": "Pobieranie logów"
}, },
"time": { "time": {
"hours_minutes_seconds_left": "pozostało %(hours)s godz. %(minutes)s min. %(seconds)ss", "hours_minutes_seconds_left": "pozostało %(hours)s godz. %(minutes)s min. %(seconds)ss",
@ -3821,7 +3725,9 @@
"developer_tools": "Narzędzia programistyczne", "developer_tools": "Narzędzia programistyczne",
"room_id": "ID pokoju: %(roomId)s", "room_id": "ID pokoju: %(roomId)s",
"thread_root_id": "ID Root Wątku:%(threadRootId)s", "thread_root_id": "ID Root Wątku:%(threadRootId)s",
"event_id": "ID wydarzenia: %(eventId)s" "event_id": "ID wydarzenia: %(eventId)s",
"category_room": "Pokój",
"category_other": "Inne"
}, },
"export_chat": { "export_chat": {
"html": "HTML", "html": "HTML",
@ -3979,6 +3885,9 @@
"other": "%(names)s i %(count)s innych piszą…", "other": "%(names)s i %(count)s innych piszą…",
"one": "%(names)s i jedna osoba pisze…" "one": "%(names)s i jedna osoba pisze…"
} }
},
"m.call.hangup": {
"dm": "Połączenie zakończone"
} }
}, },
"slash_command": { "slash_command": {
@ -4015,7 +3924,14 @@
"help": "Wyświetla listę komend z przykładami i opisami", "help": "Wyświetla listę komend z przykładami i opisami",
"whois": "Pokazuje informacje na temat użytkownika", "whois": "Pokazuje informacje na temat użytkownika",
"rageshake": "Wyślij raport błędu z logami", "rageshake": "Wyślij raport błędu z logami",
"msg": "Wysyła wiadomość do wybranego użytkownika" "msg": "Wysyła wiadomość do wybranego użytkownika",
"usage": "Użycie",
"category_messages": "Wiadomości",
"category_actions": "Akcje",
"category_admin": "Administrator",
"category_advanced": "Zaawansowane",
"category_effects": "Efekty",
"category_other": "Inne"
}, },
"presence": { "presence": {
"busy": "Zajęty", "busy": "Zajęty",
@ -4029,5 +3945,108 @@
"offline": "Niedostępny", "offline": "Niedostępny",
"away": "Z dala od urządzenia" "away": "Z dala od urządzenia"
}, },
"Unknown": "Nieznany" "Unknown": "Nieznany",
"event_preview": {
"m.call.answer": {
"you": "Dołączyłeś do połączenia",
"user": "%(senderName)s dołączył do połączenia",
"dm": "Połączenie w trakcie"
},
"m.call.hangup": {
"you": "Zakończyłeś połączenie",
"user": "%(senderName)s zakończył połączenie"
},
"m.call.invite": {
"you": "Rozpocząłeś połączenie",
"user": "%(senderName)s rozpoczął połączenie",
"dm_send": "Oczekiwanie na odpowiedź",
"dm_receive": "%(senderName)s dzwoni"
},
"m.emote": "* %(senderName)s %(emote)s",
"m.text": "%(senderName)s: %(message)s",
"m.reaction": {
"you": "Dodano reakcję %(reaction)s do %(message)s",
"user": "%(sender)s dodał reakcję %(reaction)s do %(message)s"
},
"m.sticker": "%(senderName)s: %(stickerName)s"
},
"voip": {
"disable_microphone": "Wycisz mikrofon",
"enable_microphone": "Wyłącz wyciszenie mikrofonu",
"disable_camera": "Wyłącz kamerę",
"enable_camera": "Włącz kamerę",
"audio_devices": "Urządzenia audio",
"video_devices": "Urządzenia wideo",
"dial": "Wybierz numer",
"you_are_presenting": "Prezentujesz",
"user_is_presenting": "%(sharerName)s prezentuje",
"camera_disabled": "Twoja kamera jest wyłączona",
"camera_enabled": "Twoja kamera jest nadal włączona",
"consulting": "Konsultowanie z %(transferTarget)s. <a>Transfer do %(transferee)s</a>",
"call_held_switch": "Zawieszono rozmowę <a>Przełącz</a>",
"call_held_resume": "Zawieszono rozmowę <a>Wznów</a>",
"call_held": "%(peerName)s zawiesił rozmowę",
"dialpad": "Klawiatura telefoniczna",
"stop_screenshare": "Przestań udostępniać ekran",
"start_screenshare": "Udostępnij ekran",
"hangup": "Rozłącz",
"maximise": "Wypełnij ekran",
"expand": "Wróć do połączenia",
"on_hold": "%(name)s na linii",
"voice_call": "Rozmowa głosowa",
"video_call": "Rozmowa wideo",
"video_call_started": "Rozpoczęto rozmowę wideo",
"unsilence": "Dźwięk włączony",
"silence": "Wycisz rozmowę",
"silenced": "Wyciszono powiadomienia",
"unknown_caller": "Nieznany rozmówca",
"call_failed": "Nieudane połączenie",
"unable_to_access_microphone": "Nie można uzyskać dostępu do mikrofonu",
"call_failed_microphone": "Nie udało się zestawić połączenia z powodu braku dostępu do mikrofonu. Sprawdź czy mikrofon jest podłączony i poprawnie skonfigurowany.",
"unable_to_access_media": "Nie można uzyskać dostępu do kamery / mikrofonu",
"call_failed_media": "Połączenie nieudane z powodu braku dostępu do kamery bądź mikrofonu. Sprawdź czy:",
"call_failed_media_connected": "Mikrofon i kamera są podpięte i skonfigurowane prawidłowo",
"call_failed_media_permissions": "Przyznano uprawnienia dostępu do kamery",
"call_failed_media_applications": "Kamera nie jest obecnie używana przez inną aplikację",
"already_in_call": "Już dzwoni",
"already_in_call_person": "Prowadzisz już rozmowę z tą osobą.",
"unsupported": "Rozmowy nie są obsługiwane",
"unsupported_browser": "Nie możesz wykonywać połączeń z tej przeglądarki."
},
"Messages": "Wiadomości",
"Other": "Inne",
"Advanced": "Zaawansowane",
"room_settings": {
"permissions": {
"m.room.avatar_space": "Zmień awatar przestrzeni",
"m.room.avatar": "Zmień awatar pokoju",
"m.room.name_space": "Zmień nazwę przestrzeni",
"m.room.name": "Zmień nazwę pokoju",
"m.room.canonical_alias_space": "Zmień adres główny przestrzeni",
"m.room.canonical_alias": "Zmienianie głównego adresu pokoju",
"m.space.child": "Zarządzaj pokojami w tej przestrzeni",
"m.room.history_visibility": "Zmień widoczność historii",
"m.room.power_levels": "Zmienianie uprawnień",
"m.room.topic_space": "Zmień opis",
"m.room.topic": "Zmienianie tematu",
"m.room.tombstone": "Zaktualizuj pokój",
"m.room.encryption": "Włącz szyfrowanie pokoju",
"m.room.server_acl": "Zmień serwer ACLs",
"m.reaction": "Wyślij reakcje",
"m.room.redaction": "Usuń wiadomości wysłane przeze mnie",
"m.widget": "Modyfikuj widżet",
"io.element.voice_broadcast_info": "Transmisje głosowe",
"m.room.pinned_events": "Zarządzaj przypiętymi wydarzeniami",
"m.call": "Rozpocznij połączenie %(brand)s",
"m.call.member": "Dołącz do połączeń %(brand)s",
"users_default": "Domyślna rola",
"events_default": "Wysyłanie wiadomości",
"invite": "Zapraszanie użytkowników",
"state_default": "Zmienianie ustawień",
"kick": "Usuń użytkowników",
"ban": "Zablokuj użytkowników",
"redact": "Usuń wiadomości wysłane przez innych",
"notifications.room": "Powiadamianie wszystkich"
}
}
} }

View file

@ -1,7 +1,5 @@
{ {
"Account": "Conta", "Account": "Conta",
"Admin": "Administrador",
"Advanced": "Avançado",
"New passwords don't match": "As novas palavras-passe não coincidem", "New passwords don't match": "As novas palavras-passe não coincidem",
"A new password must be entered.": "Deve ser introduzida uma nova palavra-passe.", "A new password must be entered.": "Deve ser introduzida uma nova palavra-passe.",
"Are you sure you want to reject the invitation?": "Você tem certeza que deseja rejeitar este convite?", "Are you sure you want to reject the invitation?": "Você tem certeza que deseja rejeitar este convite?",
@ -22,7 +20,6 @@
"Filter room members": "Filtrar integrantes da sala", "Filter room members": "Filtrar integrantes da sala",
"Forget room": "Esquecer sala", "Forget room": "Esquecer sala",
"For security, this session has been signed out. Please sign in again.": "Por questões de segurança, esta sessão foi encerrada. Por gentileza conecte-se novamente.", "For security, this session has been signed out. Please sign in again.": "Por questões de segurança, esta sessão foi encerrada. Por gentileza conecte-se novamente.",
"Hangup": "Desligar",
"Historical": "Histórico", "Historical": "Histórico",
"Import E2E room keys": "Importar chave de criptografia ponta-a-ponta (E2E) da sala", "Import E2E room keys": "Importar chave de criptografia ponta-a-ponta (E2E) da sala",
"Invalid Email Address": "Endereço de email inválido", "Invalid Email Address": "Endereço de email inválido",
@ -56,8 +53,6 @@
"Upload avatar": "Enviar icone de perfil de usuário", "Upload avatar": "Enviar icone de perfil de usuário",
"Users": "Usuários", "Users": "Usuários",
"Verification Pending": "Verificação pendente", "Verification Pending": "Verificação pendente",
"Video call": "Chamada de vídeo",
"Voice call": "Chamada de voz",
"Who can read history?": "Quem pode ler o histórico da sala?", "Who can read history?": "Quem pode ler o histórico da sala?",
"You do not have permission to post to this room": "Você não tem permissão de postar nesta sala", "You do not have permission to post to this room": "Você não tem permissão de postar nesta sala",
"Sun": "Dom", "Sun": "Dom",
@ -99,7 +94,6 @@
"This phone number is already in use": "Este número de telefone já está sendo usado", "This phone number is already in use": "Este número de telefone já está sendo usado",
"Unable to enable Notifications": "Não foi possível ativar as notificações", "Unable to enable Notifications": "Não foi possível ativar as notificações",
"Upload Failed": "O envio falhou", "Upload Failed": "O envio falhou",
"Usage": "Uso",
"You cannot place a call with yourself.": "Você não pode iniciar uma chamada.", "You cannot place a call with yourself.": "Você não pode iniciar uma chamada.",
"You need to be able to invite users to do that.": "Para fazer isso, você tem que ter permissão para convidar outras pessoas.", "You need to be able to invite users to do that.": "Para fazer isso, você tem que ter permissão para convidar outras pessoas.",
"You need to be logged in.": "Você tem que estar logado.", "You need to be logged in.": "Você tem que estar logado.",
@ -250,13 +244,11 @@
"Filter results": "Filtrar resultados", "Filter results": "Filtrar resultados",
"No update available.": "Nenhuma atualização disponível.", "No update available.": "Nenhuma atualização disponível.",
"Noisy": "Barulhento", "Noisy": "Barulhento",
"Collecting app version information": "A recolher informação da versão da app",
"Tuesday": "Terça-feira", "Tuesday": "Terça-feira",
"Search…": "Pesquisar…", "Search…": "Pesquisar…",
"Unnamed room": "Sala sem nome", "Unnamed room": "Sala sem nome",
"Saturday": "Sábado", "Saturday": "Sábado",
"Monday": "Segunda-feira", "Monday": "Segunda-feira",
"Collecting logs": "A recolher logs",
"Invite to this room": "Convidar para esta sala", "Invite to this room": "Convidar para esta sala",
"Send": "Enviar", "Send": "Enviar",
"All messages": "Todas as mensagens", "All messages": "Todas as mensagens",
@ -273,7 +265,6 @@
"Thank you!": "Obrigado!", "Thank you!": "Obrigado!",
"Add Email Address": "Adicione adresso de e-mail", "Add Email Address": "Adicione adresso de e-mail",
"Add Phone Number": "Adicione número de telefone", "Add Phone Number": "Adicione número de telefone",
"Call Failed": "A chamada falhou",
"Call failed due to misconfigured server": "Chamada falhada devido a um erro de configuração do servidor", "Call failed due to misconfigured server": "Chamada falhada devido a um erro de configuração do servidor",
"Please ask the administrator of your homeserver (<code>%(homeserverDomain)s</code>) to configure a TURN server in order for calls to work reliably.": "Peça ao administrador do seu servidor inicial (<code>%(homeserverDomain)s</code>) de configurar um servidor TURN para que as chamadas funcionem fiavelmente.", "Please ask the administrator of your homeserver (<code>%(homeserverDomain)s</code>) to configure a TURN server in order for calls to work reliably.": "Peça ao administrador do seu servidor inicial (<code>%(homeserverDomain)s</code>) de configurar um servidor TURN para que as chamadas funcionem fiavelmente.",
"Explore rooms": "Explorar rooms", "Explore rooms": "Explorar rooms",
@ -303,26 +294,15 @@
"User Busy": "Utilizador ocupado", "User Busy": "Utilizador ocupado",
"The user you called is busy.": "O utilizador para o qual tentou ligar está ocupado.", "The user you called is busy.": "O utilizador para o qual tentou ligar está ocupado.",
"The call was answered on another device.": "A chamada foi atendida noutro dispositivo.", "The call was answered on another device.": "A chamada foi atendida noutro dispositivo.",
"Unable to access microphone": "Não é possível aceder ao microfone",
"Answered Elsewhere": "Atendida noutro lado", "Answered Elsewhere": "Atendida noutro lado",
"The call could not be established": "Não foi possível estabelecer a chamada", "The call could not be established": "Não foi possível estabelecer a chamada",
"Try using %(server)s": "Tente usar %(server)s", "Try using %(server)s": "Tente usar %(server)s",
"Cannot invite user by email without an identity server. You can connect to one under \"Settings\".": "Não é possível convidar um utilizador por email sem um servidor de identidade. Pode ligar-se a um em \"Definições\".", "Cannot invite user by email without an identity server. You can connect to one under \"Settings\".": "Não é possível convidar um utilizador por email sem um servidor de identidade. Pode ligar-se a um em \"Definições\".",
"Alternatively, you can try to use the public server at <server/>, but this will not be as reliable, and it will share your IP address with that server. You can also manage this in Settings.": "Em alternativa, pode tentar utilizar o servidor público em <server/>, mas não será tão fiável e irá partilhar o seu endereço IP com esse servidor. Também pode gerir isto nas Definições.", "Alternatively, you can try to use the public server at <server/>, but this will not be as reliable, and it will share your IP address with that server. You can also manage this in Settings.": "Em alternativa, pode tentar utilizar o servidor público em <server/>, mas não será tão fiável e irá partilhar o seu endereço IP com esse servidor. Também pode gerir isto nas Definições.",
"Unable to access webcam / microphone": "Não é possível aceder à câmera / microfone",
"Call failed because microphone could not be accessed. Check that a microphone is plugged in and set up correctly.": "A chamada falhou porque o microfone não está acessível. Verifique que tem um microfone ligado e correctamente configurado.",
"You cannot place calls without a connection to the server.": "Não pode fazer chamadas sem uma conexão ao servidor.", "You cannot place calls without a connection to the server.": "Não pode fazer chamadas sem uma conexão ao servidor.",
"Already in call": "Já em chamada",
"No other application is using the webcam": "Nenhuma outra aplicação está a utilizar a câmera",
"Connectivity to the server has been lost": "A conexão ao servidor foi perdida", "Connectivity to the server has been lost": "A conexão ao servidor foi perdida",
"Too Many Calls": "Demasiadas Chamadas", "Too Many Calls": "Demasiadas Chamadas",
"You've reached the maximum number of simultaneous calls.": "Atingiu o número máximo de chamadas em simultâneo.", "You've reached the maximum number of simultaneous calls.": "Atingiu o número máximo de chamadas em simultâneo.",
"Call failed because webcam or microphone could not be accessed. Check that:": "A chamada falhou porque não foi possível aceder à câmera ou microfone. Verifique se:",
"Permission is granted to use the webcam": "É concedida autorização para utilizar a câmera",
"A microphone and webcam are plugged in and set up correctly": "Um microfone e uma câmera estão conectados e configurados corretamente",
"You're already in a call with this person.": "Já está em chamada com esta pessoa.",
"Calls are unsupported": "Chamadas não são suportadas",
"You cannot place calls in this browser.": "Não pode fazer chamadas neste navegador.",
"Database unexpectedly closed": "Base de dados fechada inesperadamente", "Database unexpectedly closed": "Base de dados fechada inesperadamente",
"User is not logged in": "Utilizador não tem sessão iniciada", "User is not logged in": "Utilizador não tem sessão iniciada",
"Empty room (was %(oldName)s)": "Sala vazia (era %(oldName)s)", "Empty room (was %(oldName)s)": "Sala vazia (era %(oldName)s)",
@ -464,7 +444,6 @@
"Already have an account? <a>Sign in here</a>": "Já tem uma conta? <a>Entre aqui</a>", "Already have an account? <a>Sign in here</a>": "Já tem uma conta? <a>Entre aqui</a>",
"Use an email address to recover your account": "Usar um endereço de email para recuperar a sua conta", "Use an email address to recover your account": "Usar um endereço de email para recuperar a sua conta",
"Malta": "Malta", "Malta": "Malta",
"Other": "Outros",
"Lebanon": "Líbano", "Lebanon": "Líbano",
"Marshall Islands": "Ilhas Marshall", "Marshall Islands": "Ilhas Marshall",
"Martinique": "Martinica", "Martinique": "Martinica",
@ -509,7 +488,6 @@
"No one will be able to reuse your username (MXID), including you: this username will remain unavailable": "Ninguém poderá reutilizar o seu nome de utilizador (MXID), incluindo o próprio: este nome de utilizador permanecerá indisponível", "No one will be able to reuse your username (MXID), including you: this username will remain unavailable": "Ninguém poderá reutilizar o seu nome de utilizador (MXID), incluindo o próprio: este nome de utilizador permanecerá indisponível",
"Your platform and username will be noted to help us use your feedback as much as we can.": "A sua plataforma e o seu nome de utilizador serão anotados para nos ajudar a utilizar o seu feedback da melhor forma possível.", "Your platform and username will be noted to help us use your feedback as much as we can.": "A sua plataforma e o seu nome de utilizador serão anotados para nos ajudar a utilizar o seu feedback da melhor forma possível.",
"Start a conversation with someone using their name, email address or username (like <userId/>).": "Comece uma conversa com alguém a partir do nome, endereço de email ou nome de utilizador (por exemplo: <userId/>).", "Start a conversation with someone using their name, email address or username (like <userId/>).": "Comece uma conversa com alguém a partir do nome, endereço de email ou nome de utilizador (por exemplo: <userId/>).",
"Effects": "Ações",
"Zambia": "Zâmbia", "Zambia": "Zâmbia",
"Missing roomId.": "Falta ID de Sala.", "Missing roomId.": "Falta ID de Sala.",
"Sign In or Create Account": "Iniciar Sessão ou Criar Conta", "Sign In or Create Account": "Iniciar Sessão ou Criar Conta",
@ -630,8 +608,6 @@
"Honduras": "Honduras", "Honduras": "Honduras",
"Heard & McDonald Islands": "Ilhas Heard e McDonald", "Heard & McDonald Islands": "Ilhas Heard e McDonald",
"Haiti": "Haiti", "Haiti": "Haiti",
"Actions": "Ações",
"Messages": "Mensagens",
"Are you sure you want to cancel entering passphrase?": "Tem a certeza que quer cancelar a introdução da frase-passe?", "Are you sure you want to cancel entering passphrase?": "Tem a certeza que quer cancelar a introdução da frase-passe?",
"Cancel entering passphrase?": "Cancelar a introdução da frase-passe?", "Cancel entering passphrase?": "Cancelar a introdução da frase-passe?",
"Madagascar": "Madagáscar", "Madagascar": "Madagáscar",
@ -724,7 +700,9 @@
}, },
"bug_reporting": { "bug_reporting": {
"description": "Os registos de depuração contêm dados de utilização da aplicação, incluindo o seu nome de utilizador, os IDs ou pseudónimos das salas que visitou, os últimos elementos da IU com que interagiu e os nomes de utilizador de outros utilizadores. No entanto não contêm mensagens.", "description": "Os registos de depuração contêm dados de utilização da aplicação, incluindo o seu nome de utilizador, os IDs ou pseudónimos das salas que visitou, os últimos elementos da IU com que interagiu e os nomes de utilizador de outros utilizadores. No entanto não contêm mensagens.",
"send_logs": "Enviar relatórios de erro" "send_logs": "Enviar relatórios de erro",
"collecting_information": "A recolher informação da versão da app",
"collecting_logs": "A recolher logs"
}, },
"time": { "time": {
"hours_minutes_seconds_left": "%(hours)sh %(minutes)sm %(seconds)ss restantes", "hours_minutes_seconds_left": "%(hours)sh %(minutes)sm %(seconds)ss restantes",
@ -760,7 +738,9 @@
"state_key": "Chave de estado", "state_key": "Chave de estado",
"event_sent": "Evento enviado!", "event_sent": "Evento enviado!",
"event_content": "Conteúdo do evento", "event_content": "Conteúdo do evento",
"developer_tools": "Ferramentas de desenvolvedor" "developer_tools": "Ferramentas de desenvolvedor",
"category_room": "Sala",
"category_other": "Outros"
}, },
"timeline": { "timeline": {
"m.room.topic": "%(senderDisplayName)s mudou o tópico para \"%(topic)s\".", "m.room.topic": "%(senderDisplayName)s mudou o tópico para \"%(topic)s\".",
@ -795,7 +775,14 @@
"invite": "Convidar usuários com um dado identificador para esta sala", "invite": "Convidar usuários com um dado identificador para esta sala",
"ban": "Banir usuários com o identificador informado", "ban": "Banir usuários com o identificador informado",
"ignore": "Ignora um utilizador, deixando de mostrar as mensagens dele", "ignore": "Ignora um utilizador, deixando de mostrar as mensagens dele",
"unignore": "Deixa de ignorar um utilizador, mostrando as suas mensagens daqui para a frente" "unignore": "Deixa de ignorar um utilizador, mostrando as suas mensagens daqui para a frente",
"usage": "Uso",
"category_messages": "Mensagens",
"category_actions": "Ações",
"category_admin": "Administrador",
"category_advanced": "Avançado",
"category_effects": "Ações",
"category_other": "Outros"
}, },
"presence": { "presence": {
"online": "Online", "online": "Online",
@ -803,5 +790,25 @@
"unknown": "Desconhecido", "unknown": "Desconhecido",
"offline": "Offline" "offline": "Offline"
}, },
"Unknown": "Desconhecido" "Unknown": "Desconhecido",
"voip": {
"hangup": "Desligar",
"voice_call": "Chamada de voz",
"video_call": "Chamada de vídeo",
"call_failed": "A chamada falhou",
"unable_to_access_microphone": "Não é possível aceder ao microfone",
"call_failed_microphone": "A chamada falhou porque o microfone não está acessível. Verifique que tem um microfone ligado e correctamente configurado.",
"unable_to_access_media": "Não é possível aceder à câmera / microfone",
"call_failed_media": "A chamada falhou porque não foi possível aceder à câmera ou microfone. Verifique se:",
"call_failed_media_connected": "Um microfone e uma câmera estão conectados e configurados corretamente",
"call_failed_media_permissions": "É concedida autorização para utilizar a câmera",
"call_failed_media_applications": "Nenhuma outra aplicação está a utilizar a câmera",
"already_in_call": "Já em chamada",
"already_in_call_person": "Já está em chamada com esta pessoa.",
"unsupported": "Chamadas não são suportadas",
"unsupported_browser": "Não pode fazer chamadas neste navegador."
},
"Messages": "Mensagens",
"Other": "Outros",
"Advanced": "Avançado"
} }

View file

@ -1,7 +1,5 @@
{ {
"Account": "Conta", "Account": "Conta",
"Admin": "Administrador/a",
"Advanced": "Avançado",
"New passwords don't match": "As novas senhas não conferem", "New passwords don't match": "As novas senhas não conferem",
"A new password must be entered.": "Uma nova senha precisa ser inserida.", "A new password must be entered.": "Uma nova senha precisa ser inserida.",
"Are you sure you want to reject the invitation?": "Tem certeza de que deseja recusar o convite?", "Are you sure you want to reject the invitation?": "Tem certeza de que deseja recusar o convite?",
@ -22,7 +20,6 @@
"Filter room members": "Pesquisar participantes da sala", "Filter room members": "Pesquisar participantes da sala",
"Forget room": "Esquecer sala", "Forget room": "Esquecer sala",
"For security, this session has been signed out. Please sign in again.": "Por questões de segurança, esta sessão foi encerrada. Por gentileza conecte-se novamente.", "For security, this session has been signed out. Please sign in again.": "Por questões de segurança, esta sessão foi encerrada. Por gentileza conecte-se novamente.",
"Hangup": "Desligar",
"Historical": "Histórico", "Historical": "Histórico",
"Import E2E room keys": "Importar chave de criptografia ponta-a-ponta (E2E) da sala", "Import E2E room keys": "Importar chave de criptografia ponta-a-ponta (E2E) da sala",
"Invalid Email Address": "Endereço de e-mail inválido", "Invalid Email Address": "Endereço de e-mail inválido",
@ -56,8 +53,6 @@
"Upload avatar": "Enviar uma foto de perfil", "Upload avatar": "Enviar uma foto de perfil",
"Users": "Usuários", "Users": "Usuários",
"Verification Pending": "Confirmação pendente", "Verification Pending": "Confirmação pendente",
"Video call": "Chamada de vídeo",
"Voice call": "Chamada de voz",
"Who can read history?": "Quem pode ler o histórico da sala?", "Who can read history?": "Quem pode ler o histórico da sala?",
"You do not have permission to post to this room": "Você não tem permissão para digitar nesta sala", "You do not have permission to post to this room": "Você não tem permissão para digitar nesta sala",
"Sun": "Dom", "Sun": "Dom",
@ -99,7 +94,6 @@
"This phone number is already in use": "Este número de telefone já está em uso", "This phone number is already in use": "Este número de telefone já está em uso",
"Unable to enable Notifications": "Não foi possível ativar as notificações", "Unable to enable Notifications": "Não foi possível ativar as notificações",
"Upload Failed": "O envio falhou", "Upload Failed": "O envio falhou",
"Usage": "Uso",
"You cannot place a call with yourself.": "Você não pode iniciar uma chamada consigo mesmo.", "You cannot place a call with yourself.": "Você não pode iniciar uma chamada consigo mesmo.",
"You need to be able to invite users to do that.": "Para fazer isso, precisa ter permissão para convidar outras pessoas.", "You need to be able to invite users to do that.": "Para fazer isso, precisa ter permissão para convidar outras pessoas.",
"You need to be logged in.": "Você precisa estar logado.", "You need to be logged in.": "Você precisa estar logado.",
@ -223,7 +217,6 @@
"You do not have permission to do that in this room.": "Você não tem permissão para fazer isso nesta sala.", "You do not have permission to do that in this room.": "Você não tem permissão para fazer isso nesta sala.",
"Ignored user": "Usuário bloqueado", "Ignored user": "Usuário bloqueado",
"You are no longer ignoring %(userId)s": "Você não está mais bloqueando %(userId)s", "You are no longer ignoring %(userId)s": "Você não está mais bloqueando %(userId)s",
"Call Failed": "A chamada falhou",
"PM": "PM", "PM": "PM",
"AM": "AM", "AM": "AM",
"%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s, %(day)s de %(monthName)s de %(fullYear)s", "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s, %(day)s de %(monthName)s de %(fullYear)s",
@ -237,8 +230,6 @@
"You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.": "Você não poderá desfazer essa alteração, já que está rebaixando sua própria permissão. Se você for a última pessoa nesta sala, será impossível recuperar a permissão atual.", "You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.": "Você não poderá desfazer essa alteração, já que está rebaixando sua própria permissão. Se você for a última pessoa nesta sala, será impossível recuperar a permissão atual.",
"Unignore": "Desbloquear", "Unignore": "Desbloquear",
"Jump to read receipt": "Ir para a confirmação de leitura", "Jump to read receipt": "Ir para a confirmação de leitura",
"Send an encrypted reply…": "Digite sua resposta criptografada…",
"Send an encrypted message…": "Digite uma mensagem criptografada…",
"%(duration)ss": "%(duration)ss", "%(duration)ss": "%(duration)ss",
"%(duration)sm": "%(duration)sm", "%(duration)sm": "%(duration)sm",
"%(duration)sh": "%(duration)sh", "%(duration)sh": "%(duration)sh",
@ -372,12 +363,10 @@
"Filter results": "Filtrar resultados", "Filter results": "Filtrar resultados",
"No update available.": "Nenhuma atualização disponível.", "No update available.": "Nenhuma atualização disponível.",
"Noisy": "Ativado com som", "Noisy": "Ativado com som",
"Collecting app version information": "Coletando informação sobre a versão do app",
"Tuesday": "Terça-feira", "Tuesday": "Terça-feira",
"Search…": "Buscar…", "Search…": "Buscar…",
"Saturday": "Sábado", "Saturday": "Sábado",
"Monday": "Segunda-feira", "Monday": "Segunda-feira",
"Collecting logs": "Coletando logs",
"Invite to this room": "Convidar para esta sala", "Invite to this room": "Convidar para esta sala",
"All messages": "Todas as mensagens novas", "All messages": "Todas as mensagens novas",
"What's new?": "O que há de novidades?", "What's new?": "O que há de novidades?",
@ -437,7 +426,6 @@
"This room has been replaced and is no longer active.": "Esta sala foi substituída e não está mais ativa.", "This room has been replaced and is no longer active.": "Esta sala foi substituída e não está mais ativa.",
"The conversation continues here.": "A conversa continua aqui.", "The conversation continues here.": "A conversa continua aqui.",
"Share room": "Compartilhar sala", "Share room": "Compartilhar sala",
"System Alerts": "Alertas do sistema",
"Set up": "Configurar", "Set up": "Configurar",
"Muted Users": "Usuários silenciados", "Muted Users": "Usuários silenciados",
"Only room administrators will see this warning": "Somente administradores de sala verão esse alerta", "Only room administrators will see this warning": "Somente administradores de sala verão esse alerta",
@ -445,7 +433,6 @@
"Demote": "Reduzir privilégio", "Demote": "Reduzir privilégio",
"Demote yourself?": "Reduzir seu próprio privilégio?", "Demote yourself?": "Reduzir seu próprio privilégio?",
"Add some now": "Adicione alguns agora", "Add some now": "Adicione alguns agora",
"Stickerpack": "Pacote de figurinhas",
"In encrypted rooms, like this one, URL previews are disabled by default to ensure that your homeserver (where the previews are generated) cannot gather information about links you see in this room.": "Em salas criptografadas, como esta, as pré-visualizações de links estão desativadas por padrão para garantir que o seu servidor local (onde as visualizações são geradas) não possa coletar informações sobre os links que você vê nesta sala.", "In encrypted rooms, like this one, URL previews are disabled by default to ensure that your homeserver (where the previews are generated) cannot gather information about links you see in this room.": "Em salas criptografadas, como esta, as pré-visualizações de links estão desativadas por padrão para garantir que o seu servidor local (onde as visualizações são geradas) não possa coletar informações sobre os links que você vê nesta sala.",
"When someone puts a URL in their message, a URL preview can be shown to give more information about that link such as the title, description, and an image from the website.": "Quando alguém inclui um link em uma mensagem, a pré-visualização do link pode ser exibida para fornecer mais informações sobre esse link, como o título, a descrição e uma imagem do site.", "When someone puts a URL in their message, a URL preview can be shown to give more information about that link such as the title, description, and an image from the website.": "Quando alguém inclui um link em uma mensagem, a pré-visualização do link pode ser exibida para fornecer mais informações sobre esse link, como o título, a descrição e uma imagem do site.",
"This room is a continuation of another conversation.": "Esta sala é uma continuação de outra conversa.", "This room is a continuation of another conversation.": "Esta sala é uma continuação de outra conversa.",
@ -626,16 +613,6 @@
"Room version": "Versão da sala", "Room version": "Versão da sala",
"Room version:": "Versão da sala:", "Room version:": "Versão da sala:",
"Room Addresses": "Endereços da sala", "Room Addresses": "Endereços da sala",
"Change room avatar": "Alterar a foto da sala",
"Change room name": "Alterar o nome da sala",
"Change main address for the room": "Alterar o endereço principal da sala",
"Change history visibility": "Alterar a visibilidade do histórico",
"Change permissions": "Alterar permissões",
"Change topic": "Alterar a descrição",
"Modify widgets": "Modificar widgets",
"Default role": "Cargo padrão",
"Send messages": "Enviar mensagens",
"Invite users": "Convidar usuários",
"Use Single Sign On to continue": "Use \"Single Sign On\" para continuar", "Use Single Sign On to continue": "Use \"Single Sign On\" para continuar",
"Confirm adding this email address by using Single Sign On to prove your identity.": "Confirme a inclusão deste endereço de e-mail usando o Single Sign On para comprovar sua identidade.", "Confirm adding this email address by using Single Sign On to prove your identity.": "Confirme a inclusão deste endereço de e-mail usando o Single Sign On para comprovar sua identidade.",
"Single Sign On": "Autenticação Única", "Single Sign On": "Autenticação Única",
@ -658,9 +635,6 @@
"Sign In or Create Account": "Faça login ou crie uma conta", "Sign In or Create Account": "Faça login ou crie uma conta",
"Use your account or create a new one to continue.": "Use sua conta ou crie uma nova para continuar.", "Use your account or create a new one to continue.": "Use sua conta ou crie uma nova para continuar.",
"Create Account": "Criar Conta", "Create Account": "Criar Conta",
"Messages": "Mensagens",
"Actions": "Ações",
"Other": "Outros",
"Error upgrading room": "Erro atualizando a sala", "Error upgrading room": "Erro atualizando a sala",
"Double check that your server supports the room version chosen and try again.": "Verifique se seu servidor suporta a versão de sala escolhida e tente novamente.", "Double check that your server supports the room version chosen and try again.": "Verifique se seu servidor suporta a versão de sala escolhida e tente novamente.",
"Use an identity server": "Usar um servidor de identidade", "Use an identity server": "Usar um servidor de identidade",
@ -727,17 +701,6 @@
"Verify this session": "Confirmar esta sessão", "Verify this session": "Confirmar esta sessão",
"Other users may not trust it": "Outras(os) usuárias(os) podem não confiar nela", "Other users may not trust it": "Outras(os) usuárias(os) podem não confiar nela",
"New login. Was this you?": "Novo login. Foi você?", "New login. Was this you?": "Novo login. Foi você?",
"You joined the call": "Você entrou na chamada",
"%(senderName)s joined the call": "%(senderName)s entrou na chamada",
"Call in progress": "Chamada em andamento",
"Call ended": "Chamada encerrada",
"You started a call": "Você iniciou uma chamada",
"%(senderName)s started a call": "%(senderName)s iniciou uma chamada",
"Waiting for answer": "Aguardando a resposta",
"%(senderName)s is calling": "%(senderName)s está chamando",
"* %(senderName)s %(emote)s": "* %(senderName)s %(emote)s",
"%(senderName)s: %(message)s": "%(senderName)s: %(message)s",
"%(senderName)s: %(stickerName)s": "%(senderName)s: %(stickerName)s",
"Font size": "Tamanho da fonte", "Font size": "Tamanho da fonte",
"Use custom size": "Usar tamanho personalizado", "Use custom size": "Usar tamanho personalizado",
"Match system theme": "Se adaptar ao tema do sistema", "Match system theme": "Se adaptar ao tema do sistema",
@ -752,7 +715,6 @@
"IRC display name width": "Largura do nome e sobrenome nas mensagens", "IRC display name width": "Largura do nome e sobrenome nas mensagens",
"My Ban List": "Minha lista de banidos", "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!", "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",
"Scan this unique code": "Escaneie este código único", "Scan this unique code": "Escaneie este código único",
"Compare unique emoji": "Comparar emojis únicos", "Compare unique emoji": "Comparar emojis únicos",
"Compare a unique set of emoji if you don't have a camera on either device": "Compare um conjunto único de emojis se você não tem uma câmera em nenhum dos dois aparelhos", "Compare a unique set of emoji if you don't have a camera on either device": "Compare um conjunto único de emojis se você não tem uma câmera em nenhum dos dois aparelhos",
@ -801,7 +763,6 @@
"Ignoring people is done through ban lists which contain rules for who to ban. Subscribing to a ban list means the users/servers blocked by that list will be hidden from you.": "É possível bloquear pessoas através de listas de banimento que contêm regras sobre quem banir de salas. Colocar alguém na lista de banimento significa que as pessoas ou servidores bloqueados pela lista não serão visualizados por você.", "Ignoring people is done through ban lists which contain rules for who to ban. Subscribing to a ban list means the users/servers blocked by that list will be hidden from you.": "É possível bloquear pessoas através de listas de banimento que contêm regras sobre quem banir de salas. Colocar alguém na lista de banimento significa que as pessoas ou servidores bloqueados pela lista não serão visualizados por você.",
"Session key:": "Chave da sessão:", "Session key:": "Chave da sessão:",
"Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "O administrador do servidor desativou a criptografia de ponta a ponta por padrão em salas privadas e em conversas.", "Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "O administrador do servidor desativou a criptografia de ponta a ponta por padrão em salas privadas e em conversas.",
"Enable room encryption": "Ativar criptografia nesta sala",
"Enable encryption?": "Ativar criptografia?", "Enable encryption?": "Ativar criptografia?",
"Once enabled, encryption for a room cannot be disabled. Messages sent in an encrypted room cannot be seen by the server, only by the participants of the room. Enabling encryption may prevent many bots and bridges from working correctly. <a>Learn more about encryption.</a>": "Uma vez ativada, a criptografia da sala não poderá ser desativada. Mensagens enviadas em uma sala criptografada não podem ser lidas pelo servidor, apenas pelos participantes da sala. Ativar a criptografia poderá impedir que vários bots e integrações funcionem corretamente. <a>Saiba mais sobre criptografia.</a>", "Once enabled, encryption for a room cannot be disabled. Messages sent in an encrypted room cannot be seen by the server, only by the participants of the room. Enabling encryption may prevent many bots and bridges from working correctly. <a>Learn more about encryption.</a>": "Uma vez ativada, a criptografia da sala não poderá ser desativada. Mensagens enviadas em uma sala criptografada não podem ser lidas pelo servidor, apenas pelos participantes da sala. Ativar a criptografia poderá impedir que vários bots e integrações funcionem corretamente. <a>Saiba mais sobre criptografia.</a>",
"Encryption": "Criptografia", "Encryption": "Criptografia",
@ -1053,7 +1014,6 @@
"Always show the window menu bar": "Mostrar a barra de menu na janela", "Always show the window menu bar": "Mostrar a barra de menu na janela",
"Read Marker lifetime (ms)": "Duração do marcador de leitura (ms)", "Read Marker lifetime (ms)": "Duração do marcador de leitura (ms)",
"Read Marker off-screen lifetime (ms)": "Vida útil do marcador de leitura fora da tela (ms)", "Read Marker off-screen lifetime (ms)": "Vida útil do marcador de leitura fora da tela (ms)",
"Change settings": "Alterar configurações",
"Send %(eventType)s events": "Enviar eventos de %(eventType)s", "Send %(eventType)s events": "Enviar eventos de %(eventType)s",
"Roles & Permissions": "Cargos e permissões", "Roles & Permissions": "Cargos e permissões",
"Select the roles required to change various parts of the room": "Selecione os cargos necessários para alterar várias partes da sala", "Select the roles required to change various parts of the room": "Selecione os cargos necessários para alterar várias partes da sala",
@ -1136,9 +1096,6 @@
"Message search": "Pesquisa de mensagens", "Message search": "Pesquisa de mensagens",
"Set a new custom sound": "Definir um novo som personalizado", "Set a new custom sound": "Definir um novo som personalizado",
"Browse": "Buscar", "Browse": "Buscar",
"Upgrade the room": "Atualizar a sala",
"Ban users": "Banir usuários",
"Notify everyone": "Notificar todos",
"Your email address hasn't been verified yet": "Seu endereço de e-mail ainda não foi confirmado", "Your email address hasn't been verified yet": "Seu endereço de e-mail ainda não foi confirmado",
"Unable to revoke sharing for phone number": "Não foi possível revogar o compartilhamento do número de celular", "Unable to revoke sharing for phone number": "Não foi possível revogar o compartilhamento do número de celular",
"Unable to share phone number": "Não foi possível compartilhar o número de celular", "Unable to share phone number": "Não foi possível compartilhar o número de celular",
@ -1154,8 +1111,6 @@
"Edit message": "Editar mensagem", "Edit message": "Editar mensagem",
"Scroll to most recent messages": "Ir para as mensagens recentes", "Scroll to most recent messages": "Ir para as mensagens recentes",
"Close preview": "Fechar a visualização", "Close preview": "Fechar a visualização",
"Send a reply…": "Digite sua resposta…",
"Send a message…": "Digite uma mensagem…",
"Italics": "Itálico", "Italics": "Itálico",
"Failed to connect to integration manager": "Falha ao conectar-se ao gerenciador de integrações", "Failed to connect to integration manager": "Falha ao conectar-se ao gerenciador de integrações",
"Failed to revoke invite": "Falha ao revogar o convite", "Failed to revoke invite": "Falha ao revogar o convite",
@ -1312,7 +1267,6 @@
"You've successfully verified %(displayName)s!": "Você confirmou %(displayName)s com sucesso!", "You've successfully verified %(displayName)s!": "Você confirmou %(displayName)s com sucesso!",
"Confirm this user's session by comparing the following with their User Settings:": "Confirme a sessão deste usuário comparando o seguinte com as configurações deste usuário:", "Confirm this user's session by comparing the following with their User Settings:": "Confirme a sessão deste usuário comparando o seguinte com as configurações deste usuário:",
"Report Content to Your Homeserver Administrator": "Denunciar conteúdo ao administrador do seu servidor principal", "Report Content to Your Homeserver Administrator": "Denunciar conteúdo ao administrador do seu servidor principal",
"Cross-signing": "Autoverificação",
"Discovery options will appear once you have added an email above.": "As opções de descoberta aparecerão assim que você adicione um e-mail acima.", "Discovery options will appear once you have added an email above.": "As opções de descoberta aparecerão assim que você adicione um e-mail acima.",
"Deactivating this user will log them out and prevent them from logging back in. Additionally, they will leave all the rooms they are in. This action cannot be reversed. Are you sure you want to deactivate this user?": "Desativar este usuário irá desconectá-lo e impedi-lo de fazer o login novamente. Além disso, ele sairá de todas as salas em que estiver. Esta ação não pode ser revertida. Tem certeza de que deseja desativar este usuário?", "Deactivating this user will log them out and prevent them from logging back in. Additionally, they will leave all the rooms they are in. This action cannot be reversed. Are you sure you want to deactivate this user?": "Desativar este usuário irá desconectá-lo e impedi-lo de fazer o login novamente. Além disso, ele sairá de todas as salas em que estiver. Esta ação não pode ser revertida. Tem certeza de que deseja desativar este usuário?",
"Deleting cross-signing keys is permanent. Anyone you have verified with will see security alerts. You almost certainly don't want to do this, unless you've lost every device you can cross-sign from.": "Apagar chaves de autoverificação é permanente. Qualquer pessoa com quem você se confirmou receberá alertas de segurança. Não é aconselhável fazer isso, a menos que você tenha perdido todos os aparelhos nos quais fez a autoverificação.", "Deleting cross-signing keys is permanent. Anyone you have verified with will see security alerts. You almost certainly don't want to do this, unless you've lost every device you can cross-sign from.": "Apagar chaves de autoverificação é permanente. Qualquer pessoa com quem você se confirmou receberá alertas de segurança. Não é aconselhável fazer isso, a menos que você tenha perdido todos os aparelhos nos quais fez a autoverificação.",
@ -1374,12 +1328,9 @@
"Information": "Informação", "Information": "Informação",
"Set up Secure Backup": "Configurar o backup online", "Set up Secure Backup": "Configurar o backup online",
"Safeguard against losing access to encrypted messages & data": "Proteja-se contra a perda de acesso a mensagens e dados criptografados", "Safeguard against losing access to encrypted messages & data": "Proteja-se contra a perda de acesso a mensagens e dados criptografados",
"Uploading logs": "Enviando relatórios",
"Downloading logs": "Baixando relatórios",
"Backup version:": "Versão do backup:", "Backup version:": "Versão do backup:",
"Backup key stored:": "Backup da chave armazenada:", "Backup key stored:": "Backup da chave armazenada:",
"Backup key cached:": "Backup da chave em cache:", "Backup key cached:": "Backup da chave em cache:",
"Secure Backup": "Backup online",
"Your keys are being backed up (the first backup could take a few minutes).": "O backup de suas chaves está sendo feito (o primeiro backup pode demorar alguns minutos).", "Your keys are being backed up (the first backup could take a few minutes).": "O backup de suas chaves está sendo feito (o primeiro backup pode demorar alguns minutos).",
"You can also set up Secure Backup & manage your keys in Settings.": "Você também pode configurar o Backup online & configurar as suas senhas nas Configurações.", "You can also set up Secure Backup & manage your keys in Settings.": "Você também pode configurar o Backup online & configurar as suas senhas nas Configurações.",
"Cross-signing is ready for use.": "A autoverificação está pronta para uso.", "Cross-signing is ready for use.": "A autoverificação está pronta para uso.",
@ -1398,7 +1349,6 @@
"Error changing power level requirement": "Houve um erro ao alterar o nível de permissão do contato", "Error changing power level requirement": "Houve um erro ao alterar o nível de permissão do contato",
"An error occurred changing the room's power level requirements. Ensure you have sufficient permissions and try again.": "Ocorreu um erro ao alterar os níveis de permissão da sala. Certifique-se de que você tem o nível suficiente e tente novamente.", "An error occurred changing the room's power level requirements. Ensure you have sufficient permissions and try again.": "Ocorreu um erro ao alterar os níveis de permissão da sala. Certifique-se de que você tem o nível suficiente e tente novamente.",
"An error occurred changing the user's power level. Ensure you have sufficient permissions and try again.": "Ocorreu um erro ao alterar o nível de permissão de um contato. Certifique-se de que você tem o nível suficiente e tente novamente.", "An error occurred changing the user's power level. Ensure you have sufficient permissions and try again.": "Ocorreu um erro ao alterar o nível de permissão de um contato. Certifique-se de que você tem o nível suficiente e tente novamente.",
"Remove messages sent by others": "Remover mensagens enviadas por outros",
"To link to this room, please add an address.": "Para criar um link para esta sala, antes adicione um endereço.", "To link to this room, please add an address.": "Para criar um link para esta sala, antes adicione um endereço.",
"Explore public rooms": "Explorar salas públicas", "Explore public rooms": "Explorar salas públicas",
"Not encrypted": "Não criptografada", "Not encrypted": "Não criptografada",
@ -1464,8 +1414,6 @@
"Please view <existingIssuesLink>existing bugs on Github</existingIssuesLink> first. No match? <newIssueLink>Start a new one</newIssueLink>.": "Por favor, consulte os <existingIssuesLink> erros conhecidos no Github </existingIssuesLink> antes de enviar o seu. Se ninguém tiver mencionado o seu erro, <newIssueLink> informe-nos sobre um erro novo </newIssueLink>.", "Please view <existingIssuesLink>existing bugs on Github</existingIssuesLink> first. No match? <newIssueLink>Start a new one</newIssueLink>.": "Por favor, consulte os <existingIssuesLink> erros conhecidos no Github </existingIssuesLink> antes de enviar o seu. Se ninguém tiver mencionado o seu erro, <newIssueLink> informe-nos sobre um erro novo </newIssueLink>.",
"Feedback sent": "Comentário enviado", "Feedback sent": "Comentário enviado",
"Comment": "Comentário", "Comment": "Comentário",
"%(senderName)s ended the call": "%(senderName)s encerrou a chamada",
"You ended the call": "Você encerrou a chamada",
"Now, let's help you get started": "Agora, vamos começar", "Now, let's help you get started": "Agora, vamos começar",
"Don't miss a reply": "Não perca uma resposta", "Don't miss a reply": "Não perca uma resposta",
"Enable desktop notifications": "Ativar notificações na área de trabalho", "Enable desktop notifications": "Ativar notificações na área de trabalho",
@ -1752,7 +1700,6 @@
"Decline All": "Recusar tudo", "Decline All": "Recusar tudo",
"This widget would like to:": "Este widget gostaria de:", "This widget would like to:": "Este widget gostaria de:",
"Approve widget permissions": "Autorizar as permissões do widget", "Approve widget permissions": "Autorizar as permissões do widget",
"Return to call": "Retornar para a chamada",
"See <b>%(msgtype)s</b> messages posted to your active room": "Veja mensagens de <b>%(msgtype)s</b> enviadas nesta sala ativa", "See <b>%(msgtype)s</b> messages posted to your active room": "Veja mensagens de <b>%(msgtype)s</b> enviadas nesta sala ativa",
"See <b>%(msgtype)s</b> messages posted to this room": "Veja mensagens de <b>%(msgtype)s</b> enviadas nesta sala", "See <b>%(msgtype)s</b> messages posted to this room": "Veja mensagens de <b>%(msgtype)s</b> enviadas nesta sala",
"Send <b>%(msgtype)s</b> messages as you in your active room": "Enviar mensagens de <b>%(msgtype)s</b> nesta sala ativa", "Send <b>%(msgtype)s</b> messages as you in your active room": "Enviar mensagens de <b>%(msgtype)s</b> nesta sala ativa",
@ -1807,11 +1754,6 @@
"Change which room you're viewing": "Alterar a sala que você está vendo", "Change which room you're viewing": "Alterar a sala que você está vendo",
"Send stickers into your active room": "Enviar figurinhas nesta sala ativa", "Send stickers into your active room": "Enviar figurinhas nesta sala ativa",
"Send stickers into this room": "Enviar figurinhas nesta sala", "Send stickers into this room": "Enviar figurinhas nesta sala",
"No other application is using the webcam": "Nenhum outro aplicativo está usando a câmera",
"Permission is granted to use the webcam": "Permissão concedida para usar a câmera",
"A microphone and webcam are plugged in and set up correctly": "Um microfone e uma câmera estão conectados e configurados corretamente",
"Unable to access webcam / microphone": "Não é possível acessar a câmera/microfone",
"Unable to access microphone": "Não é possível acessar o microfone",
"New? <a>Create account</a>": "Quer se registrar? <a>Crie uma conta</a>", "New? <a>Create account</a>": "Quer se registrar? <a>Crie uma conta</a>",
"Decide where your account is hosted": "Decida onde a sua conta será hospedada", "Decide where your account is hosted": "Decida onde a sua conta será hospedada",
"Host account on": "Hospedar conta em", "Host account on": "Hospedar conta em",
@ -1833,21 +1775,14 @@
"Continue with %(provider)s": "Continuar com %(provider)s", "Continue with %(provider)s": "Continuar com %(provider)s",
"Server Options": "Opções do servidor", "Server Options": "Opções do servidor",
"Reason (optional)": "Motivo (opcional)", "Reason (optional)": "Motivo (opcional)",
"Call failed because webcam or microphone could not be accessed. Check that:": "A chamada falhou porque a câmera ou o microfone não puderam ser acessados. Verifique se:",
"Call failed because microphone could not be accessed. Check that a microphone is plugged in and set up correctly.": "A chamada falhou porque não foi possível acessar o microfone. Verifique se o microfone está conectado e configurado corretamente.",
"Invalid URL": "URL inválido", "Invalid URL": "URL inválido",
"Unable to validate homeserver": "Não foi possível validar o servidor local", "Unable to validate homeserver": "Não foi possível validar o servidor local",
"sends confetti": "envia confetes", "sends confetti": "envia confetes",
"Sends the given message with confetti": "Envia a mensagem com confetes", "Sends the given message with confetti": "Envia a mensagem com confetes",
"Effects": "Efeitos",
"Hold": "Pausar", "Hold": "Pausar",
"Resume": "Retomar", "Resume": "Retomar",
"%(peerName)s held the call": "%(peerName)s pausou a chamada",
"You held the call <a>Resume</a>": "Você pausou a chamada <a>Retomar</a>",
"You've reached the maximum number of simultaneous calls.": "Você atingiu o número máximo de chamadas simultâneas.", "You've reached the maximum number of simultaneous calls.": "Você atingiu o número máximo de chamadas simultâneas.",
"Too Many Calls": "Muitas chamadas", "Too Many Calls": "Muitas chamadas",
"You held the call <a>Switch</a>": "Você pausou a chamada <a>Retomar</a>",
"%(name)s on hold": "%(name)s em espera",
"sends snowfall": "envia neve caindo", "sends snowfall": "envia neve caindo",
"Sends the given message with snowfall": "Envia a mensagem com neve caindo", "Sends the given message with snowfall": "Envia a mensagem com neve caindo",
"sends fireworks": "envia fogos de artifício", "sends fireworks": "envia fogos de artifício",
@ -1899,11 +1834,9 @@
"Empty room": "Sala vazia", "Empty room": "Sala vazia",
"Suggested Rooms": "Salas sugeridas", "Suggested Rooms": "Salas sugeridas",
"Add existing room": "Adicionar sala existente", "Add existing room": "Adicionar sala existente",
"Send message": "Enviar mensagem",
"Skip for now": "Ignorar por enquanto", "Skip for now": "Ignorar por enquanto",
"Welcome to <name/>": "Boas-vindas ao <name/>", "Welcome to <name/>": "Boas-vindas ao <name/>",
"This homeserver has been blocked by its administrator.": "Este servidor local foi bloqueado pelo seu administrador.", "This homeserver has been blocked by its administrator.": "Este servidor local foi bloqueado pelo seu administrador.",
"You're already in a call with this person.": "Você já está em uma chamada com essa pessoa.",
"Failed to create initial space rooms": "Falha ao criar salas de espaço iniciais", "Failed to create initial space rooms": "Falha ao criar salas de espaço iniciais",
"%(count)s members": { "%(count)s members": {
"one": "%(count)s integrante", "one": "%(count)s integrante",
@ -1951,7 +1884,6 @@
"Some invites couldn't be sent": "Alguns convites não puderam ser enviados", "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 <RoomName/>": "Nós enviamos aos outros, mas as pessoas abaixo não puderam ser convidadas para <RoomName/>", "We sent the others, but the below people couldn't be invited to <RoomName/>": "Nós enviamos aos outros, mas as pessoas abaixo não puderam ser convidadas para <RoomName/>",
"Transfer Failed": "A Transferência Falhou", "Transfer Failed": "A Transferência Falhou",
"Already in call": "Já em um chamada",
"Unable to transfer call": "Não foi possível transferir chamada", "Unable to transfer call": "Não foi possível transferir chamada",
"The user you called is busy.": "O usuário que você chamou está ocupado.", "The user you called is busy.": "O usuário que você chamou está ocupado.",
"User Busy": "Usuário Ocupado", "User Busy": "Usuário Ocupado",
@ -1974,7 +1906,6 @@
"Anyone can find and join.": "Todos podem encontrar e entrar.", "Anyone can find and join.": "Todos podem encontrar e entrar.",
"Only invited people can join.": "Apenas pessoas convidadas podem entrar.", "Only invited people can join.": "Apenas pessoas convidadas podem entrar.",
"Private (invite only)": "Privado (convite apenas)", "Private (invite only)": "Privado (convite apenas)",
"Change server ACLs": "Mudar o ACL do servidor",
"You have no ignored users.": "Você não tem usuários ignorados.", "You have no ignored users.": "Você não tem usuários ignorados.",
"Space information": "Informações do espaço", "Space information": "Informações do espaço",
"Images, GIFs and videos": "Imagens, GIFs e vídeos", "Images, GIFs and videos": "Imagens, GIFs e vídeos",
@ -1998,16 +1929,10 @@
"Address": "Endereço", "Address": "Endereço",
"e.g. my-space": "e.g. meu-espaco", "e.g. my-space": "e.g. meu-espaco",
"Please enter a name for the space": "Por favor entre o nome do espaço", "Please enter a name for the space": "Por favor entre o nome do espaço",
"Your camera is still enabled": "Sua câmera ainda está habilitada",
"Your camera is turned off": "Sua câmera está desligada",
"%(sharerName)s is presenting": "%(sharerName)s está apresentando",
"You are presenting": "Você está apresentando",
"Connecting": "Conectando", "Connecting": "Conectando",
"unknown person": "pessoa desconhecida", "unknown person": "pessoa desconhecida",
"sends space invaders": "envia os invasores do espaço", "sends space invaders": "envia os invasores do espaço",
"%(deviceId)s from %(ip)s": "%(deviceId)s de %(ip)s", "%(deviceId)s from %(ip)s": "%(deviceId)s de %(ip)s",
"Silence call": "Silenciar chamado",
"Sound on": "Som ligado",
"Review to ensure your account is safe": "Revise para assegurar que sua conta está segura", "Review to ensure your account is safe": "Revise para assegurar que sua conta está segura",
"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 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", "See when people join, leave, or are invited to this room": "Ver quando as pessoas entrarem, sairem ou são convidadas para esta sala",
@ -2028,16 +1953,9 @@
"To join a space you'll need an invite.": "Para se juntar a um espaço você precisará de um convite.", "To join a space you'll need an invite.": "Para se juntar a um espaço você precisará de um convite.",
"Invite only, best for yourself or teams": "Somente convite, melhor para si mesmo(a) ou para equipes", "Invite only, best for yourself or teams": "Somente convite, melhor para si mesmo(a) ou para equipes",
"Delete avatar": "Remover foto de perfil", "Delete avatar": "Remover foto de perfil",
"Mute the microphone": "Silenciar o microfone",
"Unmute the microphone": "Desmutar o microfone",
"Dialpad": "Teclado de discagem",
"More": "Mais", "More": "Mais",
"Show sidebar": "Exibir a barra lateral", "Show sidebar": "Exibir a barra lateral",
"Hide sidebar": "Esconder a barra lateral", "Hide sidebar": "Esconder a barra lateral",
"Start sharing your screen": "Começar a compartilhar sua tela",
"Stop sharing your screen": "Parar de compartilhar sua tela",
"Stop the camera": "Desligar a câmera",
"Start the camera": "Ativar a câmera",
"You may contact me if you have any follow up questions": "Vocês podem me contactar se tiverem quaisquer perguntas subsequentes", "You may contact me if you have any follow up questions": "Vocês podem me contactar se tiverem quaisquer perguntas subsequentes",
"Search for rooms or people": "Procurar por salas ou pessoas", "Search for rooms or people": "Procurar por salas ou pessoas",
"Sent": "Enviado", "Sent": "Enviado",
@ -2122,7 +2040,6 @@
"To avoid these issues, create a <a>new encrypted room</a> for the conversation you plan to have.": "Para evitar esses problemas, crie uma <a>nova sala criptografada</a> para a conversa que você planeja ter.", "To avoid these issues, create a <a>new encrypted room</a> for the conversation you plan to have.": "Para evitar esses problemas, crie uma <a>nova sala criptografada</a> para a conversa que você planeja ter.",
"Are you sure you want to add encryption to this public room?": "Tem certeza que deseja adicionar criptografia para esta sala pública?", "Are you sure you want to add encryption to this public room?": "Tem certeza que deseja adicionar criptografia para esta sala pública?",
"Select the roles required to change various parts of the space": "Selecionar os cargos necessários para alterar certas partes do espaço", "Select the roles required to change various parts of the space": "Selecionar os cargos necessários para alterar certas partes do espaço",
"Change main address for the space": "Mudar o endereço principal para o espaço",
"Include Attachments": "Incluir Anexos", "Include Attachments": "Incluir Anexos",
"Size Limit": "Limite de Tamanho", "Size Limit": "Limite de Tamanho",
"MB": "MB", "MB": "MB",
@ -2153,14 +2070,11 @@
"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", "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",
"You cannot place calls without a connection to the server.": "Você não pode fazer chamadas sem uma conexão com o servidor.", "You cannot place calls without a connection to the server.": "Você não pode fazer chamadas sem uma conexão com o servidor.",
"Connectivity to the server has been lost": "A conectividade com o servidor foi perdida", "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",
"Cross-signing is ready but keys are not backed up.": "A verificação está pronta mas as chaves não tem um backup configurado.", "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", "Sends the given message with a space themed effect": "Envia a mensagem com um efeito com tema espacial",
"Search %(spaceName)s": "Pesquisar %(spaceName)s", "Search %(spaceName)s": "Pesquisar %(spaceName)s",
"Pin to sidebar": "Fixar na barra lateral", "Pin to sidebar": "Fixar na barra lateral",
"Quick settings": "Configurações rápidas", "Quick settings": "Configurações rápidas",
"Consulting with %(transferTarget)s. <a>Transfer to %(transferee)s</a>": "Consultar com %(transferTarget)s. Tranferir para <a> %(transferee)s</a>",
"sends rainfall": "Enviar efeito de chuva", "sends rainfall": "Enviar efeito de chuva",
"Sends the given message with rainfall": "Envia a mensagem dada com um efeito de chuva", "Sends the given message with rainfall": "Envia a mensagem dada com um efeito de chuva",
"Developer mode": "Modo desenvolvedor", "Developer mode": "Modo desenvolvedor",
@ -2183,8 +2097,6 @@
"People with supported clients will be able to join the room without having a registered account.": "Pessoas com clientes suportados poderão entrar na sala sem ter uma conta registrada.", "People with supported clients will be able to join the room without having a registered account.": "Pessoas com clientes suportados poderão entrar na sala sem ter uma conta registrada.",
"<b>It's not recommended to make encrypted rooms public.</b> It will mean anyone can find and join the room, so anyone can read messages. You'll get none of the benefits of encryption. Encrypting messages in a public room will make receiving and sending messages slower.": "<b>Não é recomendado adicionar criptografia a salas públicas.</b>Qualqer um pode encontrar e se juntar a salas públicas, então qualquer um pode ler as mensagens nelas. Você não terá nenhum dos benefícios da criptografia, e você não poderá desligá-la depois. Criptografar mensagens em uma sala pública fará com que receber e enviar mensagens fiquem mais lentos do que o normal.", "<b>It's not recommended to make encrypted rooms public.</b> It will mean anyone can find and join the room, so anyone can read messages. You'll get none of the benefits of encryption. Encrypting messages in a public room will make receiving and sending messages slower.": "<b>Não é recomendado adicionar criptografia a salas públicas.</b>Qualqer um pode encontrar e se juntar a salas públicas, então qualquer um pode ler as mensagens nelas. Você não terá nenhum dos benefícios da criptografia, e você não poderá desligá-la depois. Criptografar mensagens em uma sala pública fará com que receber e enviar mensagens fiquem mais lentos do que o normal.",
"Failed to update the join rules": "Falha ao atualizar as regras de entrada", "Failed to update the join rules": "Falha ao atualizar as regras de entrada",
"Change description": "Mudar a descrição",
"Change space name": "Mudar o nome do espaço",
"This upgrade will allow members of selected spaces access to this room without an invite.": "Esta melhoria permite que membros de espaços selecionados acessem esta sala sem um convite.", "This upgrade will allow members of selected spaces access to this room without an invite.": "Esta melhoria permite que membros de espaços selecionados acessem esta sala sem um convite.",
"Anyone in <spaceName/> can find and join. You can select other spaces too.": "Qualquer um em <spaceName/> pode encontrar e se juntar. Você pode selecionar outros espaços também.", "Anyone in <spaceName/> can find and join. You can select other spaces too.": "Qualquer um em <spaceName/> pode encontrar e se juntar. Você pode selecionar outros espaços também.",
"Anyone in a space can find and join. <a>Edit which spaces can access here.</a>": "Qualquer um em um espaço pode encontrar e se juntar. <a>Edite quais espaços podem ser acessados aqui.</a>", "Anyone in a space can find and join. <a>Edit which spaces can access here.</a>": "Qualquer um em um espaço pode encontrar e se juntar. <a>Edite quais espaços podem ser acessados aqui.</a>",
@ -2244,8 +2156,6 @@
"Recently viewed": "Visualizado recentemente", "Recently viewed": "Visualizado recentemente",
"Enable encryption in settings.": "Ative a criptografia nas configurações.", "Enable encryption in settings.": "Ative a criptografia nas configurações.",
"Insert link": "Inserir link", "Insert link": "Inserir link",
"Reply to thread…": "Responder ao tópico…",
"Reply to encrypted thread…": "Responder ao tópico criptografado…",
"Create poll": "Criar enquete", "Create poll": "Criar enquete",
"You do not have permission to start polls in this room.": "Você não tem permissão para iniciar enquetes nesta sala.", "You do not have permission to start polls in this room.": "Você não tem permissão para iniciar enquetes nesta sala.",
"Share location": "Compartilhar localização", "Share location": "Compartilhar localização",
@ -2254,9 +2164,6 @@
"one": "%(count)s resposta", "one": "%(count)s resposta",
"other": "%(count)s respostas" "other": "%(count)s respostas"
}, },
"Manage pinned events": "Gerenciar eventos fixados",
"Manage rooms in this space": "Gerenciar salas neste espaço",
"Change space avatar": "Alterar avatar do espaço",
"You won't get any notifications": "Você não receberá nenhuma notificação", "You won't get any notifications": "Você não receberá nenhuma notificação",
"Get notified only with mentions and keywords as set up in your <a>settings</a>": "Receba notificações apenas com menções e palavras-chave conforme definido em suas <a>configurações</a>", "Get notified only with mentions and keywords as set up in your <a>settings</a>": "Receba notificações apenas com menções e palavras-chave conforme definido em suas <a>configurações</a>",
"@mentions & keywords": "@menções e palavras-chave", "@mentions & keywords": "@menções e palavras-chave",
@ -2350,13 +2257,10 @@
"Session details": "Detalhes da sessão", "Session details": "Detalhes da sessão",
"IP address": "Endereço de IP", "IP address": "Endereço de IP",
"Rename session": "Renomear sessão", "Rename session": "Renomear sessão",
"Remove users": "Remover usuários",
"Other sessions": "Outras sessões", "Other sessions": "Outras sessões",
"Sessions": "Sessões", "Sessions": "Sessões",
"Keyboard": "Teclado", "Keyboard": "Teclado",
"IRC (Experimental)": "IRC (experimental)", "IRC (Experimental)": "IRC (experimental)",
"Turn off camera": "Desligar câmera",
"Turn on camera": "Ligar câmera",
"Enable hardware acceleration": "Habilitar aceleração de hardware", "Enable hardware acceleration": "Habilitar aceleração de hardware",
"User is already in the space": "O usuário já está no espaço", "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 is already in the room": "O usuário já está na sala",
@ -2385,10 +2289,6 @@
"one": "%(count)s pessoa entrou", "one": "%(count)s pessoa entrou",
"other": "%(count)s pessoas entraram" "other": "%(count)s pessoas entraram"
}, },
"Audio devices": "Dispositivos de áudio",
"Unmute microphone": "Habilitar microfone",
"Mute microphone": "Silenciar microfone",
"Video devices": "Dispositivos de vídeo",
"Room members": "Membros da sala", "Room members": "Membros da sala",
"Back to chat": "Voltar ao chat", "Back to chat": "Voltar ao chat",
"Connection lost": "Conexão perdida", "Connection lost": "Conexão perdida",
@ -2396,7 +2296,6 @@
"The person who invited you has already left, or their server is offline.": "A pessoa que o convidou já saiu ou o servidor dela está offline.", "The person who invited you has already left, or their server is offline.": "A pessoa que o convidou já saiu ou o servidor dela está offline.",
"The person who invited you has already left.": "A pessoa que o convidou já saiu.", "The person who invited you has already left.": "A pessoa que o convidou já saiu.",
"There was an error joining.": "Ocorreu um erro ao entrar.", "There was an error joining.": "Ocorreu um erro ao entrar.",
"Video call started": "Videochamada iniciada",
"Unknown room": "Sala desconhecida", "Unknown room": "Sala desconhecida",
"Location not available": "Local não disponível", "Location not available": "Local não disponível",
"Find my location": "Encontrar minha localização", "Find my location": "Encontrar minha localização",
@ -2529,7 +2428,11 @@
"trusted": "Confiável", "trusted": "Confiável",
"not_trusted": "Não confiável", "not_trusted": "Não confiável",
"unnamed_room": "Sala sem nome", "unnamed_room": "Sala sem nome",
"unnamed_space": "Espaço sem nome" "unnamed_space": "Espaço sem nome",
"stickerpack": "Pacote de figurinhas",
"system_alerts": "Alertas do sistema",
"secure_backup": "Backup online",
"cross_signing": "Autoverificação"
}, },
"action": { "action": {
"continue": "Continuar", "continue": "Continuar",
@ -2651,7 +2554,14 @@
"format_ordered_list": "Lista numerada", "format_ordered_list": "Lista numerada",
"format_inline_code": "Código", "format_inline_code": "Código",
"format_code_block": "Bloco de código", "format_code_block": "Bloco de código",
"format_link": "Ligação" "format_link": "Ligação",
"send_button_title": "Enviar mensagem",
"placeholder_thread_encrypted": "Responder ao tópico criptografado…",
"placeholder_thread": "Responder ao tópico…",
"placeholder_reply_encrypted": "Digite sua resposta criptografada…",
"placeholder_reply": "Digite sua resposta…",
"placeholder_encrypted": "Digite uma mensagem criptografada…",
"placeholder": "Digite uma mensagem…"
}, },
"Bold": "Negrito", "Bold": "Negrito",
"Link": "Ligação", "Link": "Ligação",
@ -2672,7 +2582,11 @@
"send_logs": "Enviar relatórios", "send_logs": "Enviar relatórios",
"github_issue": "Bilhete de erro no GitHub", "github_issue": "Bilhete de erro no GitHub",
"download_logs": "Baixar relatórios", "download_logs": "Baixar relatórios",
"before_submitting": "Antes de enviar os relatórios, você deve <a>criar um bilhete de erro no GitHub</a> para descrever seu problema." "before_submitting": "Antes de enviar os relatórios, você deve <a>criar um bilhete de erro no GitHub</a> para descrever seu problema.",
"collecting_information": "Coletando informação sobre a versão do app",
"collecting_logs": "Coletando logs",
"uploading_logs": "Enviando relatórios",
"downloading_logs": "Baixando relatórios"
}, },
"time": { "time": {
"hours_minutes_seconds_left": "%(hours)sh %(minutes)sm %(seconds)ss restantes", "hours_minutes_seconds_left": "%(hours)sh %(minutes)sm %(seconds)ss restantes",
@ -2782,7 +2696,9 @@
"active_widgets": "Widgets ativados", "active_widgets": "Widgets ativados",
"toolbox": "Ferramentas", "toolbox": "Ferramentas",
"developer_tools": "Ferramentas do desenvolvedor", "developer_tools": "Ferramentas do desenvolvedor",
"room_id": "ID da sala: %(roomId)s" "room_id": "ID da sala: %(roomId)s",
"category_room": "Sala",
"category_other": "Outros"
}, },
"export_chat": { "export_chat": {
"html": "HTML", "html": "HTML",
@ -2919,6 +2835,9 @@
"other": "%(names)s e %(count)s outras pessoas estão digitando…", "other": "%(names)s e %(count)s outras pessoas estão digitando…",
"one": "%(names)s e outra pessoa estão digitando…" "one": "%(names)s e outra pessoa estão digitando…"
} }
},
"m.call.hangup": {
"dm": "Chamada encerrada"
} }
}, },
"slash_command": { "slash_command": {
@ -2953,7 +2872,14 @@
"help": "Exibe a lista de comandos com usos e descrições", "help": "Exibe a lista de comandos com usos e descrições",
"whois": "Exibe informação sobre um usuário", "whois": "Exibe informação sobre um usuário",
"rageshake": "Envia um relatório de erro", "rageshake": "Envia um relatório de erro",
"msg": "Envia uma mensagem para determinada pessoa" "msg": "Envia uma mensagem para determinada pessoa",
"usage": "Uso",
"category_messages": "Mensagens",
"category_actions": "Ações",
"category_admin": "Administrador/a",
"category_advanced": "Avançado",
"category_effects": "Efeitos",
"category_other": "Outros"
}, },
"presence": { "presence": {
"online_for": "Online há %(duration)s", "online_for": "Online há %(duration)s",
@ -2966,5 +2892,96 @@
"offline": "Offline", "offline": "Offline",
"away": "Ausente" "away": "Ausente"
}, },
"Unknown": "Desconhecido" "Unknown": "Desconhecido",
"event_preview": {
"m.call.answer": {
"you": "Você entrou na chamada",
"user": "%(senderName)s entrou na chamada",
"dm": "Chamada em andamento"
},
"m.call.hangup": {
"you": "Você encerrou a chamada",
"user": "%(senderName)s encerrou a chamada"
},
"m.call.invite": {
"you": "Você iniciou uma chamada",
"user": "%(senderName)s iniciou uma chamada",
"dm_send": "Aguardando a resposta",
"dm_receive": "%(senderName)s está chamando"
},
"m.emote": "* %(senderName)s %(emote)s",
"m.text": "%(senderName)s: %(message)s",
"m.sticker": "%(senderName)s: %(stickerName)s"
},
"voip": {
"disable_microphone": "Silenciar microfone",
"enable_microphone": "Habilitar microfone",
"disable_camera": "Desligar câmera",
"enable_camera": "Ligar câmera",
"audio_devices": "Dispositivos de áudio",
"video_devices": "Dispositivos de vídeo",
"you_are_presenting": "Você está apresentando",
"user_is_presenting": "%(sharerName)s está apresentando",
"camera_disabled": "Sua câmera está desligada",
"camera_enabled": "Sua câmera ainda está habilitada",
"consulting": "Consultar com %(transferTarget)s. Tranferir para <a> %(transferee)s</a>",
"call_held_switch": "Você pausou a chamada <a>Retomar</a>",
"call_held_resume": "Você pausou a chamada <a>Retomar</a>",
"call_held": "%(peerName)s pausou a chamada",
"dialpad": "Teclado de discagem",
"stop_screenshare": "Parar de compartilhar sua tela",
"start_screenshare": "Começar a compartilhar sua tela",
"hangup": "Desligar",
"expand": "Retornar para a chamada",
"on_hold": "%(name)s em espera",
"voice_call": "Chamada de voz",
"video_call": "Chamada de vídeo",
"video_call_started": "Videochamada iniciada",
"unsilence": "Som ligado",
"silence": "Silenciar chamado",
"unknown_caller": "Pessoa desconhecida ligando",
"call_failed": "A chamada falhou",
"unable_to_access_microphone": "Não é possível acessar o microfone",
"call_failed_microphone": "A chamada falhou porque não foi possível acessar o microfone. Verifique se o microfone está conectado e configurado corretamente.",
"unable_to_access_media": "Não é possível acessar a câmera/microfone",
"call_failed_media": "A chamada falhou porque a câmera ou o microfone não puderam ser acessados. Verifique se:",
"call_failed_media_connected": "Um microfone e uma câmera estão conectados e configurados corretamente",
"call_failed_media_permissions": "Permissão concedida para usar a câmera",
"call_failed_media_applications": "Nenhum outro aplicativo está usando a câmera",
"already_in_call": "Já em um chamada",
"already_in_call_person": "Você já está em uma chamada com essa pessoa.",
"unsupported": "Chamadas não suportadas",
"unsupported_browser": "Você não pode fazer chamadas neste navegador."
},
"Messages": "Mensagens",
"Other": "Outros",
"Advanced": "Avançado",
"room_settings": {
"permissions": {
"m.room.avatar_space": "Alterar avatar do espaço",
"m.room.avatar": "Alterar a foto da sala",
"m.room.name_space": "Mudar o nome do espaço",
"m.room.name": "Alterar o nome da sala",
"m.room.canonical_alias_space": "Mudar o endereço principal para o espaço",
"m.room.canonical_alias": "Alterar o endereço principal da sala",
"m.space.child": "Gerenciar salas neste espaço",
"m.room.history_visibility": "Alterar a visibilidade do histórico",
"m.room.power_levels": "Alterar permissões",
"m.room.topic_space": "Mudar a descrição",
"m.room.topic": "Alterar a descrição",
"m.room.tombstone": "Atualizar a sala",
"m.room.encryption": "Ativar criptografia nesta sala",
"m.room.server_acl": "Mudar o ACL do servidor",
"m.widget": "Modificar widgets",
"m.room.pinned_events": "Gerenciar eventos fixados",
"users_default": "Cargo padrão",
"events_default": "Enviar mensagens",
"invite": "Convidar usuários",
"state_default": "Alterar configurações",
"kick": "Remover usuários",
"ban": "Banir usuários",
"redact": "Remover mensagens enviadas por outros",
"notifications.room": "Notificar todos"
}
}
} }

View file

@ -2,7 +2,6 @@
"This email address is already in use": "Această adresă de email este deja utilizată", "This email address is already in use": "Această adresă de email este deja utilizată",
"This phone number is already in use": "Acest număr de telefon este deja utilizat", "This phone number is already in use": "Acest număr de telefon este deja utilizat",
"Failed to verify email address: make sure you clicked the link in the email": "Adresa de e-mail nu a putut fi verificată: asigurați-vă că ați făcut click pe linkul din e-mail", "Failed to verify email address: make sure you clicked the link in the email": "Adresa de e-mail nu a putut fi verificată: asigurați-vă că ați făcut click pe linkul din e-mail",
"Call Failed": "Apel eșuat",
"You cannot place a call with yourself.": "Nu poți apela cu tine însuți.", "You cannot place a call with yourself.": "Nu poți apela cu tine însuți.",
"Permission Required": "Permisul Obligatoriu", "Permission Required": "Permisul Obligatoriu",
"You do not have permission to start a conference call in this room": "Nu aveți permisiunea de a începe un apel de conferință în această cameră", "You do not have permission to start a conference call in this room": "Nu aveți permisiunea de a începe un apel de conferință în această cameră",
@ -40,13 +39,6 @@
"Create Account": "Înregistare", "Create Account": "Înregistare",
"You've reached the maximum number of simultaneous calls.": "Ați atins numărul maxim de apeluri simultane.", "You've reached the maximum number of simultaneous calls.": "Ați atins numărul maxim de apeluri simultane.",
"Too Many Calls": "Prea multe apeluri", "Too Many Calls": "Prea multe apeluri",
"No other application is using the webcam": "Nicio altă aplicație nu folosește camera web",
"Permission is granted to use the webcam": "Permisiunea de a utiliza camera web este acordată",
"A microphone and webcam are plugged in and set up correctly": "Microfonul și camera web sunt conectate și configurate corect",
"Call failed because webcam or microphone could not be accessed. Check that:": "Apelul nu a reușit deoarece camera web sau microfonul nu au putut fi accesate. Verifică:",
"Unable to access webcam / microphone": "Imposibil de accesat camera web / microfonul",
"Call failed because microphone could not be accessed. Check that a microphone is plugged in and set up correctly.": "Apelul nu a reușit deoarece microfonul nu a putut fi accesat. Verificați dacă un microfon este conectat și configurați corect.",
"Unable to access microphone": "Nu se poate accesa microfonul",
"Please ask the administrator of your homeserver (<code>%(homeserverDomain)s</code>) to configure a TURN server in order for calls to work reliably.": "Vă rugăm să cereți administratorului serverului dvs. (<code>%(homeserverDomain)s</code>) să configureze un server TURN pentru ca apelurile să funcționeze în mod fiabil.", "Please ask the administrator of your homeserver (<code>%(homeserverDomain)s</code>) to configure a TURN server in order for calls to work reliably.": "Vă rugăm să cereți administratorului serverului dvs. (<code>%(homeserverDomain)s</code>) să configureze un server TURN pentru ca apelurile să funcționeze în mod fiabil.",
"Call failed due to misconfigured server": "Apelul nu a reușit din cauza serverului configurat greșit", "Call failed due to misconfigured server": "Apelul nu a reușit din cauza serverului configurat greșit",
"The call was answered on another device.": "Apelul a primit răspuns pe un alt dispozitiv.", "The call was answered on another device.": "Apelul a primit răspuns pe un alt dispozitiv.",
@ -74,5 +66,15 @@
"sign_in": "Autentificare", "sign_in": "Autentificare",
"dismiss": "Închide", "dismiss": "Închide",
"confirm": "Confirmă" "confirm": "Confirmă"
},
"voip": {
"call_failed": "Apel eșuat",
"unable_to_access_microphone": "Nu se poate accesa microfonul",
"call_failed_microphone": "Apelul nu a reușit deoarece microfonul nu a putut fi accesat. Verificați dacă un microfon este conectat și configurați corect.",
"unable_to_access_media": "Imposibil de accesat camera web / microfonul",
"call_failed_media": "Apelul nu a reușit deoarece camera web sau microfonul nu au putut fi accesate. Verifică:",
"call_failed_media_connected": "Microfonul și camera web sunt conectate și configurate corect",
"call_failed_media_permissions": "Permisiunea de a utiliza camera web este acordată",
"call_failed_media_applications": "Nicio altă aplicație nu folosește camera web"
} }
} }

View file

@ -1,7 +1,5 @@
{ {
"Account": "Учётная запись", "Account": "Учётная запись",
"Admin": "Администратор",
"Advanced": "Подробности",
"A new password must be entered.": "Введите новый пароль.", "A new password must be entered.": "Введите новый пароль.",
"Are you sure you want to reject the invitation?": "Уверены, что хотите отклонить приглашение?", "Are you sure you want to reject the invitation?": "Уверены, что хотите отклонить приглашение?",
"Banned users": "Заблокированные пользователи", "Banned users": "Заблокированные пользователи",
@ -19,7 +17,6 @@
"Filter room members": "Поиск по участникам", "Filter room members": "Поиск по участникам",
"Forget room": "Забыть комнату", "Forget room": "Забыть комнату",
"For security, this session has been signed out. Please sign in again.": "Для обеспечения безопасности ваш сеанс был завершён. Пожалуйста, войдите снова.", "For security, this session has been signed out. Please sign in again.": "Для обеспечения безопасности ваш сеанс был завершён. Пожалуйста, войдите снова.",
"Hangup": "Повесить трубку",
"Historical": "Архив", "Historical": "Архив",
"Import E2E room keys": "Импорт ключей шифрования", "Import E2E room keys": "Импорт ключей шифрования",
"Invalid Email Address": "Недопустимый email", "Invalid Email Address": "Недопустимый email",
@ -41,8 +38,6 @@
"Upload avatar": "Загрузить аватар", "Upload avatar": "Загрузить аватар",
"Users": "Пользователи", "Users": "Пользователи",
"Verification Pending": "В ожидании подтверждения", "Verification Pending": "В ожидании подтверждения",
"Video call": "Видеовызов",
"Voice call": "Голосовой вызов",
"Warning!": "Внимание!", "Warning!": "Внимание!",
"Who can read history?": "Кто может читать историю?", "Who can read history?": "Кто может читать историю?",
"You do not have permission to post to this room": "Вы не можете писать в эту комнату", "You do not have permission to post to this room": "Вы не можете писать в эту комнату",
@ -82,7 +77,6 @@
"Sat": "Сб", "Sat": "Сб",
"Unable to enable Notifications": "Не удалось включить уведомления", "Unable to enable Notifications": "Не удалось включить уведомления",
"Upload Failed": "Сбой отправки файла", "Upload Failed": "Сбой отправки файла",
"Usage": "Использование",
"and %(count)s others...": { "and %(count)s others...": {
"other": "и %(count)s других...", "other": "и %(count)s других...",
"one": "и ещё кто-то..." "one": "и ещё кто-то..."
@ -344,22 +338,18 @@
"%(duration)sm": "%(duration)s мин", "%(duration)sm": "%(duration)s мин",
"%(duration)sh": "%(duration)s ч", "%(duration)sh": "%(duration)s ч",
"%(duration)sd": "%(duration)s дн", "%(duration)sd": "%(duration)s дн",
"Call Failed": "Звонок не удался",
"Send": "Отправить", "Send": "Отправить",
"collapse": "свернуть", "collapse": "свернуть",
"expand": "развернуть", "expand": "развернуть",
"Old cryptography data detected": "Обнаружены старые криптографические данные", "Old cryptography data detected": "Обнаружены старые криптографические данные",
"Data from an older version of %(brand)s has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "Обнаружены данные из более старой версии %(brand)s. Это приведет к сбою криптографии в более ранней версии. В этой версии не могут быть расшифрованы сообщения, которые использовались недавно при использовании старой версии. Это также может привести к сбою обмена сообщениями с этой версией. Если возникают неполадки, выйдите и снова войдите в систему. Чтобы сохранить журнал сообщений, экспортируйте и повторно импортируйте ключи.", "Data from an older version of %(brand)s has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "Обнаружены данные из более старой версии %(brand)s. Это приведет к сбою криптографии в более ранней версии. В этой версии не могут быть расшифрованы сообщения, которые использовались недавно при использовании старой версии. Это также может привести к сбою обмена сообщениями с этой версией. Если возникают неполадки, выйдите и снова войдите в систему. Чтобы сохранить журнал сообщений, экспортируйте и повторно импортируйте ключи.",
"You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.": "После понижения своих привилегий вы не сможете это отменить. Если вы являетесь последним привилегированным пользователем в этой комнате, выдать права кому-либо заново будет невозможно.", "You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.": "После понижения своих привилегий вы не сможете это отменить. Если вы являетесь последним привилегированным пользователем в этой комнате, выдать права кому-либо заново будет невозможно.",
"Send an encrypted reply…": "Отправить зашифрованный ответ…",
"Send an encrypted message…": "Отправить зашифрованное сообщение…",
"Replying": "Отвечает", "Replying": "Отвечает",
"%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s, %(day)s %(monthName)s %(fullYear)s", "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s, %(day)s %(monthName)s %(fullYear)s",
"This room is not public. You will not be able to rejoin without an invite.": "Эта комната не является публичной. Вы не сможете войти без приглашения.", "This room is not public. You will not be able to rejoin without an invite.": "Эта комната не является публичной. Вы не сможете войти без приглашения.",
"<a>In reply to</a> <pill>": "<a>В ответ на</a> <pill>", "<a>In reply to</a> <pill>": "<a>В ответ на</a> <pill>",
"Failed to remove tag %(tagName)s from room": "Не удалось удалить тег %(tagName)s из комнаты", "Failed to remove tag %(tagName)s from room": "Не удалось удалить тег %(tagName)s из комнаты",
"Failed to add tag %(tagName)s to room": "Не удалось добавить тег %(tagName)s в комнату", "Failed to add tag %(tagName)s to room": "Не удалось добавить тег %(tagName)s в комнату",
"Stickerpack": "Наклейки",
"Sunday": "Воскресенье", "Sunday": "Воскресенье",
"Notification targets": "Устройства для уведомлений", "Notification targets": "Устройства для уведомлений",
"Today": "Сегодня", "Today": "Сегодня",
@ -375,13 +365,11 @@
"Source URL": "Исходная ссылка", "Source URL": "Исходная ссылка",
"Filter results": "Фильтрация результатов", "Filter results": "Фильтрация результатов",
"No update available.": "Нет доступных обновлений.", "No update available.": "Нет доступных обновлений.",
"Collecting app version information": "Сбор информации о версии приложения",
"Tuesday": "Вторник", "Tuesday": "Вторник",
"Search…": "Поиск…", "Search…": "Поиск…",
"Preparing to send logs": "Подготовка к отправке журналов", "Preparing to send logs": "Подготовка к отправке журналов",
"Saturday": "Суббота", "Saturday": "Суббота",
"Monday": "Понедельник", "Monday": "Понедельник",
"Collecting logs": "Сбор журналов",
"Invite to this room": "Пригласить в комнату", "Invite to this room": "Пригласить в комнату",
"All messages": "Все сообщения", "All messages": "Все сообщения",
"What's new?": "Что нового?", "What's new?": "Что нового?",
@ -429,7 +417,6 @@
"This event could not be displayed": "Не удалось отобразить это событие", "This event could not be displayed": "Не удалось отобразить это событие",
"Permission Required": "Требуется разрешение", "Permission Required": "Требуется разрешение",
"You do not have permission to start a conference call in this room": "У вас нет разрешения на запуск конференции в этой комнате", "You do not have permission to start a conference call in this room": "У вас нет разрешения на запуск конференции в этой комнате",
"System Alerts": "Системные оповещения",
"Only room administrators will see this warning": "Только администраторы комнат увидят это предупреждение", "Only room administrators will see this warning": "Только администраторы комнат увидят это предупреждение",
"Upgrade Room Version": "Обновление версии комнаты", "Upgrade Room Version": "Обновление версии комнаты",
"Create a new room with the same name, description and avatar": "Создадим новую комнату с тем же именем, описанием и аватаром", "Create a new room with the same name, description and avatar": "Создадим новую комнату с тем же именем, описанием и аватаром",
@ -529,7 +516,6 @@
"No backup found!": "Резервных копий не найдено!", "No backup found!": "Резервных копий не найдено!",
"Email (optional)": "Адрес электронной почты (не обязательно)", "Email (optional)": "Адрес электронной почты (не обязательно)",
"Phone (optional)": "Телефон (не обязательно)", "Phone (optional)": "Телефон (не обязательно)",
"Other": "Другие",
"Go to Settings": "Перейти в настройки", "Go to Settings": "Перейти в настройки",
"Set up Secure Messages": "Настроить безопасные сообщения", "Set up Secure Messages": "Настроить безопасные сообщения",
"Recovery Method Removed": "Метод восстановления удален", "Recovery Method Removed": "Метод восстановления удален",
@ -613,16 +599,8 @@
"Accept all %(invitedRooms)s invites": "Принять все приглашения (%(invitedRooms)s)", "Accept all %(invitedRooms)s invites": "Принять все приглашения (%(invitedRooms)s)",
"Missing media permissions, click the button below to request.": "Отсутствуют разрешения для доступа к камере/микрофону. Нажмите кнопку ниже, чтобы запросить их.", "Missing media permissions, click the button below to request.": "Отсутствуют разрешения для доступа к камере/микрофону. Нажмите кнопку ниже, чтобы запросить их.",
"Request media permissions": "Запросить доступ к медиа устройству", "Request media permissions": "Запросить доступ к медиа устройству",
"Change room name": "Изменить название комнаты",
"For help with using %(brand)s, click <a>here</a>.": "Для получения помощи по использованию %(brand)s, нажмите <a>здесь</a>.", "For help with using %(brand)s, click <a>here</a>.": "Для получения помощи по использованию %(brand)s, нажмите <a>здесь</a>.",
"For help with using %(brand)s, click <a>here</a> or start a chat with our bot using the button below.": "Для получения помощи по использованию %(brand)s, нажмите <a>здесь</a> или начните чат с нашим ботом с помощью кнопки ниже.", "For help with using %(brand)s, click <a>here</a> or start a chat with our bot using the button below.": "Для получения помощи по использованию %(brand)s, нажмите <a>здесь</a> или начните чат с нашим ботом с помощью кнопки ниже.",
"Change room avatar": "Изменить аватар комнаты",
"Change main address for the room": "Изменить основной адрес комнаты",
"Change permissions": "Изменить разрешения",
"Default role": "Роль по умолчанию",
"Send messages": "Отправить сообщения",
"Change settings": "Изменить настройки",
"Notify everyone": "Уведомить всех",
"Enable encryption?": "Разрешить шифрование?", "Enable encryption?": "Разрешить шифрование?",
"Error updating main address": "Ошибка обновления основного адреса", "Error updating main address": "Ошибка обновления основного адреса",
"Incompatible local cache": "Несовместимый локальный кэш", "Incompatible local cache": "Несовместимый локальный кэш",
@ -641,11 +619,6 @@
"Bulk options": "Основные опции", "Bulk options": "Основные опции",
"Upgrade this room to the recommended room version": "Модернизируйте комнату до рекомендованной версии", "Upgrade this room to the recommended room version": "Модернизируйте комнату до рекомендованной версии",
"View older messages in %(roomName)s.": "Просмотр старых сообщений в %(roomName)s.", "View older messages in %(roomName)s.": "Просмотр старых сообщений в %(roomName)s.",
"Change history visibility": "Изменить видимость истории",
"Change topic": "Изменить тему",
"Modify widgets": "Изменить виджеты",
"Invite users": "Пригласить пользователей",
"Ban users": "Блокировка пользователей",
"Send %(eventType)s events": "Отправить %(eventType)s события", "Send %(eventType)s events": "Отправить %(eventType)s события",
"Select the roles required to change various parts of the room": "Выберите роль, которая может изменять различные части комнаты", "Select the roles required to change various parts of the room": "Выберите роль, которая может изменять различные части комнаты",
"Once enabled, encryption for a room cannot be disabled. Messages sent in an encrypted room cannot be seen by the server, only by the participants of the room. Enabling encryption may prevent many bots and bridges from working correctly. <a>Learn more about encryption.</a>": "После включения шифрования в комнате оно не может быть отключено. Сообщения, отправленные в шифрованной комнате, смогут прочитать только участники комнаты, но не сервер. Включенное шифрование может помешать корректной работе многим ботам и мостам. <a>Подробнее о шифровании.</a>", "Once enabled, encryption for a room cannot be disabled. Messages sent in an encrypted room cannot be seen by the server, only by the participants of the room. Enabling encryption may prevent many bots and bridges from working correctly. <a>Learn more about encryption.</a>": "После включения шифрования в комнате оно не может быть отключено. Сообщения, отправленные в шифрованной комнате, смогут прочитать только участники комнаты, но не сервер. Включенное шифрование может помешать корректной работе многим ботам и мостам. <a>Подробнее о шифровании.</a>",
@ -808,8 +781,6 @@
"Clear personal data": "Очистить персональные данные", "Clear personal data": "Очистить персональные данные",
"This account has been deactivated.": "Эта учётная запись была деактивирована.", "This account has been deactivated.": "Эта учётная запись была деактивирована.",
"Call failed due to misconfigured server": "Вызов не состоялся из-за неправильно настроенного сервера", "Call failed due to misconfigured server": "Вызов не состоялся из-за неправильно настроенного сервера",
"Messages": "Сообщения",
"Actions": "Действия",
"Please ask the administrator of your homeserver (<code>%(homeserverDomain)s</code>) to configure a TURN server in order for calls to work reliably.": "Попросите администратора вашего домашнего сервера (<code>%(homeserverDomain)s</code>) настроить сервер TURN для надежной работы звонков.", "Please ask the administrator of your homeserver (<code>%(homeserverDomain)s</code>) to configure a TURN server in order for calls to work reliably.": "Попросите администратора вашего домашнего сервера (<code>%(homeserverDomain)s</code>) настроить сервер TURN для надежной работы звонков.",
"Accept <policyLink /> to continue:": "Примите <policyLink /> для продолжения:", "Accept <policyLink /> to continue:": "Примите <policyLink /> для продолжения:",
"Checking server": "Проверка сервера", "Checking server": "Проверка сервера",
@ -844,8 +815,6 @@
"Always show the window menu bar": "Всегда показывать строку меню", "Always show the window menu bar": "Всегда показывать строку меню",
"Read Marker lifetime (ms)": "Задержка прочтения сообщения (мс)", "Read Marker lifetime (ms)": "Задержка прочтения сообщения (мс)",
"Read Marker off-screen lifetime (ms)": "Задержка прочтения сообщения при отсутствии активности (мс)", "Read Marker off-screen lifetime (ms)": "Задержка прочтения сообщения при отсутствии активности (мс)",
"Upgrade the room": "Обновить эту комнату",
"Enable room encryption": "Включить шифрование комнаты",
"You should <b>remove your personal data</b> from identity server <idserver /> before disconnecting. Unfortunately, identity server <idserver /> is currently offline or cannot be reached.": "Вы должны <b> удалить свои личные данные </b> с сервера идентификации <idserver /> перед отключением. К сожалению, идентификационный сервер <idserver /> в данный момент отключен или недоступен.", "You should <b>remove your personal data</b> from identity server <idserver /> before disconnecting. Unfortunately, identity server <idserver /> is currently offline or cannot be reached.": "Вы должны <b> удалить свои личные данные </b> с сервера идентификации <idserver /> перед отключением. К сожалению, идентификационный сервер <idserver /> в данный момент отключен или недоступен.",
"You should:": "Вам следует:", "You should:": "Вам следует:",
"check your browser plugins for anything that might block the identity server (such as Privacy Badger)": "проверяйте плагины браузера на наличие всего, что может заблокировать сервер идентификации (например, Privacy Badger)", "check your browser plugins for anything that might block the identity server (such as Privacy Badger)": "проверяйте плагины браузера на наличие всего, что может заблокировать сервер идентификации (например, Privacy Badger)",
@ -1080,7 +1049,6 @@
"Session ID:": "ID сеанса:", "Session ID:": "ID сеанса:",
"Session key:": "Ключ сеанса:", "Session key:": "Ключ сеанса:",
"Message search": "Поиск по сообщениям", "Message search": "Поиск по сообщениям",
"Cross-signing": "Кросс-подпись",
"Bridges": "Мосты", "Bridges": "Мосты",
"This user has not verified all of their sessions.": "Этот пользователь не подтвердил все свои сеансы.", "This user has not verified all of their sessions.": "Этот пользователь не подтвердил все свои сеансы.",
"You have not verified this user.": "Вы не подтвердили этого пользователя.", "You have not verified this user.": "Вы не подтвердили этого пользователя.",
@ -1093,8 +1061,6 @@
"Encrypted by a deleted session": "Зашифровано удалённым сеансом", "Encrypted by a deleted session": "Зашифровано удалённым сеансом",
"Scroll to most recent messages": "Перейти к последним сообщениям", "Scroll to most recent messages": "Перейти к последним сообщениям",
"Close preview": "Закрыть предпросмотр", "Close preview": "Закрыть предпросмотр",
"Send a reply…": "Отправить ответ…",
"Send a message…": "Отправить сообщение…",
"<userName/> wants to chat": "<userName/> хочет поговорить", "<userName/> wants to chat": "<userName/> хочет поговорить",
"Start chatting": "Начать беседу", "Start chatting": "Начать беседу",
"Reject & Ignore user": "Отклонить и заигнорировать пользователя", "Reject & Ignore user": "Отклонить и заигнорировать пользователя",
@ -1203,15 +1169,6 @@
"Contact your <a>server admin</a>.": "Обратитесь к <a>администратору сервера</a>.", "Contact your <a>server admin</a>.": "Обратитесь к <a>администратору сервера</a>.",
"Ok": "Хорошо", "Ok": "Хорошо",
"New login. Was this you?": "Новый вход в вашу учётную запись. Это были Вы?", "New login. Was this you?": "Новый вход в вашу учётную запись. Это были Вы?",
"You joined the call": "Вы присоединились к звонку",
"%(senderName)s joined the call": "%(senderName)s присоединился(лась) к звонку",
"Call in progress": "Звонок в процессе",
"Call ended": "Звонок завершён",
"You started a call": "Вы начали звонок",
"%(senderName)s started a call": "%(senderName)s начал(а) звонок",
"Waiting for answer": "Ждём ответа",
"%(senderName)s is calling": "%(senderName)s звонит",
"Unknown caller": "Неизвестный абонент",
"%(brand)s can't securely cache encrypted messages locally while running in a web browser. Use <desktopLink>%(brand)s Desktop</desktopLink> for encrypted messages to appear in search results.": "%(brand)s не может безопасно кэшировать зашифрованные сообщения локально во время работы в веб-браузере. Используйте <desktopLink>%(brand)s Desktop</desktopLink>, чтобы зашифрованные сообщения появились в результатах поиска.", "%(brand)s can't securely cache encrypted messages locally while running in a web browser. Use <desktopLink>%(brand)s Desktop</desktopLink> for encrypted messages to appear in search results.": "%(brand)s не может безопасно кэшировать зашифрованные сообщения локально во время работы в веб-браузере. Используйте <desktopLink>%(brand)s Desktop</desktopLink>, чтобы зашифрованные сообщения появились в результатах поиска.",
"New version available. <a>Update now.</a>": "Доступна новая версия. <a>Обновить сейчас.</a>", "New version available. <a>Update now.</a>": "Доступна новая версия. <a>Обновить сейчас.</a>",
"Hey you. You're the best!": "Эй! Ты лучший!", "Hey you. You're the best!": "Эй! Ты лучший!",
@ -1222,8 +1179,6 @@
"Customise your appearance": "Настройка внешнего вида", "Customise your appearance": "Настройка внешнего вида",
"Remove for everyone": "Убрать для всех", "Remove for everyone": "Убрать для всех",
"Country Dropdown": "Выпадающий список стран", "Country Dropdown": "Выпадающий список стран",
"%(senderName)s: %(message)s": "%(senderName)s: %(message)s",
"%(senderName)s: %(stickerName)s": "%(senderName)s: %(stickerName)s",
"Font size": "Размер шрифта", "Font size": "Размер шрифта",
"Use custom size": "Использовать другой размер", "Use custom size": "Использовать другой размер",
"Use a system font": "Использовать системный шрифт", "Use a system font": "Использовать системный шрифт",
@ -1248,7 +1203,6 @@
"Create a Group Chat": "Создать комнату", "Create a Group Chat": "Создать комнату",
"All settings": "Все настройки", "All settings": "Все настройки",
"Feedback": "Отзыв", "Feedback": "Отзыв",
"* %(senderName)s %(emote)s": "* %(senderName)s %(emote)s",
"Appearance Settings only affect this %(brand)s session.": "Настройки внешнего вида работают только в этом сеансе %(brand)s.", "Appearance Settings only affect this %(brand)s session.": "Настройки внешнего вида работают только в этом сеансе %(brand)s.",
"Forget Room": "Забыть комнату", "Forget Room": "Забыть комнату",
"This room is public": "Это публичная комната", "This room is public": "Это публичная комната",
@ -1400,8 +1354,6 @@
"Attach files from chat or just drag and drop them anywhere in a room.": "Прикрепите файлы из чата или просто перетащите их в комнату.", "Attach files from chat or just drag and drop them anywhere in a room.": "Прикрепите файлы из чата или просто перетащите их в комнату.",
"Master private key:": "Приватный мастер-ключ:", "Master private key:": "Приватный мастер-ключ:",
"Explore public rooms": "Просмотреть публичные комнаты", "Explore public rooms": "Просмотреть публичные комнаты",
"Uploading logs": "Загрузка журналов",
"Downloading logs": "Скачивание журналов",
"Preparing to download logs": "Подготовка к загрузке журналов", "Preparing to download logs": "Подготовка к загрузке журналов",
"Unexpected server error trying to leave the room": "Неожиданная ошибка сервера при попытке покинуть комнату", "Unexpected server error trying to leave the room": "Неожиданная ошибка сервера при попытке покинуть комнату",
"Error leaving room": "Ошибка при выходе из комнаты", "Error leaving room": "Ошибка при выходе из комнаты",
@ -1423,7 +1375,6 @@
"Secret storage:": "Секретное хранилище:", "Secret storage:": "Секретное хранилище:",
"ready": "готов", "ready": "готов",
"not ready": "не готов", "not ready": "не готов",
"Secure Backup": "Безопасное резервное копирование",
"Safeguard against losing access to encrypted messages & data": "Защита от потери доступа к зашифрованным сообщениям и данным", "Safeguard against losing access to encrypted messages & data": "Защита от потери доступа к зашифрованным сообщениям и данным",
"not found in storage": "не найдено в хранилище", "not found in storage": "не найдено в хранилище",
"Widgets": "Виджеты", "Widgets": "Виджеты",
@ -1444,7 +1395,6 @@
"Video conference started by %(senderName)s": "%(senderName)s начал(а) видеоконференцию", "Video conference started by %(senderName)s": "%(senderName)s начал(а) видеоконференцию",
"Failed to save your profile": "Не удалось сохранить ваш профиль", "Failed to save your profile": "Не удалось сохранить ваш профиль",
"The operation could not be completed": "Операция не может быть выполнена", "The operation could not be completed": "Операция не может быть выполнена",
"Remove messages sent by others": "Удалить сообщения, отправленные другими",
"Move right": "Сдвинуть вправо", "Move right": "Сдвинуть вправо",
"Move left": "Сдвинуть влево", "Move left": "Сдвинуть влево",
"Revoke permissions": "Отозвать разрешения", "Revoke permissions": "Отозвать разрешения",
@ -1464,8 +1414,6 @@
"Please view <existingIssuesLink>existing bugs on Github</existingIssuesLink> first. No match? <newIssueLink>Start a new one</newIssueLink>.": "Пожалуйста, сначала просмотрите <existingIssuesLink>существующие ошибки на Github</existingIssuesLink>. Нет совпадений? <newIssueLink>Сообщите о новой</newIssueLink>.", "Please view <existingIssuesLink>existing bugs on Github</existingIssuesLink> first. No match? <newIssueLink>Start a new one</newIssueLink>.": "Пожалуйста, сначала просмотрите <existingIssuesLink>существующие ошибки на Github</existingIssuesLink>. Нет совпадений? <newIssueLink>Сообщите о новой</newIssueLink>.",
"Comment": "Комментарий", "Comment": "Комментарий",
"Feedback sent": "Отзыв отправлен", "Feedback sent": "Отзыв отправлен",
"%(senderName)s ended the call": "%(senderName)s завершил(а) звонок",
"You ended the call": "Вы закончили звонок",
"Send stickers into this room": "Отправить стикеры в эту комнату", "Send stickers into this room": "Отправить стикеры в эту комнату",
"Go to Home View": "Перейти на Главную", "Go to Home View": "Перейти на Главную",
"This is the start of <roomName/>.": "Это начало <roomName/>.", "This is the start of <roomName/>.": "Это начало <roomName/>.",
@ -1490,12 +1438,6 @@
"Update %(brand)s": "Обновление %(brand)s", "Update %(brand)s": "Обновление %(brand)s",
"Enable desktop notifications": "Включить уведомления на рабочем столе", "Enable desktop notifications": "Включить уведомления на рабочем столе",
"Don't miss a reply": "Не пропустите ответ", "Don't miss a reply": "Не пропустите ответ",
"No other application is using the webcam": "Никакое другое приложение не использует веб-камеру",
"Permission is granted to use the webcam": "Разрешение на использование веб-камеры предоставлено",
"A microphone and webcam are plugged in and set up correctly": "Микрофон и веб-камера подключены и правильно настроены",
"Unable to access webcam / microphone": "Невозможно получить доступ к веб-камере / микрофону",
"Unable to access microphone": "Нет доступа к микрофону",
"Return to call": "Вернуться к звонку",
"Got an account? <a>Sign in</a>": "Есть учётная запись? <a>Войти</a>", "Got an account? <a>Sign in</a>": "Есть учётная запись? <a>Войти</a>",
"New here? <a>Create an account</a>": "Впервые здесь? <a>Создать учётную запись</a>", "New here? <a>Create an account</a>": "Впервые здесь? <a>Создать учётную запись</a>",
"Securely cache encrypted messages locally for them to appear in search results, using %(size)s to store messages from %(rooms)s rooms.": { "Securely cache encrypted messages locally for them to appear in search results, using %(size)s to store messages from %(rooms)s rooms.": {
@ -1527,7 +1469,6 @@
"Send stickers into your active room": "Отправить стикеры в активную комнату", "Send stickers into your active room": "Отправить стикеры в активную комнату",
"Remain on your screen while running": "Оставаться на экране во время работы", "Remain on your screen while running": "Оставаться на экране во время работы",
"Remain on your screen when viewing another room, when running": "Оставаться на экране, при отображании другой комнаты, во время работы", "Remain on your screen when viewing another room, when running": "Оставаться на экране, при отображании другой комнаты, во время работы",
"Effects": "Эффекты",
"Zimbabwe": "Зимбабве", "Zimbabwe": "Зимбабве",
"Zambia": "Замбия", "Zambia": "Замбия",
"Yemen": "Йемен", "Yemen": "Йемен",
@ -1777,8 +1718,6 @@
"Afghanistan": "Афганистан", "Afghanistan": "Афганистан",
"United States": "Соединенные Штаты Америки", "United States": "Соединенные Штаты Америки",
"United Kingdom": "Великобритания", "United Kingdom": "Великобритания",
"Call failed because webcam or microphone could not be accessed. Check that:": "Вызов не удался, потому что не удалось получить доступ к веб-камере или микрофону. Проверь это:",
"Call failed because microphone could not be accessed. Check that a microphone is plugged in and set up correctly.": "Вызов не удался из-за отсутствия доступа к микрофону. Убедитесь, что микрофон подключен и правильно настроен.",
"See <b>%(msgtype)s</b> messages posted to your active room": "Посмотрите <b>%(msgtype)s</b> сообщения, размещённые в вашей активной комнате", "See <b>%(msgtype)s</b> messages posted to your active room": "Посмотрите <b>%(msgtype)s</b> сообщения, размещённые в вашей активной комнате",
"Send general files as you in your active room": "Отправьте файлы от своего имени в активной комнате", "Send general files as you in your active room": "Отправьте файлы от своего имени в активной комнате",
"Change the topic of your active room": "Измените тему вашей активной комнаты", "Change the topic of your active room": "Измените тему вашей активной комнаты",
@ -1842,14 +1781,10 @@
"Sends the given message with confetti": "Отправляет данное сообщение с конфетти", "Sends the given message with confetti": "Отправляет данное сообщение с конфетти",
"Hold": "Удерживать", "Hold": "Удерживать",
"Resume": "Возобновить", "Resume": "Возобновить",
"%(peerName)s held the call": "%(peerName)s удерживает звонок",
"You held the call <a>Resume</a>": "Вы удерживаете звонок <a>Возобновить</a>",
"You've reached the maximum number of simultaneous calls.": "Вы достигли максимального количества одновременных звонков.", "You've reached the maximum number of simultaneous calls.": "Вы достигли максимального количества одновременных звонков.",
"Too Many Calls": "Слишком много звонков", "Too Many Calls": "Слишком много звонков",
"sends fireworks": "отправляет фейерверк", "sends fireworks": "отправляет фейерверк",
"Sends the given message with fireworks": "Отправляет сообщение с фейерверком", "Sends the given message with fireworks": "Отправляет сообщение с фейерверком",
"%(name)s on hold": "%(name)s на удержании",
"You held the call <a>Switch</a>": "Вы удерживаете звонок <a>Переключить</a>",
"sends snowfall": "отправляет снегопад", "sends snowfall": "отправляет снегопад",
"Sends the given message with snowfall": "Отправляет сообщение со снегопадом", "Sends the given message with snowfall": "Отправляет сообщение со снегопадом",
"You have no visible notifications.": "У вас нет видимых уведомлений.", "You have no visible notifications.": "У вас нет видимых уведомлений.",
@ -1931,7 +1866,6 @@
"You do not have permissions to add rooms to this space": "У вас нет разрешений, чтобы добавить комнаты в это пространство", "You do not have permissions to add rooms to this space": "У вас нет разрешений, чтобы добавить комнаты в это пространство",
"Add existing room": "Добавить существующую комнату", "Add existing room": "Добавить существующую комнату",
"You do not have permissions to create new rooms in this space": "У вас нет разрешений для создания новых комнат в этом пространстве", "You do not have permissions to create new rooms in this space": "У вас нет разрешений для создания новых комнат в этом пространстве",
"Send message": "Отправить сообщение",
"Invite to this space": "Пригласить в это пространство", "Invite to this space": "Пригласить в это пространство",
"Your message was sent": "Ваше сообщение было отправлено", "Your message was sent": "Ваше сообщение было отправлено",
"Space options": "Настройки пространства", "Space options": "Настройки пространства",
@ -1949,8 +1883,6 @@
"Open space for anyone, best for communities": "Открытое пространство для всех, лучший вариант для сообществ", "Open space for anyone, best for communities": "Открытое пространство для всех, лучший вариант для сообществ",
"Create a space": "Создать пространство", "Create a space": "Создать пространство",
"This homeserver has been blocked by its administrator.": "Доступ к этому домашнему серверу заблокирован вашим администратором.", "This homeserver has been blocked by its administrator.": "Доступ к этому домашнему серверу заблокирован вашим администратором.",
"You're already in a call with this person.": "Вы уже разговариваете с этим человеком.",
"Already in call": "Уже в вызове",
"Original event source": "Оригинальный исходный код", "Original event source": "Оригинальный исходный код",
"Decrypted event source": "Расшифрованный исходный код", "Decrypted event source": "Расшифрованный исходный код",
"Invite by username": "Пригласить по имени пользователя", "Invite by username": "Пригласить по имени пользователя",
@ -1993,7 +1925,6 @@
"Could not connect to identity server": "Не удалось подключиться к серверу идентификации", "Could not connect to identity server": "Не удалось подключиться к серверу идентификации",
"Not a valid identity server (status code %(code)s)": "Недействительный идентификационный сервер (код состояния %(code)s)", "Not a valid identity server (status code %(code)s)": "Недействительный идентификационный сервер (код состояния %(code)s)",
"Identity server URL must be HTTPS": "URL-адрес идентификационного сервер должен начинаться с HTTPS", "Identity server URL must be HTTPS": "URL-адрес идентификационного сервер должен начинаться с HTTPS",
"Consulting with %(transferTarget)s. <a>Transfer to %(transferee)s</a>": "Общение с %(transferTarget)s. <a>Перевод на %(transferee)s</a>",
"Enter your Security Phrase a second time to confirm it.": "Введите секретную фразу второй раз, чтобы подтвердить ее.", "Enter your Security Phrase a second time to confirm it.": "Введите секретную фразу второй раз, чтобы подтвердить ее.",
"Space Autocomplete": "Автозаполнение пространства", "Space Autocomplete": "Автозаполнение пространства",
"Verify your identity to access encrypted messages and prove your identity to others.": "Подтвердите свою личность, чтобы получить доступ к зашифрованным сообщениям и доказать свою личность другим.", "Verify your identity to access encrypted messages and prove your identity to others.": "Подтвердите свою личность, чтобы получить доступ к зашифрованным сообщениям и доказать свою личность другим.",
@ -2184,7 +2115,6 @@
"Anyone can find and join.": "Любой желающий может найти и присоединиться.", "Anyone can find and join.": "Любой желающий может найти и присоединиться.",
"Only invited people can join.": "Присоединиться могут только приглашенные люди.", "Only invited people can join.": "Присоединиться могут только приглашенные люди.",
"Private (invite only)": "Приватное (только по приглашению)", "Private (invite only)": "Приватное (только по приглашению)",
"Change server ACLs": "Изменить серверные разрешения",
"Space information": "Информация о пространстве", "Space information": "Информация о пространстве",
"You have no ignored users.": "У вас нет игнорируемых пользователей.", "You have no ignored users.": "У вас нет игнорируемых пользователей.",
"Images, GIFs and videos": "Медиа", "Images, GIFs and videos": "Медиа",
@ -2218,26 +2148,13 @@
"Address": "Адрес", "Address": "Адрес",
"e.g. my-space": "например, my-space", "e.g. my-space": "например, my-space",
"Please enter a name for the space": "Пожалуйста, введите название пространства", "Please enter a name for the space": "Пожалуйста, введите название пространства",
"Your camera is still enabled": "Ваша камера всё ещё включена",
"Your camera is turned off": "Ваша камера выключена",
"%(sharerName)s is presenting": "%(sharerName)s показывает",
"You are presenting": "Вы представляете",
"unknown person": "Неизвестное лицо", "unknown person": "Неизвестное лицо",
"Mute the microphone": "Заглушить микрофон",
"Unmute the microphone": "Включить звук микрофона",
"Dialpad": "Панель набора номера",
"More": "Больше", "More": "Больше",
"Show sidebar": "Показать боковую панель", "Show sidebar": "Показать боковую панель",
"Hide sidebar": "Скрыть боковую панель", "Hide sidebar": "Скрыть боковую панель",
"Start sharing your screen": "Начать делиться экраном",
"Stop sharing your screen": "Перестать делиться экраном",
"Stop the camera": "Остановить камеру",
"Start the camera": "Запуск камеры",
"sends space invaders": "отправляет космических захватчиков", "sends space invaders": "отправляет космических захватчиков",
"Sends the given message with a space themed effect": "Отправить данное сообщение с эффектом космоса", "Sends the given message with a space themed effect": "Отправить данное сообщение с эффектом космоса",
"Surround selected text when typing special characters": "Обводить выделенный текст при вводе специальных символов", "Surround selected text when typing special characters": "Обводить выделенный текст при вводе специальных символов",
"Silence call": "Тихий вызов",
"Sound on": "Звук включен",
"Review to ensure your account is safe": "Проверьте, чтобы убедиться, что ваша учётная запись в безопасности", "Review to ensure your account is safe": "Проверьте, чтобы убедиться, что ваша учётная запись в безопасности",
"See when people join, leave, or are invited to your active room": "Просмотрите, когда люди присоединяются, уходят или приглашают в вашу активную комнату", "See when people join, leave, or are invited to your active room": "Просмотрите, когда люди присоединяются, уходят или приглашают в вашу активную комнату",
"See when people join, leave, or are invited to this room": "Посмотрите, когда люди присоединяются, покидают или приглашают в эту комнату", "See when people join, leave, or are invited to this room": "Посмотрите, когда люди присоединяются, покидают или приглашают в эту комнату",
@ -2264,10 +2181,6 @@
"To avoid these issues, create a <a>new encrypted room</a> for the conversation you plan to have.": "Чтобы избежать этих проблем, создайте <a>новую зашифрованную комнату</a> для разговора, который вы планируете провести.", "To avoid these issues, create a <a>new encrypted room</a> for the conversation you plan to have.": "Чтобы избежать этих проблем, создайте <a>новую зашифрованную комнату</a> для разговора, который вы планируете провести.",
"Are you sure you want to add encryption to this public room?": "Вы уверены, что хотите добавить шифрование в эту публичную комнату?", "Are you sure you want to add encryption to this public room?": "Вы уверены, что хотите добавить шифрование в эту публичную комнату?",
"Select the roles required to change various parts of the space": "Выберите роли, необходимые для изменения различных частей пространства", "Select the roles required to change various parts of the space": "Выберите роли, необходимые для изменения различных частей пространства",
"Change description": "Изменить описание",
"Change main address for the space": "Изменить основной адрес для пространства",
"Change space name": "Изменить название пространства",
"Change space avatar": "Изменить аватар пространства",
"Anyone in <spaceName/> can find and join. You can select other spaces too.": "Любой человек в <spaceName/> может найти и присоединиться. Вы можете выбрать и другие пространства.", "Anyone in <spaceName/> can find and join. You can select other spaces too.": "Любой человек в <spaceName/> может найти и присоединиться. Вы можете выбрать и другие пространства.",
"Cross-signing is ready but keys are not backed up.": "Кросс-подпись готова, но ключи не резервируются.", "Cross-signing is ready but keys are not backed up.": "Кросс-подпись готова, но ключи не резервируются.",
"The above, but in <Room /> as well": "Вышеописанное, но также в <Room />", "The above, but in <Room /> as well": "Вышеописанное, но также в <Room />",
@ -2306,8 +2219,6 @@
"It looks like you don't have a Security Key or any other devices you can verify against. This device will not be able to access old encrypted messages. In order to verify your identity on this device, you'll need to reset your verification keys.": "Похоже, у вас нет бумажного ключа, или других сеансов, с которыми вы могли бы свериться. В этом сеансе вы не сможете получить доступ к старым зашифрованным сообщениям. Чтобы подтвердить свою личность в этом сеансе, вам нужно будет сбросить свои ключи шифрования.", "It looks like you don't have a Security Key or any other devices you can verify against. This device will not be able to access old encrypted messages. In order to verify your identity on this device, you'll need to reset your verification keys.": "Похоже, у вас нет бумажного ключа, или других сеансов, с которыми вы могли бы свериться. В этом сеансе вы не сможете получить доступ к старым зашифрованным сообщениям. Чтобы подтвердить свою личность в этом сеансе, вам нужно будет сбросить свои ключи шифрования.",
"Really reset verification keys?": "Действительно сбросить ключи подтверждения?", "Really reset verification keys?": "Действительно сбросить ключи подтверждения?",
"Create poll": "Создать опрос", "Create poll": "Создать опрос",
"Reply to thread…": "Ответить на обсуждение…",
"Reply to encrypted thread…": "Ответить на зашифрованное обсуждение…",
"Updating spaces... (%(progress)s out of %(count)s)": { "Updating spaces... (%(progress)s out of %(count)s)": {
"one": "Обновление пространства…", "one": "Обновление пространства…",
"other": "Обновление пространств... (%(progress)s из %(count)s)" "other": "Обновление пространств... (%(progress)s из %(count)s)"
@ -2518,10 +2429,6 @@
"You don't have permission to view messages from before you were invited.": "У вас нет разрешения на просмотр сообщений, полученных до того, как вы были приглашены.", "You don't have permission to view messages from before you were invited.": "У вас нет разрешения на просмотр сообщений, полученных до того, как вы были приглашены.",
"Copy link to thread": "Копировать ссылку на обсуждение", "Copy link to thread": "Копировать ссылку на обсуждение",
"From a thread": "Из обсуждения", "From a thread": "Из обсуждения",
"Remove users": "Удалять пользователей",
"Manage pinned events": "Управлять закрепленными событиями",
"Send reactions": "Отправлять реакции",
"Manage rooms in this space": "Управлять комнатами в этом пространстве",
"You won't get any notifications": "Вы не будете получать никаких уведомлений", "You won't get any notifications": "Вы не будете получать никаких уведомлений",
"Get notified only with mentions and keywords as set up in your <a>settings</a>": "Получать уведомления только по упоминаниям и ключевым словам, установленным в ваших <a>настройках</a>", "Get notified only with mentions and keywords as set up in your <a>settings</a>": "Получать уведомления только по упоминаниям и ключевым словам, установленным в ваших <a>настройках</a>",
"@mentions & keywords": "@упоминания и ключевые слова", "@mentions & keywords": "@упоминания и ключевые слова",
@ -2567,7 +2474,6 @@
"Verify this device by confirming the following number appears on its screen.": "Проверьте это устройство, убедившись, что на его экране отображается следующее число.", "Verify this device by confirming the following number appears on its screen.": "Проверьте это устройство, убедившись, что на его экране отображается следующее число.",
"Waiting for you to verify on your other device, %(deviceName)s (%(deviceId)s)…": "Ожидает проверки на другом устройстве, %(deviceName)s (%(deviceId)s)…", "Waiting for you to verify on your other device, %(deviceName)s (%(deviceId)s)…": "Ожидает проверки на другом устройстве, %(deviceName)s (%(deviceId)s)…",
"Confirm the emoji below are displayed on both devices, in the same order:": "Убедитесь, что приведённые ниже смайлики отображаются в обоих сеансах в одинаковом порядке:", "Confirm the emoji below are displayed on both devices, in the same order:": "Убедитесь, что приведённые ниже смайлики отображаются в обоих сеансах в одинаковом порядке:",
"Dial": "Набор",
"sends rainfall": "отправляет дождь", "sends rainfall": "отправляет дождь",
"Sends the given message with rainfall": "Отправляет заданное сообщение с дождём", "Sends the given message with rainfall": "Отправляет заданное сообщение с дождём",
"Automatically send debug logs on decryption errors": "Автоматическая отправка журналов отладки при ошибках расшифровки", "Automatically send debug logs on decryption errors": "Автоматическая отправка журналов отладки при ошибках расшифровки",
@ -2601,8 +2507,6 @@
}, },
"You cannot place calls without a connection to the server.": "Вы не можете совершать вызовы без подключения к серверу.", "You cannot place calls without a connection to the server.": "Вы не можете совершать вызовы без подключения к серверу.",
"Connectivity to the server has been lost": "Соединение с сервером потеряно", "Connectivity to the server has been lost": "Соединение с сервером потеряно",
"You cannot place calls in this browser.": "Вы не можете совершать вызовы в этом браузере.",
"Calls are unsupported": "Вызовы не поддерживаются",
"Open user settings": "Открыть пользовательские настройки", "Open user settings": "Открыть пользовательские настройки",
"Switch to space by number": "Перейти к пространству по номеру", "Switch to space by number": "Перейти к пространству по номеру",
"Reply to an ongoing thread or use “%(replyInThread)s” when hovering over a message to start a new one.": "Ответьте в текущее обсуждение или создайте новое, наведя курсор на сообщение и нажав «%(replyInThread)s».", "Reply to an ongoing thread or use “%(replyInThread)s” when hovering over a message to start a new one.": "Ответьте в текущее обсуждение или создайте новое, наведя курсор на сообщение и нажав «%(replyInThread)s».",
@ -2667,7 +2571,6 @@
"Pinned": "Закреплено", "Pinned": "Закреплено",
"Open thread": "Открыть ветку", "Open thread": "Открыть ветку",
"You do not have permissions to add spaces to this space": "У вас нет разрешения добавлять пространства в это пространство", "You do not have permissions to add spaces to this space": "У вас нет разрешения добавлять пространства в это пространство",
"Remove messages sent by me": "Удалить отправленные мной сообщения",
"Spaces are a new way to group rooms and people. What kind of Space do you want to create? You can change this later.": "Пространства — это новый способ организации комнат и людей. Какой вид пространства вы хотите создать? Вы можете изменить это позже.", "Spaces are a new way to group rooms and people. What kind of Space do you want to create? You can change this later.": "Пространства — это новый способ организации комнат и людей. Какой вид пространства вы хотите создать? Вы можете изменить это позже.",
"Match system": "Как в системе", "Match system": "Как в системе",
"Automatically send debug logs when key backup is not functioning": "Автоматически отправлять журналы отладки, когда резервное копирование ключей не работает", "Automatically send debug logs when key backup is not functioning": "Автоматически отправлять журналы отладки, когда резервное копирование ключей не работает",
@ -2721,12 +2624,6 @@
"other": "Подтвердите выход из этих устройств" "other": "Подтвердите выход из этих устройств"
}, },
"Developer tools": "Инструменты разработчика", "Developer tools": "Инструменты разработчика",
"Unmute microphone": "Включить микрофон",
"Turn on camera": "Включить камеру",
"Turn off camera": "Отключить камеру",
"Video devices": "Видеоустройства",
"Mute microphone": "Отключить микрофон",
"Audio devices": "Аудиоустройства",
"%(count)s people joined": { "%(count)s people joined": {
"one": "%(count)s человек присоединился", "one": "%(count)s человек присоединился",
"other": "%(count)s человек(а) присоединились" "other": "%(count)s человек(а) присоединились"
@ -2951,19 +2848,15 @@
"View chat timeline": "Посмотреть ленту сообщений", "View chat timeline": "Посмотреть ленту сообщений",
"Live": "В эфире", "Live": "В эфире",
"Video call (%(brand)s)": "Видеозвонок (%(brand)s)", "Video call (%(brand)s)": "Видеозвонок (%(brand)s)",
"Voice broadcasts": "Голосовые трансляции",
"Voice broadcast": "Голосовая трансляция", "Voice broadcast": "Голосовая трансляция",
"Video call started": "Начался видеозвонок",
"You need to be able to kick users to do that.": "Вы должны иметь возможность пинать пользователей, чтобы сделать это.", "You need to be able to kick users to do that.": "Вы должны иметь возможность пинать пользователей, чтобы сделать это.",
"Inviting %(user)s and %(count)s others": { "Inviting %(user)s and %(count)s others": {
"one": "Приглашающий %(user)s и 1 других", "one": "Приглашающий %(user)s и 1 других",
"other": "Приглашение %(user)s и %(count)s других" "other": "Приглашение %(user)s и %(count)s других"
}, },
"Inviting %(user1)s and %(user2)s": "Приглашение %(user1)s и %(user2)s", "Inviting %(user1)s and %(user2)s": "Приглашение %(user1)s и %(user2)s",
"Fill screen": "Заполнить экран",
"Sorry — this call is currently full": "Извините — этот вызов в настоящее время заполнен", "Sorry — this call is currently full": "Извините — этот вызов в настоящее время заполнен",
"Record the client name, version, and url to recognise sessions more easily in session manager": "Записывать название клиента, версию и URL-адрес для более лёгкого распознавания сеансов в менеджере сеансов", "Record the client name, version, and url to recognise sessions more easily in session manager": "Записывать название клиента, версию и URL-адрес для более лёгкого распознавания сеансов в менеджере сеансов",
"Notifications silenced": "Оповещения приглушены",
"Go live": "Начать эфир", "Go live": "Начать эфир",
"pause voice broadcast": "приостановить голосовую трансляцию", "pause voice broadcast": "приостановить голосовую трансляцию",
"resume voice broadcast": "продолжить голосовую трансляцию", "resume voice broadcast": "продолжить голосовую трансляцию",
@ -3079,7 +2972,6 @@
"WARNING: session already verified, but keys do NOT MATCH!": "ВНИМАНИЕ: сеанс уже заверен, но ключи НЕ СОВПАДАЮТ!", "WARNING: session already verified, but keys do NOT MATCH!": "ВНИМАНИЕ: сеанс уже заверен, но ключи НЕ СОВПАДАЮТ!",
"Edit link": "Изменить ссылку", "Edit link": "Изменить ссылку",
"Signing In…": "Выполняется вход…", "Signing In…": "Выполняется вход…",
"%(sender)s reacted %(reaction)s to %(message)s": "%(sender)s отреагировал(а) %(reaction)s на %(message)s",
"Grey": "Серый", "Grey": "Серый",
"Red": "Красный", "Red": "Красный",
"There are no active polls in this room": "В этой комнате нет активных опросов", "There are no active polls in this room": "В этой комнате нет активных опросов",
@ -3174,7 +3066,11 @@
"server": "Сервер", "server": "Сервер",
"capabilities": "Возможности", "capabilities": "Возможности",
"unnamed_room": "Комната без названия", "unnamed_room": "Комната без названия",
"unnamed_space": "Безымянное пространство" "unnamed_space": "Безымянное пространство",
"stickerpack": "Наклейки",
"system_alerts": "Системные оповещения",
"secure_backup": "Безопасное резервное копирование",
"cross_signing": "Кросс-подпись"
}, },
"action": { "action": {
"continue": "Продолжить", "continue": "Продолжить",
@ -3333,7 +3229,14 @@
"format_decrease_indent": "Пункт", "format_decrease_indent": "Пункт",
"format_inline_code": "Код", "format_inline_code": "Код",
"format_code_block": "Блок кода", "format_code_block": "Блок кода",
"format_link": "Ссылка" "format_link": "Ссылка",
"send_button_title": "Отправить сообщение",
"placeholder_thread_encrypted": "Ответить на зашифрованное обсуждение…",
"placeholder_thread": "Ответить на обсуждение…",
"placeholder_reply_encrypted": "Отправить зашифрованный ответ…",
"placeholder_reply": "Отправить ответ…",
"placeholder_encrypted": "Отправить зашифрованное сообщение…",
"placeholder": "Отправить сообщение…"
}, },
"Bold": "Жирный", "Bold": "Жирный",
"Link": "Ссылка", "Link": "Ссылка",
@ -3356,7 +3259,11 @@
"send_logs": "Отправить журналы", "send_logs": "Отправить журналы",
"github_issue": "GitHub вопрос", "github_issue": "GitHub вопрос",
"download_logs": "Скачать журналы", "download_logs": "Скачать журналы",
"before_submitting": "Перед отправкой логов необходимо <a>создать GitHub issue</a>, для описания проблемы." "before_submitting": "Перед отправкой логов необходимо <a>создать GitHub issue</a>, для описания проблемы.",
"collecting_information": "Сбор информации о версии приложения",
"collecting_logs": "Сбор журналов",
"uploading_logs": "Загрузка журналов",
"downloading_logs": "Скачивание журналов"
}, },
"time": { "time": {
"hours_minutes_seconds_left": "Осталось %(hours)sч %(minutes)sм %(seconds)sс", "hours_minutes_seconds_left": "Осталось %(hours)sч %(minutes)sм %(seconds)sс",
@ -3536,7 +3443,9 @@
"toolbox": "Панель инструментов", "toolbox": "Панель инструментов",
"developer_tools": "Инструменты разработчика", "developer_tools": "Инструменты разработчика",
"room_id": "ID комнаты: %(roomId)s", "room_id": "ID комнаты: %(roomId)s",
"event_id": "ID события: %(eventId)s" "event_id": "ID события: %(eventId)s",
"category_room": "Комната",
"category_other": "Другие"
}, },
"export_chat": { "export_chat": {
"html": "HTML", "html": "HTML",
@ -3686,6 +3595,9 @@
"other": "%(names)s и %(count)s других печатают…", "other": "%(names)s и %(count)s других печатают…",
"one": "%(names)s и ещё кто-то печатают…" "one": "%(names)s и ещё кто-то печатают…"
} }
},
"m.call.hangup": {
"dm": "Звонок завершён"
} }
}, },
"slash_command": { "slash_command": {
@ -3720,7 +3632,14 @@
"help": "Отображает список команд с описанием и использованием", "help": "Отображает список команд с описанием и использованием",
"whois": "Показать информацию о пользователе", "whois": "Показать информацию о пользователе",
"rageshake": "Отправить отчёт об ошибке с логами", "rageshake": "Отправить отчёт об ошибке с логами",
"msg": "Отправить сообщение данному пользователю" "msg": "Отправить сообщение данному пользователю",
"usage": "Использование",
"category_messages": "Сообщения",
"category_actions": "Действия",
"category_admin": "Администратор",
"category_advanced": "Подробности",
"category_effects": "Эффекты",
"category_other": "Другие"
}, },
"presence": { "presence": {
"busy": "Занят(а)", "busy": "Занят(а)",
@ -3734,5 +3653,105 @@
"offline": "Не в сети", "offline": "Не в сети",
"away": "Отошёл(ла)" "away": "Отошёл(ла)"
}, },
"Unknown": "Неизвестно" "Unknown": "Неизвестно",
"event_preview": {
"m.call.answer": {
"you": "Вы присоединились к звонку",
"user": "%(senderName)s присоединился(лась) к звонку",
"dm": "Звонок в процессе"
},
"m.call.hangup": {
"you": "Вы закончили звонок",
"user": "%(senderName)s завершил(а) звонок"
},
"m.call.invite": {
"you": "Вы начали звонок",
"user": "%(senderName)s начал(а) звонок",
"dm_send": "Ждём ответа",
"dm_receive": "%(senderName)s звонит"
},
"m.emote": "* %(senderName)s %(emote)s",
"m.text": "%(senderName)s: %(message)s",
"m.reaction": {
"user": "%(sender)s отреагировал(а) %(reaction)s на %(message)s"
},
"m.sticker": "%(senderName)s: %(stickerName)s"
},
"voip": {
"disable_microphone": "Отключить микрофон",
"enable_microphone": "Включить микрофон",
"disable_camera": "Отключить камеру",
"enable_camera": "Включить камеру",
"audio_devices": "Аудиоустройства",
"video_devices": "Видеоустройства",
"dial": "Набор",
"you_are_presenting": "Вы представляете",
"user_is_presenting": "%(sharerName)s показывает",
"camera_disabled": "Ваша камера выключена",
"camera_enabled": "Ваша камера всё ещё включена",
"consulting": "Общение с %(transferTarget)s. <a>Перевод на %(transferee)s</a>",
"call_held_switch": "Вы удерживаете звонок <a>Переключить</a>",
"call_held_resume": "Вы удерживаете звонок <a>Возобновить</a>",
"call_held": "%(peerName)s удерживает звонок",
"dialpad": "Панель набора номера",
"stop_screenshare": "Перестать делиться экраном",
"start_screenshare": "Начать делиться экраном",
"hangup": "Повесить трубку",
"maximise": "Заполнить экран",
"expand": "Вернуться к звонку",
"on_hold": "%(name)s на удержании",
"voice_call": "Голосовой вызов",
"video_call": "Видеовызов",
"video_call_started": "Начался видеозвонок",
"unsilence": "Звук включен",
"silence": "Тихий вызов",
"silenced": "Оповещения приглушены",
"unknown_caller": "Неизвестный абонент",
"call_failed": "Звонок не удался",
"unable_to_access_microphone": "Нет доступа к микрофону",
"call_failed_microphone": "Вызов не удался из-за отсутствия доступа к микрофону. Убедитесь, что микрофон подключен и правильно настроен.",
"unable_to_access_media": "Невозможно получить доступ к веб-камере / микрофону",
"call_failed_media": "Вызов не удался, потому что не удалось получить доступ к веб-камере или микрофону. Проверь это:",
"call_failed_media_connected": "Микрофон и веб-камера подключены и правильно настроены",
"call_failed_media_permissions": "Разрешение на использование веб-камеры предоставлено",
"call_failed_media_applications": "Никакое другое приложение не использует веб-камеру",
"already_in_call": "Уже в вызове",
"already_in_call_person": "Вы уже разговариваете с этим человеком.",
"unsupported": "Вызовы не поддерживаются",
"unsupported_browser": "Вы не можете совершать вызовы в этом браузере."
},
"Messages": "Сообщения",
"Other": "Другие",
"Advanced": "Подробности",
"room_settings": {
"permissions": {
"m.room.avatar_space": "Изменить аватар пространства",
"m.room.avatar": "Изменить аватар комнаты",
"m.room.name_space": "Изменить название пространства",
"m.room.name": "Изменить название комнаты",
"m.room.canonical_alias_space": "Изменить основной адрес для пространства",
"m.room.canonical_alias": "Изменить основной адрес комнаты",
"m.space.child": "Управлять комнатами в этом пространстве",
"m.room.history_visibility": "Изменить видимость истории",
"m.room.power_levels": "Изменить разрешения",
"m.room.topic_space": "Изменить описание",
"m.room.topic": "Изменить тему",
"m.room.tombstone": "Обновить эту комнату",
"m.room.encryption": "Включить шифрование комнаты",
"m.room.server_acl": "Изменить серверные разрешения",
"m.reaction": "Отправлять реакции",
"m.room.redaction": "Удалить отправленные мной сообщения",
"m.widget": "Изменить виджеты",
"io.element.voice_broadcast_info": "Голосовые трансляции",
"m.room.pinned_events": "Управлять закрепленными событиями",
"users_default": "Роль по умолчанию",
"events_default": "Отправить сообщения",
"invite": "Пригласить пользователей",
"state_default": "Изменить настройки",
"kick": "Удалять пользователей",
"ban": "Блокировка пользователей",
"redact": "Удалить сообщения, отправленные другими",
"notifications.room": "Уведомить всех"
}
}
} }

View file

@ -35,7 +35,6 @@
"This email address was not found": "Túto emailovú adresu sa nepodarilo nájsť", "This email address was not found": "Túto emailovú adresu sa nepodarilo nájsť",
"Default": "Predvolené", "Default": "Predvolené",
"Moderator": "Moderátor", "Moderator": "Moderátor",
"Admin": "Správca",
"Operation failed": "Operácia zlyhala", "Operation failed": "Operácia zlyhala",
"Failed to invite": "Pozvanie zlyhalo", "Failed to invite": "Pozvanie zlyhalo",
"You need to be logged in.": "Mali by ste byť prihlásení.", "You need to be logged in.": "Mali by ste byť prihlásení.",
@ -49,7 +48,6 @@
"Missing room_id in request": "V požiadavke chýba room_id", "Missing room_id in request": "V požiadavke chýba room_id",
"Room %(roomId)s not visible": "Miestnosť %(roomId)s nie je viditeľná", "Room %(roomId)s not visible": "Miestnosť %(roomId)s nie je viditeľná",
"Missing user_id in request": "V požiadavke chýba user_id", "Missing user_id in request": "V požiadavke chýba user_id",
"Usage": "Použitie",
"Ignored user": "Ignorovaný používateľ", "Ignored user": "Ignorovaný používateľ",
"You are now ignoring %(userId)s": "Od teraz ignorujete používateľa %(userId)s", "You are now ignoring %(userId)s": "Od teraz ignorujete používateľa %(userId)s",
"Unignored user": "Ignorácia zrušená", "Unignored user": "Ignorácia zrušená",
@ -93,9 +91,6 @@
"Invited": "Pozvaní", "Invited": "Pozvaní",
"Filter room members": "Filtrovať členov v miestnosti", "Filter room members": "Filtrovať členov v miestnosti",
"%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (oprávnenie %(powerLevelNumber)s)", "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (oprávnenie %(powerLevelNumber)s)",
"Hangup": "Zavesiť",
"Voice call": "Hlasový hovor",
"Video call": "Video hovor",
"You do not have permission to post to this room": "Nemáte povolenie posielať do tejto miestnosti", "You do not have permission to post to this room": "Nemáte povolenie posielať do tejto miestnosti",
"Server error": "Chyba servera", "Server error": "Chyba servera",
"Server unavailable, overloaded, or something else went wrong.": "Server je nedostupný, preťažený, alebo sa pokazilo niečo iné.", "Server unavailable, overloaded, or something else went wrong.": "Server je nedostupný, preťažený, alebo sa pokazilo niečo iné.",
@ -129,7 +124,6 @@
"Members only (since they were invited)": "Len členovia (odkedy boli pozvaní)", "Members only (since they were invited)": "Len členovia (odkedy boli pozvaní)",
"Members only (since they joined)": "Len členovia (odkedy vstúpili)", "Members only (since they joined)": "Len členovia (odkedy vstúpili)",
"Permissions": "Povolenia", "Permissions": "Povolenia",
"Advanced": "Pokročilé",
"Jump to first unread message.": "Preskočiť na prvú neprečítanú správu.", "Jump to first unread message.": "Preskočiť na prvú neprečítanú správu.",
"not specified": "nezadané", "not specified": "nezadané",
"This room has no local addresses": "Pre túto miestnosť nie sú žiadne lokálne adresy", "This room has no local addresses": "Pre túto miestnosť nie sú žiadne lokálne adresy",
@ -339,7 +333,6 @@
"Enable URL previews by default for participants in this room": "Predvolene povoliť náhľady URL adries pre členov tejto miestnosti", "Enable URL previews by default for participants in this room": "Predvolene povoliť náhľady URL adries pre členov tejto miestnosti",
"URL previews are enabled by default for participants in this room.": "Náhľady URL adries sú predvolene povolené pre členov tejto miestnosti.", "URL previews are enabled by default for participants in this room.": "Náhľady URL adries sú predvolene povolené pre členov tejto miestnosti.",
"URL previews are disabled by default for participants in this room.": "Náhľady URL adries sú predvolene zakázané pre členov tejto miestnosti.", "URL previews are disabled by default for participants in this room.": "Náhľady URL adries sú predvolene zakázané pre členov tejto miestnosti.",
"Call Failed": "Zlyhanie hovoru",
"Send": "Odoslať", "Send": "Odoslať",
"%(duration)ss": "%(duration)ss", "%(duration)ss": "%(duration)ss",
"%(duration)sm": "%(duration)sm", "%(duration)sm": "%(duration)sm",
@ -350,14 +343,11 @@
"Old cryptography data detected": "Nájdené zastaralé kryptografické údaje", "Old cryptography data detected": "Nájdené zastaralé kryptografické údaje",
"%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s, %(day)s %(monthName)s %(fullYear)s", "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s, %(day)s %(monthName)s %(fullYear)s",
"You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.": "Túto zmenu nebudete môcť vrátiť späť, pretože sa degradujete, a ak ste posledným privilegovaným používateľom v miestnosti, nebude možné získať oprávnenia späť.", "You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.": "Túto zmenu nebudete môcť vrátiť späť, pretože sa degradujete, a ak ste posledným privilegovaným používateľom v miestnosti, nebude možné získať oprávnenia späť.",
"Send an encrypted reply…": "Odoslať šifrovanú odpoveď…",
"Send an encrypted message…": "Odoslať šifrovanú správu…",
"Replying": "Odpoveď", "Replying": "Odpoveď",
"This room is not public. You will not be able to rejoin without an invite.": "Toto nie je verejne dostupná miestnosť. Bez pozvánky nebudete do nej môcť vstúpiť znovu.", "This room is not public. You will not be able to rejoin without an invite.": "Toto nie je verejne dostupná miestnosť. Bez pozvánky nebudete do nej môcť vstúpiť znovu.",
"Failed to remove tag %(tagName)s from room": "Z miestnosti sa nepodarilo odstrániť značku %(tagName)s", "Failed to remove tag %(tagName)s from room": "Z miestnosti sa nepodarilo odstrániť značku %(tagName)s",
"Failed to add tag %(tagName)s to room": "Miestnosti sa nepodarilo pridať značku %(tagName)s", "Failed to add tag %(tagName)s to room": "Miestnosti sa nepodarilo pridať značku %(tagName)s",
"<a>In reply to</a> <pill>": "<a>Odpoveď na</a> <pill>", "<a>In reply to</a> <pill>": "<a>Odpoveď na</a> <pill>",
"Stickerpack": "Balíček nálepiek",
"You don't currently have any stickerpacks enabled": "Momentálne nemáte aktívne žiadne balíčky s nálepkami", "You don't currently have any stickerpacks enabled": "Momentálne nemáte aktívne žiadne balíčky s nálepkami",
"Sunday": "Nedeľa", "Sunday": "Nedeľa",
"Notification targets": "Ciele oznámení", "Notification targets": "Ciele oznámení",
@ -373,13 +363,11 @@
"Filter results": "Filtrovať výsledky", "Filter results": "Filtrovať výsledky",
"No update available.": "K dispozícii nie je žiadna aktualizácia.", "No update available.": "K dispozícii nie je žiadna aktualizácia.",
"Noisy": "Hlasné", "Noisy": "Hlasné",
"Collecting app version information": "Získavajú sa informácie o verzii aplikácii",
"Search…": "Hľadať…", "Search…": "Hľadať…",
"Tuesday": "Utorok", "Tuesday": "Utorok",
"Preparing to send logs": "príprava odoslania záznamov", "Preparing to send logs": "príprava odoslania záznamov",
"Saturday": "Sobota", "Saturday": "Sobota",
"Monday": "Pondelok", "Monday": "Pondelok",
"Collecting logs": "Získavajú sa záznamy",
"All Rooms": "Vo všetkých miestnostiach", "All Rooms": "Vo všetkých miestnostiach",
"Wednesday": "Streda", "Wednesday": "Streda",
"All messages": "Všetky správy", "All messages": "Všetky správy",
@ -428,7 +416,6 @@
"Demote": "Znížiť", "Demote": "Znížiť",
"You can't send any messages until you review and agree to <consentLink>our terms and conditions</consentLink>.": "Nemôžete posielať žiadne správy, kým si neprečítate a neodsúhlasíte <consentLink>naše zmluvné podmienky</consentLink>.", "You can't send any messages until you review and agree to <consentLink>our terms and conditions</consentLink>.": "Nemôžete posielať žiadne správy, kým si neprečítate a neodsúhlasíte <consentLink>naše zmluvné podmienky</consentLink>.",
"Please contact your homeserver administrator.": "Prosím, kontaktujte správcu domovského servera.", "Please contact your homeserver administrator.": "Prosím, kontaktujte správcu domovského servera.",
"System Alerts": "Systémové upozornenia",
"This homeserver has hit its Monthly Active User limit.": "Bol dosiahnutý mesačný limit počtu aktívnych používateľov tohoto domovského servera.", "This homeserver has hit its Monthly Active User limit.": "Bol dosiahnutý mesačný limit počtu aktívnych používateľov tohoto domovského servera.",
"This homeserver has exceeded one of its resource limits.": "Bol prekročený limit využitia prostriedkov pre tento domovský server.", "This homeserver has exceeded one of its resource limits.": "Bol prekročený limit využitia prostriedkov pre tento domovský server.",
"Your message wasn't sent because this homeserver has hit its Monthly Active User Limit. Please <a>contact your service administrator</a> to continue using the service.": "Vaša správa nebola odoslaná, pretože bol dosiahnutý mesačný limit počtu aktívnych používateľov tohoto domovského servera. Prosím, <a>kontaktujte správcu služieb</a> aby ste službu mohli naďalej používať.", "Your message wasn't sent because this homeserver has hit its Monthly Active User Limit. Please <a>contact your service administrator</a> to continue using the service.": "Vaša správa nebola odoslaná, pretože bol dosiahnutý mesačný limit počtu aktívnych používateľov tohoto domovského servera. Prosím, <a>kontaktujte správcu služieb</a> aby ste službu mohli naďalej používať.",
@ -626,19 +613,6 @@
"Room version": "Verzia miestnosti", "Room version": "Verzia miestnosti",
"Room version:": "Verzia miestnosti:", "Room version:": "Verzia miestnosti:",
"Room Addresses": "Adresy miestnosti", "Room Addresses": "Adresy miestnosti",
"Change room avatar": "Zmeniť obrázok miestnosti",
"Change room name": "Zmeniť názov miestnosti",
"Change main address for the room": "Zmeniť hlavnú adresu miestnosti",
"Change history visibility": "Zmeniť viditeľnosť histórie",
"Change permissions": "Zmeniť povolenia",
"Change topic": "Zmeniť tému",
"Modify widgets": "Upraviť widgety",
"Default role": "Predvolená rola",
"Send messages": "Odoslať správy",
"Invite users": "Pozvať používateľov",
"Change settings": "Zmeniť nastavenia",
"Ban users": "Zakázať používateľov",
"Notify everyone": "Poslať oznámenie všetkým",
"Send %(eventType)s events": "Poslať udalosti %(eventType)s", "Send %(eventType)s events": "Poslať udalosti %(eventType)s",
"Roles & Permissions": "Role a povolenia", "Roles & Permissions": "Role a povolenia",
"Select the roles required to change various parts of the room": "Vyberte role potrebné na zmenu rôznych častí miestnosti", "Select the roles required to change various parts of the room": "Vyberte role potrebné na zmenu rôznych častí miestnosti",
@ -666,7 +640,6 @@
"Email (optional)": "Email (nepovinné)", "Email (optional)": "Email (nepovinné)",
"Phone (optional)": "Telefón (nepovinné)", "Phone (optional)": "Telefón (nepovinné)",
"Join millions for free on the largest public server": "Pripojte sa k mnohým používateľom najväčšieho verejného domovského servera zdarma", "Join millions for free on the largest public server": "Pripojte sa k mnohým používateľom najväčšieho verejného domovského servera zdarma",
"Other": "Ďalšie",
"Couldn't load page": "Nie je možné načítať stránku", "Couldn't load page": "Nie je možné načítať stránku",
"Could not load user profile": "Nie je možné načítať profil používateľa", "Could not load user profile": "Nie je možné načítať profil používateľa",
"Your password has been reset.": "Vaše heslo bolo obnovené.", "Your password has been reset.": "Vaše heslo bolo obnovené.",
@ -682,8 +655,6 @@
"Please ask the administrator of your homeserver (<code>%(homeserverDomain)s</code>) to configure a TURN server in order for calls to work reliably.": "Prosím, požiadajte správcu vášho domovského servera (<code>%(homeserverDomain)s</code>) aby nakonfiguroval Turn server, čo zlepší spoľahlivosť audio / video hovorov.", "Please ask the administrator of your homeserver (<code>%(homeserverDomain)s</code>) to configure a TURN server in order for calls to work reliably.": "Prosím, požiadajte správcu vášho domovského servera (<code>%(homeserverDomain)s</code>) aby nakonfiguroval Turn server, čo zlepší spoľahlivosť audio / video hovorov.",
"The file '%(fileName)s' failed to upload.": "Nepodarilo sa nahrať súbor „%(fileName)s“.", "The file '%(fileName)s' failed to upload.": "Nepodarilo sa nahrať súbor „%(fileName)s“.",
"The server does not support the room version specified.": "Server nepodporuje zadanú verziu miestnosti.", "The server does not support the room version specified.": "Server nepodporuje zadanú verziu miestnosti.",
"Messages": "Správy",
"Actions": "Akcie",
"Please supply a https:// or http:// widget URL": "Zadajte https:// alebo http:// URL adresu widgetu", "Please supply a https:// or http:// widget URL": "Zadajte https:// alebo http:// URL adresu widgetu",
"You cannot modify widgets in this room.": "Nemôžete meniť widgety v tejto miestnosti.", "You cannot modify widgets in this room.": "Nemôžete meniť widgety v tejto miestnosti.",
"Cannot reach homeserver": "Nie je možné pripojiť sa k domovskému serveru", "Cannot reach homeserver": "Nie je možné pripojiť sa k domovskému serveru",
@ -811,7 +782,6 @@
"Your homeserver does not support cross-signing.": "Váš domovský server nepodporuje krížové podpisovanie.", "Your homeserver does not support cross-signing.": "Váš domovský server nepodporuje krížové podpisovanie.",
"Your account has a cross-signing identity in secret storage, but it is not yet trusted by this session.": "Váš účet má v tajnom úložisku krížovú podpisovú totožnosť, ale táto relácia jej ešte nedôveruje.", "Your account has a cross-signing identity in secret storage, but it is not yet trusted by this session.": "Váš účet má v tajnom úložisku krížovú podpisovú totožnosť, ale táto relácia jej ešte nedôveruje.",
"Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "Individuálne overte každú používateľskú reláciu a označte ju za dôveryhodnú, bez dôvery krížovo podpísaných zariadení.", "Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "Individuálne overte každú používateľskú reláciu a označte ju za dôveryhodnú, bez dôvery krížovo podpísaných zariadení.",
"Cross-signing": "Krížové podpisovanie",
"Destroy cross-signing keys?": "Zničiť kľúče na krížové podpisovanie?", "Destroy cross-signing keys?": "Zničiť kľúče na krížové podpisovanie?",
"Deleting cross-signing keys is permanent. Anyone you have verified with will see security alerts. You almost certainly don't want to do this, unless you've lost every device you can cross-sign from.": "Zmazanie kľúčov pre krížové podpisovanie je nenávratné. Každý, s kým ste sa overili, bude vidieť bezpečnostné upozornenia. Toto určite nechcete robiť, dokiaľ ste nestratili všetky zariadenia, s ktorými by ste mohli krížovo podpisovať.", "Deleting cross-signing keys is permanent. Anyone you have verified with will see security alerts. You almost certainly don't want to do this, unless you've lost every device you can cross-sign from.": "Zmazanie kľúčov pre krížové podpisovanie je nenávratné. Každý, s kým ste sa overili, bude vidieť bezpečnostné upozornenia. Toto určite nechcete robiť, dokiaľ ste nestratili všetky zariadenia, s ktorými by ste mohli krížovo podpisovať.",
"Clear cross-signing keys": "Vyčistiť kľúče na krížové podpisovanie", "Clear cross-signing keys": "Vyčistiť kľúče na krížové podpisovanie",
@ -887,20 +857,9 @@
"Contact your <a>server admin</a>.": "Kontaktujte svojho <a>administrátora serveru</a>.", "Contact your <a>server admin</a>.": "Kontaktujte svojho <a>administrátora serveru</a>.",
"Ok": "Ok", "Ok": "Ok",
"Ask your %(brand)s admin to check <a>your config</a> for incorrect or duplicate entries.": "Požiadajte správcu vášho %(brand)su, aby skontroloval <a>vašu konfiguráciu</a>. Pravdepodobne obsahuje chyby alebo duplikáty.", "Ask your %(brand)s admin to check <a>your config</a> for incorrect or duplicate entries.": "Požiadajte správcu vášho %(brand)su, aby skontroloval <a>vašu konfiguráciu</a>. Pravdepodobne obsahuje chyby alebo duplikáty.",
"You joined the call": "Pridali ste sa do hovoru",
"%(senderName)s joined the call": "%(senderName)s sa pridal/a do hovoru",
"Call in progress": "Práve prebieha hovor",
"Call ended": "Hovor skončil",
"You started a call": "Začali ste hovor",
"%(senderName)s started a call": "%(senderName)s začal/a hovor",
"Waiting for answer": "Čakám na odpoveď",
"%(senderName)s is calling": "%(senderName)s volá",
"%(senderName)s: %(message)s": "%(senderName)s: %(message)s",
"%(senderName)s: %(stickerName)s": "%(senderName)s: %(stickerName)s",
"Use custom size": "Použiť vlastnú veľkosť", "Use custom size": "Použiť vlastnú veľkosť",
"Use a system font": "Použiť systémové písmo", "Use a system font": "Použiť systémové písmo",
"System font name": "Meno systémového písma", "System font name": "Meno systémového písma",
"Unknown caller": "Neznámy volajúci",
"%(brand)s can't securely cache encrypted messages locally while running in a web browser. Use <desktopLink>%(brand)s Desktop</desktopLink> for encrypted messages to appear in search results.": "%(brand)s nedokáže bezpečne lokálne ukladať do vyrovnávacej pamäte zašifrované správy, keď je spustený vo webovom prehliadači. Na zobrazenie šifrovaných správ vo výsledkoch vyhľadávania použite <desktopLink>%(brand)s Desktop</desktopLink>.", "%(brand)s can't securely cache encrypted messages locally while running in a web browser. Use <desktopLink>%(brand)s Desktop</desktopLink> for encrypted messages to appear in search results.": "%(brand)s nedokáže bezpečne lokálne ukladať do vyrovnávacej pamäte zašifrované správy, keď je spustený vo webovom prehliadači. Na zobrazenie šifrovaných správ vo výsledkoch vyhľadávania použite <desktopLink>%(brand)s Desktop</desktopLink>.",
"New version available. <a>Update now.</a>": "Je dostupná nová verzia. <a>Aktualizovať.</a>", "New version available. <a>Update now.</a>": "Je dostupná nová verzia. <a>Aktualizovať.</a>",
"Hey you. You're the best!": "Hej, ty. Si jednotka!", "Hey you. You're the best!": "Hej, ty. Si jednotka!",
@ -952,8 +911,6 @@
"Notification sound": "Zvuk oznámenia", "Notification sound": "Zvuk oznámenia",
"Set a new custom sound": "Nastaviť vlastný zvuk", "Set a new custom sound": "Nastaviť vlastný zvuk",
"Browse": "Prechádzať", "Browse": "Prechádzať",
"Upgrade the room": "Aktualizovať miestnosť",
"Enable room encryption": "Povoliť v miestnosti šifrovanie",
"Error changing power level requirement": "Chyba pri zmene požiadavky na úroveň oprávnenia", "Error changing power level requirement": "Chyba pri zmene požiadavky na úroveň oprávnenia",
"An error occurred changing the room's power level requirements. Ensure you have sufficient permissions and try again.": "Došlo k chybe pri zmene požiadaviek na úroveň oprávnenia miestnosti. Uistite sa, že na to máte dostatočné povolenia a skúste to znovu.", "An error occurred changing the room's power level requirements. Ensure you have sufficient permissions and try again.": "Došlo k chybe pri zmene požiadaviek na úroveň oprávnenia miestnosti. Uistite sa, že na to máte dostatočné povolenia a skúste to znovu.",
"Error changing power level": "Chyba pri zmene úrovne oprávnenia", "Error changing power level": "Chyba pri zmene úrovne oprávnenia",
@ -978,7 +935,6 @@
"Everyone in this room is verified": "Všetci v tejto miestnosti sú overení", "Everyone in this room is verified": "Všetci v tejto miestnosti sú overení",
"Edit message": "Upraviť správu", "Edit message": "Upraviť správu",
"Are you sure you want to cancel entering passphrase?": "Naozaj chcete zrušiť zadávanie prístupovej frázy?", "Are you sure you want to cancel entering passphrase?": "Naozaj chcete zrušiť zadávanie prístupovej frázy?",
"* %(senderName)s %(emote)s": "* %(senderName)s %(emote)s",
"Change notification settings": "Upraviť nastavenia upozornení", "Change notification settings": "Upraviť nastavenia upozornení",
"Discovery options will appear once you have added an email above.": "Možnosti nastavenia verejného profilu sa objavia po pridaní e-mailovej adresy vyššie.", "Discovery options will appear once you have added an email above.": "Možnosti nastavenia verejného profilu sa objavia po pridaní e-mailovej adresy vyššie.",
"Discovery options will appear once you have added a phone number above.": "Možnosti nastavenia verejného profilu sa objavia po pridaní telefónneho čísla vyššie.", "Discovery options will appear once you have added a phone number above.": "Možnosti nastavenia verejného profilu sa objavia po pridaní telefónneho čísla vyššie.",
@ -992,8 +948,6 @@
"Feedback": "Spätná väzba", "Feedback": "Spätná väzba",
"Indexed rooms:": "Indexované miestnosti:", "Indexed rooms:": "Indexované miestnosti:",
"Unexpected server error trying to leave the room": "Neočakávaná chyba servera pri pokuse opustiť miestnosť", "Unexpected server error trying to leave the room": "Neočakávaná chyba servera pri pokuse opustiť miestnosť",
"Send a reply…": "Odoslať odpoveď…",
"Send a message…": "Odoslať správu…",
"Italics": "Kurzíva", "Italics": "Kurzíva",
"Send a Direct Message": "Poslať priamu správu", "Send a Direct Message": "Poslať priamu správu",
"Toggle Italics": "Prepnúť kurzíva", "Toggle Italics": "Prepnúť kurzíva",
@ -1250,13 +1204,6 @@
"We couldn't log you in": "Nemohli sme vás prihlásiť", "We couldn't log you in": "Nemohli sme vás prihlásiť",
"You've reached the maximum number of simultaneous calls.": "Dosiahli ste maximálny počet súčasných hovorov.", "You've reached the maximum number of simultaneous calls.": "Dosiahli ste maximálny počet súčasných hovorov.",
"Too Many Calls": "Príliš veľa hovorov", "Too Many Calls": "Príliš veľa hovorov",
"No other application is using the webcam": "Webkameru nepoužíva žiadna iná aplikácia",
"Permission is granted to use the webcam": "Udeľuje sa povolenie na používanie webkamery",
"A microphone and webcam are plugged in and set up correctly": "Mikrofón a webkamera sú pripojené a správne nastavené",
"Call failed because webcam or microphone could not be accessed. Check that:": "Hovor zlyhal, pretože nebolo možné získať prístup k webkamere alebo mikrofónu. Skontrolujte, či:",
"Unable to access webcam / microphone": "Nie je možné získať prístup k webkamere / mikrofónu",
"Unable to access microphone": "Nie je možné získať prístup k mikrofónu",
"Call failed because microphone could not be accessed. Check that a microphone is plugged in and set up correctly.": "Hovor zlyhal, pretože nebolo možné získať prístup k mikrofónu. Skontrolujte, či je mikrofón pripojený a správne nastavený.",
"The call was answered on another device.": "Hovor bol prijatý na inom zariadení.", "The call was answered on another device.": "Hovor bol prijatý na inom zariadení.",
"The call could not be established": "Hovor nemohol byť realizovaný", "The call could not be established": "Hovor nemohol byť realizovaný",
"Integration manager": "Správca integrácie", "Integration manager": "Správca integrácie",
@ -1282,10 +1229,6 @@
"%(creator)s created this DM.": "%(creator)s vytvoril/a túto priamu správu.", "%(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.", "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 <displayName/>.": "Toto je začiatok histórie vašich priamych správ s používateľom <displayName/>.", "This is the beginning of your direct message history with <displayName/>.": "Toto je začiatok histórie vašich priamych správ s používateľom <displayName/>.",
"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é",
"You're already in a call with this person.": "S touto osobou už hovor prebieha.",
"The user you called is busy.": "Volaný používateľ má obsadené.", "The user you called is busy.": "Volaný používateľ má obsadené.",
"Search spaces": "Hľadať priestory", "Search spaces": "Hľadať priestory",
"Enable email notifications for %(email)s": "Povolenie e-mailových oznámení pre %(email)s", "Enable email notifications for %(email)s": "Povolenie e-mailových oznámení pre %(email)s",
@ -1474,7 +1417,6 @@
"Please provide an address": "Uveďte prosím adresu", "Please provide an address": "Uveďte prosím adresu",
"New published address (e.g. #alias:server)": "Nová zverejnená adresa (napr. #alias:server)", "New published address (e.g. #alias:server)": "Nová zverejnená adresa (napr. #alias:server)",
"Local address": "Lokálna adresa", "Local address": "Lokálna adresa",
"Change main address for the space": "Zmeniť hlavnú adresu priestoru",
"Address": "Adresa", "Address": "Adresa",
"Open space for anyone, best for communities": "Otvorený priestor pre každého, najlepšie pre komunity", "Open space for anyone, best for communities": "Otvorený priestor pre každého, najlepšie pre komunity",
"Quick Reactions": "Rýchle reakcie", "Quick Reactions": "Rýchle reakcie",
@ -1617,7 +1559,6 @@
"Secret storage:": "Tajné úložisko:", "Secret storage:": "Tajné úložisko:",
"Backup key stored:": "Záložný kľúč uložený:", "Backup key stored:": "Záložný kľúč uložený:",
"You can also set up Secure Backup & manage your keys in Settings.": "Bezpečné zálohovanie a správu kľúčov môžete nastaviť aj v Nastaveniach.", "You can also set up Secure Backup & manage your keys in Settings.": "Bezpečné zálohovanie a správu kľúčov môžete nastaviť aj v Nastaveniach.",
"Secure Backup": "Bezpečné zálohovanie",
"Set up Secure Backup": "Nastaviť bezpečné zálohovanie", "Set up Secure Backup": "Nastaviť bezpečné zálohovanie",
"Show tray icon and minimise window to it on close": "Zobraziť ikonu na lište a pri zatvorení minimalizovať okno na ňu", "Show tray icon and minimise window to it on close": "Zobraziť ikonu na lište a pri zatvorení minimalizovať okno na ňu",
"Code blocks": "Bloky kódu", "Code blocks": "Bloky kódu",
@ -1714,7 +1655,6 @@
"Use the <a>Desktop app</a> to search encrypted messages": "Použite <a>Desktop aplikáciu</a> na vyhľadávanie zašifrovaných správ", "Use the <a>Desktop app</a> to search encrypted messages": "Použite <a>Desktop aplikáciu</a> na vyhľadávanie zašifrovaných správ",
"Not encrypted": "Nie je zašifrované", "Not encrypted": "Nie je zašifrované",
"In encrypted rooms, your messages are secured and only you and the recipient have the unique keys to unlock them.": "V šifrovaných miestnostiach sú vaše správy zabezpečené a jedinečné kľúče na ich odomknutie máte len vy a príjemca.", "In encrypted rooms, your messages are secured and only you and the recipient have the unique keys to unlock them.": "V šifrovaných miestnostiach sú vaše správy zabezpečené a jedinečné kľúče na ich odomknutie máte len vy a príjemca.",
"Reply to encrypted thread…": "Odpovedať na zašifrované vlákno…",
"<b>It's not recommended to make encrypted rooms public.</b> It will mean anyone can find and join the room, so anyone can read messages. You'll get none of the benefits of encryption. Encrypting messages in a public room will make receiving and sending messages slower.": "<b>Neodporúča sa zverejňovať zašifrované miestnosti.</b> Znamená to, že ktokoľvek môže nájsť miestnosť a pripojiť sa k nej, takže ktokoľvek môže čítať správy. Nezískate tak žiadne výhody šifrovania. Šifrovanie správ vo verejnej miestnosti spôsobí, že prijímanie a odosielanie správ bude pomalšie.", "<b>It's not recommended to make encrypted rooms public.</b> It will mean anyone can find and join the room, so anyone can read messages. You'll get none of the benefits of encryption. Encrypting messages in a public room will make receiving and sending messages slower.": "<b>Neodporúča sa zverejňovať zašifrované miestnosti.</b> Znamená to, že ktokoľvek môže nájsť miestnosť a pripojiť sa k nej, takže ktokoľvek môže čítať správy. Nezískate tak žiadne výhody šifrovania. Šifrovanie správ vo verejnej miestnosti spôsobí, že prijímanie a odosielanie správ bude pomalšie.",
"Are you sure you want to make this encrypted room public?": "Ste si istí, že chcete túto zašifrovanú miestnosť zverejniť?", "Are you sure you want to make this encrypted room public?": "Ste si istí, že chcete túto zašifrovanú miestnosť zverejniť?",
"This widget may use cookies.": "Tento widget môže používať súbory cookie.", "This widget may use cookies.": "Tento widget môže používať súbory cookie.",
@ -1781,7 +1721,6 @@
"Leave %(spaceName)s": "Opustiť %(spaceName)s", "Leave %(spaceName)s": "Opustiť %(spaceName)s",
"Leave Space": "Opustiť priestor", "Leave Space": "Opustiť priestor",
"Preparing to download logs": "Príprava na prevzatie záznamov", "Preparing to download logs": "Príprava na prevzatie záznamov",
"Downloading logs": "Sťahovanie záznamov",
"This room isn't bridging messages to any platforms. <a>Learn more.</a>": "Táto miestnosť nepremosťuje správy so žiadnymi platformami. <a>Viac informácií</a>", "This room isn't bridging messages to any platforms. <a>Learn more.</a>": "Táto miestnosť nepremosťuje správy so žiadnymi platformami. <a>Viac informácií</a>",
"Share anonymous data to help us identify issues. Nothing personal. No third parties.": "Zdieľajte anonymné údaje, ktoré nám pomôžu identifikovať problémy. Nič osobné. Žiadne tretie strany.", "Share anonymous data to help us identify issues. Nothing personal. No third parties.": "Zdieľajte anonymné údaje, ktoré nám pomôžu identifikovať problémy. Nič osobné. Žiadne tretie strany.",
"Share anonymous data to help us identify issues. Nothing personal. No third parties. <LearnMoreLink>Learn More</LearnMoreLink>": "Zdieľajte anonymné údaje, ktoré nám pomôžu identifikovať problémy. Nič osobné. Žiadne tretie strany. <LearnMoreLink>Zistite viac</LearnMoreLink>", "Share anonymous data to help us identify issues. Nothing personal. No third parties. <LearnMoreLink>Learn More</LearnMoreLink>": "Zdieľajte anonymné údaje, ktoré nám pomôžu identifikovať problémy. Nič osobné. Žiadne tretie strany. <LearnMoreLink>Zistite viac</LearnMoreLink>",
@ -1792,8 +1731,6 @@
"Failed to connect to integration manager": "Nepodarilo sa pripojiť k správcovi integrácie", "Failed to connect to integration manager": "Nepodarilo sa pripojiť k správcovi integrácie",
"You accepted": "Prijali ste", "You accepted": "Prijali ste",
"Message Actions": "Akcie správy", "Message Actions": "Akcie správy",
"Your camera is still enabled": "Fotoaparát je stále zapnutý",
"Your camera is turned off": "Váš fotoaparát je vypnutý",
"You're the only admin of some of the rooms or spaces you wish to leave. Leaving them will leave them without any admins.": "Ste jediným správcom niektorých miestností alebo priestorov, ktoré chcete opustiť. Ich opustenie ich ponechá bez administrátorov.", "You're the only admin of some of the rooms or spaces you wish to leave. Leaving them will leave them without any admins.": "Ste jediným správcom niektorých miestností alebo priestorov, ktoré chcete opustiť. Ich opustenie ich ponechá bez administrátorov.",
"You're the only admin of this space. Leaving it will mean no one has control over it.": "Ste jediným správcom tohto priestoru. Jeho opustenie bude znamenať, že nad ním nikto nebude mať kontrolu.", "You're the only admin of this space. Leaving it will mean no one has control over it.": "Ste jediným správcom tohto priestoru. Jeho opustenie bude znamenať, že nad ním nikto nebude mať kontrolu.",
"Your firewall or anti-virus is blocking the request.": "Požiadavku blokuje váš firewall alebo antivírus.", "Your firewall or anti-virus is blocking the request.": "Požiadavku blokuje váš firewall alebo antivírus.",
@ -1888,23 +1825,18 @@
"Collapse room list section": "Zbaliť sekciu zoznamu miestností", "Collapse room list section": "Zbaliť sekciu zoznamu miestností",
"Dismiss read marker and jump to bottom": "Zrušiť značku čítania a prejsť na spodok", "Dismiss read marker and jump to bottom": "Zrušiť značku čítania a prejsť na spodok",
"This session has detected that your Security Phrase and key for Secure Messages have been removed.": "Táto relácia zistila, že vaša bezpečnostná fráza a kľúč pre zabezpečené správy boli odstránené.", "This session has detected that your Security Phrase and key for Secure Messages have been removed.": "Táto relácia zistila, že vaša bezpečnostná fráza a kľúč pre zabezpečené správy boli odstránené.",
"Remove messages sent by others": "Odstrániť správy odoslané inými osobami",
"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.": "Nahlásenie tejto správy odošle jej jedinečné \"ID udalosti\" správcovi vášho domovského servera. Ak sú správy v tejto miestnosti zašifrované, správca domovského servera nebude môcť prečítať text správy ani zobraziť žiadne súbory alebo obrázky.", "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.": "Nahlásenie tejto správy odošle jej jedinečné \"ID udalosti\" správcovi vášho domovského servera. Ak sú správy v tejto miestnosti zašifrované, správca domovského servera nebude môcť prečítať text správy ani zobraziť žiadne súbory alebo obrázky.",
"Original event source": "Pôvodný zdroj udalosti", "Original event source": "Pôvodný zdroj udalosti",
"Decrypted event source": "Zdroj dešifrovanej udalosti", "Decrypted event source": "Zdroj dešifrovanej udalosti",
"Question or topic": "Otázka alebo téma", "Question or topic": "Otázka alebo téma",
"View in room": "Zobraziť v miestnosti", "View in room": "Zobraziť v miestnosti",
"Loading new room": "Načítanie novej miestnosti", "Loading new room": "Načítanie novej miestnosti",
"Change space name": "Zmeniť názov priestoru",
"Change space avatar": "Zmeniť obrázok priestoru",
"Send a sticker": "Odoslať nálepku", "Send a sticker": "Odoslať nálepku",
"& %(count)s more": { "& %(count)s more": {
"one": "a %(count)s viac", "one": "a %(count)s viac",
"other": "& %(count)s viac" "other": "& %(count)s viac"
}, },
"Unknown failure: %(reason)s": "Neznáma chyba: %(reason)s", "Unknown failure: %(reason)s": "Neznáma chyba: %(reason)s",
"Unmute the microphone": "Zrušiť stlmenie mikrofónu",
"Mute the microphone": "Stlmiť mikrofón",
"Collapse reply thread": "Zbaliť vlákno odpovedí", "Collapse reply thread": "Zbaliť vlákno odpovedí",
"Settings - %(spaceName)s": "Nastavenia - %(spaceName)s", "Settings - %(spaceName)s": "Nastavenia - %(spaceName)s",
"Nothing pinned, yet": "Zatiaľ nie je nič pripnuté", "Nothing pinned, yet": "Zatiaľ nie je nič pripnuté",
@ -1939,7 +1871,6 @@
}, },
"Upgrading room": "Aktualizácia miestnosti", "Upgrading room": "Aktualizácia miestnosti",
"Export Successful": "Export úspešný", "Export Successful": "Export úspešný",
"Change description": "Zmeniť popis",
"Unknown failure": "Neznáme zlyhanie", "Unknown failure": "Neznáme zlyhanie",
"Delete avatar": "Vymazať obrázok", "Delete avatar": "Vymazať obrázok",
"Show sidebar": "Zobraziť bočný panel", "Show sidebar": "Zobraziť bočný panel",
@ -1951,7 +1882,6 @@
"Call back": "Zavolať späť", "Call back": "Zavolať späť",
"Connection failed": "Pripojenie zlyhalo", "Connection failed": "Pripojenie zlyhalo",
"Illegal Content": "Nelegálny obsah", "Illegal Content": "Nelegálny obsah",
"Sound on": "Zvuk zapnutý",
"Pinned messages": "Pripnuté správy", "Pinned messages": "Pripnuté správy",
"Use app": "Použiť aplikáciu", "Use app": "Použiť aplikáciu",
"Remember this": "Zapamätať si toto", "Remember this": "Zapamätať si toto",
@ -1964,14 +1894,12 @@
"Update %(brand)s": "Aktualizovať %(brand)s", "Update %(brand)s": "Aktualizovať %(brand)s",
"Feedback sent": "Spätná väzba odoslaná", "Feedback sent": "Spätná väzba odoslaná",
"Unknown App": "Neznáma aplikácia", "Unknown App": "Neznáma aplikácia",
"Uploading logs": "Nahrávanie záznamov",
"Security Key": "Bezpečnostný kľúč", "Security Key": "Bezpečnostný kľúč",
"Security Phrase": "Bezpečnostná fráza", "Security Phrase": "Bezpečnostná fráza",
"Submit logs": "Odoslať záznamy", "Submit logs": "Odoslať záznamy",
"Country Dropdown": "Rozbaľovacie okno krajiny", "Country Dropdown": "Rozbaľovacie okno krajiny",
"%(name)s accepted": "%(name)s prijal", "%(name)s accepted": "%(name)s prijal",
"Forget": "Zabudnúť", "Forget": "Zabudnúť",
"Dialpad": "Číselník",
"Disagree": "Nesúhlasím", "Disagree": "Nesúhlasím",
"Join the beta": "Pripojte sa k beta verzii", "Join the beta": "Pripojte sa k beta verzii",
"Want to add a new room instead?": "Chcete namiesto toho pridať novú miestnosť?", "Want to add a new room instead?": "Chcete namiesto toho pridať novú miestnosť?",
@ -2027,7 +1955,6 @@
"Suggested Rooms": "Navrhované miestnosti", "Suggested Rooms": "Navrhované miestnosti",
"You do not have permissions to add rooms to this space": "Nemáte oprávnenie pridávať miestnosti do tohto priestoru", "You do not have permissions to add rooms to this space": "Nemáte oprávnenie pridávať miestnosti do tohto priestoru",
"You do not have permissions to create new rooms in this space": "Nemáte oprávnenie vytvárať nové miestnosti v tomto priestore", "You do not have permissions to create new rooms in this space": "Nemáte oprávnenie vytvárať nové miestnosti v tomto priestore",
"Send message": "Odoslať správu",
"Share invite link": "Zdieľať odkaz na pozvánku", "Share invite link": "Zdieľať odkaz na pozvánku",
"Click to copy": "Kliknutím skopírujete", "Click to copy": "Kliknutím skopírujete",
"We call the places where you can host your account 'homeservers'.": "Miesta, kde môžete hosťovať svoj účet, nazývame \" domovské servery\".", "We call the places where you can host your account 'homeservers'.": "Miesta, kde môžete hosťovať svoj účet, nazývame \" domovské servery\".",
@ -2138,14 +2065,12 @@
"PRO TIP: If you start a bug, please submit <debugLogsLink>debug logs</debugLogsLink> to help us track down the problem.": "PRO TIP: Ak napíšete príspevok o chybe, odošlite prosím <debugLogsLink>ladiace záznamy</debugLogsLink>, aby ste nám pomohli vystopovať problém.", "PRO TIP: If you start a bug, please submit <debugLogsLink>debug logs</debugLogsLink> to help us track down the problem.": "PRO TIP: Ak napíšete príspevok o chybe, odošlite prosím <debugLogsLink>ladiace záznamy</debugLogsLink>, 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)", "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", "Automatically send debug logs on decryption errors": "Automatické odosielanie záznamov ladenia pri chybe dešifrovania",
"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", "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", "Remove from %(roomName)s": "Odstrániť z %(roomName)s",
"Failed to remove user": "Nepodarilo sa odstrániť používateľa", "Failed to remove user": "Nepodarilo sa odstrániť používateľa",
"Remove from room": "Odstrániť z miestnosti", "Remove from room": "Odstrániť z miestnosti",
"Message bubbles": "Správy v bublinách", "Message bubbles": "Správy v bublinách",
"Are you sure you want to end this poll? This will show the final results of the poll and stop people from being able to vote.": "Ste si istí, že chcete ukončiť túto anketu? Zobrazia sa konečné výsledky ankety a ľudia nebudú môcť už hlasovať.", "Are you sure you want to end this poll? This will show the final results of the poll and stop people from being able to vote.": "Ste si istí, že chcete ukončiť túto anketu? Zobrazia sa konečné výsledky ankety a ľudia nebudú môcť už hlasovať.",
"Send reactions": "Odoslanie reakcií",
"Open this settings tab": "Otvoriť túto kartu nastavení", "Open this settings tab": "Otvoriť túto kartu nastavení",
"Keyboard": "Klávesnica", "Keyboard": "Klávesnica",
"Use high contrast": "Použiť vysoký kontrast", "Use high contrast": "Použiť vysoký kontrast",
@ -2198,7 +2123,6 @@
"one": "%(oneUser)s zmenil ACL servera" "one": "%(oneUser)s zmenil ACL servera"
}, },
"Show all threads": "Zobraziť všetky vlákna", "Show all threads": "Zobraziť všetky vlákna",
"Manage rooms in this space": "Spravovať miestnosti v tomto priestore",
"Recently viewed": "Nedávno zobrazené", "Recently viewed": "Nedávno zobrazené",
"Link to room": "Odkaz na miestnosť", "Link to room": "Odkaz na miestnosť",
"Spaces you're in": "Priestory, v ktorých sa nachádzate", "Spaces you're in": "Priestory, v ktorých sa nachádzate",
@ -2342,7 +2266,6 @@
"To avoid these issues, create a <a>new public room</a> for the conversation you plan to have.": "Ak sa chcete vyhnúť týmto problémom, vytvorte <a>novú verejnú miestnosť</a> pre konverzáciu, ktorú plánujete viesť.", "To avoid these issues, create a <a>new public room</a> for the conversation you plan to have.": "Ak sa chcete vyhnúť týmto problémom, vytvorte <a>novú verejnú miestnosť</a> pre konverzáciu, ktorú plánujete viesť.",
"To avoid these issues, create a <a>new encrypted room</a> for the conversation you plan to have.": "Ak sa chcete vyhnúť týmto problémom, vytvorte <a>novú šifrovanú miestnosť</a> pre konverzáciu, ktorú plánujete viesť.", "To avoid these issues, create a <a>new encrypted room</a> for the conversation you plan to have.": "Ak sa chcete vyhnúť týmto problémom, vytvorte <a>novú šifrovanú miestnosť</a> pre konverzáciu, ktorú plánujete viesť.",
"Select the roles required to change various parts of the space": "Vyberte role potrebné na zmenu rôznych častí tohto priestoru", "Select the roles required to change various parts of the space": "Vyberte role potrebné na zmenu rôznych častí tohto priestoru",
"Change server ACLs": "Zmeniť ACL servera",
"There was an error loading your notification settings.": "Pri načítaní nastavení oznámení došlo k chybe.", "There was an error loading your notification settings.": "Pri načítaní nastavení oznámení došlo k chybe.",
"Error saving notification preferences": "Chyba pri ukladaní nastavení oznamovania", "Error saving notification preferences": "Chyba pri ukladaní nastavení oznamovania",
"This room is in some spaces you're not an admin of. In those spaces, the old room will still be shown, but people will be prompted to join the new one.": "Táto miestnosť sa nachádza v niektorých priestoroch, ktorých nie ste správcom. V týchto priestoroch bude stará miestnosť stále zobrazená, ale ľudia budú vyzvaní, aby sa pripojili k novej miestnosti.", "This room is in some spaces you're not an admin of. In those spaces, the old room will still be shown, but people will be prompted to join the new one.": "Táto miestnosť sa nachádza v niektorých priestoroch, ktorých nie ste správcom. V týchto priestoroch bude stará miestnosť stále zobrazená, ale ľudia budú vyzvaní, aby sa pripojili k novej miestnosti.",
@ -2361,14 +2284,6 @@
"Failed to update the history visibility of this space": "Nepodarilo sa aktualizovať viditeľnosť histórie tohto priestoru", "Failed to update the history visibility of this space": "Nepodarilo sa aktualizovať viditeľnosť histórie tohto priestoru",
"Failed to update the guest access of this space": "Nepodarilo sa aktualizovať hosťovský prístup do tohto priestoru", "Failed to update the guest access of this space": "Nepodarilo sa aktualizovať hosťovský prístup do tohto priestoru",
"Invite with email or username": "Pozvať pomocou e-mailu alebo používateľského mena", "Invite with email or username": "Pozvať pomocou e-mailu alebo používateľského mena",
"Return to call": "Návrat k hovoru",
"Start sharing your screen": "Spustiť zdieľanie vašej obrazovky",
"Stop sharing your screen": "Zastaviť zdieľanie vašej obrazovky",
"Start the camera": "Spustiť kameru",
"Stop the camera": "Zastaviť kameru",
"%(sharerName)s is presenting": "%(sharerName)s prezentuje",
"%(senderName)s ended the call": "%(senderName)s ukončil hovor",
"You ended the call": "Ukončili ste hovor",
"Safeguard against losing access to encrypted messages & data": "Zabezpečte sa proti strate šifrovaných správ a údajov", "Safeguard against losing access to encrypted messages & data": "Zabezpečte sa proti strate šifrovaných správ a údajov",
"Use app for a better experience": "Použite aplikáciu pre lepší zážitok", "Use app for a better experience": "Použite aplikáciu pre lepší zážitok",
"Review to ensure your account is safe": "Skontrolujte, či je vaše konto bezpečné", "Review to ensure your account is safe": "Skontrolujte, či je vaše konto bezpečné",
@ -2446,14 +2361,12 @@
"Poll": "Anketa", "Poll": "Anketa",
"Location": "Poloha", "Location": "Poloha",
"Set addresses for this space so users can find this space through your homeserver (%(localDomain)s)": "Nastavte adresy pre tento priestor, aby ho používatelia mohli nájsť prostredníctvom vášho domovského servera (%(localDomain)s)", "Set addresses for this space so users can find this space through your homeserver (%(localDomain)s)": "Nastavte adresy pre tento priestor, aby ho používatelia mohli nájsť prostredníctvom vášho domovského servera (%(localDomain)s)",
"Manage pinned events": "Spravovať pripnuté udalosti",
"You do not have permissions to add spaces to this space": "Nemáte oprávnenia na pridávanie priestorov do tohto priestoru", "You do not have permissions to add spaces to this space": "Nemáte oprávnenia na pridávanie priestorov do tohto priestoru",
"Feedback sent! Thanks, we appreciate it!": "Spätná väzba odoslaná! Ďakujeme, vážime si to!", "Feedback sent! Thanks, we appreciate it!": "Spätná väzba odoslaná! Ďakujeme, vážime si to!",
"Use <arrows/> to scroll": "Na posúvanie použite <arrows/>", "Use <arrows/> to scroll": "Na posúvanie použite <arrows/>",
"This is a beta feature": "Toto je funkcia vo verzii beta", "This is a beta feature": "Toto je funkcia vo verzii beta",
"Click for more info": "Kliknite pre viac informácií", "Click for more info": "Kliknite pre viac informácií",
"%(space1Name)s and %(space2Name)s": "%(space1Name)s a %(space2Name)s", "%(space1Name)s and %(space2Name)s": "%(space1Name)s a %(space2Name)s",
"%(name)s on hold": "%(name)s je podržaný",
"Link this email with your account in Settings to receive invites directly in %(brand)s.": "Prepojte tento e-mail so svojím účtom v Nastaveniach, aby ste mohli dostávať pozvánky priamo v aplikácii %(brand)s.", "Link this email with your account in Settings to receive invites directly in %(brand)s.": "Prepojte tento e-mail so svojím účtom v Nastaveniach, aby ste mohli dostávať pozvánky priamo v aplikácii %(brand)s.",
"In reply to <a>this message</a>": "V odpovedi na <a>túto správu</a>", "In reply to <a>this message</a>": "V odpovedi na <a>túto správu</a>",
"Invite by email": "Pozvať e-mailom", "Invite by email": "Pozvať e-mailom",
@ -2496,13 +2409,11 @@
"The poll has ended. Top answer: %(topAnswer)s": "Anketa sa skončila. Najčastejšia odpoveď: %(topAnswer)s", "The poll has ended. Top answer: %(topAnswer)s": "Anketa sa skončila. Najčastejšia odpoveď: %(topAnswer)s",
"Failed to end poll": "Nepodarilo sa ukončiť anketu", "Failed to end poll": "Nepodarilo sa ukončiť anketu",
"Sorry, the poll did not end. Please try again.": "Ospravedlňujeme sa, ale anketa sa neskončila. Skúste to prosím znova.", "Sorry, the poll did not end. Please try again.": "Ospravedlňujeme sa, ale anketa sa neskončila. Skúste to prosím znova.",
"Dial": "Vytočiť číslo",
"Keep discussions organised with threads": "Udržujte diskusie organizované pomocou vlákien", "Keep discussions organised with threads": "Udržujte diskusie organizované pomocou vlákien",
"Shows all threads you've participated in": "Zobrazí všetky vlákna, v ktorých ste sa zúčastnili", "Shows all threads you've participated in": "Zobrazí všetky vlákna, v ktorých ste sa zúčastnili",
"My threads": "Moje vlákna", "My threads": "Moje vlákna",
"Shows all threads from current room": "Zobrazí všetky vlákna z aktuálnej miestnosti", "Shows all threads from current room": "Zobrazí všetky vlákna z aktuálnej miestnosti",
"Reply in thread": "Odpovedať vo vlákne", "Reply in thread": "Odpovedať vo vlákne",
"Reply to thread…": "Odpovedať na vlákno…",
"From a thread": "Z vlákna", "From a thread": "Z vlákna",
"%(severalUsers)sremoved a message %(count)s times": { "%(severalUsers)sremoved a message %(count)s times": {
"other": "%(severalUsers)sodstránili %(count)s správ", "other": "%(severalUsers)sodstránili %(count)s správ",
@ -2567,14 +2478,10 @@
"Pinned": "Pripnuté", "Pinned": "Pripnuté",
"Open thread": "Otvoriť vlákno", "Open thread": "Otvoriť vlákno",
"Failed to update the join rules": "Nepodarilo sa aktualizovať pravidlá pripojenia", "Failed to update the join rules": "Nepodarilo sa aktualizovať pravidlá pripojenia",
"Remove messages sent by me": "Odstrániť správy odoslané mnou",
"Confirm logging out these devices by using Single Sign On to prove your identity.": { "Confirm logging out these devices by using Single Sign On to prove your identity.": {
"other": "Potvrďte odhlásenie týchto zariadení pomocou jednotného prihlásenia (SSO) na preukázanie svojej totožnosti.", "other": "Potvrďte odhlásenie týchto zariadení pomocou jednotného prihlásenia (SSO) na preukázanie svojej totožnosti.",
"one": "Potvrďte odhlásenie tohto zariadenia pomocou jednotného prihlásenia (SSO) na preukázanie svojej totožnosti." "one": "Potvrďte odhlásenie tohto zariadenia pomocou jednotného prihlásenia (SSO) na preukázanie svojej totožnosti."
}, },
"%(peerName)s held the call": "%(peerName)s podržal hovor",
"You held the call <a>Resume</a>": "Podržali ste hovor <a>Pokračovať</a>",
"You held the call <a>Switch</a>": "Podržali ste hovor <a>Prepnúť</a>",
"sends rainfall": "odošle dážď", "sends rainfall": "odošle dážď",
"Sends the given message with rainfall": "Odošle danú správu s dažďom", "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", "Automatically send debug logs when key backup is not functioning": "Automaticky odosielať záznamy o ladení, ak zálohovanie kľúčov nefunguje",
@ -2616,7 +2523,6 @@
"Switches to this room's virtual room, if it has one": "Prepne do virtuálnej miestnosti tejto miestnosti, ak ju má", "Switches to this room's virtual room, if it has one": "Prepne do virtuálnej miestnosti tejto miestnosti, ak ju má",
"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 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.", "Command error: Unable to handle slash command.": "Chyba príkazu: Nie je možné spracovať lomkový príkaz.",
"Already in call": "Hovor už prebieha",
"Command Help": "Pomocník príkazov", "Command Help": "Pomocník príkazov",
"Export Cancelled": "Export zrušený", "Export Cancelled": "Export zrušený",
"My live location": "Moja poloha v reálnom čase", "My live location": "Moja poloha v reálnom čase",
@ -2665,11 +2571,8 @@
"Resend %(unsentCount)s reaction(s)": "Opätovné odoslanie %(unsentCount)s reakcií", "Resend %(unsentCount)s reaction(s)": "Opätovné odoslanie %(unsentCount)s reakcií",
"Consult first": "Najprv konzultovať", "Consult first": "Najprv konzultovať",
"Disinvite from %(roomName)s": "Zrušenie pozvania z %(roomName)s", "Disinvite from %(roomName)s": "Zrušenie pozvania z %(roomName)s",
"You are presenting": "Prezentujete",
"Consulting with %(transferTarget)s. <a>Transfer to %(transferee)s</a>": "Konzultovanie s %(transferTarget)s. <a>Presmerovanie na %(transferee)s</a>",
"sends space invaders": "odošle vesmírnych útočníkov", "sends space invaders": "odošle vesmírnych útočníkov",
"Sends the given message with a space themed effect": "Odošle zadanú správu s efektom vesmíru", "Sends the given message with a space themed effect": "Odošle zadanú správu s efektom vesmíru",
"Silence call": "Stlmiť hovor",
"Don't miss a reply": "Nezmeškajte odpoveď", "Don't miss a reply": "Nezmeškajte odpoveď",
"The above, but in <Room /> as well": "Vyššie uvedené, ale aj v <Room />", "The above, but in <Room /> as well": "Vyššie uvedené, ale aj v <Room />",
"The above, but in any room you are joined or invited to as well": "Vyššie uvedené, ale tiež v akejkoľvek miestnosti do ktorej ste sa pripojili alebo do ktorej ste boli prizvaný", "The above, but in any room you are joined or invited to as well": "Vyššie uvedené, ale tiež v akejkoľvek miestnosti do ktorej ste sa pripojili alebo do ktorej ste boli prizvaný",
@ -2763,12 +2666,6 @@
"View List": "Zobraziť zoznam", "View List": "Zobraziť zoznam",
"View list": "Zobraziť zoznam", "View list": "Zobraziť zoznam",
"Updated %(humanizedUpdateTime)s": "Aktualizované %(humanizedUpdateTime)s", "Updated %(humanizedUpdateTime)s": "Aktualizované %(humanizedUpdateTime)s",
"Turn on camera": "Zapnúť kameru",
"Turn off camera": "Vypnúť kameru",
"Video devices": "Video zariadenia",
"Unmute microphone": "Zrušiť stlmenie mikrofónu",
"Mute microphone": "Stlmiť mikrofón",
"Audio devices": "Zvukové zariadenia",
"Hide my messages from new joiners": "Skryť moje správy pred novými členmi", "Hide my messages from new joiners": "Skryť moje správy pred novými členmi",
"Your old messages will still be visible to people who received them, just like emails you sent in the past. Would you like to hide your sent messages from people who join rooms in the future?": "Vaše staré správy budú stále viditeľné pre ľudí, ktorí ich prijali, rovnako ako e-maily, ktoré ste poslali v minulosti. Chcete skryť svoje odoslané správy pred ľuďmi, ktorí sa do miestností pripoja v budúcnosti?", "Your old messages will still be visible to people who received them, just like emails you sent in the past. Would you like to hide your sent messages from people who join rooms in the future?": "Vaše staré správy budú stále viditeľné pre ľudí, ktorí ich prijali, rovnako ako e-maily, ktoré ste poslali v minulosti. Chcete skryť svoje odoslané správy pred ľuďmi, ktorí sa do miestností pripoja v budúcnosti?",
"You will be removed from the identity server: your friends will no longer be able to find you with your email or phone number": "Budete odstránení zo servera identity: vaši priatelia vás už nebudú môcť nájsť pomocou vášho e-mailu ani telefónneho čísla", "You will be removed from the identity server: your friends will no longer be able to find you with your email or phone number": "Budete odstránení zo servera identity: vaši priatelia vás už nebudú môcť nájsť pomocou vášho e-mailu ani telefónneho čísla",
@ -2951,7 +2848,6 @@
"Sign out of this session": "Odhlásiť sa z tejto relácie", "Sign out of this session": "Odhlásiť sa z tejto relácie",
"Rename session": "Premenovať reláciu", "Rename session": "Premenovať reláciu",
"Voice broadcast": "Hlasové vysielanie", "Voice broadcast": "Hlasové vysielanie",
"Voice broadcasts": "Hlasové vysielania",
"You do not have permission to start voice calls": "Nemáte povolenie na spustenie hlasových hovorov", "You do not have permission to start voice calls": "Nemáte povolenie na spustenie hlasových hovorov",
"There's no one here to call": "Nie je tu nikto, komu by ste mohli zavolať", "There's no one here to call": "Nie je tu nikto, komu by ste mohli zavolať",
"You do not have permission to start video calls": "Nemáte povolenie na spustenie videohovorov", "You do not have permission to start video calls": "Nemáte povolenie na spustenie videohovorov",
@ -2973,7 +2869,6 @@
"Web session": "Webová relácia", "Web session": "Webová relácia",
"Mobile session": "Relácia na mobile", "Mobile session": "Relácia na mobile",
"Desktop session": "Relácia stolného počítača", "Desktop session": "Relácia stolného počítača",
"Video call started": "Videohovor bol spustený",
"Unknown room": "Neznáma miestnosť", "Unknown room": "Neznáma miestnosť",
"Close call": "Zavrieť hovor", "Close call": "Zavrieť hovor",
"Room info": "Informácie o miestnosti", "Room info": "Informácie o miestnosti",
@ -2986,13 +2881,9 @@
"You do not have sufficient permissions to change this.": "Nemáte dostatočné oprávnenia na to, aby ste toto mohli zmeniť.", "You do not have sufficient permissions to change this.": "Nemáte dostatočné oprávnenia na to, aby ste toto mohli zmeniť.",
"%(brand)s is end-to-end encrypted, but is currently limited to smaller numbers of users.": "%(brand)s je end-to-end šifrovaný, ale v súčasnosti je obmedzený pre menší počet používateľov.", "%(brand)s is end-to-end encrypted, but is currently limited to smaller numbers of users.": "%(brand)s je end-to-end šifrovaný, ale v súčasnosti je obmedzený pre menší počet používateľov.",
"Enable %(brand)s as an additional calling option in this room": "Zapnúť %(brand)s ako ďalšiu možnosť volania v tejto miestnosti", "Enable %(brand)s as an additional calling option in this room": "Zapnúť %(brand)s ako ďalšiu možnosť volania v tejto miestnosti",
"Join %(brand)s calls": "Pripojiť sa k %(brand)s hovorom",
"Start %(brand)s calls": "Spustiť %(brand)s hovory",
"Fill screen": "Vyplniť obrazovku",
"Sorry — this call is currently full": "Prepáčte — tento hovor je momentálne obsadený", "Sorry — this call is currently full": "Prepáčte — tento hovor je momentálne obsadený",
"resume voice broadcast": "obnoviť hlasové vysielanie", "resume voice broadcast": "obnoviť hlasové vysielanie",
"pause voice broadcast": "pozastaviť hlasové vysielanie", "pause voice broadcast": "pozastaviť hlasové vysielanie",
"Notifications silenced": "Oznámenia stlmené",
"Completing set up of your new device": "Dokončenie nastavenia nového zariadenia", "Completing set up of your new device": "Dokončenie nastavenia nového zariadenia",
"Waiting for device to sign in": "Čaká sa na prihlásenie zariadenia", "Waiting for device to sign in": "Čaká sa na prihlásenie zariadenia",
"Review and approve the sign in": "Skontrolujte a schváľte prihlásenie", "Review and approve the sign in": "Skontrolujte a schváľte prihlásenie",
@ -3265,8 +3156,6 @@
"%(errorMessage)s (HTTP status %(httpStatus)s)": "%(errorMessage)s (HTTP stav %(httpStatus)s)", "%(errorMessage)s (HTTP status %(httpStatus)s)": "%(errorMessage)s (HTTP stav %(httpStatus)s)",
"Unknown password change error (%(stringifiedError)s)": "Neznáma chyba pri zmene hesla (%(stringifiedError)s)", "Unknown password change error (%(stringifiedError)s)": "Neznáma chyba pri zmene hesla (%(stringifiedError)s)",
"Error while changing password: %(error)s": "Chyba pri zmene hesla: %(error)s", "Error while changing password: %(error)s": "Chyba pri zmene hesla: %(error)s",
"%(sender)s reacted %(reaction)s to %(message)s": "%(sender)s reagoval/a %(reaction)s na %(message)s",
"You reacted %(reaction)s to %(message)s": "Reagovali ste %(reaction)s na %(message)s",
"Cannot invite user by email without an identity server. You can connect to one under \"Settings\".": "Nie je možné pozvať používateľa e-mailom bez servera totožnosti. Môžete sa k nemu pripojiť v časti \"Nastavenia\".", "Cannot invite user by email without an identity server. You can connect to one under \"Settings\".": "Nie je možné pozvať používateľa e-mailom bez servera totožnosti. Môžete sa k nemu pripojiť v časti \"Nastavenia\".",
"Unable to create room with moderation bot": "Nie je možné vytvoriť miestnosť pomocou moderačného bota", "Unable to create room with moderation bot": "Nie je možné vytvoriť miestnosť pomocou moderačného bota",
"Failed to download source media, no source url was found": "Nepodarilo sa stiahnuť zdrojové médium, nebola nájdená žiadna zdrojová url adresa", "Failed to download source media, no source url was found": "Nepodarilo sa stiahnuť zdrojové médium, nebola nájdená žiadna zdrojová url adresa",
@ -3429,7 +3318,11 @@
"server": "Server", "server": "Server",
"capabilities": "Schopnosti", "capabilities": "Schopnosti",
"unnamed_room": "Nepomenovaná miestnosť", "unnamed_room": "Nepomenovaná miestnosť",
"unnamed_space": "Nepomenovaný priestor" "unnamed_space": "Nepomenovaný priestor",
"stickerpack": "Balíček nálepiek",
"system_alerts": "Systémové upozornenia",
"secure_backup": "Bezpečné zálohovanie",
"cross_signing": "Krížové podpisovanie"
}, },
"action": { "action": {
"continue": "Pokračovať", "continue": "Pokračovať",
@ -3608,7 +3501,14 @@
"format_decrease_indent": "Zmenšenie odsadenia", "format_decrease_indent": "Zmenšenie odsadenia",
"format_inline_code": "Kód", "format_inline_code": "Kód",
"format_code_block": "Blok kódu", "format_code_block": "Blok kódu",
"format_link": "Odkaz" "format_link": "Odkaz",
"send_button_title": "Odoslať správu",
"placeholder_thread_encrypted": "Odpovedať na zašifrované vlákno…",
"placeholder_thread": "Odpovedať na vlákno…",
"placeholder_reply_encrypted": "Odoslať šifrovanú odpoveď…",
"placeholder_reply": "Odoslať odpoveď…",
"placeholder_encrypted": "Odoslať šifrovanú správu…",
"placeholder": "Odoslať správu…"
}, },
"Bold": "Tučné", "Bold": "Tučné",
"Link": "Odkaz", "Link": "Odkaz",
@ -3631,7 +3531,11 @@
"send_logs": "Odoslať záznamy", "send_logs": "Odoslať záznamy",
"github_issue": "Správa o probléme na GitHub", "github_issue": "Správa o probléme na GitHub",
"download_logs": "Stiahnuť záznamy", "download_logs": "Stiahnuť záznamy",
"before_submitting": "Pred tým, než odošlete záznamy, musíte <a>nahlásiť váš problém na GitHub</a>. Uvedte prosím podrobný popis." "before_submitting": "Pred tým, než odošlete záznamy, musíte <a>nahlásiť váš problém na GitHub</a>. Uvedte prosím podrobný popis.",
"collecting_information": "Získavajú sa informácie o verzii aplikácii",
"collecting_logs": "Získavajú sa záznamy",
"uploading_logs": "Nahrávanie záznamov",
"downloading_logs": "Sťahovanie záznamov"
}, },
"time": { "time": {
"hours_minutes_seconds_left": "ostáva %(hours)sh %(minutes)sm %(seconds)ss", "hours_minutes_seconds_left": "ostáva %(hours)sh %(minutes)sm %(seconds)ss",
@ -3839,7 +3743,9 @@
"developer_tools": "Vývojárske nástroje", "developer_tools": "Vývojárske nástroje",
"room_id": "ID miestnosti: %(roomId)s", "room_id": "ID miestnosti: %(roomId)s",
"thread_root_id": "ID koreňového vlákna: %(threadRootId)s", "thread_root_id": "ID koreňového vlákna: %(threadRootId)s",
"event_id": "ID udalosti: %(eventId)s" "event_id": "ID udalosti: %(eventId)s",
"category_room": "Miestnosť",
"category_other": "Ďalšie"
}, },
"export_chat": { "export_chat": {
"html": "HTML", "html": "HTML",
@ -3997,6 +3903,9 @@
"other": "%(names)s a %(count)s ďalší píšu …", "other": "%(names)s a %(count)s ďalší píšu …",
"one": "%(names)s a jeden ďalší píše …" "one": "%(names)s a jeden ďalší píše …"
} }
},
"m.call.hangup": {
"dm": "Hovor skončil"
} }
}, },
"slash_command": { "slash_command": {
@ -4033,7 +3942,14 @@
"help": "Zobrazí zoznam príkazov s popisom a príkladmi použitia", "help": "Zobrazí zoznam príkazov s popisom a príkladmi použitia",
"whois": "Zobrazuje informácie o používateľovi", "whois": "Zobrazuje informácie o používateľovi",
"rageshake": "Zaslať chybové hlásenie so záznamami", "rageshake": "Zaslať chybové hlásenie so záznamami",
"msg": "Pošle správu danému používateľovi" "msg": "Pošle správu danému používateľovi",
"usage": "Použitie",
"category_messages": "Správy",
"category_actions": "Akcie",
"category_admin": "Správca",
"category_advanced": "Pokročilé",
"category_effects": "Efekty",
"category_other": "Ďalšie"
}, },
"presence": { "presence": {
"busy": "Obsadený/zaneprázdnený", "busy": "Obsadený/zaneprázdnený",
@ -4047,5 +3963,108 @@
"offline": "Nedostupný", "offline": "Nedostupný",
"away": "Preč" "away": "Preč"
}, },
"Unknown": "Neznámy" "Unknown": "Neznámy",
"event_preview": {
"m.call.answer": {
"you": "Pridali ste sa do hovoru",
"user": "%(senderName)s sa pridal/a do hovoru",
"dm": "Práve prebieha hovor"
},
"m.call.hangup": {
"you": "Ukončili ste hovor",
"user": "%(senderName)s ukončil hovor"
},
"m.call.invite": {
"you": "Začali ste hovor",
"user": "%(senderName)s začal/a hovor",
"dm_send": "Čakám na odpoveď",
"dm_receive": "%(senderName)s volá"
},
"m.emote": "* %(senderName)s %(emote)s",
"m.text": "%(senderName)s: %(message)s",
"m.reaction": {
"you": "Reagovali ste %(reaction)s na %(message)s",
"user": "%(sender)s reagoval/a %(reaction)s na %(message)s"
},
"m.sticker": "%(senderName)s: %(stickerName)s"
},
"voip": {
"disable_microphone": "Stlmiť mikrofón",
"enable_microphone": "Zrušiť stlmenie mikrofónu",
"disable_camera": "Vypnúť kameru",
"enable_camera": "Zapnúť kameru",
"audio_devices": "Zvukové zariadenia",
"video_devices": "Video zariadenia",
"dial": "Vytočiť číslo",
"you_are_presenting": "Prezentujete",
"user_is_presenting": "%(sharerName)s prezentuje",
"camera_disabled": "Váš fotoaparát je vypnutý",
"camera_enabled": "Fotoaparát je stále zapnutý",
"consulting": "Konzultovanie s %(transferTarget)s. <a>Presmerovanie na %(transferee)s</a>",
"call_held_switch": "Podržali ste hovor <a>Prepnúť</a>",
"call_held_resume": "Podržali ste hovor <a>Pokračovať</a>",
"call_held": "%(peerName)s podržal hovor",
"dialpad": "Číselník",
"stop_screenshare": "Zastaviť zdieľanie vašej obrazovky",
"start_screenshare": "Spustiť zdieľanie vašej obrazovky",
"hangup": "Zavesiť",
"maximise": "Vyplniť obrazovku",
"expand": "Návrat k hovoru",
"on_hold": "%(name)s je podržaný",
"voice_call": "Hlasový hovor",
"video_call": "Video hovor",
"video_call_started": "Videohovor bol spustený",
"unsilence": "Zvuk zapnutý",
"silence": "Stlmiť hovor",
"silenced": "Oznámenia stlmené",
"unknown_caller": "Neznámy volajúci",
"call_failed": "Zlyhanie hovoru",
"unable_to_access_microphone": "Nie je možné získať prístup k mikrofónu",
"call_failed_microphone": "Hovor zlyhal, pretože nebolo možné získať prístup k mikrofónu. Skontrolujte, či je mikrofón pripojený a správne nastavený.",
"unable_to_access_media": "Nie je možné získať prístup k webkamere / mikrofónu",
"call_failed_media": "Hovor zlyhal, pretože nebolo možné získať prístup k webkamere alebo mikrofónu. Skontrolujte, či:",
"call_failed_media_connected": "Mikrofón a webkamera sú pripojené a správne nastavené",
"call_failed_media_permissions": "Udeľuje sa povolenie na používanie webkamery",
"call_failed_media_applications": "Webkameru nepoužíva žiadna iná aplikácia",
"already_in_call": "Hovor už prebieha",
"already_in_call_person": "S touto osobou už hovor prebieha.",
"unsupported": "Volania nie sú podporované",
"unsupported_browser": "V tomto prehliadači nie je možné uskutočňovať hovory."
},
"Messages": "Správy",
"Other": "Ďalšie",
"Advanced": "Pokročilé",
"room_settings": {
"permissions": {
"m.room.avatar_space": "Zmeniť obrázok priestoru",
"m.room.avatar": "Zmeniť obrázok miestnosti",
"m.room.name_space": "Zmeniť názov priestoru",
"m.room.name": "Zmeniť názov miestnosti",
"m.room.canonical_alias_space": "Zmeniť hlavnú adresu priestoru",
"m.room.canonical_alias": "Zmeniť hlavnú adresu miestnosti",
"m.space.child": "Spravovať miestnosti v tomto priestore",
"m.room.history_visibility": "Zmeniť viditeľnosť histórie",
"m.room.power_levels": "Zmeniť povolenia",
"m.room.topic_space": "Zmeniť popis",
"m.room.topic": "Zmeniť tému",
"m.room.tombstone": "Aktualizovať miestnosť",
"m.room.encryption": "Povoliť v miestnosti šifrovanie",
"m.room.server_acl": "Zmeniť ACL servera",
"m.reaction": "Odoslanie reakcií",
"m.room.redaction": "Odstrániť správy odoslané mnou",
"m.widget": "Upraviť widgety",
"io.element.voice_broadcast_info": "Hlasové vysielania",
"m.room.pinned_events": "Spravovať pripnuté udalosti",
"m.call": "Spustiť %(brand)s hovory",
"m.call.member": "Pripojiť sa k %(brand)s hovorom",
"users_default": "Predvolená rola",
"events_default": "Odoslať správy",
"invite": "Pozvať používateľov",
"state_default": "Zmeniť nastavenia",
"kick": "Odstrániť používateľov",
"ban": "Zakázať používateľov",
"redact": "Odstrániť správy odoslané inými osobami",
"notifications.room": "Poslať oznámenie všetkým"
}
}
} }

View file

@ -14,7 +14,6 @@
"Confirm adding phone number": "Potrdi dodajanje telefonske številke", "Confirm adding phone number": "Potrdi dodajanje telefonske številke",
"Click the button below to confirm adding this phone number.": "Pritisnite gumb spodaj da potrdite dodajanje te telefonske številke.", "Click the button below to confirm adding this phone number.": "Pritisnite gumb spodaj da potrdite dodajanje te telefonske številke.",
"Add Phone Number": "Dodaj telefonsko številko", "Add Phone Number": "Dodaj telefonsko številko",
"Call Failed": "Klic ni uspel",
"Explore rooms": "Raziščite sobe", "Explore rooms": "Raziščite sobe",
"Create Account": "Registracija", "Create Account": "Registracija",
"Identity server has no terms of service": "Identifikacijski strežnik nima pogojev storitve", "Identity server has no terms of service": "Identifikacijski strežnik nima pogojev storitve",
@ -69,5 +68,8 @@
"short_hours": "%(value)s ura", "short_hours": "%(value)s ura",
"short_minutes": "%(value)s minuta", "short_minutes": "%(value)s minuta",
"short_seconds": "%(value)s sekunda" "short_seconds": "%(value)s sekunda"
},
"voip": {
"call_failed": "Klic ni uspel"
} }
} }

View file

@ -2,7 +2,6 @@
"This email address is already in use": "Kjo adresë email është tashmë në përdorim", "This email address is already in use": "Kjo adresë email është tashmë në përdorim",
"This phone number is already in use": "Ky numër telefoni është tashmë në përdorim", "This phone number is already in use": "Ky numër telefoni është tashmë në përdorim",
"Failed to verify email address: make sure you clicked the link in the email": "Su arrit të verifikohej adresë email: sigurohuni se keni klikuar lidhjen te email-i", "Failed to verify email address: make sure you clicked the link in the email": "Su arrit të verifikohej adresë email: sigurohuni se keni klikuar lidhjen te email-i",
"Call Failed": "Thirrja Dështoi",
"You cannot place a call with yourself.": "Smund të bëni thirrje me vetveten.", "You cannot place a call with yourself.": "Smund të bëni thirrje me vetveten.",
"Warning!": "Sinjalizim!", "Warning!": "Sinjalizim!",
"Upload Failed": "Ngarkimi Dështoi", "Upload Failed": "Ngarkimi Dështoi",
@ -39,7 +38,6 @@
"Default": "Parazgjedhje", "Default": "Parazgjedhje",
"Restricted": "E kufizuar", "Restricted": "E kufizuar",
"Moderator": "Moderator", "Moderator": "Moderator",
"Admin": "Përgjegjës",
"Operation failed": "Veprimi dështoi", "Operation failed": "Veprimi dështoi",
"Failed to invite": "Su arrit të ftohej", "Failed to invite": "Su arrit të ftohej",
"You need to be logged in.": "Lypset të jeni i futur në llogarinë tuaj.", "You need to be logged in.": "Lypset të jeni i futur në llogarinë tuaj.",
@ -51,7 +49,6 @@
"You are not in this room.": "Sgjendeni në këtë dhomë.", "You are not in this room.": "Sgjendeni në këtë dhomë.",
"You do not have permission to do that in this room.": "Skeni leje për ta bërë këtë në këtë dhomë.", "You do not have permission to do that in this room.": "Skeni leje për ta bërë këtë në këtë dhomë.",
"Room %(roomId)s not visible": "Dhoma %(roomId)s sështë e dukshme", "Room %(roomId)s not visible": "Dhoma %(roomId)s sështë e dukshme",
"Usage": "Përdorim",
"Ignored user": "Përdorues i shpërfillur", "Ignored user": "Përdorues i shpërfillur",
"You are now ignoring %(userId)s": "Tani po e shpërfillni %(userId)s", "You are now ignoring %(userId)s": "Tani po e shpërfillni %(userId)s",
"Unignored user": "U hoq shpërfillja për përdoruesin", "Unignored user": "U hoq shpërfillja për përdoruesin",
@ -74,14 +71,12 @@
"Filter results": "Filtroni përfundimet", "Filter results": "Filtroni përfundimet",
"No update available.": "Ska përditësim gati.", "No update available.": "Ska përditësim gati.",
"Noisy": "I zhurmshëm", "Noisy": "I zhurmshëm",
"Collecting app version information": "Po grumbullohen të dhëna versioni aplikacioni",
"Search…": "Kërkoni…", "Search…": "Kërkoni…",
"Tuesday": "E martë", "Tuesday": "E martë",
"Preparing to send logs": "Po përgatitet për dërgim regjistrash", "Preparing to send logs": "Po përgatitet për dërgim regjistrash",
"Unnamed room": "Dhomë e paemërtuar", "Unnamed room": "Dhomë e paemërtuar",
"Saturday": "E shtunë", "Saturday": "E shtunë",
"Monday": "E hënë", "Monday": "E hënë",
"Collecting logs": "Po grumbullohen regjistra",
"Failed to forget room %(errCode)s": "Su arrit të harrohej dhoma %(errCode)s", "Failed to forget room %(errCode)s": "Su arrit të harrohej dhoma %(errCode)s",
"Wednesday": "E mërkurë", "Wednesday": "E mërkurë",
"All messages": "Krejt mesazhet", "All messages": "Krejt mesazhet",
@ -129,10 +124,6 @@
"one": "dhe një tjetër…" "one": "dhe një tjetër…"
}, },
"Filter room members": "Filtroni anëtarë dhome", "Filter room members": "Filtroni anëtarë dhome",
"Voice call": "Thirrje audio",
"Video call": "Thirrje video",
"Send an encrypted reply…": "Dërgoni një përgjigje të fshehtëzuar…",
"Send an encrypted message…": "Dërgoni një mesazh të fshehtëzuar…",
"You do not have permission to post to this room": "Skeni leje të postoni në këtë dhomë", "You do not have permission to post to this room": "Skeni leje të postoni në këtë dhomë",
"Server error": "Gabim shërbyesi", "Server error": "Gabim shërbyesi",
"Command error": "Gabim urdhri", "Command error": "Gabim urdhri",
@ -151,7 +142,6 @@
"Who can read history?": "Kush mund të lexojë historikun?", "Who can read history?": "Kush mund të lexojë historikun?",
"Anyone": "Cilido", "Anyone": "Cilido",
"Permissions": "Leje", "Permissions": "Leje",
"Advanced": "Të mëtejshme",
"Decrypt %(text)s": "Shfshehtëzoje %(text)s", "Decrypt %(text)s": "Shfshehtëzoje %(text)s",
"Copied!": "U kopjua!", "Copied!": "U kopjua!",
"Add an Integration": "Shtoni një Integrim", "Add an Integration": "Shtoni një Integrim",
@ -252,7 +242,6 @@
"Failed to mute user": "Su arrit ti hiqej zëri përdoruesit", "Failed to mute user": "Su arrit ti hiqej zëri përdoruesit",
"Failed to change power level": "Su arrit të ndryshohej shkalla e pushtetit", "Failed to change power level": "Su arrit të ndryshohej shkalla e pushtetit",
"Invited": "I ftuar", "Invited": "I ftuar",
"Hangup": "Mbylle Thirrjen",
"Replying": "Po përgjigjet", "Replying": "Po përgjigjet",
"Failed to unban": "Su arrit ti hiqej dëbimi", "Failed to unban": "Su arrit ti hiqej dëbimi",
"Members only (since the point in time of selecting this option)": "Vetëm anëtarët (që nga çasti i përzgjedhjes së kësaj mundësie)", "Members only (since the point in time of selecting this option)": "Vetëm anëtarët (që nga çasti i përzgjedhjes së kësaj mundësie)",
@ -362,7 +351,6 @@
"Send analytics data": "Dërgo të dhëna analitike", "Send analytics data": "Dërgo të dhëna analitike",
"This event could not be displayed": "Ky akt su shfaq dot", "This event could not be displayed": "Ky akt su shfaq dot",
"The conversation continues here.": "Biseda vazhdon këtu.", "The conversation continues here.": "Biseda vazhdon këtu.",
"System Alerts": "Sinjalizime Sistemi",
"Muted Users": "Përdorues të Heshtur", "Muted Users": "Përdorues të Heshtur",
"Only room administrators will see this warning": "Këtë sinjalizim mund ta shohin vetëm përgjegjësit e dhomës", "Only room administrators will see this warning": "Këtë sinjalizim mund ta shohin vetëm përgjegjësit e dhomës",
"Popout widget": "Widget flluskë", "Popout widget": "Widget flluskë",
@ -432,7 +420,6 @@
"You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.": "Sdo të jeni në gjendje ta zhbëni këtë, ngaqë po zhgradoni veten, nëse jeni përdoruesi i fundit i privilegjuar te dhoma do të jetë e pamundur të rifitoni privilegjet.", "You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.": "Sdo të jeni në gjendje ta zhbëni këtë, ngaqë po zhgradoni veten, nëse jeni përdoruesi i fundit i privilegjuar te dhoma do të jetë e pamundur të rifitoni privilegjet.",
"Jump to read receipt": "Hidhuni te leximi i faturës", "Jump to read receipt": "Hidhuni te leximi i faturës",
"This room is not accessible by remote Matrix servers": "Kjo dhomë nuk është e përdorshme nga shërbyes Matrix të largët", "This room is not accessible by remote Matrix servers": "Kjo dhomë nuk është e përdorshme nga shërbyes Matrix të largët",
"Stickerpack": "Paketë ngjitësish",
"You have <a>enabled</a> URL previews by default.": "E keni <a>aktivizuar</a>, si parazgjedhje, paraparjen e URL-ve.", "You have <a>enabled</a> URL previews by default.": "E keni <a>aktivizuar</a>, si parazgjedhje, paraparjen e URL-ve.",
"You have <a>disabled</a> URL previews by default.": "E keni <a>çaktivizuar</a>, si parazgjedhje, paraparjen e URL-ve.", "You have <a>disabled</a> URL previews by default.": "E keni <a>çaktivizuar</a>, si parazgjedhje, paraparjen e URL-ve.",
"URL previews are enabled by default for participants in this room.": "Për pjesëmarrësit në këtë dhomë paraparja e URL-ve është e aktivizuar, si parazgjedhje.", "URL previews are enabled by default for participants in this room.": "Për pjesëmarrësit në këtë dhomë paraparja e URL-ve është e aktivizuar, si parazgjedhje.",
@ -566,7 +553,6 @@
"Email (optional)": "Email (në daçi)", "Email (optional)": "Email (në daçi)",
"Phone (optional)": "Telefoni (në daçi)", "Phone (optional)": "Telefoni (në daçi)",
"Join millions for free on the largest public server": "Bashkojuni milionave, falas, në shërbyesin më të madh publik", "Join millions for free on the largest public server": "Bashkojuni milionave, falas, në shërbyesin më të madh publik",
"Other": "Tjetër",
"General failure": "Dështim i përgjithshëm", "General failure": "Dështim i përgjithshëm",
"Create account": "Krijoni llogari", "Create account": "Krijoni llogari",
"Recovery Method Removed": "U hoq Metodë Rimarrje", "Recovery Method Removed": "U hoq Metodë Rimarrje",
@ -659,19 +645,6 @@
"Could not load user profile": "Su ngarkua dot profili i përdoruesit", "Could not load user profile": "Su ngarkua dot profili i përdoruesit",
"The user must be unbanned before they can be invited.": "Para se të ftohen, përdoruesve u duhet hequr dëbimi.", "The user must be unbanned before they can be invited.": "Para se të ftohen, përdoruesve u duhet hequr dëbimi.",
"Accept all %(invitedRooms)s invites": "Prano krejt ftesat prej %(invitedRooms)s", "Accept all %(invitedRooms)s invites": "Prano krejt ftesat prej %(invitedRooms)s",
"Change room avatar": "Ndryshoni avatar dhome",
"Change room name": "Ndryshoni emër dhome",
"Change main address for the room": "Ndryshoni adresë kryesore për dhomën",
"Change history visibility": "Ndryshoni dukshmëri historiku",
"Change permissions": "Ndryshoni leje",
"Change topic": "Ndryshoni temë",
"Modify widgets": "Modifikoni widget-e",
"Default role": "Rol parazgjedhje",
"Send messages": "Dërgoni mesazhe",
"Invite users": "Ftoni përdorues",
"Change settings": "Ndryshoni rregullime",
"Ban users": "Dëboni përdorues",
"Notify everyone": "Njoftoni gjithkënd",
"Send %(eventType)s events": "Dërgo akte %(eventType)s", "Send %(eventType)s events": "Dërgo akte %(eventType)s",
"Select the roles required to change various parts of the room": "Përzgjidhni rolet e domosdoshme për të ndryshuar anë të ndryshme të dhomës", "Select the roles required to change various parts of the room": "Përzgjidhni rolet e domosdoshme për të ndryshuar anë të ndryshme të dhomës",
"Enable encryption?": "Të aktivizohet fshehtëzim?", "Enable encryption?": "Të aktivizohet fshehtëzim?",
@ -788,8 +761,6 @@
"Your homeserver doesn't seem to support this feature.": "Shërbyesi juaj Home nuk duket se e mbulon këtë veçori.", "Your homeserver doesn't seem to support this feature.": "Shërbyesi juaj Home nuk duket se e mbulon këtë veçori.",
"You're signed out": "Keni bërë dalje", "You're signed out": "Keni bërë dalje",
"Clear all data": "Spastro krejt të dhënat", "Clear all data": "Spastro krejt të dhënat",
"Messages": "Mesazhe",
"Actions": "Veprime",
"Deactivate account": "Çaktivizoje llogarinë", "Deactivate account": "Çaktivizoje llogarinë",
"Always show the window menu bar": "Shfaqe përherë shtyllën e menusë së dritares", "Always show the window menu bar": "Shfaqe përherë shtyllën e menusë së dritares",
"Unable to revoke sharing for email address": "Sarrihet të shfuqizohet ndarja për këtë adresë email", "Unable to revoke sharing for email address": "Sarrihet të shfuqizohet ndarja për këtë adresë email",
@ -839,10 +810,8 @@
"Do not use an identity server": "Mos përdor shërbyes identitetesh", "Do not use an identity server": "Mos përdor shërbyes identitetesh",
"Agree to the identity server (%(serverName)s) Terms of Service to allow yourself to be discoverable by email address or phone number.": "Pajtohuni me Kushtet e Shërbimit të shërbyesit të identiteteve (%(serverName)s) që të lejoni veten të jetë e zbulueshme me anë adrese email ose numri telefoni.", "Agree to the identity server (%(serverName)s) Terms of Service to allow yourself to be discoverable by email address or phone number.": "Pajtohuni me Kushtet e Shërbimit të shërbyesit të identiteteve (%(serverName)s) që të lejoni veten të jetë e zbulueshme me anë adrese email ose numri telefoni.",
"Discovery": "Zbulueshmëri", "Discovery": "Zbulueshmëri",
"Upgrade the room": "Përmirësoni dhomën",
"Use an identity server to invite by email. <default>Use the default (%(defaultIdentityServerName)s)</default> or manage in <settings>Settings</settings>.": "Përdorni një shërbyes identitetesh për të ftuar me email. <default>Përdorni parazgjedhjen (%(defaultIdentityServerName)s)</default> ose administrojeni që nga <settings>Rregullimet</settings>.", "Use an identity server to invite by email. <default>Use the default (%(defaultIdentityServerName)s)</default> or manage in <settings>Settings</settings>.": "Përdorni një shërbyes identitetesh për të ftuar me email. <default>Përdorni parazgjedhjen (%(defaultIdentityServerName)s)</default> ose administrojeni që nga <settings>Rregullimet</settings>.",
"Use an identity server to invite by email. Manage in <settings>Settings</settings>.": "Përdorni një shërbyes identitetesh për të ftuar me email. Administrojeni që nga <settings>Rregullimet</settings>.", "Use an identity server to invite by email. Manage in <settings>Settings</settings>.": "Përdorni një shërbyes identitetesh për të ftuar me email. Administrojeni që nga <settings>Rregullimet</settings>.",
"Enable room encryption": "Aktivizoni fshehtëzim dhome",
"Use an identity server": "Përdor një shërbyes identiteti", "Use an identity server": "Përdor një shërbyes identiteti",
"Use an identity server to invite by email. Click continue to use the default identity server (%(defaultIdentityServerName)s) or manage in Settings.": "Përdor një shërbyes identiteti për ftesa me email. Klikoni që të vazhdohet të përdoret shërbyesi parazgjedhje i identiteteve (%(defaultIdentityServerName)s) ose administrojeni te Rregullimet.", "Use an identity server to invite by email. Click continue to use the default identity server (%(defaultIdentityServerName)s) or manage in Settings.": "Përdor një shërbyes identiteti për ftesa me email. Klikoni që të vazhdohet të përdoret shërbyesi parazgjedhje i identiteteve (%(defaultIdentityServerName)s) ose administrojeni te Rregullimet.",
"Use an identity server to invite by email. Manage in Settings.": "Përdorni një shërbyes identitetesh për ftesa me email. Administrojeni te Rregullimet.", "Use an identity server to invite by email. Manage in Settings.": "Përdorni një shërbyes identitetesh për ftesa me email. Administrojeni te Rregullimet.",
@ -1047,8 +1016,6 @@
"Cross-signing private keys:": "Kyçe privatë për <em>cross-signing</em>:", "Cross-signing private keys:": "Kyçe privatë për <em>cross-signing</em>:",
"This room is end-to-end encrypted": "Kjo dhomë është e fshehtëzuar skaj-më-skaj", "This room is end-to-end encrypted": "Kjo dhomë është e fshehtëzuar skaj-më-skaj",
"Everyone in this room is verified": "Gjithkush në këtë dhomë është verifikuar", "Everyone in this room is verified": "Gjithkush në këtë dhomë është verifikuar",
"Send a reply…": "Dërgoni një përgjigje…",
"Send a message…": "Dërgoni një mesazh…",
"Reject & Ignore user": "Hidhe poshtë & Shpërfille përdoruesin", "Reject & Ignore user": "Hidhe poshtë & Shpërfille përdoruesin",
"Unknown Command": "Urdhër i Panjohur", "Unknown Command": "Urdhër i Panjohur",
"Unrecognised command: %(commandText)s": "Urdhër Jo i Pranuar: %(commandText)s", "Unrecognised command: %(commandText)s": "Urdhër Jo i Pranuar: %(commandText)s",
@ -1272,7 +1239,6 @@
"You signed in to a new session without verifying it:": "Bëtë hyrjen në një sesion të ri pa e verifikuar:", "You signed in to a new session without verifying it:": "Bëtë hyrjen në një sesion të ri pa e verifikuar:",
"Verify your other session using one of the options below.": "Verifikoni sesionit tuaj tjetër duke përdorur një nga mundësitë më poshtë.", "Verify your other session using one of the options below.": "Verifikoni sesionit tuaj tjetër duke përdorur një nga mundësitë më poshtë.",
"Lock": "Kyçje", "Lock": "Kyçje",
"Cross-signing": "<em>Cross-signing</em>",
"Can't load this message": "Sngarkohet dot ky mesazh", "Can't load this message": "Sngarkohet dot ky mesazh",
"Submit logs": "Parashtro regjistra", "Submit logs": "Parashtro regjistra",
"Reminder: Your browser is unsupported, so your experience may be unpredictable.": "Kujtesë: Shfletuesi juaj është i pambuluar, ndaj punimi juaj mund të jetë i paparashikueshëm.", "Reminder: Your browser is unsupported, so your experience may be unpredictable.": "Kujtesë: Shfletuesi juaj është i pambuluar, ndaj punimi juaj mund të jetë i paparashikueshëm.",
@ -1344,16 +1310,6 @@
"Hey you. You're the best!": "Hej, ju. Su ka kush shokun!", "Hey you. You're the best!": "Hej, ju. Su ka kush shokun!",
"Use a system font": "Përdor një palë shkronja sistemi", "Use a system font": "Përdor një palë shkronja sistemi",
"System font name": "Emër shkronjash sistemi", "System font name": "Emër shkronjash sistemi",
"You joined the call": "U bëtë pjesë e thirrjes",
"%(senderName)s joined the call": "%(senderName)s u bë pjesë e thirrjes",
"Call in progress": "Thirrje në ecuri e sipër",
"Call ended": "Thirrja përfundoi",
"You started a call": "Filluat një thirrje",
"%(senderName)s started a call": "%(senderName)s filluat një thirrje",
"Waiting for answer": "Po pritet për përgjigje",
"%(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",
"The authenticity of this encrypted message can't be guaranteed on this device.": "Mirëfilltësia e këtij mesazhi të fshehtëzuar smund të garantohet në këtë pajisje.", "The authenticity of this encrypted message can't be guaranteed on this device.": "Mirëfilltësia e këtij mesazhi të fshehtëzuar smund të garantohet në këtë pajisje.",
"Message deleted on %(date)s": "Mesazh i fshirë më %(date)s", "Message deleted on %(date)s": "Mesazh i fshirë më %(date)s",
"Wrong file type": "Lloj i gabuar kartele", "Wrong file type": "Lloj i gabuar kartele",
@ -1370,7 +1326,6 @@
"Confirm Security Phrase": "Ripohoni Frazë Sigurie", "Confirm Security Phrase": "Ripohoni Frazë Sigurie",
"Save your Security Key": "Ruani Kyçin tuaj të Sigurisë", "Save your Security Key": "Ruani Kyçin tuaj të Sigurisë",
"Are you sure you want to cancel entering passphrase?": "Jeni i sigurt se doni të anulohet dhënie frazëkalimi?", "Are you sure you want to cancel entering passphrase?": "Jeni i sigurt se doni të anulohet dhënie frazëkalimi?",
"Unknown caller": "Thirrës i panjohur",
"%(brand)s can't securely cache encrypted messages locally while running in a web browser. Use <desktopLink>%(brand)s Desktop</desktopLink> for encrypted messages to appear in search results.": "%(brand)s smund të ruajë lokalisht në fshehtinë në mënyrë të siguruar mesazhe të fshehtëzuar, teksa xhirohet në një shfletues. Që mesazhet e fshehtëzuar të shfaqen te përfundime kërkimi, përdorni <desktopLink>%(brand)s Desktop</desktopLink>.", "%(brand)s can't securely cache encrypted messages locally while running in a web browser. Use <desktopLink>%(brand)s Desktop</desktopLink> for encrypted messages to appear in search results.": "%(brand)s smund të ruajë lokalisht në fshehtinë në mënyrë të siguruar mesazhe të fshehtëzuar, teksa xhirohet në një shfletues. Që mesazhet e fshehtëzuar të shfaqen te përfundime kërkimi, përdorni <desktopLink>%(brand)s Desktop</desktopLink>.",
"Set the name of a font installed on your system & %(brand)s will attempt to use it.": "Caktoni emrin e një palë shkronjash të instaluara në sistemin tuaj & %(brand)s do të provojë ti përdorë.", "Set the name of a font installed on your system & %(brand)s will attempt to use it.": "Caktoni emrin e një palë shkronjash të instaluara në sistemin tuaj & %(brand)s do të provojë ti përdorë.",
"Show rooms with unread messages first": "Së pari shfaq dhoma me mesazhe të palexuar", "Show rooms with unread messages first": "Së pari shfaq dhoma me mesazhe të palexuar",
@ -1380,7 +1335,6 @@
"This room is public": "Kjo dhomë është publike", "This room is public": "Kjo dhomë është publike",
"Edited at %(date)s": "Përpunuar më %(date)s", "Edited at %(date)s": "Përpunuar më %(date)s",
"Click to view edits": "Klikoni që të shihni përpunime", "Click to view edits": "Klikoni që të shihni përpunime",
"* %(senderName)s %(emote)s": "* %(senderName)s %(emote)s",
"Change notification settings": "Ndryshoni rregullime njoftimesh", "Change notification settings": "Ndryshoni rregullime njoftimesh",
"Your server isn't responding to some <a>requests</a>.": "Shërbyesi juaj spo u përgjigjet ca <a>kërkesave</a>.", "Your server isn't responding to some <a>requests</a>.": "Shërbyesi juaj spo u përgjigjet ca <a>kërkesave</a>.",
"Server isn't responding": "Shërbyesi spo përgjigjet", "Server isn't responding": "Shërbyesi spo përgjigjet",
@ -1397,8 +1351,6 @@
"No files visible in this room": "Ska kartela të dukshme në këtë dhomë", "No files visible in this room": "Ska kartela të dukshme në këtë dhomë",
"Attach files from chat or just drag and drop them anywhere in a room.": "Bashkëngjitni kartela prej fjalosjeje ose thjesht tërhiqini dhe lërini kudo qoftë brenda dhomës.", "Attach files from chat or just drag and drop them anywhere in a room.": "Bashkëngjitni kartela prej fjalosjeje ose thjesht tërhiqini dhe lërini kudo qoftë brenda dhomës.",
"Master private key:": "Kyç privat i përgjithshëm:", "Master private key:": "Kyç privat i përgjithshëm:",
"Uploading logs": "Po ngarkohen regjistra",
"Downloading logs": "Po shkarkohen regjistra",
"Explore public rooms": "Eksploroni dhoma publike", "Explore public rooms": "Eksploroni dhoma publike",
"Preparing to download logs": "Po bëhet gati për shkarkim regjistrash", "Preparing to download logs": "Po bëhet gati për shkarkim regjistrash",
"Unexpected server error trying to leave the room": "Gabim i papritur shërbyesi në përpjekje për dalje nga dhoma", "Unexpected server error trying to leave the room": "Gabim i papritur shërbyesi në përpjekje për dalje nga dhoma",
@ -1421,7 +1373,6 @@
"Secret storage:": "Depozitë e fshehtë:", "Secret storage:": "Depozitë e fshehtë:",
"ready": "gati", "ready": "gati",
"not ready": "jo gati", "not ready": "jo gati",
"Secure Backup": "Kopjeruajtje e Sigurt",
"Widgets": "Widget-e", "Widgets": "Widget-e",
"Edit widgets, bridges & bots": "Përpunoni widget-e, ura & robotë", "Edit widgets, bridges & bots": "Përpunoni widget-e, ura & robotë",
"Add widgets, bridges & bots": "Shtoni widget-e, ura & robotë", "Add widgets, bridges & bots": "Shtoni widget-e, ura & robotë",
@ -1431,7 +1382,6 @@
"Unable to set up keys": "Sarrihet të ujdisen kyçe", "Unable to set up keys": "Sarrihet të ujdisen kyçe",
"Cross-signing is ready for use.": "“Cross-signing” është gati për përdorim.", "Cross-signing is ready for use.": "“Cross-signing” është gati për përdorim.",
"Cross-signing is not set up.": "“Cross-signing” sështë ujdisur.", "Cross-signing is not set up.": "“Cross-signing” sështë ujdisur.",
"Remove messages sent by others": "Hiqi mesazhet e dërguar nga të tjerët",
"Ignored attempt to disable encryption": "U shpërfill përpjekje për të çaktivizuar fshehtëzimin", "Ignored attempt to disable encryption": "U shpërfill përpjekje për të çaktivizuar fshehtëzimin",
"Join the conference at the top of this room": "Merrni pjesë në konferencë, në krye të kësaj dhome", "Join the conference at the top of this room": "Merrni pjesë në konferencë, në krye të kësaj dhome",
"Join the conference from the room information card on the right": "Merrni pjesë në konferencë që prej kartës së informacionit mbi dhomën, në të djathtë", "Join the conference from the room information card on the right": "Merrni pjesë në konferencë që prej kartës së informacionit mbi dhomën, në të djathtë",
@ -1469,8 +1419,6 @@
"Invite someone using their name, email address, username (like <userId/>) or <a>share this room</a>.": "Ftoni dikë duke përdorur emrin e tij, adresën email, emrin e përdoruesit (bie fjala, <userId/>) ose <a>ndani me të këtë dhomë</a>.", "Invite someone using their name, email address, username (like <userId/>) or <a>share this room</a>.": "Ftoni dikë duke përdorur emrin e tij, adresën email, emrin e përdoruesit (bie fjala, <userId/>) ose <a>ndani me të këtë dhomë</a>.",
"Start a conversation with someone using their name, email address or username (like <userId/>).": "Nisni një bisedë me dikë duke përdorur emrin e tij, adresën email ose emrin e përdoruesit (bie fjala, <userId/>).", "Start a conversation with someone using their name, email address or username (like <userId/>).": "Nisni një bisedë me dikë duke përdorur emrin e tij, adresën email ose emrin e përdoruesit (bie fjala, <userId/>).",
"Invite by email": "Ftojeni me email", "Invite by email": "Ftojeni me email",
"%(senderName)s ended the call": "%(senderName)s e përfundoi thirrjen",
"You ended the call": "E përfunduat thirrjen",
"New version of %(brand)s is available": "Ka gati një version të ri të %(brand)s", "New version of %(brand)s is available": "Ka gati një version të ri të %(brand)s",
"Update %(brand)s": "Përditësoni %(brand)s", "Update %(brand)s": "Përditësoni %(brand)s",
"Enable desktop notifications": "Aktivizoni njoftime desktopi", "Enable desktop notifications": "Aktivizoni njoftime desktopi",
@ -1801,13 +1749,7 @@
"Send images as you in your active room": "Dërgoni figura si ju në dhomën tuaj aktive", "Send images as you in your active room": "Dërgoni figura si ju në dhomën tuaj aktive",
"New here? <a>Create an account</a>": "I sapoardhur? <a>Krijoni një llogari</a>", "New here? <a>Create an account</a>": "I sapoardhur? <a>Krijoni një llogari</a>",
"Got an account? <a>Sign in</a>": "Keni një llogari? <a>Hyni</a>", "Got an account? <a>Sign in</a>": "Keni një llogari? <a>Hyni</a>",
"Return to call": "Kthehu te thirrja",
"Send images as you in this room": "Dërgoni figura si ju, në këtë dhomë", "Send images as you in this room": "Dërgoni figura si ju, në këtë dhomë",
"No other application is using the webcam": "Kamerën spo e përdor aplikacion tjetër",
"Permission is granted to use the webcam": "Është dhënë leje për përdorimin e kamerës",
"A microphone and webcam are plugged in and set up correctly": "Një mikrofon dhe një kamerë janë futur dhe ujdisur si duhet",
"Unable to access webcam / microphone": "Sarrihet të përdoret kamerë / mikrofon",
"Unable to access microphone": "Sarrihet të përdoret mikrofoni",
"Decide where your account is hosted": "Vendosni se ku të ruhet llogaria juaj", "Decide where your account is hosted": "Vendosni se ku të ruhet llogaria juaj",
"Host account on": "Strehoni llogari në", "Host account on": "Strehoni llogari në",
"Already have an account? <a>Sign in here</a>": "Keni tashmë një llogari? <a>Bëni hyrjen këtu</a>", "Already have an account? <a>Sign in here</a>": "Keni tashmë një llogari? <a>Bëni hyrjen këtu</a>",
@ -1833,18 +1775,12 @@
"Invalid URL": "URL e pavlefshme", "Invalid URL": "URL e pavlefshme",
"Unable to validate homeserver": "Sarrihet të vlerësohet shërbyesi Home", "Unable to validate homeserver": "Sarrihet të vlerësohet shërbyesi Home",
"Reason (optional)": "Arsye (opsionale)", "Reason (optional)": "Arsye (opsionale)",
"%(peerName)s held the call": "%(peerName)s mbajti thirrjen",
"You held the call <a>Resume</a>": "E mbajtët thirrjen <a>Rimerreni</a>",
"sends confetti": "dërgon bonbone", "sends confetti": "dërgon bonbone",
"Sends the given message with confetti": "E dërgon mesazhin e dhënë me bonbone", "Sends the given message with confetti": "E dërgon mesazhin e dhënë me bonbone",
"Effects": "Efekte",
"You've reached the maximum number of simultaneous calls.": "Keni mbërritur në numrin maksimum të thirrjeve të njëkohshme.", "You've reached the maximum number of simultaneous calls.": "Keni mbërritur në numrin maksimum të thirrjeve të njëkohshme.",
"Too Many Calls": "Shumë Thirrje", "Too Many Calls": "Shumë Thirrje",
"Call failed because webcam or microphone could not be accessed. Check that:": "Thirrja dështoi, ngaqë su hy dot kamera ose mikrofoni. Kontrolloni që:",
"Call failed because microphone could not be accessed. Check that a microphone is plugged in and set up correctly.": "Thirrja dështoi, ngaqë su hy dot te mikrofoni. Kontrolloni që të jetë futur një mikrofon dhe të jetë ujdisur saktësisht.",
"sends fireworks": "dërgon fishekzjarrë", "sends fireworks": "dërgon fishekzjarrë",
"Sends the given message with fireworks": "E dërgon me fishekzjarrë mesazhin e dhënë", "Sends the given message with fireworks": "E dërgon me fishekzjarrë mesazhin e dhënë",
"%(name)s on hold": "%(name)s e mbajtur",
"sends snowfall": "dërgon rënie bore", "sends snowfall": "dërgon rënie bore",
"Sends the given message with snowfall": "E dërgon mesazhin e dhënë të stolisur me rënie bore", "Sends the given message with snowfall": "E dërgon mesazhin e dhënë të stolisur me rënie bore",
"You have no visible notifications.": "Skeni njoftime të dukshme.", "You have no visible notifications.": "Skeni njoftime të dukshme.",
@ -1884,7 +1820,6 @@
"The widget will verify your user ID, but won't be able to perform actions for you:": "Ky widget do të verifikojë ID-në tuaj të përdoruesit, por sdo të jetë në gjendje të kryejë veprime për ju:", "The widget will verify your user ID, but won't be able to perform actions for you:": "Ky widget do të verifikojë ID-në tuaj të përdoruesit, por sdo të jetë në gjendje të kryejë veprime për ju:",
"Allow this widget to verify your identity": "Lejojeni këtë widget të verifikojë identitetin tuaj", "Allow this widget to verify your identity": "Lejojeni këtë widget të verifikojë identitetin tuaj",
"Set my room layout for everyone": "Ujdise skemën e dhomës time për këdo", "Set my room layout for everyone": "Ujdise skemën e dhomës time për këdo",
"You held the call <a>Switch</a>": "Mbajtët të shtypur <a>Butonin</a> e thirrjeve",
"Use app": "Përdorni aplikacionin", "Use app": "Përdorni aplikacionin",
"Use app for a better experience": "Për një punim më të mirë, përdorni aplikacionin", "Use app for a better experience": "Për një punim më të mirë, përdorni aplikacionin",
"Converts the DM to a room": "E shndërron DM-në në një dhomë", "Converts the DM to a room": "E shndërron DM-në në një dhomë",
@ -1928,7 +1863,6 @@
"You do not have permissions to add rooms to this space": "Skeni leje të shtoni dhoma në këtë hapësirë", "You do not have permissions to add rooms to this space": "Skeni leje të shtoni dhoma në këtë hapësirë",
"Add existing room": "Shtoni dhomë ekzistuese", "Add existing room": "Shtoni dhomë ekzistuese",
"You do not have permissions to create new rooms in this space": "Skeni leje të krijoni dhoma të reja në këtë hapësirë", "You do not have permissions to create new rooms in this space": "Skeni leje të krijoni dhoma të reja në këtë hapësirë",
"Send message": "Dërgoje mesazhin",
"Invite to this space": "Ftoni në këtë hapësirë", "Invite to this space": "Ftoni në këtë hapësirë",
"Your message was sent": "Mesazhi juaj u dërgua", "Your message was sent": "Mesazhi juaj u dërgua",
"Space options": "Mundësi Hapësire", "Space options": "Mundësi Hapësire",
@ -1943,8 +1877,6 @@
"Open space for anyone, best for communities": "Hapësirë e hapët për këdo, më e mira për bashkësi", "Open space for anyone, best for communities": "Hapësirë e hapët për këdo, më e mira për bashkësi",
"Create a space": "Krijoni një hapësirë", "Create a space": "Krijoni një hapësirë",
"This homeserver has been blocked by its administrator.": "Ky shërbyes Home është bllokuar nga përgjegjësit e tij.", "This homeserver has been blocked by its administrator.": "Ky shërbyes Home është bllokuar nga përgjegjësit e tij.",
"You're already in a call with this person.": "Gjendeni tashmë në thirrje me këtë person.",
"Already in call": "Tashmë në thirrje",
"Make sure the right people have access. You can invite more later.": "Siguroni se kanë hyrje personat e duhur. Mund të shtoni të tjerë më vonë.", "Make sure the right people have access. You can invite more later.": "Siguroni se kanë hyrje personat e duhur. Mund të shtoni të tjerë më vonë.",
"A private space to organise your rooms": "Një hapësirë private për të sistemuar dhomat tuaja", "A private space to organise your rooms": "Një hapësirë private për të sistemuar dhomat tuaja",
"Just me": "Vetëm unë", "Just me": "Vetëm unë",
@ -2001,8 +1933,6 @@
"Forgotten or lost all recovery methods? <a>Reset all</a>": "Harruat, ose humbët krejt metodat e rimarrjes? <a>Riujdisini të gjitha</a>", "Forgotten or lost all recovery methods? <a>Reset all</a>": "Harruat, ose humbët krejt metodat e rimarrjes? <a>Riujdisini të gjitha</a>",
"If you do, please note that none of your messages will be deleted, but the search experience might be degraded for a few moments whilst the index is recreated": "Nëse e bëni, ju lutemi, kini parasysh se sdo të fshihet asnjë nga mesazhet tuaj, por puna me kërkimin mund degradojë për pak çaste, ndërkohë që rikrijohet treguesi", "If you do, please note that none of your messages will be deleted, but the search experience might be degraded for a few moments whilst the index is recreated": "Nëse e bëni, ju lutemi, kini parasysh se sdo të fshihet asnjë nga mesazhet tuaj, por puna me kërkimin mund degradojë për pak çaste, ndërkohë që rikrijohet treguesi",
"View message": "Shihni mesazh", "View message": "Shihni mesazh",
"Change server ACLs": "Ndryshoni ACL-ra shërbyesi",
"Consulting with %(transferTarget)s. <a>Transfer to %(transferee)s</a>": "Po kryhet këshillim me %(transferTarget)s. <a>Shpërngule te %(transferee)s</a>",
"You can select all or individual messages to retry or delete": "Për riprovim ose fshirje mund të përzgjidhni krejt mesazhet, ose të tillë individualë", "You can select all or individual messages to retry or delete": "Për riprovim ose fshirje mund të përzgjidhni krejt mesazhet, ose të tillë individualë",
"Sending": "Po dërgohet", "Sending": "Po dërgohet",
"Retry all": "Riprovoji krejt", "Retry all": "Riprovoji krejt",
@ -2064,7 +1994,6 @@
"If you have permissions, open the menu on any message and select <b>Pin</b> to stick them here.": "Nëse keni leje, hapni menunë për çfarëdo mesazhi dhe përzgjidhni <b>Fiksoje</b>, për ta ngjitur këtu.", "If you have permissions, open the menu on any message and select <b>Pin</b> to stick them here.": "Nëse keni leje, hapni menunë për çfarëdo mesazhi dhe përzgjidhni <b>Fiksoje</b>, për ta ngjitur këtu.",
"Nothing pinned, yet": "Ende pa fiksuar gjë", "Nothing pinned, yet": "Ende pa fiksuar gjë",
"End-to-end encryption isn't enabled": "Fshehtëzimi skaj-më-skaj sështë i aktivizuar", "End-to-end encryption isn't enabled": "Fshehtëzimi skaj-më-skaj sështë i aktivizuar",
"Sound on": "Me zë",
"Report": "Raportoje", "Report": "Raportoje",
"Collapse reply thread": "Tkurre rrjedhën e përgjigjeve", "Collapse reply thread": "Tkurre rrjedhën e përgjigjeve",
"Show preview": "Shfaq paraparje", "Show preview": "Shfaq paraparje",
@ -2110,7 +2039,6 @@
"Failed to update the visibility of this space": "Sarrihet të përditësohet dukshmëria e kësaj hapësire", "Failed to update the visibility of this space": "Sarrihet të përditësohet dukshmëria e kësaj hapësire",
"Address": "Adresë", "Address": "Adresë",
"e.g. my-space": "p.sh., hapësira-ime", "e.g. my-space": "p.sh., hapësira-ime",
"Silence call": "Heshtoje thirrjen",
"Some invites couldn't be sent": "Su dërguan dot disa nga ftesat", "Some invites couldn't be sent": "Su dërguan dot disa nga ftesat",
"We sent the others, but the below people couldn't be invited to <RoomName/>": "I dërguam të tjerat, por personat më poshtë su ftuan dot te <RoomName/>", "We sent the others, but the below people couldn't be invited to <RoomName/>": "I dërguam të tjerat, por personat më poshtë su ftuan dot te <RoomName/>",
"Unnamed audio": "Audio pa emër", "Unnamed audio": "Audio pa emër",
@ -2199,10 +2127,6 @@
"Share content": "Ndani lëndë", "Share content": "Ndani lëndë",
"Application window": "Dritare aplikacioni", "Application window": "Dritare aplikacioni",
"Share entire screen": "Nda krejt ekranin", "Share entire screen": "Nda krejt ekranin",
"Your camera is still enabled": "Kamera juaj është ende e aktivizuar",
"Your camera is turned off": "Kamera juaj është e fikur",
"%(sharerName)s is presenting": "%(sharerName)s përfaqëson",
"You are presenting": "Përfaqësoni",
"Add space": "Shtoni hapësirë", "Add space": "Shtoni hapësirë",
"Leave %(spaceName)s": "Braktise %(spaceName)s", "Leave %(spaceName)s": "Braktise %(spaceName)s",
"You're the only admin of some of the rooms or spaces you wish to leave. Leaving them will leave them without any admins.": "Jeni përgjegjësi i vetëm i disa dhomave apo hapësirave që dëshironi ti braktisni. Braktisja e tyre do ti lërë pa ndonjë përgjegjës.", "You're the only admin of some of the rooms or spaces you wish to leave. Leaving them will leave them without any admins.": "Jeni përgjegjësi i vetëm i disa dhomave apo hapësirave që dëshironi ti braktisni. Braktisja e tyre do ti lërë pa ndonjë përgjegjës.",
@ -2229,15 +2153,9 @@
"Stop recording": "Ndale regjistrimin", "Stop recording": "Ndale regjistrimin",
"Send voice message": "Dërgoni mesazh zanor", "Send voice message": "Dërgoni mesazh zanor",
"Olm version:": "Version Olm:", "Olm version:": "Version Olm:",
"Mute the microphone": "Heshto mikrofonin",
"Unmute the microphone": "Hiq heshtimin e mikrofonit",
"More": "Më tepër", "More": "Më tepër",
"Show sidebar": "Shfaqe anështyllën", "Show sidebar": "Shfaqe anështyllën",
"Hide sidebar": "Fshihe anështyllën", "Hide sidebar": "Fshihe anështyllën",
"Start sharing your screen": "Nisni ndarjen e ekranit tuaj",
"Stop sharing your screen": "Reshtni dhënien e ekranit tuaj",
"Stop the camera": "Ndale kamerën",
"Start the camera": "Nise kamerën",
"Surround selected text when typing special characters": "Rrethoje tekstin e përzgjedhur, kur shtypen shenja speciale", "Surround selected text when typing special characters": "Rrethoje tekstin e përzgjedhur, kur shtypen shenja speciale",
"Delete avatar": "Fshije avatarin", "Delete avatar": "Fshije avatarin",
"Unknown failure: %(reason)s": "Dështim për arsye të panjohur: %(reason)s", "Unknown failure: %(reason)s": "Dështim për arsye të panjohur: %(reason)s",
@ -2259,16 +2177,10 @@
"Some encryption parameters have been changed.": "Janë ndryshuar disa parametra fshehtëzimi.", "Some encryption parameters have been changed.": "Janë ndryshuar disa parametra fshehtëzimi.",
"Role in <RoomName/>": "Rol në <RoomName/>", "Role in <RoomName/>": "Rol në <RoomName/>",
"Send a sticker": "Dërgoni një ngjitës", "Send a sticker": "Dërgoni një ngjitës",
"Reply to thread…": "Përgjigjuni te rrjedhë…",
"Reply to encrypted thread…": "Përgjigjuni te rrjedhë e fshehtëzuar…",
"Unknown failure": "Dështim i panjohur", "Unknown failure": "Dështim i panjohur",
"Failed to update the join rules": "Su arrit të përditësohen rregulla hyrjeje", "Failed to update the join rules": "Su arrit të përditësohen rregulla hyrjeje",
"Anyone in <spaceName/> can find and join. You can select other spaces too.": "Cilido te <spaceName/> mund ta gjejë dhe hyjë në të. Mund të përzgjidhni gjithashtu hapësira të tjera.", "Anyone in <spaceName/> can find and join. You can select other spaces too.": "Cilido te <spaceName/> mund ta gjejë dhe hyjë në të. Mund të përzgjidhni gjithashtu hapësira të tjera.",
"Select the roles required to change various parts of the space": "Përzgjidhni rolet e domosdoshëm për të ndryshuar pjesë të ndryshme të hapësirës", "Select the roles required to change various parts of the space": "Përzgjidhni rolet e domosdoshëm për të ndryshuar pjesë të ndryshme të hapësirës",
"Change description": "Ndryshoni përshkrimin",
"Change main address for the space": "Ndryshoni adresë kryesore për hapësirën",
"Change space name": "Ndryshoni emër hapësire",
"Change space avatar": "Ndryshoni avatar hapësire",
"Message didn't send. Click for info.": "Mesazhi su dërgua. Klikoni për hollësi.", "Message didn't send. Click for info.": "Mesazhi su dërgua. Klikoni për hollësi.",
"To join a space you'll need an invite.": "Që të hyni në një hapësirë, do tju duhet një ftesë.", "To join a space you'll need an invite.": "Që të hyni në një hapësirë, do tju duhet një ftesë.",
"%(reactors)s reacted with %(content)s": "%(reactors)s reagoi me %(content)s", "%(reactors)s reacted with %(content)s": "%(reactors)s reagoi me %(content)s",
@ -2391,7 +2303,6 @@
"Show all threads": "Shfaqi krejt rrjedhat", "Show all threads": "Shfaqi krejt rrjedhat",
"Keep discussions organised with threads": "Mbajini diskutimet të sistemuara në rrjedha", "Keep discussions organised with threads": "Mbajini diskutimet të sistemuara në rrjedha",
"Reply in thread": "Përgjigjuni te rrjedha", "Reply in thread": "Përgjigjuni te rrjedha",
"Manage rooms in this space": "Administroni dhoma në këtë hapësirë",
"Rooms outside of a space": "Dhoma jashtë një hapësire", "Rooms outside of a space": "Dhoma jashtë një hapësire",
"Show all your rooms in Home, even if they're in a space.": "Shfaqni krejt dhomat tuaja te Kreu, edhe nëse gjenden në një hapësirë.", "Show all your rooms in Home, even if they're in a space.": "Shfaqni krejt dhomat tuaja te Kreu, edhe nëse gjenden në një hapësirë.",
"Home is useful for getting an overview of everything.": "Kreu është i dobishëm për të pasur një përmbledhje të gjithçkaje.", "Home is useful for getting an overview of everything.": "Kreu është i dobishëm për të pasur një përmbledhje të gjithçkaje.",
@ -2410,7 +2321,6 @@
"You most likely do not want to reset your event index store": "Gjasat janë të mos doni të riktheni te parazgjedhjet arkivin e indeksimit të akteve", "You most likely do not want to reset your event index store": "Gjasat janë të mos doni të riktheni te parazgjedhjet arkivin e indeksimit të akteve",
"Reset event store?": "Të rikthehet te parazgjedhjet arkivi i akteve?", "Reset event store?": "Të rikthehet te parazgjedhjet arkivi i akteve?",
"Favourited": "U bë e parapëlqyer", "Favourited": "U bë e parapëlqyer",
"Dialpad": "Butona numrash",
"sends rainfall": "dërgon shi", "sends rainfall": "dërgon shi",
"Sends the given message with rainfall": "Dërgoje mesazhin e dhënë me shi", "Sends the given message with rainfall": "Dërgoje mesazhin e dhënë me shi",
"Close this widget to view it in this panel": "Mbylleni këtë widget, që ta shihni te ky panel", "Close this widget to view it in this panel": "Mbylleni këtë widget, që ta shihni te ky panel",
@ -2472,7 +2382,6 @@
"other": "Rezultati përfundimtar, bazua në %(count)s vota" "other": "Rezultati përfundimtar, bazua në %(count)s vota"
}, },
"Share location": "Jepe vendndodhjen", "Share location": "Jepe vendndodhjen",
"Manage pinned events": "Administroni veprimtari të fiksuara",
"Share anonymous data to help us identify issues. Nothing personal. No third parties.": "Ndani me ne të dhëna anonime, për të na ndihmuar të gjejmë problemet. Asgjë personale. Pa palë të treta.", "Share anonymous data to help us identify issues. Nothing personal. No third parties.": "Ndani me ne të dhëna anonime, për të na ndihmuar të gjejmë problemet. Asgjë personale. Pa palë të treta.",
"To view all keyboard shortcuts, <a>click here</a>.": "Që të shihni krejt shkurtoret e tastierës, <a>klikoni këtu</a>.", "To view all keyboard shortcuts, <a>click here</a>.": "Që të shihni krejt shkurtoret e tastierës, <a>klikoni këtu</a>.",
"Share anonymous data to help us identify issues. Nothing personal. No third parties. <LearnMoreLink>Learn More</LearnMoreLink>": "Ndani me ne të dhëna anonime, për të na ndihmuar të gjejmë problemet. Asgjë personale. Pa palë të treta. <LearnMoreLink>Mësoni Më Tepër\t</LearnMoreLink>", "Share anonymous data to help us identify issues. Nothing personal. No third parties. <LearnMoreLink>Learn More</LearnMoreLink>": "Ndani me ne të dhëna anonime, për të na ndihmuar të gjejmë problemet. Asgjë personale. Pa palë të treta. <LearnMoreLink>Mësoni Më Tepër\t</LearnMoreLink>",
@ -2481,8 +2390,6 @@
"That's fine": "Ska problem", "That's fine": "Ska problem",
"You cannot place calls without a connection to the server.": "Smund të bëni thirrje pa një lidhje te shërbyesi.", "You cannot place calls without a connection to the server.": "Smund të bëni thirrje pa një lidhje te shërbyesi.",
"Connectivity to the server has been lost": "Humbi lidhja me shërbyesin", "Connectivity to the server has been lost": "Humbi lidhja me shërbyesin",
"You cannot place calls in this browser.": "Smund të bëni thirrje që nga ky shfletues.",
"Calls are unsupported": "Nuk mbulohen t\thirrje",
"Recent searches": "Kërkime së fundi", "Recent searches": "Kërkime së fundi",
"To search messages, look for this icon at the top of a room <icon/>": "Që të kërkoni te mesazhet, shihni për këtë ikonë në krye të një dhome <icon/>", "To search messages, look for this icon at the top of a room <icon/>": "Që të kërkoni te mesazhet, shihni për këtë ikonë në krye të një dhome <icon/>",
"Other searches": "Kërkime të tjera", "Other searches": "Kërkime të tjera",
@ -2520,7 +2427,6 @@
"Verify this device by confirming the following number appears on its screen.": "Verifikoni këtë pajisje duke ripohuar se numri vijues shfaqet në ekranin e saj.", "Verify this device by confirming the following number appears on its screen.": "Verifikoni këtë pajisje duke ripohuar se numri vijues shfaqet në ekranin e saj.",
"Confirm the emoji below are displayed on both devices, in the same order:": "Ripohoni se emoji-t më poshtë shfaqen në të dyja pajisjet, sipas të njëjtës radhë:", "Confirm the emoji below are displayed on both devices, in the same order:": "Ripohoni se emoji-t më poshtë shfaqen në të dyja pajisjet, sipas të njëjtës radhë:",
"Expand map": "Zgjeroje hartën", "Expand map": "Zgjeroje hartën",
"Send reactions": "Dërgo reagime",
"No active call in this room": "Ska thirrje aktive në këtë dhomë", "No active call in this room": "Ska thirrje aktive në këtë dhomë",
"Unable to find Matrix ID for phone number": "Sarrihet të gjendet ID Matrix ID për numrin e telefonit", "Unable to find Matrix ID for phone number": "Sarrihet të gjendet ID Matrix ID për numrin e telefonit",
"Unknown (user, session) pair: (%(userId)s, %(deviceId)s)": "Çift (përdorues, sesion) i pavlefshëm: (%(userId)s, %(deviceId)s)", "Unknown (user, session) pair: (%(userId)s, %(deviceId)s)": "Çift (përdorues, sesion) i pavlefshëm: (%(userId)s, %(deviceId)s)",
@ -2547,7 +2453,6 @@
"Remove them from everything I'm able to": "Hiqi prej gjithçkaje ku mundem ta bëj këtë", "Remove them from everything I'm able to": "Hiqi prej gjithçkaje ku mundem ta bëj këtë",
"Remove from %(roomName)s": "Hiqe nga %(roomName)s", "Remove from %(roomName)s": "Hiqe nga %(roomName)s",
"You were removed from %(roomName)s by %(memberName)s": "U hoqët %(roomName)s nga %(memberName)s", "You were removed from %(roomName)s by %(memberName)s": "U hoqët %(roomName)s nga %(memberName)s",
"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 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", "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",
"Open this settings tab": "Hap këtë skedë rregullimesh", "Open this settings tab": "Hap këtë skedë rregullimesh",
@ -2638,7 +2543,6 @@
"Search Dialog": "Dialog Kërkimi", "Search Dialog": "Dialog Kërkimi",
"Pinned": "I fiksuar", "Pinned": "I fiksuar",
"Open thread": "Hape rrjedhën", "Open thread": "Hape rrjedhën",
"Remove messages sent by me": "Hiq mesazhe të dërguar nga unë",
"No virtual room for this room": "Ska dhomë virtuale për këtë dhomë", "No virtual room for this room": "Ska dhomë virtuale për këtë dhomë",
"Switches to this room's virtual room, if it has one": "Kalohet te dhoma virtuale e kësaj dhome, në pastë", "Switches to this room's virtual room, if it has one": "Kalohet te dhoma virtuale e kësaj dhome, në pastë",
"Export Cancelled": "Eksportimi u Anulua", "Export Cancelled": "Eksportimi u Anulua",
@ -2816,12 +2720,6 @@
"one": "Ripohoni daljen nga kjo pajisje", "one": "Ripohoni daljen nga kjo pajisje",
"other": "Ripohoni daljen nga këto pajisje" "other": "Ripohoni daljen nga këto pajisje"
}, },
"Turn on camera": "Aktivizo kamerën",
"Turn off camera": "Çaktivizo kamerën",
"Video devices": "Pajisje video",
"Unmute microphone": "Çheshto mikrofonin",
"Mute microphone": "Heshtoje mikrofonin",
"Audio devices": "Pajisje audio",
"%(count)s people joined": { "%(count)s people joined": {
"one": "Hyri %(count)s person", "one": "Hyri %(count)s person",
"other": "Hynë %(count)s vetë" "other": "Hynë %(count)s vetë"
@ -2882,9 +2780,7 @@
"Filter devices": "Filtroni pajisje", "Filter devices": "Filtroni pajisje",
"Toggle push notifications on this session.": "Aktivizo/çaktivizo njoftime push për këtë sesion.", "Toggle push notifications on this session.": "Aktivizo/çaktivizo njoftime push për këtë sesion.",
"<b>It's not recommended to add encryption to public rooms.</b> Anyone can find and join public rooms, so anyone can read messages in them. You'll get none of the benefits of encryption, and you won't be able to turn it off later. Encrypting messages in a public room will make receiving and sending messages slower.": "<b>Nuk rekomandohet të shtohet fshehtëzim në dhoma publike.</b>Dhomat publike mund ti gjejë dhe hyjë në to kushdo, pra cilido të mund të lexojë mesazhet në to. Sdo të përfitoni asnjë nga të mirat e fshehtëzimit dhe sdo të jeni në gjendje ta çaktivizoni më vonë. Fshehtëzimi i mesazheve në një dhomë publike do të ngadalësojë marrjen dhe dërgimin e mesazheve.", "<b>It's not recommended to add encryption to public rooms.</b> Anyone can find and join public rooms, so anyone can read messages in them. You'll get none of the benefits of encryption, and you won't be able to turn it off later. Encrypting messages in a public room will make receiving and sending messages slower.": "<b>Nuk rekomandohet të shtohet fshehtëzim në dhoma publike.</b>Dhomat publike mund ti gjejë dhe hyjë në to kushdo, pra cilido të mund të lexojë mesazhet në to. Sdo të përfitoni asnjë nga të mirat e fshehtëzimit dhe sdo të jeni në gjendje ta çaktivizoni më vonë. Fshehtëzimi i mesazheve në një dhomë publike do të ngadalësojë marrjen dhe dërgimin e mesazheve.",
"Start %(brand)s calls": "Nisni thirrje %(brand)s",
"Enable notifications for this device": "Aktivizo njoftime për këtë pajisje", "Enable notifications for this device": "Aktivizo njoftime për këtë pajisje",
"Fill screen": "Mbushe ekranin",
"Download %(brand)s": "Shkarko %(brand)s", "Download %(brand)s": "Shkarko %(brand)s",
"Toggle attribution": "Shfaq/fshih atribut", "Toggle attribution": "Shfaq/fshih atribut",
"Empty room (was %(oldName)s)": "Dhomë e zbrazët (qe %(oldName)s)", "Empty room (was %(oldName)s)": "Dhomë e zbrazët (qe %(oldName)s)",
@ -2975,15 +2871,12 @@
"Current session": "Sesioni i tanishëm", "Current session": "Sesioni i tanishëm",
"Call type": "Lloj thirrjeje", "Call type": "Lloj thirrjeje",
"You do not have sufficient permissions to change this.": "Skeni leje të mjaftueshme që të ndryshoni këtë.", "You do not have sufficient permissions to change this.": "Skeni leje të mjaftueshme që të ndryshoni këtë.",
"Voice broadcasts": "Transmetime zanore",
"For best security, verify your sessions and sign out from any session that you don't recognize or use anymore.": "Për sigurinë më të mirë, verifikoni sesionet tuaja dhe dilni nga çfarëdo sesioni që se njihni, ose se përdorni më.", "For best security, verify your sessions and sign out from any session that you don't recognize or use anymore.": "Për sigurinë më të mirë, verifikoni sesionet tuaja dhe dilni nga çfarëdo sesioni që se njihni, ose se përdorni më.",
"Other sessions": "Sesione të tjerë", "Other sessions": "Sesione të tjerë",
"Sessions": "Sesione", "Sessions": "Sesione",
"Enable notifications for this account": "Aktivizo njoftime për këtë llogari", "Enable notifications for this account": "Aktivizo njoftime për këtë llogari",
"Sorry — this call is currently full": "Na ndjeni — aktualisht kjo thirrje është plot", "Sorry — this call is currently full": "Na ndjeni — aktualisht kjo thirrje është plot",
"Record the client name, version, and url to recognise sessions more easily in session manager": "Regjistro emrin, versionin dhe URL-në e klientit, për të dalluar më kollaj sesionet te përgjegjës sesionesh", "Record the client name, version, and url to recognise sessions more easily in session manager": "Regjistro emrin, versionin dhe URL-në e klientit, për të dalluar më kollaj sesionet te përgjegjës sesionesh",
"Notifications silenced": "Njoftime të heshtuara",
"Video call started": "Nisi thirrje me video",
"Unknown room": "Dhomë e panjohur", "Unknown room": "Dhomë e panjohur",
"Voice broadcast": "Transmetim zanor", "Voice broadcast": "Transmetim zanor",
"Live": "Drejtpërdrejt", "Live": "Drejtpërdrejt",
@ -3019,7 +2912,6 @@
"Consider signing out from old sessions (%(inactiveAgeDays)s days or older) you don't use anymore.": "Shihni mundësinë e daljes nga sesione të vjetër (%(inactiveAgeDays)s ditë ose më të vjetër) që si përdorni më.", "Consider signing out from old sessions (%(inactiveAgeDays)s days or older) you don't use anymore.": "Shihni mundësinë e daljes nga sesione të vjetër (%(inactiveAgeDays)s ditë ose më të vjetër) që si përdorni më.",
"%(brand)s is end-to-end encrypted, but is currently limited to smaller numbers of users.": "%(brand)s është i fshehtëzuar skaj-më-skaj, por aktualisht është i kufizuar në numra më të vegjël përdoruesish.", "%(brand)s is end-to-end encrypted, but is currently limited to smaller numbers of users.": "%(brand)s është i fshehtëzuar skaj-më-skaj, por aktualisht është i kufizuar në numra më të vegjël përdoruesish.",
"Enable %(brand)s as an additional calling option in this room": "Aktivizojeni %(brand)s si një mundësi shtesë thirrjesh në këtë dhomë", "Enable %(brand)s as an additional calling option in this room": "Aktivizojeni %(brand)s si një mundësi shtesë thirrjesh në këtë dhomë",
"Join %(brand)s calls": "Merrni pjesë në thirrje %(brand)s",
"Are you sure you want to sign out of %(count)s sessions?": { "Are you sure you want to sign out of %(count)s sessions?": {
"one": "Jeni i sigurt se doni të dilet nga %(count)s session?", "one": "Jeni i sigurt se doni të dilet nga %(count)s session?",
"other": "Jeni i sigurt se doni të dilet nga %(count)s sessione?" "other": "Jeni i sigurt se doni të dilet nga %(count)s sessione?"
@ -3257,8 +3149,6 @@
"WebGL is required to display maps, please enable it in your browser settings.": "WebGL është i domosdoshëm për shfaqje hartash, ju lutemi, aktivizojeni te rregullimet e shfletuesit tuaj.", "WebGL is required to display maps, please enable it in your browser settings.": "WebGL është i domosdoshëm për shfaqje hartash, ju lutemi, aktivizojeni te rregullimet e shfletuesit tuaj.",
"No identity access token found": "Su gjet token hyrjeje identiteti", "No identity access token found": "Su gjet token hyrjeje identiteti",
"Identity server not set": "Shërbyes identitetesh i paujdisur", "Identity server not set": "Shërbyes identitetesh i paujdisur",
"%(sender)s reacted %(reaction)s to %(message)s": "%(sender)s reagoi me %(reaction)s ndaj %(message)s",
"You reacted %(reaction)s to %(message)s": "Reaguat me %(reaction)s ndaj %(message)s",
"Cannot invite user by email without an identity server. You can connect to one under \"Settings\".": "Pa një shërbyes identitetesh, smund të ftohet përdorues përmes email-i. Me një të tillë mund të lidheni që prej “Rregullimeve”.", "Cannot invite user by email without an identity server. You can connect to one under \"Settings\".": "Pa një shërbyes identitetesh, smund të ftohet përdorues përmes email-i. Me një të tillë mund të lidheni që prej “Rregullimeve”.",
"Unable to create room with moderation bot": "Sarrihet të krijohet dhomë me robot moderimi", "Unable to create room with moderation bot": "Sarrihet të krijohet dhomë me robot moderimi",
"Failed to download source media, no source url was found": "Su arrit të shkarkohet media burim, su gjet URL burimi", "Failed to download source media, no source url was found": "Su arrit të shkarkohet media burim, su gjet URL burimi",
@ -3347,7 +3237,11 @@
"server": "Shërbyes", "server": "Shërbyes",
"capabilities": "Aftësi", "capabilities": "Aftësi",
"unnamed_room": "Dhomë e Paemërtuar", "unnamed_room": "Dhomë e Paemërtuar",
"unnamed_space": "Hapësirë e Paemërtuar" "unnamed_space": "Hapësirë e Paemërtuar",
"stickerpack": "Paketë ngjitësish",
"system_alerts": "Sinjalizime Sistemi",
"secure_backup": "Kopjeruajtje e Sigurt",
"cross_signing": "<em>Cross-signing</em>"
}, },
"action": { "action": {
"continue": "Vazhdo", "continue": "Vazhdo",
@ -3517,7 +3411,14 @@
"format_decrease_indent": "Zvogëlim shmangieje kryeradhe", "format_decrease_indent": "Zvogëlim shmangieje kryeradhe",
"format_inline_code": "Kod", "format_inline_code": "Kod",
"format_code_block": "Bllok kodi", "format_code_block": "Bllok kodi",
"format_link": "Lidhje" "format_link": "Lidhje",
"send_button_title": "Dërgoje mesazhin",
"placeholder_thread_encrypted": "Përgjigjuni te rrjedhë e fshehtëzuar…",
"placeholder_thread": "Përgjigjuni te rrjedhë…",
"placeholder_reply_encrypted": "Dërgoni një përgjigje të fshehtëzuar…",
"placeholder_reply": "Dërgoni një përgjigje…",
"placeholder_encrypted": "Dërgoni një mesazh të fshehtëzuar…",
"placeholder": "Dërgoni një mesazh…"
}, },
"Bold": "Të trasha", "Bold": "Të trasha",
"Link": "Lidhje", "Link": "Lidhje",
@ -3540,7 +3441,11 @@
"send_logs": "Dërgo regjistra", "send_logs": "Dërgo regjistra",
"github_issue": "Çështje në GitHub", "github_issue": "Çështje në GitHub",
"download_logs": "Shkarko regjistra", "download_logs": "Shkarko regjistra",
"before_submitting": "Përpara se të parashtroni regjistra, duhet <a>të krijoni një çështje në GitHub issue</a> që të përshkruani problemin tuaj." "before_submitting": "Përpara se të parashtroni regjistra, duhet <a>të krijoni një çështje në GitHub issue</a> që të përshkruani problemin tuaj.",
"collecting_information": "Po grumbullohen të dhëna versioni aplikacioni",
"collecting_logs": "Po grumbullohen regjistra",
"uploading_logs": "Po ngarkohen regjistra",
"downloading_logs": "Po shkarkohen regjistra"
}, },
"time": { "time": {
"hours_minutes_seconds_left": "Edhe %(hours)sh %(minutes)sm %(seconds)ss", "hours_minutes_seconds_left": "Edhe %(hours)sh %(minutes)sm %(seconds)ss",
@ -3739,7 +3644,9 @@
"toolbox": "Grup mjetesh", "toolbox": "Grup mjetesh",
"developer_tools": "Mjete Zhvilluesi", "developer_tools": "Mjete Zhvilluesi",
"room_id": "ID Dhome: %(roomId)s", "room_id": "ID Dhome: %(roomId)s",
"event_id": "ID Veprimtarie: %(eventId)s" "event_id": "ID Veprimtarie: %(eventId)s",
"category_room": "Dhomë",
"category_other": "Tjetër"
}, },
"export_chat": { "export_chat": {
"html": "HTML", "html": "HTML",
@ -3892,6 +3799,9 @@
"other": "%(names)s dhe %(count)s të tjerë po shtypin …", "other": "%(names)s dhe %(count)s të tjerë po shtypin …",
"one": "%(names)s dhe një tjetër po shtypin …" "one": "%(names)s dhe një tjetër po shtypin …"
} }
},
"m.call.hangup": {
"dm": "Thirrja përfundoi"
} }
}, },
"slash_command": { "slash_command": {
@ -3926,7 +3836,14 @@
"help": "Shfaq listë urdhrash me shembuj përdorimesh dhe përshkrime", "help": "Shfaq listë urdhrash me shembuj përdorimesh dhe përshkrime",
"whois": "Shfaq të dhëna rreth një përdoruesi", "whois": "Shfaq të dhëna rreth një përdoruesi",
"rageshake": "Dërgoni një njoftim të metash me regjistra", "rageshake": "Dërgoni një njoftim të metash me regjistra",
"msg": "I dërgon një mesazh përdoruesit të dhënë" "msg": "I dërgon një mesazh përdoruesit të dhënë",
"usage": "Përdorim",
"category_messages": "Mesazhe",
"category_actions": "Veprime",
"category_admin": "Përgjegjës",
"category_advanced": "Të mëtejshme",
"category_effects": "Efekte",
"category_other": "Tjetër"
}, },
"presence": { "presence": {
"busy": "I zënë", "busy": "I zënë",
@ -3940,5 +3857,107 @@
"offline": "Jo në linjë", "offline": "Jo në linjë",
"away": "I larguar" "away": "I larguar"
}, },
"Unknown": "I panjohur" "Unknown": "I panjohur",
"event_preview": {
"m.call.answer": {
"you": "U bëtë pjesë e thirrjes",
"user": "%(senderName)s u bë pjesë e thirrjes",
"dm": "Thirrje në ecuri e sipër"
},
"m.call.hangup": {
"you": "E përfunduat thirrjen",
"user": "%(senderName)s e përfundoi thirrjen"
},
"m.call.invite": {
"you": "Filluat një thirrje",
"user": "%(senderName)s filluat një thirrje",
"dm_send": "Po pritet për përgjigje",
"dm_receive": "%(senderName)s po thërret"
},
"m.emote": "* %(senderName)s %(emote)s",
"m.text": "%(senderName)s: %(message)s",
"m.reaction": {
"you": "Reaguat me %(reaction)s ndaj %(message)s",
"user": "%(sender)s reagoi me %(reaction)s ndaj %(message)s"
},
"m.sticker": "%(senderName)s: %(stickerName)s"
},
"voip": {
"disable_microphone": "Heshtoje mikrofonin",
"enable_microphone": "Çheshto mikrofonin",
"disable_camera": "Çaktivizo kamerën",
"enable_camera": "Aktivizo kamerën",
"audio_devices": "Pajisje audio",
"video_devices": "Pajisje video",
"you_are_presenting": "Përfaqësoni",
"user_is_presenting": "%(sharerName)s përfaqëson",
"camera_disabled": "Kamera juaj është e fikur",
"camera_enabled": "Kamera juaj është ende e aktivizuar",
"consulting": "Po kryhet këshillim me %(transferTarget)s. <a>Shpërngule te %(transferee)s</a>",
"call_held_switch": "Mbajtët të shtypur <a>Butonin</a> e thirrjeve",
"call_held_resume": "E mbajtët thirrjen <a>Rimerreni</a>",
"call_held": "%(peerName)s mbajti thirrjen",
"dialpad": "Butona numrash",
"stop_screenshare": "Reshtni dhënien e ekranit tuaj",
"start_screenshare": "Nisni ndarjen e ekranit tuaj",
"hangup": "Mbylle Thirrjen",
"maximise": "Mbushe ekranin",
"expand": "Kthehu te thirrja",
"on_hold": "%(name)s e mbajtur",
"voice_call": "Thirrje audio",
"video_call": "Thirrje video",
"video_call_started": "Nisi thirrje me video",
"unsilence": "Me zë",
"silence": "Heshtoje thirrjen",
"silenced": "Njoftime të heshtuara",
"unknown_caller": "Thirrës i panjohur",
"call_failed": "Thirrja Dështoi",
"unable_to_access_microphone": "Sarrihet të përdoret mikrofoni",
"call_failed_microphone": "Thirrja dështoi, ngaqë su hy dot te mikrofoni. Kontrolloni që të jetë futur një mikrofon dhe të jetë ujdisur saktësisht.",
"unable_to_access_media": "Sarrihet të përdoret kamerë / mikrofon",
"call_failed_media": "Thirrja dështoi, ngaqë su hy dot kamera ose mikrofoni. Kontrolloni që:",
"call_failed_media_connected": "Një mikrofon dhe një kamerë janë futur dhe ujdisur si duhet",
"call_failed_media_permissions": "Është dhënë leje për përdorimin e kamerës",
"call_failed_media_applications": "Kamerën spo e përdor aplikacion tjetër",
"already_in_call": "Tashmë në thirrje",
"already_in_call_person": "Gjendeni tashmë në thirrje me këtë person.",
"unsupported": "Nuk mbulohen t\thirrje",
"unsupported_browser": "Smund të bëni thirrje që nga ky shfletues."
},
"Messages": "Mesazhe",
"Other": "Tjetër",
"Advanced": "Të mëtejshme",
"room_settings": {
"permissions": {
"m.room.avatar_space": "Ndryshoni avatar hapësire",
"m.room.avatar": "Ndryshoni avatar dhome",
"m.room.name_space": "Ndryshoni emër hapësire",
"m.room.name": "Ndryshoni emër dhome",
"m.room.canonical_alias_space": "Ndryshoni adresë kryesore për hapësirën",
"m.room.canonical_alias": "Ndryshoni adresë kryesore për dhomën",
"m.space.child": "Administroni dhoma në këtë hapësirë",
"m.room.history_visibility": "Ndryshoni dukshmëri historiku",
"m.room.power_levels": "Ndryshoni leje",
"m.room.topic_space": "Ndryshoni përshkrimin",
"m.room.topic": "Ndryshoni temë",
"m.room.tombstone": "Përmirësoni dhomën",
"m.room.encryption": "Aktivizoni fshehtëzim dhome",
"m.room.server_acl": "Ndryshoni ACL-ra shërbyesi",
"m.reaction": "Dërgo reagime",
"m.room.redaction": "Hiq mesazhe të dërguar nga unë",
"m.widget": "Modifikoni widget-e",
"io.element.voice_broadcast_info": "Transmetime zanore",
"m.room.pinned_events": "Administroni veprimtari të fiksuara",
"m.call": "Nisni thirrje %(brand)s",
"m.call.member": "Merrni pjesë në thirrje %(brand)s",
"users_default": "Rol parazgjedhje",
"events_default": "Dërgoni mesazhe",
"invite": "Ftoni përdorues",
"state_default": "Ndryshoni rregullime",
"kick": "Hiqni përdorues",
"ban": "Dëboni përdorues",
"redact": "Hiqi mesazhet e dërguar nga të tjerët",
"notifications.room": "Njoftoni gjithkënd"
}
}
} }

View file

@ -36,7 +36,6 @@
"Default": "Подразумевано", "Default": "Подразумевано",
"Restricted": "Ограничено", "Restricted": "Ограничено",
"Moderator": "Модератор", "Moderator": "Модератор",
"Admin": "Админ",
"Operation failed": "Радња није успела", "Operation failed": "Радња није успела",
"Failed to invite": "Нисам успео да пошаљем позивницу", "Failed to invite": "Нисам успео да пошаљем позивницу",
"You need to be logged in.": "Морате бити пријављени.", "You need to be logged in.": "Морате бити пријављени.",
@ -50,9 +49,7 @@
"Missing room_id in request": "Недостаје room_id у захтеву", "Missing room_id in request": "Недостаје room_id у захтеву",
"Room %(roomId)s not visible": "Соба %(roomId)s није видљива", "Room %(roomId)s not visible": "Соба %(roomId)s није видљива",
"Missing user_id in request": "Недостаје user_id у захтеву", "Missing user_id in request": "Недостаје user_id у захтеву",
"Call Failed": "Позив неуспешан",
"%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s, %(day)s %(monthName)s %(fullYear)s", "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s, %(day)s %(monthName)s %(fullYear)s",
"Usage": "Коришћење",
"Ignored user": "Занемарени корисник", "Ignored user": "Занемарени корисник",
"You are now ignoring %(userId)s": "Сада занемарујете корисника %(userId)s", "You are now ignoring %(userId)s": "Сада занемарујете корисника %(userId)s",
"Unignored user": "Незанемарени корисник", "Unignored user": "Незанемарени корисник",
@ -101,11 +98,6 @@
"Invited": "Позван", "Invited": "Позван",
"Filter room members": "Филтрирај чланове собе", "Filter room members": "Филтрирај чланове собе",
"%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (снага %(powerLevelNumber)s)", "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (снага %(powerLevelNumber)s)",
"Hangup": "Спусти слушалицу",
"Voice call": "Гласовни позив",
"Video call": "Видео позив",
"Send an encrypted reply…": "Пошаљи шифровани одговор…",
"Send an encrypted message…": "Пошаљи шифровану поруку…",
"You do not have permission to post to this room": "Немате овлашћење за писање у овој соби", "You do not have permission to post to this room": "Немате овлашћење за писање у овој соби",
"Server error": "Грешка на серверу", "Server error": "Грешка на серверу",
"Server unavailable, overloaded, or something else went wrong.": "Сервер није доступан или је преоптерећен или је нешто пошло наопако.", "Server unavailable, overloaded, or something else went wrong.": "Сервер није доступан или је преоптерећен или је нешто пошло наопако.",
@ -144,7 +136,6 @@
"Members only (since they were invited)": "Само чланови (од тренутка позивања)", "Members only (since they were invited)": "Само чланови (од тренутка позивања)",
"Members only (since they joined)": "Само чланови (од приступања)", "Members only (since they joined)": "Само чланови (од приступања)",
"Permissions": "Овлашћења", "Permissions": "Овлашћења",
"Advanced": "Напредно",
"Jump to first unread message.": "Скочи на прву непрочитану поруку.", "Jump to first unread message.": "Скочи на прву непрочитану поруку.",
"not specified": "није наведено", "not specified": "није наведено",
"This room has no local addresses": "Ова соба нема локалних адреса", "This room has no local addresses": "Ова соба нема локалних адреса",
@ -373,12 +364,10 @@
"Filter results": "Филтрирај резултате", "Filter results": "Филтрирај резултате",
"No update available.": "Нема нових ажурирања.", "No update available.": "Нема нових ажурирања.",
"Noisy": "Бучно", "Noisy": "Бучно",
"Collecting app version information": "Прикупљам податке о издању апликације",
"Search…": "Претрага…", "Search…": "Претрага…",
"Tuesday": "Уторак", "Tuesday": "Уторак",
"Saturday": "Субота", "Saturday": "Субота",
"Monday": "Понедељак", "Monday": "Понедељак",
"Collecting logs": "Прикупљам записнике",
"All Rooms": "Све собе", "All Rooms": "Све собе",
"Wednesday": "Среда", "Wednesday": "Среда",
"All messages": "Све поруке", "All messages": "Све поруке",
@ -395,7 +384,6 @@
"Popout widget": "Виџет за искакање", "Popout widget": "Виџет за искакање",
"Missing roomId.": "Недостаје roomId.", "Missing roomId.": "Недостаје roomId.",
"You don't currently have any stickerpacks enabled": "Тренутно немате омогућено било које паковање са налепницама", "You don't currently have any stickerpacks enabled": "Тренутно немате омогућено било које паковање са налепницама",
"Stickerpack": "Паковање са налепницама",
"Preparing to send logs": "Припремам се за слање записника", "Preparing to send logs": "Припремам се за слање записника",
"Logs sent": "Записници су послати", "Logs sent": "Записници су послати",
"Failed to send logs: ": "Нисам успео да пошаљем записнике: ", "Failed to send logs: ": "Нисам успео да пошаљем записнике: ",
@ -453,8 +441,6 @@
"Discovery": "Откриће", "Discovery": "Откриће",
"None": "Ништа", "None": "Ништа",
"Security & Privacy": "Безбедност и приватност", "Security & Privacy": "Безбедност и приватност",
"Change room name": "Промени назив собе",
"Enable room encryption": "Омогући шифровање собе",
"Roles & Permissions": "Улоге и дозволе", "Roles & Permissions": "Улоге и дозволе",
"Enable encryption?": "Омогућити шифровање?", "Enable encryption?": "Омогућити шифровање?",
"Encryption": "Шифровање", "Encryption": "Шифровање",
@ -465,7 +451,6 @@
"Phone Number": "Број телефона", "Phone Number": "Број телефона",
"Encrypted by an unverified session": "Шифровано од стране непотврђене сесије", "Encrypted by an unverified session": "Шифровано од стране непотврђене сесије",
"Scroll to most recent messages": "Пребаци на најновије поруке", "Scroll to most recent messages": "Пребаци на најновије поруке",
"Send a message…": "Пошаљи поруку…",
"Direct Messages": "Директне поруке", "Direct Messages": "Директне поруке",
"Forget this room": "Заборави ову собу", "Forget this room": "Заборави ову собу",
"Start chatting": "Започни ћаскање", "Start chatting": "Започни ћаскање",
@ -524,7 +509,6 @@
"Voice & Video": "Глас и видео", "Voice & Video": "Глас и видео",
"Unable to revoke sharing for email address": "Не могу да опозовем дељење ове мејл адресе", "Unable to revoke sharing for email address": "Не могу да опозовем дељење ове мејл адресе",
"Unable to revoke sharing for phone number": "Не могу да опозовем дељење броја телефона", "Unable to revoke sharing for phone number": "Не могу да опозовем дељење броја телефона",
"Send a reply…": "Пошаљи одговор…",
"No recently visited rooms": "Нема недавно посећених соба", "No recently visited rooms": "Нема недавно посећених соба",
"Show rooms with unread messages first": "Прво прикажи собе са непрочитаним порукама", "Show rooms with unread messages first": "Прво прикажи собе са непрочитаним порукама",
"Show previews of messages": "Прикажи прегледе порука", "Show previews of messages": "Прикажи прегледе порука",
@ -544,10 +528,6 @@
"Send a Direct Message": "Пошаљи директну поруку", "Send a Direct Message": "Пошаљи директну поруку",
"Switch theme": "Промени тему", "Switch theme": "Промени тему",
"Error upgrading room": "Грешка при надоградњи собе", "Error upgrading room": "Грешка при надоградњи собе",
"Other": "Остало",
"Effects": "Ефекти",
"Actions": "Радње",
"Messages": "Поруке",
"Setting up keys": "Постављам кључеве", "Setting up keys": "Постављам кључеве",
"Are you sure you want to cancel entering passphrase?": "Заиста желите да откажете унос фразе?", "Are you sure you want to cancel entering passphrase?": "Заиста желите да откажете унос фразе?",
"Cancel entering passphrase?": "Отказати унос фразе?", "Cancel entering passphrase?": "Отказати унос фразе?",
@ -808,13 +788,6 @@
"The file '%(fileName)s' failed to upload.": "Фајл „%(fileName)s“ није отпремљен.", "The file '%(fileName)s' failed to upload.": "Фајл „%(fileName)s“ није отпремљен.",
"You've reached the maximum number of simultaneous calls.": "Достигли сте максималан број истовремених позива.", "You've reached the maximum number of simultaneous calls.": "Достигли сте максималан број истовремених позива.",
"Too Many Calls": "Превише позива", "Too Many Calls": "Превише позива",
"No other application is using the webcam": "Друга апликације не користи камеру",
"Call failed because webcam or microphone could not be accessed. Check that:": "Позив није успео јер камера или микрофон нису доступни. Проверите да:",
"Permission is granted to use the webcam": "Постоји дозвола за коришћење камере",
"A microphone and webcam are plugged in and set up correctly": "Микрофон и камера су прикључени и исправно подешени",
"Call failed because microphone could not be accessed. Check that a microphone is plugged in and set up correctly.": "Позив није успео јер микрофон није доступан. Проверите да ли је прикључен и исправно подешен.",
"Unable to access webcam / microphone": "Не могу да приступим камери/микрофону",
"Unable to access microphone": "Не могу да приступим микрофону",
"The call was answered on another device.": "На позив је одговорено на другом уређају.", "The call was answered on another device.": "На позив је одговорено на другом уређају.",
"Answered Elsewhere": "Одговорен другде", "Answered Elsewhere": "Одговорен другде",
"The call could not be established": "Позив није могао да се успостави", "The call could not be established": "Позив није могао да се успостави",
@ -956,7 +929,6 @@
"Share this email in Settings to receive invites directly in %(brand)s.": "Поделите ову е-пошту у подешавањима да бисте директно добијали позиве у %(brand)s.", "Share this email in Settings to receive invites directly in %(brand)s.": "Поделите ову е-пошту у подешавањима да бисте директно добијали позиве у %(brand)s.",
"Use an identity server in Settings to receive invites directly in %(brand)s.": "Користите сервер за идентитет у Подешавањима за директно примање позивница %(brand)s.", "Use an identity server in Settings to receive invites directly in %(brand)s.": "Користите сервер за идентитет у Подешавањима за директно примање позивница %(brand)s.",
"Link this email with your account in Settings to receive invites directly in %(brand)s.": "Повежите ову е-пошту са својим налогом у Подешавањима да бисте директно добијали позиве у %(brand)s.", "Link this email with your account in Settings to receive invites directly in %(brand)s.": "Повежите ову е-пошту са својим налогом у Подешавањима да бисте директно добијали позиве у %(brand)s.",
"Change settings": "Промени подешавања",
"⚠ These settings are meant for advanced users.": "⚠ Ова подешавања су намењена напредним корисницима.", "⚠ These settings are meant for advanced users.": "⚠ Ова подешавања су намењена напредним корисницима.",
"Change notification settings": "Промените подешавања обавештења", "Change notification settings": "Промените подешавања обавештења",
"Verification code": "Верификациони код", "Verification code": "Верификациони код",
@ -1073,7 +1045,6 @@
"Who are you working with?": "Са ким радите?", "Who are you working with?": "Са ким радите?",
"Autocomplete": "Аутоматско довршавање", "Autocomplete": "Аутоматско довршавање",
"This room is public": "Ова соба је јавна", "This room is public": "Ова соба је јавна",
"Change room avatar": "Промените аватар собе",
"Browse": "Прегледајте", "Browse": "Прегледајте",
"Versions": "Верзије", "Versions": "Верзије",
"User rules": "Корисничка правила", "User rules": "Корисничка правила",
@ -1123,8 +1094,6 @@
"Verifies a user, session, and pubkey tuple": "Верификује корисника, сесију и pubkey tuple", "Verifies a user, session, and pubkey tuple": "Верификује корисника, сесију и pubkey tuple",
"Réunion": "Реунион", "Réunion": "Реунион",
"We asked the browser to remember which homeserver you use to let you sign in, but unfortunately your browser has forgotten it. Go to the sign in page and try again.": "Тражили смо од прегледача да запамти који кућни сервер користите за пријаву, али нажалост ваш претраживач га је заборавио. Идите на страницу за пријављивање и покушајте поново.", "We 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.": "Тражили смо од прегледача да запамти који кућни сервер користите за пријаву, али нажалост ваш претраживач га је заборавио. Идите на страницу за пријављивање и покушајте поново.",
"You're already in a call with this person.": "Већ разговарате са овом особом.",
"Already in call": "Већ у позиву",
"Using this widget may share data <helpIcon /> with %(widgetDomain)s & your integration manager.": "Коришћење овог виџета може да дели податке <helpIcon /> са %(widgetDomain)s и вашим интеграционим менаџером.", "Using this widget may share data <helpIcon /> with %(widgetDomain)s & your integration manager.": "Коришћење овог виџета може да дели податке <helpIcon /> са %(widgetDomain)s и вашим интеграционим менаџером.",
"common": { "common": {
"about": "О програму", "about": "О програму",
@ -1167,7 +1136,8 @@
"matrix": "Матрикс", "matrix": "Матрикс",
"trusted": "поуздан", "trusted": "поуздан",
"not_trusted": "није поуздан", "not_trusted": "није поуздан",
"unnamed_room": "Неименована соба" "unnamed_room": "Неименована соба",
"stickerpack": "Паковање са налепницама"
}, },
"action": { "action": {
"continue": "Настави", "continue": "Настави",
@ -1237,7 +1207,11 @@
"alt": "Алт" "alt": "Алт"
}, },
"composer": { "composer": {
"format_inline_code": "Код" "format_inline_code": "Код",
"placeholder_reply_encrypted": "Пошаљи шифровани одговор…",
"placeholder_reply": "Пошаљи одговор…",
"placeholder_encrypted": "Пошаљи шифровану поруку…",
"placeholder": "Пошаљи поруку…"
}, },
"Code": "Код", "Code": "Код",
"power_level": { "power_level": {
@ -1249,7 +1223,9 @@
}, },
"bug_reporting": { "bug_reporting": {
"submit_debug_logs": "Пошаљи записнике за поправљање грешака", "submit_debug_logs": "Пошаљи записнике за поправљање грешака",
"send_logs": "Пошаљи записнике" "send_logs": "Пошаљи записнике",
"collecting_information": "Прикупљам податке о издању апликације",
"collecting_logs": "Прикупљам записнике"
}, },
"time": { "time": {
"few_seconds_ago": "пре неколико секунди", "few_seconds_ago": "пре неколико секунди",
@ -1287,7 +1263,9 @@
"event_content": "Садржај догађаја", "event_content": "Садржај догађаја",
"caution_colon": "Опрез:", "caution_colon": "Опрез:",
"toolbox": "Алатница", "toolbox": "Алатница",
"developer_tools": "Програмерске алатке" "developer_tools": "Програмерске алатке",
"category_room": "Соба",
"category_other": "Остало"
}, },
"timeline": { "timeline": {
"m.call.invite": { "m.call.invite": {
@ -1381,7 +1359,14 @@
"help": "Приказује списак команди са употребом и описом", "help": "Приказује списак команди са употребом и описом",
"whois": "Приказује податке о кориснику", "whois": "Приказује податке о кориснику",
"rageshake": "Пошаљи извештај о грешци са записницима", "rageshake": "Пошаљи извештај о грешци са записницима",
"msg": "Шаље поруку наведеном кориснику" "msg": "Шаље поруку наведеном кориснику",
"usage": "Коришћење",
"category_messages": "Поруке",
"category_actions": "Радње",
"category_admin": "Админ",
"category_advanced": "Напредно",
"category_effects": "Ефекти",
"category_other": "Остало"
}, },
"presence": { "presence": {
"online_for": "На мрежи %(duration)s", "online_for": "На мрежи %(duration)s",
@ -1394,5 +1379,31 @@
"offline": "Ван мреже", "offline": "Ван мреже",
"away": "Неприсутан" "away": "Неприсутан"
}, },
"Unknown": "Непознато" "Unknown": "Непознато",
"voip": {
"hangup": "Спусти слушалицу",
"voice_call": "Гласовни позив",
"video_call": "Видео позив",
"call_failed": "Позив неуспешан",
"unable_to_access_microphone": "Не могу да приступим микрофону",
"call_failed_microphone": "Позив није успео јер микрофон није доступан. Проверите да ли је прикључен и исправно подешен.",
"unable_to_access_media": "Не могу да приступим камери/микрофону",
"call_failed_media": "Позив није успео јер камера или микрофон нису доступни. Проверите да:",
"call_failed_media_connected": "Микрофон и камера су прикључени и исправно подешени",
"call_failed_media_permissions": "Постоји дозвола за коришћење камере",
"call_failed_media_applications": "Друга апликације не користи камеру",
"already_in_call": "Већ у позиву",
"already_in_call_person": "Већ разговарате са овом особом."
},
"Messages": "Поруке",
"Other": "Остало",
"Advanced": "Напредно",
"room_settings": {
"permissions": {
"m.room.avatar": "Промените аватар собе",
"m.room.name": "Промени назив собе",
"m.room.encryption": "Омогући шифровање собе",
"state_default": "Промени подешавања"
}
}
} }

View file

@ -37,7 +37,6 @@
"Default": "Podrazumevano", "Default": "Podrazumevano",
"Restricted": "Ograničeno", "Restricted": "Ograničeno",
"Moderator": "Moderator", "Moderator": "Moderator",
"Admin": "Administrator",
"Operation failed": "Operacija nije uspela", "Operation failed": "Operacija nije uspela",
"Failed to invite": "Slanje pozivnice nije uspelo", "Failed to invite": "Slanje pozivnice nije uspelo",
"You need to be logged in.": "Morate biti prijavljeni", "You need to be logged in.": "Morate biti prijavljeni",
@ -50,7 +49,6 @@
"The call could not be established": "Poziv ne može biti uspostavljen", "The call could not be established": "Poziv ne može biti uspostavljen",
"The user you called is busy.": "Korisnik kojeg ste zvali je zauzet.", "The user you called is busy.": "Korisnik kojeg ste zvali je zauzet.",
"User Busy": "Korisnik zauzet", "User Busy": "Korisnik zauzet",
"Call Failed": "Poziv nije uspio",
"Only continue if you trust the owner of the server.": "Produžite samo pod uslovom da vjerujete vlasniku servera.", "Only continue if you trust the owner of the server.": "Produžite samo pod uslovom da vjerujete vlasniku servera.",
"This action requires accessing the default identity server <server /> to validate an email address or phone number, but the server does not have any terms of service.": "Ova akcija zahtijeva pristup zadanom serveru za provjeru identiteta <server /> radi provjere adrese e-pošte ili telefonskog broja, no server nema nikakve uslove za pružanje usluge.", "This action requires accessing the default identity server <server /> to validate an email address or phone number, but the server does not have any terms of service.": "Ova akcija zahtijeva pristup zadanom serveru za provjeru identiteta <server /> radi provjere adrese e-pošte ili telefonskog broja, no server nema nikakve uslove za pružanje usluge.",
"Identity server has no terms of service": "Server identiteta nema uslove pružanja usluge", "Identity server has no terms of service": "Server identiteta nema uslove pružanja usluge",
@ -81,7 +79,6 @@
"This account has been deactivated.": "Ovaj nalog je dekativiran.", "This account has been deactivated.": "Ovaj nalog je dekativiran.",
"Open this settings tab": "Otvori podešavanja", "Open this settings tab": "Otvori podešavanja",
"Start a group chat": "Pokreni grupni razgovor", "Start a group chat": "Pokreni grupni razgovor",
"Stop the camera": "Zaustavi kameru",
"User is already in the room": "Korisnik je već u sobi", "User is already in the room": "Korisnik je već u sobi",
"common": { "common": {
"error": "Greška", "error": "Greška",
@ -108,5 +105,12 @@
}, },
"settings": { "settings": {
"use_control_enter_send_message": "Koristi Ctrl + Enter za slanje poruke" "use_control_enter_send_message": "Koristi Ctrl + Enter za slanje poruke"
},
"slash_command": {
"category_admin": "Administrator"
},
"voip": {
"disable_camera": "Zaustavi kameru",
"call_failed": "Poziv nije uspio"
} }
} }

View file

@ -1,12 +1,10 @@
{ {
"Account": "Konto", "Account": "Konto",
"Admin": "Administratör",
"No Microphones detected": "Ingen mikrofon hittades", "No Microphones detected": "Ingen mikrofon hittades",
"No Webcams detected": "Ingen webbkamera hittades", "No Webcams detected": "Ingen webbkamera hittades",
"No media permissions": "Inga mediebehörigheter", "No media permissions": "Inga mediebehörigheter",
"You may need to manually permit %(brand)s to access your microphone/webcam": "Du behöver manuellt tillåta %(brand)s att komma åt din mikrofon/kamera", "You may need to manually permit %(brand)s to access your microphone/webcam": "Du behöver manuellt tillåta %(brand)s att komma åt din mikrofon/kamera",
"Default Device": "Standardenhet", "Default Device": "Standardenhet",
"Advanced": "Avancerat",
"Authentication": "Autentisering", "Authentication": "Autentisering",
"%(items)s and %(lastItem)s": "%(items)s och %(lastItem)s", "%(items)s and %(lastItem)s": "%(items)s och %(lastItem)s",
"and %(count)s others...": { "and %(count)s others...": {
@ -60,7 +58,6 @@
"Forget room": "Glöm bort rum", "Forget room": "Glöm bort rum",
"For security, this session has been signed out. Please sign in again.": "Av säkerhetsskäl har den här sessionen loggats ut. Vänligen logga in igen.", "For security, this session has been signed out. Please sign in again.": "Av säkerhetsskäl har den här sessionen loggats ut. Vänligen logga in igen.",
"%(userId)s from %(fromPowerLevel)s to %(toPowerLevel)s": "%(userId)s från %(fromPowerLevel)s till %(toPowerLevel)s", "%(userId)s from %(fromPowerLevel)s to %(toPowerLevel)s": "%(userId)s från %(fromPowerLevel)s till %(toPowerLevel)s",
"Hangup": "Lägg på",
"Historical": "Historiska", "Historical": "Historiska",
"Home": "Hem", "Home": "Hem",
"Import E2E room keys": "Importera rumskrypteringsnycklar", "Import E2E room keys": "Importera rumskrypteringsnycklar",
@ -123,7 +120,6 @@
"The email address linked to your account must be entered.": "E-postadressen som är kopplad till ditt konto måste anges.", "The email address linked to your account must be entered.": "E-postadressen som är kopplad till ditt konto måste anges.",
"Unnamed room": "Namnlöst rum", "Unnamed room": "Namnlöst rum",
"This phone number is already in use": "Detta telefonnummer används redan", "This phone number is already in use": "Detta telefonnummer används redan",
"Call Failed": "Samtal misslyckades",
"You cannot place a call with yourself.": "Du kan inte ringa till dig själv.", "You cannot place a call with yourself.": "Du kan inte ringa till dig själv.",
"Warning!": "Varning!", "Warning!": "Varning!",
"Upload Failed": "Uppladdning misslyckades", "Upload Failed": "Uppladdning misslyckades",
@ -167,12 +163,10 @@
"Failed to add tag %(tagName)s to room": "Misslyckades att lägga till etiketten %(tagName)s till rummet", "Failed to add tag %(tagName)s to room": "Misslyckades att lägga till etiketten %(tagName)s till rummet",
"Filter results": "Filtrera resultaten", "Filter results": "Filtrera resultaten",
"No update available.": "Ingen uppdatering tillgänglig.", "No update available.": "Ingen uppdatering tillgänglig.",
"Collecting app version information": "Samlar in appversionsinformation",
"Tuesday": "tisdag", "Tuesday": "tisdag",
"Search…": "Sök…", "Search…": "Sök…",
"Saturday": "lördag", "Saturday": "lördag",
"Monday": "måndag", "Monday": "måndag",
"Collecting logs": "Samlar in loggar",
"All Rooms": "Alla rum", "All Rooms": "Alla rum",
"Wednesday": "onsdag", "Wednesday": "onsdag",
"You cannot delete this message. (%(code)s)": "Du kan inte radera det här meddelandet. (%(code)s)", "You cannot delete this message. (%(code)s)": "Du kan inte radera det här meddelandet. (%(code)s)",
@ -202,10 +196,6 @@
"You are no longer ignoring %(userId)s": "Du ignorerar inte längre %(userId)s", "You are no longer ignoring %(userId)s": "Du ignorerar inte längre %(userId)s",
"Your browser does not support the required cryptography extensions": "Din webbläsare stödjer inte nödvändiga kryptografitillägg", "Your browser does not support the required cryptography extensions": "Din webbläsare stödjer inte nödvändiga kryptografitillägg",
"Unignore": "Avignorera", "Unignore": "Avignorera",
"Voice call": "Röstsamtal",
"Video call": "Videosamtal",
"Send an encrypted reply…": "Skicka ett krypterat svar…",
"Send an encrypted message…": "Skicka ett krypterat meddelande…",
"You do not have permission to post to this room": "Du har inte behörighet att posta till detta rum", "You do not have permission to post to this room": "Du har inte behörighet att posta till detta rum",
"%(duration)ss": "%(duration)ss", "%(duration)ss": "%(duration)ss",
"%(duration)sm": "%(duration)sm", "%(duration)sm": "%(duration)sm",
@ -314,7 +304,6 @@
"Old cryptography data detected": "Gammal kryptografidata upptäckt", "Old cryptography data detected": "Gammal kryptografidata upptäckt",
"Missing roomId.": "Rums-ID saknas.", "Missing roomId.": "Rums-ID saknas.",
"This room is not recognised.": "Detta rum känns inte igen.", "This room is not recognised.": "Detta rum känns inte igen.",
"Usage": "Användande",
"Verified key": "Verifierade nyckeln", "Verified key": "Verifierade nyckeln",
"Jump to read receipt": "Hoppa till läskvitto", "Jump to read receipt": "Hoppa till läskvitto",
"This process allows you to export the keys for messages you have received in encrypted rooms to a local file. You will then be able to import the file into another Matrix client in the future, so that client will also be able to decrypt these messages.": "Denna process låter dig exportera nycklarna för meddelanden som du har fått i krypterade rum till en lokal fil. Du kommer sedan att kunna importera filen i en annan Matrix-klient i framtiden, så att den klienten också kan avkryptera meddelandena.", "This process allows you to export the keys for messages you have received in encrypted rooms to a local file. You will then be able to import the file into another Matrix client in the future, so that client will also be able to decrypt these messages.": "Denna process låter dig exportera nycklarna för meddelanden som du har fått i krypterade rum till en lokal fil. Du kommer sedan att kunna importera filen i en annan Matrix-klient i framtiden, så att den klienten också kan avkryptera meddelandena.",
@ -392,7 +381,6 @@
"Enable widget screenshots on supported widgets": "Aktivera widget-skärmdumpar för widgets som stöder det", "Enable widget screenshots on supported widgets": "Aktivera widget-skärmdumpar för widgets som stöder det",
"Unban": "Avblockera", "Unban": "Avblockera",
"You don't currently have any stickerpacks enabled": "Du har för närvarande inga dekalpaket aktiverade", "You don't currently have any stickerpacks enabled": "Du har för närvarande inga dekalpaket aktiverade",
"Stickerpack": "Dekalpaket",
"Error decrypting image": "Fel vid avkryptering av bild", "Error decrypting image": "Fel vid avkryptering av bild",
"Error decrypting video": "Fel vid avkryptering av video", "Error decrypting video": "Fel vid avkryptering av video",
"Add an Integration": "Lägg till integration", "Add an Integration": "Lägg till integration",
@ -429,7 +417,6 @@
"Demote": "Degradera", "Demote": "Degradera",
"When someone puts a URL in their message, a URL preview can be shown to give more information about that link such as the title, description, and an image from the website.": "När någon lägger en URL i sitt meddelande, kan URL-förhandsgranskning ge mer information om länken, såsom titel, beskrivning, och en bild från webbplatsen.", "When someone puts a URL in their message, a URL preview can be shown to give more information about that link such as the title, description, and an image from the website.": "När någon lägger en URL i sitt meddelande, kan URL-förhandsgranskning ge mer information om länken, såsom titel, beskrivning, och en bild från webbplatsen.",
"You can't send any messages until you review and agree to <consentLink>our terms and conditions</consentLink>.": "Du kan inte skicka några meddelanden innan du granskar och godkänner <consentLink>våra villkor</consentLink>.", "You can't send any messages until you review and agree to <consentLink>our terms and conditions</consentLink>.": "Du kan inte skicka några meddelanden innan du granskar och godkänner <consentLink>våra villkor</consentLink>.",
"System Alerts": "Systemvarningar",
"Please contact your homeserver administrator.": "Vänligen kontakta din hemserveradministratör.", "Please contact your homeserver administrator.": "Vänligen kontakta din hemserveradministratör.",
"This homeserver has hit its Monthly Active User limit.": "Hemservern har nått sin månatliga gräns för användaraktivitet.", "This homeserver has hit its Monthly Active User limit.": "Hemservern har nått sin månatliga gräns för användaraktivitet.",
"This homeserver has exceeded one of its resource limits.": "Hemservern har överskridit en av sina resursgränser.", "This homeserver has exceeded one of its resource limits.": "Hemservern har överskridit en av sina resursgränser.",
@ -576,7 +563,6 @@
"Email (optional)": "E-post (valfritt)", "Email (optional)": "E-post (valfritt)",
"Phone (optional)": "Telefon (valfritt)", "Phone (optional)": "Telefon (valfritt)",
"Join millions for free on the largest public server": "Gå med miljontals användare gratis på den största publika servern", "Join millions for free on the largest public server": "Gå med miljontals användare gratis på den största publika servern",
"Other": "Annat",
"Your password has been reset.": "Ditt lösenord har återställts.", "Your password has been reset.": "Ditt lösenord har återställts.",
"General failure": "Allmänt fel", "General failure": "Allmänt fel",
"This homeserver does not support login using email address.": "Denna hemserver stöder inte inloggning med e-postadress.", "This homeserver does not support login using email address.": "Denna hemserver stöder inte inloggning med e-postadress.",
@ -586,19 +572,6 @@
"The user must be unbanned before they can be invited.": "Användaren behöver avbannas innan den kan bjudas in.", "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.", "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", "Request media permissions": "Begär mediebehörigheter",
"Change room avatar": "Byt rumsavatar",
"Change room name": "Ändra rumsnamn",
"Change main address for the room": "Byt huvudadress för rummet",
"Change history visibility": "Ändra synlighet för historik",
"Change permissions": "Ändra behörigheter",
"Change topic": "Ändra ämne",
"Modify widgets": "Ändra widgets",
"Default role": "Standardroll",
"Send messages": "Skicka meddelanden",
"Invite users": "Bjuda in användare",
"Change settings": "Ändra inställningar",
"Ban users": "Banna användare",
"Notify everyone": "Meddela alla",
"Send %(eventType)s events": "Skicka %(eventType)s-händelser", "Send %(eventType)s events": "Skicka %(eventType)s-händelser",
"Roles & Permissions": "Roller & behörigheter", "Roles & Permissions": "Roller & behörigheter",
"Enable encryption?": "Aktivera kryptering?", "Enable encryption?": "Aktivera kryptering?",
@ -676,8 +649,6 @@
"Your %(brand)s is misconfigured": "Din %(brand)s är felkonfigurerad", "Your %(brand)s is misconfigured": "Din %(brand)s är felkonfigurerad",
"Call failed due to misconfigured server": "Anrop misslyckades på grund av felkonfigurerad server", "Call failed due to misconfigured server": "Anrop misslyckades på grund av felkonfigurerad server",
"The server does not support the room version specified.": "Servern stöder inte den angivna rumsversionen.", "The server does not support the room version specified.": "Servern stöder inte den angivna rumsversionen.",
"Messages": "Meddelanden",
"Actions": "Åtgärder",
"Use an identity server": "Använd en identitetsserver", "Use an identity server": "Använd en identitetsserver",
"Cannot reach homeserver": "Kan inte nå hemservern", "Cannot reach homeserver": "Kan inte nå hemservern",
"Ensure you have a stable internet connection, or get in touch with the server admin": "Se till att du har en stabil internetanslutning, eller kontakta serveradministratören", "Ensure you have a stable internet connection, or get in touch with the server admin": "Se till att du har en stabil internetanslutning, eller kontakta serveradministratören",
@ -714,8 +685,6 @@
"Sounds": "Ljud", "Sounds": "Ljud",
"Notification sound": "Aviseringsljud", "Notification sound": "Aviseringsljud",
"Set a new custom sound": "Ställ in ett nytt anpassat ljud", "Set a new custom sound": "Ställ in ett nytt anpassat ljud",
"Upgrade the room": "Uppgradera rummet",
"Enable room encryption": "Aktivera rumskryptering",
"Discovery options will appear once you have added an email above.": "Upptäcktsalternativ kommer att visas när du har lagt till en e-postadress ovan.", "Discovery options will appear once you have added an email above.": "Upptäcktsalternativ kommer att visas när du har lagt till en e-postadress ovan.",
"Remove %(email)s?": "Ta bort %(email)s?", "Remove %(email)s?": "Ta bort %(email)s?",
"Remove %(phone)s?": "Ta bort %(phone)s?", "Remove %(phone)s?": "Ta bort %(phone)s?",
@ -939,17 +908,6 @@
"Set up": "Sätt upp", "Set up": "Sätt upp",
"Other users may not trust it": "Andra användare kanske inta litar på den", "Other users may not trust it": "Andra användare kanske inta litar på den",
"New login. Was this you?": "Ny inloggning. Var det du?", "New login. Was this you?": "Ny inloggning. Var det du?",
"You joined the call": "Du gick med i samtalet",
"%(senderName)s joined the call": "%(senderName)s gick med i samtalet",
"Call in progress": "Samtal pågår",
"Call ended": "Samtalet avslutades",
"You started a call": "Du startade ett samtal",
"%(senderName)s started a call": "%(senderName)s startade ett samtal",
"Waiting for answer": "Väntar på svar",
"%(senderName)s is calling": "%(senderName)s ringer",
"* %(senderName)s %(emote)s": "* %(senderName)s %(emote)s",
"%(senderName)s: %(message)s": "%(senderName)s: %(message)s",
"%(senderName)s: %(stickerName)s": "%(senderName)s: %(stickerName)s",
"Change notification settings": "Ändra aviseringsinställningar", "Change notification settings": "Ändra aviseringsinställningar",
"Font size": "Teckenstorlek", "Font size": "Teckenstorlek",
"Use custom size": "Använd anpassad storlek", "Use custom size": "Använd anpassad storlek",
@ -961,11 +919,8 @@
"How fast should messages be downloaded.": "Hur snabbt ska meddelanden laddas ner.", "How fast should messages be downloaded.": "Hur snabbt ska meddelanden laddas ner.",
"Manually verify all remote sessions": "Verifiera alla fjärrsessioner manuellt", "Manually verify all remote sessions": "Verifiera alla fjärrsessioner manuellt",
"IRC display name width": "Bredd för IRC-visningsnamn", "IRC display name width": "Bredd för IRC-visningsnamn",
"Uploading logs": "Laddar upp loggar",
"Downloading logs": "Laddar ner loggar",
"My Ban List": "Min bannlista", "My Ban List": "Min bannlista",
"This is your list of users/servers you have blocked - don't leave the room!": "Det här är din lista med användare och server du har blockerat - lämna inte rummet!", "This is your list of users/servers you have blocked - don't leave the room!": "Det här är din lista med användare och server du har blockerat - lämna inte rummet!",
"Unknown caller": "Okänd uppringare",
"Scan this unique code": "Skanna den här unika koden", "Scan this unique code": "Skanna den här unika koden",
"Compare unique emoji": "Jämför unika emojier", "Compare unique emoji": "Jämför unika emojier",
"Compare a unique set of emoji if you don't have a camera on either device": "Jämför en unik uppsättning emojier om du inte har en kamera på någon av enheterna", "Compare a unique set of emoji if you don't have a camera on either device": "Jämför en unik uppsättning emojier om du inte har en kamera på någon av enheterna",
@ -1065,7 +1020,6 @@
"Session ID:": "Sessions-ID:", "Session ID:": "Sessions-ID:",
"Session key:": "Sessionsnyckel:", "Session key:": "Sessionsnyckel:",
"Message search": "Meddelandesök", "Message search": "Meddelandesök",
"Cross-signing": "Korssignering",
"Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "Din serveradministratör har inaktiverat totalsträckskryptering som förval för privata rum och direktmeddelanden.", "Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "Din serveradministratör har inaktiverat totalsträckskryptering som förval för privata rum och direktmeddelanden.",
"This room is bridging messages to the following platforms. <a>Learn more.</a>": "Det här rummet bryggar meddelanden till följande plattformar. <a>Lär dig mer.</a>", "This room is bridging messages to the following platforms. <a>Learn more.</a>": "Det här rummet bryggar meddelanden till följande plattformar. <a>Lär dig mer.</a>",
"Bridges": "Bryggor", "Bridges": "Bryggor",
@ -1086,8 +1040,6 @@
"Encrypted by a deleted session": "Krypterat av en raderad session", "Encrypted by a deleted session": "Krypterat av en raderad session",
"The authenticity of this encrypted message can't be guaranteed on this device.": "Det krypterade meddelandets äkthet kan inte garanteras på den här enheten.", "The authenticity of this encrypted message can't be guaranteed on this device.": "Det krypterade meddelandets äkthet kan inte garanteras på den här enheten.",
"Scroll to most recent messages": "Skrolla till de senaste meddelandena", "Scroll to most recent messages": "Skrolla till de senaste meddelandena",
"Send a reply…": "Skicka ett svar…",
"Send a message…": "Skicka ett meddelande…",
"No recently visited rooms": "Inga nyligen besökta rum", "No recently visited rooms": "Inga nyligen besökta rum",
"Add room": "Lägg till rum", "Add room": "Lägg till rum",
"Explore public rooms": "Utforska offentliga rum", "Explore public rooms": "Utforska offentliga rum",
@ -1423,7 +1375,6 @@
"Secret storage:": "Hemlig lagring:", "Secret storage:": "Hemlig lagring:",
"ready": "klart", "ready": "klart",
"not ready": "inte klart", "not ready": "inte klart",
"Secure Backup": "Säker säkerhetskopiering",
"Safeguard against losing access to encrypted messages & data": "Skydda mot att förlora åtkomst till krypterade meddelanden och data", "Safeguard against losing access to encrypted messages & data": "Skydda mot att förlora åtkomst till krypterade meddelanden och data",
"not found in storage": "hittades inte i lagring", "not found in storage": "hittades inte i lagring",
"Widgets": "Widgets", "Widgets": "Widgets",
@ -1435,7 +1386,6 @@
"Unable to set up keys": "Kunde inte ställa in nycklar", "Unable to set up keys": "Kunde inte ställa in nycklar",
"Failed to save your profile": "Misslyckades att spara din profil", "Failed to save your profile": "Misslyckades att spara din profil",
"The operation could not be completed": "Operationen kunde inte slutföras", "The operation could not be completed": "Operationen kunde inte slutföras",
"Remove messages sent by others": "Ta bort meddelanden skickade av andra",
"Ignored attempt to disable encryption": "Ignorerade försök att inaktivera kryptering", "Ignored attempt to disable encryption": "Ignorerade försök att inaktivera kryptering",
"Join the conference at the top of this room": "Gå med i gruppsamtalet på toppen av det här rummet", "Join the conference at the top of this room": "Gå med i gruppsamtalet på toppen av det här rummet",
"Join the conference from the room information card on the right": "Gå med i gruppsamtalet ifrån informationskortet till höger", "Join the conference from the room information card on the right": "Gå med i gruppsamtalet ifrån informationskortet till höger",
@ -1523,8 +1473,6 @@
"Topic: %(topic)s (<a>edit</a>)": "Ämne: %(topic)s (<a>redigera</a>)", "Topic: %(topic)s (<a>edit</a>)": "Ämne: %(topic)s (<a>redigera</a>)",
"This is the beginning of your direct message history with <displayName/>.": "Det här är början på din direktmeddelandehistorik med <displayName/>.", "This is the beginning of your direct message history with <displayName/>.": "Det här är början på din direktmeddelandehistorik med <displayName/>.",
"Only the two of you are in this conversation, unless either of you invites anyone to join.": "Bara ni två är med i den här konversationen, om inte någon av er bjuder in någon annan.", "Only the two of you are in this conversation, unless either of you invites anyone to join.": "Bara ni två är med i den här konversationen, om inte någon av er bjuder in någon annan.",
"%(senderName)s ended the call": "%(senderName)s avslutade samtalet",
"You ended the call": "Du avslutade samtalet",
"New version of %(brand)s is available": "Ny version av %(brand)s är tillgänglig", "New version of %(brand)s is available": "Ny version av %(brand)s är tillgänglig",
"Update %(brand)s": "Uppdatera %(brand)s", "Update %(brand)s": "Uppdatera %(brand)s",
"Enable desktop notifications": "Aktivera skrivbordsaviseringar", "Enable desktop notifications": "Aktivera skrivbordsaviseringar",
@ -1781,12 +1729,6 @@
"one": "Cacha på ett säkert sätt krypterade meddelanden lokalt för att de ska visas i sökresultat, och använd %(size)s för att lagra meddelanden från %(rooms)s rum.", "one": "Cacha på ett säkert sätt krypterade meddelanden lokalt för att de ska visas i sökresultat, och använd %(size)s för att lagra meddelanden från %(rooms)s rum.",
"other": "Cacha på ett säkert sätt krypterade meddelanden lokalt för att de ska visas i sökresultat, och använd %(size)s för att lagra meddelanden från %(rooms)s rum." "other": "Cacha på ett säkert sätt krypterade meddelanden lokalt för att de ska visas i sökresultat, och använd %(size)s för att lagra meddelanden från %(rooms)s rum."
}, },
"Return to call": "Återgå till samtal",
"No other application is using the webcam": "Inget annat program använder webbkameran",
"Permission is granted to use the webcam": "Åtkomst till webbkameran har beviljats",
"A microphone and webcam are plugged in and set up correctly": "En webbkamera och en mikrofon är inkopplad och korrekt inställd",
"Unable to access webcam / microphone": "Kan inte komma åt webbkamera eller mikrofon",
"Unable to access microphone": "Kan inte komma åt mikrofonen",
"See <b>%(msgtype)s</b> messages posted to your active room": "Se <b>%(msgtype)s</b>-meddelanden som skickas i ditt aktiva rum", "See <b>%(msgtype)s</b> messages posted to your active room": "Se <b>%(msgtype)s</b>-meddelanden som skickas i ditt aktiva rum",
"See <b>%(msgtype)s</b> messages posted to this room": "Se <b>%(msgtype)s</b>-meddelanden som skickas i det här rummet", "See <b>%(msgtype)s</b> messages posted to this room": "Se <b>%(msgtype)s</b>-meddelanden som skickas i det här rummet",
"Send <b>%(msgtype)s</b> messages as you in your active room": "Skicka <b>%(msgtype)s</b>-meddelanden som dig i ditt aktiva rum", "Send <b>%(msgtype)s</b> messages as you in your active room": "Skicka <b>%(msgtype)s</b>-meddelanden som dig i ditt aktiva rum",
@ -1811,9 +1753,6 @@
"Continuing without email": "Fortsätter utan e-post", "Continuing without email": "Fortsätter utan e-post",
"sends confetti": "skickar konfetti", "sends confetti": "skickar konfetti",
"Sends the given message with confetti": "Skickar det givna meddelandet med konfetti", "Sends the given message with confetti": "Skickar det givna meddelandet med konfetti",
"Effects": "Effekter",
"Call failed because webcam or microphone could not be accessed. Check that:": "Samtal misslyckades eftersom webbkamera eller mikrofon inte kunde kommas åt. Kolla att:",
"Call failed because microphone could not be accessed. Check that a microphone is plugged in and set up correctly.": "Samtal misslyckades eftersom att mikrofonen inte kunde kommas åt. Kolla att en mikrofon är inkopplat och korrekt inställd.",
"Go to Home View": "Gå till hemvyn", "Go to Home View": "Gå till hemvyn",
"Decide where your account is hosted": "Bestäm var ditt konto finns", "Decide where your account is hosted": "Bestäm var ditt konto finns",
"Host account on": "Skapa kontot på", "Host account on": "Skapa kontot på",
@ -1842,10 +1781,6 @@
"Specify a homeserver": "Specificera en hemserver", "Specify a homeserver": "Specificera en hemserver",
"Invalid URL": "Ogiltig URL", "Invalid URL": "Ogiltig URL",
"Unable to validate homeserver": "Kan inte validera hemservern", "Unable to validate homeserver": "Kan inte validera hemservern",
"%(name)s on hold": "%(name)s parkerad",
"%(peerName)s held the call": "%(peerName)s parkerade samtalet",
"You held the call <a>Resume</a>": "Du parkerade samtalet <a>Återuppta</a>",
"You held the call <a>Switch</a>": "Du parkerade samtalet <a>Byt</a>",
"sends snowfall": "skickar snöfall", "sends snowfall": "skickar snöfall",
"Sends the given message with snowfall": "Skickar det givna meddelandet med snöfall", "Sends the given message with snowfall": "Skickar det givna meddelandet med snöfall",
"sends fireworks": "skickar fyrverkerier", "sends fireworks": "skickar fyrverkerier",
@ -1933,7 +1868,6 @@
"You do not have permissions to add rooms to this space": "Du är inte behörig att lägga till rum till det här utrymmet", "You do not have permissions to add rooms to this space": "Du är inte behörig att lägga till rum till det här utrymmet",
"Add existing room": "Lägg till existerande rum", "Add existing room": "Lägg till existerande rum",
"You do not have permissions to create new rooms in this space": "Du är inte behörig att skapa nya rum i det här utrymmet", "You do not have permissions to create new rooms in this space": "Du är inte behörig att skapa nya rum i det här utrymmet",
"Send message": "Skicka meddelande",
"Invite to this space": "Bjud in till det här utrymmet", "Invite to this space": "Bjud in till det här utrymmet",
"Your message was sent": "Ditt meddelande skickades", "Your message was sent": "Ditt meddelande skickades",
"Space options": "Utrymmesalternativ", "Space options": "Utrymmesalternativ",
@ -1948,8 +1882,6 @@
"Open space for anyone, best for communities": "Öppna utrymmet för alla, bäst för gemenskaper", "Open space for anyone, best for communities": "Öppna utrymmet för alla, bäst för gemenskaper",
"Create a space": "Skapa ett utrymme", "Create a space": "Skapa ett utrymme",
"This homeserver has been blocked by its administrator.": "Hemservern har blockerats av sin administratör.", "This homeserver has been blocked by its administrator.": "Hemservern har blockerats av sin administratör.",
"You're already in a call with this person.": "Du är redan i ett samtal med den här personen.",
"Already in call": "Redan i samtal",
"Make sure the right people have access. You can invite more later.": "Se till att rätt personer har tillgång. Du kan bjuda in fler senare.", "Make sure the right people have access. You can invite more later.": "Se till att rätt personer har tillgång. Du kan bjuda in fler senare.",
"A private space to organise your rooms": "Ett privat utrymme för att organisera dina rum", "A private space to organise your rooms": "Ett privat utrymme för att organisera dina rum",
"Just me": "Bara jag", "Just me": "Bara jag",
@ -1984,7 +1916,6 @@
}, },
"What are some things you want to discuss in %(spaceName)s?": "Vad är några saker du vill diskutera i %(spaceName)s?", "What are some things you want to discuss in %(spaceName)s?": "Vad är några saker du vill diskutera i %(spaceName)s?",
"You can add more later too, including already existing ones.": "Du kan lägga till flera senare också, inklusive redan existerande.", "You can add more later too, including already existing ones.": "Du kan lägga till flera senare också, inklusive redan existerande.",
"Consulting with %(transferTarget)s. <a>Transfer to %(transferee)s</a>": "Tillfrågar %(transferTarget)s. <a>%(transferTarget)sÖverför till %(transferee)s</a>",
"Review to ensure your account is safe": "Granska för att försäkra dig om att ditt konto är säkert", "Review to ensure your account is safe": "Granska för att försäkra dig om att ditt konto är säkert",
"%(deviceId)s from %(ip)s": "%(deviceId)s från %(ip)s", "%(deviceId)s from %(ip)s": "%(deviceId)s från %(ip)s",
"unknown person": "okänd person", "unknown person": "okänd person",
@ -2008,7 +1939,6 @@
"Forgotten or lost all recovery methods? <a>Reset all</a>": "Glömt eller förlorat alla återställningsalternativ? <a>Återställ allt</a>", "Forgotten or lost all recovery methods? <a>Reset all</a>": "Glömt eller förlorat alla återställningsalternativ? <a>Återställ allt</a>",
"If you do, please note that none of your messages will be deleted, but the search experience might be degraded for a few moments whilst the index is recreated": "Om du gör det, observera att inga av dina meddelanden kommer att raderas, men sökupplevelsen kan degraderas en stund medans registret byggs upp igen", "If you do, please note that none of your messages will be deleted, but the search experience might be degraded for a few moments whilst the index is recreated": "Om du gör det, observera att inga av dina meddelanden kommer att raderas, men sökupplevelsen kan degraderas en stund medans registret byggs upp igen",
"View message": "Visa meddelande", "View message": "Visa meddelande",
"Change server ACLs": "Ändra server-ACLer",
"Delete all": "Radera alla", "Delete all": "Radera alla",
"View all %(count)s members": { "View all %(count)s members": {
"one": "Visa 1 medlem", "one": "Visa 1 medlem",
@ -2094,23 +2024,10 @@
"Address": "Adress", "Address": "Adress",
"e.g. my-space": "t.ex. mitt-utrymme", "e.g. my-space": "t.ex. mitt-utrymme",
"Delete avatar": "Radera avatar", "Delete avatar": "Radera avatar",
"Mute the microphone": "Tysta mikrofonen",
"Unmute the microphone": "Avtysta mikrofonen",
"Dialpad": "Knappsats",
"More": "Mer", "More": "Mer",
"Show sidebar": "Visa sidopanel", "Show sidebar": "Visa sidopanel",
"Hide sidebar": "Göm sidopanel", "Hide sidebar": "Göm sidopanel",
"Start sharing your screen": "Börja dela din skärm",
"Stop sharing your screen": "Sluta dela din skärm",
"Stop the camera": "Stoppa kameran",
"Start the camera": "Starta kameran",
"Your camera is still enabled": "Din kamera är fortfarande på",
"Your camera is turned off": "Din kamera är av",
"%(sharerName)s is presenting": "%(sharerName)s presenterar",
"You are presenting": "Du presenterar",
"Surround selected text when typing special characters": "Inneslut valt text vid skrivning av specialtecken", "Surround selected text when typing special characters": "Inneslut valt text vid skrivning av specialtecken",
"Silence call": "Tysta samtal",
"Sound on": "Ljud på",
"Transfer Failed": "Överföring misslyckades", "Transfer Failed": "Överföring misslyckades",
"Unable to transfer call": "Kan inte överföra samtal", "Unable to transfer call": "Kan inte överföra samtal",
"Space information": "Utrymmesinfo", "Space information": "Utrymmesinfo",
@ -2264,15 +2181,9 @@
"Some encryption parameters have been changed.": "Vissa krypteringsparametrar har ändrats.", "Some encryption parameters have been changed.": "Vissa krypteringsparametrar har ändrats.",
"Role in <RoomName/>": "Roll i <RoomName/>", "Role in <RoomName/>": "Roll i <RoomName/>",
"Send a sticker": "Skicka en dekal", "Send a sticker": "Skicka en dekal",
"Reply to thread…": "Svara på tråd…",
"Reply to encrypted thread…": "Svara på krypterad tråd…",
"Unknown failure": "Okänt fel", "Unknown failure": "Okänt fel",
"Failed to update the join rules": "Misslyckades att uppdatera regler för att gå med", "Failed to update the join rules": "Misslyckades att uppdatera regler för att gå med",
"Select the roles required to change various parts of the space": "Välj de roller som krävs för att ändra olika delar av utrymmet", "Select the roles required to change various parts of the space": "Välj de roller som krävs för att ändra olika delar av utrymmet",
"Change description": "Ändra beskrivningen",
"Change main address for the space": "Byt huvudadress för utrymmet",
"Change space name": "Byt utrymmesnamn",
"Change space avatar": "Byt utrymmesavatar",
"Anyone in <spaceName/> can find and join. You can select other spaces too.": "Vem som helst i <spaceName/> kan hitta och gå med. Du kan välja andra utrymmen också.", "Anyone in <spaceName/> can find and join. You can select other spaces too.": "Vem som helst i <spaceName/> kan hitta och gå med. Du kan välja andra utrymmen också.",
"%(reactors)s reacted with %(content)s": "%(reactors)s reagerade med %(content)s", "%(reactors)s reacted with %(content)s": "%(reactors)s reagerade med %(content)s",
"Message didn't send. Click for info.": "Meddelande skickades inte. Klicka för info.", "Message didn't send. Click for info.": "Meddelande skickades inte. Klicka för info.",
@ -2397,8 +2308,6 @@
"other": "%(spaceName)s och %(count)s till" "other": "%(spaceName)s och %(count)s till"
}, },
"Other rooms": "Andra rum", "Other rooms": "Andra rum",
"You cannot place calls in this browser.": "Du kan inte ringa samtal i den här webbläsaren.",
"Calls are unsupported": "Samtal stöds ej",
"Developer": "Utvecklare", "Developer": "Utvecklare",
"Experimental": "Experimentellt", "Experimental": "Experimentellt",
"Themes": "Teman", "Themes": "Teman",
@ -2435,7 +2344,6 @@
"Waiting for you to verify on your other device, %(deviceName)s (%(deviceId)s)…": "Väntar på att du ska verifiera på din andra enhet, %(deviceName)s (%(deviceId)s)…", "Waiting for you to verify on your other device, %(deviceName)s (%(deviceId)s)…": "Väntar på att du ska verifiera på din andra enhet, %(deviceName)s (%(deviceId)s)…",
"Verify this device by confirming the following number appears on its screen.": "Verifiera den här enheten genom att bekräfta att det följande numret visas på dess skärm.", "Verify this device by confirming the following number appears on its screen.": "Verifiera den här enheten genom att bekräfta att det följande numret visas på dess skärm.",
"Confirm the emoji below are displayed on both devices, in the same order:": "Bekräfta att emojierna nedan visas på båda enheterna i samma ordning:", "Confirm the emoji below are displayed on both devices, in the same order:": "Bekräfta att emojierna nedan visas på båda enheterna i samma ordning:",
"Dial": "Slå nummer",
"Automatically send debug logs on decryption errors": "Skicka automatiskt avbuggningsloggar vid avkrypteringsfel", "Automatically send debug logs on decryption errors": "Skicka automatiskt avbuggningsloggar vid avkrypteringsfel",
"Back to thread": "Tillbaka till tråd", "Back to thread": "Tillbaka till tråd",
"Room members": "Rumsmedlemmar", "Room members": "Rumsmedlemmar",
@ -2443,10 +2351,6 @@
"Remove, ban, or invite people to your active room, and make you leave": "Ta bort, banna eller bjuda in personer till ditt aktiva rum, och tvinga dig att lämna", "Remove, ban, or invite people to your active room, and make you leave": "Ta bort, banna eller bjuda in personer till ditt aktiva rum, och tvinga dig att lämna",
"Remove, ban, or invite people to this room, and make you leave": "Ta bort, banna eller bjuda in personer till det här rummet, och tvinga dig att lämna", "Remove, ban, or invite people to this room, and make you leave": "Ta bort, banna eller bjuda in personer till det här rummet, och tvinga dig att lämna",
"From a thread": "Från en tråd", "From a thread": "Från en tråd",
"Remove users": "Ta bort användare",
"Manage pinned events": "Hantera fästa händelser",
"Send reactions": "Skicka reaktioner",
"Manage rooms in this space": "Hantera rum i det här utrymmet",
"You won't get any notifications": "Du får inga aviseringar", "You won't get any notifications": "Du får inga aviseringar",
"Get notified only with mentions and keywords as set up in your <a>settings</a>": "Bli endast aviserad om omnämnanden och nyckelord i enlighet med dina <a>inställningar</a>", "Get notified only with mentions and keywords as set up in your <a>settings</a>": "Bli endast aviserad om omnämnanden och nyckelord i enlighet med dina <a>inställningar</a>",
"@mentions & keywords": "@omnämnanden och nyckelord", "@mentions & keywords": "@omnämnanden och nyckelord",
@ -2641,7 +2545,6 @@
"Switch to space by number": "Byt till utrymme med nummer", "Switch to space by number": "Byt till utrymme med nummer",
"Pinned": "Fäst", "Pinned": "Fäst",
"Open thread": "Öppna tråd", "Open thread": "Öppna tråd",
"Remove messages sent by me": "Ta bort meddelanden skickade av mig",
"No virtual room for this room": "Inget virtuellt rum för det här rummet", "No virtual room for this room": "Inget virtuellt rum för det här rummet",
"Switches to this room's virtual room, if it has one": "Byter till det här rummets virtuella rum, om det har ett", "Switches to this room's virtual room, if it has one": "Byter till det här rummets virtuella rum, om det har ett",
"Match system": "Matcha systemet", "Match system": "Matcha systemet",
@ -2712,12 +2615,6 @@
"Disinvite from room": "Ta bort från rum", "Disinvite from room": "Ta bort från rum",
"Remove from space": "Ta bort från utrymme", "Remove from space": "Ta bort från utrymme",
"Disinvite from space": "Ta bort inbjudan från utrymme", "Disinvite from space": "Ta bort inbjudan från utrymme",
"Turn on camera": "Sätt på kamera",
"Turn off camera": "Stäng av kamera",
"Video devices": "Videoenheter",
"Unmute microphone": "Slå på mikrofonen",
"Mute microphone": "Slå av mikrofonen",
"Audio devices": "Ljudenheter",
"Next recently visited room or space": "Nästa nyligen besökta rum eller utrymme", "Next recently visited room or space": "Nästa nyligen besökta rum eller utrymme",
"Previous recently visited room or space": "Föregående nyligen besökta rum eller utrymme", "Previous recently visited room or space": "Föregående nyligen besökta rum eller utrymme",
"Toggle Link": "Växla länk av/på", "Toggle Link": "Växla länk av/på",
@ -2898,8 +2795,6 @@
"Someone else is already recording a voice broadcast. Wait for their voice broadcast to end to start a new one.": "Någon annan spelar redan in en röstsändning. Vänta på att deras röstsändning tar slut för att starta en ny.", "Someone else is already recording a voice broadcast. Wait for their voice broadcast to end to start a new one.": "Någon annan spelar redan in en röstsändning. Vänta på att deras röstsändning tar slut för att starta en ny.",
"You don't have the required permissions to start a voice broadcast in this room. Contact a room administrator to upgrade your permissions.": "Du är inte behörig att starta en röstsändning i det här rummet. Kontakta en rumsadministratör för att uppgradera dina behörigheter.", "You don't have the required permissions to start a voice broadcast in this room. Contact a room administrator to upgrade your permissions.": "Du är inte behörig att starta en röstsändning i det här rummet. Kontakta en rumsadministratör för att uppgradera dina behörigheter.",
"You are already recording a voice broadcast. Please end your current voice broadcast to start a new one.": "Du spelar redan in en röstsändning. Avsluta din nuvarande röstsändning för att påbörja en ny.", "You are already recording a voice broadcast. Please end your current voice broadcast to start a new one.": "Du spelar redan in en röstsändning. Avsluta din nuvarande röstsändning för att påbörja en ny.",
"Notifications silenced": "Aviseringar tystade",
"Video call started": "Videosamtal startat",
"Unknown room": "Okänt rum", "Unknown room": "Okänt rum",
"Voice broadcast": "Röstsändning", "Voice broadcast": "Röstsändning",
"Live": "Sänder", "Live": "Sänder",
@ -2910,7 +2805,6 @@
"Record the client name, version, and url to recognise sessions more easily in session manager": "Spara klientens namn, version och URL för att lättare känna igen sessioner i sessionshanteraren", "Record the client name, version, and url to recognise sessions more easily in session manager": "Spara klientens namn, version och URL för att lättare känna igen sessioner i sessionshanteraren",
"Sorry — this call is currently full": "Tyvärr - det här samtalet är för närvarande fullt", "Sorry — this call is currently full": "Tyvärr - det här samtalet är för närvarande fullt",
"Show shortcut to welcome checklist above the room list": "Visa genväg till välkomstchecklistan ovanför rumslistan", "Show shortcut to welcome checklist above the room list": "Visa genväg till välkomstchecklistan ovanför rumslistan",
"Fill screen": "Fyll skärmen",
"Download %(brand)s": "Ladda ner %(brand)s", "Download %(brand)s": "Ladda ner %(brand)s",
"Only applies if your homeserver does not offer one. Your IP address would be shared during a call.": "Gäller endast om din hemserver inte erbjuder en. Din IP-adress delas under samtal.", "Only applies if your homeserver does not offer one. Your IP address would be shared during a call.": "Gäller endast om din hemserver inte erbjuder en. Din IP-adress delas under samtal.",
"Noise suppression": "Brusreducering", "Noise suppression": "Brusreducering",
@ -3055,9 +2949,6 @@
"%(brand)s is end-to-end encrypted, but is currently limited to smaller numbers of users.": "%(brand)s är totalsträckskrypterad, men är för närvarande begränsad till ett lägre antal användare.", "%(brand)s is end-to-end encrypted, but is currently limited to smaller numbers of users.": "%(brand)s är totalsträckskrypterad, men är för närvarande begränsad till ett lägre antal användare.",
"Enable %(brand)s as an additional calling option in this room": "Aktivera %(brand)s som ett extra samtalsalternativ i det här rummet", "Enable %(brand)s as an additional calling option in this room": "Aktivera %(brand)s som ett extra samtalsalternativ i det här rummet",
"<b>It's not recommended to add encryption to public rooms.</b> Anyone can find and join public rooms, so anyone can read messages in them. You'll get none of the benefits of encryption, and you won't be able to turn it off later. Encrypting messages in a public room will make receiving and sending messages slower.": "<b>Det rekommenderas inte att lägga till kryptering i offentliga rum.</b> Vem som helst kan hitta och gå med i offentliga rum, så vem som helst kan läsa meddelanden i dem. Du får inga av fördelarna med kryptering, och du kommer inte kunna stänga av de senare. Kryptering av meddelanden i offentliga rum kommer att göra det långsammare att ta emot och skicka meddelanden.", "<b>It's not recommended to add encryption to public rooms.</b> Anyone can find and join public rooms, so anyone can read messages in them. You'll get none of the benefits of encryption, and you won't be able to turn it off later. Encrypting messages in a public room will make receiving and sending messages slower.": "<b>Det rekommenderas inte att lägga till kryptering i offentliga rum.</b> Vem som helst kan hitta och gå med i offentliga rum, så vem som helst kan läsa meddelanden i dem. Du får inga av fördelarna med kryptering, och du kommer inte kunna stänga av de senare. Kryptering av meddelanden i offentliga rum kommer att göra det långsammare att ta emot och skicka meddelanden.",
"Join %(brand)s calls": "Gå med i %(brand)s samtal",
"Start %(brand)s calls": "Starta %(brand)s samtal",
"Voice broadcasts": "Röstsändning",
"Too many attempts in a short time. Wait some time before trying again.": "För många försök under för kort tid. Vänta ett tag innan du försöker igen.", "Too many attempts in a short time. Wait some time before trying again.": "För många försök under för kort tid. Vänta ett tag innan du försöker igen.",
"Thread root ID: %(threadRootId)s": "Trådens rot-ID: %(threadRootId)s", "Thread root ID: %(threadRootId)s": "Trådens rot-ID: %(threadRootId)s",
"We're creating a room with %(names)s": "Vi skapar ett rum med %(names)s", "We're creating a room with %(names)s": "Vi skapar ett rum med %(names)s",
@ -3239,8 +3130,6 @@
"Unknown password change error (%(stringifiedError)s)": "Okänt fel vid lösenordsändring (%(stringifiedError)s)", "Unknown password change error (%(stringifiedError)s)": "Okänt fel vid lösenordsändring (%(stringifiedError)s)",
"Error while changing password: %(error)s": "Fel vid ändring av lösenord: %(error)s", "Error while changing password: %(error)s": "Fel vid ändring av lösenord: %(error)s",
"Failed to download source media, no source url was found": "Misslyckades att ladda ned källmedian, ingen käll-URL hittades", "Failed to download source media, no source url was found": "Misslyckades att ladda ned källmedian, ingen käll-URL hittades",
"%(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.", "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.",
"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\".", "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", "The add / bind with MSISDN flow is misconfigured": "Flöde för tilläggning/bindning med MSISDN är felkonfigurerat",
@ -3376,7 +3265,11 @@
"server": "Server", "server": "Server",
"capabilities": "Förmågor", "capabilities": "Förmågor",
"unnamed_room": "Namnlöst rum", "unnamed_room": "Namnlöst rum",
"unnamed_space": "Namnlöst utrymme" "unnamed_space": "Namnlöst utrymme",
"stickerpack": "Dekalpaket",
"system_alerts": "Systemvarningar",
"secure_backup": "Säker säkerhetskopiering",
"cross_signing": "Korssignering"
}, },
"action": { "action": {
"continue": "Fortsätt", "continue": "Fortsätt",
@ -3554,7 +3447,14 @@
"format_decrease_indent": "Minska indrag", "format_decrease_indent": "Minska indrag",
"format_inline_code": "Kod", "format_inline_code": "Kod",
"format_code_block": "Kodblock", "format_code_block": "Kodblock",
"format_link": "Länk" "format_link": "Länk",
"send_button_title": "Skicka meddelande",
"placeholder_thread_encrypted": "Svara på krypterad tråd…",
"placeholder_thread": "Svara på tråd…",
"placeholder_reply_encrypted": "Skicka ett krypterat svar…",
"placeholder_reply": "Skicka ett svar…",
"placeholder_encrypted": "Skicka ett krypterat meddelande…",
"placeholder": "Skicka ett meddelande…"
}, },
"Bold": "Fet", "Bold": "Fet",
"Link": "Länk", "Link": "Länk",
@ -3577,7 +3477,11 @@
"send_logs": "Skicka loggar", "send_logs": "Skicka loggar",
"github_issue": "GitHub-ärende", "github_issue": "GitHub-ärende",
"download_logs": "Ladda ner loggar", "download_logs": "Ladda ner loggar",
"before_submitting": "Innan du skickar in loggar måste du <a>skapa ett GitHub-ärende</a> för att beskriva problemet." "before_submitting": "Innan du skickar in loggar måste du <a>skapa ett GitHub-ärende</a> för att beskriva problemet.",
"collecting_information": "Samlar in appversionsinformation",
"collecting_logs": "Samlar in loggar",
"uploading_logs": "Laddar upp loggar",
"downloading_logs": "Laddar ner loggar"
}, },
"time": { "time": {
"hours_minutes_seconds_left": "%(hours)st %(minutes)sm %(seconds)ss kvar", "hours_minutes_seconds_left": "%(hours)st %(minutes)sm %(seconds)ss kvar",
@ -3780,7 +3684,9 @@
"toolbox": "Verktygslåda", "toolbox": "Verktygslåda",
"developer_tools": "Utvecklarverktyg", "developer_tools": "Utvecklarverktyg",
"room_id": "Rums-ID: %(roomId)s", "room_id": "Rums-ID: %(roomId)s",
"event_id": "Händelse-ID: %(eventId)s" "event_id": "Händelse-ID: %(eventId)s",
"category_room": "Rum",
"category_other": "Annat"
}, },
"export_chat": { "export_chat": {
"html": "HTML", "html": "HTML",
@ -3938,6 +3844,9 @@
"other": "%(names)s och %(count)s andra skriver …", "other": "%(names)s och %(count)s andra skriver …",
"one": "%(names)s och en till skriver …" "one": "%(names)s och en till skriver …"
} }
},
"m.call.hangup": {
"dm": "Samtalet avslutades"
} }
}, },
"slash_command": { "slash_command": {
@ -3973,7 +3882,14 @@
"help": "Visar lista över kommandon med användande beskrivningar", "help": "Visar lista över kommandon med användande beskrivningar",
"whois": "Visar information om en användare", "whois": "Visar information om en användare",
"rageshake": "Skicka en buggrapport med loggar", "rageshake": "Skicka en buggrapport med loggar",
"msg": "Skickar ett meddelande till den valda användaren" "msg": "Skickar ett meddelande till den valda användaren",
"usage": "Användande",
"category_messages": "Meddelanden",
"category_actions": "Åtgärder",
"category_admin": "Administratör",
"category_advanced": "Avancerat",
"category_effects": "Effekter",
"category_other": "Annat"
}, },
"presence": { "presence": {
"busy": "Upptagen", "busy": "Upptagen",
@ -3987,5 +3903,108 @@
"offline": "Offline", "offline": "Offline",
"away": "Borta" "away": "Borta"
}, },
"Unknown": "Okänt" "Unknown": "Okänt",
"event_preview": {
"m.call.answer": {
"you": "Du gick med i samtalet",
"user": "%(senderName)s gick med i samtalet",
"dm": "Samtal pågår"
},
"m.call.hangup": {
"you": "Du avslutade samtalet",
"user": "%(senderName)s avslutade samtalet"
},
"m.call.invite": {
"you": "Du startade ett samtal",
"user": "%(senderName)s startade ett samtal",
"dm_send": "Väntar på svar",
"dm_receive": "%(senderName)s ringer"
},
"m.emote": "* %(senderName)s %(emote)s",
"m.text": "%(senderName)s: %(message)s",
"m.reaction": {
"you": "Du reagerade med %(reaction)s till %(message)s",
"user": "%(sender)s reagerade med %(reaction)s till %(message)s"
},
"m.sticker": "%(senderName)s: %(stickerName)s"
},
"voip": {
"disable_microphone": "Slå av mikrofonen",
"enable_microphone": "Slå på mikrofonen",
"disable_camera": "Stäng av kamera",
"enable_camera": "Sätt på kamera",
"audio_devices": "Ljudenheter",
"video_devices": "Videoenheter",
"dial": "Slå nummer",
"you_are_presenting": "Du presenterar",
"user_is_presenting": "%(sharerName)s presenterar",
"camera_disabled": "Din kamera är av",
"camera_enabled": "Din kamera är fortfarande på",
"consulting": "Tillfrågar %(transferTarget)s. <a>%(transferTarget)sÖverför till %(transferee)s</a>",
"call_held_switch": "Du parkerade samtalet <a>Byt</a>",
"call_held_resume": "Du parkerade samtalet <a>Återuppta</a>",
"call_held": "%(peerName)s parkerade samtalet",
"dialpad": "Knappsats",
"stop_screenshare": "Sluta dela din skärm",
"start_screenshare": "Börja dela din skärm",
"hangup": "Lägg på",
"maximise": "Fyll skärmen",
"expand": "Återgå till samtal",
"on_hold": "%(name)s parkerad",
"voice_call": "Röstsamtal",
"video_call": "Videosamtal",
"video_call_started": "Videosamtal startat",
"unsilence": "Ljud på",
"silence": "Tysta samtal",
"silenced": "Aviseringar tystade",
"unknown_caller": "Okänd uppringare",
"call_failed": "Samtal misslyckades",
"unable_to_access_microphone": "Kan inte komma åt mikrofonen",
"call_failed_microphone": "Samtal misslyckades eftersom att mikrofonen inte kunde kommas åt. Kolla att en mikrofon är inkopplat och korrekt inställd.",
"unable_to_access_media": "Kan inte komma åt webbkamera eller mikrofon",
"call_failed_media": "Samtal misslyckades eftersom webbkamera eller mikrofon inte kunde kommas åt. Kolla att:",
"call_failed_media_connected": "En webbkamera och en mikrofon är inkopplad och korrekt inställd",
"call_failed_media_permissions": "Åtkomst till webbkameran har beviljats",
"call_failed_media_applications": "Inget annat program använder webbkameran",
"already_in_call": "Redan i samtal",
"already_in_call_person": "Du är redan i ett samtal med den här personen.",
"unsupported": "Samtal stöds ej",
"unsupported_browser": "Du kan inte ringa samtal i den här webbläsaren."
},
"Messages": "Meddelanden",
"Other": "Annat",
"Advanced": "Avancerat",
"room_settings": {
"permissions": {
"m.room.avatar_space": "Byt utrymmesavatar",
"m.room.avatar": "Byt rumsavatar",
"m.room.name_space": "Byt utrymmesnamn",
"m.room.name": "Ändra rumsnamn",
"m.room.canonical_alias_space": "Byt huvudadress för utrymmet",
"m.room.canonical_alias": "Byt huvudadress för rummet",
"m.space.child": "Hantera rum i det här utrymmet",
"m.room.history_visibility": "Ändra synlighet för historik",
"m.room.power_levels": "Ändra behörigheter",
"m.room.topic_space": "Ändra beskrivningen",
"m.room.topic": "Ändra ämne",
"m.room.tombstone": "Uppgradera rummet",
"m.room.encryption": "Aktivera rumskryptering",
"m.room.server_acl": "Ändra server-ACLer",
"m.reaction": "Skicka reaktioner",
"m.room.redaction": "Ta bort meddelanden skickade av mig",
"m.widget": "Ändra widgets",
"io.element.voice_broadcast_info": "Röstsändning",
"m.room.pinned_events": "Hantera fästa händelser",
"m.call": "Starta %(brand)s samtal",
"m.call.member": "Gå med i %(brand)s samtal",
"users_default": "Standardroll",
"events_default": "Skicka meddelanden",
"invite": "Bjuda in användare",
"state_default": "Ändra inställningar",
"kick": "Ta bort användare",
"ban": "Banna användare",
"redact": "Ta bort meddelanden skickade av andra",
"notifications.room": "Meddela alla"
}
}
} }

View file

@ -2,8 +2,6 @@
"All messages": "அனைத்து செய்திகள்", "All messages": "அனைத்து செய்திகள்",
"All Rooms": "அனைத்து அறைகள்", "All Rooms": "அனைத்து அறைகள்",
"Changelog": "மாற்றப்பதிவு", "Changelog": "மாற்றப்பதிவு",
"Collecting app version information": "செயலியின் பதிப்பு தகவல்கள் சேகரிக்கப்படுகிறது",
"Collecting logs": "பதிவுகள் சேகரிக்கப்படுகிறது",
"Failed to add tag %(tagName)s to room": "%(tagName)s எனும் குறிச்சொல்லை அறையில் சேர்ப்பதில் தோல்வி", "Failed to add tag %(tagName)s to room": "%(tagName)s எனும் குறிச்சொல்லை அறையில் சேர்ப்பதில் தோல்வி",
"Failed to forget room %(errCode)s": "அறையை மறப்பதில் தோல்வி %(errCode)s", "Failed to forget room %(errCode)s": "அறையை மறப்பதில் தோல்வி %(errCode)s",
"Favourite": "விருப்பமான", "Favourite": "விருப்பமான",
@ -45,7 +43,6 @@
"This phone number is already in use": "இந்த தொலைபேசி எண் முன்னதாகவே பயன்பாட்டில் உள்ளது", "This phone number is already in use": "இந்த தொலைபேசி எண் முன்னதாகவே பயன்பாட்டில் உள்ளது",
"Failed to verify email address: make sure you clicked the link in the email": "மின்னஞ்சல் முகவரியை சரிபார்க்க முடியவில்லை: மின்னஞ்சலில் உள்ள இணைப்பை அழுத்தியுள்ளீர்களா என்பதை உறுதிப்படுத்தவும்", "Failed to verify email address: make sure you clicked the link in the email": "மின்னஞ்சல் முகவரியை சரிபார்க்க முடியவில்லை: மின்னஞ்சலில் உள்ள இணைப்பை அழுத்தியுள்ளீர்களா என்பதை உறுதிப்படுத்தவும்",
"Your %(brand)s is misconfigured": "உங்கள் %(brand)s தவறாக உள்ளமைக்கப்பட்டுள்ளது", "Your %(brand)s is misconfigured": "உங்கள் %(brand)s தவறாக உள்ளமைக்கப்பட்டுள்ளது",
"Call Failed": "அழைப்பு தோல்வியுற்றது",
"You cannot place a call with yourself.": "நீங்கள் உங்களுடனே அழைப்பை மேற்கொள்ள முடியாது.", "You cannot place a call with yourself.": "நீங்கள் உங்களுடனே அழைப்பை மேற்கொள்ள முடியாது.",
"Permission Required": "அனுமதி தேவை", "Permission Required": "அனுமதி தேவை",
"You do not have permission to start a conference call in this room": "இந்த அறையில் ஒரு கூட்டு அழைப்பைத் தொடங்க உங்களுக்கு அனுமதி இல்லை", "You do not have permission to start a conference call in this room": "இந்த அறையில் ஒரு கூட்டு அழைப்பைத் தொடங்க உங்களுக்கு அனுமதி இல்லை",
@ -84,17 +81,8 @@
"Jul": "ஜூலை", "Jul": "ஜூலை",
"There was an error looking up the phone number": "தொலைபேசி எண்ணைத் தேடுவதில் பிழை ஏற்பட்டது", "There was an error looking up the phone number": "தொலைபேசி எண்ணைத் தேடுவதில் பிழை ஏற்பட்டது",
"Unable to look up phone number": "தொலைபேசி எண்ணைத் தேட முடியவில்லை", "Unable to look up phone number": "தொலைபேசி எண்ணைத் தேட முடியவில்லை",
"You're already in a call with this person.": "நீங்கள் முன்னதாகவே இந்த நபருடன் அழைப்பில் உள்ளீர்கள்.",
"Already in call": "முன்னதாகவே அழைப்பில் உள்ளது",
"You've reached the maximum number of simultaneous calls.": "ஒரே நேரத்தில் அழைக்கக்கூடிய அதிகபட்ச அழைப்புகளை நீங்கள் அடைந்துவிட்டீர்கள்.", "You've reached the maximum number of simultaneous calls.": "ஒரே நேரத்தில் அழைக்கக்கூடிய அதிகபட்ச அழைப்புகளை நீங்கள் அடைந்துவிட்டீர்கள்.",
"Too Many Calls": "மிக அதிக அழைப்புகள்", "Too Many Calls": "மிக அதிக அழைப்புகள்",
"No other application is using the webcam": "வேறு எந்த பயன்பாடும் புகைப்படக்கருவியைப் பயன்படுத்துவதில்லை",
"Permission is granted to use the webcam": "புகைப்படக்கருவியைப் பயன்படுத்த அனுமதி வழங்கப்பட்டுள்ளது",
"A microphone and webcam are plugged in and set up correctly": "ஒரு ஒலிவாங்கி மற்றும் புகைப்படக்கருவி செருகப்பட்டு சரியாக அமைக்கப்பட்டுள்ளது",
"Call failed because webcam or microphone could not be accessed. Check that:": "புகைப்படக்கருவி அல்லது ஒலிவாங்கியை அணுக முடியாததால் அழைப்பு தோல்வியடைந்தது. அதை சரிபார்க்கவும்:",
"Unable to access webcam / microphone": "புகைப்படக்கருவி / ஒலிவாங்கியை அணுக முடியவில்லை",
"Call failed because microphone could not be accessed. Check that a microphone is plugged in and set up correctly.": "ஒலிவாங்கியை அணுக முடியாததால் அழைப்பு தோல்வியடைந்தது. ஒலிவாங்கி செருகப்பட்டுள்ளதா, சரியாக அமைக்கவும் என சரிபார்க்கவும்.",
"Unable to access microphone": "ஒலிவாங்கியை அணுக முடியவில்லை",
"Please ask the administrator of your homeserver (<code>%(homeserverDomain)s</code>) to configure a TURN server in order for calls to work reliably.": "அழைப்புகள் நம்பத்தகுந்த வகையில் இயங்குவதற்காக, TURN சேவையகத்தை உள்ளமைக்க உங்கள் வீட்டுசேவையகத்தின் (<code>%(homeserverDomain)s</code>) நிர்வாகியிடம் கேளுங்கள்.", "Please ask the administrator of your homeserver (<code>%(homeserverDomain)s</code>) to configure a TURN server in order for calls to work reliably.": "அழைப்புகள் நம்பத்தகுந்த வகையில் இயங்குவதற்காக, TURN சேவையகத்தை உள்ளமைக்க உங்கள் வீட்டுசேவையகத்தின் (<code>%(homeserverDomain)s</code>) நிர்வாகியிடம் கேளுங்கள்.",
"Call failed due to misconfigured server": "தவறாக உள்ளமைக்கப்பட்ட சேவையகம் காரணமாக அழைப்பு தோல்வியடைந்தது", "Call failed due to misconfigured server": "தவறாக உள்ளமைக்கப்பட்ட சேவையகம் காரணமாக அழைப்பு தோல்வியடைந்தது",
"The call was answered on another device.": "அழைப்பு மற்றொரு சாதனத்தில் பதிலளிக்கப்பட்டது.", "The call was answered on another device.": "அழைப்பு மற்றொரு சாதனத்தில் பதிலளிக்கப்பட்டது.",
@ -140,7 +128,9 @@
"register": "பதிவு செய்" "register": "பதிவு செய்"
}, },
"bug_reporting": { "bug_reporting": {
"send_logs": "பதிவுகளை அனுப்பு" "send_logs": "பதிவுகளை அனுப்பு",
"collecting_information": "செயலியின் பதிப்பு தகவல்கள் சேகரிக்கப்படுகிறது",
"collecting_logs": "பதிவுகள் சேகரிக்கப்படுகிறது"
}, },
"devtools": { "devtools": {
"event_type": "நிகழ்வு வகை", "event_type": "நிகழ்வு வகை",
@ -156,5 +146,17 @@
"rule_call": "அழைப்பிற்கான விண்ணப்பம்", "rule_call": "அழைப்பிற்கான விண்ணப்பம்",
"rule_suppress_notices": "bot மூலம் அனுப்பிய செய்திகள்" "rule_suppress_notices": "bot மூலம் அனுப்பிய செய்திகள்"
} }
},
"voip": {
"call_failed": "அழைப்பு தோல்வியுற்றது",
"unable_to_access_microphone": "ஒலிவாங்கியை அணுக முடியவில்லை",
"call_failed_microphone": "ஒலிவாங்கியை அணுக முடியாததால் அழைப்பு தோல்வியடைந்தது. ஒலிவாங்கி செருகப்பட்டுள்ளதா, சரியாக அமைக்கவும் என சரிபார்க்கவும்.",
"unable_to_access_media": "புகைப்படக்கருவி / ஒலிவாங்கியை அணுக முடியவில்லை",
"call_failed_media": "புகைப்படக்கருவி அல்லது ஒலிவாங்கியை அணுக முடியாததால் அழைப்பு தோல்வியடைந்தது. அதை சரிபார்க்கவும்:",
"call_failed_media_connected": "ஒரு ஒலிவாங்கி மற்றும் புகைப்படக்கருவி செருகப்பட்டு சரியாக அமைக்கப்பட்டுள்ளது",
"call_failed_media_permissions": "புகைப்படக்கருவியைப் பயன்படுத்த அனுமதி வழங்கப்பட்டுள்ளது",
"call_failed_media_applications": "வேறு எந்த பயன்பாடும் புகைப்படக்கருவியைப் பயன்படுத்துவதில்லை",
"already_in_call": "முன்னதாகவே அழைப்பில் உள்ளது",
"already_in_call_person": "நீங்கள் முன்னதாகவே இந்த நபருடன் அழைப்பில் உள்ளீர்கள்."
} }
} }

View file

@ -1,12 +1,10 @@
{ {
"Account": "ఖాతా", "Account": "ఖాతా",
"Admin": "అడ్మిన్",
"Admin Tools": "నిర్వాహకుని ఉపకరణాలు", "Admin Tools": "నిర్వాహకుని ఉపకరణాలు",
"No Microphones detected": "మైక్రోఫోన్లు కనుగొనబడలేదు", "No Microphones detected": "మైక్రోఫోన్లు కనుగొనబడలేదు",
"No Webcams detected": "వెబ్కామ్లు కనుగొనబడలేదు", "No Webcams detected": "వెబ్కామ్లు కనుగొనబడలేదు",
"No media permissions": "మీడియా అనుమతులు లేవు", "No media permissions": "మీడియా అనుమతులు లేవు",
"Default Device": "డిఫాల్ట్ పరికరం", "Default Device": "డిఫాల్ట్ పరికరం",
"Advanced": "ఆధునిక",
"Authentication": "ప్రామాణీకరణ", "Authentication": "ప్రామాణీకరణ",
"You do not have permission to post to this room": "మీకు ఈ గదికి పోస్ట్ చేయడానికి అనుమతి లేదు", "You do not have permission to post to this room": "మీకు ఈ గదికి పోస్ట్ చేయడానికి అనుమతి లేదు",
"A new password must be entered.": "కొత్త పాస్ వర్డ్ ను తప్పక నమోదు చేయాలి.", "A new password must be entered.": "కొత్త పాస్ వర్డ్ ను తప్పక నమోదు చేయాలి.",
@ -77,10 +75,8 @@
"Noisy": "శబ్దం", "Noisy": "శబ్దం",
"Failed to add tag %(tagName)s to room": "%(tagName)s ను బొందు జోడించడంలో విఫలమైంది", "Failed to add tag %(tagName)s to room": "%(tagName)s ను బొందు జోడించడంలో విఫలమైంది",
"No update available.": "ఏ నవీకరణ అందుబాటులో లేదు.", "No update available.": "ఏ నవీకరణ అందుబాటులో లేదు.",
"Collecting app version information": "అనువర్తన సంస్కరణ సమాచారాన్ని సేకరించడం",
"Tuesday": "మంగళవారం", "Tuesday": "మంగళవారం",
"Monday": "సోమవారం", "Monday": "సోమవారం",
"Collecting logs": "నమోదు సేకరించడం",
"All Rooms": "అన్ని గదులు", "All Rooms": "అన్ని గదులు",
"Wednesday": "బుధవారం", "Wednesday": "బుధవారం",
"Send": "పంపండి", "Send": "పంపండి",
@ -97,7 +93,6 @@
"This email address is already in use": "ఈ ఇమెయిల్ అడ్రస్ ఇప్పటికే వాడుకం లో ఉంది", "This email address is already in use": "ఈ ఇమెయిల్ అడ్రస్ ఇప్పటికే వాడుకం లో ఉంది",
"This phone number is already in use": "ఈ ఫోన్ నంబర్ ఇప్పటికే వాడుకం లో ఉంది", "This phone number is already in use": "ఈ ఫోన్ నంబర్ ఇప్పటికే వాడుకం లో ఉంది",
"Failed to verify email address: make sure you clicked the link in the email": "ఇమెయిల్ అడ్రస్ ని నిరూపించలేక పోయాము. ఈమెయిల్ లో వచ్చిన లింక్ ని నొక్కారా", "Failed to verify email address: make sure you clicked the link in the email": "ఇమెయిల్ అడ్రస్ ని నిరూపించలేక పోయాము. ఈమెయిల్ లో వచ్చిన లింక్ ని నొక్కారా",
"Call Failed": "కాల్ విఫలమయింది",
"Confirm adding email": "ఈమెయిల్ చేర్చుటకు ధ్రువీకరించు", "Confirm adding email": "ఈమెయిల్ చేర్చుటకు ధ్రువీకరించు",
"Single Sign On": "సింగిల్ సైన్ ఆన్", "Single Sign On": "సింగిల్ సైన్ ఆన్",
"common": { "common": {
@ -128,7 +123,9 @@
"admin": "అడ్మిన్" "admin": "అడ్మిన్"
}, },
"bug_reporting": { "bug_reporting": {
"send_logs": "నమోదును పంపు" "send_logs": "నమోదును పంపు",
"collecting_information": "అనువర్తన సంస్కరణ సమాచారాన్ని సేకరించడం",
"collecting_logs": "నమోదు సేకరించడం"
}, },
"settings": { "settings": {
"always_show_message_timestamps": "ఎల్లప్పుడూ సందేశాల సమయ ముద్రలు చూపించు", "always_show_message_timestamps": "ఎల్లప్పుడూ సందేశాల సమయ ముద్రలు చూపించు",
@ -147,6 +144,12 @@
}, },
"slash_command": { "slash_command": {
"nick": "మీ ప్రదర్శన మారుపేరుని మారుస్తుంది", "nick": "మీ ప్రదర్శన మారుపేరుని మారుస్తుంది",
"ban": "ఇచ్చిన ఐడి తో వినియోగదారుని నిషేధించారు" "ban": "ఇచ్చిన ఐడి తో వినియోగదారుని నిషేధించారు",
"category_admin": "అడ్మిన్",
"category_advanced": "ఆధునిక"
},
"Advanced": "ఆధునిక",
"voip": {
"call_failed": "కాల్ విఫలమయింది"
} }
} }

View file

@ -1,7 +1,6 @@
{ {
"Account": "บัญชี", "Account": "บัญชี",
"No Microphones detected": "ไม่พบไมโครโฟน", "No Microphones detected": "ไม่พบไมโครโฟน",
"Advanced": "ขึ้นสูง",
"Change Password": "เปลี่ยนรหัสผ่าน", "Change Password": "เปลี่ยนรหัสผ่าน",
"Default": "ค่าเริ่มต้น", "Default": "ค่าเริ่มต้น",
"Default Device": "อุปกรณ์เริ่มต้น", "Default Device": "อุปกรณ์เริ่มต้น",
@ -17,7 +16,6 @@
"unknown error code": "รหัสข้อผิดพลาดที่ไม่รู้จัก", "unknown error code": "รหัสข้อผิดพลาดที่ไม่รู้จัก",
"Favourite": "รายการโปรด", "Favourite": "รายการโปรด",
"Failed to forget room %(errCode)s": "การลืมห้องล้มเหลว %(errCode)s", "Failed to forget room %(errCode)s": "การลืมห้องล้มเหลว %(errCode)s",
"Admin": "ผู้ดูแล",
"No Webcams detected": "ไม่พบกล้องเว็บแคม", "No Webcams detected": "ไม่พบกล้องเว็บแคม",
"No media permissions": "ไม่มีสิทธิ์เข้าถึงสื่อ", "No media permissions": "ไม่มีสิทธิ์เข้าถึงสื่อ",
"You may need to manually permit %(brand)s to access your microphone/webcam": "คุณอาจต้องให้สิทธิ์ %(brand)s เข้าถึงไมค์โครโฟนไมค์โครโฟน/กล้องเว็บแคม ด้วยตัวเอง", "You may need to manually permit %(brand)s to access your microphone/webcam": "คุณอาจต้องให้สิทธิ์ %(brand)s เข้าถึงไมค์โครโฟนไมค์โครโฟน/กล้องเว็บแคม ด้วยตัวเอง",
@ -54,7 +52,6 @@
"Filter room members": "กรองสมาชิกห้อง", "Filter room members": "กรองสมาชิกห้อง",
"Forget room": "ลืมห้อง", "Forget room": "ลืมห้อง",
"%(userId)s from %(fromPowerLevel)s to %(toPowerLevel)s": "%(userId)s จาก %(fromPowerLevel)s ไปเป็น %(toPowerLevel)s", "%(userId)s from %(fromPowerLevel)s to %(toPowerLevel)s": "%(userId)s จาก %(fromPowerLevel)s ไปเป็น %(toPowerLevel)s",
"Hangup": "วางสาย",
"Historical": "ประวัติแชทเก่า", "Historical": "ประวัติแชทเก่า",
"Incorrect username and/or password.": "ชื่อผู้ใช้และ/หรือรหัสผ่านไม่ถูกต้อง", "Incorrect username and/or password.": "ชื่อผู้ใช้และ/หรือรหัสผ่านไม่ถูกต้อง",
"Incorrect verification code": "รหัสยืนยันไม่ถูกต้อง", "Incorrect verification code": "รหัสยืนยันไม่ถูกต้อง",
@ -106,7 +103,6 @@
"other": "กำลังอัปโหลด %(filename)s และอีก %(count)s ไฟล์" "other": "กำลังอัปโหลด %(filename)s และอีก %(count)s ไฟล์"
}, },
"Upload Failed": "การอัปโหลดล้มเหลว", "Upload Failed": "การอัปโหลดล้มเหลว",
"Usage": "การใช้งาน",
"Warning!": "คำเตือน!", "Warning!": "คำเตือน!",
"Who can read history?": "ใครสามารถอ่านประวัติแชทได้?", "Who can read history?": "ใครสามารถอ่านประวัติแชทได้?",
"You have <a>disabled</a> URL previews by default.": "ค่าเริ่มต้นของคุณ<a>ปิดใช้งาน</a>ตัวอย่าง URL เอาไว้", "You have <a>disabled</a> URL previews by default.": "ค่าเริ่มต้นของคุณ<a>ปิดใช้งาน</a>ตัวอย่าง URL เอาไว้",
@ -177,13 +173,11 @@
"Source URL": "URL ต้นฉบับ", "Source URL": "URL ต้นฉบับ",
"No update available.": "ไม่มีอัปเดตที่ใหม่กว่า", "No update available.": "ไม่มีอัปเดตที่ใหม่กว่า",
"Noisy": "เสียงดัง", "Noisy": "เสียงดัง",
"Collecting app version information": "กำลังรวบรวมข้อมูลเวอร์ชันแอป",
"Tuesday": "วันอังคาร", "Tuesday": "วันอังคาร",
"Search…": "ค้นหา…", "Search…": "ค้นหา…",
"Unnamed room": "ห้องที่ไม่มีชื่อ", "Unnamed room": "ห้องที่ไม่มีชื่อ",
"Saturday": "วันเสาร์", "Saturday": "วันเสาร์",
"Monday": "วันจันทร์", "Monday": "วันจันทร์",
"Collecting logs": "กำลังรวบรวมล็อก",
"All Rooms": "ทุกห้อง", "All Rooms": "ทุกห้อง",
"Wednesday": "วันพุธ", "Wednesday": "วันพุธ",
"All messages": "ทุกข้อความ", "All messages": "ทุกข้อความ",
@ -199,21 +193,12 @@
"Explore rooms": "สำรวจห้อง", "Explore rooms": "สำรวจห้อง",
"Create Account": "สร้างบัญชี", "Create Account": "สร้างบัญชี",
"Add Email Address": "เพิ่มที่อยู่อีเมล", "Add Email Address": "เพิ่มที่อยู่อีเมล",
"Already in call": "อยู่ในสายแล้ว",
"No other application is using the webcam": "ไม่มีแอปพลิเคชันอื่นใดที่ใช้กล้อง",
"Permission is granted to use the webcam": "ได้รับอนุญาตให้ใช้กล้อง",
"A microphone and webcam are plugged in and set up correctly": "เสียบไมโครโฟนและกล้องและตั้งค่าอย่างถูกต้อง",
"Call failed because webcam or microphone could not be accessed. Check that:": "การโทรล้มเหลวเนื่องจากไม่สามารถเข้าถึงกล้องหรือไมโครโฟนได้ ตรวจสอบว่า:",
"Unable to access webcam / microphone": "ไม่สามารถเข้าถึง กล้อง/ไมโครโฟน",
"Call failed because microphone could not be accessed. Check that a microphone is plugged in and set up correctly.": "การโทรล้มเหลวเนื่องจากไม่สามารถเข้าถึงไมโครโฟนได้ ตรวจสอบว่าเสียบไมโครโฟนและตั้งค่าถูกต้อง.",
"Unable to access microphone": "ไม่สามารถเข้าถึงไมโครโฟน",
"Please ask the administrator of your homeserver (<code>%(homeserverDomain)s</code>) to configure a TURN server in order for calls to work reliably.": "โปรดสอบถามผู้ดูแลระบบของโฮมเซิร์ฟเวอร์ของคุณ (<code>%(homeserverDomain)s</code>) เพื่อกำหนดคอนฟิกเซิร์ฟเวอร์ TURN เพื่อให้การเรียกทำงานได้อย่างน่าเชื่อถือ.", "Please ask the administrator of your homeserver (<code>%(homeserverDomain)s</code>) to configure a TURN server in order for calls to work reliably.": "โปรดสอบถามผู้ดูแลระบบของโฮมเซิร์ฟเวอร์ของคุณ (<code>%(homeserverDomain)s</code>) เพื่อกำหนดคอนฟิกเซิร์ฟเวอร์ TURN เพื่อให้การเรียกทำงานได้อย่างน่าเชื่อถือ.",
"Call failed due to misconfigured server": "การโทรล้มเหลวเนื่องจากเซิร์ฟเวอร์กำหนดค่าไม่ถูกต้อง", "Call failed due to misconfigured server": "การโทรล้มเหลวเนื่องจากเซิร์ฟเวอร์กำหนดค่าไม่ถูกต้อง",
"The call was answered on another device.": "คุณรับสายบนอุปกรณ์อื่นแล้ว.", "The call was answered on another device.": "คุณรับสายบนอุปกรณ์อื่นแล้ว.",
"The call could not be established": "ไม่สามารถโทรออกได้", "The call could not be established": "ไม่สามารถโทรออกได้",
"The user you called is busy.": "ผู้ใช้ที่คุณโทรหาไม่ว่าง.", "The user you called is busy.": "ผู้ใช้ที่คุณโทรหาไม่ว่าง.",
"User Busy": "ผู้ใช้ไม่ว่าง", "User Busy": "ผู้ใช้ไม่ว่าง",
"Call Failed": "การโทรล้มเหลว",
"Only continue if you trust the owner of the server.": "ดำเนินการต่อหากคุณไว้วางใจเจ้าของเซิร์ฟเวอร์เท่านั้น.", "Only continue if you trust the owner of the server.": "ดำเนินการต่อหากคุณไว้วางใจเจ้าของเซิร์ฟเวอร์เท่านั้น.",
"This action requires accessing the default identity server <server /> to validate an email address or phone number, but the server does not have any terms of service.": "การดำเนินการนี้จำเป็นต้องเข้าถึงเซิร์ฟเวอร์ identity เริ่มต้น <server /> เพื่อตรวจสอบที่อยู่อีเมลหรือหมายเลขโทรศัพท์ แต่เซิร์ฟเวอร์ไม่มีข้อกำหนดในการให้บริการใดๆ.", "This action requires accessing the default identity server <server /> to validate an email address or phone number, but the server does not have any terms of service.": "การดำเนินการนี้จำเป็นต้องเข้าถึงเซิร์ฟเวอร์ identity เริ่มต้น <server /> เพื่อตรวจสอบที่อยู่อีเมลหรือหมายเลขโทรศัพท์ แต่เซิร์ฟเวอร์ไม่มีข้อกำหนดในการให้บริการใดๆ.",
"Identity server has no terms of service": "เซิร์ฟเวอร์ประจำตัวไม่มีข้อกำหนดในการให้บริการ", "Identity server has no terms of service": "เซิร์ฟเวอร์ประจำตัวไม่มีข้อกำหนดในการให้บริการ",
@ -257,9 +242,6 @@
"Too Many Calls": "โทรมากเกินไป", "Too Many Calls": "โทรมากเกินไป",
"You cannot place calls without a connection to the server.": "คุณไม่สามารถโทรออกได้หากไม่ได้เชื่อมต่อกับเซิร์ฟเวอร์.", "You cannot place calls without a connection to the server.": "คุณไม่สามารถโทรออกได้หากไม่ได้เชื่อมต่อกับเซิร์ฟเวอร์.",
"Connectivity to the server has been lost": "ขาดการเชื่อมต่อกับเซิร์ฟเวอร์", "Connectivity to the server has been lost": "ขาดการเชื่อมต่อกับเซิร์ฟเวอร์",
"You cannot place calls in this browser.": "คุณไม่สามารถโทรออกในเบราว์เซอร์นี้.",
"Calls are unsupported": "ไม่รองรับการโทร",
"You're already in a call with this person.": "คุณอยู่ในสายกับบุคคลนี้แล้ว.",
"Show details": "แสดงรายละเอียด", "Show details": "แสดงรายละเอียด",
"Hide details": "ซ่อนรายละเอียด", "Hide details": "ซ่อนรายละเอียด",
"Sign out of this session": "ออกจากระบบเซสชันนี้.", "Sign out of this session": "ออกจากระบบเซสชันนี้.",
@ -376,7 +358,6 @@
"Admin Tools": "เครื่องมือผู้ดูแลระบบ", "Admin Tools": "เครื่องมือผู้ดูแลระบบ",
"Could not revoke the invite. The server may be experiencing a temporary problem or you do not have sufficient permissions to revoke the invite.": "ไม่สามารถยกเลิกคำเชิญได้ เซิร์ฟเวอร์อาจประสบปัญหาชั่วคราวหรือคุณไม่มีสิทธิ์เพียงพอที่จะยกเลิกคำเชิญ", "Could not revoke the invite. The server may be experiencing a temporary problem or you do not have sufficient permissions to revoke the invite.": "ไม่สามารถยกเลิกคำเชิญได้ เซิร์ฟเวอร์อาจประสบปัญหาชั่วคราวหรือคุณไม่มีสิทธิ์เพียงพอที่จะยกเลิกคำเชิญ",
"Failed to revoke invite": "ยกเลิกคำเชิญไม่สำเร็จ", "Failed to revoke invite": "ยกเลิกคำเชิญไม่สำเร็จ",
"Stickerpack": "ชุดสติ๊กเกอร์",
"Add some now": "เพิ่มบางส่วนในขณะนี้", "Add some now": "เพิ่มบางส่วนในขณะนี้",
"You don't currently have any stickerpacks enabled": "ขณะนี้คุณไม่ได้เปิดใช้งานชุดสติกเกอร์ใดๆ", "You don't currently have any stickerpacks enabled": "ขณะนี้คุณไม่ได้เปิดใช้งานชุดสติกเกอร์ใดๆ",
"Failed to connect to integration manager": "ไม่สามารถเชื่อมต่อกับตัวจัดการการรวม", "Failed to connect to integration manager": "ไม่สามารถเชื่อมต่อกับตัวจัดการการรวม",
@ -411,7 +392,8 @@
"application": "แอปพลิเคชัน", "application": "แอปพลิเคชัน",
"version": "รุ่น", "version": "รุ่น",
"device": "อุปกรณ์", "device": "อุปกรณ์",
"unnamed_room": "ห้องที่ยังไม่ได้ตั้งชื่อ" "unnamed_room": "ห้องที่ยังไม่ได้ตั้งชื่อ",
"stickerpack": "ชุดสติ๊กเกอร์"
}, },
"action": { "action": {
"continue": "ดำเนินการต่อ", "continue": "ดำเนินการต่อ",
@ -472,7 +454,9 @@
"admin": "ผู้ดูแล" "admin": "ผู้ดูแล"
}, },
"bug_reporting": { "bug_reporting": {
"send_logs": "ส่งล็อก" "send_logs": "ส่งล็อก",
"collecting_information": "กำลังรวบรวมข้อมูลเวอร์ชันแอป",
"collecting_logs": "กำลังรวบรวมล็อก"
}, },
"time": { "time": {
"hours_minutes_seconds_left": "%(hours)sh %(minutes)sm %(seconds)ss ที่ผ่านมา", "hours_minutes_seconds_left": "%(hours)sh %(minutes)sm %(seconds)ss ที่ผ่านมา",
@ -506,11 +490,33 @@
"slash_command": { "slash_command": {
"nick": "เปลี่ยนชื่อเล่นที่แสดงของคุณ", "nick": "เปลี่ยนชื่อเล่นที่แสดงของคุณ",
"invite": "เชิญผู้ใช้ พร้อม id ของห้องปัจจุบัน", "invite": "เชิญผู้ใช้ พร้อม id ของห้องปัจจุบัน",
"ban": "ผู้ใช้และ id ที่ถูกแบน" "ban": "ผู้ใช้และ id ที่ถูกแบน",
"usage": "การใช้งาน",
"category_admin": "ผู้ดูแล",
"category_advanced": "ขึ้นสูง"
}, },
"presence": { "presence": {
"online": "ออนไลน์", "online": "ออนไลน์",
"idle": "ว่าง", "idle": "ว่าง",
"offline": "ออฟไลน์" "offline": "ออฟไลน์"
} },
"voip": {
"hangup": "วางสาย",
"call_failed": "การโทรล้มเหลว",
"unable_to_access_microphone": "ไม่สามารถเข้าถึงไมโครโฟน",
"call_failed_microphone": "การโทรล้มเหลวเนื่องจากไม่สามารถเข้าถึงไมโครโฟนได้ ตรวจสอบว่าเสียบไมโครโฟนและตั้งค่าถูกต้อง.",
"unable_to_access_media": "ไม่สามารถเข้าถึง กล้อง/ไมโครโฟน",
"call_failed_media": "การโทรล้มเหลวเนื่องจากไม่สามารถเข้าถึงกล้องหรือไมโครโฟนได้ ตรวจสอบว่า:",
"call_failed_media_connected": "เสียบไมโครโฟนและกล้องและตั้งค่าอย่างถูกต้อง",
"call_failed_media_permissions": "ได้รับอนุญาตให้ใช้กล้อง",
"call_failed_media_applications": "ไม่มีแอปพลิเคชันอื่นใดที่ใช้กล้อง",
"already_in_call": "อยู่ในสายแล้ว",
"already_in_call_person": "คุณอยู่ในสายกับบุคคลนี้แล้ว.",
"unsupported": "ไม่รองรับการโทร",
"unsupported_browser": "คุณไม่สามารถโทรออกในเบราว์เซอร์นี้."
},
"devtools": {
"category_room": "ห้อง"
},
"Advanced": "ขึ้นสูง"
} }

View file

@ -1,13 +1,11 @@
{ {
"Account": "Hesap", "Account": "Hesap",
"Admin": "Admin",
"Admin Tools": "Admin Araçları", "Admin Tools": "Admin Araçları",
"No Microphones detected": "Hiçbir Mikrofon bulunamadı", "No Microphones detected": "Hiçbir Mikrofon bulunamadı",
"No Webcams detected": "Hiçbir Web kamerası bulunamadı", "No Webcams detected": "Hiçbir Web kamerası bulunamadı",
"No media permissions": "Medya izinleri yok", "No media permissions": "Medya izinleri yok",
"You may need to manually permit %(brand)s to access your microphone/webcam": "%(brand)s'un mikrofonunuza / web kameranıza el le erişmesine izin vermeniz gerekebilir", "You may need to manually permit %(brand)s to access your microphone/webcam": "%(brand)s'un mikrofonunuza / web kameranıza el le erişmesine izin vermeniz gerekebilir",
"Default Device": "Varsayılan Cihaz", "Default Device": "Varsayılan Cihaz",
"Advanced": "Gelişmiş",
"Authentication": "Doğrulama", "Authentication": "Doğrulama",
"%(items)s and %(lastItem)s": "%(items)s ve %(lastItem)s", "%(items)s and %(lastItem)s": "%(items)s ve %(lastItem)s",
"and %(count)s others...": { "and %(count)s others...": {
@ -60,7 +58,6 @@
"Forget room": "Odayı Unut", "Forget room": "Odayı Unut",
"For security, this session has been signed out. Please sign in again.": "Güvenlik için , bu oturuma çıkış yapıldı . Lütfen tekrar oturum açın.", "For security, this session has been signed out. Please sign in again.": "Güvenlik için , bu oturuma çıkış yapıldı . Lütfen tekrar oturum açın.",
"%(userId)s from %(fromPowerLevel)s to %(toPowerLevel)s": "%(userId)s %(fromPowerLevel)s den %(toPowerLevel)s ' ye", "%(userId)s from %(fromPowerLevel)s to %(toPowerLevel)s": "%(userId)s %(fromPowerLevel)s den %(toPowerLevel)s ' ye",
"Hangup": "Sorun",
"Historical": "Tarihi", "Historical": "Tarihi",
"Home": "Ev", "Home": "Ev",
"Import E2E room keys": "Uçtan uca Oda Anahtarlarını İçe Aktar", "Import E2E room keys": "Uçtan uca Oda Anahtarlarını İçe Aktar",
@ -133,13 +130,10 @@
}, },
"Upload avatar": "Avatar yükle", "Upload avatar": "Avatar yükle",
"Upload Failed": "Yükleme Başarısız", "Upload Failed": "Yükleme Başarısız",
"Usage": "Kullanım",
"%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (güç %(powerLevelNumber)s)", "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (güç %(powerLevelNumber)s)",
"Users": "Kullanıcılar", "Users": "Kullanıcılar",
"Verification Pending": "Bekleyen doğrulama", "Verification Pending": "Bekleyen doğrulama",
"Verified key": "Doğrulama anahtarı", "Verified key": "Doğrulama anahtarı",
"Video call": "Görüntülü arama",
"Voice call": "Sesli arama",
"Warning!": "Uyarı!", "Warning!": "Uyarı!",
"Who can read history?": "Geçmişi kimler okuyabilir ?", "Who can read history?": "Geçmişi kimler okuyabilir ?",
"You cannot place a call with yourself.": "Kendinizle görüşme yapamazsınız .", "You cannot place a call with yourself.": "Kendinizle görüşme yapamazsınız .",
@ -231,12 +225,10 @@
"Unavailable": "Kullanım dışı", "Unavailable": "Kullanım dışı",
"Source URL": "Kaynak URL", "Source URL": "Kaynak URL",
"Failed to add tag %(tagName)s to room": "%(tagName)s etiketi odaya eklenemedi", "Failed to add tag %(tagName)s to room": "%(tagName)s etiketi odaya eklenemedi",
"Collecting app version information": "Uygulama sürümü bilgileri toplanıyor",
"Tuesday": "Salı", "Tuesday": "Salı",
"Unnamed room": "İsimsiz oda", "Unnamed room": "İsimsiz oda",
"Saturday": "Cumartesi", "Saturday": "Cumartesi",
"Monday": "Pazartesi", "Monday": "Pazartesi",
"Collecting logs": "Kayıtlar toplanıyor",
"All Rooms": "Tüm Odalar", "All Rooms": "Tüm Odalar",
"Wednesday": "Çarşamba", "Wednesday": "Çarşamba",
"Send": "Gönder", "Send": "Gönder",
@ -252,7 +244,6 @@
"Failed to remove tag %(tagName)s from room": "Odadan %(tagName)s etiketi kaldırılamadı", "Failed to remove tag %(tagName)s from room": "Odadan %(tagName)s etiketi kaldırılamadı",
"Add Email Address": "Eposta Adresi Ekle", "Add Email Address": "Eposta Adresi Ekle",
"Add Phone Number": "Telefon Numarası Ekle", "Add Phone Number": "Telefon Numarası Ekle",
"Call Failed": "Arama Başarısız",
"Call failed due to misconfigured server": "Hatalı yapılandırılmış sunucu nedeniyle arama başarısız", "Call failed due to misconfigured server": "Hatalı yapılandırılmış sunucu nedeniyle arama başarısız",
"Permission Required": "İzin Gerekli", "Permission Required": "İzin Gerekli",
"%(weekDayName)s, %(monthName)s %(day)s %(fullYear)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",
@ -263,9 +254,6 @@
"Missing roomId.": "roomId eksik.", "Missing roomId.": "roomId eksik.",
"You are not in this room.": "Bu odada değilsin.", "You are not in this room.": "Bu odada değilsin.",
"You do not have permission to do that in this room.": "Bu odada bunu yapma yetkiniz yok.", "You do not have permission to do that in this room.": "Bu odada bunu yapma yetkiniz yok.",
"Messages": "Mesajlar",
"Actions": "Eylemler",
"Other": "Diğer",
"Error upgrading room": "Oda güncellenirken hata", "Error upgrading room": "Oda güncellenirken hata",
"Use an identity server": "Bir kimlik sunucusu kullan", "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", "Define the power level of a user": "Bir kullanıcının güç düzeyini tanımla",
@ -543,7 +531,6 @@
"View rules": "Kuralları görüntüle", "View rules": "Kuralları görüntüle",
"Room list": "Oda listesi", "Room list": "Oda listesi",
"Autocomplete delay (ms)": "Oto tamamlama gecikmesi (ms)", "Autocomplete delay (ms)": "Oto tamamlama gecikmesi (ms)",
"Cross-signing": "Çapraz-imzalama",
"Security & Privacy": "Güvenlik & Gizlilik", "Security & Privacy": "Güvenlik & Gizlilik",
"No Audio Outputs detected": "Ses çıkışları tespit edilemedi", "No Audio Outputs detected": "Ses çıkışları tespit edilemedi",
"Audio Output": "Ses Çıkışı", "Audio Output": "Ses Çıkışı",
@ -556,19 +543,7 @@
"Sounds": "Sesler", "Sounds": "Sesler",
"Notification sound": "Bildirim sesi", "Notification sound": "Bildirim sesi",
"Browse": "Gözat", "Browse": "Gözat",
"Change room name": "Oda adını değiştir",
"Change history visibility": "Geçmiş görünürlüğünü değiştir",
"Change permissions": "İzinleri değiştir",
"Upgrade the room": "Odayı güncelle",
"Enable room encryption": "Oda şifrelemeyi aç",
"Modify widgets": "Görsel bileşenleri düzenle",
"Banned by %(displayName)s": "%(displayName)s tarafından yasaklandı", "Banned by %(displayName)s": "%(displayName)s tarafından yasaklandı",
"Default role": "Varsayılan rol",
"Send messages": "Mesajları gönder",
"Invite users": "Kullanıcıları davet et",
"Change settings": "Ayarları değiştir",
"Ban users": "Kullanıcıları yasakla",
"Notify everyone": "Herkesi bilgilendir",
"Muted Users": "Sessizdeki Kullanıcılar", "Muted Users": "Sessizdeki Kullanıcılar",
"Roles & Permissions": "Roller & İzinler", "Roles & Permissions": "Roller & İzinler",
"Enable encryption?": "Şifrelemeyi aç?", "Enable encryption?": "Şifrelemeyi aç?",
@ -606,8 +581,6 @@
"Deactivate user": "Kullanıcıyı pasifleştir", "Deactivate user": "Kullanıcıyı pasifleştir",
"Failed to deactivate user": "Kullanıcı pasifleştirme başarısız", "Failed to deactivate user": "Kullanıcı pasifleştirme başarısız",
"Share Link to User": "Kullanıcıya Link Paylaş", "Share Link to User": "Kullanıcıya Link Paylaş",
"Send an encrypted reply…": "Şifrelenmiş bir cevap gönder…",
"Send an encrypted message…": "Şifreli bir mesaj gönder…",
"Italics": "Eğik", "Italics": "Eğik",
"%(duration)ss": "%(duration)ssn", "%(duration)ss": "%(duration)ssn",
"%(duration)sm": "%(duration)sdk", "%(duration)sm": "%(duration)sdk",
@ -616,7 +589,6 @@
"Replying": "Cevap yazıyor", "Replying": "Cevap yazıyor",
"Room %(name)s": "Oda %(name)s", "Room %(name)s": "Oda %(name)s",
"Share room": "Oda paylaş", "Share room": "Oda paylaş",
"System Alerts": "Sistem Uyarıları",
"Join the conversation with an account": "Konuşmaya bir hesapla katıl", "Join the conversation with an account": "Konuşmaya bir hesapla katıl",
"Sign Up": "Kayıt Ol", "Sign Up": "Kayıt Ol",
"Reason: %(reason)s": "Sebep: %(reason)s", "Reason: %(reason)s": "Sebep: %(reason)s",
@ -638,7 +610,6 @@
"Only room administrators will see this warning": "Bu uyarıyı sadece oda yöneticileri görür", "Only room administrators will see this warning": "Bu uyarıyı sadece oda yöneticileri görür",
"Failed to connect to integration manager": "Entegrasyon yöneticisine bağlanma başarısız", "Failed to connect to integration manager": "Entegrasyon yöneticisine bağlanma başarısız",
"Add some now": "Şimdi biraz ekle", "Add some now": "Şimdi biraz ekle",
"Stickerpack": ıkartma paketi",
"Failed to revoke invite": "Davetin geri çekilmesi başarısız", "Failed to revoke invite": "Davetin geri çekilmesi başarısız",
"Revoke invite": "Davet geri çekildi", "Revoke invite": "Davet geri çekildi",
"Invited by %(sender)s": "%(sender)s tarafından davet", "Invited by %(sender)s": "%(sender)s tarafından davet",
@ -690,7 +661,6 @@
"View older messages in %(roomName)s.": "%(roomName)s odasında daha eski mesajları göster.", "View older messages in %(roomName)s.": "%(roomName)s odasında daha eski mesajları göster.",
"This bridge is managed by <user />.": "Bu köprü <user /> tarafından yönetiliyor.", "This bridge is managed by <user />.": "Bu köprü <user /> tarafından yönetiliyor.",
"Set a new custom sound": "Özel bir ses ayarla", "Set a new custom sound": "Özel bir ses ayarla",
"Change main address for the room": "Oda için ana adresi değiştir",
"Error changing power level requirement": "Güç düzey gereksinimi değiştirmede hata", "Error changing power level requirement": "Güç düzey gereksinimi değiştirmede hata",
"Error changing power level": "Güç düzeyi değiştirme hatası", "Error changing power level": "Güç düzeyi değiştirme hatası",
"Send %(eventType)s events": "%(eventType)s olaylarını gönder", "Send %(eventType)s events": "%(eventType)s olaylarını gönder",
@ -748,7 +718,6 @@
"You are not subscribed to any lists": "Herhangi bir listeye aboneliğiniz bulunmuyor", "You are not subscribed to any lists": "Herhangi bir listeye aboneliğiniz bulunmuyor",
"⚠ These settings are meant for advanced users.": "⚠ Bu ayarlar ileri düzey kullanıcılar içindir.", "⚠ These settings are meant for advanced users.": "⚠ Bu ayarlar ileri düzey kullanıcılar içindir.",
"Unignore": "Yoksayma", "Unignore": "Yoksayma",
"Change room avatar": "Oda resmini değiştir",
"Members only (since the point in time of selecting this option)": "Sadece üyeler ( bu seçeneği seçtiğinizden itibaren)", "Members only (since the point in time of selecting this option)": "Sadece üyeler ( bu seçeneği seçtiğinizden itibaren)",
"Unable to revoke sharing for email address": "E-posta adresi paylaşımı kaldırılamadı", "Unable to revoke sharing for email address": "E-posta adresi paylaşımı kaldırılamadı",
"Unable to revoke sharing for phone number": "Telefon numarası paylaşımı kaldırılamıyor", "Unable to revoke sharing for phone number": "Telefon numarası paylaşımı kaldırılamıyor",
@ -875,8 +844,6 @@
"Remember my selection for this widget": "Bu görsel bileşen işin seçimimi hatırla", "Remember my selection for this widget": "Bu görsel bileşen işin seçimimi hatırla",
"Indexed rooms:": "İndekslenmiş odalar:", "Indexed rooms:": "İndekslenmiş odalar:",
"Bridges": "Köprüler", "Bridges": "Köprüler",
"Send a reply…": "Bir cevap gönder…",
"Send a message…": "Bir mesaj gönder…",
"Direct Messages": "Doğrudan Mesajlar", "Direct Messages": "Doğrudan Mesajlar",
"Unknown Command": "Bilinmeyen Komut", "Unknown Command": "Bilinmeyen Komut",
"Unrecognised command: %(commandText)s": "Tanınmayan komut: %(commandText)s", "Unrecognised command: %(commandText)s": "Tanınmayan komut: %(commandText)s",
@ -929,7 +896,6 @@
"exists": "mevcut", "exists": "mevcut",
"Your keys are <b>not being backed up from this session</b>.": "Anahtarlarınız <b>bu oturum tarafından yedeklenmiyor</b>.", "Your keys are <b>not being backed up from this session</b>.": "Anahtarlarınız <b>bu oturum tarafından yedeklenmiyor</b>.",
"Enable audible notifications for this session": "Bu oturum için sesli bildirimleri aktifleştir", "Enable audible notifications for this session": "Bu oturum için sesli bildirimleri aktifleştir",
"Change topic": "Başlığı değiştir",
"A text message has been sent to +%(msisdn)s. Please enter the verification code it contains.": "Bir metin mesajı gönderildi: +%(msisdn)s. Lütfen içerdiği doğrulama kodunu girin.", "A text message has been sent to +%(msisdn)s. Please enter the verification code it contains.": "Bir metin mesajı gönderildi: +%(msisdn)s. Lütfen içerdiği doğrulama kodunu girin.",
"You have verified this user. This user has verified all of their sessions.": "Bu kullanıcıyı doğruladınız. Bu kullanıcı tüm oturumlarını doğruladı.", "You have verified this user. This user has verified all of their sessions.": "Bu kullanıcıyı doğruladınız. Bu kullanıcı tüm oturumlarını doğruladı.",
"This room is end-to-end encrypted": "Bu oda uçtan uça şifreli", "This room is end-to-end encrypted": "Bu oda uçtan uça şifreli",
@ -1045,14 +1011,6 @@
"Contact your <a>server admin</a>.": "<a>Sunucu yöneticinize</a> başvurun.", "Contact your <a>server admin</a>.": "<a>Sunucu yöneticinize</a> başvurun.",
"Ok": "Tamam", "Ok": "Tamam",
"New login. Was this you?": "Yeni giriş. Bu siz miydiniz?", "New login. Was this you?": "Yeni giriş. Bu siz miydiniz?",
"You joined the call": "Çağrıya katıldınız",
"%(senderName)s joined the call": "%(senderName)s çağrıya katıldı",
"Call in progress": "Çağrı devam ediyor",
"Call ended": "Çağrı sonlandı",
"You started a call": "Bir çağrı başlattınız",
"%(senderName)s started a call": "%(senderName)s bir çağrı başlattı",
"Waiting for answer": "Yanıt bekleniyor",
"%(senderName)s is calling": "%(senderName)s arıyor",
"See when anyone posts a sticker to your active room": "Aktif odanızda birisi çıkartma paylaştığında görün", "See when anyone posts a sticker to your active room": "Aktif odanızda birisi çıkartma paylaştığında görün",
"See when a sticker is posted in this room": "Bu odada çıkartma paylaşıldığında görün", "See when a sticker is posted in this room": "Bu odada çıkartma paylaşıldığında görün",
"See when the avatar changes in your active room": "Aktif odanızdaki profil fotoğrafı değişikliklerini görün", "See when the avatar changes in your active room": "Aktif odanızdaki profil fotoğrafı değişikliklerini görün",
@ -1352,10 +1310,6 @@
"See when the topic changes in this room": "Bu odada konu başlığı değişince değişiklikleri görün", "See when the topic changes in this room": "Bu odada konu başlığı değişince değişiklikleri görün",
"See when the topic changes in your active room": "Bu odada konu başlığı değişince değişiklikleri görün", "See when the topic changes in your active room": "Bu odada konu başlığı değişince değişiklikleri görün",
"Remain on your screen when viewing another room, when running": "a", "Remain on your screen when viewing another room, when running": "a",
"Unknown caller": "Bilinmeyen arayan",
"%(name)s on hold": "%(name)s beklemede",
"Return to call": "Aramaya dön",
"%(peerName)s held the call": "%(peerName)s aramayı duraklattı",
"sends snowfall": "Kartopu gönderir", "sends snowfall": "Kartopu gönderir",
"Sends the given message with snowfall": "Mesajı kartopu ile gönderir", "Sends the given message with snowfall": "Mesajı kartopu ile gönderir",
"sends fireworks": "Havai fişek gönderir", "sends fireworks": "Havai fişek gönderir",
@ -1365,10 +1319,7 @@
"Send stickers to your active room as you": "Widget aktif odanıza sizin adınıza çıkartma göndersin", "Send stickers to your active room as you": "Widget aktif odanıza sizin adınıza çıkartma göndersin",
"Send messages as you in this room": "Bu Araç sizin adınıza mesaj gönderir", "Send messages as you in this room": "Bu Araç sizin adınıza mesaj gönderir",
"Answered Elsewhere": "Arama başka bir yerde yanıtlandı", "Answered Elsewhere": "Arama başka bir yerde yanıtlandı",
"Effects": "Efektler",
"Sends the given message with confetti": "Mesajı konfeti ile gönderir", "Sends the given message with confetti": "Mesajı konfeti ile gönderir",
"Downloading logs": "Günlükler indiriliyor",
"Uploading logs": "Günlükler yükleniyor",
"IRC display name width": "IRC görünen ad genişliği", "IRC display name width": "IRC görünen ad genişliği",
"Manually verify all remote sessions": "Bütün uzaktan oturumları el ile onayla", "Manually verify all remote sessions": "Bütün uzaktan oturumları el ile onayla",
"How fast should messages be downloaded.": "Mesajlar ne kadar hızlı indirilmeli.", "How fast should messages be downloaded.": "Mesajlar ne kadar hızlı indirilmeli.",
@ -1376,11 +1327,6 @@
"Use a system font": "Bir sistem yazı tipi kullanın", "Use a system font": "Bir sistem yazı tipi kullanın",
"Use custom size": "Özel büyüklük kullan", "Use custom size": "Özel büyüklük kullan",
"Font size": "Yazı boyutu", "Font size": "Yazı boyutu",
"%(senderName)s: %(stickerName)s": "%(senderName)s%(stickerName)s",
"%(senderName)s: %(message)s": "%(senderName)s%(message)s",
"* %(senderName)s %(emote)s": "%(senderName)s%(emote)s",
"%(senderName)s ended the call": "%(senderName)s aramayı sonlandırdı",
"You ended the call": "Aramayı sonlandırdınız",
"New published address (e.g. #alias:server)": "Yeni yayınlanmış adresler (e.g. #alias:server)", "New published address (e.g. #alias:server)": "Yeni yayınlanmış adresler (e.g. #alias:server)",
"Published Addresses": "Yayınlanmış adresler", "Published Addresses": "Yayınlanmış adresler",
"No other published addresses yet, add one below": "Henüz yayınlanmış başka adres yok, aşağıdan bir tane ekle", "No other published addresses yet, add one below": "Henüz yayınlanmış başka adres yok, aşağıdan bir tane ekle",
@ -1422,13 +1368,6 @@
"United Kingdom": "Birleşik Krallık", "United Kingdom": "Birleşik Krallık",
"You've reached the maximum number of simultaneous calls.": "Maksimum eşzamanlı arama sayısına ulaştınız.", "You've reached the maximum number of simultaneous calls.": "Maksimum eşzamanlı arama sayısına ulaştınız.",
"Too Many Calls": "Çok fazla arama", "Too Many Calls": "Çok fazla arama",
"No other application is using the webcam": "Kamerayı başka bir uygulama kullanmıyor",
"Permission is granted to use the webcam": "Kamerayı kullanmak için izin gerekiyor",
"A microphone and webcam are plugged in and set up correctly": "Mikrofon ve kamera takılımı ve doğru şekilde ayarlanmış mı",
"Call failed because webcam or microphone could not be accessed. Check that:": "Kameraya yada mikrofona erişilemediği için arama yapılamadı. Şunu kontrol edin:",
"Unable to access webcam / microphone": "Kameraya / mikrofona erişilemedi",
"Call failed because microphone could not be accessed. Check that a microphone is plugged in and set up correctly.": "Mikrofona erişilemediği için arama yapılamadı. Mikrofonun takılı ve doğru şekilde ayarlandığından emin olun.",
"Unable to access microphone": "Mikrofona erişilemiyor",
"The call was answered on another device.": "Arama başka bir cihazda cevaplandı.", "The call was answered on another device.": "Arama başka bir cihazda cevaplandı.",
"The call could not be established": "Arama yapılamadı", "The call could not be established": "Arama yapılamadı",
"Confirm adding this phone number by using Single Sign On to prove your identity.": "Kimliğinizi doğrulamak için Tek Seferlik Oturum Açma özelliğini kullanarak bu telefon numarasını eklemeyi onaylayın.", "Confirm adding this phone number by using Single Sign On to prove your identity.": "Kimliğinizi doğrulamak için Tek Seferlik Oturum Açma özelliğini kullanarak bu telefon numarasını eklemeyi onaylayın.",
@ -1466,8 +1405,6 @@
"See videos posted to your active room": "Aktif odana gönderilen videoları gör", "See videos posted to your active room": "Aktif odana gönderilen videoları gör",
"See videos posted to this room": "Bu odaya gönderilen videoları gör", "See videos posted to this room": "Bu odaya gönderilen videoları gör",
"See images posted to this room": "Bu odaya gönderilen resimleri gör", "See images posted to this room": "Bu odaya gönderilen resimleri gör",
"You held the call <a>Resume</a>": "Aramayı beklettiniz <a>Devam Ettir</a>",
"You held the call <a>Switch</a>": "Aramayı beklettiniz <a>Değiştir</a>",
"Send images as you in this room": "Bu araç odaya sizin adınıza resim gönderir", "Send images as you in this room": "Bu araç odaya sizin adınıza resim gönderir",
"Send emotes as you in your active room": "Bu araç sizin adınıza bu odaya ileti gönderir", "Send emotes as you in your active room": "Bu araç sizin adınıza bu odaya ileti gönderir",
"Send emotes as you in this room": "Bu araç odaya sizin adınıza ifade gönderir", "Send emotes as you in this room": "Bu araç odaya sizin adınıza ifade gönderir",
@ -1504,7 +1441,6 @@
"We've sent you an email to verify your address. Please follow the instructions there and then click the button below.": "Onaylamanız için size e-posta gönderdik. Lütfen yönergeleri takip edin ve sonra aşağıdaki butona tıklayın.", "We've sent you an email to verify your address. Please follow the instructions there and then click the button below.": "Onaylamanız için size e-posta gönderdik. Lütfen yönergeleri takip edin ve sonra aşağıdaki butona tıklayın.",
"Customise your appearance": "Görünüşü özelleştir", "Customise your appearance": "Görünüşü özelleştir",
"Custom theme URL": "Özel tema URLsi", "Custom theme URL": "Özel tema URLsi",
"Secure Backup": "Güvenli yedekleme",
"Room settings": "Oda ayarları", "Room settings": "Oda ayarları",
"Not encrypted": "Şifrelenmemiş", "Not encrypted": "Şifrelenmemiş",
"Backup version:": "Yedekleme sürümü:", "Backup version:": "Yedekleme sürümü:",
@ -1603,7 +1539,6 @@
"Discovery options will appear once you have added an email above.": "Bulunulabilirlik seçenekleri, yukarıya bir e-posta adresi ekleyince ortaya çıkacaktır.", "Discovery options will appear once you have added an email above.": "Bulunulabilirlik seçenekleri, yukarıya bir e-posta adresi ekleyince ortaya çıkacaktır.",
"Changes to who can read history will only apply to future messages in this room. The visibility of existing history will be unchanged.": "Geçmişi kimin okuyabileceğini değiştirmek yalnızca odadaki yeni iletileri etkiler. Var olan geçmiş değişmeden kalacaktır.", "Changes to who can read history will only apply to future messages in this room. The visibility of existing history will be unchanged.": "Geçmişi kimin okuyabileceğini değiştirmek yalnızca odadaki yeni iletileri etkiler. Var olan geçmiş değişmeden kalacaktır.",
"To link to this room, please add an address.": "Bu odaya bağlamak için lütfen bir adres ekleyin.", "To link to this room, please add an address.": "Bu odaya bağlamak için lütfen bir adres ekleyin.",
"Remove messages sent by others": "Diğerleri tarafından gönderilen iletileri kaldır",
"An error occurred changing the room's power level requirements. Ensure you have sufficient permissions and try again.": "Odanın güç düzeyi gereksinimlerini değiştirirken bir hata ile karşılaşıldı. Yeterince yetkiniz olduğunuzdan emin olup yeniden deyin.", "An error occurred changing the room's power level requirements. Ensure you have sufficient permissions and try again.": "Odanın güç düzeyi gereksinimlerini değiştirirken bir hata ile karşılaşıldı. Yeterince yetkiniz olduğunuzdan emin olup yeniden deyin.",
"This room is bridging messages to the following platforms. <a>Learn more.</a>": "Bu oda, iletileri sözü edilen platformlara köprülüyor. <a>Daha fazla bilgi için.</a>", "This room is bridging messages to the following platforms. <a>Learn more.</a>": "Bu oda, iletileri sözü edilen platformlara köprülüyor. <a>Daha fazla bilgi için.</a>",
"Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "Sunucu yönetinciniz varsayılan olarak odalarda ve doğrudandan iletilerde uçtan uca şifrelemeyi kapadı.", "Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "Sunucu yönetinciniz varsayılan olarak odalarda ve doğrudandan iletilerde uçtan uca şifrelemeyi kapadı.",
@ -1644,7 +1579,6 @@
"We sent the others, but the below people couldn't be invited to <RoomName/>": "Başkalarına davetler iletilmekle beraber, aşağıdakiler <RoomName/> odasına davet edilemedi", "We sent the others, but the below people couldn't be invited to <RoomName/>": "Başkalarına davetler iletilmekle beraber, aşağıdakiler <RoomName/> 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.", "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.",
"We couldn't log you in": "Sizin girişinizi yapamadık", "We couldn't log you in": "Sizin girişinizi yapamadık",
"You're already in a call with this person.": "Bu kişi ile halihazırda çağrıdasınız.",
"The user you called is busy.": "Aradığınız kullanıcı meşgul.", "The user you called is busy.": "Aradığınız kullanıcı meşgul.",
"User Busy": "Kullanıcı Meşgul", "User Busy": "Kullanıcı Meşgul",
"You've successfully verified %(displayName)s!": "%(displayName)s başarıyla doğruladınız!", "You've successfully verified %(displayName)s!": "%(displayName)s başarıyla doğruladınız!",
@ -1657,7 +1591,6 @@
"Suggested Rooms": "Önerilen Odalar", "Suggested Rooms": "Önerilen Odalar",
"View message": "Mesajı görüntüle", "View message": "Mesajı görüntüle",
"Invite to just this room": "Sadece bu odaya davet et", "Invite to just this room": "Sadece bu odaya davet et",
"Send message": "Mesajı gönder",
"Your message was sent": "Mesajınız gönderildi", "Your message was sent": "Mesajınız gönderildi",
"Code blocks": "Kod blokları", "Code blocks": "Kod blokları",
"Displaying time": "Zamanı görüntüle", "Displaying time": "Zamanı görüntüle",
@ -1677,7 +1610,6 @@
"Could not connect to identity server": "Kimlik Sunucusuna bağlanılamadı", "Could not connect to identity server": "Kimlik Sunucusuna bağlanılamadı",
"Not a valid identity server (status code %(code)s)": "Geçerli bir Kimlik Sunucu değil ( durum kodu %(code)s )", "Not a valid identity server (status code %(code)s)": "Geçerli bir Kimlik Sunucu değil ( durum kodu %(code)s )",
"Identity server URL must be HTTPS": "Kimlik Sunucu URL adresi HTTPS olmak zorunda", "Identity server URL must be HTTPS": "Kimlik Sunucu URL adresi HTTPS olmak zorunda",
"Already in call": "Bu kişi zaten çağrıda",
"See when people join, leave, or are invited to your active room": "İnsanların odanıza ne zaman katıldığını, ayrıldığını veya davet edildiğini görün", "See when people join, leave, or are invited to your active room": "İnsanların odanıza ne zaman katıldığını, ayrıldığını veya davet edildiğini görün",
"Light high contrast": "Yüksek ışık kontrastı", "Light high contrast": "Yüksek ışık kontrastı",
"Transfer Failed": "Aktarma Başarısız", "Transfer Failed": "Aktarma Başarısız",
@ -1766,7 +1698,11 @@
"matrix": "Matrix", "matrix": "Matrix",
"trusted": "Güvenilir", "trusted": "Güvenilir",
"not_trusted": "Güvenilir değil", "not_trusted": "Güvenilir değil",
"unnamed_room": "İsimsiz Oda" "unnamed_room": "İsimsiz Oda",
"stickerpack": ıkartma paketi",
"system_alerts": "Sistem Uyarıları",
"secure_backup": "Güvenli yedekleme",
"cross_signing": "Çapraz-imzalama"
}, },
"action": { "action": {
"continue": "Devam Et", "continue": "Devam Et",
@ -1873,7 +1809,12 @@
"format_bold": "Kalın", "format_bold": "Kalın",
"format_strikethrough": "Üstü çizili", "format_strikethrough": "Üstü çizili",
"format_inline_code": "Kod", "format_inline_code": "Kod",
"format_code_block": "Kod bloku" "format_code_block": "Kod bloku",
"send_button_title": "Mesajı gönder",
"placeholder_reply_encrypted": "Şifrelenmiş bir cevap gönder…",
"placeholder_reply": "Bir cevap gönder…",
"placeholder_encrypted": "Şifreli bir mesaj gönder…",
"placeholder": "Bir mesaj gönder…"
}, },
"Bold": "Kalın", "Bold": "Kalın",
"Code": "Kod", "Code": "Kod",
@ -1892,7 +1833,11 @@
"send_logs": "Kayıtları gönder", "send_logs": "Kayıtları gönder",
"github_issue": "GitHub sorunu", "github_issue": "GitHub sorunu",
"download_logs": "Günlükleri indir", "download_logs": "Günlükleri indir",
"before_submitting": "Logları göndermeden önce, probleminizi betimleyen <a>bir GitHub talebi oluşturun</a>." "before_submitting": "Logları göndermeden önce, probleminizi betimleyen <a>bir GitHub talebi oluşturun</a>.",
"collecting_information": "Uygulama sürümü bilgileri toplanıyor",
"collecting_logs": "Kayıtlar toplanıyor",
"uploading_logs": "Günlükler yükleniyor",
"downloading_logs": "Günlükler indiriliyor"
}, },
"time": { "time": {
"seconds_left": "%(seconds)s saniye kaldı", "seconds_left": "%(seconds)s saniye kaldı",
@ -1953,7 +1898,9 @@
"event_sent": "Olay gönderildi!", "event_sent": "Olay gönderildi!",
"event_content": "Olay İçeriği", "event_content": "Olay İçeriği",
"toolbox": "Araç Kutusu", "toolbox": "Araç Kutusu",
"developer_tools": "Geliştirici Araçları" "developer_tools": "Geliştirici Araçları",
"category_room": "Oda",
"category_other": "Diğer"
}, },
"export_chat": { "export_chat": {
"text": "Düz Metin" "text": "Düz Metin"
@ -2051,6 +1998,9 @@
"one": "%(names)s ve bir diğeri yazıyor…", "one": "%(names)s ve bir diğeri yazıyor…",
"other": "%(names)s ve diğer %(count)s kişi yazıyor…" "other": "%(names)s ve diğer %(count)s kişi yazıyor…"
} }
},
"m.call.hangup": {
"dm": "Çağrı sonlandı"
} }
}, },
"slash_command": { "slash_command": {
@ -2081,7 +2031,14 @@
"help": "Komutların listesini kullanımı ve tanımlarıyla gösterir", "help": "Komutların listesini kullanımı ve tanımlarıyla gösterir",
"whois": "Bir kullanıcı hakkındaki bilgileri görüntüler", "whois": "Bir kullanıcı hakkındaki bilgileri görüntüler",
"rageshake": "Günlükler (log) ile hata raporu gönderin", "rageshake": "Günlükler (log) ile hata raporu gönderin",
"msg": "Belirtilen kullanıcıya ileti gönderir" "msg": "Belirtilen kullanıcıya ileti gönderir",
"usage": "Kullanım",
"category_messages": "Mesajlar",
"category_actions": "Eylemler",
"category_admin": "Admin",
"category_advanced": "Gelişmiş",
"category_effects": "Efektler",
"category_other": "Diğer"
}, },
"presence": { "presence": {
"online_for": "%(duration)s süresince çevrimiçi", "online_for": "%(duration)s süresince çevrimiçi",
@ -2094,5 +2051,69 @@
"offline": "Çevrimdışı", "offline": "Çevrimdışı",
"away": "Uzakta" "away": "Uzakta"
}, },
"Unknown": "Bilinmeyen" "Unknown": "Bilinmeyen",
"event_preview": {
"m.call.answer": {
"you": "Çağrıya katıldınız",
"user": "%(senderName)s çağrıya katıldı",
"dm": "Çağrı devam ediyor"
},
"m.call.hangup": {
"you": "Aramayı sonlandırdınız",
"user": "%(senderName)s aramayı sonlandırdı"
},
"m.call.invite": {
"you": "Bir çağrı başlattınız",
"user": "%(senderName)s bir çağrı başlattı",
"dm_send": "Yanıt bekleniyor",
"dm_receive": "%(senderName)s arıyor"
},
"m.emote": "%(senderName)s%(emote)s",
"m.text": "%(senderName)s%(message)s",
"m.sticker": "%(senderName)s%(stickerName)s"
},
"voip": {
"call_held_switch": "Aramayı beklettiniz <a>Değiştir</a>",
"call_held_resume": "Aramayı beklettiniz <a>Devam Ettir</a>",
"call_held": "%(peerName)s aramayı duraklattı",
"hangup": "Sorun",
"expand": "Aramaya dön",
"on_hold": "%(name)s beklemede",
"voice_call": "Sesli arama",
"video_call": "Görüntülü arama",
"unknown_caller": "Bilinmeyen arayan",
"call_failed": "Arama Başarısız",
"unable_to_access_microphone": "Mikrofona erişilemiyor",
"call_failed_microphone": "Mikrofona erişilemediği için arama yapılamadı. Mikrofonun takılı ve doğru şekilde ayarlandığından emin olun.",
"unable_to_access_media": "Kameraya / mikrofona erişilemedi",
"call_failed_media": "Kameraya yada mikrofona erişilemediği için arama yapılamadı. Şunu kontrol edin:",
"call_failed_media_connected": "Mikrofon ve kamera takılımı ve doğru şekilde ayarlanmış mı",
"call_failed_media_permissions": "Kamerayı kullanmak için izin gerekiyor",
"call_failed_media_applications": "Kamerayı başka bir uygulama kullanmıyor",
"already_in_call": "Bu kişi zaten çağrıda",
"already_in_call_person": "Bu kişi ile halihazırda çağrıdasınız."
},
"Messages": "Mesajlar",
"Other": "Diğer",
"Advanced": "Gelişmiş",
"room_settings": {
"permissions": {
"m.room.avatar": "Oda resmini değiştir",
"m.room.name": "Oda adını değiştir",
"m.room.canonical_alias": "Oda için ana adresi değiştir",
"m.room.history_visibility": "Geçmiş görünürlüğünü değiştir",
"m.room.power_levels": "İzinleri değiştir",
"m.room.topic": "Başlığı değiştir",
"m.room.tombstone": "Odayı güncelle",
"m.room.encryption": "Oda şifrelemeyi aç",
"m.widget": "Görsel bileşenleri düzenle",
"users_default": "Varsayılan rol",
"events_default": "Mesajları gönder",
"invite": "Kullanıcıları davet et",
"state_default": "Ayarları değiştir",
"ban": "Kullanıcıları yasakla",
"redact": "Diğerleri tarafından gönderilen iletileri kaldır",
"notifications.room": "Herkesi bilgilendir"
}
}
} }

View file

@ -1,7 +1,4 @@
{ {
"Other": "Yaḍn",
"Actions": "Tugawin",
"Messages": "Tuzinin",
"Create Account": "senflul amiḍan", "Create Account": "senflul amiḍan",
"Dec": "Duj", "Dec": "Duj",
"Nov": "Nuw", "Nov": "Nuw",
@ -92,7 +89,6 @@
"Dog": "Aydi", "Dog": "Aydi",
"Ok": "Wax", "Ok": "Wax",
"Notifications": "Tineɣmisin", "Notifications": "Tineɣmisin",
"Usage": "Asemres",
"Feb": "Bṛa", "Feb": "Bṛa",
"Jan": "Yen", "Jan": "Yen",
"common": { "common": {
@ -148,5 +144,16 @@
}, },
"timeline": { "timeline": {
"m.image": "yuzen %(senderDisplayName)s yat twelaft." "m.image": "yuzen %(senderDisplayName)s yat twelaft."
} },
"slash_command": {
"usage": "Asemres",
"category_messages": "Tuzinin",
"category_actions": "Tugawin",
"category_other": "Yaḍn"
},
"Messages": "Tuzinin",
"devtools": {
"category_other": "Yaḍn"
},
"Other": "Yaḍn"
} }

View file

@ -8,14 +8,12 @@
"unknown error code": "невідомий код помилки", "unknown error code": "невідомий код помилки",
"Failed to change password. Is your password correct?": "Не вдалось змінити пароль. Ви впевнені, що пароль введено правильно?", "Failed to change password. Is your password correct?": "Не вдалось змінити пароль. Ви впевнені, що пароль введено правильно?",
"Account": "Обліковий запис", "Account": "Обліковий запис",
"Admin": "Адміністратор",
"Admin Tools": "Засоби адміністрування", "Admin Tools": "Засоби адміністрування",
"No Microphones detected": "Мікрофон не виявлено", "No Microphones detected": "Мікрофон не виявлено",
"No Webcams detected": "Вебкамеру не виявлено", "No Webcams detected": "Вебкамеру не виявлено",
"No media permissions": "Немає медіадозволів", "No media permissions": "Немає медіадозволів",
"You may need to manually permit %(brand)s to access your microphone/webcam": "Можливо, вам треба дозволити %(brand)s використання мікрофону/камери вручну", "You may need to manually permit %(brand)s to access your microphone/webcam": "Можливо, вам треба дозволити %(brand)s використання мікрофону/камери вручну",
"Default Device": "Уставний пристрій", "Default Device": "Уставний пристрій",
"Advanced": "Подробиці",
"Authentication": "Автентифікація", "Authentication": "Автентифікація",
"%(items)s and %(lastItem)s": "%(items)s та %(lastItem)s", "%(items)s and %(lastItem)s": "%(items)s та %(lastItem)s",
"and %(count)s others...": { "and %(count)s others...": {
@ -53,13 +51,11 @@
"Source URL": "Початкова URL-адреса", "Source URL": "Початкова URL-адреса",
"Filter results": "Відфільтрувати результати", "Filter results": "Відфільтрувати результати",
"No update available.": "Оновлення відсутні.", "No update available.": "Оновлення відсутні.",
"Collecting app version information": "Збір інформації про версію застосунку",
"Tuesday": "Вівторок", "Tuesday": "Вівторок",
"Preparing to send logs": "Приготування до надсилання журланла", "Preparing to send logs": "Приготування до надсилання журланла",
"Unnamed room": "Неназвана кімната", "Unnamed room": "Неназвана кімната",
"Saturday": "Субота", "Saturday": "Субота",
"Monday": "Понеділок", "Monday": "Понеділок",
"Collecting logs": "Збір журналів",
"All Rooms": "Усі кімнати", "All Rooms": "Усі кімнати",
"Wednesday": "Середа", "Wednesday": "Середа",
"You cannot delete this message. (%(code)s)": "Ви не можете видалити це повідомлення. (%(code)s)", "You cannot delete this message. (%(code)s)": "Ви не можете видалити це повідомлення. (%(code)s)",
@ -82,7 +78,6 @@
"Profile": "Профіль", "Profile": "Профіль",
"Failed to verify email address: make sure you clicked the link in the email": "Не вдалось перевірити адресу електронної пошти: переконайтесь, що ви перейшли за посиланням у листі", "Failed to verify email address: make sure you clicked the link in the email": "Не вдалось перевірити адресу електронної пошти: переконайтесь, що ви перейшли за посиланням у листі",
"The export file will be protected with a passphrase. You should enter the passphrase here, to decrypt the file.": "Введіть пароль для захисту експортованого файлу. Щоб розшифрувати файл потрібно буде ввести цей пароль.", "The export file will be protected with a passphrase. You should enter the passphrase here, to decrypt the file.": "Введіть пароль для захисту експортованого файлу. Щоб розшифрувати файл потрібно буде ввести цей пароль.",
"Call Failed": "Виклик не вдався",
"You cannot place a call with yourself.": "Ви не можете подзвонити самим собі.", "You cannot place a call with yourself.": "Ви не можете подзвонити самим собі.",
"Warning!": "Увага!", "Warning!": "Увага!",
"Upload Failed": "Помилка відвантаження", "Upload Failed": "Помилка відвантаження",
@ -132,7 +127,6 @@
"Missing room_id in request": "У запиті бракує room_id", "Missing room_id in request": "У запиті бракує room_id",
"Room %(roomId)s not visible": "Кімната %(roomId)s не видима", "Room %(roomId)s not visible": "Кімната %(roomId)s не видима",
"Missing user_id in request": "У запиті пропущено user_id", "Missing user_id in request": "У запиті пропущено user_id",
"Usage": "Використання",
"Ignored user": "Зігнорований користувач", "Ignored user": "Зігнорований користувач",
"You are now ignoring %(userId)s": "Ви ігноруєте %(userId)s", "You are now ignoring %(userId)s": "Ви ігноруєте %(userId)s",
"Unignored user": "Припинено ігнорування користувача", "Unignored user": "Припинено ігнорування користувача",
@ -188,9 +182,6 @@
"This action requires accessing the default identity server <server /> to validate an email address or phone number, but the server does not have any terms of service.": "Щоб підтвердити адресу е-пошти або телефон ця дія потребує доступу до типового серверу ідентифікації <server />, але сервер не має жодних умов надання послуг.", "This action requires accessing the default identity server <server /> to validate an email address or phone number, but the server does not have any terms of service.": "Щоб підтвердити адресу е-пошти або телефон ця дія потребує доступу до типового серверу ідентифікації <server />, але сервер не має жодних умов надання послуг.",
"Only continue if you trust the owner of the server.": "Продовжуйте лише якщо довіряєте власнику сервера.", "Only continue if you trust the owner of the server.": "Продовжуйте лише якщо довіряєте власнику сервера.",
"Unable to load! Check your network connectivity and try again.": "Завантаження неможливе! Перевірте інтернет-зʼєднання та спробуйте ще.", "Unable to load! Check your network connectivity and try again.": "Завантаження неможливе! Перевірте інтернет-зʼєднання та спробуйте ще.",
"Messages": "Повідомлення",
"Actions": "Дії",
"Other": "Інше",
"Use an identity server": "Використовувати сервер ідентифікації", "Use an identity server": "Використовувати сервер ідентифікації",
"Use an identity server to invite by email. Manage in Settings.": "Використовувати сервер ідентифікації для запрошень через е-пошту. Керуйте у налаштуваннях.", "Use an identity server to invite by email. Manage in Settings.": "Використовувати сервер ідентифікації для запрошень через е-пошту. Керуйте у налаштуваннях.",
"Please supply a https:// or http:// widget URL": "Вкажіть посилання на віджет — https:// або http://", "Please supply a https:// or http:// widget URL": "Вкажіть посилання на віджет — https:// або http://",
@ -198,7 +189,6 @@
"Forces the current outbound group session in an encrypted room to be discarded": "Примусово відкидає поточний вихідний груповий сеанс у зашифрованій кімнаті", "Forces the current outbound group session in an encrypted room to be discarded": "Примусово відкидає поточний вихідний груповий сеанс у зашифрованій кімнаті",
"Your %(brand)s is misconfigured": "Ваш %(brand)s налаштовано неправильно", "Your %(brand)s is misconfigured": "Ваш %(brand)s налаштовано неправильно",
"Join the discussion": "Приєднатися до обговорення", "Join the discussion": "Приєднатися до обговорення",
"Send an encrypted message…": "Надіслати зашифроване повідомлення…",
"The conversation continues here.": "Розмова триває тут.", "The conversation continues here.": "Розмова триває тут.",
"This room has been replaced and is no longer active.": "Ця кімната була замінена і не є активною.", "This room has been replaced and is no longer active.": "Ця кімната була замінена і не є активною.",
"You do not have permission to post to this room": "У вас немає дозволу писати в цій кімнаті", "You do not have permission to post to this room": "У вас немає дозволу писати в цій кімнаті",
@ -388,17 +378,6 @@
"Set up": "Налаштувати", "Set up": "Налаштувати",
"Other users may not trust it": "Інші користувачі можуть не довіряти цьому", "Other users may not trust it": "Інші користувачі можуть не довіряти цьому",
"New login. Was this you?": "Новий вхід. Це були ви?", "New login. Was this you?": "Новий вхід. Це були ви?",
"You joined the call": "Ви приєднались до виклику",
"%(senderName)s joined the call": "%(senderName)s приєднується до виклику",
"Call in progress": "Виклик триває",
"Call ended": "Виклик завершено",
"You started a call": "Ви розпочали виклик",
"%(senderName)s started a call": "%(senderName)s розпочинає виклик",
"Waiting for answer": "Чекаємо відповіді",
"%(senderName)s is calling": "%(senderName)s баламкає",
"* %(senderName)s %(emote)s": "*%(senderName)s %(emote)s",
"%(senderName)s: %(message)s": "%(senderName)s: %(message)s",
"%(senderName)s: %(stickerName)s": "%(senderName)s: %(stickerName)s",
"Font size": "Розмір шрифту", "Font size": "Розмір шрифту",
"Use custom size": "Використовувати нетиповий розмір", "Use custom size": "Використовувати нетиповий розмір",
"General": "Загальні", "General": "Загальні",
@ -442,9 +421,7 @@
"An error occurred changing the room's power level requirements. Ensure you have sufficient permissions and try again.": "Під час зміни вимог рівня повноважень кімнати трапилась помилка. Переконайтесь, що ви маєте необхідні дозволи і спробуйте ще раз.", "An error occurred changing the room's power level requirements. Ensure you have sufficient permissions and try again.": "Під час зміни вимог рівня повноважень кімнати трапилась помилка. Переконайтесь, що ви маєте необхідні дозволи і спробуйте ще раз.",
"Error changing power level": "Помилка під час зміни рівня повноважень", "Error changing power level": "Помилка під час зміни рівня повноважень",
"An error occurred changing the user's power level. Ensure you have sufficient permissions and try again.": "Під час зміни рівня повноважень користувача трапилась помилка. Переконайтесь, що ви маєте необхідні дозволи і спробуйте ще раз.", "An error occurred changing the user's power level. Ensure you have sufficient permissions and try again.": "Під час зміни рівня повноважень користувача трапилась помилка. Переконайтесь, що ви маєте необхідні дозволи і спробуйте ще раз.",
"Change settings": "Змінити налаштування",
"%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (повноваження %(powerLevelNumber)s)", "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (повноваження %(powerLevelNumber)s)",
"Send a message…": "Надіслати повідомлення…",
"Share this email in Settings to receive invites directly in %(brand)s.": "Поширте цю адресу е-пошти у налаштуваннях, щоб отримувати запрошення безпосередньо в %(brand)s.", "Share this email in Settings to receive invites directly in %(brand)s.": "Поширте цю адресу е-пошти у налаштуваннях, щоб отримувати запрошення безпосередньо в %(brand)s.",
"Room options": "Параметри кімнати", "Room options": "Параметри кімнати",
"Send as message": "Надіслати як повідомлення", "Send as message": "Надіслати як повідомлення",
@ -551,12 +528,9 @@
"Audio Output": "Звуковий вивід", "Audio Output": "Звуковий вивід",
"Voice & Video": "Голос і відео", "Voice & Video": "Голос і відео",
"Upgrade this room to the recommended room version": "Поліпшити цю кімнату до рекомендованої версії", "Upgrade this room to the recommended room version": "Поліпшити цю кімнату до рекомендованої версії",
"Upgrade the room": "Поліпшити кімнату",
"Unable to revoke sharing for email address": "Не вдалось відкликати оприлюднювання адреси е-пошти", "Unable to revoke sharing for email address": "Не вдалось відкликати оприлюднювання адреси е-пошти",
"Unable to revoke sharing for phone number": "Не вдалось відкликати оприлюднювання телефонного номеру", "Unable to revoke sharing for phone number": "Не вдалось відкликати оприлюднювання телефонного номеру",
"Filter room members": "Відфільтрувати учасників кімнати", "Filter room members": "Відфільтрувати учасників кімнати",
"Voice call": "Голосовий виклик",
"Video call": "Відеовиклик",
"Show rooms with unread messages first": "Спочатку показувати кімнати з непрочитаними повідомленнями", "Show rooms with unread messages first": "Спочатку показувати кімнати з непрочитаними повідомленнями",
"Show previews of messages": "Показувати попередній перегляд повідомлень", "Show previews of messages": "Показувати попередній перегляд повідомлень",
"Sort by": "Упорядкувати за", "Sort by": "Упорядкувати за",
@ -592,7 +566,6 @@
"Enter your account password to confirm the upgrade:": "Введіть пароль вашого облікового запису щоб підтвердити поліпшення:", "Enter your account password to confirm the upgrade:": "Введіть пароль вашого облікового запису щоб підтвердити поліпшення:",
"Secret storage public key:": "Таємне сховище відкритого ключа:", "Secret storage public key:": "Таємне сховище відкритого ключа:",
"Message search": "Пошук повідомлень", "Message search": "Пошук повідомлень",
"Cross-signing": "Перехресне підписування",
"Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "Адміністратором вашого сервера було вимкнено автоматичне наскрізне шифрування у приватних кімнатах і особистих повідомленнях.", "Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "Адміністратором вашого сервера було вимкнено автоматичне наскрізне шифрування у приватних кімнатах і особистих повідомленнях.",
"Something went wrong!": "Щось пішло не так!", "Something went wrong!": "Щось пішло не так!",
"expand": "розгорнути", "expand": "розгорнути",
@ -625,7 +598,6 @@
"Encrypted by an unverified session": "Зашифроване незвіреним сеансом", "Encrypted by an unverified session": "Зашифроване незвіреним сеансом",
"Encrypted by a deleted session": "Зашифроване видаленим сеансом", "Encrypted by a deleted session": "Зашифроване видаленим сеансом",
"The authenticity of this encrypted message can't be guaranteed on this device.": "Справжність цього зашифрованого повідомлення не може бути гарантованою на цьому пристрої.", "The authenticity of this encrypted message can't be guaranteed on this device.": "Справжність цього зашифрованого повідомлення не може бути гарантованою на цьому пристрої.",
"Send an encrypted reply…": "Надіслати зашифровану відповідь…",
"Replying": "Відповідання", "Replying": "Відповідання",
"Low priority": "Неважливі", "Low priority": "Неважливі",
"In encrypted rooms, like this one, URL previews are disabled by default to ensure that your homeserver (where the previews are generated) cannot gather information about links you see in this room.": "У кімнатах з шифруванням, як у цій, попередній перегляд посилань усталено вимкнено. Це робиться, щоб гарантувати, що ваш домашній сервер (на якому генеруються перегляди) не матиме змоги збирати дані щодо посилань, які ви бачите у цій кімнаті.", "In encrypted rooms, like this one, URL previews are disabled by default to ensure that your homeserver (where the previews are generated) cannot gather information about links you see in this room.": "У кімнатах з шифруванням, як у цій, попередній перегляд посилань усталено вимкнено. Це робиться, щоб гарантувати, що ваш домашній сервер (на якому генеруються перегляди) не матиме змоги збирати дані щодо посилань, які ви бачите у цій кімнаті.",
@ -653,7 +625,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 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 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", "%(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",
"Unknown caller": "Невідомий викликач",
"The integration manager is offline or it cannot reach your homeserver.": "Менеджер інтеграцій не під'єднаний або не може зв'язатися з вашим домашнім сервером.", "The integration manager is offline or it cannot reach your homeserver.": "Менеджер інтеграцій не під'єднаний або не може зв'язатися з вашим домашнім сервером.",
"Enable desktop notifications for this session": "Увімкнути стільничні сповіщення для цього сеансу", "Enable desktop notifications for this session": "Увімкнути стільничні сповіщення для цього сеансу",
"Profile picture": "Зображення профілю", "Profile picture": "Зображення профілю",
@ -683,8 +654,6 @@
"System font name": "Ім’я системного шрифту", "System font name": "Ім’я системного шрифту",
"Enable widget screenshots on supported widgets": "Увімкнути знімки екрана віджетів для підтримуваних віджетів", "Enable widget screenshots on supported widgets": "Увімкнути знімки екрана віджетів для підтримуваних віджетів",
"How fast should messages be downloaded.": "Як швидко повідомлення повинні завантажуватися.", "How fast should messages be downloaded.": "Як швидко повідомлення повинні завантажуватися.",
"Uploading logs": "Відвантаження журналів",
"Downloading logs": "Завантаження журналів",
"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!": "Це ваш список користувачів/серверів, які ви заблокували не виходьте з кімнати!",
"The other party cancelled the verification.": "Друга сторона скасувала звірення.", "The other party cancelled the verification.": "Друга сторона скасувала звірення.",
@ -945,7 +914,6 @@
"Finland": "Фінляндія", "Finland": "Фінляндія",
"Fiji": "Фіджі", "Fiji": "Фіджі",
"Faroe Islands": "Фарерські Острови", "Faroe Islands": "Фарерські Острови",
"Unable to access microphone": "Неможливо доступитись до мікрофона",
"Can't find this server or its room list": "Не вдалося знайти цей сервер або список його кімнат", "Can't find this server or its room list": "Не вдалося знайти цей сервер або список його кімнат",
"Cannot reach homeserver": "Не вдалося зв'язатися з домашнім сервером", "Cannot reach homeserver": "Не вдалося зв'язатися з домашнім сервером",
"Ensure you have a stable internet connection, or get in touch with the server admin": "Переконайтеся, що у ваше з'єднання з Інтернетом стабільне або зв’яжіться з системним адміністратором", "Ensure you have a stable internet connection, or get in touch with the server admin": "Переконайтеся, що у ваше з'єднання з Інтернетом стабільне або зв’яжіться з системним адміністратором",
@ -953,15 +921,8 @@
"Capitalization doesn't help very much": "Великі букви не дуже допомагають", "Capitalization doesn't help very much": "Великі букви не дуже допомагають",
"You're all caught up.": "Все готово.", "You're all caught up.": "Все готово.",
"Hey you. You're the best!": "Агов, ти, так, ти. Ти найкращий!", "Hey you. You're the best!": "Агов, ти, так, ти. Ти найкращий!",
"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.": "Ви досягли максимальної кількості одночасних викликів.", "You've reached the maximum number of simultaneous calls.": "Ви досягли максимальної кількості одночасних викликів.",
"Too Many Calls": "Забагато викликів", "Too Many Calls": "Забагато викликів",
"No other application is using the webcam": "Жодна інша програма не використовує вебкамеру",
"Permission is granted to use the webcam": "Використання вебкамери дозволено",
"A microphone and webcam are plugged in and set up correctly": "Мікрофон і вебкамера під'єднані та налаштовані правильно",
"Call failed because webcam or microphone could not be accessed. Check that:": "Збій виклику, оскільки не вдалося отримати доступ до вебкамери або мікрофона. Перевірте, що:",
"Unable to access webcam / microphone": "Не вдається отримати доступ до вебкамери / мікрофона",
"%(severalUsers)sjoined and left %(count)s times": { "%(severalUsers)sjoined and left %(count)s times": {
"other": "%(severalUsers)sприєдналися й вийшли %(count)s разів", "other": "%(severalUsers)sприєдналися й вийшли %(count)s разів",
"one": "%(severalUsers)sприєдналися й вийшли" "one": "%(severalUsers)sприєдналися й вийшли"
@ -1013,7 +974,6 @@
"Ignored attempt to disable encryption": "Знехтувані спроби вимкнути шифрування", "Ignored attempt to disable encryption": "Знехтувані спроби вимкнути шифрування",
"This client does not support end-to-end encryption.": "Цей клієнт не підтримує наскрізного шифрування.", "This client does not support end-to-end encryption.": "Цей клієнт не підтримує наскрізного шифрування.",
"Enable encryption?": "Увімкнути шифрування?", "Enable encryption?": "Увімкнути шифрування?",
"Enable room encryption": "Увімкнути шифрування кімнати",
"Encryption": "Шифрування", "Encryption": "Шифрування",
"%(creator)s created this DM.": "%(creator)s створює цю приватну розмову.", "%(creator)s created this DM.": "%(creator)s створює цю приватну розмову.",
"Share Link to User": "Поділитися посиланням на користувача", "Share Link to User": "Поділитися посиланням на користувача",
@ -1021,12 +981,8 @@
"The user you called is busy.": "Користувач, якого ви викликаєте, зайнятий.", "The user you called is busy.": "Користувач, якого ви викликаєте, зайнятий.",
"User Busy": "Користувач зайнятий", "User Busy": "Користувач зайнятий",
"We couldn't log you in": "Нам не вдалося виконати вхід", "We couldn't log you in": "Нам не вдалося виконати вхід",
"You're already in a call with this person.": "Ви вже спілкуєтесь із цією особою.",
"Already in call": "Вже у виклику",
"You can't send any messages until you review and agree to <consentLink>our terms and conditions</consentLink>.": "Ви не можете надсилати жодних повідомлень, поки не переглянете та не погодитесь з <consentLink>нашими умовами та положеннями</consentLink>.", "You can't send any messages until you review and agree to <consentLink>our terms and conditions</consentLink>.": "Ви не можете надсилати жодних повідомлень, поки не переглянете та не погодитесь з <consentLink>нашими умовами та положеннями</consentLink>.",
"Send message": "Надіслати повідомлення",
"You can use <code>/help</code> to list available commands. Did you mean to send this as a message?": "Ви можете скористатися <code>/help</code> для перегляду доступних команд. Ви мали намір надіслати це як повідомлення?", "You can use <code>/help</code> to list available commands. Did you mean to send this as a message?": "Ви можете скористатися <code>/help</code> для перегляду доступних команд. Ви мали намір надіслати це як повідомлення?",
"Send messages": "Надіслати повідомлення",
"sends confetti": "надсилає конфеті", "sends confetti": "надсилає конфеті",
"sends fireworks": "надсилає феєрверк", "sends fireworks": "надсилає феєрверк",
"sends space invaders": "надсилає тему про космічних загарбників", "sends space invaders": "надсилає тему про космічних загарбників",
@ -1115,7 +1071,6 @@
"Activities": "Діяльність", "Activities": "Діяльність",
"Failed to unban": "Не вдалося розблокувати", "Failed to unban": "Не вдалося розблокувати",
"Banned by %(displayName)s": "Блокує %(displayName)s", "Banned by %(displayName)s": "Блокує %(displayName)s",
"Ban users": "Блокування користувачів",
"You were banned from %(roomName)s by %(memberName)s": "%(memberName)s блокує вас у %(roomName)s", "You were banned from %(roomName)s by %(memberName)s": "%(memberName)s блокує вас у %(roomName)s",
"were banned %(count)s times": { "were banned %(count)s times": {
"other": "заблоковані %(count)s разів", "other": "заблоковані %(count)s разів",
@ -1138,7 +1093,6 @@
"Recently Direct Messaged": "Недавно надіслані особисті повідомлення", "Recently Direct Messaged": "Недавно надіслані особисті повідомлення",
"User Directory": "Каталог користувачів", "User Directory": "Каталог користувачів",
"Room version:": "Версія кімнати:", "Room version:": "Версія кімнати:",
"Change topic": "Змінити тему",
"Change the topic of this room": "Змінювати тему цієї кімнати", "Change the topic of this room": "Змінювати тему цієї кімнати",
"%(oneUser)schanged the server ACLs %(count)s times": { "%(oneUser)schanged the server ACLs %(count)s times": {
"one": "%(oneUser)sзмінює серверні права доступу", "one": "%(oneUser)sзмінює серверні права доступу",
@ -1148,22 +1102,11 @@
"one": "%(severalUsers)sзмінює серверні права доступу", "one": "%(severalUsers)sзмінює серверні права доступу",
"other": "%(severalUsers)sзмінює серверні права доступу %(count)s разів" "other": "%(severalUsers)sзмінює серверні права доступу %(count)s разів"
}, },
"Change server ACLs": "Змінити серверні права доступу",
"Change permissions": "Змінити дозволи",
"Change room name": "Змінити назву кімнати",
"Change the name of this room": "Змінювати назву цієї кімнати", "Change the name of this room": "Змінювати назву цієї кімнати",
"Change history visibility": "Змінити видимість історії",
"Change main address for the room": "Змінити основну адресу кімнати",
"%(senderDisplayName)s changed the room avatar to <img/>": "%(senderDisplayName)s змінює аватар кімнати на <img/>", "%(senderDisplayName)s changed the room avatar to <img/>": "%(senderDisplayName)s змінює аватар кімнати на <img/>",
"%(senderDisplayName)s changed the avatar for %(roomName)s": "%(senderDisplayName)s змінює аватар %(roomName)s", "%(senderDisplayName)s changed the avatar for %(roomName)s": "%(senderDisplayName)s змінює аватар %(roomName)s",
"Change room avatar": "Змінити аватар кімнати",
"Change the avatar of this room": "Змінювати аватар цієї кімнати", "Change the avatar of this room": "Змінювати аватар цієї кімнати",
"Modify widgets": "Змінити віджети",
"Notify everyone": "Сповістити всіх",
"Remove messages sent by others": "Вилучити повідомлення надіслані іншими",
"Invite users": "Запросити користувачів",
"Select the roles required to change various parts of the room": "Виберіть ролі, необхідні для зміни різних частин кімнати", "Select the roles required to change various parts of the room": "Виберіть ролі, необхідні для зміни різних частин кімнати",
"Default role": "Типова роль",
"Privileged Users": "Привілейовані користувачі", "Privileged Users": "Привілейовані користувачі",
"Roles & Permissions": "Ролі й дозволи", "Roles & Permissions": "Ролі й дозволи",
"Main address": "Основна адреса", "Main address": "Основна адреса",
@ -1194,13 +1137,11 @@
"Unable to share phone number": "Не вдалося надіслати телефонний номер", "Unable to share phone number": "Не вдалося надіслати телефонний номер",
"Unable to share email address": "Не вдалося надіслати адресу е-пошти", "Unable to share email address": "Не вдалося надіслати адресу е-пошти",
"Share invite link": "Надіслати запрошувальне посилання", "Share invite link": "Надіслати запрошувальне посилання",
"%(sharerName)s is presenting": "%(sharerName)s показує",
"Invite to %(spaceName)s": "Запросити до %(spaceName)s", "Invite to %(spaceName)s": "Запросити до %(spaceName)s",
"Share your public space": "Поділитися своїм загальнодоступним простором", "Share your public space": "Поділитися своїм загальнодоступним простором",
"Join the beta": "Долучитися до бета-тестування", "Join the beta": "Долучитися до бета-тестування",
"Some suggestions may be hidden for privacy.": "Деякі пропозиції можуть бути сховані для приватності.", "Some suggestions may be hidden for privacy.": "Деякі пропозиції можуть бути сховані для приватності.",
"Safeguard against losing access to encrypted messages & data by backing up encryption keys on your server.": "Захистіться від втрати доступу до зашифрованих повідомлень і даних створенням резервної копії ключів шифрування на своєму сервері.", "Safeguard against losing access to encrypted messages & data by backing up encryption keys on your server.": "Захистіться від втрати доступу до зашифрованих повідомлень і даних створенням резервної копії ключів шифрування на своєму сервері.",
"Secure Backup": "Безпечне резервне копіювання",
"You may contact me if you have any follow up questions": "Можете зв’язатися зі мною, якщо у вас виникнуть додаткові запитання", "You may contact me if you have any follow up questions": "Можете зв’язатися зі мною, якщо у вас виникнуть додаткові запитання",
"We sent the others, but the below people couldn't be invited to <RoomName/>": "Ми надіслали іншим, але вказаних людей, не вдалося запросити до <RoomName/>", "We sent the others, but the below people couldn't be invited to <RoomName/>": "Ми надіслали іншим, але вказаних людей, не вдалося запросити до <RoomName/>",
"We asked the browser to remember which homeserver you use to let you sign in, but unfortunately your browser has forgotten it. Go to the sign in page and try again.": "Ми попросили браузер запам’ятати, який домашній сервер ви використовуєте, щоб дозволити вам увійти, але, на жаль, ваш браузер забув його. Перейдіть на сторінку входу та повторіть спробу.", "We 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.": "Ми попросили браузер запам’ятати, який домашній сервер ви використовуєте, щоб дозволити вам увійти, але, на жаль, ваш браузер забув його. Перейдіть на сторінку входу та повторіть спробу.",
@ -1227,17 +1168,12 @@
"Verify this user by confirming the following number appears on their screen.": "Звірте справжність цього користувача, підтвердивши, що на екрані з'явилося таке число.", "Verify this user by confirming the following number appears on their screen.": "Звірте справжність цього користувача, підтвердивши, що на екрані з'явилося таке число.",
"They don't match": "Вони не збігаються", "They don't match": "Вони не збігаються",
"They match": "Вони збігаються", "They match": "Вони збігаються",
"Return to call": "Повернутися до виклику",
"Connecting": "З'єднання", "Connecting": "З'єднання",
"%(senderName)s ended the call": "%(senderName)s завершує виклик",
"You ended the call": "Ви завершили виклик",
"New version of %(brand)s is available": "Доступна нова версія %(brand)s", "New version of %(brand)s is available": "Доступна нова версія %(brand)s",
"Update %(brand)s": "Оновити %(brand)s", "Update %(brand)s": "Оновити %(brand)s",
"%(deviceId)s from %(ip)s": "%(deviceId)s з %(ip)s", "%(deviceId)s from %(ip)s": "%(deviceId)s з %(ip)s",
"Use app": "Використовувати застосунок", "Use app": "Використовувати застосунок",
"Use app for a better experience": "Використовуйте застосунок для зручності", "Use app for a better experience": "Використовуйте застосунок для зручності",
"Silence call": "Тихий виклик",
"Sound on": "Звук увімкнено",
"Enable desktop notifications": "Увімкнути сповіщення стільниці", "Enable desktop notifications": "Увімкнути сповіщення стільниці",
"Don't miss a reply": "Не пропустіть відповідей", "Don't miss a reply": "Не пропустіть відповідей",
"Review to ensure your account is safe": "Перевірте, щоб переконатися, що ваш обліковий запис у безпеці", "Review to ensure your account is safe": "Перевірте, щоб переконатися, що ваш обліковий запис у безпеці",
@ -1265,8 +1201,6 @@
"Start Verification": "Почати перевірку", "Start Verification": "Почати перевірку",
"Start chatting": "Почати спілкування", "Start chatting": "Почати спілкування",
"This is the start of <roomName/>.": "Це початок <roomName/>.", "This is the start of <roomName/>.": "Це початок <roomName/>.",
"Start sharing your screen": "Почати показ екрана",
"Start the camera": "Увімкнути камеру",
"Scan this unique code": "Скануйте цей унікальний код", "Scan this unique code": "Скануйте цей унікальний код",
"Couldn't load page": "Не вдалося завантажити сторінку", "Couldn't load page": "Не вдалося завантажити сторінку",
"Phone (optional)": "Телефон (не обов'язково)", "Phone (optional)": "Телефон (не обов'язково)",
@ -1553,10 +1487,6 @@
"More": "Більше", "More": "Більше",
"Show sidebar": "Показати бічну панель", "Show sidebar": "Показати бічну панель",
"Hide sidebar": "Сховати бічну панель", "Hide sidebar": "Сховати бічну панель",
"Stop sharing your screen": "Вимкнути показ екрана",
"Stop the camera": "Вимкнути камеру",
"Your camera is still enabled": "Ваша камера досі увімкнена",
"Your camera is turned off": "Вашу камеру вимкнено",
"sends snowfall": "надсилає снігопад", "sends snowfall": "надсилає снігопад",
"Success!": "Успішно!", "Success!": "Успішно!",
"Clear personal data": "Очистити особисті дані", "Clear personal data": "Очистити особисті дані",
@ -1643,7 +1573,6 @@
"Italics": "Курсив", "Italics": "Курсив",
"More options": "Інші опції", "More options": "Інші опції",
"Send a sticker": "Надіслати наліпку", "Send a sticker": "Надіслати наліпку",
"Send a reply…": "Надіслати відповідь…",
"Create poll": "Створити опитування", "Create poll": "Створити опитування",
"Invited": "Запрошено", "Invited": "Запрошено",
"Invite to this space": "Запросити до цього простору", "Invite to this space": "Запросити до цього простору",
@ -1674,10 +1603,6 @@
"Permissions": "Дозволи", "Permissions": "Дозволи",
"Send %(eventType)s events": "Надіслати події %(eventType)s", "Send %(eventType)s events": "Надіслати події %(eventType)s",
"No users have specific privileges in this room": "У цій кімнаті немає користувачів з визначеними привілеями", "No users have specific privileges in this room": "У цій кімнаті немає користувачів з визначеними привілеями",
"Change description": "Змінити опис",
"Change main address for the space": "Змінити основну адресу простору",
"Change space name": "Змінити назву простору",
"Change space avatar": "Змінити аватар простору",
"Browse": "Огляд", "Browse": "Огляд",
"Set a new custom sound": "Указати нові власні звуки", "Set a new custom sound": "Указати нові власні звуки",
"Notification sound": "Звуки сповіщень", "Notification sound": "Звуки сповіщень",
@ -1765,7 +1690,6 @@
"other": "%(spaceName)s і %(count)s інших" "other": "%(spaceName)s і %(count)s інших"
}, },
"Connectivity to the server has been lost": "Втрачено зʼєднання з сервером", "Connectivity to the server has been lost": "Втрачено зʼєднання з сервером",
"Calls are unsupported": "Виклики не підтримуються",
"To view all keyboard shortcuts, <a>click here</a>.": "Щоб переглянути всі комбінації клавіш, <a>натисніть сюди</a>.", "To view all keyboard shortcuts, <a>click here</a>.": "Щоб переглянути всі комбінації клавіш, <a>натисніть сюди</a>.",
"Keyboard shortcuts": "Комбінації клавіш", "Keyboard shortcuts": "Комбінації клавіш",
"Large": "Великі", "Large": "Великі",
@ -1789,12 +1713,9 @@
"View in room": "Дивитися в кімнаті", "View in room": "Дивитися в кімнаті",
"Copy link to thread": "Копіювати посилання на гілку", "Copy link to thread": "Копіювати посилання на гілку",
"Thread options": "Параметри гілки", "Thread options": "Параметри гілки",
"Reply to thread…": "Відповісти в гілці…",
"Reply to encrypted thread…": "Відповісти в зашифрованій гілці…",
"Reply in thread": "Відповісти у гілці", "Reply in thread": "Відповісти у гілці",
"See when people join, leave, or are invited to this room": "Бачити, коли хтось додається, виходить чи запрошується до цієї кімнати", "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 without a connection to the server.": "Неможливо здійснювати виклики без з'єднання з сервером.",
"You cannot place calls in this browser.": "Цей браузер не підтримує викликів.",
"Unable to remove contact information": "Не вдалося вилучити контактні дані", "Unable to remove contact information": "Не вдалося вилучити контактні дані",
"Automatically send debug logs on any error": "Автоматично надсилати журнал зневадження про всі помилки", "Automatically send debug logs on any error": "Автоматично надсилати журнал зневадження про всі помилки",
"Developer mode": "Режим розробника", "Developer mode": "Режим розробника",
@ -1828,7 +1749,6 @@
"Someone already has that username, please try another.": "Хтось уже має це користувацьке ім'я, просимо спробувати інше.", "Someone already has that username, please try another.": "Хтось уже має це користувацьке ім'я, просимо спробувати інше.",
"Keep discussions organised with threads": "Упорядкуйте обговорення за допомогою гілок", "Keep discussions organised with threads": "Упорядкуйте обговорення за допомогою гілок",
"Show all threads": "Показати всі гілки", "Show all threads": "Показати всі гілки",
"Manage rooms in this space": "Керувати кімнатами в цьому просторі",
"You won't get any notifications": "Ви не отримуватимете жодних сповіщень", "You won't get any notifications": "Ви не отримуватимете жодних сповіщень",
"Unpin this widget to view it in this panel": "Відкріпіть віджет, щоб він зʼявився на цій панелі", "Unpin this widget to view it in this panel": "Відкріпіть віджет, щоб він зʼявився на цій панелі",
"Vote not registered": "Голос не зареєстрований", "Vote not registered": "Голос не зареєстрований",
@ -1851,7 +1771,6 @@
"We <Bold>don't</Bold> record or profile any account data": "Ми <Bold>не</Bold> зберігаємо й <Bold>не</Bold> аналізуємо жодних даних облікового запису", "We <Bold>don't</Bold> record or profile any account data": "Ми <Bold>не</Bold> зберігаємо й <Bold>не</Bold> аналізуємо жодних даних облікового запису",
"We <Bold>don't</Bold> share information with third parties": "Ми <Bold>не</Bold> передаємо даних стороннім особам", "We <Bold>don't</Bold> share information with third parties": "Ми <Bold>не</Bold> передаємо даних стороннім особам",
"You can turn this off anytime in settings": "Можна вимкнути це коли завгодно в налаштуваннях", "You can turn this off anytime in settings": "Можна вимкнути це коли завгодно в налаштуваннях",
"Manage pinned events": "Керувати закріпленими подіями",
"Share location": "Поділитися місцеперебуванням", "Share location": "Поділитися місцеперебуванням",
"Failed to end poll": "Не вдалося завершити опитування", "Failed to end poll": "Не вдалося завершити опитування",
"The poll has ended. No votes were cast.": "Опитування завершене. Жодного голосу не було.", "The poll has ended. No votes were cast.": "Опитування завершене. Жодного голосу не було.",
@ -1883,10 +1802,6 @@
"You're the only admin of some of the rooms or spaces you wish to leave. Leaving them will leave them without any admins.": "Ви єдиний адміністратор кімнат чи просторів, з яких ви бажаєте вийти. Вихід із них залишить їх без адміністраторів.", "You're the only admin of some of the rooms or spaces you wish to leave. Leaving them will leave them without any admins.": "Ви єдиний адміністратор кімнат чи просторів, з яких ви бажаєте вийти. Вихід із них залишить їх без адміністраторів.",
"Leave %(spaceName)s": "Вийти з %(spaceName)s", "Leave %(spaceName)s": "Вийти з %(spaceName)s",
"Call declined": "Виклик відхилено", "Call declined": "Виклик відхилено",
"Dialpad": "Номеронабирач",
"Unmute the microphone": "Увімкнути мікрофон",
"Mute the microphone": "Вимкнути мікрофон",
"Hangup": "Покласти слухавку",
"Are you sure you want to add encryption to this public room?": "Точно додати шифрування цій загальнодоступній кімнаті?", "Are you sure you want to add encryption to this public room?": "Точно додати шифрування цій загальнодоступній кімнаті?",
"To avoid these issues, create a <a>new encrypted room</a> for the conversation you plan to have.": "Щоб уникнути цих проблем, створіть <a>нову зашифровану кімнату</a> для розмови, яку плануєте.", "To avoid these issues, create a <a>new encrypted room</a> for the conversation you plan to have.": "Щоб уникнути цих проблем, створіть <a>нову зашифровану кімнату</a> для розмови, яку плануєте.",
"Are you sure you want to make this encrypted room public?": "Точно зробити цю зашифровану кімнату загальнодоступною?", "Are you sure you want to make this encrypted room public?": "Точно зробити цю зашифровану кімнату загальнодоступною?",
@ -2193,7 +2108,6 @@
"We didn't find a microphone on your device. Please check your settings and try again.": "Мікрофона не знайдено. Перевірте налаштування й повторіть спробу.", "We didn't find a microphone on your device. Please check your settings and try again.": "Мікрофона не знайдено. Перевірте налаштування й повторіть спробу.",
"We were unable to access your microphone. Please check your browser settings and try again.": "Збій доступу до вашого мікрофона. Перевірте налаштування браузера й повторіть спробу.", "We were unable to access your microphone. Please check your browser settings and try again.": "Збій доступу до вашого мікрофона. Перевірте налаштування браузера й повторіть спробу.",
"Invited by %(sender)s": "Запрошення від %(sender)s", "Invited by %(sender)s": "Запрошення від %(sender)s",
"Stickerpack": "Пакунок наліпок",
"Add some now": "Додайте які-небудь", "Add some now": "Додайте які-небудь",
"You don't currently have any stickerpacks enabled": "У вас поки немає пакунків наліпок", "You don't currently have any stickerpacks enabled": "У вас поки немає пакунків наліпок",
"%(roomName)s does not exist.": "%(roomName)s не існує.", "%(roomName)s does not exist.": "%(roomName)s не існує.",
@ -2210,7 +2124,6 @@
}, },
"Suggested Rooms": "Пропоновані кімнати", "Suggested Rooms": "Пропоновані кімнати",
"Historical": "Історичні", "Historical": "Історичні",
"System Alerts": "Системні попередження",
"Explore public rooms": "Переглянути загальнодоступні кімнати", "Explore public rooms": "Переглянути загальнодоступні кімнати",
"You do not have permissions to add rooms to this space": "У вас немає дозволу додавати кімнати до цього простору", "You do not have permissions to add rooms to this space": "У вас немає дозволу додавати кімнати до цього простору",
"You do not have permissions to create new rooms in this space": "У вас немає дозволу створювати кімнати в цьому просторі", "You do not have permissions to create new rooms in this space": "У вас немає дозволу створювати кімнати в цьому просторі",
@ -2262,12 +2175,6 @@
"Import E2E room keys": "Імпортувати ключі кімнат наскрізного шифрування", "Import E2E room keys": "Імпортувати ключі кімнат наскрізного шифрування",
"<not supported>": "<не підтримується>", "<not supported>": "<не підтримується>",
"Unable to find a supported verification method.": "Не вдалося знайти підтримуваний спосіб звірки.", "Unable to find a supported verification method.": "Не вдалося знайти підтримуваний спосіб звірки.",
"%(name)s on hold": "%(name)s очікує",
"Consulting with %(transferTarget)s. <a>Transfer to %(transferee)s</a>": "Консультація з %(transferTarget)s. <a>Переадресація на %(transferee)s</a>",
"%(peerName)s held the call": "%(peerName)s утримує виклик",
"You held the call <a>Resume</a>": "Ви утримуєте виклик <a>Відновити</a>",
"You held the call <a>Switch</a>": "Ви утримуєте виклик <a>Перемкнути</a>",
"You are presenting": "Ви показуєте",
"sends rainfall": "надсилає дощ", "sends rainfall": "надсилає дощ",
"Sends the given message with rainfall": "Надсилає це повідомлення з дощем", "Sends the given message with rainfall": "Надсилає це повідомлення з дощем",
"Other rooms": "Інші кімнати", "Other rooms": "Інші кімнати",
@ -2501,7 +2408,6 @@
"This address had invalid server or is already in use": "Ця адреса містить хибний сервер чи вже використовується", "This address had invalid server or is already in use": "Ця адреса містить хибний сервер чи вже використовується",
"Missing room name or separator e.g. (my-room:domain.org)": "Бракує назви кімнати чи розділювача (my-room:domain.org)", "Missing room name or separator e.g. (my-room:domain.org)": "Бракує назви кімнати чи розділювача (my-room:domain.org)",
"Missing domain separator e.g. (:domain.org)": "Бракує розділювача домену (:domain.org)", "Missing domain separator e.g. (:domain.org)": "Бракує розділювача домену (:domain.org)",
"Dial": "Виклик",
"Back to thread": "Назад у гілку", "Back to thread": "Назад у гілку",
"Room members": "Учасники кімнати", "Room members": "Учасники кімнати",
"Back to chat": "Назад у бесіду", "Back to chat": "Назад у бесіду",
@ -2522,7 +2428,6 @@
"Verify this device by confirming the following number appears on its screen.": "Звірте цей пристрій, підтвердивши, що на екрані з'явилося це число.", "Verify this device by confirming the following number appears on its screen.": "Звірте цей пристрій, підтвердивши, що на екрані з'явилося це число.",
"Confirm the emoji below are displayed on both devices, in the same order:": "Переконайтеся, що наведені внизу емоджі показано на обох пристроях в однаковому порядку:", "Confirm the emoji below are displayed on both devices, in the same order:": "Переконайтеся, що наведені внизу емоджі показано на обох пристроях в однаковому порядку:",
"Expand map": "Розгорнути карту", "Expand map": "Розгорнути карту",
"Send reactions": "Надсилати реакції",
"No active call in this room": "Немає активних викликів у цій кімнаті", "No active call in this room": "Немає активних викликів у цій кімнаті",
"Unable to find Matrix ID for phone number": "Не вдалося знайти Matrix ID для номера телефону", "Unable to find Matrix ID for phone number": "Не вдалося знайти Matrix ID для номера телефону",
"Unknown (user, session) pair: (%(userId)s, %(deviceId)s)": "Невідома пара (користувач, сеанс): (%(userId)s, %(deviceId)s)", "Unknown (user, session) pair: (%(userId)s, %(deviceId)s)": "Невідома пара (користувач, сеанс): (%(userId)s, %(deviceId)s)",
@ -2550,7 +2455,6 @@
"Remove them from everything I'm able to": "Вилучити їх звідусіль, де мене на це уповноважено", "Remove them from everything I'm able to": "Вилучити їх звідусіль, де мене на це уповноважено",
"Remove from %(roomName)s": "Вилучити з %(roomName)s", "Remove from %(roomName)s": "Вилучити з %(roomName)s",
"You were removed from %(roomName)s by %(memberName)s": "%(memberName)s вилучає вас із %(roomName)s", "You were removed from %(roomName)s by %(memberName)s": "%(memberName)s вилучає вас із %(roomName)s",
"Remove users": "Вилучити користувачів",
"Remove, ban, or invite people to your active room, and make you leave": "Вилучати, блокувати чи запрошувати людей у вашій активній кімнаті, зокрема вас", "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": "Вилучати, блокувати чи запрошувати людей у цій кімнаті, зокрема вас", "Remove, ban, or invite people to this room, and make you leave": "Вилучати, блокувати чи запрошувати людей у цій кімнаті, зокрема вас",
"Open this settings tab": "Відкрити цю вкладку налаштувань", "Open this settings tab": "Відкрити цю вкладку налаштувань",
@ -2641,7 +2545,6 @@
"Switch to space by number": "Перейти до простору за номером", "Switch to space by number": "Перейти до простору за номером",
"Pinned": "Закріплені", "Pinned": "Закріплені",
"Open thread": "Відкрити гілку", "Open thread": "Відкрити гілку",
"Remove messages sent by me": "Вилучити надіслані мною повідомлення",
"No virtual room for this room": "Ця кімната не має віртуальної кімнати", "No virtual room for this room": "Ця кімната не має віртуальної кімнати",
"Switches to this room's virtual room, if it has one": "Переходить до віртуальної кімнати, якщо ваша кімната її має", "Switches to this room's virtual room, if it has one": "Переходить до віртуальної кімнати, якщо ваша кімната її має",
"Export Cancelled": "Експорт скасовано", "Export Cancelled": "Експорт скасовано",
@ -2763,12 +2666,6 @@
"View List": "Переглянути список", "View List": "Переглянути список",
"View list": "Переглянути список", "View list": "Переглянути список",
"Updated %(humanizedUpdateTime)s": "Оновлено %(humanizedUpdateTime)s", "Updated %(humanizedUpdateTime)s": "Оновлено %(humanizedUpdateTime)s",
"Turn on camera": "Увімкнути камеру",
"Turn off camera": "Вимкнути камеру",
"Video devices": "Відеопристрої",
"Mute microphone": "Вимкнути мікрофон",
"Unmute microphone": "Увімкнути мікрофон",
"Audio devices": "Аудіопристрої",
"Hide my messages from new joiners": "Сховати мої повідомлення від нових учасників", "Hide my messages from new joiners": "Сховати мої повідомлення від нових учасників",
"Your old messages will still be visible to people who received them, just like emails you sent in the past. Would you like to hide your sent messages from people who join rooms in the future?": "Ваші старі повідомлення залишатимуться доступними людям, які їх уже отримали, аналогічно надісланій е-пошті. Бажаєте сховати надіслані повідомлення від тих, хто відтепер приєднуватиметься до кімнат?", "Your old messages will still be visible to people who received them, just like emails you sent in the past. Would you like to hide your sent messages from people who join rooms in the future?": "Ваші старі повідомлення залишатимуться доступними людям, які їх уже отримали, аналогічно надісланій е-пошті. Бажаєте сховати надіслані повідомлення від тих, хто відтепер приєднуватиметься до кімнат?",
"You will be removed from the identity server: your friends will no longer be able to find you with your email or phone number": "Вас буде вилучено з сервера ідентифікації: ваші друзі не матимуть змоги знайти вас за е-поштою чи номером телефону", "You will be removed from the identity server: your friends will no longer be able to find you with your email or phone number": "Вас буде вилучено з сервера ідентифікації: ваші друзі не матимуть змоги знайти вас за е-поштою чи номером телефону",
@ -2951,7 +2848,6 @@
"Sign out of this session": "Вийти з цього сеансу", "Sign out of this session": "Вийти з цього сеансу",
"Rename session": "Перейменувати сеанс", "Rename session": "Перейменувати сеанс",
"Voice broadcast": "Голосові трансляції", "Voice broadcast": "Голосові трансляції",
"Voice broadcasts": "Голосові трансляції",
"You do not have permission to start voice calls": "У вас немає дозволу розпочинати голосові виклики", "You do not have permission to start voice calls": "У вас немає дозволу розпочинати голосові виклики",
"There's no one here to call": "Тут немає кого викликати", "There's no one here to call": "Тут немає кого викликати",
"You do not have permission to start video calls": "У вас немає дозволу розпочинати відеовиклики", "You do not have permission to start video calls": "У вас немає дозволу розпочинати відеовиклики",
@ -2973,7 +2869,6 @@
"Web session": "Сеанс у браузері", "Web session": "Сеанс у браузері",
"Mobile session": "Сеанс на мобільному", "Mobile session": "Сеанс на мобільному",
"Desktop session": "Сеанс на комп'ютері", "Desktop session": "Сеанс на комп'ютері",
"Video call started": "Відеовиклик розпочато",
"Unknown room": "Невідома кімната", "Unknown room": "Невідома кімната",
"Room info": "Відомості про кімнату", "Room info": "Відомості про кімнату",
"View chat timeline": "Переглянути стрічку бесіди", "View chat timeline": "Переглянути стрічку бесіди",
@ -2981,18 +2876,14 @@
"Spotlight": "У фокусі", "Spotlight": "У фокусі",
"Freedom": "Свобода", "Freedom": "Свобода",
"Operating system": "Операційна система", "Operating system": "Операційна система",
"Fill screen": "Заповнити екран",
"Video call (%(brand)s)": "Відеовиклик (%(brand)s)", "Video call (%(brand)s)": "Відеовиклик (%(brand)s)",
"Call type": "Тип викликів", "Call type": "Тип викликів",
"You do not have sufficient permissions to change this.": "Ви не маєте достатніх повноважень, щоб змінити це.", "You do not have sufficient permissions to change this.": "Ви не маєте достатніх повноважень, щоб змінити це.",
"%(brand)s is end-to-end encrypted, but is currently limited to smaller numbers of users.": "%(brand)s наскрізно зашифровано, але наразі обмежений меншою кількістю користувачів.", "%(brand)s is end-to-end encrypted, but is currently limited to smaller numbers of users.": "%(brand)s наскрізно зашифровано, але наразі обмежений меншою кількістю користувачів.",
"Enable %(brand)s as an additional calling option in this room": "Увімкнути %(brand)s додатковою опцією викликів у цій кімнаті", "Enable %(brand)s as an additional calling option in this room": "Увімкнути %(brand)s додатковою опцією викликів у цій кімнаті",
"Join %(brand)s calls": "Приєднатися до %(brand)s викликів",
"Start %(brand)s calls": "Розпочати %(brand)s викликів",
"Sorry — this call is currently full": "Перепрошуємо, цей виклик заповнено", "Sorry — this call is currently full": "Перепрошуємо, цей виклик заповнено",
"resume voice broadcast": "поновити голосову трансляцію", "resume voice broadcast": "поновити голосову трансляцію",
"pause voice broadcast": "призупинити голосову трансляцію", "pause voice broadcast": "призупинити голосову трансляцію",
"Notifications silenced": "Сповіщення стишено",
"Sign in with QR code": "Увійти за допомогою QR-коду", "Sign in with QR code": "Увійти за допомогою QR-коду",
"Browser": "Браузер", "Browser": "Браузер",
"Yes, stop broadcast": "Так, припинити трансляцію", "Yes, stop broadcast": "Так, припинити трансляцію",
@ -3265,8 +3156,6 @@
"%(errorMessage)s (HTTP status %(httpStatus)s)": "%(errorMessage)s (HTTP-статус %(httpStatus)s)", "%(errorMessage)s (HTTP status %(httpStatus)s)": "%(errorMessage)s (HTTP-статус %(httpStatus)s)",
"Unknown password change error (%(stringifiedError)s)": "Невідома помилка зміни пароля (%(stringifiedError)s)", "Unknown password change error (%(stringifiedError)s)": "Невідома помилка зміни пароля (%(stringifiedError)s)",
"Error while changing password: %(error)s": "Помилка зміни пароля: %(error)s", "Error while changing password: %(error)s": "Помилка зміни пароля: %(error)s",
"%(sender)s reacted %(reaction)s to %(message)s": "%(sender)s реагує з %(reaction)s на %(message)s",
"You reacted %(reaction)s to %(message)s": "Ви зреагували %(reaction)s на %(message)s",
"Cannot invite user by email without an identity server. You can connect to one under \"Settings\".": "Неможливо запросити користувача електронною поштою без сервера ідентифікації. Ви можете під'єднатися до нього в розділі «Налаштування».", "Cannot invite user by email without an identity server. You can connect to one under \"Settings\".": "Неможливо запросити користувача електронною поштою без сервера ідентифікації. Ви можете під'єднатися до нього в розділі «Налаштування».",
"Failed to download source media, no source url was found": "Не вдалося завантажити початковий медіафайл, не знайдено url джерела", "Failed to download source media, no source url was found": "Не вдалося завантажити початковий медіафайл, не знайдено url джерела",
"Unable to create room with moderation bot": "Не вдалося створити кімнату за допомогою бота-модератора", "Unable to create room with moderation bot": "Не вдалося створити кімнату за допомогою бота-модератора",
@ -3429,7 +3318,11 @@
"server": "Сервер", "server": "Сервер",
"capabilities": "Можливості", "capabilities": "Можливості",
"unnamed_room": "Кімната без назви", "unnamed_room": "Кімната без назви",
"unnamed_space": "Простір без назви" "unnamed_space": "Простір без назви",
"stickerpack": "Пакунок наліпок",
"system_alerts": "Системні попередження",
"secure_backup": "Безпечне резервне копіювання",
"cross_signing": "Перехресне підписування"
}, },
"action": { "action": {
"continue": "Продовжити", "continue": "Продовжити",
@ -3608,7 +3501,14 @@
"format_decrease_indent": "Зменшення відступу", "format_decrease_indent": "Зменшення відступу",
"format_inline_code": "Код", "format_inline_code": "Код",
"format_code_block": "Блок коду", "format_code_block": "Блок коду",
"format_link": "Посилання" "format_link": "Посилання",
"send_button_title": "Надіслати повідомлення",
"placeholder_thread_encrypted": "Відповісти в зашифрованій гілці…",
"placeholder_thread": "Відповісти в гілці…",
"placeholder_reply_encrypted": "Надіслати зашифровану відповідь…",
"placeholder_reply": "Надіслати відповідь…",
"placeholder_encrypted": "Надіслати зашифроване повідомлення…",
"placeholder": "Надіслати повідомлення…"
}, },
"Bold": "Жирний", "Bold": "Жирний",
"Link": "Посилання", "Link": "Посилання",
@ -3631,7 +3531,11 @@
"send_logs": "Надіслати журнали", "send_logs": "Надіслати журнали",
"github_issue": "Обговорення на GitHub", "github_issue": "Обговорення на GitHub",
"download_logs": "Завантажити журнали", "download_logs": "Завантажити журнали",
"before_submitting": "Перш ніж надіслати журнали, <a>створіть обговорення на GitHub</a> із описом проблеми." "before_submitting": "Перш ніж надіслати журнали, <a>створіть обговорення на GitHub</a> із описом проблеми.",
"collecting_information": "Збір інформації про версію застосунку",
"collecting_logs": "Збір журналів",
"uploading_logs": "Відвантаження журналів",
"downloading_logs": "Завантаження журналів"
}, },
"time": { "time": {
"hours_minutes_seconds_left": "Залишилося %(hours)sгод %(minutes)sхв %(seconds)sс", "hours_minutes_seconds_left": "Залишилося %(hours)sгод %(minutes)sхв %(seconds)sс",
@ -3839,7 +3743,9 @@
"developer_tools": "Інструменти розробника", "developer_tools": "Інструменти розробника",
"room_id": "ID кімнати: %(roomId)s", "room_id": "ID кімнати: %(roomId)s",
"thread_root_id": "ID кореневої гілки: %(threadRootId)s", "thread_root_id": "ID кореневої гілки: %(threadRootId)s",
"event_id": "ID події: %(eventId)s" "event_id": "ID події: %(eventId)s",
"category_room": "Кімната",
"category_other": "Інше"
}, },
"export_chat": { "export_chat": {
"html": "HTML", "html": "HTML",
@ -3997,6 +3903,9 @@
"other": "%(names)s та ще %(count)s учасників пишуть…", "other": "%(names)s та ще %(count)s учасників пишуть…",
"one": "%(names)s та ще один учасник пишуть…" "one": "%(names)s та ще один учасник пишуть…"
} }
},
"m.call.hangup": {
"dm": "Виклик завершено"
} }
}, },
"slash_command": { "slash_command": {
@ -4033,7 +3942,14 @@
"help": "Відбиває перелік команд із прикладами вжитку та описом", "help": "Відбиває перелік команд із прикладами вжитку та описом",
"whois": "Показує відомості про користувача", "whois": "Показує відомості про користувача",
"rageshake": "Надіслати звіт про ваду разом з журналами", "rageshake": "Надіслати звіт про ваду разом з журналами",
"msg": "Надсилає повідомлення вказаному користувачеві" "msg": "Надсилає повідомлення вказаному користувачеві",
"usage": "Використання",
"category_messages": "Повідомлення",
"category_actions": "Дії",
"category_admin": "Адміністратор",
"category_advanced": "Подробиці",
"category_effects": "Ефекти",
"category_other": "Інше"
}, },
"presence": { "presence": {
"busy": "Зайнятий", "busy": "Зайнятий",
@ -4047,5 +3963,108 @@
"offline": "Не в мережі", "offline": "Не в мережі",
"away": "Не на зв'язку" "away": "Не на зв'язку"
}, },
"Unknown": "Невідомо" "Unknown": "Невідомо",
"event_preview": {
"m.call.answer": {
"you": "Ви приєднались до виклику",
"user": "%(senderName)s приєднується до виклику",
"dm": "Виклик триває"
},
"m.call.hangup": {
"you": "Ви завершили виклик",
"user": "%(senderName)s завершує виклик"
},
"m.call.invite": {
"you": "Ви розпочали виклик",
"user": "%(senderName)s розпочинає виклик",
"dm_send": "Чекаємо відповіді",
"dm_receive": "%(senderName)s баламкає"
},
"m.emote": "*%(senderName)s %(emote)s",
"m.text": "%(senderName)s: %(message)s",
"m.reaction": {
"you": "Ви зреагували %(reaction)s на %(message)s",
"user": "%(sender)s реагує з %(reaction)s на %(message)s"
},
"m.sticker": "%(senderName)s: %(stickerName)s"
},
"voip": {
"disable_microphone": "Вимкнути мікрофон",
"enable_microphone": "Увімкнути мікрофон",
"disable_camera": "Вимкнути камеру",
"enable_camera": "Увімкнути камеру",
"audio_devices": "Аудіопристрої",
"video_devices": "Відеопристрої",
"dial": "Виклик",
"you_are_presenting": "Ви показуєте",
"user_is_presenting": "%(sharerName)s показує",
"camera_disabled": "Вашу камеру вимкнено",
"camera_enabled": "Ваша камера досі увімкнена",
"consulting": "Консультація з %(transferTarget)s. <a>Переадресація на %(transferee)s</a>",
"call_held_switch": "Ви утримуєте виклик <a>Перемкнути</a>",
"call_held_resume": "Ви утримуєте виклик <a>Відновити</a>",
"call_held": "%(peerName)s утримує виклик",
"dialpad": "Номеронабирач",
"stop_screenshare": "Вимкнути показ екрана",
"start_screenshare": "Почати показ екрана",
"hangup": "Покласти слухавку",
"maximise": "Заповнити екран",
"expand": "Повернутися до виклику",
"on_hold": "%(name)s очікує",
"voice_call": "Голосовий виклик",
"video_call": "Відеовиклик",
"video_call_started": "Відеовиклик розпочато",
"unsilence": "Звук увімкнено",
"silence": "Тихий виклик",
"silenced": "Сповіщення стишено",
"unknown_caller": "Невідомий викликач",
"call_failed": "Виклик не вдався",
"unable_to_access_microphone": "Неможливо доступитись до мікрофона",
"call_failed_microphone": "Збій виклику, оскільки не вдалося отримати доступ до мікрофона. Переконайтеся, що мікрофон під'єднано та налаштовано правильно.",
"unable_to_access_media": "Не вдається отримати доступ до вебкамери / мікрофона",
"call_failed_media": "Збій виклику, оскільки не вдалося отримати доступ до вебкамери або мікрофона. Перевірте, що:",
"call_failed_media_connected": "Мікрофон і вебкамера під'єднані та налаштовані правильно",
"call_failed_media_permissions": "Використання вебкамери дозволено",
"call_failed_media_applications": "Жодна інша програма не використовує вебкамеру",
"already_in_call": "Вже у виклику",
"already_in_call_person": "Ви вже спілкуєтесь із цією особою.",
"unsupported": "Виклики не підтримуються",
"unsupported_browser": "Цей браузер не підтримує викликів."
},
"Messages": "Повідомлення",
"Other": "Інше",
"Advanced": "Подробиці",
"room_settings": {
"permissions": {
"m.room.avatar_space": "Змінити аватар простору",
"m.room.avatar": "Змінити аватар кімнати",
"m.room.name_space": "Змінити назву простору",
"m.room.name": "Змінити назву кімнати",
"m.room.canonical_alias_space": "Змінити основну адресу простору",
"m.room.canonical_alias": "Змінити основну адресу кімнати",
"m.space.child": "Керувати кімнатами в цьому просторі",
"m.room.history_visibility": "Змінити видимість історії",
"m.room.power_levels": "Змінити дозволи",
"m.room.topic_space": "Змінити опис",
"m.room.topic": "Змінити тему",
"m.room.tombstone": "Поліпшити кімнату",
"m.room.encryption": "Увімкнути шифрування кімнати",
"m.room.server_acl": "Змінити серверні права доступу",
"m.reaction": "Надсилати реакції",
"m.room.redaction": "Вилучити надіслані мною повідомлення",
"m.widget": "Змінити віджети",
"io.element.voice_broadcast_info": "Голосові трансляції",
"m.room.pinned_events": "Керувати закріпленими подіями",
"m.call": "Розпочати %(brand)s викликів",
"m.call.member": "Приєднатися до %(brand)s викликів",
"users_default": "Типова роль",
"events_default": "Надіслати повідомлення",
"invite": "Запросити користувачів",
"state_default": "Змінити налаштування",
"kick": "Вилучити користувачів",
"ban": "Блокування користувачів",
"redact": "Вилучити повідомлення надіслані іншими",
"notifications.room": "Сповістити всіх"
}
}
} }

View file

@ -2,7 +2,6 @@
"This email address is already in use": "Địa chỉ thư điện tử này đã được sử dụng", "This email address is already in use": "Địa chỉ thư điện tử này đã được sử dụng",
"This phone number is already in use": "Số điện thoại này đã được sử dụng", "This phone number is already in use": "Số điện thoại này đã được sử dụng",
"Failed to verify email address: make sure you clicked the link in the email": "Chưa xác nhận địa chỉ thư điện tử: hãy chắc chắn bạn đã nhấn vào liên kết trong thư", "Failed to verify email address: make sure you clicked the link in the email": "Chưa xác nhận địa chỉ thư điện tử: hãy chắc chắn bạn đã nhấn vào liên kết trong thư",
"Call Failed": "Không gọi được",
"You cannot place a call with yourself.": "Bạn không thể tự gọi chính mình.", "You cannot place a call with yourself.": "Bạn không thể tự gọi chính mình.",
"Permission Required": "Yêu cầu Cấp quyền", "Permission Required": "Yêu cầu Cấp quyền",
"You do not have permission to start a conference call in this room": "Bạn không có quyền để bắt đầu cuộc gọi nhóm trong phòng này", "You do not have permission to start a conference call in this room": "Bạn không có quyền để bắt đầu cuộc gọi nhóm trong phòng này",
@ -46,7 +45,6 @@
"Default": "Mặc định", "Default": "Mặc định",
"Restricted": "Bị hạn chế", "Restricted": "Bị hạn chế",
"Moderator": "Điều phối viên", "Moderator": "Điều phối viên",
"Admin": "Quản trị viên",
"Operation failed": "Tác vụ thất bại", "Operation failed": "Tác vụ thất bại",
"Failed to invite": "Không thể mời", "Failed to invite": "Không thể mời",
"You need to be logged in.": "Bạn phải đăng nhập.", "You need to be logged in.": "Bạn phải đăng nhập.",
@ -61,7 +59,6 @@
"Missing room_id in request": "Thiếu room_id khi yêu cầu", "Missing room_id in request": "Thiếu room_id khi yêu cầu",
"Room %(roomId)s not visible": "Phòng %(roomId)s không được hiển thị", "Room %(roomId)s not visible": "Phòng %(roomId)s không được hiển thị",
"Missing user_id in request": "Thiếu user_id khi yêu cầu", "Missing user_id in request": "Thiếu user_id khi yêu cầu",
"Usage": "Cách sử dụng",
"Ignored user": "Đã bỏ qua người dùng", "Ignored user": "Đã bỏ qua người dùng",
"You are now ignoring %(userId)s": "Bạn đã bỏ qua %(userId)s", "You are now ignoring %(userId)s": "Bạn đã bỏ qua %(userId)s",
"Unignored user": "Đã ngừng bỏ qua người dùng", "Unignored user": "Đã ngừng bỏ qua người dùng",
@ -136,17 +133,7 @@
"Explore rooms": "Khám phá các phòng", "Explore rooms": "Khám phá các phòng",
"Create Account": "Tạo tài khoản", "Create Account": "Tạo tài khoản",
"Vietnam": "Việt Nam", "Vietnam": "Việt Nam",
"Voice call": "Gọi thoại",
"%(senderName)s started a call": "%(senderName)s đã bắt đầu một cuộc gọi",
"You started a call": "Bạn bắt đầu một cuộc gọi",
"Call ended": "Cuộc gọi đã kết thúc",
"%(senderName)s ended the call": "%(senderName)s đã kết thúc cuộc gọi",
"You ended the call": "Bạn đã kết thúc cuộc gọi",
"Call in progress": "Cuộc gọi đang diễn ra",
"%(senderName)s joined the call": "%(senderName)s đã tham gia cuộc gọi",
"You joined the call": "Bạn đã tham gia cuộc gọi",
"Feedback": "Phản hồi", "Feedback": "Phản hồi",
"Video call": "Gọi video",
"This account has been deactivated.": "Tài khoản này đã bị vô hiệu hóa.", "This account has been deactivated.": "Tài khoản này đã bị vô hiệu hóa.",
"Secure messages with this user are end-to-end encrypted and not able to be read by third parties.": "Tin nhắn an toàn với người dùng này được mã hóa đầu cuối và không thể được các bên thứ ba đọc.", "Secure messages with this user are end-to-end encrypted and not able to be read by third parties.": "Tin nhắn an toàn với người dùng này được mã hóa đầu cuối và không thể được các bên thứ ba đọc.",
"You've successfully verified this user.": "Bạn đã xác thực thành công người dùng này.", "You've successfully verified this user.": "Bạn đã xác thực thành công người dùng này.",
@ -166,11 +153,6 @@
"Confirm adding email": "Xác nhận thêm địa chỉ thư điện tử", "Confirm adding email": "Xác nhận thêm địa chỉ thư điện tử",
"Add Phone Number": "Thêm Số Điện Thoại", "Add Phone Number": "Thêm Số Điện Thoại",
"Click the button below to confirm adding this phone number.": "Nhấn vào nút dưới đây để xác nhận thêm số điện thoại này.", "Click the button below to confirm adding this phone number.": "Nhấn vào nút dưới đây để xác nhận thêm số điện thoại này.",
"No other application is using the webcam": "Không có ứng dụng nào khác đang sử dụng máy ảnh",
"Permission is granted to use the webcam": "Đã cấp quyền cho ứng dụng để sử dụng máy ảnh",
"A microphone and webcam are plugged in and set up correctly": "Micrô và máy ảnh đã được cắm và thiết lập đúng cách",
"Call failed because webcam or microphone could not be accessed. Check that:": "Thực hiện cuộc gọi thất bại vì không thể truy cập máy ảnh hoặc micrô. Kiểm tra xem:",
"Unable to access webcam / microphone": "Không thể truy cập máy ảnh / micrô",
"The call could not be established": "Không thể khởi tạo cuộc gọi", "The call could not be established": "Không thể khởi tạo cuộc gọi",
"The user you called is busy.": "Người dùng bạn vừa gọi hiện đang bận.", "The user you called is busy.": "Người dùng bạn vừa gọi hiện đang bận.",
"User Busy": "Người dùng bận", "User Busy": "Người dùng bận",
@ -1122,7 +1104,6 @@
"Admin Tools": "Công cụ quản trị", "Admin Tools": "Công cụ quản trị",
"Could not revoke the invite. The server may be experiencing a temporary problem or you do not have sufficient permissions to revoke the invite.": "Không thể thu hồi lời mời. Máy chủ có thể đang gặp sự cố tạm thời hoặc bạn không có đủ quyền để thu hồi lời mời.", "Could not revoke the invite. The server may be experiencing a temporary problem or you do not have sufficient permissions to revoke the invite.": "Không thể thu hồi lời mời. Máy chủ có thể đang gặp sự cố tạm thời hoặc bạn không có đủ quyền để thu hồi lời mời.",
"Failed to revoke invite": "Không thể thu hồi lời mời", "Failed to revoke invite": "Không thể thu hồi lời mời",
"Stickerpack": "Gói nhãn dán",
"Add some now": "Thêm một số ngay bây giờ", "Add some now": "Thêm một số ngay bây giờ",
"You don't currently have any stickerpacks enabled": "Bạn hiện chưa bật bất kỳ gói nhãn dán nào", "You don't currently have any stickerpacks enabled": "Bạn hiện chưa bật bất kỳ gói nhãn dán nào",
"Failed to connect to integration manager": "Không kết nối được với trình quản lý tích hợp", "Failed to connect to integration manager": "Không kết nối được với trình quản lý tích hợp",
@ -1189,7 +1170,6 @@
"Empty room": "Phòng trống", "Empty room": "Phòng trống",
"Suggested Rooms": "Phòng được đề xuất", "Suggested Rooms": "Phòng được đề xuất",
"Historical": "Lịch sử", "Historical": "Lịch sử",
"System Alerts": "Cảnh báo hệ thống",
"Low priority": "Ưu tiên thấp", "Low priority": "Ưu tiên thấp",
"Explore public rooms": "Khám phá các phòng chung", "Explore public rooms": "Khám phá các phòng chung",
"You do not have permissions to add rooms to this space": "Bạn không có quyền thêm phòng vào space này", "You do not have permissions to add rooms to this space": "Bạn không có quyền thêm phòng vào space này",
@ -1254,19 +1234,7 @@
"More options": "Thêm tùy chọn", "More options": "Thêm tùy chọn",
"Send voice message": "Gửi tin nhắn thoại", "Send voice message": "Gửi tin nhắn thoại",
"Send a sticker": "Gửi nhãn dán", "Send a sticker": "Gửi nhãn dán",
"Send a message…": "Gửi tin nhắn…",
"Send an encrypted message…": "Gửi tin nhắn mã hóa…",
"Send a reply…": "Gửi trả lời…",
"Send an encrypted reply…": "Gửi câu trả lời mã hóa…",
"Reply to thread…": "Trả lời chủ đề…",
"Reply to encrypted thread…": "Trả lời chủ đề được mã hóa…",
"Create poll": "Tạo cuộc tham dò ý kiến", "Create poll": "Tạo cuộc tham dò ý kiến",
"Send message": "Gửi tin nhắn",
"Change main address for the space": "Đổi địa chỉ chính cho không gian",
"Change room name": "Thay đổi tên phòng",
"Change space name": "Thay đổi tên không gian",
"Change room avatar": "Thay đổi hình đại diện phòng",
"Change space avatar": "Đổi ảnh đại diện của không gian",
"An error occurred changing the user's power level. Ensure you have sufficient permissions and try again.": "Đã xảy ra lỗi khi thay đổi mức năng lượng của người dùng. Đảm bảo bạn có đủ quyền và thử lại.", "An error occurred changing the user's power level. Ensure you have sufficient permissions and try again.": "Đã xảy ra lỗi khi thay đổi mức năng lượng của người dùng. Đảm bảo bạn có đủ quyền và thử lại.",
"Error changing power level": "Lỗi khi thay đổi mức công suất", "Error changing power level": "Lỗi khi thay đổi mức công suất",
"An error occurred changing the room's power level requirements. Ensure you have sufficient permissions and try again.": "Đã xảy ra lỗi khi thay đổi yêu cầu mức công suất của phòng. Đảm bảo bạn có đủ quyền và thử lại.", "An error occurred changing the room's power level requirements. Ensure you have sufficient permissions and try again.": "Đã xảy ra lỗi khi thay đổi yêu cầu mức công suất của phòng. Đảm bảo bạn có đủ quyền và thử lại.",
@ -1301,9 +1269,7 @@
"No media permissions": "Không có quyền sử dụng công cụ truyền thông", "No media permissions": "Không có quyền sử dụng công cụ truyền thông",
"Default Device": "Thiết bị mặc định", "Default Device": "Thiết bị mặc định",
"Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "Người quản trị máy chủ của bạn đã vô hiệu hóa mã hóa đầu cuối theo mặc định trong phòng riêng và Tin nhắn trực tiếp.", "Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "Người quản trị máy chủ của bạn đã vô hiệu hóa mã hóa đầu cuối theo mặc định trong phòng riêng và Tin nhắn trực tiếp.",
"Cross-signing": "Xác thực chéo",
"Message search": "Tìm kiếm tin nhắn", "Message search": "Tìm kiếm tin nhắn",
"Secure Backup": "Sao lưu bảo mật",
"Reject all %(invitedRooms)s invites": "Từ chối tất cả lời mời từ %(invitedRooms)s", "Reject all %(invitedRooms)s invites": "Từ chối tất cả lời mời từ %(invitedRooms)s",
"Accept all %(invitedRooms)s invites": "Chấp nhận tất cả các lời mời từ %(invitedRooms)s", "Accept all %(invitedRooms)s invites": "Chấp nhận tất cả các lời mời từ %(invitedRooms)s",
"Bulk options": "Tùy chọn hàng loạt", "Bulk options": "Tùy chọn hàng loạt",
@ -1605,28 +1571,10 @@
"Verify this user by confirming the following emoji appear on their screen.": "Xác thực người dùng này bằng cách xác nhận biểu tượng cảm xúc sau xuất hiện trên màn hình của họ.", "Verify this user by confirming the following emoji appear on their screen.": "Xác thực người dùng này bằng cách xác nhận biểu tượng cảm xúc sau xuất hiện trên màn hình của họ.",
"Got It": "Hiểu rồi", "Got It": "Hiểu rồi",
"The other party cancelled the verification.": "Người kia đã hủy xác thực.", "The other party cancelled the verification.": "Người kia đã hủy xác thực.",
"%(name)s on hold": "%(name)s bị giữ",
"Return to call": "Quay về cuộc gọi",
"Hangup": "Dập máy",
"Mute the microphone": "Tắt tiếng micrô",
"Unmute the microphone": "Bật tiếng micrô",
"Dialpad": "Bàn phím số",
"More": "Thêm", "More": "Thêm",
"Show sidebar": "Hiển thị thanh bên", "Show sidebar": "Hiển thị thanh bên",
"Hide sidebar": "Ẩn thanh bên", "Hide sidebar": "Ẩn thanh bên",
"Start sharing your screen": "Bắt đầu chia sẻ màn hình của bạn",
"Stop sharing your screen": "Dừng chia sẻ màn hình của bạn",
"Stop the camera": "Dừng máy ảnh",
"Start the camera": "Khởi động máy ảnh",
"Your camera is still enabled": "Camera của bạn vẫn đang được bật",
"Your camera is turned off": "Camera của bạn đã tắt",
"%(sharerName)s is presenting": "%(sharerName)s đang trình bày",
"You are presenting": "Bạn đang trình bày",
"Connecting": "Đang kết nối", "Connecting": "Đang kết nối",
"%(peerName)s held the call": "%(peerName)s đã tổ chức cuộc gọi",
"You held the call <a>Resume</a>": "Bạn đã tổ chức cuộc gọi <a>Resume</a>",
"You held the call <a>Switch</a>": "Bạn đã tổ chức cuộc gọi <a>Switch</a>",
"Consulting with %(transferTarget)s. <a>Transfer to %(transferee)s</a>": "Tư vấn với %(transferTarget)s. <a>Transfer to %(transferee)s</a>",
"unknown person": "người không rõ", "unknown person": "người không rõ",
"sends space invaders": "gửi những kẻ xâm lược space", "sends space invaders": "gửi những kẻ xâm lược space",
"Sends the given message with a space themed effect": "Gửi tin nhắn đã soạn với hiệu ứng theo chủ đề space", "Sends the given message with a space themed effect": "Gửi tin nhắn đã soạn với hiệu ứng theo chủ đề space",
@ -1732,27 +1680,7 @@
"Muted Users": "Người dùng bị tắt tiếng", "Muted Users": "Người dùng bị tắt tiếng",
"Privileged Users": "Người dùng đặc quyền", "Privileged Users": "Người dùng đặc quyền",
"No users have specific privileges in this room": "Không có người dùng nào có đặc quyền cụ thể trong phòng này", "No users have specific privileges in this room": "Không có người dùng nào có đặc quyền cụ thể trong phòng này",
"Notify everyone": "Thông báo mọi người",
"Remove messages sent by others": "Xóa tin nhắn gửi bởi người khác",
"Ban users": "Cấm người dùng",
"Change settings": "Thay đổi thiết lập",
"Invite users": "Mời người dùng",
"Send messages": "Gửi tin nhắn",
"Default role": "Vai trò mặc định",
"Modify widgets": "Thay đổi widget",
"Change server ACLs": "Thay đổi ACL máy chủ",
"Enable room encryption": "Bật mã hóa phòng chat",
"Upgrade the room": "Nâng cấp phòng",
"Change topic": "Thay đổi chủ đề",
"Change description": "Thay đổi mô tả",
"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",
"Waiting for response from server": "Đang chờ phản hồi từ máy chủ", "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ý",
"Collecting logs": "Thu thập nhật ký",
"Collecting app version information": "Thu thập thông tin phiên bản ứng dụng",
"Developer mode": "Chế độ nhà phát triển", "Developer mode": "Chế độ nhà phát triển",
"IRC display name width": "Chiều rộng tên hiển thị IRC", "IRC display name width": "Chiều rộng tên hiển thị IRC",
"Manually verify all remote sessions": "Xác thực thủ công tất cả các phiên từ xa", "Manually verify all remote sessions": "Xác thực thủ công tất cả các phiên từ xa",
@ -1773,9 +1701,6 @@
"Your homeserver has exceeded its user limit.": "Máy chủ của bạn đã vượt quá giới hạn người dùng của nó.", "Your homeserver has exceeded its user limit.": "Máy chủ của bạn đã vượt quá giới hạn người dùng của nó.",
"Use app": "Sử dụng ứng dụng", "Use app": "Sử dụng ứng dụng",
"Use app for a better experience": "Sử dụng ứng dụng để có trải nghiệm tốt hơn", "Use app for a better experience": "Sử dụng ứng dụng để có trải nghiệm tốt hơn",
"Silence call": "Cuộc gọi im lặng",
"Sound on": "Bật âm thanh",
"Unknown caller": "Người gọi không xác định",
"Enable desktop notifications": "Bật thông báo trên màn hình", "Enable desktop notifications": "Bật thông báo trên màn hình",
"Notifications": "Thông báo", "Notifications": "Thông báo",
"Don't miss a reply": "Đừng bỏ lỡ một câu trả lời", "Don't miss a reply": "Đừng bỏ lỡ một câu trả lời",
@ -2003,11 +1928,6 @@
"Use an identity server to invite by email. Manage in Settings.": "Sử dụng máy chủ định danh để mời qua thư điện tử. Quản lý trong Cài đặt.", "Use an identity server to invite by email. Manage in Settings.": "Sử dụng máy chủ định danh để mời qua thư điện tử. Quản lý trong Cài đặt.",
"Use an identity server": "Sử dụng máy chủ định danh", "Use an identity server": "Sử dụng máy chủ định danh",
"Command error": "Lỗi lệnh", "Command error": "Lỗi lệnh",
"Other": "Khác",
"Effects": "Hiệu ứng",
"Advanced": "Nâng cao",
"Actions": "Hành động",
"Messages": "Tin nhắn",
"Setting up keys": "Đang thiết lập khóa bảo mật", "Setting up keys": "Đang thiết lập khóa bảo mật",
"Are you sure you want to cancel entering passphrase?": "Bạn có chắc chắn muốn hủy nhập cụm mật khẩu không?", "Are you sure you want to cancel entering passphrase?": "Bạn có chắc chắn muốn hủy nhập cụm mật khẩu không?",
"Cancel entering passphrase?": "Hủy nhập cụm mật khẩu?", "Cancel entering passphrase?": "Hủy nhập cụm mật khẩu?",
@ -2177,11 +2097,6 @@
"Use custom size": "Sử dụng kích thước tùy chỉnh", "Use custom size": "Sử dụng kích thước tùy chỉnh",
"Font size": "Cỡ chữ", "Font size": "Cỡ chữ",
"Change notification settings": "Thay đổi cài đặt thông báo", "Change notification settings": "Thay đổi cài đặt thông báo",
"%(senderName)s: %(stickerName)s": "%(senderName)s: %(stickerName)s",
"%(senderName)s: %(message)s": "%(senderName)s: %(message)s",
"* %(senderName)s %(emote)s": "* %(senderName)s %(emote)s",
"%(senderName)s is calling": "%(senderName)s đang gọi",
"Waiting for answer": "Chờ câu trả lời",
"New version of %(brand)s is available": "Đã có phiên bản mới của %(brand)s", "New version of %(brand)s is available": "Đã có phiên bản mới của %(brand)s",
"Update %(brand)s": "Cập nhật %(brand)s", "Update %(brand)s": "Cập nhật %(brand)s",
"Guinea": "Guinea", "Guinea": "Guinea",
@ -2293,10 +2208,6 @@
"Unable to look up phone number": "Không thể tra cứu số điện thoại", "Unable to look up phone number": "Không thể tra cứu số điện thoại",
"You've reached the maximum number of simultaneous calls.": "Bạn đã đạt đến số lượng cuộc gọi đồng thời tối đa.", "You've reached the maximum number of simultaneous calls.": "Bạn đã đạt đến số lượng cuộc gọi đồng thời tối đa.",
"Too Many Calls": "Quá nhiều cuộc gọi", "Too Many Calls": "Quá nhiều cuộc gọi",
"You're already in a call with this person.": "Bạn đang trong cuộc gọi với người này rồi.",
"Already in call": "Đang trong cuộc gọi",
"Call failed because microphone could not be accessed. Check that a microphone is plugged in and set up correctly.": "Thực hiện cuộc gọi thất bại vì không thể truy cập micrô. Kiểm tra xem micrô đã được cắm và thiết lập đúng chưa.",
"Unable to access microphone": "Không thể truy cập micrô",
"Please ask the administrator of your homeserver (<code>%(homeserverDomain)s</code>) to configure a TURN server in order for calls to work reliably.": "Vui lòng yêu cầu quản trị viên máy chủ của bạn (<code>%(homeserverDomain)s</code>) thiết lập máy chủ TURN để cuộc gọi hoạt động ổn định.", "Please ask the administrator of your homeserver (<code>%(homeserverDomain)s</code>) to configure a TURN server in order for calls to work reliably.": "Vui lòng yêu cầu quản trị viên máy chủ của bạn (<code>%(homeserverDomain)s</code>) thiết lập máy chủ TURN để cuộc gọi hoạt động ổn định.",
"Call failed due to misconfigured server": "Thực hiện cuộc gọi thất bại do thiết lập máy chủ sai", "Call failed due to misconfigured server": "Thực hiện cuộc gọi thất bại do thiết lập máy chủ sai",
"The call was answered on another device.": "Cuộc gọi đã được trả lời trên một thiết bị khác.", "The call was answered on another device.": "Cuộc gọi đã được trả lời trên một thiết bị khác.",
@ -2412,8 +2323,6 @@
"You do not have permission to start polls in this room.": "Bạn không có quyền để bắt đầu các cuộc thăm dò trong phòng này.", "You do not have permission to start polls in this room.": "Bạn không có quyền để bắt đầu các cuộc thăm dò trong phòng này.",
"Share location": "Chia sẻ vị trí", "Share location": "Chia sẻ vị trí",
"Reply in thread": "Trả lời theo chủ đề", "Reply in thread": "Trả lời theo chủ đề",
"Manage pinned events": "Quản lý các sự kiện được ghim",
"Manage rooms in this space": "Quản lý các phòng trong space này",
"You won't get any notifications": "Bạn sẽ không nhận bất kỳ thông báo nào", "You won't get any notifications": "Bạn sẽ không nhận bất kỳ thông báo nào",
"Get notified only with mentions and keywords as set up in your <a>settings</a>": "Chỉ nhận thông báo với các đề cập và từ khóa được thiết lập trong <a>cài đặt</a> của bạn", "Get notified only with mentions and keywords as set up in your <a>settings</a>": "Chỉ nhận thông báo với các đề cập và từ khóa được thiết lập trong <a>cài đặt</a> của bạn",
"@mentions & keywords": "@đề cập & từ khóa", "@mentions & keywords": "@đề cập & từ khóa",
@ -2471,8 +2380,6 @@
}, },
"You cannot place calls without a connection to the server.": "Bạn không thể gọi khi không có kết nối tới máy chủ.", "You cannot place calls without a connection to the server.": "Bạn không thể gọi khi không có kết nối tới máy chủ.",
"Connectivity to the server has been lost": "Mất kết nối đến máy chủ", "Connectivity to the server has been lost": "Mất kết nối đến máy chủ",
"You cannot place calls in this browser.": "Bạn không thể gọi trong trình duyệt này.",
"Calls are unsupported": "Không hỗ trợ tính năng cuộc gọi",
"Your new device is now verified. Other users will see it as trusted.": "Thiết bị mới của bạn hiện đã được xác thực. Các người dùng khác sẽ thấy nó đáng tin cậy.", "Your new device is now verified. Other users will see it as trusted.": "Thiết bị mới của bạn hiện đã được xác thực. Các người dùng khác sẽ thấy nó đáng tin cậy.",
"Your new device is now verified. It has access to your encrypted messages, and other users will see it as trusted.": "Thiết bị mới của bạn hiện đã được xác thực. Nó có quyền truy cập vào các tin nhắn bảo mật của bạn, và các người dùng khác sẽ thấy nó đáng tin cậy.", "Your new device is now verified. It has access to your encrypted messages, and other users will see it as trusted.": "Thiết bị mới của bạn hiện đã được xác thực. Nó có quyền truy cập vào các tin nhắn bảo mật của bạn, và các người dùng khác sẽ thấy nó đáng tin cậy.",
"Verify with another device": "Xác thực bằng thiết bị khác", "Verify with another device": "Xác thực bằng thiết bị khác",
@ -2518,7 +2425,6 @@
"Waiting for you to verify on your other device, %(deviceName)s (%(deviceId)s)…": "Đang chờ bạn xác thực trên thiết bị khác của bạn, %(deviceName)s (%(deviceId)s)…", "Waiting for you to verify on your other device, %(deviceName)s (%(deviceId)s)…": "Đang chờ bạn xác thực trên thiết bị khác của bạn, %(deviceName)s (%(deviceId)s)…",
"Verify this device by confirming the following number appears on its screen.": "Xác thực thiết bị này bằng việc xác nhận số sau đây xuất hiện trên màn hình của nó.", "Verify this device by confirming the following number appears on its screen.": "Xác thực thiết bị này bằng việc xác nhận số sau đây xuất hiện trên màn hình của nó.",
"Confirm the emoji below are displayed on both devices, in the same order:": "Xác nhận biểu tượng cảm xúc bên dưới được hiển thị trên cả hai thiết bị, theo cùng một thứ tự:", "Confirm the emoji below are displayed on both devices, in the same order:": "Xác nhận biểu tượng cảm xúc bên dưới được hiển thị trên cả hai thiết bị, theo cùng một thứ tự:",
"Dial": "Quay số",
"Back to thread": "Quay lại luồng", "Back to thread": "Quay lại luồng",
"Room members": "Thành viên phòng", "Room members": "Thành viên phòng",
"Back to chat": "Quay lại trò chuyện", "Back to chat": "Quay lại trò chuyện",
@ -2618,9 +2524,6 @@
"Sign out of all other sessions (%(otherSessionsCount)s)": "Đăng xuất khỏi mọi phiên khác (%(otherSessionsCount)s)", "Sign out of all other sessions (%(otherSessionsCount)s)": "Đăng xuất khỏi mọi phiên khác (%(otherSessionsCount)s)",
"You do not have sufficient permissions to change this.": "Bạn không có đủ quyền để thay đổi cái này.", "You do not have sufficient permissions to change this.": "Bạn không có đủ quyền để thay đổi cái này.",
"<b>It's not recommended to add encryption to public rooms.</b> Anyone can find and join public rooms, so anyone can read messages in them. You'll get none of the benefits of encryption, and you won't be able to turn it off later. Encrypting messages in a public room will make receiving and sending messages slower.": "<b>Không nên bật mã hóa cho các phòng công cộng.</b> Bất kỳ ai cũng có thể tìm và tham gia các phòng công cộng, nên họ có thể đọc các tin nhắn. Bạn sẽ không có được lợi ích của mã hóa, và bạn không thể tắt mã hóa sau này. Mã hóa tin nhắn ở phòng công cộng khiến cho nhận gửi tin nhắn chậm hơn.", "<b>It's not recommended to add encryption to public rooms.</b> Anyone can find and join public rooms, so anyone can read messages in them. You'll get none of the benefits of encryption, and you won't be able to turn it off later. Encrypting messages in a public room will make receiving and sending messages slower.": "<b>Không nên bật mã hóa cho các phòng công cộng.</b> Bất kỳ ai cũng có thể tìm và tham gia các phòng công cộng, nên họ có thể đọc các tin nhắn. Bạn sẽ không có được lợi ích của mã hóa, và bạn không thể tắt mã hóa sau này. Mã hóa tin nhắn ở phòng công cộng khiến cho nhận gửi tin nhắn chậm hơn.",
"Remove users": "Loại bỏ người dùng",
"Remove messages sent by me": "Xóa các tin nhắn của tôi",
"Send reactions": "Gửi phản hồi",
"Connection": "Kết nối", "Connection": "Kết nối",
"Voice processing": "Xử lý âm thanh", "Voice processing": "Xử lý âm thanh",
"Video settings": "Cài đặt truyền hình", "Video settings": "Cài đặt truyền hình",
@ -2653,11 +2556,6 @@
"one": "%(count)s người đã tham gia", "one": "%(count)s người đã tham gia",
"other": "%(count)s người đã tham gia" "other": "%(count)s người đã tham gia"
}, },
"Turn on camera": "Bật máy ghi hình",
"Turn off camera": "Tắt máy ghi hình",
"Video devices": "Thiết bị ghi hình",
"Unmute microphone": "Mở âm micrô",
"Mute microphone": "Tắt âm micrô",
"Download %(brand)s": "Tải xuống %(brand)s", "Download %(brand)s": "Tải xuống %(brand)s",
"Sorry — this call is currently full": "Xin lỗi — cuộc gọi này đang đầy", "Sorry — this call is currently full": "Xin lỗi — cuộc gọi này đang đầy",
"Can currently only be enabled via config.json": "Hiện chỉ có thể bật bằng tập tin cấu hình config.json", "Can currently only be enabled via config.json": "Hiện chỉ có thể bật bằng tập tin cấu hình config.json",
@ -2665,7 +2563,6 @@
"Unverified sessions are sessions that have logged in with your credentials but have not been cross-verified.": "Các phiên chưa được xác thực là các phiên đăng nhập bằng thông tin đăng nhập nhưng chưa được xác thực chéo.", "Unverified sessions are sessions that have logged in with your credentials but have not been cross-verified.": "Các phiên chưa được xác thực là các phiên đăng nhập bằng thông tin đăng nhập nhưng chưa được xác thực chéo.",
"Secure Backup successful": "Sao lưu bảo mật thành công", "Secure Backup successful": "Sao lưu bảo mật thành công",
"%(senderName)s ended a <a>voice broadcast</a>": "%(senderName)s đã kết thúc một <a>cuộc phát thanh</a>", "%(senderName)s ended a <a>voice broadcast</a>": "%(senderName)s đã kết thúc một <a>cuộc phát thanh</a>",
"Audio devices": "Thiết bị âm thanh",
"Log out and back in to disable": "Đăng xuất và đăng nhập lại để vô hiệu hóa", "Log out and back in to disable": "Đăng xuất và đăng nhập lại để vô hiệu hóa",
"Requires compatible homeserver.": "Cần máy chủ nhà tương thích.", "Requires compatible homeserver.": "Cần máy chủ nhà tương thích.",
"Low bandwidth mode": "Chế độ băng thông thấp", "Low bandwidth mode": "Chế độ băng thông thấp",
@ -2694,9 +2591,7 @@
"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!", "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", "30s forward": "30 giây kế tiếp",
"30s backward": "30 giây trước", "30s backward": "30 giây trước",
"You reacted %(reaction)s to %(message)s": "Bạn phản ứng %(reaction)s với %(message)s",
"If you know a room address, try joining through that instead.": "Nếu bạn biết địa chỉ phòng, hãy dùng nó để tham gia.", "If you know a room address, try joining through that instead.": "Nếu bạn biết địa chỉ phòng, hãy dùng nó để tham gia.",
"Video call started": "Cuộc gọi truyền hình đã bắt đầu",
"Unknown room": "Phòng không xác định", "Unknown room": "Phòng không xác định",
"Starting export process…": "Bắt đầu trích xuất…", "Starting export process…": "Bắt đầu trích xuất…",
"Yes, stop broadcast": "Đúng rồi, dừng phát thanh", "Yes, stop broadcast": "Đúng rồi, dừng phát thanh",
@ -2721,7 +2616,6 @@
"Match system": "Theo hệ thống", "Match system": "Theo hệ thống",
"Search users in this room…": "Tìm người trong phòng…", "Search users in this room…": "Tìm người trong phòng…",
"Give one or multiple users in this room more privileges": "Cho người trong phòng này nhiều quyền hơn", "Give one or multiple users in this room more privileges": "Cho người trong phòng này nhiều quyền hơn",
"Fill screen": "Vừa màn hình",
"Show polls button": "Hiện nút thăm dò ý kiến", "Show polls button": "Hiện nút thăm dò ý kiến",
"Unsent": "Chưa gửi", "Unsent": "Chưa gửi",
"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.", "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.",
@ -2742,17 +2636,14 @@
"What's next for %(brand)s? Labs are the best way to get things early, test out new features and help shape them before they actually launch.": "Những gì sắp đến với %(brand)s? Phòng thí điểm là nơi tốt nhất để có mọi thứ sớm, thử nghiệm tính năng mới và giúp hoàn thiện trước khi chúng thực sự ra mắt.", "What's next for %(brand)s? Labs are the best way to get things early, test out new features and help shape them before they actually launch.": "Những gì sắp đến với %(brand)s? Phòng thí điểm là nơi tốt nhất để có mọi thứ sớm, thử nghiệm tính năng mới và giúp hoàn thiện trước khi chúng thực sự ra mắt.",
"Upgrade this space to the recommended room version": "Nâng cấp phòng tới phiên bản được khuyến nghị", "Upgrade this space to the recommended room version": "Nâng cấp phòng tới phiên bản được khuyến nghị",
"View older version of %(spaceName)s.": "Xem phiên bản cũ của %(spaceName)s.", "View older version of %(spaceName)s.": "Xem phiên bản cũ của %(spaceName)s.",
"Start %(brand)s calls": "Bắt đầu %(brand)s cuộc gọi",
"play voice broadcast": "nghe phát thanh", "play voice broadcast": "nghe phát thanh",
"Automatically adjust the microphone volume": "Tự điều chỉnh âm lượng cho micrô", "Automatically adjust the microphone volume": "Tự điều chỉnh âm lượng cho micrô",
"Enable notifications for this account": "Bật thông báo cho tài khoản này", "Enable notifications for this account": "Bật thông báo cho tài khoản này",
"Unable to play this voice broadcast": "Không thể nghe phát thanh", "Unable to play this voice broadcast": "Không thể nghe phát thanh",
"%(sender)s reacted %(reaction)s to %(message)s": "%(sender)s phản ứng %(reaction)s với %(message)s",
"Your server doesn't support disabling sending read receipts.": "Máy chủ của bạn không hỗ trợ tắt gửi thông báo đã học.", "Your server doesn't support disabling sending read receipts.": "Máy chủ của bạn không hỗ trợ tắt gửi thông báo đã học.",
"Only applies if your homeserver does not offer one. Your IP address would be shared during a call.": "Chỉ áp dụng nếu máy chủ nhà của bạn không cung cấp. Địa chỉ Internet (IP) của bạn có thể được chia sẻ trong một cuộc gọi.", "Only applies if your homeserver does not offer one. Your IP address would be shared during a call.": "Chỉ áp dụng nếu máy chủ nhà của bạn không cung cấp. Địa chỉ Internet (IP) của bạn có thể được chia sẻ trong một cuộc gọi.",
"Enable notifications for this device": "Bật thông báo cho thiết bị này", "Enable notifications for this device": "Bật thông báo cho thiết bị này",
"An error occurred when updating your notification preferences. Please try to toggle your option again.": "Một lỗi đã xảy ra khi cập nhật tùy chọn thông báo của bạn. Hãy thử làm lại.", "An error occurred when updating your notification preferences. Please try to toggle your option again.": "Một lỗi đã xảy ra khi cập nhật tùy chọn thông báo của bạn. Hãy thử làm lại.",
"Join %(brand)s calls": "Tham gia %(brand)s cuộc gọi",
"Some results may be hidden for privacy": "Một số kết quả có thể bị ẩn để đảm bảo quyền riêng tư", "Some results may be hidden for privacy": "Một số kết quả có thể bị ẩn để đảm bảo quyền riêng tư",
"Turn off to disable notifications on all your devices and sessions": "Tắt để vô hiệu thông bao trên tất cả các thiết bị và phiên", "Turn off to disable notifications on all your devices and sessions": "Tắt để vô hiệu thông bao trên tất cả các thiết bị và phiên",
"Automatically send debug logs on decryption errors": "Tự động gửi nhật ký gỡ lỗi mỗi lúc gặp lỗi khi giải mã", "Automatically send debug logs on decryption errors": "Tự động gửi nhật ký gỡ lỗi mỗi lúc gặp lỗi khi giải mã",
@ -2892,7 +2783,6 @@
"All": "Tất cả", "All": "Tất cả",
"Not ready for secure messaging": "Không sẵn sàng nhắn tin bảo mật", "Not ready for secure messaging": "Không sẵn sàng nhắn tin bảo mật",
"Encrypting your message…": "Đang mã hóa tin nhắn…", "Encrypting your message…": "Đang mã hóa tin nhắn…",
"Voice broadcasts": "Phát thanh",
"Inactive": "Không hoạt động", "Inactive": "Không hoạt động",
"Sending your message…": "Đang gửi tin nhắn…", "Sending your message…": "Đang gửi tin nhắn…",
"This message could not be decrypted": "Không giải mã được tin nhắn", "This message could not be decrypted": "Không giải mã được tin nhắn",
@ -2942,7 +2832,6 @@
"Live": "Trực tiếp", "Live": "Trực tiếp",
"Listen to live broadcast?": "Nghe phát thanh trực tiếp không?", "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.", "%(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",
"Developer command: Discards the current outbound group session and sets up new Olm sessions": "Lệnh cho nhà phát triển: Hủy phiên ra ngoài hiện tại của nhóm và thiết lập phiên Olm mới", "Developer command: Discards the current outbound group session and sets up new Olm sessions": "Lệnh cho nhà phát triển: Hủy phiên ra ngoài hiện tại của nhóm và thiết lập phiên Olm mới",
"All messages and invites from this user will be hidden. Are you sure you want to ignore them?": "Toàn bộ tin nhắn và lời mời từ người dùng này sẽ bị ẩn. Bạn có muốn tảng lờ người dùng?", "All messages and invites from this user will be hidden. Are you sure you want to ignore them?": "Toàn bộ tin nhắn và lời mời từ người dùng này sẽ bị ẩn. Bạn có muốn tảng lờ người dùng?",
"Unable to create room with moderation bot": "Không thể tạo phòng với bot điều phối", "Unable to create room with moderation bot": "Không thể tạo phòng với bot điều phối",
@ -3179,7 +3068,11 @@
"not_trusted": "Không đáng 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_room": "Phòng Không tên",
"unnamed_space": "space không tên" "unnamed_space": "space không tên",
"stickerpack": "Gói nhãn dán",
"system_alerts": "Cảnh báo hệ thống",
"secure_backup": "Sao lưu bảo mật",
"cross_signing": "Xác thực chéo"
}, },
"action": { "action": {
"continue": "Tiếp tục", "continue": "Tiếp tục",
@ -3352,7 +3245,14 @@
"format_ordered_list": "Danh sách đánh số", "format_ordered_list": "Danh sách đánh số",
"format_inline_code": "Mã", "format_inline_code": "Mã",
"format_code_block": "Khối mã", "format_code_block": "Khối mã",
"format_link": "Liên kết" "format_link": "Liên kết",
"send_button_title": "Gửi tin nhắn",
"placeholder_thread_encrypted": "Trả lời chủ đề được mã hóa…",
"placeholder_thread": "Trả lời chủ đề…",
"placeholder_reply_encrypted": "Gửi câu trả lời mã hóa…",
"placeholder_reply": "Gửi trả lời…",
"placeholder_encrypted": "Gửi tin nhắn mã hóa…",
"placeholder": "Gửi tin nhắn…"
}, },
"Bold": "In đậm", "Bold": "In đậm",
"Link": "Liên kết", "Link": "Liên kết",
@ -3375,7 +3275,11 @@
"send_logs": "Gửi nhật ký", "send_logs": "Gửi nhật ký",
"github_issue": "Sự cố GitHub", "github_issue": "Sự cố GitHub",
"download_logs": "Tải xuống nhật ký", "download_logs": "Tải xuống nhật ký",
"before_submitting": "Trước khi gửi log, bạn phải <a>tạo một sự cố trên Github</a> để mô tả vấn đề của mình." "before_submitting": "Trước khi gửi log, bạn phải <a>tạo một sự cố trên Github</a> để mô tả vấn đề của mình.",
"collecting_information": "Thu thập thông tin phiên bản ứng dụng",
"collecting_logs": "Thu thập nhật ký",
"uploading_logs": "Tải lên nhật ký",
"downloading_logs": "Đang tải nhật ký xuống"
}, },
"time": { "time": {
"hours_minutes_seconds_left": "Còn lại %(hours)s giờ %(minutes)s phút %(seconds)s giây", "hours_minutes_seconds_left": "Còn lại %(hours)s giờ %(minutes)s phút %(seconds)s giây",
@ -3542,7 +3446,9 @@
"toolbox": "Hộp công cụ", "toolbox": "Hộp công cụ",
"developer_tools": "Những công cụ phát triển", "developer_tools": "Những công cụ phát triển",
"room_id": "Định danh phòng: %(roomId)s", "room_id": "Định danh phòng: %(roomId)s",
"event_id": "Định danh (ID) sự kiện: %(eventId)s" "event_id": "Định danh (ID) sự kiện: %(eventId)s",
"category_room": "Phòng",
"category_other": "Khác"
}, },
"export_chat": { "export_chat": {
"html": "HTML", "html": "HTML",
@ -3700,6 +3606,9 @@
"other": "%(names)s và %(count)s người khác đang gõ …", "other": "%(names)s và %(count)s người khác đang gõ …",
"one": "%(names)s và một người khác đang gõ …" "one": "%(names)s và một người khác đang gõ …"
} }
},
"m.call.hangup": {
"dm": "Cuộc gọi đã kết thúc"
} }
}, },
"slash_command": { "slash_command": {
@ -3736,7 +3645,14 @@
"help": "Hiển thị danh sách các lệnh với cách sử dụng và mô tả", "help": "Hiển thị danh sách các lệnh với cách sử dụng và mô tả",
"whois": "Hiển thị thông tin về người dùng", "whois": "Hiển thị thông tin về người dùng",
"rageshake": "Gửi báo cáo lỗi kèm theo nhật ký", "rageshake": "Gửi báo cáo lỗi kèm theo nhật ký",
"msg": "Gửi tin nhắn cho người dùng nhất định" "msg": "Gửi tin nhắn cho người dùng nhất định",
"usage": "Cách sử dụng",
"category_messages": "Tin nhắn",
"category_actions": "Hành động",
"category_admin": "Quản trị viên",
"category_advanced": "Nâng cao",
"category_effects": "Hiệu ứng",
"category_other": "Khác"
}, },
"presence": { "presence": {
"busy": "Bận", "busy": "Bận",
@ -3750,5 +3666,108 @@
"offline": "Ngoại tuyến", "offline": "Ngoại tuyến",
"away": "Vắng mặt" "away": "Vắng mặt"
}, },
"Unknown": "Không xác định" "Unknown": "Không xác định",
"event_preview": {
"m.call.answer": {
"you": "Bạn đã tham gia cuộc gọi",
"user": "%(senderName)s đã tham gia cuộc gọi",
"dm": "Cuộc gọi đang diễn ra"
},
"m.call.hangup": {
"you": "Bạn đã kết thúc cuộc gọi",
"user": "%(senderName)s đã kết thúc cuộc gọi"
},
"m.call.invite": {
"you": "Bạn bắt đầu một cuộc gọi",
"user": "%(senderName)s đã bắt đầu một cuộc gọi",
"dm_send": "Chờ câu trả lời",
"dm_receive": "%(senderName)s đang gọi"
},
"m.emote": "* %(senderName)s %(emote)s",
"m.text": "%(senderName)s: %(message)s",
"m.reaction": {
"you": "Bạn phản ứng %(reaction)s với %(message)s",
"user": "%(sender)s phản ứng %(reaction)s với %(message)s"
},
"m.sticker": "%(senderName)s: %(stickerName)s"
},
"voip": {
"disable_microphone": "Tắt âm micrô",
"enable_microphone": "Mở âm micrô",
"disable_camera": "Tắt máy ghi hình",
"enable_camera": "Bật máy ghi hình",
"audio_devices": "Thiết bị âm thanh",
"video_devices": "Thiết bị ghi hình",
"dial": "Quay số",
"you_are_presenting": "Bạn đang trình bày",
"user_is_presenting": "%(sharerName)s đang trình bày",
"camera_disabled": "Camera của bạn đã tắt",
"camera_enabled": "Camera của bạn vẫn đang được bật",
"consulting": "Tư vấn với %(transferTarget)s. <a>Transfer to %(transferee)s</a>",
"call_held_switch": "Bạn đã tổ chức cuộc gọi <a>Switch</a>",
"call_held_resume": "Bạn đã tổ chức cuộc gọi <a>Resume</a>",
"call_held": "%(peerName)s đã tổ chức cuộc gọi",
"dialpad": "Bàn phím số",
"stop_screenshare": "Dừng chia sẻ màn hình của bạn",
"start_screenshare": "Bắt đầu chia sẻ màn hình của bạn",
"hangup": "Dập máy",
"maximise": "Vừa màn hình",
"expand": "Quay về cuộc gọi",
"on_hold": "%(name)s bị giữ",
"voice_call": "Gọi thoại",
"video_call": "Gọi video",
"video_call_started": "Cuộc gọi truyền hình đã bắt đầu",
"unsilence": "Bật âm thanh",
"silence": "Cuộc gọi im lặng",
"silenced": "Thông báo đã được tắt tiếng",
"unknown_caller": "Người gọi không xác định",
"call_failed": "Không gọi được",
"unable_to_access_microphone": "Không thể truy cập micrô",
"call_failed_microphone": "Thực hiện cuộc gọi thất bại vì không thể truy cập micrô. Kiểm tra xem micrô đã được cắm và thiết lập đúng chưa.",
"unable_to_access_media": "Không thể truy cập máy ảnh / micrô",
"call_failed_media": "Thực hiện cuộc gọi thất bại vì không thể truy cập máy ảnh hoặc micrô. Kiểm tra xem:",
"call_failed_media_connected": "Micrô và máy ảnh đã được cắm và thiết lập đúng cách",
"call_failed_media_permissions": "Đã cấp quyền cho ứng dụng để sử dụng máy ảnh",
"call_failed_media_applications": "Không có ứng dụng nào khác đang sử dụng máy ảnh",
"already_in_call": "Đang trong cuộc gọi",
"already_in_call_person": "Bạn đang trong cuộc gọi với người này rồi.",
"unsupported": "Không hỗ trợ tính năng cuộc gọi",
"unsupported_browser": "Bạn không thể gọi trong trình duyệt này."
},
"Messages": "Tin nhắn",
"Other": "Khác",
"Advanced": "Nâng cao",
"room_settings": {
"permissions": {
"m.room.avatar_space": "Đổi ảnh đại diện của không gian",
"m.room.avatar": "Thay đổi hình đại diện phòng",
"m.room.name_space": "Thay đổi tên không gian",
"m.room.name": "Thay đổi tên phòng",
"m.room.canonical_alias_space": "Đổi địa chỉ chính cho không gian",
"m.room.canonical_alias": "Thay đổi địa chỉ chính của phòng",
"m.space.child": "Quản lý các phòng trong space này",
"m.room.history_visibility": "Thay đổi xem lịch sử phòng",
"m.room.power_levels": "Thay đổi quyền hạn",
"m.room.topic_space": "Thay đổi mô tả",
"m.room.topic": "Thay đổi chủ đề",
"m.room.tombstone": "Nâng cấp phòng",
"m.room.encryption": "Bật mã hóa phòng chat",
"m.room.server_acl": "Thay đổi ACL máy chủ",
"m.reaction": "Gửi phản hồi",
"m.room.redaction": "Xóa các tin nhắn của tôi",
"m.widget": "Thay đổi widget",
"io.element.voice_broadcast_info": "Phát thanh",
"m.room.pinned_events": "Quản lý các sự kiện được ghim",
"m.call": "Bắt đầu %(brand)s cuộc gọi",
"m.call.member": "Tham gia %(brand)s cuộc gọi",
"users_default": "Vai trò mặc định",
"events_default": "Gửi tin nhắn",
"invite": "Mời người dùng",
"state_default": "Thay đổi thiết lập",
"kick": "Loại bỏ người dùng",
"ban": "Cấm người dùng",
"redact": "Xóa tin nhắn gửi bởi người khác",
"notifications.room": "Thông báo mọi người"
}
}
} }

View file

@ -2,7 +2,6 @@
"This email address is already in use": "Dat e-mailadresse hier es al in gebruuk", "This email address is already in use": "Dat e-mailadresse hier es al in gebruuk",
"This phone number is already in use": "Dezen telefongnumero es al in gebruuk", "This phone number is already in use": "Dezen telefongnumero es al in gebruuk",
"Failed to verify email address: make sure you clicked the link in the email": "Kostege t e-mailadresse nie verifieern: zorgt dervoor da je de koppelienge in den e-mail èt angeklikt", "Failed to verify email address: make sure you clicked the link in the email": "Kostege t e-mailadresse nie verifieern: zorgt dervoor da je de koppelienge in den e-mail èt angeklikt",
"Call Failed": "Iproep mislukt",
"You cannot place a call with yourself.": "Jen ku jezelve nie belln.", "You cannot place a call with yourself.": "Jen ku jezelve nie belln.",
"Permission Required": "Toestemmienge vereist", "Permission Required": "Toestemmienge vereist",
"You do not have permission to start a conference call in this room": "Jen èt geen toestemmienge voor in da groepsgesprek hier e vergoaderiengsgesprek te begunn", "You do not have permission to start a conference call in this room": "Jen èt geen toestemmienge voor in da groepsgesprek hier e vergoaderiengsgesprek te begunn",
@ -46,7 +45,6 @@
"Default": "Standoard", "Default": "Standoard",
"Restricted": "Beperkten toegank", "Restricted": "Beperkten toegank",
"Moderator": "Moderator", "Moderator": "Moderator",
"Admin": "Beheerder",
"Operation failed": "Handelienge es mislukt", "Operation failed": "Handelienge es mislukt",
"Failed to invite": "Uutnodign es mislukt", "Failed to invite": "Uutnodign es mislukt",
"You need to be logged in.": "Hiervoorn moe je angemeld zyn.", "You need to be logged in.": "Hiervoorn moe je angemeld zyn.",
@ -61,7 +59,6 @@
"Missing room_id in request": "room_id ountbrikt in verzoek", "Missing room_id in request": "room_id ountbrikt in verzoek",
"Room %(roomId)s not visible": "Gesprek %(roomId)s es nie zichtboar", "Room %(roomId)s not visible": "Gesprek %(roomId)s es nie zichtboar",
"Missing user_id in request": "user_id ountbrikt in verzoek", "Missing user_id in request": "user_id ountbrikt in verzoek",
"Usage": "Gebruuk",
"Ignored user": "Genegeerde gebruuker", "Ignored user": "Genegeerde gebruuker",
"You are now ignoring %(userId)s": "Je negeert nu %(userId)s", "You are now ignoring %(userId)s": "Je negeert nu %(userId)s",
"Unignored user": "Oungenegeerde gebruuker", "Unignored user": "Oungenegeerde gebruuker",
@ -127,8 +124,6 @@
"Enable URL previews by default for participants in this room": "URL-voorvertoniengn standoard vo de gebruukers in dit gesprek inschoakeln", "Enable URL previews by default for participants in this room": "URL-voorvertoniengn standoard vo de gebruukers in dit gesprek inschoakeln",
"Enable widget screenshots on supported widgets": "Widget-schermafdrukkn inschoakeln ip oundersteunde widgets", "Enable widget screenshots on supported widgets": "Widget-schermafdrukkn inschoakeln ip oundersteunde widgets",
"Show hidden events in timeline": "Verborgn gebeurtenissn ip de tydslyn weregeevn", "Show hidden events in timeline": "Verborgn gebeurtenissn ip de tydslyn weregeevn",
"Collecting app version information": "App-versieinformoasje wor verzoameld",
"Collecting logs": "Logboekn worden verzoameld",
"Waiting for response from server": "Wachtn ip antwoord van de server", "Waiting for response from server": "Wachtn ip antwoord van de server",
"The other party cancelled the verification.": "De tegenparty èt de verificoasje geannuleerd.", "The other party cancelled the verification.": "De tegenparty èt de verificoasje geannuleerd.",
"Verified!": "Geverifieerd!", "Verified!": "Geverifieerd!",
@ -226,7 +221,6 @@
"Unable to load key backup status": "Kostege de sleuterback-upstatus nie loadn", "Unable to load key backup status": "Kostege de sleuterback-upstatus nie loadn",
"Restore from Backup": "Herstelln uut back-up", "Restore from Backup": "Herstelln uut back-up",
"All keys backed up": "Alle sleuters zyn geback-upt", "All keys backed up": "Alle sleuters zyn geback-upt",
"Advanced": "Geavanceerd",
"Back up your keys before signing out to avoid losing them.": "Makt een back-up van je sleuters vooraleer da je jen afmeldt vo ze nie kwyt te speeln.", "Back up your keys before signing out to avoid losing them.": "Makt een back-up van je sleuters vooraleer da je jen afmeldt vo ze nie kwyt te speeln.",
"Start using Key Backup": "Begint me de sleuterback-up te gebruukn", "Start using Key Backup": "Begint me de sleuterback-up te gebruukn",
"Notification targets": "Meldiengsbestemmiengn", "Notification targets": "Meldiengsbestemmiengn",
@ -288,22 +282,9 @@
"Room Addresses": "Gespreksadressn", "Room Addresses": "Gespreksadressn",
"Publish this room to the public in %(domain)s's room directory?": "Dit gesprek openboar moakn in de gesprekscataloog van %(domain)s?", "Publish this room to the public in %(domain)s's room directory?": "Dit gesprek openboar moakn in de gesprekscataloog van %(domain)s?",
"URL Previews": "URL-voorvertoniengn", "URL Previews": "URL-voorvertoniengn",
"Change room avatar": "Gespreksavatar wyzign",
"Change room name": "Gespreksnoame wyzign",
"Change main address for the room": "Hoofdadresse vo t gesprek wyzign",
"Change history visibility": "Zichtboarheid van de geschiedenisse wyzign",
"Change permissions": "Toestemmiengn wyzign",
"Change topic": "Ounderwerp wyzign",
"Modify widgets": "Widgets anpassn",
"Failed to unban": "Ountbann mislukt", "Failed to unban": "Ountbann mislukt",
"Unban": "Ountbann", "Unban": "Ountbann",
"Banned by %(displayName)s": "Verbann deur %(displayName)s", "Banned by %(displayName)s": "Verbann deur %(displayName)s",
"Default role": "Standoardrolle",
"Send messages": "Berichtn verstuurn",
"Invite users": "Gebruukers uutnodign",
"Change settings": "Instelliengn wyzign",
"Ban users": "Gebruukers verbann",
"Notify everyone": "Iedereen meldn",
"No users have specific privileges in this room": "Geen gebruukers èn specifieke privileges in dit gesprek", "No users have specific privileges in this room": "Geen gebruukers èn specifieke privileges in dit gesprek",
"Privileged Users": "Bevoorrechte gebruukers", "Privileged Users": "Bevoorrechte gebruukers",
"Muted Users": "Gedempte gebruukers", "Muted Users": "Gedempte gebruukers",
@ -342,11 +323,6 @@
"Invited": "Uutgenodigd", "Invited": "Uutgenodigd",
"Filter room members": "Gespreksleedn filtern", "Filter room members": "Gespreksleedn filtern",
"%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (macht %(powerLevelNumber)s)", "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (macht %(powerLevelNumber)s)",
"Voice call": "Sproakiproep",
"Video call": "Video-iproep",
"Hangup": "Iphangn",
"Send an encrypted reply…": "Verstuurt e versleuterd antwoord…",
"Send an encrypted message…": "Verstuurt e versleuterd bericht…",
"The conversation continues here.": "t Gesprek goat hier verder.", "The conversation continues here.": "t Gesprek goat hier verder.",
"This room has been replaced and is no longer active.": "Dit gesprek is vervangn gewist en is nie langer actief.", "This room has been replaced and is no longer active.": "Dit gesprek is vervangn gewist en is nie langer actief.",
"You do not have permission to post to this room": "Jèt geen toestemmienge voor in dit gesprek te postn", "You do not have permission to post to this room": "Jèt geen toestemmienge voor in dit gesprek te postn",
@ -369,7 +345,6 @@
"Rooms": "Gesprekkn", "Rooms": "Gesprekkn",
"Low priority": "Leige prioriteit", "Low priority": "Leige prioriteit",
"Historical": "Historisch", "Historical": "Historisch",
"System Alerts": "Systeemmeldiengn",
"Join the conversation with an account": "Neemt deel an t gesprek met een account", "Join the conversation with an account": "Neemt deel an t gesprek met een account",
"Sign Up": "Registreern", "Sign Up": "Registreern",
"Reason: %(reason)s": "Reden: %(reason)s", "Reason: %(reason)s": "Reden: %(reason)s",
@ -396,7 +371,6 @@
"Search…": "Zoekn…", "Search…": "Zoekn…",
"You don't currently have any stickerpacks enabled": "Jè vo de moment geen stickerpakkettn ingeschoakeld", "You don't currently have any stickerpacks enabled": "Jè vo de moment geen stickerpakkettn ingeschoakeld",
"Add some now": "Voegt der nu e poar toe", "Add some now": "Voegt der nu e poar toe",
"Stickerpack": "Stickerpakket",
"Failed to revoke invite": "Intrekkn van duutnodigienge is mislukt", "Failed to revoke invite": "Intrekkn van duutnodigienge is mislukt",
"Could not revoke the invite. The server may be experiencing a temporary problem or you do not have sufficient permissions to revoke the invite.": "Kostege duutnodigienge nie intrekkn. De server oundervindt meuglik e tydelik probleem, of jèt ounvoldoende rechtn vo duutnodigienge in te trekkn.", "Could not revoke the invite. The server may be experiencing a temporary problem or you do not have sufficient permissions to revoke the invite.": "Kostege duutnodigienge nie intrekkn. De server oundervindt meuglik e tydelik probleem, of jèt ounvoldoende rechtn vo duutnodigienge in te trekkn.",
"Revoke invite": "Uutnodigienge intrekkn", "Revoke invite": "Uutnodigienge intrekkn",
@ -659,7 +633,6 @@
"Email (optional)": "E-mailadresse (optioneel)", "Email (optional)": "E-mailadresse (optioneel)",
"Phone (optional)": "Telefongnumero (optioneel)", "Phone (optional)": "Telefongnumero (optioneel)",
"Join millions for free on the largest public server": "Doe mee me miljoenen anderen ip de grotste publieke server", "Join millions for free on the largest public server": "Doe mee me miljoenen anderen ip de grotste publieke server",
"Other": "Overige",
"Couldn't load page": "Kostege t blad nie loadn", "Couldn't load page": "Kostege t blad nie loadn",
"You must <a>register</a> to use this functionality": "Je moe je <a>registreern</a> vo deze functie te gebruukn", "You must <a>register</a> to use this functionality": "Je moe je <a>registreern</a> vo deze functie te gebruukn",
"You must join the room to see its files": "Je moe tout t gesprek toetreedn vo de bestandn te kunn zien", "You must join the room to see its files": "Je moe tout t gesprek toetreedn vo de bestandn te kunn zien",
@ -807,8 +780,6 @@
"You cannot sign in to your account. Please contact your homeserver admin for more information.": "Je ku je nie anmeldn me jen account. Nimt contact ip me de beheerder van je thuusserver vo meer informoasje.", "You cannot sign in to your account. Please contact your homeserver admin for more information.": "Je ku je nie anmeldn me jen account. Nimt contact ip me de beheerder van je thuusserver vo meer informoasje.",
"You're signed out": "Je zyt afgemeld", "You're signed out": "Je zyt afgemeld",
"Clear personal data": "Persoonlike gegeevns wissn", "Clear personal data": "Persoonlike gegeevns wissn",
"Messages": "Berichtn",
"Actions": "Acties",
"Checking server": "Server wor gecontroleerd", "Checking server": "Server wor gecontroleerd",
"Disconnect from the identity server <idserver />?": "Wil je de verbindienge me den identiteitsserver <idserver /> verbreekn?", "Disconnect from the identity server <idserver />?": "Wil je de verbindienge me den identiteitsserver <idserver /> verbreekn?",
"You are currently using <server></server> to discover and be discoverable by existing contacts you know. You can change your identity server below.": "Je makt vo de moment gebruuk van <server></server> vo deur je contactn gevoundn te kunn wordn, en von hunder te kunn viendn. Je kut hierounder jen identiteitsserver wyzign.", "You are currently using <server></server> to discover and be discoverable by existing contacts you know. You can change your identity server below.": "Je makt vo de moment gebruuk van <server></server> vo deur je contactn gevoundn te kunn wordn, en von hunder te kunn viendn. Je kut hierounder jen identiteitsserver wyzign.",
@ -875,7 +846,9 @@
"emoji": "Emoticons", "emoji": "Emoticons",
"someone": "Etwien", "someone": "Etwien",
"encrypted": "Versleuterd", "encrypted": "Versleuterd",
"unnamed_room": "Noamloos gesprek" "unnamed_room": "Noamloos gesprek",
"stickerpack": "Stickerpakket",
"system_alerts": "Systeemmeldiengn"
}, },
"action": { "action": {
"continue": "Verdergoan", "continue": "Verdergoan",
@ -939,7 +912,9 @@
"home": "Thuus" "home": "Thuus"
}, },
"composer": { "composer": {
"format_inline_code": "Code" "format_inline_code": "Code",
"placeholder_reply_encrypted": "Verstuurt e versleuterd antwoord…",
"placeholder_encrypted": "Verstuurt e versleuterd bericht…"
}, },
"Code": "Code", "Code": "Code",
"power_level": { "power_level": {
@ -954,7 +929,9 @@
"additional_context": "Indien da t er bykomende context zou kunn helpn vo t probleem tanalyseern, lyk wyk dan je juste an t doen woart, relevante gespreks-IDs, gebruukers-IDs, enz., gelieve deze informoasje ton hier mee te geevn.", "additional_context": "Indien da t er bykomende context zou kunn helpn vo t probleem tanalyseern, lyk wyk dan je juste an t doen woart, relevante gespreks-IDs, gebruukers-IDs, enz., gelieve deze informoasje ton hier mee te geevn.",
"send_logs": "Logboekn verstuurn", "send_logs": "Logboekn verstuurn",
"github_issue": "GitHub-meldienge", "github_issue": "GitHub-meldienge",
"before_submitting": "Vooraleer da je logboekn indient, moe je <a>meldienge openn ip GitHub</a> woarin da je je probleem beschryft." "before_submitting": "Vooraleer da je logboekn indient, moe je <a>meldienge openn ip GitHub</a> woarin da je je probleem beschryft.",
"collecting_information": "App-versieinformoasje wor verzoameld",
"collecting_logs": "Logboekn worden verzoameld"
}, },
"settings": { "settings": {
"use_12_hour_format": "Tyd in 12-uursformoat weregeevn (bv. 2:30pm)", "use_12_hour_format": "Tyd in 12-uursformoat weregeevn (bv. 2:30pm)",
@ -990,7 +967,9 @@
"event_sent": "Gebeurtenisse verstuurd!", "event_sent": "Gebeurtenisse verstuurd!",
"event_content": "Gebeurtenisinhoud", "event_content": "Gebeurtenisinhoud",
"toolbox": "Gereedschap", "toolbox": "Gereedschap",
"developer_tools": "Ountwikkeliengsgereedschap" "developer_tools": "Ountwikkeliengsgereedschap",
"category_room": "Gesprek",
"category_other": "Overige"
}, },
"timeline": { "timeline": {
"m.room.topic": "%(senderDisplayName)s èt t ounderwerp gewyzigd noa %(topic)s.", "m.room.topic": "%(senderDisplayName)s èt t ounderwerp gewyzigd noa %(topic)s.",
@ -1059,7 +1038,13 @@
"addwidget": "Voegt met een URL een angepaste widget toe an t gesprek", "addwidget": "Voegt met een URL een angepaste widget toe an t gesprek",
"rainbow": "Verstuurt t gegeevn bericht in regenboogkleurn", "rainbow": "Verstuurt t gegeevn bericht in regenboogkleurn",
"rainbowme": "Verstuurt de gegeevn emoticon in regenboogkleurn", "rainbowme": "Verstuurt de gegeevn emoticon in regenboogkleurn",
"help": "Toogt e lyste van beschikboare ipdrachtn, met hunder gebruukn en beschryviengn" "help": "Toogt e lyste van beschikboare ipdrachtn, met hunder gebruukn en beschryviengn",
"usage": "Gebruuk",
"category_messages": "Berichtn",
"category_actions": "Acties",
"category_admin": "Beheerder",
"category_advanced": "Geavanceerd",
"category_other": "Overige"
}, },
"presence": { "presence": {
"online_for": "Online vo %(duration)s", "online_for": "Online vo %(duration)s",
@ -1071,5 +1056,31 @@
"unknown": "Ounbekend", "unknown": "Ounbekend",
"offline": "Offline" "offline": "Offline"
}, },
"Unknown": "Ounbekend" "Unknown": "Ounbekend",
"voip": {
"hangup": "Iphangn",
"voice_call": "Sproakiproep",
"video_call": "Video-iproep",
"call_failed": "Iproep mislukt"
},
"Messages": "Berichtn",
"Other": "Overige",
"Advanced": "Geavanceerd",
"room_settings": {
"permissions": {
"m.room.avatar": "Gespreksavatar wyzign",
"m.room.name": "Gespreksnoame wyzign",
"m.room.canonical_alias": "Hoofdadresse vo t gesprek wyzign",
"m.room.history_visibility": "Zichtboarheid van de geschiedenisse wyzign",
"m.room.power_levels": "Toestemmiengn wyzign",
"m.room.topic": "Ounderwerp wyzign",
"m.widget": "Widgets anpassn",
"users_default": "Standoardrolle",
"events_default": "Berichtn verstuurn",
"invite": "Gebruukers uutnodign",
"state_default": "Instelliengn wyzign",
"ban": "Gebruukers verbann",
"notifications.room": "Iedereen meldn"
}
}
} }

View file

@ -27,7 +27,6 @@
"Forget room": "忘记房间", "Forget room": "忘记房间",
"For security, this session has been signed out. Please sign in again.": "出于安全考虑,此会话已被注销。请重新登录。", "For security, this session has been signed out. Please sign in again.": "出于安全考虑,此会话已被注销。请重新登录。",
"%(userId)s from %(fromPowerLevel)s to %(toPowerLevel)s": "%(userId)s 从 %(fromPowerLevel)s 变为 %(toPowerLevel)s", "%(userId)s from %(fromPowerLevel)s to %(toPowerLevel)s": "%(userId)s 从 %(fromPowerLevel)s 变为 %(toPowerLevel)s",
"Hangup": "挂断",
"Historical": "历史", "Historical": "历史",
"Import E2E room keys": "导入房间端到端加密密钥", "Import E2E room keys": "导入房间端到端加密密钥",
"Incorrect verification code": "验证码错误", "Incorrect verification code": "验证码错误",
@ -49,14 +48,12 @@
"This email address is already in use": "此邮箱地址已被使用", "This email address is already in use": "此邮箱地址已被使用",
"This email address was not found": "未找到此邮箱地址", "This email address was not found": "未找到此邮箱地址",
"The email address linked to your account must be entered.": "必须输入和你账户关联的邮箱地址。", "The email address linked to your account must be entered.": "必须输入和你账户关联的邮箱地址。",
"Advanced": "高级",
"A new password must be entered.": "必须输入新密码。", "A new password must be entered.": "必须输入新密码。",
"An error has occurred.": "发生了一个错误。", "An error has occurred.": "发生了一个错误。",
"Banned users": "被封禁的用户", "Banned users": "被封禁的用户",
"Confirm password": "确认密码", "Confirm password": "确认密码",
"Join Room": "加入房间", "Join Room": "加入房间",
"Jump to first unread message.": "跳到第一条未读消息。", "Jump to first unread message.": "跳到第一条未读消息。",
"Admin": "管理员",
"Admin Tools": "管理员工具", "Admin Tools": "管理员工具",
"No Microphones detected": "未检测到麦克风", "No Microphones detected": "未检测到麦克风",
"No Webcams detected": "未检测到摄像头", "No Webcams detected": "未检测到摄像头",
@ -107,8 +104,6 @@
"Reject invitation": "拒绝邀请", "Reject invitation": "拒绝邀请",
"Users": "用户", "Users": "用户",
"Verified key": "已验证的密钥", "Verified key": "已验证的密钥",
"Video call": "视频通话",
"Voice call": "语音通话",
"Warning!": "警告!", "Warning!": "警告!",
"You must <a>register</a> to use this functionality": "你必须 <a>注册</a> 以使用此功能", "You must <a>register</a> to use this functionality": "你必须 <a>注册</a> 以使用此功能",
"You need to be logged in.": "你需要登录。", "You need to be logged in.": "你需要登录。",
@ -142,7 +137,6 @@
"Unable to enable Notifications": "无法启用通知", "Unable to enable Notifications": "无法启用通知",
"Upload avatar": "上传头像", "Upload avatar": "上传头像",
"Upload Failed": "上传失败", "Upload Failed": "上传失败",
"Usage": "用法",
"Who can read history?": "谁可以阅读历史消息?", "Who can read history?": "谁可以阅读历史消息?",
"You are not in this room.": "你不在此房间中。", "You are not in this room.": "你不在此房间中。",
"Not a valid %(brand)s keyfile": "不是有效的 %(brand)s 密钥文件", "Not a valid %(brand)s keyfile": "不是有效的 %(brand)s 密钥文件",
@ -208,7 +202,6 @@
"%(senderDisplayName)s changed the avatar for %(roomName)s": "%(senderDisplayName)s 修改了 %(roomName)s 的头像", "%(senderDisplayName)s changed the avatar for %(roomName)s": "%(senderDisplayName)s 修改了 %(roomName)s 的头像",
"Authentication check failed: incorrect password?": "身份验证失败:密码错误?", "Authentication check failed: incorrect password?": "身份验证失败:密码错误?",
"This will allow you to reset your password and receive notifications.": "这将允许你重置你的密码和接收通知。", "This will allow you to reset your password and receive notifications.": "这将允许你重置你的密码和接收通知。",
"Call Failed": "呼叫失败",
"Ignored user": "已忽略的用户", "Ignored user": "已忽略的用户",
"You are now ignoring %(userId)s": "你忽略了 %(userId)s", "You are now ignoring %(userId)s": "你忽略了 %(userId)s",
"Unignored user": "未忽略的用户", "Unignored user": "未忽略的用户",
@ -264,8 +257,6 @@
"%(weekDayName)s, %(monthName)s %(day)s %(time)s": "%(monthName)s %(day)s %(time)s%(weekDayName)s", "%(weekDayName)s, %(monthName)s %(day)s %(time)s": "%(monthName)s %(day)s %(time)s%(weekDayName)s",
"%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(fullYear)s %(monthName)s %(day)s%(weekDayName)s", "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(fullYear)s %(monthName)s %(day)s%(weekDayName)s",
"%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s": "%(fullYear)s %(monthName)s %(day)s %(time)s%(weekDayName)s", "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s": "%(fullYear)s %(monthName)s %(day)s %(time)s%(weekDayName)s",
"Send an encrypted reply…": "发送加密回复…",
"Send an encrypted message…": "发送加密消息……",
"Replying": "正在回复", "Replying": "正在回复",
"Banned by %(displayName)s": "被 %(displayName)s 封禁", "Banned by %(displayName)s": "被 %(displayName)s 封禁",
"Members only (since the point in time of selecting this option)": "仅成员(从选中此选项时开始)", "Members only (since the point in time of selecting this option)": "仅成员(从选中此选项时开始)",
@ -274,7 +265,6 @@
"Failed to remove tag %(tagName)s from room": "移除房间标签 %(tagName)s 失败", "Failed to remove tag %(tagName)s from room": "移除房间标签 %(tagName)s 失败",
"Failed to add tag %(tagName)s to room": "无法为房间新增标签 %(tagName)s", "Failed to add tag %(tagName)s to room": "无法为房间新增标签 %(tagName)s",
"Restricted": "受限", "Restricted": "受限",
"Stickerpack": "贴纸包",
"You don't currently have any stickerpacks enabled": "你目前未启用任何贴纸包", "You don't currently have any stickerpacks enabled": "你目前未启用任何贴纸包",
"You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.": "如果你是房间中最后一位拥有权限的用户,在你降低自己的权限等级后将无法撤销此修改,你将无法重新获得权限。", "You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.": "如果你是房间中最后一位拥有权限的用户,在你降低自己的权限等级后将无法撤销此修改,你将无法重新获得权限。",
"You will not be able to undo this change as you are promoting the user to have the same power level as yourself.": "你将无法撤回此修改,因为此用户的权力级别将与你相同。", "You will not be able to undo this change as you are promoting the user to have the same power level as yourself.": "你将无法撤回此修改,因为此用户的权力级别将与你相同。",
@ -367,12 +357,10 @@
"Source URL": "源网址", "Source URL": "源网址",
"Filter results": "过滤结果", "Filter results": "过滤结果",
"No update available.": "没有可用更新。", "No update available.": "没有可用更新。",
"Collecting app version information": "正在收集应用版本信息",
"Tuesday": "星期二", "Tuesday": "星期二",
"Preparing to send logs": "正在准备发送日志", "Preparing to send logs": "正在准备发送日志",
"Saturday": "星期六", "Saturday": "星期六",
"Monday": "星期一", "Monday": "星期一",
"Collecting logs": "正在收集日志",
"All Rooms": "全部房间", "All Rooms": "全部房间",
"Wednesday": "星期三", "Wednesday": "星期三",
"You cannot delete this message. (%(code)s)": "你无法删除这条消息。(%(code)s)", "You cannot delete this message. (%(code)s)": "你无法删除这条消息。(%(code)s)",
@ -405,7 +393,6 @@
"This event could not be displayed": "无法显示此事件", "This event could not be displayed": "无法显示此事件",
"Share Link to User": "分享链接给其他用户", "Share Link to User": "分享链接给其他用户",
"Share room": "分享房间", "Share room": "分享房间",
"System Alerts": "系统警告",
"Muted Users": "被禁言的用户", "Muted Users": "被禁言的用户",
"In encrypted rooms, like this one, URL previews are disabled by default to ensure that your homeserver (where the previews are generated) cannot gather information about links you see in this room.": "在加密的房间中比如此房间URL预览默认是禁用的以确保你的家服务器生成预览的地方无法收集与你在此房间中看到的链接有关的信息。", "In encrypted rooms, like this one, URL previews are disabled by default to ensure that your homeserver (where the previews are generated) cannot gather information about links you see in this room.": "在加密的房间中比如此房间URL预览默认是禁用的以确保你的家服务器生成预览的地方无法收集与你在此房间中看到的链接有关的信息。",
"When someone puts a URL in their message, a URL preview can be shown to give more information about that link such as the title, description, and an image from the website.": "当有人在他们的消息里放置URL时可显示URL预览以给出更多有关链接的信息如其网站的标题、描述以及图片。", "When someone puts a URL in their message, a URL preview can be shown to give more information about that link such as the title, description, and an image from the website.": "当有人在他们的消息里放置URL时可显示URL预览以给出更多有关链接的信息如其网站的标题、描述以及图片。",
@ -634,7 +621,6 @@
"Email (optional)": "电子邮箱(可选)", "Email (optional)": "电子邮箱(可选)",
"Phone (optional)": "电话号码(可选)", "Phone (optional)": "电话号码(可选)",
"Join millions for free on the largest public server": "免费加入最大的公共服务器,成为数百万用户中的一员", "Join millions for free on the largest public server": "免费加入最大的公共服务器,成为数百万用户中的一员",
"Other": "其他",
"Couldn't load page": "无法加载页面", "Couldn't load page": "无法加载页面",
"Could not load user profile": "无法加载用户资料", "Could not load user profile": "无法加载用户资料",
"Your password has been reset.": "你的密码已重置。", "Your password has been reset.": "你的密码已重置。",
@ -660,19 +646,6 @@
"If you didn't remove the recovery method, an attacker may be trying to access your account. Change your account password and set a new recovery method immediately in Settings.": "如果你没有移除此恢复方式,可能有攻击者正试图侵入你的账户。请立即更改你的账户密码并在设置中设定一个新的恢复方式。", "If you didn't remove the recovery method, an attacker may be trying to access your account. Change your account password and set a new recovery method immediately in Settings.": "如果你没有移除此恢复方式,可能有攻击者正试图侵入你的账户。请立即更改你的账户密码并在设置中设定一个新的恢复方式。",
"The user must be unbanned before they can be invited.": "用户必须先解封才能被邀请。", "The user must be unbanned before they can be invited.": "用户必须先解封才能被邀请。",
"Accept all %(invitedRooms)s invites": "接受所有 %(invitedRooms)s 邀请", "Accept all %(invitedRooms)s invites": "接受所有 %(invitedRooms)s 邀请",
"Change room avatar": "更改房间头像",
"Change room name": "更改房间名称",
"Change main address for the room": "更改房间主要地址",
"Change history visibility": "更改历史记录可见性",
"Change permissions": "更改权限",
"Change topic": "更改话题",
"Modify widgets": "修改挂件",
"Default role": "默认角色",
"Send messages": "发送消息",
"Invite users": "邀请用户",
"Change settings": "更改设置",
"Ban users": "封禁用户",
"Notify everyone": "通知每个人",
"Send %(eventType)s events": "发送 %(eventType)s 事件", "Send %(eventType)s events": "发送 %(eventType)s 事件",
"Select the roles required to change various parts of the room": "选择更改房间各个部分所需的角色", "Select the roles required to change various parts of the room": "选择更改房间各个部分所需的角色",
"Enable encryption?": "启用加密?", "Enable encryption?": "启用加密?",
@ -719,8 +692,6 @@
"Sign In or Create Account": "登录或创建账户", "Sign In or Create Account": "登录或创建账户",
"Use your account or create a new one to continue.": "使用已有账户或创建一个新账户。", "Use your account or create a new one to continue.": "使用已有账户或创建一个新账户。",
"Create Account": "创建账户", "Create Account": "创建账户",
"Messages": "消息",
"Actions": "动作",
"Error upgrading room": "升级房间时发生错误", "Error upgrading room": "升级房间时发生错误",
"Double check that your server supports the room version chosen and try again.": "请再次检查你的服务器是否支持所选房间版本,然后再试一次。", "Double check that your server supports the room version chosen and try again.": "请再次检查你的服务器是否支持所选房间版本,然后再试一次。",
"Use an identity server": "使用身份服务器", "Use an identity server": "使用身份服务器",
@ -784,14 +755,6 @@
"Contact your <a>server admin</a>.": "请联系你的<a>服务器管理员</a>。", "Contact your <a>server admin</a>.": "请联系你的<a>服务器管理员</a>。",
"Ok": "确定", "Ok": "确定",
"Other users may not trust it": "其他用户可能不信任它", "Other users may not trust it": "其他用户可能不信任它",
"You joined the call": "你加入通话",
"%(senderName)s joined the call": "%(senderName)s加入通话",
"Call in progress": "通话中",
"Call ended": "通话结束",
"You started a call": "你开始了通话",
"%(senderName)s started a call": "%(senderName)s开始了通话",
"Waiting for answer": "正在等待接听",
"%(senderName)s is calling": "%(senderName)s正在通话",
"Font size": "字体大小", "Font size": "字体大小",
"Use custom size": "使用自定义大小", "Use custom size": "使用自定义大小",
"Match system theme": "匹配系统主题", "Match system theme": "匹配系统主题",
@ -804,7 +767,6 @@
"Manually verify all remote sessions": "手动验证所有远程会话", "Manually verify all remote sessions": "手动验证所有远程会话",
"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!": "这是你屏蔽的用户/服务器的列表——不要离开此房间!",
"Unknown caller": "未知来电人",
"Waiting for %(displayName)s to verify…": "正在等待%(displayName)s进行验证……", "Waiting for %(displayName)s to verify…": "正在等待%(displayName)s进行验证……",
"Cancelling…": "正在取消……", "Cancelling…": "正在取消……",
"They match": "它们匹配", "They match": "它们匹配",
@ -902,15 +864,12 @@
"Session ID:": "会话 ID", "Session ID:": "会话 ID",
"Session key:": "会话密钥:", "Session key:": "会话密钥:",
"Message search": "消息搜索", "Message search": "消息搜索",
"Cross-signing": "交叉签名",
"View older messages in %(roomName)s.": "查看%(roomName)s里更旧的消息。", "View older messages in %(roomName)s.": "查看%(roomName)s里更旧的消息。",
"Uploaded sound": "已上传的声音", "Uploaded sound": "已上传的声音",
"Sounds": "声音", "Sounds": "声音",
"Notification sound": "通知声音", "Notification sound": "通知声音",
"Set a new custom sound": "设置新的自定义声音", "Set a new custom sound": "设置新的自定义声音",
"Browse": "浏览", "Browse": "浏览",
"Upgrade the room": "更新房间",
"Enable room encryption": "启用房间加密",
"Error changing power level requirement": "更改权力级别需求时出错", "Error changing power level requirement": "更改权力级别需求时出错",
"An error occurred changing the room's power level requirements. Ensure you have sufficient permissions and try again.": "更改此房间的权力级别需求时出错。请确保你有足够的权限后重试。", "An error occurred changing the room's power level requirements. Ensure you have sufficient permissions and try again.": "更改此房间的权力级别需求时出错。请确保你有足够的权限后重试。",
"Error changing power level": "更改权力级别时出错", "Error changing power level": "更改权力级别时出错",
@ -930,9 +889,6 @@
"This user has not verified all of their sessions.": "此用户没有验证其全部会话。", "This user has not verified all of their sessions.": "此用户没有验证其全部会话。",
"You have not verified this user.": "你没有验证此用户。", "You have not verified this user.": "你没有验证此用户。",
"You have verified this user. This user has verified all of their sessions.": "你验证了此用户。此用户已验证了其全部会话。", "You have verified this user. This user has verified all of their sessions.": "你验证了此用户。此用户已验证了其全部会话。",
"* %(senderName)s %(emote)s": "* %(senderName)s %(emote)s",
"%(senderName)s: %(message)s": "%(senderName)s: %(message)s",
"%(senderName)s: %(stickerName)s": "%(senderName)s: %(stickerName)s",
"Show hidden events in timeline": "显示时间线中的隐藏事件", "Show hidden events in timeline": "显示时间线中的隐藏事件",
"Scan this unique code": "扫描此唯一代码", "Scan this unique code": "扫描此唯一代码",
"Compare unique emoji": "比较唯一表情符号", "Compare unique emoji": "比较唯一表情符号",
@ -962,8 +918,6 @@
"The authenticity of this encrypted message can't be guaranteed on this device.": "此加密消息的真实性无法在此设备上保证。", "The authenticity of this encrypted message can't be guaranteed on this device.": "此加密消息的真实性无法在此设备上保证。",
"Scroll to most recent messages": "滚动到最近的消息", "Scroll to most recent messages": "滚动到最近的消息",
"Close preview": "关闭预览", "Close preview": "关闭预览",
"Send a reply…": "发送回复…",
"Send a message…": "发送消息…",
"Italics": "斜体", "Italics": "斜体",
"Room %(name)s": "房间 %(name)s", "Room %(name)s": "房间 %(name)s",
"No recently visited rooms": "没有最近访问过的房间", "No recently visited rooms": "没有最近访问过的房间",
@ -1367,8 +1321,6 @@
"IRC display name width": "IRC 显示名称宽度", "IRC display name width": "IRC 显示名称宽度",
"Unexpected server error trying to leave the room": "试图离开房间时发生意外服务器错误", "Unexpected server error trying to leave the room": "试图离开房间时发生意外服务器错误",
"Error leaving room": "离开房间时出错", "Error leaving room": "离开房间时出错",
"Uploading logs": "正在上传日志",
"Downloading logs": "正在下载日志",
"This bridge was provisioned by <user />.": "此桥曾由<user />提供。", "This bridge was provisioned by <user />.": "此桥曾由<user />提供。",
"well formed": "格式正确", "well formed": "格式正确",
"Master private key:": "主私钥:", "Master private key:": "主私钥:",
@ -1417,12 +1369,6 @@
"Secret storage:": "秘密存储:", "Secret storage:": "秘密存储:",
"ready": "就绪", "ready": "就绪",
"not ready": "尚未就绪", "not ready": "尚未就绪",
"Secure Backup": "安全备份",
"No other application is using the webcam": "没有其他应用程序正在使用摄像头",
"Permission is granted to use the webcam": "授权使用摄像头",
"A microphone and webcam are plugged in and set up correctly": "已插入并正确设置麦克风和摄像头",
"Unable to access webcam / microphone": "无法使用摄像头/麦克风",
"Unable to access microphone": "无法使用麦克风",
"The call was answered on another device.": "已在另一台设备上接听了此通话。", "The call was answered on another device.": "已在另一台设备上接听了此通话。",
"The call could not be established": "无法建立通话", "The call could not be established": "无法建立通话",
"Hong Kong": "香港", "Hong Kong": "香港",
@ -1486,8 +1432,6 @@
"We couldn't log you in": "我们无法使你登入", "We couldn't log you in": "我们无法使你登入",
"You've reached the maximum number of simultaneous calls.": "你已达到同时通话的最大数量。", "You've reached the maximum number of simultaneous calls.": "你已达到同时通话的最大数量。",
"Too Many Calls": "太多通话", "Too Many Calls": "太多通话",
"Call failed because webcam or microphone could not be accessed. Check that:": "通话失败,因为无法使用摄像头或麦克风。请检查:",
"Call failed because microphone could not be accessed. Check that a microphone is plugged in and set up correctly.": "呼叫失败,因为无法使用任何麦克风。 检查是否已插入并正确设置麦克风。",
"Answered Elsewhere": "已在别处接听", "Answered Elsewhere": "已在别处接听",
"Room settings": "房间设置", "Room settings": "房间设置",
"About homeservers": "关于家服务器", "About homeservers": "关于家服务器",
@ -1499,14 +1443,8 @@
"Dial pad": "拨号盘", "Dial pad": "拨号盘",
"There was an error looking up the phone number": "查询电话号码时发生错误", "There was an error looking up the phone number": "查询电话号码时发生错误",
"Unable to look up phone number": "无法查询电话号码", "Unable to look up phone number": "无法查询电话号码",
"Return to call": "返回通话",
"%(peerName)s held the call": "%(peerName)s 挂起了通话",
"You held the call <a>Resume</a>": "你挂起了通话 <a>恢复</a>",
"You held the call <a>Switch</a>": "你挂起了通话 <a>切换</a>",
"Takes the call in the current room off hold": "解除挂起当前房间的通话", "Takes the call in the current room off hold": "解除挂起当前房间的通话",
"Places the call in the current room on hold": "挂起当前房间的通话", "Places the call in the current room on hold": "挂起当前房间的通话",
"%(senderName)s ended the call": "%(senderName)s 结束了通话",
"You ended the call": "你结束了通话",
"Use app": "使用 app", "Use app": "使用 app",
"Use app for a better experience": "使用 app 以获得更好的体验", "Use app for a better experience": "使用 app 以获得更好的体验",
"Enable desktop notifications": "开启桌面通知", "Enable desktop notifications": "开启桌面通知",
@ -1527,8 +1465,6 @@
"Remain on your screen when viewing another room, when running": "运行时始终保留在你的屏幕上,即使你在浏览其它房间", "Remain on your screen when viewing another room, when running": "运行时始终保留在你的屏幕上,即使你在浏览其它房间",
"Converts the room to a DM": "将此房间会话转化为私聊会话", "Converts the room to a DM": "将此房间会话转化为私聊会话",
"Converts the DM to a room": "将此私聊会话转化为房间会话", "Converts the DM to a room": "将此私聊会话转化为房间会话",
"You're already in a call with this person.": "你正在与其通话。",
"Already in call": "正在通话中",
"Go to Home View": "转到主视图", "Go to Home View": "转到主视图",
"Search (must be enabled)": "搜索(必须启用)", "Search (must be enabled)": "搜索(必须启用)",
"%(ssoButtons)s Or %(usernamePassword)s": "%(ssoButtons)s 或 %(usernamePassword)s", "%(ssoButtons)s Or %(usernamePassword)s": "%(ssoButtons)s 或 %(usernamePassword)s",
@ -1560,8 +1496,6 @@
"Hide Widgets": "隐藏挂件", "Hide Widgets": "隐藏挂件",
"%(displayName)s created this room.": "%(displayName)s 创建了此房间。", "%(displayName)s created this room.": "%(displayName)s 创建了此房间。",
"You created this room.": "你创建了此房间。", "You created this room.": "你创建了此房间。",
"Remove messages sent by others": "移除其他人的消息",
"Send message": "发送消息",
"Invite to this space": "邀请至此空间", "Invite to this space": "邀请至此空间",
"Your message was sent": "消息已发送", "Your message was sent": "消息已发送",
"Back up your encryption keys with your account data in case you lose access to your sessions. Your keys will be secured with a unique Security Key.": "请使用你的账户数据备份加密密钥,以免你无法访问你的会话。密钥会由一个唯一安全密钥保护。", "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.": "请使用你的账户数据备份加密密钥,以免你无法访问你的会话。密钥会由一个唯一安全密钥保护。",
@ -1581,7 +1515,6 @@
"Your server does not support showing space hierarchies.": "你的服务器不支持显示空间层次结构。", "Your server does not support showing space hierarchies.": "你的服务器不支持显示空间层次结构。",
"This version of %(brand)s does not support searching encrypted messages": "当前版本的 %(brand)s 不支持搜索加密消息", "This version of %(brand)s does not support searching encrypted messages": "当前版本的 %(brand)s 不支持搜索加密消息",
"This version of %(brand)s does not support viewing some encrypted files": "当前版本的 %(brand)s 不支持查看某些加密文件", "This version of %(brand)s does not support viewing some encrypted files": "当前版本的 %(brand)s 不支持查看某些加密文件",
"Effects": "效果",
"Pakistan": "巴基斯坦", "Pakistan": "巴基斯坦",
"United Arab Emirates": "阿拉伯联合酋长国", "United Arab Emirates": "阿拉伯联合酋长国",
"Yemen": "也门", "Yemen": "也门",
@ -1979,7 +1912,6 @@
"This is the beginning of your direct message history with <displayName/>.": "这是你与<displayName/>的私聊历史的开端。", "This is the beginning of your direct message history with <displayName/>.": "这是你与<displayName/>的私聊历史的开端。",
"Only the two of you are in this conversation, unless either of you invites anyone to join.": "除非你们其中一个邀请了别人加入,否则将仅有你们两个人在此对话中。", "Only the two of you are in this conversation, unless either of you invites anyone to join.": "除非你们其中一个邀请了别人加入,否则将仅有你们两个人在此对话中。",
"Failed to send": "发送失败", "Failed to send": "发送失败",
"Change server ACLs": "更改服务器访问控制列表",
"You have no ignored users.": "你没有设置忽略用户。", "You have no ignored users.": "你没有设置忽略用户。",
"Your access token gives full access to your account. Do not share it with anyone.": "你的访问令牌可以完全访问你的账户。不要将其与任何人分享。", "Your access token gives full access to your account. Do not share it with anyone.": "你的访问令牌可以完全访问你的账户。不要将其与任何人分享。",
"Message search initialisation failed": "消息搜索初始化失败", "Message search initialisation failed": "消息搜索初始化失败",
@ -1989,9 +1921,7 @@
}, },
"Manage & explore rooms": "管理并探索房间", "Manage & explore rooms": "管理并探索房间",
"Please enter a name for the space": "请输入空间名称", "Please enter a name for the space": "请输入空间名称",
"%(name)s on hold": "保留 %(name)s",
"Connecting": "连接中", "Connecting": "连接中",
"Consulting with %(transferTarget)s. <a>Transfer to %(transferee)s</a>": "与 %(transferTarget)s 进行协商。<a>转让至 %(transferee)s</a>",
"unknown person": "陌生人", "unknown person": "陌生人",
"%(deviceId)s from %(ip)s": "来自 %(ip)s 的 %(deviceId)s", "%(deviceId)s from %(ip)s": "来自 %(ip)s 的 %(deviceId)s",
"Review to ensure your account is safe": "检查以确保你的账户是安全的", "Review to ensure your account is safe": "检查以确保你的账户是安全的",
@ -2117,8 +2047,6 @@
"Failed to update the visibility of this space": "更新此空间的可见性失败", "Failed to update the visibility of this space": "更新此空间的可见性失败",
"Address": "地址", "Address": "地址",
"e.g. my-space": "例如my-space", "e.g. my-space": "例如my-space",
"Silence call": "通话静音",
"Sound on": "开启声音",
"Some invites couldn't be sent": "部分邀请无法发送", "Some invites couldn't be sent": "部分邀请无法发送",
"We sent the others, but the below people couldn't be invited to <RoomName/>": "我们已向其他人发送邀请,但无法邀请以下人员至<RoomName/>", "We sent the others, but the below people couldn't be invited to <RoomName/>": "我们已向其他人发送邀请,但无法邀请以下人员至<RoomName/>",
"Integration manager": "集成管理器", "Integration manager": "集成管理器",
@ -2152,18 +2080,9 @@
"Message bubbles": "消息气泡", "Message bubbles": "消息气泡",
"Show all rooms": "显示所有房间", "Show all rooms": "显示所有房间",
"Delete avatar": "删除头像", "Delete avatar": "删除头像",
"Mute the microphone": "静音麦克风",
"Unmute the microphone": "取消麦克风静音",
"Dialpad": "拨号盘",
"More": "更多", "More": "更多",
"Show sidebar": "显示侧边栏", "Show sidebar": "显示侧边栏",
"Hide sidebar": "隐藏侧边栏", "Hide sidebar": "隐藏侧边栏",
"Start sharing your screen": "开始分享你的屏幕",
"Stop sharing your screen": "停止分享你的屏幕",
"Stop the camera": "停用摄像头",
"Start the camera": "启动摄像头",
"Your camera is still enabled": "你的摄像头仍然处于启用状态",
"Your camera is turned off": "你的摄像头已关闭",
"Send voice message": "发送语音消息", "Send voice message": "发送语音消息",
"Transfer Failed": "转移失败", "Transfer Failed": "转移失败",
"Unable to transfer call": "无法转移通话", "Unable to transfer call": "无法转移通话",
@ -2246,8 +2165,6 @@
"one": "& 另外 %(count)s" "one": "& 另外 %(count)s"
}, },
"Upgrade required": "需要升级", "Upgrade required": "需要升级",
"%(sharerName)s is presenting": "%(sharerName)s 正在展示",
"You are presenting": "你正在展示",
"Surround selected text when typing special characters": "输入特殊字符时圈出选定的文本", "Surround selected text when typing special characters": "输入特殊字符时圈出选定的文本",
"Rooms and spaces": "房间与空间", "Rooms and spaces": "房间与空间",
"Results": "结果", "Results": "结果",
@ -2264,16 +2181,10 @@
"Some encryption parameters have been changed.": "一些加密参数已更改。", "Some encryption parameters have been changed.": "一些加密参数已更改。",
"Role in <RoomName/>": "<RoomName/> 中的角色", "Role in <RoomName/>": "<RoomName/> 中的角色",
"Send a sticker": "发送贴纸", "Send a sticker": "发送贴纸",
"Reply to thread…": "回复消息列……",
"Reply to encrypted thread…": "回复加密的消息列……",
"Unknown failure": "未知失败", "Unknown failure": "未知失败",
"Failed to update the join rules": "未能更新加入列表", "Failed to update the join rules": "未能更新加入列表",
"Anyone in <spaceName/> can find and join. You can select other spaces too.": "<spaceName/> 中的任何人都可以寻找和加入。你也可以选择其他空间。", "Anyone in <spaceName/> can find and join. You can select other spaces too.": "<spaceName/> 中的任何人都可以寻找和加入。你也可以选择其他空间。",
"Select the roles required to change various parts of the space": "选择改变空间各个部分所需的角色", "Select the roles required to change various parts of the space": "选择改变空间各个部分所需的角色",
"Change description": "更改描述",
"Change main address for the space": "更改空间主地址",
"Change space name": "更改空间名称",
"Change space avatar": "更改空间头像",
"Message didn't send. Click for info.": "消息没有发送。点击查看信息。", "Message didn't send. Click for info.": "消息没有发送。点击查看信息。",
"To join a space you'll need an invite.": "要加入一个空间,你需要一个邀请。", "To join a space you'll need an invite.": "要加入一个空间,你需要一个邀请。",
"%(reactors)s reacted with %(content)s": "%(reactors)s做出了%(content)s的反应", "%(reactors)s reacted with %(content)s": "%(reactors)s做出了%(content)s的反应",
@ -2402,7 +2313,6 @@
"Rooms outside of a space": "空间之外的房间", "Rooms outside of a space": "空间之外的房间",
"Show all your rooms in Home, even if they're in a space.": "在主页展示你所有的房间,即使它们是在一个空间里。", "Show all your rooms in Home, even if they're in a space.": "在主页展示你所有的房间,即使它们是在一个空间里。",
"Home is useful for getting an overview of everything.": "对于了解所有事情的概况来说,主页很有用。", "Home is useful for getting an overview of everything.": "对于了解所有事情的概况来说,主页很有用。",
"Manage rooms in this space": "管理此空间中的房间",
"Mentions only": "仅提及", "Mentions only": "仅提及",
"Forget": "忘记", "Forget": "忘记",
"Files": "文件", "Files": "文件",
@ -2468,10 +2378,7 @@
"That's fine": "没问题", "That's fine": "没问题",
"You cannot place calls without a connection to the server.": "你不能在未连接到服务器时进行呼叫。", "You cannot place calls without a connection to the server.": "你不能在未连接到服务器时进行呼叫。",
"Connectivity to the server has been lost": "已丢失与服务器的连接", "Connectivity to the server has been lost": "已丢失与服务器的连接",
"You cannot place calls in this browser.": "你无法在此浏览器中进行呼叫。",
"Calls are unsupported": "不支持通话",
"Share location": "共享位置", "Share location": "共享位置",
"Manage pinned events": "管理置顶事件",
"Toggle space panel": "切换空间仪表盘", "Toggle space panel": "切换空间仪表盘",
"Are you sure you want to end this poll? This will show the final results of the poll and stop people from being able to vote.": "您确定要结束此投票吗? 这将显示投票的最终结果并阻止人们投票。", "Are you sure you want to end this poll? This will show the final results of the poll and stop people from being able to vote.": "您确定要结束此投票吗? 这将显示投票的最终结果并阻止人们投票。",
"End Poll": "结束投票", "End Poll": "结束投票",
@ -2601,15 +2508,12 @@
"You don't have permission to view messages from before you joined.": "你没有权限查看你加入前的消息。", "You don't have permission to view messages from before you joined.": "你没有权限查看你加入前的消息。",
"You don't have permission to view messages from before you were invited.": "你没有权限查看你被邀请之前的消息。", "You don't have permission to view messages from before you were invited.": "你没有权限查看你被邀请之前的消息。",
"From a thread": "来自消息列", "From a thread": "来自消息列",
"Send reactions": "发送反应",
"View older version of %(spaceName)s.": "查看%(spaceName)s的旧版本。", "View older version of %(spaceName)s.": "查看%(spaceName)s的旧版本。",
"If you can't find the room you're looking for, ask for an invite or create a new room.": "若你找不到要找的房间,请请求邀请或创建新房间。", "If you can't find the room you're looking for, ask for an invite or create a new room.": "若你找不到要找的房间,请请求邀请或创建新房间。",
"New video room": "新视频房间", "New video room": "新视频房间",
"New room": "新房间", "New room": "新房间",
"Device verified": "设备已验证", "Device verified": "设备已验证",
"Your new device is now verified. It has access to your encrypted messages, and other users will see it as trusted.": "你的新设备已通过验证。它现在可以访问你的加密消息,并且其它用户会将其视为受信任的。", "Your new device is now verified. It has access to your encrypted messages, and other users will see it as trusted.": "你的新设备已通过验证。它现在可以访问你的加密消息,并且其它用户会将其视为受信任的。",
"Remove users": "移除用户",
"Remove messages sent by me": "移除我发送的消息",
"Internal room ID": "内部房间ID", "Internal room ID": "内部房间ID",
"Upgrade this space to the recommended room version": "将此空间升级到推荐的房间版本", "Upgrade this space to the recommended room version": "将此空间升级到推荐的房间版本",
"Group all your rooms that aren't part of a space in one place.": "将所有你那些不属于某个空间的房间集中一处。", "Group all your rooms that aren't part of a space in one place.": "将所有你那些不属于某个空间的房间集中一处。",
@ -2631,17 +2535,10 @@
"Waiting for you to verify on your other device, %(deviceName)s (%(deviceId)s)…": "正等待你在其它设备上验证,%(deviceName)s%(deviceId)s……", "Waiting for you to verify on your other device, %(deviceName)s (%(deviceId)s)…": "正等待你在其它设备上验证,%(deviceName)s%(deviceId)s……",
"Verify this device by confirming the following number appears on its screen.": "确认屏幕上出现以下数字,以验证设备。", "Verify this device by confirming the following number appears on its screen.": "确认屏幕上出现以下数字,以验证设备。",
"Confirm the emoji below are displayed on both devices, in the same order:": "确认下面的表情符号在两个设备上以相同顺序显示:", "Confirm the emoji below are displayed on both devices, in the same order:": "确认下面的表情符号在两个设备上以相同顺序显示:",
"Turn on camera": "启动相机",
"Turn off camera": "关闭相机",
"Video devices": "视频设备",
"Unmute microphone": "取消静音麦克风",
"Mute microphone": "静音麦克风",
"Audio devices": "音频设备",
"%(count)s people joined": { "%(count)s people joined": {
"one": "%(count)s个人已加入", "one": "%(count)s个人已加入",
"other": "%(count)s个人已加入" "other": "%(count)s个人已加入"
}, },
"Dial": "拨号",
"Enable hardware acceleration": "启用硬件加速", "Enable hardware acceleration": "启用硬件加速",
"Automatically send debug logs when key backup is not functioning": "当密钥备份无法运作时自动发送debug日志", "Automatically send debug logs when key backup is not functioning": "当密钥备份无法运作时自动发送debug日志",
"Automatically send debug logs on decryption errors": "自动发送有关解密错误的debug日志", "Automatically send debug logs on decryption errors": "自动发送有关解密错误的debug日志",
@ -2922,7 +2819,6 @@
"other": "%(user)s 与 %(count)s 个人" "other": "%(user)s 与 %(count)s 个人"
}, },
"Voice broadcast": "语音广播", "Voice broadcast": "语音广播",
"Voice broadcasts": "语音广播",
"Video call (Jitsi)": "视频通话Jitsi", "Video call (Jitsi)": "视频通话Jitsi",
"Ongoing call": "正在进行的通话", "Ongoing call": "正在进行的通话",
"You do not have permission to start video calls": "你没有权限开始视频通话", "You do not have permission to start video calls": "你没有权限开始视频通话",
@ -2964,7 +2860,6 @@
"Voice processing": "语音处理", "Voice processing": "语音处理",
"Video settings": "视频设置", "Video settings": "视频设置",
"Voice settings": "语音设置", "Voice settings": "语音设置",
"Video call started": "视频通话已开始",
"Unknown room": "未知房间", "Unknown room": "未知房间",
"Buffering…": "正在缓冲……", "Buffering…": "正在缓冲……",
"Live": "实时", "Live": "实时",
@ -2972,9 +2867,6 @@
"Go live": "开始直播", "Go live": "开始直播",
"30s forward": "前进30秒", "30s forward": "前进30秒",
"30s backward": "后退30秒", "30s backward": "后退30秒",
"Notifications silenced": "通知已静音",
"Join %(brand)s calls": "加入%(brand)s呼叫",
"Start %(brand)s calls": "开始%(brand)s呼叫",
"Automatically adjust the microphone volume": "自动调整话筒音量", "Automatically adjust the microphone volume": "自动调整话筒音量",
"Are you sure you want to sign out of %(count)s sessions?": { "Are you sure you want to sign out of %(count)s sessions?": {
"one": "你确定要登出%(count)s个会话吗", "one": "你确定要登出%(count)s个会话吗",
@ -2983,7 +2875,6 @@
"Search users in this room…": "搜索该房间内的用户……", "Search users in this room…": "搜索该房间内的用户……",
"Give one or multiple users in this room more privileges": "授权给该房间内的某人或某些人", "Give one or multiple users in this room more privileges": "授权给该房间内的某人或某些人",
"Add privileged users": "添加特权用户", "Add privileged users": "添加特权用户",
"Fill screen": "填满屏幕",
"Sorry — this call is currently full": "抱歉——目前线路拥挤", "Sorry — this call is currently full": "抱歉——目前线路拥挤",
"Requires compatible homeserver.": "需要兼容的家服务器。", "Requires compatible homeserver.": "需要兼容的家服务器。",
"Low bandwidth mode": "低带宽模式", "Low bandwidth mode": "低带宽模式",
@ -3089,7 +2980,11 @@
"not_trusted": "不受信任的", "not_trusted": "不受信任的",
"server": "服务器", "server": "服务器",
"unnamed_room": "未命名的房间", "unnamed_room": "未命名的房间",
"unnamed_space": "未命名空间" "unnamed_space": "未命名空间",
"stickerpack": "贴纸包",
"system_alerts": "系统警告",
"secure_backup": "安全备份",
"cross_signing": "交叉签名"
}, },
"action": { "action": {
"continue": "继续", "continue": "继续",
@ -3244,7 +3139,14 @@
"format_bold": "粗体", "format_bold": "粗体",
"format_strikethrough": "删除线", "format_strikethrough": "删除线",
"format_inline_code": "代码", "format_inline_code": "代码",
"format_code_block": "代码块" "format_code_block": "代码块",
"send_button_title": "发送消息",
"placeholder_thread_encrypted": "回复加密的消息列……",
"placeholder_thread": "回复消息列……",
"placeholder_reply_encrypted": "发送加密回复…",
"placeholder_reply": "发送回复…",
"placeholder_encrypted": "发送加密消息……",
"placeholder": "发送消息…"
}, },
"Bold": "粗体", "Bold": "粗体",
"Code": "代码", "Code": "代码",
@ -3266,7 +3168,11 @@
"send_logs": "发送日志", "send_logs": "发送日志",
"github_issue": "GitHub 上的 issue", "github_issue": "GitHub 上的 issue",
"download_logs": "下载日志", "download_logs": "下载日志",
"before_submitting": "在提交日志之前,你必须<a>创建一个GitHub issue</a> 来描述你的问题。" "before_submitting": "在提交日志之前,你必须<a>创建一个GitHub issue</a> 来描述你的问题。",
"collecting_information": "正在收集应用版本信息",
"collecting_logs": "正在收集日志",
"uploading_logs": "正在上传日志",
"downloading_logs": "正在下载日志"
}, },
"time": { "time": {
"hours_minutes_seconds_left": "剩余%(hours)s小时%(minutes)s分钟%(seconds)s秒", "hours_minutes_seconds_left": "剩余%(hours)s小时%(minutes)s分钟%(seconds)s秒",
@ -3438,7 +3344,9 @@
"toolbox": "工具箱", "toolbox": "工具箱",
"developer_tools": "开发者工具", "developer_tools": "开发者工具",
"room_id": "房间ID: %(roomId)s", "room_id": "房间ID: %(roomId)s",
"event_id": "事件ID%(eventId)s" "event_id": "事件ID%(eventId)s",
"category_room": "房间",
"category_other": "其他"
}, },
"export_chat": { "export_chat": {
"html": "HTML", "html": "HTML",
@ -3588,6 +3496,9 @@
"other": "%(names)s 与其他 %(count)s 位正在输入…", "other": "%(names)s 与其他 %(count)s 位正在输入…",
"one": "%(names)s 与另一位正在输入…" "one": "%(names)s 与另一位正在输入…"
} }
},
"m.call.hangup": {
"dm": "通话结束"
} }
}, },
"slash_command": { "slash_command": {
@ -3622,7 +3533,14 @@
"help": "显示指令清单与其描述和用法", "help": "显示指令清单与其描述和用法",
"whois": "显示关于用户的信息", "whois": "显示关于用户的信息",
"rageshake": "发送带日志的错误报告", "rageshake": "发送带日志的错误报告",
"msg": "向指定用户发消息" "msg": "向指定用户发消息",
"usage": "用法",
"category_messages": "消息",
"category_actions": "动作",
"category_admin": "管理员",
"category_advanced": "高级",
"category_effects": "效果",
"category_other": "其他"
}, },
"presence": { "presence": {
"busy": "忙", "busy": "忙",
@ -3636,5 +3554,104 @@
"offline": "离线", "offline": "离线",
"away": "离开" "away": "离开"
}, },
"Unknown": "未知的" "Unknown": "未知的",
"event_preview": {
"m.call.answer": {
"you": "你加入通话",
"user": "%(senderName)s加入通话",
"dm": "通话中"
},
"m.call.hangup": {
"you": "你结束了通话",
"user": "%(senderName)s 结束了通话"
},
"m.call.invite": {
"you": "你开始了通话",
"user": "%(senderName)s开始了通话",
"dm_send": "正在等待接听",
"dm_receive": "%(senderName)s正在通话"
},
"m.emote": "* %(senderName)s %(emote)s",
"m.text": "%(senderName)s: %(message)s",
"m.sticker": "%(senderName)s: %(stickerName)s"
},
"voip": {
"disable_microphone": "静音麦克风",
"enable_microphone": "取消静音麦克风",
"disable_camera": "关闭相机",
"enable_camera": "启动相机",
"audio_devices": "音频设备",
"video_devices": "视频设备",
"dial": "拨号",
"you_are_presenting": "你正在展示",
"user_is_presenting": "%(sharerName)s 正在展示",
"camera_disabled": "你的摄像头已关闭",
"camera_enabled": "你的摄像头仍然处于启用状态",
"consulting": "与 %(transferTarget)s 进行协商。<a>转让至 %(transferee)s</a>",
"call_held_switch": "你挂起了通话 <a>切换</a>",
"call_held_resume": "你挂起了通话 <a>恢复</a>",
"call_held": "%(peerName)s 挂起了通话",
"dialpad": "拨号盘",
"stop_screenshare": "停止分享你的屏幕",
"start_screenshare": "开始分享你的屏幕",
"hangup": "挂断",
"maximise": "填满屏幕",
"expand": "返回通话",
"on_hold": "保留 %(name)s",
"voice_call": "语音通话",
"video_call": "视频通话",
"video_call_started": "视频通话已开始",
"unsilence": "开启声音",
"silence": "通话静音",
"silenced": "通知已静音",
"unknown_caller": "未知来电人",
"call_failed": "呼叫失败",
"unable_to_access_microphone": "无法使用麦克风",
"call_failed_microphone": "呼叫失败,因为无法使用任何麦克风。 检查是否已插入并正确设置麦克风。",
"unable_to_access_media": "无法使用摄像头/麦克风",
"call_failed_media": "通话失败,因为无法使用摄像头或麦克风。请检查:",
"call_failed_media_connected": "已插入并正确设置麦克风和摄像头",
"call_failed_media_permissions": "授权使用摄像头",
"call_failed_media_applications": "没有其他应用程序正在使用摄像头",
"already_in_call": "正在通话中",
"already_in_call_person": "你正在与其通话。",
"unsupported": "不支持通话",
"unsupported_browser": "你无法在此浏览器中进行呼叫。"
},
"Messages": "消息",
"Other": "其他",
"Advanced": "高级",
"room_settings": {
"permissions": {
"m.room.avatar_space": "更改空间头像",
"m.room.avatar": "更改房间头像",
"m.room.name_space": "更改空间名称",
"m.room.name": "更改房间名称",
"m.room.canonical_alias_space": "更改空间主地址",
"m.room.canonical_alias": "更改房间主要地址",
"m.space.child": "管理此空间中的房间",
"m.room.history_visibility": "更改历史记录可见性",
"m.room.power_levels": "更改权限",
"m.room.topic_space": "更改描述",
"m.room.topic": "更改话题",
"m.room.tombstone": "更新房间",
"m.room.encryption": "启用房间加密",
"m.room.server_acl": "更改服务器访问控制列表",
"m.reaction": "发送反应",
"m.room.redaction": "移除我发送的消息",
"m.widget": "修改挂件",
"io.element.voice_broadcast_info": "语音广播",
"m.room.pinned_events": "管理置顶事件",
"m.call": "开始%(brand)s呼叫",
"m.call.member": "加入%(brand)s呼叫",
"users_default": "默认角色",
"events_default": "发送消息",
"invite": "邀请用户",
"state_default": "更改设置",
"kick": "移除用户",
"ban": "封禁用户",
"redact": "移除其他人的消息",
"notifications.room": "通知每个人"
}
}
} }

View file

@ -7,8 +7,6 @@
"Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or <a>enable unsafe scripts</a>.": "當瀏覽器網址列使用的是 HTTPS 網址時,不能使用 HTTP 連線到家伺服器。請改用 HTTPS 連線或<a>允許不安全的指令碼</a>。", "Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or <a>enable unsafe scripts</a>.": "當瀏覽器網址列使用的是 HTTPS 網址時,不能使用 HTTP 連線到家伺服器。請改用 HTTPS 連線或<a>允許不安全的指令碼</a>。",
"Change Password": "變更密碼", "Change Password": "變更密碼",
"Account": "帳號", "Account": "帳號",
"Admin": "管理員",
"Advanced": "進階",
"Authentication": "授權", "Authentication": "授權",
"%(items)s and %(lastItem)s": "%(items)s 和 %(lastItem)s", "%(items)s and %(lastItem)s": "%(items)s 和 %(lastItem)s",
"Confirm password": "確認密碼", "Confirm password": "確認密碼",
@ -40,7 +38,6 @@
"Forget room": "忘記聊天室", "Forget room": "忘記聊天室",
"For security, this session has been signed out. Please sign in again.": "因為安全因素,此工作階段已被登出。請重新登入。", "For security, this session has been signed out. Please sign in again.": "因為安全因素,此工作階段已被登出。請重新登入。",
"%(userId)s from %(fromPowerLevel)s to %(toPowerLevel)s": "%(userId)s 從 %(fromPowerLevel)s 變為 %(toPowerLevel)s", "%(userId)s from %(fromPowerLevel)s to %(toPowerLevel)s": "%(userId)s 從 %(fromPowerLevel)s 變為 %(toPowerLevel)s",
"Hangup": "掛斷",
"Historical": "歷史", "Historical": "歷史",
"Import E2E room keys": "匯入聊天室端對端加密金鑰", "Import E2E room keys": "匯入聊天室端對端加密金鑰",
"Incorrect verification code": "驗證碼錯誤", "Incorrect verification code": "驗證碼錯誤",
@ -143,13 +140,10 @@
}, },
"Upload avatar": "上傳大頭照", "Upload avatar": "上傳大頭照",
"Upload Failed": "無法上傳", "Upload Failed": "無法上傳",
"Usage": "使用方法",
"%(userName)s (power %(powerLevelNumber)s)": "%(userName)s權限等級 %(powerLevelNumber)s", "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s權限等級 %(powerLevelNumber)s",
"Users": "使用者", "Users": "使用者",
"Verification Pending": "等待驗證", "Verification Pending": "等待驗證",
"Verified key": "已驗證的金鑰", "Verified key": "已驗證的金鑰",
"Video call": "視訊通話",
"Voice call": "語音通話",
"Warning!": "警告!", "Warning!": "警告!",
"Who can read history?": "誰可以閱讀紀錄?", "Who can read history?": "誰可以閱讀紀錄?",
"You do not have permission to post to this room": "您沒有權限在此聊天室貼文", "You do not have permission to post to this room": "您沒有權限在此聊天室貼文",
@ -228,7 +222,6 @@
"You do not have permission to do that in this room.": "您沒有在這個聊天室做這件事的權限。", "You do not have permission to do that in this room.": "您沒有在這個聊天室做這件事的權限。",
"Copied!": "已複製!", "Copied!": "已複製!",
"Failed to copy": "無法複製", "Failed to copy": "無法複製",
"Call Failed": "無法通話",
"Restricted": "已限制", "Restricted": "已限制",
"Ignored user": "忽略使用者", "Ignored user": "忽略使用者",
"You are now ignoring %(userId)s": "您在忽略 %(userId)s", "You are now ignoring %(userId)s": "您在忽略 %(userId)s",
@ -241,8 +234,6 @@
"You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.": "您正在將自己降級,如果您是聊天室中最後一位有特殊權限的使用者,您將無法復原此變更,因為無法再獲得特定權限。", "You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.": "您正在將自己降級,如果您是聊天室中最後一位有特殊權限的使用者,您將無法復原此變更,因為無法再獲得特定權限。",
"Unignore": "取消忽略", "Unignore": "取消忽略",
"Jump to read receipt": "跳到讀取回條", "Jump to read receipt": "跳到讀取回條",
"Send an encrypted reply…": "傳送加密的回覆…",
"Send an encrypted message…": "傳送加密訊息…",
"%(duration)ss": "%(duration)s 秒", "%(duration)ss": "%(duration)s 秒",
"%(duration)sm": "%(duration)s 分鐘", "%(duration)sm": "%(duration)s 分鐘",
"%(duration)sh": "%(duration)s 小時", "%(duration)sh": "%(duration)s 小時",
@ -358,7 +349,6 @@
"<a>In reply to</a> <pill>": "<a>回覆給</a> <pill>", "<a>In reply to</a> <pill>": "<a>回覆給</a> <pill>",
"Failed to remove tag %(tagName)s from room": "無法從聊天室移除標籤 %(tagName)s", "Failed to remove tag %(tagName)s from room": "無法從聊天室移除標籤 %(tagName)s",
"Failed to add tag %(tagName)s to room": "無法新增標籤 %(tagName)s 到聊天室", "Failed to add tag %(tagName)s to room": "無法新增標籤 %(tagName)s 到聊天室",
"Stickerpack": "貼圖包",
"You don't currently have any stickerpacks enabled": "您目前沒有啟用任何貼圖包", "You don't currently have any stickerpacks enabled": "您目前沒有啟用任何貼圖包",
"Sunday": "星期日", "Sunday": "星期日",
"Notification targets": "通知目標", "Notification targets": "通知目標",
@ -374,12 +364,10 @@
"Filter results": "過濾結果", "Filter results": "過濾結果",
"No update available.": "沒有可用的更新。", "No update available.": "沒有可用的更新。",
"Noisy": "吵鬧", "Noisy": "吵鬧",
"Collecting app version information": "收集應用程式版本資訊",
"Tuesday": "星期二", "Tuesday": "星期二",
"Preparing to send logs": "準備傳送除錯訊息", "Preparing to send logs": "準備傳送除錯訊息",
"Saturday": "星期六", "Saturday": "星期六",
"Monday": "星期一", "Monday": "星期一",
"Collecting logs": "收集記錄檔",
"All Rooms": "所有聊天室", "All Rooms": "所有聊天室",
"What's New": "新鮮事", "What's New": "新鮮事",
"All messages": "所有訊息", "All messages": "所有訊息",
@ -428,7 +416,6 @@
"Permission Required": "需要權限", "Permission Required": "需要權限",
"You do not have permission to start a conference call in this room": "您沒有在此聊天室啟動會議通話的權限", "You do not have permission to start a conference call in this room": "您沒有在此聊天室啟動會議通話的權限",
"This event could not be displayed": "此活動無法顯示", "This event could not be displayed": "此活動無法顯示",
"System Alerts": "系統警告",
"Only room administrators will see this warning": "僅聊天室管理員會看到此警告", "Only room administrators will see this warning": "僅聊天室管理員會看到此警告",
"This homeserver has hit its Monthly Active User limit.": "此家伺服器已超出每月活躍使用者上限。", "This homeserver has hit its Monthly Active User limit.": "此家伺服器已超出每月活躍使用者上限。",
"This homeserver has exceeded one of its resource limits.": "此家伺服器已經超過其中一項資源限制。", "This homeserver has exceeded one of its resource limits.": "此家伺服器已經超過其中一項資源限制。",
@ -567,7 +554,6 @@
"Email (optional)": "電子郵件(選擇性)", "Email (optional)": "電子郵件(選擇性)",
"Phone (optional)": "電話(選擇性)", "Phone (optional)": "電話(選擇性)",
"Join millions for free on the largest public server": "在最大的公開伺服器上,免費與數百萬人一起交流", "Join millions for free on the largest public server": "在最大的公開伺服器上,免費與數百萬人一起交流",
"Other": "其他",
"Create account": "建立帳號", "Create account": "建立帳號",
"Recovery Method Removed": "已移除復原方法", "Recovery Method Removed": "已移除復原方法",
"If you didn't remove the recovery method, an attacker may be trying to access your account. Change your account password and set a new recovery method immediately in Settings.": "如果您沒有移除復原方法,攻擊者可能會試圖存取您的帳號。請立刻在設定中變更您帳號的密碼並設定新的復原方式。", "If you didn't remove the recovery method, an attacker may be trying to access your account. Change your account password and set a new recovery method immediately in Settings.": "如果您沒有移除復原方法,攻擊者可能會試圖存取您的帳號。請立刻在設定中變更您帳號的密碼並設定新的復原方式。",
@ -660,19 +646,6 @@
"Could not load user profile": "無法載入使用者簡介", "Could not load user profile": "無法載入使用者簡介",
"The user must be unbanned before they can be invited.": "使用者必須在被邀請前先解除封鎖。", "The user must be unbanned before they can be invited.": "使用者必須在被邀請前先解除封鎖。",
"Accept all %(invitedRooms)s invites": "接受所有 %(invitedRooms)s 邀請", "Accept all %(invitedRooms)s invites": "接受所有 %(invitedRooms)s 邀請",
"Change room avatar": "變更聊天室大頭照",
"Change room name": "變更聊天室名稱",
"Change main address for the room": "變更聊天室主要位址",
"Change history visibility": "變更紀錄能見度",
"Change permissions": "變更權限",
"Change topic": "變更主題",
"Modify widgets": "修改小工具",
"Default role": "預設角色",
"Send messages": "傳送訊息",
"Invite users": "邀請使用者",
"Change settings": "變更設定",
"Ban users": "封鎖使用者",
"Notify everyone": "通知每個人",
"Send %(eventType)s events": "傳送 %(eventType)s 活動", "Send %(eventType)s events": "傳送 %(eventType)s 活動",
"Select the roles required to change various parts of the room": "選取更改聊天室各部份的所需的角色", "Select the roles required to change various parts of the room": "選取更改聊天室各部份的所需的角色",
"Enable encryption?": "啟用加密?", "Enable encryption?": "啟用加密?",
@ -805,8 +778,6 @@
"Service": "服務", "Service": "服務",
"Summary": "摘要", "Summary": "摘要",
"This account has been deactivated.": "此帳號已停用。", "This account has been deactivated.": "此帳號已停用。",
"Messages": "訊息",
"Actions": "動作",
"Always show the window menu bar": "總是顯示視窗選單列", "Always show the window menu bar": "總是顯示視窗選單列",
"Command Help": "指令說明", "Command Help": "指令說明",
"Discovery": "探索", "Discovery": "探索",
@ -838,13 +809,11 @@
"If you don't want to use <server /> to discover and be discoverable by existing contacts you know, enter another identity server below.": "如果您不想要使用 <server /> 來探索與被您現有的聯絡人探索,在下方輸入其他身分伺服器。", "If you don't want to use <server /> to discover and be discoverable by existing contacts you know, enter another identity server below.": "如果您不想要使用 <server /> 來探索與被您現有的聯絡人探索,在下方輸入其他身分伺服器。",
"Using an identity server is optional. If you choose not to use an identity server, you won't be discoverable by other users and you won't be able to invite others by email or phone.": "使用身分伺服器是選擇性的。如果您選擇不要使用身分伺服器,您將無法被其他使用者探索,您也不能透過電子郵件或電話邀請其他人。", "Using an identity server is optional. If you choose not to use an identity server, you won't be discoverable by other users and you won't be able to invite others by email or phone.": "使用身分伺服器是選擇性的。如果您選擇不要使用身分伺服器,您將無法被其他使用者探索,您也不能透過電子郵件或電話邀請其他人。",
"Do not use an identity server": "不要使用身分伺服器", "Do not use an identity server": "不要使用身分伺服器",
"Upgrade the room": "升級聊天室",
"Use an identity server to invite by email. <default>Use the default (%(defaultIdentityServerName)s)</default> or manage in <settings>Settings</settings>.": "使用身分伺服器以透過電子郵件邀請。<default>使用預設值 (%(defaultIdentityServerName)s)</default>或在<settings>設定</settings>中管理。", "Use an identity server to invite by email. <default>Use the default (%(defaultIdentityServerName)s)</default> or manage in <settings>Settings</settings>.": "使用身分伺服器以透過電子郵件邀請。<default>使用預設值 (%(defaultIdentityServerName)s)</default>或在<settings>設定</settings>中管理。",
"Use an identity server to invite by email. Manage in <settings>Settings</settings>.": "使用身分伺服器以透過電子郵件邀請。在<settings>設定</settings>中管理。", "Use an identity server to invite by email. Manage in <settings>Settings</settings>.": "使用身分伺服器以透過電子郵件邀請。在<settings>設定</settings>中管理。",
"Use an identity server": "使用身分伺服器", "Use an identity server": "使用身分伺服器",
"Use an identity server to invite by email. Click continue to use the default identity server (%(defaultIdentityServerName)s) or manage in Settings.": "使用身分伺服器以透過電子郵件邀請。點選繼續以使用預設的身分伺服器 (%(defaultIdentityServerName)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) 或在設定中管理。",
"Use an identity server to invite by email. Manage in Settings.": "使用身分伺服器以透過電子郵件邀請。在設定中管理。", "Use an identity server to invite by email. Manage in Settings.": "使用身分伺服器以透過電子郵件邀請。在設定中管理。",
"Enable room encryption": "啟用聊天室加密",
"Deactivate user?": "停用使用者?", "Deactivate user?": "停用使用者?",
"Deactivating this user will log them out and prevent them from logging back in. Additionally, they will leave all the rooms they are in. This action cannot be reversed. Are you sure you want to deactivate this user?": "停用此使用者將會把他們登出並防止他們再次登入。另外,他們也將會離開所有加入的聊天室。此動作不可逆。您確定您想要停用此使用者嗎?", "Deactivating this user will log them out and prevent them from logging back in. Additionally, they will leave all the rooms they are in. This action cannot be reversed. Are you sure you want to deactivate this user?": "停用此使用者將會把他們登出並防止他們再次登入。另外,他們也將會離開所有加入的聊天室。此動作不可逆。您確定您想要停用此使用者嗎?",
"Deactivate user": "停用使用者", "Deactivate user": "停用使用者",
@ -1028,7 +997,6 @@
"in secret storage": "在秘密儲存空間中", "in secret storage": "在秘密儲存空間中",
"Secret storage public key:": "秘密儲存空間公鑰:", "Secret storage public key:": "秘密儲存空間公鑰:",
"in account data": "在帳號資料中", "in account data": "在帳號資料中",
"Cross-signing": "交叉簽署",
"not stored": "未儲存", "not stored": "未儲存",
"Hide verified sessions": "隱藏已驗證的工作階段", "Hide verified sessions": "隱藏已驗證的工作階段",
"%(count)s verified sessions": { "%(count)s verified sessions": {
@ -1061,8 +1029,6 @@
"Send as message": "以訊息傳送", "Send as message": "以訊息傳送",
"This room is end-to-end encrypted": "此聊天室已端對端加密", "This room is end-to-end encrypted": "此聊天室已端對端加密",
"Everyone in this room is verified": "此聊天室中每個人都已驗證", "Everyone in this room is verified": "此聊天室中每個人都已驗證",
"Send a reply…": "傳送回覆…",
"Send a message…": "傳送訊息…",
"Reject & Ignore user": "拒絕並忽略使用者", "Reject & Ignore user": "拒絕並忽略使用者",
"Enter your account password to confirm the upgrade:": "輸入您的帳號密碼以確認升級:", "Enter your account password to confirm the upgrade:": "輸入您的帳號密碼以確認升級:",
"You'll need to authenticate with the server to confirm the upgrade.": "您必須透過伺服器驗證以確認升級。", "You'll need to authenticate with the server to confirm the upgrade.": "您必須透過伺服器驗證以確認升級。",
@ -1344,16 +1310,6 @@
"Use a system font": "使用系統字型", "Use a system font": "使用系統字型",
"System font name": "系統字型名稱", "System font name": "系統字型名稱",
"The authenticity of this encrypted message can't be guaranteed on this device.": "無法在此裝置上保證加密訊息的真實性。", "The authenticity of this encrypted message can't be guaranteed on this device.": "無法在此裝置上保證加密訊息的真實性。",
"You joined the call": "您已加入通話",
"%(senderName)s joined the call": "%(senderName)s 已加入通話",
"Call in progress": "通話進行中",
"Call ended": "通話結束",
"You started a call": "您開始了通話",
"%(senderName)s started a call": "%(senderName)s 開始了通話",
"Waiting for answer": "正在等待回應",
"%(senderName)s is calling": "%(senderName)s 正在通話",
"%(senderName)s: %(message)s": "%(senderName)s%(message)s",
"%(senderName)s: %(stickerName)s": "%(senderName)s%(stickerName)s",
"Message deleted on %(date)s": "訊息刪除於 %(date)s", "Message deleted on %(date)s": "訊息刪除於 %(date)s",
"Wrong file type": "錯誤的檔案類型", "Wrong file type": "錯誤的檔案類型",
"Security Phrase": "安全密語", "Security Phrase": "安全密語",
@ -1369,7 +1325,6 @@
"Confirm Security Phrase": "確認安全密語", "Confirm Security Phrase": "確認安全密語",
"Save your Security Key": "儲存您的安全金鑰", "Save your Security Key": "儲存您的安全金鑰",
"Are you sure you want to cancel entering passphrase?": "您確定要取消輸入安全密語嗎?", "Are you sure you want to cancel entering passphrase?": "您確定要取消輸入安全密語嗎?",
"Unknown caller": "未知的來電者",
"%(brand)s can't securely cache encrypted messages locally while running in a web browser. Use <desktopLink>%(brand)s Desktop</desktopLink> for encrypted messages to appear in search results.": "%(brand)s 無法在網頁瀏覽器中執行時,安全地在本機快取加密訊息。若需搜尋加密訊息,請使用 <desktopLink>%(brand)s 桌面版</desktopLink>。", "%(brand)s can't securely cache encrypted messages locally while running in a web browser. Use <desktopLink>%(brand)s Desktop</desktopLink> for encrypted messages to appear in search results.": "%(brand)s 無法在網頁瀏覽器中執行時,安全地在本機快取加密訊息。若需搜尋加密訊息,請使用 <desktopLink>%(brand)s 桌面版</desktopLink>。",
"Set the name of a font installed on your system & %(brand)s will attempt to use it.": "設定您系統上安裝的字型名稱,%(brand)s 將會嘗試使用它。", "Set the name of a font installed on your system & %(brand)s will attempt to use it.": "設定您系統上安裝的字型名稱,%(brand)s 將會嘗試使用它。",
"%(brand)s version:": "%(brand)s 版本:", "%(brand)s version:": "%(brand)s 版本:",
@ -1382,7 +1337,6 @@
"Edited at %(date)s": "編輯於 %(date)s", "Edited at %(date)s": "編輯於 %(date)s",
"Click to view edits": "點擊以檢視編輯", "Click to view edits": "點擊以檢視編輯",
"If the other version of %(brand)s is still open in another tab, please close it as using %(brand)s on the same host with both lazy loading enabled and disabled simultaneously will cause issues.": "如果其他版本的 %(brand)s 仍在其他分頁中開啟,請關閉它,因為在同一主機上使用同時啟用與停用惰性載入的 %(brand)s 可能會造成問題。", "If the other version of %(brand)s is still open in another tab, please close it as using %(brand)s on the same host with both lazy loading enabled and disabled simultaneously will cause issues.": "如果其他版本的 %(brand)s 仍在其他分頁中開啟,請關閉它,因為在同一主機上使用同時啟用與停用惰性載入的 %(brand)s 可能會造成問題。",
"* %(senderName)s %(emote)s": "* %(senderName)s %(emote)s",
"Change notification settings": "變更通知設定", "Change notification settings": "變更通知設定",
"Your server isn't responding to some <a>requests</a>.": "您的伺服器未回應某些<a>請求</a>。", "Your server isn't responding to some <a>requests</a>.": "您的伺服器未回應某些<a>請求</a>。",
"You're all caught up.": "您已完成。", "You're all caught up.": "您已完成。",
@ -1401,8 +1355,6 @@
"Attach files from chat or just drag and drop them anywhere in a room.": "從聊天中附加檔案,或將其拖放到聊天室的任何地方。", "Attach files from chat or just drag and drop them anywhere in a room.": "從聊天中附加檔案,或將其拖放到聊天室的任何地方。",
"Master private key:": "主控私鑰:", "Master private key:": "主控私鑰:",
"Explore public rooms": "探索公開聊天室", "Explore public rooms": "探索公開聊天室",
"Uploading logs": "正在上傳紀錄檔",
"Downloading logs": "正在下載紀錄檔",
"Preparing to download logs": "正在準備下載紀錄檔", "Preparing to download logs": "正在準備下載紀錄檔",
"Unexpected server error trying to leave the room": "試圖離開聊天室時發生意外的伺服器錯誤", "Unexpected server error trying to leave the room": "試圖離開聊天室時發生意外的伺服器錯誤",
"Error leaving room": "離開聊天室時發生錯誤", "Error leaving room": "離開聊天室時發生錯誤",
@ -1424,7 +1376,6 @@
"Secret storage:": "秘密儲存空間:", "Secret storage:": "秘密儲存空間:",
"ready": "已準備好", "ready": "已準備好",
"not ready": "尚未準備好", "not ready": "尚未準備好",
"Secure Backup": "安全備份",
"Start a conversation with someone using their name or username (like <userId/>).": "使用某人的名字或使用者名稱(如 <userId/>)以與他們開始對話。", "Start a conversation with someone using their name or username (like <userId/>).": "使用某人的名字或使用者名稱(如 <userId/>)以與他們開始對話。",
"Invite someone using their name, username (like <userId/>) or <a>share this room</a>.": "使用某人的名字、使用者名稱(如 <userId/>)或<a>分享此聊天室</a>來邀請人。", "Invite someone using their name, username (like <userId/>) or <a>share this room</a>.": "使用某人的名字、使用者名稱(如 <userId/>)或<a>分享此聊天室</a>來邀請人。",
"Safeguard against losing access to encrypted messages & data": "避免失去對加密訊息與資料的存取權", "Safeguard against losing access to encrypted messages & data": "避免失去對加密訊息與資料的存取權",
@ -1446,7 +1397,6 @@
"Ignored attempt to disable encryption": "已忽略嘗試停用加密", "Ignored attempt to disable encryption": "已忽略嘗試停用加密",
"Failed to save your profile": "無法儲存您的設定檔", "Failed to save your profile": "無法儲存您的設定檔",
"The operation could not be completed": "無法完成操作", "The operation could not be completed": "無法完成操作",
"Remove messages sent by others": "移除其他人傳送的訊息",
"The call could not be established": "無法建立通話", "The call could not be established": "無法建立通話",
"Move right": "向右移動", "Move right": "向右移動",
"Move left": "向左移動", "Move left": "向左移動",
@ -1465,8 +1415,6 @@
"Please view <existingIssuesLink>existing bugs on Github</existingIssuesLink> first. No match? <newIssueLink>Start a new one</newIssueLink>.": "請先檢視 <existingIssuesLink>GitHub 上既有的錯誤</existingIssuesLink>。沒有相符的嗎?<newIssueLink>回報新的問題</newIssueLink>。", "Please view <existingIssuesLink>existing bugs on Github</existingIssuesLink> first. No match? <newIssueLink>Start a new one</newIssueLink>.": "請先檢視 <existingIssuesLink>GitHub 上既有的錯誤</existingIssuesLink>。沒有相符的嗎?<newIssueLink>回報新的問題</newIssueLink>。",
"Comment": "評論", "Comment": "評論",
"Feedback sent": "已傳送回饋", "Feedback sent": "已傳送回饋",
"%(senderName)s ended the call": "%(senderName)s 結束了通話",
"You ended the call": "您結束了通話",
"Now, let's help you get started": "現在,讓我們協助您開始", "Now, let's help you get started": "現在,讓我們協助您開始",
"Welcome %(name)s": "歡迎 %(name)s", "Welcome %(name)s": "歡迎 %(name)s",
"Add a photo so people know it's you.": "新增照片以讓其他人知道是您。", "Add a photo so people know it's you.": "新增照片以讓其他人知道是您。",
@ -1805,14 +1753,8 @@
"Remain on your screen when viewing another room, when running": "在執行與檢視其他聊天室時仍保留在您的畫面上", "Remain on your screen when viewing another room, when running": "在執行與檢視其他聊天室時仍保留在您的畫面上",
"Enter phone number": "輸入電話號碼", "Enter phone number": "輸入電話號碼",
"Enter email address": "輸入電子郵件地址", "Enter email address": "輸入電子郵件地址",
"Return to call": "回到通話",
"New here? <a>Create an account</a>": "新手?<a>建立帳號</a>", "New here? <a>Create an account</a>": "新手?<a>建立帳號</a>",
"Got an account? <a>Sign in</a>": "有帳號了嗎?<a>登入</a>", "Got an account? <a>Sign in</a>": "有帳號了嗎?<a>登入</a>",
"No other application is using the webcam": "無其他應用程式正在使用網路攝影機",
"Permission is granted to use the webcam": "授予使用網路攝影機的權限",
"A microphone and webcam are plugged in and set up correctly": "麥克風與網路攝影機已插入並正確設定",
"Unable to access webcam / microphone": "無法存取網路攝影機/麥克風",
"Unable to access microphone": "無法存取麥克風",
"Decide where your account is hosted": "決定託管帳號的位置", "Decide where your account is hosted": "決定託管帳號的位置",
"Host account on": "帳號託管於", "Host account on": "帳號託管於",
"Already have an account? <a>Sign in here</a>": "已有帳號?<a>在此登入</a>", "Already have an account? <a>Sign in here</a>": "已有帳號?<a>在此登入</a>",
@ -1838,19 +1780,12 @@
"Unable to validate homeserver": "無法驗證家伺服器", "Unable to validate homeserver": "無法驗證家伺服器",
"sends confetti": "傳送彩帶", "sends confetti": "傳送彩帶",
"Sends the given message with confetti": "使用彩帶傳送訊息", "Sends the given message with confetti": "使用彩帶傳送訊息",
"Effects": "影響",
"Call failed because webcam or microphone could not be accessed. Check that:": "無法通話,因為無法存取網路攝影機或麥克風。請檢查:",
"Call failed because microphone could not be accessed. Check that a microphone is plugged in and set up correctly.": "無法通話,因為無法存取麥克風。請檢查是否已插入麥克風並正確設定。",
"Hold": "保留", "Hold": "保留",
"Resume": "繼續", "Resume": "繼續",
"%(peerName)s held the call": "%(peerName)s 保留通話",
"You held the call <a>Resume</a>": "您已保留通話<a>繼續</a>",
"You've reached the maximum number of simultaneous calls.": "您已達到同時通話的最大數量。", "You've reached the maximum number of simultaneous calls.": "您已達到同時通話的最大數量。",
"Too Many Calls": "太多通話", "Too Many Calls": "太多通話",
"sends fireworks": "傳送煙火", "sends fireworks": "傳送煙火",
"Sends the given message with fireworks": "與煙火一同傳送指定訊息", "Sends the given message with fireworks": "與煙火一同傳送指定訊息",
"%(name)s on hold": "保留 %(name)s",
"You held the call <a>Switch</a>": "您已保留通話<a>切換</a>",
"sends snowfall": "傳送雪球", "sends snowfall": "傳送雪球",
"Sends the given message with snowfall": "與雪球一同傳送指定訊息", "Sends the given message with snowfall": "與雪球一同傳送指定訊息",
"You have no visible notifications.": "您沒有可見的通知。", "You have no visible notifications.": "您沒有可見的通知。",
@ -1934,7 +1869,6 @@
"You do not have permissions to add rooms to this space": "您沒有權限在此聊天空間中新增聊天室", "You do not have permissions to add rooms to this space": "您沒有權限在此聊天空間中新增聊天室",
"Add existing room": "新增既有的聊天室", "Add existing room": "新增既有的聊天室",
"You do not have permissions to create new rooms in this space": "您沒有權限在此聊天空間中建立新聊天室", "You do not have permissions to create new rooms in this space": "您沒有權限在此聊天空間中建立新聊天室",
"Send message": "傳送訊息",
"Invite to this space": "邀請加入此聊天空間", "Invite to this space": "邀請加入此聊天空間",
"Your message was sent": "您的訊息已傳送", "Your message was sent": "您的訊息已傳送",
"Space options": "聊天空間選項", "Space options": "聊天空間選項",
@ -1949,8 +1883,6 @@
"Open space for anyone, best for communities": "對所有人開放的聊天空間,最適合社群", "Open space for anyone, best for communities": "對所有人開放的聊天空間,最適合社群",
"Create a space": "建立聊天空間", "Create a space": "建立聊天空間",
"This homeserver has been blocked by its administrator.": "此家伺服器已被管理員封鎖。", "This homeserver has been blocked by its administrator.": "此家伺服器已被管理員封鎖。",
"You're already in a call with this person.": "您正在與此人通話。",
"Already in call": "已在通話中",
"Make sure the right people have access. You can invite more later.": "確保合適的人有權存取。稍後您可以邀請更多人。", "Make sure the right people have access. You can invite more later.": "確保合適的人有權存取。稍後您可以邀請更多人。",
"A private space to organise your rooms": "整理您聊天室的私密聊天空間", "A private space to organise your rooms": "整理您聊天室的私密聊天空間",
"Just me": "只有我", "Just me": "只有我",
@ -1980,7 +1912,6 @@
"You can change these anytime.": "您隨時可以變更這些。", "You can change these anytime.": "您隨時可以變更這些。",
"Add some details to help people recognise it.": "新增一些詳細資訊來協助人們識別它。", "Add some details to help people recognise it.": "新增一些詳細資訊來協助人們識別它。",
"unknown person": "不明身份的人", "unknown person": "不明身份的人",
"Consulting with %(transferTarget)s. <a>Transfer to %(transferee)s</a>": "與 %(transferTarget)s 進行諮詢。<a>轉移至 %(transferee)s</a>",
"Invite to just this room": "邀請到此聊天室", "Invite to just this room": "邀請到此聊天室",
"Let's create a room for each of them.": "讓我們為每個主題建立一個聊天室吧。", "Let's create a room for each of them.": "讓我們為每個主題建立一個聊天室吧。",
"Verify your identity to access encrypted messages and prove your identity to others.": "驗證您的身分來存取已加密的訊息並對其他人證明您的身分。", "Verify your identity to access encrypted messages and prove your identity to others.": "驗證您的身分來存取已加密的訊息並對其他人證明您的身分。",
@ -2009,7 +1940,6 @@
"Forgotten or lost all recovery methods? <a>Reset all</a>": "忘記或遺失了所有復原方法?<a>重設全部</a>", "Forgotten or lost all recovery methods? <a>Reset all</a>": "忘記或遺失了所有復原方法?<a>重設全部</a>",
"If you do, please note that none of your messages will be deleted, but the search experience might be degraded for a few moments whilst the index is recreated": "如果這樣做,請注意,您的訊息不會被刪除,但在重新建立索引時,搜尋體驗可能會降低片刻", "If you do, please note that none of your messages will be deleted, but the search experience might be degraded for a few moments whilst the index is recreated": "如果這樣做,請注意,您的訊息不會被刪除,但在重新建立索引時,搜尋體驗可能會降低片刻",
"View message": "檢視訊息", "View message": "檢視訊息",
"Change server ACLs": "變更伺服器 ACL",
"You can select all or individual messages to retry or delete": "您可以選取全部或單獨的訊息來重試或刪除", "You can select all or individual messages to retry or delete": "您可以選取全部或單獨的訊息來重試或刪除",
"Sending": "傳送中", "Sending": "傳送中",
"Retry all": "重試全部", "Retry all": "重試全部",
@ -2117,8 +2047,6 @@
"Failed to update the visibility of this space": "無法更新此聊天空間的能見度", "Failed to update the visibility of this space": "無法更新此聊天空間的能見度",
"Address": "位址", "Address": "位址",
"e.g. my-space": "例如my-space", "e.g. my-space": "例如my-space",
"Silence call": "通話靜音",
"Sound on": "開啟聲音",
"Some invites couldn't be sent": "部份邀請無法傳送", "Some invites couldn't be sent": "部份邀請無法傳送",
"We sent the others, but the below people couldn't be invited to <RoomName/>": "我們已將邀請傳送給其他人,但以下的人無法邀請加入 <RoomName/>", "We sent the others, but the below people couldn't be invited to <RoomName/>": "我們已將邀請傳送給其他人,但以下的人無法邀請加入 <RoomName/>",
"Unnamed audio": "未命名的音訊", "Unnamed audio": "未命名的音訊",
@ -2205,10 +2133,6 @@
"Share content": "分享內容", "Share content": "分享內容",
"Application window": "應用程式視窗", "Application window": "應用程式視窗",
"Share entire screen": "分享整個螢幕", "Share entire screen": "分享整個螢幕",
"Your camera is still enabled": "您的相機開啟中",
"Your camera is turned off": "您的相機已關閉",
"You are presenting": "您正在投影",
"%(sharerName)s is presenting": "%(sharerName)s 正在投影",
"Anyone will be able to find and join this room.": "任何人都可以找到並加入此聊天室。", "Anyone will be able to find and join this room.": "任何人都可以找到並加入此聊天室。",
"Want to add an existing space instead?": "想要新增既有的聊天空間嗎?", "Want to add an existing space instead?": "想要新增既有的聊天空間嗎?",
"Private space (invite only)": "私密聊天空間(邀請制)", "Private space (invite only)": "私密聊天空間(邀請制)",
@ -2235,16 +2159,9 @@
"Call declined": "已拒絕通話", "Call declined": "已拒絕通話",
"Stop recording": "停止錄製", "Stop recording": "停止錄製",
"Send voice message": "傳送語音訊息", "Send voice message": "傳送語音訊息",
"Mute the microphone": "麥克風靜音",
"Unmute the microphone": "取消麥克風靜音",
"Dialpad": "撥號鍵盤",
"More": "更多", "More": "更多",
"Show sidebar": "顯示側邊欄", "Show sidebar": "顯示側邊欄",
"Hide sidebar": "隱藏側邊欄", "Hide sidebar": "隱藏側邊欄",
"Start sharing your screen": "開始分享您的畫面",
"Stop sharing your screen": "停止分享您的畫面",
"Stop the camera": "停止相機",
"Start the camera": "開啟相機",
"Surround selected text when typing special characters": "輸入特殊字元時,圍繞選取的文字", "Surround selected text when typing special characters": "輸入特殊字元時,圍繞選取的文字",
"Olm version:": "Olm 版本:", "Olm version:": "Olm 版本:",
"Delete avatar": "刪除大頭照", "Delete avatar": "刪除大頭照",
@ -2264,15 +2181,9 @@
"Some encryption parameters have been changed.": "部份加密參數已變更。", "Some encryption parameters have been changed.": "部份加密參數已變更。",
"Role in <RoomName/>": "<RoomName/> 中的角色", "Role in <RoomName/>": "<RoomName/> 中的角色",
"Send a sticker": "傳送貼圖", "Send a sticker": "傳送貼圖",
"Reply to thread…": "回覆討論串…",
"Reply to encrypted thread…": "回覆加密的討論串…",
"Unknown failure": "未知錯誤", "Unknown failure": "未知錯誤",
"Failed to update the join rules": "加入規則更新失敗", "Failed to update the join rules": "加入規則更新失敗",
"Select the roles required to change various parts of the space": "選取變更聊天空間各個部份所需的角色", "Select the roles required to change various parts of the space": "選取變更聊天空間各個部份所需的角色",
"Change description": "變更描述",
"Change main address for the space": "變更聊天空間的主要位址",
"Change space name": "變更聊天空間名稱",
"Change space avatar": "變更聊天空間大頭照",
"Anyone in <spaceName/> can find and join. You can select other spaces too.": "在 <spaceName/> 中的任何人都可以找到並加入。您也可以選取其他聊天空間。", "Anyone in <spaceName/> can find and join. You can select other spaces too.": "在 <spaceName/> 中的任何人都可以找到並加入。您也可以選取其他聊天空間。",
"Message didn't send. Click for info.": "訊息未傳送。點擊以取得更多資訊。", "Message didn't send. Click for info.": "訊息未傳送。點擊以取得更多資訊。",
"To join a space you'll need an invite.": "若要加入聊天空間,您必須被邀請。", "To join a space you'll need an invite.": "若要加入聊天空間,您必須被邀請。",
@ -2396,7 +2307,6 @@
"Show all threads": "顯示所有討論串", "Show all threads": "顯示所有討論串",
"Keep discussions organised with threads": "使用「討論串」功能,讓討論保持有條不紊", "Keep discussions organised with threads": "使用「討論串」功能,讓討論保持有條不紊",
"Reply in thread": "在討論串中回覆", "Reply in thread": "在討論串中回覆",
"Manage rooms in this space": "管理此聊天空間中的聊天室",
"Rooms outside of a space": "聊天空間外的聊天室", "Rooms outside of a space": "聊天空間外的聊天室",
"Show all your rooms in Home, even if they're in a space.": "將您所有的聊天室顯示在首頁,即便它們位於同一個聊天空間。", "Show all your rooms in Home, even if they're in a space.": "將您所有的聊天室顯示在首頁,即便它們位於同一個聊天空間。",
"Home is useful for getting an overview of everything.": "首頁對於取得所有內容的概覽很有用。", "Home is useful for getting an overview of everything.": "首頁對於取得所有內容的概覽很有用。",
@ -2467,11 +2377,8 @@
"Help improve %(analyticsOwner)s": "協助改善 %(analyticsOwner)s", "Help improve %(analyticsOwner)s": "協助改善 %(analyticsOwner)s",
"That's fine": "沒關係", "That's fine": "沒關係",
"Share location": "分享位置", "Share location": "分享位置",
"Manage pinned events": "管理已釘選的活動",
"You cannot place calls without a connection to the server.": "您無法在未連線至伺服器的情況下通話。", "You cannot place calls without a connection to the server.": "您無法在未連線至伺服器的情況下通話。",
"Connectivity to the server has been lost": "與伺服器的連線已遺失", "Connectivity to the server has been lost": "與伺服器的連線已遺失",
"You cannot place calls in this browser.": "您無法在此瀏覽器中通話。",
"Calls are unsupported": "不支援通話",
"Toggle space panel": "切換聊天空間面板", "Toggle space panel": "切換聊天空間面板",
"Are you sure you want to end this poll? This will show the final results of the poll and stop people from being able to vote.": "您確定您想要結束此投票?這將會顯示最終投票結果並阻止人們投票。", "Are you sure you want to end this poll? This will show the final results of the poll and stop people from being able to vote.": "您確定您想要結束此投票?這將會顯示最終投票結果並阻止人們投票。",
"End Poll": "結束投票", "End Poll": "結束投票",
@ -2501,7 +2408,6 @@
"This address had invalid server or is already in use": "此位址的伺服器無效或已被使用", "This address had invalid server or is already in use": "此位址的伺服器無效或已被使用",
"Missing room name or separator e.g. (my-room:domain.org)": "缺少聊天室名稱或分隔符號,例如 (my-room:domain.org)", "Missing room name or separator e.g. (my-room:domain.org)": "缺少聊天室名稱或分隔符號,例如 (my-room:domain.org)",
"Missing domain separator e.g. (:domain.org)": "缺少網域名分隔符號,例如 (:domain.org)", "Missing domain separator e.g. (:domain.org)": "缺少網域名分隔符號,例如 (:domain.org)",
"Dial": "撥號",
"Back to thread": "回到討論串", "Back to thread": "回到討論串",
"Room members": "聊天室成員", "Room members": "聊天室成員",
"Back to chat": "回到聊天", "Back to chat": "回到聊天",
@ -2522,7 +2428,6 @@
"Verify this device by confirming the following number appears on its screen.": "透過確認螢幕上顯示的以下數字來驗證裝置。", "Verify this device by confirming the following number appears on its screen.": "透過確認螢幕上顯示的以下數字來驗證裝置。",
"Confirm the emoji below are displayed on both devices, in the same order:": "確認以下的表情符號以相同的順序顯示在兩台裝置上:", "Confirm the emoji below are displayed on both devices, in the same order:": "確認以下的表情符號以相同的順序顯示在兩台裝置上:",
"Expand map": "展開地圖", "Expand map": "展開地圖",
"Send reactions": "傳送回應",
"No active call in this room": "此聊天室內沒有活躍的通話", "No active call in this room": "此聊天室內沒有活躍的通話",
"Unable to find Matrix ID for phone number": "找不到電話號碼的 Matrix ID", "Unable to find Matrix ID for phone number": "找不到電話號碼的 Matrix ID",
"Unknown (user, session) pair: (%(userId)s, %(deviceId)s)": "未知(使用者,工作階段)配對:(%(userId)s, %(deviceId)s)", "Unknown (user, session) pair: (%(userId)s, %(deviceId)s)": "未知(使用者,工作階段)配對:(%(userId)s, %(deviceId)s)",
@ -2550,7 +2455,6 @@
"Remove them from everything I'm able to": "從我有權限的所有地方移除", "Remove them from everything I'm able to": "從我有權限的所有地方移除",
"Remove from %(roomName)s": "從 %(roomName)s 移除", "Remove from %(roomName)s": "從 %(roomName)s 移除",
"You were removed from %(roomName)s by %(memberName)s": "您已被 %(memberName)s 從 %(roomName)s 中移除", "You were removed from %(roomName)s by %(memberName)s": "您已被 %(memberName)s 從 %(roomName)s 中移除",
"Remove users": "移除使用者",
"Remove, ban, or invite people to your active room, and make you leave": "移除、封鎖或邀請夥伴加入您的活躍聊天室,然後讓您離開", "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": "移除、封鎖或邀請他人進入此聊天室,然後讓您離開", "Remove, ban, or invite people to this room, and make you leave": "移除、封鎖或邀請他人進入此聊天室,然後讓您離開",
"Open this settings tab": "開啟此設定分頁", "Open this settings tab": "開啟此設定分頁",
@ -2641,7 +2545,6 @@
"Switch to space by number": "根據數字切換到空格", "Switch to space by number": "根據數字切換到空格",
"Pinned": "已釘選", "Pinned": "已釘選",
"Open thread": "開啟討論串", "Open thread": "開啟討論串",
"Remove messages sent by me": "移除我傳送的訊息",
"No virtual room for this room": "此聊天室沒有虛擬聊天室", "No virtual room for this room": "此聊天室沒有虛擬聊天室",
"Switches to this room's virtual room, if it has one": "切換到此聊天室的虛擬聊天室(若有)", "Switches to this room's virtual room, if it has one": "切換到此聊天室的虛擬聊天室(若有)",
"Export Cancelled": "匯出已取消", "Export Cancelled": "匯出已取消",
@ -2763,12 +2666,6 @@
"View List": "檢視清單", "View List": "檢視清單",
"View list": "檢視清單", "View list": "檢視清單",
"Updated %(humanizedUpdateTime)s": "已更新 %(humanizedUpdateTime)s", "Updated %(humanizedUpdateTime)s": "已更新 %(humanizedUpdateTime)s",
"Turn on camera": "開啟相機",
"Turn off camera": "關閉相機",
"Video devices": "視訊裝置",
"Unmute microphone": "取消麥克風靜音",
"Mute microphone": "麥克風靜音",
"Audio devices": "音訊裝置",
"Hide my messages from new joiners": "對新加入的成員隱藏我的訊息", "Hide my messages from new joiners": "對新加入的成員隱藏我的訊息",
"Your old messages will still be visible to people who received them, just like emails you sent in the past. Would you like to hide your sent messages from people who join rooms in the future?": "收到您舊訊息的人仍可以看見他們,就像您過去傳送的電子郵件一樣。您想要對未來加入聊天室的人隱藏您已傳送的訊息嗎?", "Your old messages will still be visible to people who received them, just like emails you sent in the past. Would you like to hide your sent messages from people who join rooms in the future?": "收到您舊訊息的人仍可以看見他們,就像您過去傳送的電子郵件一樣。您想要對未來加入聊天室的人隱藏您已傳送的訊息嗎?",
"You will be removed from the identity server: your friends will no longer be able to find you with your email or phone number": "您將從身分伺服器被移除:您的朋友將無法再透過您的電子郵件或電話號碼找到您", "You will be removed from the identity server: your friends will no longer be able to find you with your email or phone number": "您將從身分伺服器被移除:您的朋友將無法再透過您的電子郵件或電話號碼找到您",
@ -2951,7 +2848,6 @@
"Sign out of this session": "登出此工作階段", "Sign out of this session": "登出此工作階段",
"Rename session": "重新命名工作階段", "Rename session": "重新命名工作階段",
"Voice broadcast": "語音廣播", "Voice broadcast": "語音廣播",
"Voice broadcasts": "語音廣播",
"You do not have permission to start voice calls": "您無權限開始語音通話", "You do not have permission to start voice calls": "您無權限開始語音通話",
"There's no one here to call": "這裡沒有人可以通話", "There's no one here to call": "這裡沒有人可以通話",
"You do not have permission to start video calls": "您沒有權限開始視訊通話", "You do not have permission to start video calls": "您沒有權限開始視訊通話",
@ -2973,7 +2869,6 @@
"Web session": "網頁工作階段", "Web session": "網頁工作階段",
"Mobile session": "行動裝置工作階段", "Mobile session": "行動裝置工作階段",
"Desktop session": "桌面工作階段", "Desktop session": "桌面工作階段",
"Video call started": "視訊通話已開始",
"Unknown room": "未知的聊天室", "Unknown room": "未知的聊天室",
"Room info": "聊天室資訊", "Room info": "聊天室資訊",
"View chat timeline": "檢視聊天時間軸", "View chat timeline": "檢視聊天時間軸",
@ -2986,13 +2881,9 @@
"You do not have sufficient permissions to change this.": "您沒有足夠的權限來變更此設定。", "You do not have sufficient permissions to change this.": "您沒有足夠的權限來變更此設定。",
"%(brand)s is end-to-end encrypted, but is currently limited to smaller numbers of users.": "%(brand)s 提供端對端加密,但目前使用者數量較少。", "%(brand)s is end-to-end encrypted, but is currently limited to smaller numbers of users.": "%(brand)s 提供端對端加密,但目前使用者數量較少。",
"Enable %(brand)s as an additional calling option in this room": "啟用 %(brand)s 作為此聊天室的額外通話選項", "Enable %(brand)s as an additional calling option in this room": "啟用 %(brand)s 作為此聊天室的額外通話選項",
"Join %(brand)s calls": "加入 %(brand)s 通話",
"Start %(brand)s calls": "開始 %(brand)s 通話",
"Fill screen": "填滿螢幕",
"Sorry — this call is currently full": "抱歉 — 此通話目前已滿", "Sorry — this call is currently full": "抱歉 — 此通話目前已滿",
"resume voice broadcast": "恢復語音廣播", "resume voice broadcast": "恢復語音廣播",
"pause voice broadcast": "暫停語音廣播", "pause voice broadcast": "暫停語音廣播",
"Notifications silenced": "通知已靜音",
"Completing set up of your new device": "完成您新裝置的設定", "Completing set up of your new device": "完成您新裝置的設定",
"Waiting for device to sign in": "正在等待裝置登入", "Waiting for device to sign in": "正在等待裝置登入",
"Review and approve the sign in": "審閱並批准登入", "Review and approve the sign in": "審閱並批准登入",
@ -3265,8 +3156,6 @@
"%(errorMessage)s (HTTP status %(httpStatus)s)": "%(errorMessage)sHTTP 狀態 %(httpStatus)s", "%(errorMessage)s (HTTP status %(httpStatus)s)": "%(errorMessage)sHTTP 狀態 %(httpStatus)s",
"Unknown password change error (%(stringifiedError)s)": "未知密碼變更錯誤(%(stringifiedError)s", "Unknown password change error (%(stringifiedError)s)": "未知密碼變更錯誤(%(stringifiedError)s",
"Error while changing password: %(error)s": "變更密碼時發生錯誤:%(error)s", "Error while changing password: %(error)s": "變更密碼時發生錯誤:%(error)s",
"%(sender)s reacted %(reaction)s to %(message)s": "%(sender)s 已對「%(message)s」回應「%(reaction)s」",
"You reacted %(reaction)s to %(message)s": "您已對「%(message)s」回應「%(reaction)s」",
"Cannot invite user by email without an identity server. You can connect to one under \"Settings\".": "無法在未設定身分伺服器時,邀請使用者。您可以到「設定」畫面中連線到一組伺服器。", "Cannot invite user by email without an identity server. You can connect to one under \"Settings\".": "無法在未設定身分伺服器時,邀請使用者。您可以到「設定」畫面中連線到一組伺服器。",
"Unable to create room with moderation bot": "無法使用審核機器人建立聊天室", "Unable to create room with moderation bot": "無法使用審核機器人建立聊天室",
"Failed to download source media, no source url was found": "下載來源媒體失敗,找不到來源 URL", "Failed to download source media, no source url was found": "下載來源媒體失敗,找不到來源 URL",
@ -3429,7 +3318,11 @@
"server": "伺服器", "server": "伺服器",
"capabilities": "功能", "capabilities": "功能",
"unnamed_room": "未命名的聊天室", "unnamed_room": "未命名的聊天室",
"unnamed_space": "未命名聊天空間" "unnamed_space": "未命名聊天空間",
"stickerpack": "貼圖包",
"system_alerts": "系統警告",
"secure_backup": "安全備份",
"cross_signing": "交叉簽署"
}, },
"action": { "action": {
"continue": "繼續", "continue": "繼續",
@ -3608,7 +3501,14 @@
"format_decrease_indent": "減少縮排", "format_decrease_indent": "減少縮排",
"format_inline_code": "代碼", "format_inline_code": "代碼",
"format_code_block": "程式碼區塊", "format_code_block": "程式碼區塊",
"format_link": "連結" "format_link": "連結",
"send_button_title": "傳送訊息",
"placeholder_thread_encrypted": "回覆加密的討論串…",
"placeholder_thread": "回覆討論串…",
"placeholder_reply_encrypted": "傳送加密的回覆…",
"placeholder_reply": "傳送回覆…",
"placeholder_encrypted": "傳送加密訊息…",
"placeholder": "傳送訊息…"
}, },
"Bold": "粗體", "Bold": "粗體",
"Link": "連結", "Link": "連結",
@ -3631,7 +3531,11 @@
"send_logs": "傳送紀錄檔", "send_logs": "傳送紀錄檔",
"github_issue": "GitHub 議題", "github_issue": "GitHub 議題",
"download_logs": "下載紀錄檔", "download_logs": "下載紀錄檔",
"before_submitting": "在遞交紀錄檔前,您必須<a>建立 GitHub 議題</a>以描述您的問題。" "before_submitting": "在遞交紀錄檔前,您必須<a>建立 GitHub 議題</a>以描述您的問題。",
"collecting_information": "收集應用程式版本資訊",
"collecting_logs": "收集記錄檔",
"uploading_logs": "正在上傳紀錄檔",
"downloading_logs": "正在下載紀錄檔"
}, },
"time": { "time": {
"hours_minutes_seconds_left": "剩餘 %(hours)s 小時 %(minutes)s 分鐘 %(seconds)s 秒", "hours_minutes_seconds_left": "剩餘 %(hours)s 小時 %(minutes)s 分鐘 %(seconds)s 秒",
@ -3839,7 +3743,9 @@
"developer_tools": "開發者工具", "developer_tools": "開發者工具",
"room_id": "聊天室 ID%(roomId)s", "room_id": "聊天室 ID%(roomId)s",
"thread_root_id": "討論串 Root ID%(threadRootId)s", "thread_root_id": "討論串 Root ID%(threadRootId)s",
"event_id": "事件 ID%(eventId)s" "event_id": "事件 ID%(eventId)s",
"category_room": "聊天室",
"category_other": "其他"
}, },
"export_chat": { "export_chat": {
"html": "HTML", "html": "HTML",
@ -3997,6 +3903,9 @@
"other": "%(names)s 與其他 %(count)s 個人正在打字…", "other": "%(names)s 與其他 %(count)s 個人正在打字…",
"one": "%(names)s 與另一個人正在打字…" "one": "%(names)s 與另一個人正在打字…"
} }
},
"m.call.hangup": {
"dm": "通話結束"
} }
}, },
"slash_command": { "slash_command": {
@ -4033,7 +3942,14 @@
"help": "顯示包含用法與描述的指令清單", "help": "顯示包含用法與描述的指令清單",
"whois": "顯示關於使用者的資訊", "whois": "顯示關於使用者的資訊",
"rageshake": "傳送有紀錄檔的錯誤回報", "rageshake": "傳送有紀錄檔的錯誤回報",
"msg": "傳送訊息給指定的使用者" "msg": "傳送訊息給指定的使用者",
"usage": "使用方法",
"category_messages": "訊息",
"category_actions": "動作",
"category_admin": "管理員",
"category_advanced": "進階",
"category_effects": "影響",
"category_other": "其他"
}, },
"presence": { "presence": {
"busy": "忙碌", "busy": "忙碌",
@ -4047,5 +3963,108 @@
"offline": "離線", "offline": "離線",
"away": "離開" "away": "離開"
}, },
"Unknown": "未知" "Unknown": "未知",
"event_preview": {
"m.call.answer": {
"you": "您已加入通話",
"user": "%(senderName)s 已加入通話",
"dm": "通話進行中"
},
"m.call.hangup": {
"you": "您結束了通話",
"user": "%(senderName)s 結束了通話"
},
"m.call.invite": {
"you": "您開始了通話",
"user": "%(senderName)s 開始了通話",
"dm_send": "正在等待回應",
"dm_receive": "%(senderName)s 正在通話"
},
"m.emote": "* %(senderName)s %(emote)s",
"m.text": "%(senderName)s%(message)s",
"m.reaction": {
"you": "您已對「%(message)s」回應「%(reaction)s」",
"user": "%(sender)s 已對「%(message)s」回應「%(reaction)s」"
},
"m.sticker": "%(senderName)s%(stickerName)s"
},
"voip": {
"disable_microphone": "麥克風靜音",
"enable_microphone": "取消麥克風靜音",
"disable_camera": "關閉相機",
"enable_camera": "開啟相機",
"audio_devices": "音訊裝置",
"video_devices": "視訊裝置",
"dial": "撥號",
"you_are_presenting": "您正在投影",
"user_is_presenting": "%(sharerName)s 正在投影",
"camera_disabled": "您的相機已關閉",
"camera_enabled": "您的相機開啟中",
"consulting": "與 %(transferTarget)s 進行諮詢。<a>轉移至 %(transferee)s</a>",
"call_held_switch": "您已保留通話<a>切換</a>",
"call_held_resume": "您已保留通話<a>繼續</a>",
"call_held": "%(peerName)s 保留通話",
"dialpad": "撥號鍵盤",
"stop_screenshare": "停止分享您的畫面",
"start_screenshare": "開始分享您的畫面",
"hangup": "掛斷",
"maximise": "填滿螢幕",
"expand": "回到通話",
"on_hold": "保留 %(name)s",
"voice_call": "語音通話",
"video_call": "視訊通話",
"video_call_started": "視訊通話已開始",
"unsilence": "開啟聲音",
"silence": "通話靜音",
"silenced": "通知已靜音",
"unknown_caller": "未知的來電者",
"call_failed": "無法通話",
"unable_to_access_microphone": "無法存取麥克風",
"call_failed_microphone": "無法通話,因為無法存取麥克風。請檢查是否已插入麥克風並正確設定。",
"unable_to_access_media": "無法存取網路攝影機/麥克風",
"call_failed_media": "無法通話,因為無法存取網路攝影機或麥克風。請檢查:",
"call_failed_media_connected": "麥克風與網路攝影機已插入並正確設定",
"call_failed_media_permissions": "授予使用網路攝影機的權限",
"call_failed_media_applications": "無其他應用程式正在使用網路攝影機",
"already_in_call": "已在通話中",
"already_in_call_person": "您正在與此人通話。",
"unsupported": "不支援通話",
"unsupported_browser": "您無法在此瀏覽器中通話。"
},
"Messages": "訊息",
"Other": "其他",
"Advanced": "進階",
"room_settings": {
"permissions": {
"m.room.avatar_space": "變更聊天空間大頭照",
"m.room.avatar": "變更聊天室大頭照",
"m.room.name_space": "變更聊天空間名稱",
"m.room.name": "變更聊天室名稱",
"m.room.canonical_alias_space": "變更聊天空間的主要位址",
"m.room.canonical_alias": "變更聊天室主要位址",
"m.space.child": "管理此聊天空間中的聊天室",
"m.room.history_visibility": "變更紀錄能見度",
"m.room.power_levels": "變更權限",
"m.room.topic_space": "變更描述",
"m.room.topic": "變更主題",
"m.room.tombstone": "升級聊天室",
"m.room.encryption": "啟用聊天室加密",
"m.room.server_acl": "變更伺服器 ACL",
"m.reaction": "傳送回應",
"m.room.redaction": "移除我傳送的訊息",
"m.widget": "修改小工具",
"io.element.voice_broadcast_info": "語音廣播",
"m.room.pinned_events": "管理已釘選的活動",
"m.call": "開始 %(brand)s 通話",
"m.call.member": "加入 %(brand)s 通話",
"users_default": "預設角色",
"events_default": "傳送訊息",
"invite": "邀請使用者",
"state_default": "變更設定",
"kick": "移除使用者",
"ban": "封鎖使用者",
"redact": "移除其他人傳送的訊息",
"notifications.room": "通知每個人"
}
}
} }

View file

@ -40,7 +40,7 @@ interface IOpts {
async function collectBugReport(opts: IOpts = {}, gzipLogs = true): Promise<FormData> { async function collectBugReport(opts: IOpts = {}, gzipLogs = true): Promise<FormData> {
const progressCallback = opts.progressCallback || ((): void => {}); const progressCallback = opts.progressCallback || ((): void => {});
progressCallback(_t("Collecting app version information")); progressCallback(_t("bug_reporting|collecting_information"));
let version: string | undefined; let version: string | undefined;
try { try {
version = await PlatformPeg.get()?.getAppVersion(); version = await PlatformPeg.get()?.getAppVersion();
@ -220,7 +220,7 @@ async function collectBugReport(opts: IOpts = {}, gzipLogs = true): Promise<Form
pako = await import("pako"); pako = await import("pako");
} }
progressCallback(_t("Collecting logs")); progressCallback(_t("bug_reporting|collecting_logs"));
const logs = await rageshake.getLogsForReport(); const logs = await rageshake.getLogsForReport();
for (const entry of logs) { for (const entry of logs) {
// encode as UTF-8 // encode as UTF-8
@ -261,7 +261,7 @@ export default async function sendBugReport(bugReportEndpoint?: string, opts: IO
const progressCallback = opts.progressCallback || ((): void => {}); const progressCallback = opts.progressCallback || ((): void => {});
const body = await collectBugReport(opts); const body = await collectBugReport(opts);
progressCallback(_t("Uploading logs")); progressCallback(_t("bug_reporting|uploading_logs"));
return submitReport(bugReportEndpoint, body, progressCallback); return submitReport(bugReportEndpoint, body, progressCallback);
} }
@ -284,7 +284,7 @@ export async function downloadBugReport(opts: IOpts = {}): Promise<void> {
const progressCallback = opts.progressCallback || ((): void => {}); const progressCallback = opts.progressCallback || ((): void => {});
const body = await collectBugReport(opts, false); const body = await collectBugReport(opts, false);
progressCallback(_t("Downloading logs")); progressCallback(_t("bug_reporting|downloading_logs"));
let metadata = ""; let metadata = "";
const tape = new Tar(); const tape = new Tar();
let i = 0; let i = 0;

View file

@ -107,7 +107,7 @@ export class Command {
} }
public getUsage(): string { public getUsage(): string {
return _t("Usage") + ": " + this.getCommandWithArgs(); return _t("slash_command|usage") + ": " + this.getCommandWithArgs();
} }
public isEnabled(cli: MatrixClient | null): boolean { public isEnabled(cli: MatrixClient | null): boolean {

View file

@ -23,12 +23,12 @@ import { _td } from "../languageHandler";
import { XOR } from "../@types/common"; import { XOR } from "../@types/common";
export const CommandCategories = { export const CommandCategories = {
messages: _td("Messages"), messages: _td("slash_command|category_messages"),
actions: _td("Actions"), actions: _td("slash_command|category_actions"),
admin: _td("Admin"), admin: _td("slash_command|category_admin"),
advanced: _td("Advanced"), advanced: _td("slash_command|category_advanced"),
effects: _td("Effects"), effects: _td("slash_command|category_effects"),
other: _td("Other"), other: _td("slash_command|category_other"),
}; };
export type RunResult = XOR<{ error: Error }, { promise: Promise<IContent | undefined> }>; export type RunResult = XOR<{ error: Error }, { promise: Promise<IContent | undefined> }>;

View file

@ -25,12 +25,12 @@ export class LegacyCallAnswerEventPreview implements IPreview {
public getTextFor(event: MatrixEvent, tagId?: TagID): string { public getTextFor(event: MatrixEvent, tagId?: TagID): string {
if (shouldPrefixMessagesIn(event.getRoomId()!, tagId)) { if (shouldPrefixMessagesIn(event.getRoomId()!, tagId)) {
if (isSelf(event)) { if (isSelf(event)) {
return _t("You joined the call"); return _t("event_preview|m.call.answer|you");
} else { } else {
return _t("%(senderName)s joined the call", { senderName: getSenderName(event) }); return _t("event_preview|m.call.answer|user", { senderName: getSenderName(event) });
} }
} else { } else {
return _t("Call in progress"); return _t("event_preview|m.call.answer|dm");
} }
} }
} }

View file

@ -25,12 +25,12 @@ export class LegacyCallHangupEvent implements IPreview {
public getTextFor(event: MatrixEvent, tagId?: TagID): string { public getTextFor(event: MatrixEvent, tagId?: TagID): string {
if (shouldPrefixMessagesIn(event.getRoomId()!, tagId)) { if (shouldPrefixMessagesIn(event.getRoomId()!, tagId)) {
if (isSelf(event)) { if (isSelf(event)) {
return _t("You ended the call"); return _t("event_preview|m.call.hangup|you");
} else { } else {
return _t("%(senderName)s ended the call", { senderName: getSenderName(event) }); return _t("event_preview|m.call.hangup|user", { senderName: getSenderName(event) });
} }
} else { } else {
return _t("Call ended"); return _t("timeline|m.call.hangup|dm");
} }
} }
} }

View file

@ -25,15 +25,15 @@ export class LegacyCallInviteEventPreview implements IPreview {
public getTextFor(event: MatrixEvent, tagId?: TagID): string { public getTextFor(event: MatrixEvent, tagId?: TagID): string {
if (shouldPrefixMessagesIn(event.getRoomId()!, tagId)) { if (shouldPrefixMessagesIn(event.getRoomId()!, tagId)) {
if (isSelf(event)) { if (isSelf(event)) {
return _t("You started a call"); return _t("event_preview|m.call.invite|you");
} else { } else {
return _t("%(senderName)s started a call", { senderName: getSenderName(event) }); return _t("event_preview|m.call.invite|user", { senderName: getSenderName(event) });
} }
} else { } else {
if (isSelf(event)) { if (isSelf(event)) {
return _t("Waiting for answer"); return _t("event_preview|m.call.invite|dm_send");
} else { } else {
return _t("%(senderName)s is calling", { senderName: getSenderName(event) }); return _t("event_preview|m.call.invite|dm_receive", { senderName: getSenderName(event) });
} }
} }
} }

View file

@ -68,7 +68,7 @@ export class MessageEventPreview implements IPreview {
body = sanitizeForTranslation(body); body = sanitizeForTranslation(body);
if (msgtype === MsgType.Emote) { if (msgtype === MsgType.Emote) {
return _t("* %(senderName)s %(emote)s", { senderName: getSenderName(event), emote: body }); return _t("event_preview|m.emote", { senderName: getSenderName(event), emote: body });
} }
const roomId = event.getRoomId(); const roomId = event.getRoomId();
@ -76,7 +76,7 @@ export class MessageEventPreview implements IPreview {
if (isThread || isSelf(event) || (roomId && !shouldPrefixMessagesIn(roomId, tagId))) { if (isThread || isSelf(event) || (roomId && !shouldPrefixMessagesIn(roomId, tagId))) {
return body; return body;
} else { } else {
return _t("%(senderName)s: %(message)s", { senderName: getSenderName(event), message: body }); return _t("event_preview|m.text", { senderName: getSenderName(event), message: body });
} }
} }
} }

View file

@ -53,7 +53,7 @@ export class PollStartEventPreview implements IPreview {
if (isThread || isSelf(event) || !shouldPrefixMessagesIn(event.getRoomId()!, tagId)) { if (isThread || isSelf(event) || !shouldPrefixMessagesIn(event.getRoomId()!, tagId)) {
return question; return question;
} else { } else {
return _t("%(senderName)s: %(message)s", { senderName: getSenderName(event), message: question }); return _t("event_preview|m.text", { senderName: getSenderName(event), message: question });
} }
} catch (e) { } catch (e) {
if (e instanceof InvalidEventError) { if (e instanceof InvalidEventError) {

View file

@ -41,13 +41,13 @@ export class ReactionEventPreview implements IPreview {
const message = MessagePreviewStore.instance.generatePreviewForEvent(relatedEvent); const message = MessagePreviewStore.instance.generatePreviewForEvent(relatedEvent);
if (isSelf(event)) { if (isSelf(event)) {
return _t("You reacted %(reaction)s to %(message)s", { return _t("event_preview|m.reaction|you", {
reaction, reaction,
message, message,
}); });
} }
return _t("%(sender)s reacted %(reaction)s to %(message)s", { return _t("event_preview|m.reaction|user", {
sender: getSenderName(event), sender: getSenderName(event),
reaction, reaction,
message, message,

View file

@ -29,7 +29,7 @@ export class StickerEventPreview implements IPreview {
if (isThread || isSelf(event) || !shouldPrefixMessagesIn(event.getRoomId()!, tagId)) { if (isThread || isSelf(event) || !shouldPrefixMessagesIn(event.getRoomId()!, tagId)) {
return stickerName; return stickerName;
} else { } else {
return _t("%(senderName)s: %(stickerName)s", { senderName: getSenderName(event), stickerName }); return _t("event_preview|m.sticker", { senderName: getSenderName(event), stickerName });
} }
} }
} }

View file

@ -134,7 +134,7 @@ export function IncomingCallToast({ callEvent }: Props): JSX.Element {
<div className="mx_IncomingCallToast_content"> <div className="mx_IncomingCallToast_content">
<div className="mx_IncomingCallToast_info"> <div className="mx_IncomingCallToast_info">
<span className="mx_IncomingCallToast_room">{room ? room.name : _t("Unknown room")}</span> <span className="mx_IncomingCallToast_room">{room ? room.name : _t("Unknown room")}</span>
<div className="mx_IncomingCallToast_message">{_t("Video call started")}</div> <div className="mx_IncomingCallToast_message">{_t("voip|video_call_started")}</div>
{call ? ( {call ? (
<LiveContentSummaryWithCall call={call} /> <LiveContentSummaryWithCall call={call} />
) : ( ) : (

View file

@ -96,9 +96,9 @@ export default class IncomingLegacyCallToast extends React.Component<IProps, ISt
const isVoice = this.props.call.type === CallType.Voice; const isVoice = this.props.call.type === CallType.Voice;
const callForcedSilent = LegacyCallHandler.instance.isForcedSilent(); const callForcedSilent = LegacyCallHandler.instance.isForcedSilent();
let silenceButtonTooltip = this.state.silenced ? _t("Sound on") : _t("Silence call"); let silenceButtonTooltip = this.state.silenced ? _t("voip|unsilence") : _t("voip|silence");
if (callForcedSilent) { if (callForcedSilent) {
silenceButtonTooltip = _t("Notifications silenced"); silenceButtonTooltip = _t("voip|silenced");
} }
const contentClass = classNames("mx_IncomingLegacyCallToast_content", { const contentClass = classNames("mx_IncomingLegacyCallToast_content", {
@ -114,10 +114,10 @@ export default class IncomingLegacyCallToast extends React.Component<IProps, ISt
<React.Fragment> <React.Fragment>
<RoomAvatar room={room ?? undefined} size="32px" /> <RoomAvatar room={room ?? undefined} size="32px" />
<div className={contentClass}> <div className={contentClass}>
<span className="mx_LegacyCallEvent_caller">{room ? room.name : _t("Unknown caller")}</span> <span className="mx_LegacyCallEvent_caller">{room ? room.name : _t("voip|unknown_caller")}</span>
<div className="mx_LegacyCallEvent_type"> <div className="mx_LegacyCallEvent_type">
<div className="mx_LegacyCallEvent_type_icon" /> <div className="mx_LegacyCallEvent_type_icon" />
{isVoice ? _t("Voice call") : _t("Video call")} {isVoice ? _t("voip|voice_call") : _t("voip|video_call")}
</div> </div>
<div className="mx_IncomingLegacyCallToast_buttons"> <div className="mx_IncomingLegacyCallToast_buttons">
<AccessibleButton <AccessibleButton