Migrate more strings to translation keys (#11510)

This commit is contained in:
Michael Telatynski 2023-09-01 10:53:32 +01:00 committed by GitHub
parent 0e8f79b268
commit b1f17f5478
No known key found for this signature in database
GPG key ID: 4AEE18F83AFDEB23
64 changed files with 3507 additions and 3306 deletions

View file

@ -98,7 +98,7 @@ export const AccountDataExplorer: React.FC<IDevtoolsProps> = ({ onBack, setTool
<BaseAccountDataExplorer <BaseAccountDataExplorer
events={cli.store.accountData} events={cli.store.accountData}
Editor={AccountDataEventEditor} Editor={AccountDataEventEditor}
actionLabel={_t("Send custom account data event")} actionLabel={_t("devtools|send_custom_account_data_event")}
onBack={onBack} onBack={onBack}
setTool={setTool} setTool={setTool}
/> />
@ -112,7 +112,7 @@ export const RoomAccountDataExplorer: React.FC<IDevtoolsProps> = ({ onBack, setT
<BaseAccountDataExplorer <BaseAccountDataExplorer
events={context.room.accountData} events={context.room.accountData}
Editor={RoomAccountDataEventEditor} Editor={RoomAccountDataEventEditor}
actionLabel={_t("Send custom room account data event")} actionLabel={_t("devtools|send_custom_room_account_data_event")}
onBack={onBack} onBack={onBack}
setTool={setTool} setTool={setTool}
/> />

View file

@ -43,13 +43,13 @@ interface IFieldDef {
export const eventTypeField = (defaultValue?: string): IFieldDef => ({ export const eventTypeField = (defaultValue?: string): IFieldDef => ({
id: "eventType", id: "eventType",
label: _td("Event Type"), label: _td("devtools|event_type"),
default: defaultValue, default: defaultValue,
}); });
export const stateKeyField = (defaultValue?: string): IFieldDef => ({ export const stateKeyField = (defaultValue?: string): IFieldDef => ({
id: "stateKey", id: "stateKey",
label: _td("State Key"), label: _td("devtools|state_key"),
default: defaultValue, default: defaultValue,
}); });
@ -69,7 +69,7 @@ const validateEventContent = withValidation<any, Error | undefined>({
if (!value) return true; if (!value) return true;
return !error; return !error;
}, },
invalid: (error) => _t("Doesn't look like valid JSON.") + " " + error, invalid: (error) => _t("devtools|invalid_json") + " " + error,
}, },
], ],
}); });
@ -111,9 +111,9 @@ export const EventEditor: React.FC<IEventEditorProps> = ({ fieldDefs, defaultCon
const json = JSON.parse(content); const json = JSON.parse(content);
await onSend(fieldData, json); await onSend(fieldData, json);
} catch (e) { } catch (e) {
return _t("Failed to send event!") + (e instanceof Error ? ` (${e.message})` : ""); return _t("devtools|failed_to_send") + (e instanceof Error ? ` (${e.message})` : "");
} }
return _t("Event sent!"); return _t("devtools|event_sent");
}; };
return ( return (
@ -122,7 +122,7 @@ export const EventEditor: React.FC<IEventEditorProps> = ({ fieldDefs, defaultCon
<Field <Field
id="evContent" id="evContent"
label={_t("Event Content")} label={_t("devtools|event_content")}
type="text" type="text"
className="mx_DevTools_textarea" className="mx_DevTools_textarea"
autoComplete="off" autoComplete="off"

View file

@ -33,27 +33,29 @@ function UserReadUpTo({ target }: { target: ReadReceipt<any, any> }): JSX.Elemen
return ( return (
<> <>
<li> <li>
{_t("User read up to: ")} {_t("devtools|user_read_up_to")}
<strong>{target.getReadReceiptForUserId(userId)?.eventId ?? _t("No receipt found")}</strong> <strong>{target.getReadReceiptForUserId(userId)?.eventId ?? _t("devtools|no_receipt_found")}</strong>
</li> </li>
<li> <li>
{_t("User read up to (ignoreSynthetic): ")} {_t("devtools|user_read_up_to_ignore_synthetic")}
<strong>{target.getReadReceiptForUserId(userId, true)?.eventId ?? _t("No receipt found")}</strong> <strong>
{target.getReadReceiptForUserId(userId, true)?.eventId ?? _t("devtools|no_receipt_found")}
</strong>
</li> </li>
{hasPrivate && ( {hasPrivate && (
<> <>
<li> <li>
{_t("User read up to (m.read.private): ")} {_t("devtools|user_read_up_to_private")}
<strong> <strong>
{target.getReadReceiptForUserId(userId, false, ReceiptType.ReadPrivate)?.eventId ?? {target.getReadReceiptForUserId(userId, false, ReceiptType.ReadPrivate)?.eventId ??
_t("No receipt found")} _t("devtools|no_receipt_found")}
</strong> </strong>
</li> </li>
<li> <li>
{_t("User read up to (m.read.private;ignoreSynthetic): ")} {_t("devtools|user_read_up_to_private_ignore_synthetic")}
<strong> <strong>
{target.getReadReceiptForUserId(userId, true, ReceiptType.ReadPrivate)?.eventId ?? {target.getReadReceiptForUserId(userId, true, ReceiptType.ReadPrivate)?.eventId ??
_t("No receipt found")} _t("devtools|no_receipt_found")}
</strong> </strong>
</li> </li>
</> </>
@ -72,12 +74,12 @@ export default function RoomNotifications({ onBack }: IDevtoolsProps): JSX.Eleme
return ( return (
<BaseTool onBack={onBack}> <BaseTool onBack={onBack}>
<section> <section>
<h2>{_t("Room status")}</h2> <h2>{_t("devtools|room_status")}</h2>
<ul> <ul>
<li> <li>
{count > 0 {count > 0
? _t( ? _t(
"Room unread status: <strong>%(status)s</strong>, count: <strong>%(count)s</strong>", "devtools|room_unread_status_count",
{ {
status: humanReadableNotificationColor(color), status: humanReadableNotificationColor(color),
count, count,
@ -87,7 +89,7 @@ export default function RoomNotifications({ onBack }: IDevtoolsProps): JSX.Eleme
}, },
) )
: _t( : _t(
"Room unread status: <strong>%(status)s</strong>", "devtools|room_unread_status",
{ {
status: humanReadableNotificationColor(color), status: humanReadableNotificationColor(color),
}, },
@ -98,7 +100,7 @@ export default function RoomNotifications({ onBack }: IDevtoolsProps): JSX.Eleme
</li> </li>
<li> <li>
{_t( {_t(
"Notification state is <strong>%(notificationState)s</strong>", "devtools|notification_state",
{ {
notificationState, notificationState,
}, },
@ -110,8 +112,8 @@ export default function RoomNotifications({ onBack }: IDevtoolsProps): JSX.Eleme
<li> <li>
{_t( {_t(
cli.isRoomEncrypted(room.roomId!) cli.isRoomEncrypted(room.roomId!)
? _td("Room is <strong>encrypted ✅</strong>") ? _td("devtools|room_encrypted")
: _td("Room is <strong>not encrypted 🚨</strong>"), : _td("devtools|room_not_encrypted"),
{}, {},
{ {
strong: (sub) => <strong>{sub}</strong>, strong: (sub) => <strong>{sub}</strong>,
@ -122,33 +124,36 @@ export default function RoomNotifications({ onBack }: IDevtoolsProps): JSX.Eleme
</section> </section>
<section> <section>
<h2>{_t("Main timeline")}</h2> <h2>{_t("devtools|main_timeline")}</h2>
<ul> <ul>
<li> <li>
{_t("Total: ")} {room.getRoomUnreadNotificationCount(NotificationCountType.Total)} {_t("devtools|room_notifications_total")}{" "}
{room.getRoomUnreadNotificationCount(NotificationCountType.Total)}
</li> </li>
<li> <li>
{_t("Highlight: ")} {room.getRoomUnreadNotificationCount(NotificationCountType.Highlight)} {_t("devtools|room_notifications_highlight")}{" "}
{room.getRoomUnreadNotificationCount(NotificationCountType.Highlight)}
</li> </li>
<li> <li>
{_t("Dot: ")} {doesRoomOrThreadHaveUnreadMessages(room) + ""} {_t("devtools|room_notifications_dot")} {doesRoomOrThreadHaveUnreadMessages(room) + ""}
</li> </li>
{roomHasUnread(room) && ( {roomHasUnread(room) && (
<> <>
<UserReadUpTo target={room} /> <UserReadUpTo target={room} />
<li> <li>
{_t("Last event:")} {_t("devtools|room_notifications_last_event")}
<ul> <ul>
<li> <li>
{_t("ID: ")} <strong>{room.timeline[room.timeline.length - 1].getId()}</strong> {_t("devtools|id")}{" "}
<strong>{room.timeline[room.timeline.length - 1].getId()}</strong>
</li> </li>
<li> <li>
{_t("Type: ")}{" "} {_t("devtools|room_notifications_type")}{" "}
<strong>{room.timeline[room.timeline.length - 1].getType()}</strong> <strong>{room.timeline[room.timeline.length - 1].getType()}</strong>
</li> </li>
<li> <li>
{_t("Sender: ")}{" "} {_t("devtools|room_notifications_sender")}{" "}
<strong>{room.timeline[room.timeline.length - 1].getSender()}</strong> <strong>{room.timeline[room.timeline.length - 1].getSender()}</strong>
</li> </li>
</ul> </ul>
@ -159,17 +164,17 @@ export default function RoomNotifications({ onBack }: IDevtoolsProps): JSX.Eleme
</section> </section>
<section> <section>
<h2>{_t("Threads timeline")}</h2> <h2>{_t("devtools|threads_timeline")}</h2>
<ul> <ul>
{room {room
.getThreads() .getThreads()
.filter((thread) => threadHasUnread(thread)) .filter((thread) => threadHasUnread(thread))
.map((thread) => ( .map((thread) => (
<li key={thread.id}> <li key={thread.id}>
{_t("Thread Id: ")} {thread.id} {_t("devtools|room_notifications_thread_id")} {thread.id}
<ul> <ul>
<li> <li>
{_t("Total: ")} {_t("devtools|room_notifications_total")}
<strong> <strong>
{room.getThreadUnreadNotificationCount( {room.getThreadUnreadNotificationCount(
thread.id, thread.id,
@ -178,7 +183,7 @@ export default function RoomNotifications({ onBack }: IDevtoolsProps): JSX.Eleme
</strong> </strong>
</li> </li>
<li> <li>
{_t("Highlight: ")} {_t("devtools|room_notifications_highlight")}
<strong> <strong>
{room.getThreadUnreadNotificationCount( {room.getThreadUnreadNotificationCount(
thread.id, thread.id,
@ -187,20 +192,23 @@ export default function RoomNotifications({ onBack }: IDevtoolsProps): JSX.Eleme
</strong> </strong>
</li> </li>
<li> <li>
{_t("Dot: ")} <strong>{doesRoomOrThreadHaveUnreadMessages(thread) + ""}</strong> {_t("devtools|room_notifications_dot")}{" "}
<strong>{doesRoomOrThreadHaveUnreadMessages(thread) + ""}</strong>
</li> </li>
<UserReadUpTo target={thread} /> <UserReadUpTo target={thread} />
<li> <li>
{_t("Last event:")} {_t("devtools|room_notifications_last_event")}
<ul> <ul>
<li> <li>
{_t("ID: ")} <strong>{thread.lastReply()?.getId()}</strong> {_t("devtools|id")} <strong>{thread.lastReply()?.getId()}</strong>
</li> </li>
<li> <li>
{_t("Type: ")} <strong>{thread.lastReply()?.getType()}</strong> {_t("devtools|room_notifications_type")}{" "}
<strong>{thread.lastReply()?.getType()}</strong>
</li> </li>
<li> <li>
{_t("Sender: ")} <strong>{thread.lastReply()?.getSender()}</strong> {_t("devtools|room_notifications_sender")}{" "}
<strong>{thread.lastReply()?.getSender()}</strong>
</li> </li>
</ul> </ul>
</li> </li>

View file

@ -97,7 +97,7 @@ const StateEventButton: React.FC<StateEventButtonProps> = ({ label, onClick }) =
let content = label; let content = label;
if (!trimmed) { if (!trimmed) {
content = label.length > 0 ? _t("<%(count)s spaces>", { count: label.length }) : _t("<empty string>"); content = label.length > 0 ? _t("devtools|spaces", { count: label.length }) : _t("devtools|empty_string");
} }
return ( return (
@ -150,7 +150,7 @@ const RoomStateExplorerEventType: React.FC<IEventTypeProps> = ({ eventType, onBa
const onHistoryClick = (): void => { const onHistoryClick = (): void => {
setHistory(true); setHistory(true);
}; };
const extraButton = <button onClick={onHistoryClick}>{_t("See history")}</button>; const extraButton = <button onClick={onHistoryClick}>{_t("devtools|see_history")}</button>;
return <EventViewer mxEvent={event} onBack={_onBack} Editor={StateEventEditor} extraButton={extraButton} />; return <EventViewer mxEvent={event} onBack={_onBack} Editor={StateEventEditor} extraButton={extraButton} />;
} }
@ -180,11 +180,11 @@ export const RoomStateExplorer: React.FC<IDevtoolsProps> = ({ onBack, setTool })
} }
const onAction = async (): Promise<void> => { const onAction = async (): Promise<void> => {
setTool(_t("Send custom state event"), StateEventEditor); setTool(_t("devtools|send_custom_state_event"), StateEventEditor);
}; };
return ( return (
<BaseTool onBack={onBack} actionLabel={_t("Send custom state event")} onAction={onAction}> <BaseTool onBack={onBack} actionLabel={_t("devtools|send_custom_state_event")} onAction={onAction}>
<FilteredList query={query} onChange={setQuery}> <FilteredList query={query} onChange={setQuery}>
{Array.from(events.keys()).map((eventType) => ( {Array.from(events.keys()).map((eventType) => (
<StateEventButton key={eventType} label={eventType} onClick={() => setEventType(eventType)} /> <StateEventButton key={eventType} label={eventType} onClick={() => setEventType(eventType)} />

View file

@ -73,25 +73,25 @@ const ServerInfo: React.FC<IDevtoolsProps> = ({ onBack }) => {
} else { } else {
body = ( body = (
<> <>
<h4>{_t("Capabilities")}</h4> <h4>{_t("common|capabilities")}</h4>
{capabilities !== FAILED_TO_LOAD ? ( {capabilities !== FAILED_TO_LOAD ? (
<SyntaxHighlight language="json" children={JSON.stringify(capabilities, null, 4)} /> <SyntaxHighlight language="json" children={JSON.stringify(capabilities, null, 4)} />
) : ( ) : (
<div>{_t("Failed to load.")}</div> <div>{_t("devtools|failed_to_load")}</div>
)} )}
<h4>{_t("Client Versions")}</h4> <h4>{_t("devtools|client_versions")}</h4>
{clientVersions !== FAILED_TO_LOAD ? ( {clientVersions !== FAILED_TO_LOAD ? (
<SyntaxHighlight language="json" children={JSON.stringify(clientVersions, null, 4)} /> <SyntaxHighlight language="json" children={JSON.stringify(clientVersions, null, 4)} />
) : ( ) : (
<div>{_t("Failed to load.")}</div> <div>{_t("devtools|failed_to_load")}</div>
)} )}
<h4>{_t("Server Versions")}</h4> <h4>{_t("devtools|server_versions")}</h4>
{serverVersions !== FAILED_TO_LOAD ? ( {serverVersions !== FAILED_TO_LOAD ? (
<SyntaxHighlight language="json" children={JSON.stringify(serverVersions, null, 4)} /> <SyntaxHighlight language="json" children={JSON.stringify(serverVersions, null, 4)} />
) : ( ) : (
<div>{_t("Failed to load.")}</div> <div>{_t("devtools|failed_to_load")}</div>
)} )}
</> </>
); );

View file

@ -39,8 +39,8 @@ const ServersInRoom: React.FC<IDevtoolsProps> = ({ onBack }) => {
<table> <table>
<thead> <thead>
<tr> <tr>
<th>{_t("Server")}</th> <th>{_t("common|server")}</th>
<th>{_t("Number of users")}</th> <th>{_t("devtools|number_of_users")}</th>
</tr> </tr>
</thead> </thead>
<tbody> <tbody>

View file

@ -125,22 +125,22 @@ const EditSetting: React.FC<IEditSettingProps> = ({ setting, onBack }) => {
} }
onBack(); onBack();
} catch (e) { } catch (e) {
return _t("Failed to save settings.") + (e instanceof Error ? ` (${e.message})` : ""); return _t("devtools|failed_to_save") + (e instanceof Error ? ` (${e.message})` : "");
} }
}; };
return ( return (
<BaseTool onBack={onBack} actionLabel={_t("Save setting values")} onAction={onSave}> <BaseTool onBack={onBack} actionLabel={_t("devtools|save_setting_values")} onAction={onSave}>
<h3> <h3>
{_t("Setting:")} <code>{setting}</code> {_t("devtools|setting_colon")} <code>{setting}</code>
</h3> </h3>
<div className="mx_DevTools_SettingsExplorer_warning"> <div className="mx_DevTools_SettingsExplorer_warning">
<b>{_t("Caution:")}</b> {_t("This UI does NOT check the types of the values. Use at your own risk.")} <b>{_t("devtools|caution_colon")}</b> {_t("devtools|use_at_own_risk")}
</div> </div>
<div> <div>
{_t("Setting definition:")} {_t("devtools|setting_definition")}
<pre> <pre>
<code>{JSON.stringify(SETTINGS[setting], null, 4)}</code> <code>{JSON.stringify(SETTINGS[setting], null, 4)}</code>
</pre> </pre>
@ -150,9 +150,9 @@ const EditSetting: React.FC<IEditSettingProps> = ({ setting, onBack }) => {
<table> <table>
<thead> <thead>
<tr> <tr>
<th>{_t("Level")}</th> <th>{_t("devtools|level")}</th>
<th>{_t("Settable at global")}</th> <th>{_t("devtools|settable_global")}</th>
<th>{_t("Settable at room")}</th> <th>{_t("devtools|settable_room")}</th>
</tr> </tr>
</thead> </thead>
<tbody> <tbody>
@ -172,7 +172,7 @@ const EditSetting: React.FC<IEditSettingProps> = ({ setting, onBack }) => {
<div> <div>
<Field <Field
id="valExpl" id="valExpl"
label={_t("Values at explicit levels")} label={_t("devtools|values_explicit")}
type="text" type="text"
className="mx_DevTools_textarea" className="mx_DevTools_textarea"
element="textarea" element="textarea"
@ -185,7 +185,7 @@ const EditSetting: React.FC<IEditSettingProps> = ({ setting, onBack }) => {
<div> <div>
<Field <Field
id="valExpl" id="valExpl"
label={_t("Values at explicit levels in this room")} label={_t("devtools|values_explicit_room")}
type="text" type="text"
className="mx_DevTools_textarea" className="mx_DevTools_textarea"
element="textarea" element="textarea"
@ -207,37 +207,37 @@ const ViewSetting: React.FC<IViewSettingProps> = ({ setting, onEdit, onBack }) =
const context = useContext(DevtoolsContext); const context = useContext(DevtoolsContext);
return ( return (
<BaseTool onBack={onBack} actionLabel={_t("Edit values")} onAction={onEdit}> <BaseTool onBack={onBack} actionLabel={_t("devtools|edit_values")} onAction={onEdit}>
<h3> <h3>
{_t("Setting:")} <code>{setting}</code> {_t("devtools|setting_colon")} <code>{setting}</code>
</h3> </h3>
<div> <div>
{_t("Setting definition:")} {_t("devtools|setting_definition")}
<pre> <pre>
<code>{JSON.stringify(SETTINGS[setting], null, 4)}</code> <code>{JSON.stringify(SETTINGS[setting], null, 4)}</code>
</pre> </pre>
</div> </div>
<div> <div>
{_t("Value:")}&nbsp; {_t("devtools|value_colon")}&nbsp;
<code>{renderSettingValue(SettingsStore.getValue(setting))}</code> <code>{renderSettingValue(SettingsStore.getValue(setting))}</code>
</div> </div>
<div> <div>
{_t("Value in this room:")}&nbsp; {_t("devtools|value_this_room_colon")}&nbsp;
<code>{renderSettingValue(SettingsStore.getValue(setting, context.room.roomId))}</code> <code>{renderSettingValue(SettingsStore.getValue(setting, context.room.roomId))}</code>
</div> </div>
<div> <div>
{_t("Values at explicit levels:")} {_t("devtools|values_explicit_colon")}
<pre> <pre>
<code>{renderExplicitSettingValues(setting)}</code> <code>{renderExplicitSettingValues(setting)}</code>
</pre> </pre>
</div> </div>
<div> <div>
{_t("Values at explicit levels in this room:")} {_t("devtools|values_explicit_this_room_colon")}
<pre> <pre>
<code>{renderExplicitSettingValues(setting, context.room.roomId)}</code> <code>{renderExplicitSettingValues(setting, context.room.roomId)}</code>
</pre> </pre>
@ -289,9 +289,9 @@ const SettingsList: React.FC<ISettingsListProps> = ({ onBack, onView, onEdit })
<table> <table>
<thead> <thead>
<tr> <tr>
<th>{_t("Setting ID")}</th> <th>{_t("devtools|setting_id")}</th>
<th>{_t("Value")}</th> <th>{_t("devtools|value")}</th>
<th>{_t("Value in this room")}</th> <th>{_t("devtools|value_in_this_room")}</th>
</tr> </tr>
</thead> </thead>
<tbody> <tbody>
@ -306,7 +306,7 @@ const SettingsList: React.FC<ISettingsListProps> = ({ onBack, onView, onEdit })
<code>{i}</code> <code>{i}</code>
</AccessibleButton> </AccessibleButton>
<AccessibleButton <AccessibleButton
alt={_t("Edit setting")} alt={_t("devtools|edit_setting")}
onClick={() => onEdit(i)} onClick={() => onEdit(i)}
className="mx_DevTools_SettingsExplorer_edit" className="mx_DevTools_SettingsExplorer_edit"
> >

View file

@ -28,11 +28,11 @@ import { Tool } from "../DevtoolsDialog";
const PHASE_MAP: Record<Phase, TranslationKey> = { const PHASE_MAP: Record<Phase, TranslationKey> = {
[Phase.Unsent]: _td("Unsent"), [Phase.Unsent]: _td("Unsent"),
[Phase.Requested]: _td("Requested"), [Phase.Requested]: _td("devtools|phase_requested"),
[Phase.Ready]: _td("Ready"), [Phase.Ready]: _td("devtools|phase_ready"),
[Phase.Done]: _td("action|done"), [Phase.Done]: _td("action|done"),
[Phase.Started]: _td("Started"), [Phase.Started]: _td("devtools|phase_started"),
[Phase.Cancelled]: _td("Cancelled"), [Phase.Cancelled]: _td("devtools|phase_cancelled"),
}; };
const VerificationRequestExplorer: React.FC<{ const VerificationRequestExplorer: React.FC<{
@ -62,17 +62,17 @@ const VerificationRequestExplorer: React.FC<{
return ( return (
<div className="mx_DevTools_VerificationRequest"> <div className="mx_DevTools_VerificationRequest">
<dl> <dl>
<dt>{_t("Transaction")}</dt> <dt>{_t("devtools|phase_transaction")}</dt>
<dd>{txnId}</dd> <dd>{txnId}</dd>
<dt>{_t("Phase")}</dt> <dt>{_t("devtools|phase")}</dt>
<dd>{PHASE_MAP[request.phase] ? _t(PHASE_MAP[request.phase]) : request.phase}</dd> <dd>{PHASE_MAP[request.phase] ? _t(PHASE_MAP[request.phase]) : request.phase}</dd>
<dt>{_t("Timeout")}</dt> <dt>{_t("devtools|timeout")}</dt>
<dd>{Math.floor(timeout / 1000)}</dd> <dd>{Math.floor(timeout / 1000)}</dd>
<dt>{_t("Methods")}</dt> <dt>{_t("devtools|methods")}</dt>
<dd>{request.methods && request.methods.join(", ")}</dd> <dd>{request.methods && request.methods.join(", ")}</dd>
<dt>{_t("Requester")}</dt> <dt>{_t("devtools|requester")}</dt>
<dd>{request.requestingUserId}</dd> <dd>{request.requestingUserId}</dd>
<dt>{_t("Observe only")}</dt> <dt>{_t("devtools|observe_only")}</dt>
<dd>{JSON.stringify(request.observeOnly)}</dd> <dd>{JSON.stringify(request.observeOnly)}</dd>
</dl> </dl>
</div> </div>
@ -97,7 +97,7 @@ const VerificationExplorer: Tool = ({ onBack }: IDevtoolsProps) => {
.map(([txnId, request]) => ( .map(([txnId, request]) => (
<VerificationRequestExplorer txnId={txnId} request={request} key={txnId} /> <VerificationRequestExplorer txnId={txnId} request={request} key={txnId} />
))} ))}
{requests.size < 1 && _t("No verification requests found")} {requests.size < 1 && _t("devtools|no_verification_requests_found")}
</BaseTool> </BaseTool>
); );
}; };

View file

@ -51,7 +51,7 @@ const WidgetExplorer: React.FC<IDevtoolsProps> = ({ onBack }) => {
const event = allState.find((ev) => ev.getId() === widget.eventId); const event = allState.find((ev) => ev.getId() === widget.eventId);
if (!event) { if (!event) {
// "should never happen" // "should never happen"
return <BaseTool onBack={onBack}>{_t("There was an error finding this widget.")}</BaseTool>; return <BaseTool onBack={onBack}>{_t("devtools|failed_to_find_widget")}</BaseTool>;
} }
return <StateEventEditor mxEvent={event} onBack={onBack} />; return <StateEventEditor mxEvent={event} onBack={onBack} />;

View file

@ -1038,7 +1038,7 @@ const SpotlightDialog: React.FC<IProps> = ({ initialText = "", initialFilter = n
<h4> <h4>
<span id="mx_SpotlightDialog_section_recentSearches">{_t("Recent searches")}</span> <span id="mx_SpotlightDialog_section_recentSearches">{_t("Recent searches")}</span>
<AccessibleButton kind="link" onClick={clearRecentSearches}> <AccessibleButton kind="link" onClick={clearRecentSearches}>
{_t("Clear")} {_t("action|clear")}
</AccessibleButton> </AccessibleButton>
</h4> </h4>
<div> <div>

View file

@ -19,7 +19,6 @@
"Thank you!": "شكرًا !", "Thank you!": "شكرًا !",
"Call invitation": "دعوة لمحادثة", "Call invitation": "دعوة لمحادثة",
"Developer Tools": "أدوات التطوير", "Developer Tools": "أدوات التطوير",
"State Key": "مفتاح الحالة",
"What's new?": "ما الجديد ؟", "What's new?": "ما الجديد ؟",
"powered by Matrix": "مشغل بواسطة Matrix", "powered by Matrix": "مشغل بواسطة Matrix",
"Use Single Sign On to continue": "استعمل الولوج الموحّد للمواصلة", "Use Single Sign On to continue": "استعمل الولوج الموحّد للمواصلة",
@ -751,13 +750,9 @@
"Manually verify all remote sessions": "تحقق يدويًا من جميع الاتصالات البعيدة", "Manually verify all remote sessions": "تحقق يدويًا من جميع الاتصالات البعيدة",
"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 previews/thumbnails for images": "إظهار المعاينات / الصور المصغرة للصور",
"Show hidden events in timeline": "إظهار الأحداث المخفية في الجدول الزمني", "Show hidden events in timeline": "إظهار الأحداث المخفية في الجدول الزمني",
"Show shortcuts to recently viewed rooms above the room list": "إظهار اختصارات للغرف التي تم عرضها مؤخرًا أعلى قائمة الغرف",
"Prompt before sending invites to potentially invalid matrix IDs": "أعلمني قبل إرسال دعوات لمعرِّفات قد لا تكون صحيحة",
"Enable URL previews by default for participants in this room": "تمكين معاينة الروابط أصلاً لأي مشارك في هذه الغرفة", "Enable URL previews by default for participants in this room": "تمكين معاينة الروابط أصلاً لأي مشارك في هذه الغرفة",
"Enable URL previews for this room (only affects you)": "تمكين معاينة الروابط لهذه الغرفة (يؤثر عليك فقط)", "Enable URL previews for this room (only affects you)": "تمكين معاينة الروابط لهذه الغرفة (يؤثر عليك فقط)",
"Enable inline URL previews by default": "تمكين معاينة الروابط أصلاً",
"Never send encrypted messages to unverified sessions in this room from this session": "لا ترسل أبدًا رسائل مشفرة إلى اتصالات التي لم يتم التحقق منها في هذه الغرفة من هذا الاتصال", "Never send encrypted messages to unverified sessions in this room from this session": "لا ترسل أبدًا رسائل مشفرة إلى اتصالات التي لم يتم التحقق منها في هذه الغرفة من هذا الاتصال",
"Never send encrypted messages to unverified sessions from this session": "لا ترسل أبدًا رسائل مشفرة إلى اتصالات لم يتم التحقق منها من هذا الاتصال", "Never send encrypted messages to unverified sessions from this session": "لا ترسل أبدًا رسائل مشفرة إلى اتصالات لم يتم التحقق منها من هذا الاتصال",
"Send analytics data": "إرسال بيانات التحليلات", "Send analytics data": "إرسال بيانات التحليلات",
@ -765,17 +760,6 @@
"Use a system font": "استخدام خط النظام", "Use a system font": "استخدام خط النظام",
"Match system theme": "مطابقة ألوان النظام", "Match system theme": "مطابقة ألوان النظام",
"Mirror local video feed": "محاكاة تغذية الفيديو المحلية", "Mirror local video feed": "محاكاة تغذية الفيديو المحلية",
"Automatically replace plain text Emoji": "استبدل الرموز التعبيرية المكتوبة بالأحرف بها",
"Show typing notifications": "إظهار إشعار الكتابة",
"Send typing notifications": "إرسال إشعار بالكتابة",
"Enable big emoji in chat": "تفعيل الرموز التعبيرية الكبيرة في المحادثة",
"Enable automatic language detection for syntax highlighting": "تمكين التعرف التلقائي للغة لتلوين الجمل",
"Always show message timestamps": "اعرض دائمًا الطوابع الزمنية للرسالة",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "عرض الطوابع الزمنية بتنسيق 12 ساعة (على سبيل المثال 2:30pm)",
"Show read receipts sent by other users": "إظهار إيصالات القراءة المرسلة من قبل مستخدمين آخرين",
"Show display name changes": "إظهار تغييرات الاسم الظاهر",
"Show a placeholder for removed messages": "إظهار عنصر نائب للرسائل المحذوفة",
"Enable Emoji suggestions while typing": "تفعيل اقتراحات الرموز التعبيرية أثناء الكتابة",
"Use custom size": "استخدام حجم مخصص", "Use custom size": "استخدام حجم مخصص",
"Font size": "حجم الخط", "Font size": "حجم الخط",
"Change notification settings": "تغيير إعدادات الإشعار", "Change notification settings": "تغيير إعدادات الإشعار",
@ -909,7 +893,6 @@
"Composer": "الكاتب", "Composer": "الكاتب",
"Room list": "قائمة الغرفة", "Room list": "قائمة الغرفة",
"Always show the window menu bar": "أظهر شريط قائمة النافذة دائمًا", "Always show the window menu bar": "أظهر شريط قائمة النافذة دائمًا",
"Start automatically after system login": "ابدأ تلقائيًا بعد تسجيل الدخول إلى النظام",
"Room ID or address of ban list": "معرف الغرفة أو عنوان قائمة الحظر", "Room ID or address of ban list": "معرف الغرفة أو عنوان قائمة الحظر",
"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.": "إذا لم يكن هذا ما تريده ، فيرجى استخدام أداة مختلفة لتجاهل المستخدمين.",
"Subscribing to a ban list will cause you to join it!": "سيؤدي الاشتراك في قائمة الحظر إلى انضمامك إليها!", "Subscribing to a ban list will cause you to join it!": "سيؤدي الاشتراك في قائمة الحظر إلى انضمامك إليها!",
@ -1357,5 +1340,26 @@
}, },
"time": { "time": {
"date_at_time": "%(date)s في %(time)s" "date_at_time": "%(date)s في %(time)s"
},
"devtools": {
"state_key": "مفتاح الحالة"
},
"settings": {
"show_breadcrumbs": "إظهار اختصارات للغرف التي تم عرضها مؤخرًا أعلى قائمة الغرف",
"use_12_hour_format": "عرض الطوابع الزمنية بتنسيق 12 ساعة (على سبيل المثال 2:30pm)",
"always_show_message_timestamps": "اعرض دائمًا الطوابع الزمنية للرسالة",
"send_typing_notifications": "إرسال إشعار بالكتابة",
"replace_plain_emoji": "استبدل الرموز التعبيرية المكتوبة بالأحرف بها",
"emoji_autocomplete": "تفعيل اقتراحات الرموز التعبيرية أثناء الكتابة",
"automatic_language_detection_syntax_highlight": "تمكين التعرف التلقائي للغة لتلوين الجمل",
"inline_url_previews_default": "تمكين معاينة الروابط أصلاً",
"image_thumbnails": "إظهار المعاينات / الصور المصغرة للصور",
"show_typing_notifications": "إظهار إشعار الكتابة",
"show_redaction_placeholder": "إظهار عنصر نائب للرسائل المحذوفة",
"show_read_receipts": "إظهار إيصالات القراءة المرسلة من قبل مستخدمين آخرين",
"show_displayname_changes": "إظهار تغييرات الاسم الظاهر",
"big_emoji": "تفعيل الرموز التعبيرية الكبيرة في المحادثة",
"prompt_invite": "أعلمني قبل إرسال دعوات لمعرِّفات قد لا تكون صحيحة",
"start_automatically": "ابدأ تلقائيًا بعد تسجيل الدخول إلى النظام"
} }
} }

View file

@ -68,7 +68,6 @@
"%(senderName)s made future room history visible to unknown (%(visibility)s).": "%(senderName)s naməlum rejimdə otağın tarixini açdı (%(visibility)s).", "%(senderName)s made future room history visible to unknown (%(visibility)s).": "%(senderName)s naməlum rejimdə otağın tarixini açdı (%(visibility)s).",
"%(userId)s from %(fromPowerLevel)s to %(toPowerLevel)s": "%(userId)s üçün %(fromPowerLevel)s-dan %(toPowerLevel)s-lə", "%(userId)s from %(fromPowerLevel)s to %(toPowerLevel)s": "%(userId)s üçün %(fromPowerLevel)s-dan %(toPowerLevel)s-lə",
"%(senderName)s changed the power level of %(powerLevelDiffText)s.": "%(senderName)s hüquqların səviyyələrini dəyişdirdi %(powerLevelDiffText)s.", "%(senderName)s changed the power level of %(powerLevelDiffText)s.": "%(senderName)s hüquqların səviyyələrini dəyişdirdi %(powerLevelDiffText)s.",
"Always show message timestamps": "Həmişə mesajların göndərilməsi vaxtını göstərmək",
"Incorrect verification code": "Təsdiq etmənin səhv kodu", "Incorrect verification code": "Təsdiq etmənin səhv kodu",
"Phone": "Telefon", "Phone": "Telefon",
"New passwords don't match": "Yeni şifrlər uyğun gəlmir", "New passwords don't match": "Yeni şifrlər uyğun gəlmir",
@ -265,5 +264,8 @@
"moderator": "Moderator", "moderator": "Moderator",
"admin": "Administrator", "admin": "Administrator",
"custom": "Xüsusi (%(level)s)" "custom": "Xüsusi (%(level)s)"
},
"settings": {
"always_show_message_timestamps": "Həmişə mesajların göndərilməsi vaxtını göstərmək"
} }
} }

View file

@ -92,12 +92,7 @@
"Your browser does not support the required cryptography extensions": "Вашият браузър не поддържа необходимите разширения за шифроване", "Your browser does not support the required cryptography extensions": "Вашият браузър не поддържа необходимите разширения за шифроване",
"Not a valid %(brand)s keyfile": "Невалиден файл с ключ за %(brand)s", "Not a valid %(brand)s keyfile": "Невалиден файл с ключ за %(brand)s",
"Authentication check failed: incorrect password?": "Неуспешна автентикация: неправилна парола?", "Authentication check failed: incorrect password?": "Неуспешна автентикация: неправилна парола?",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "Показване на времето в 12-часов формат (напр. 2:30pm)",
"Always show message timestamps": "Винаги показвай часа на съобщението",
"Enable automatic language detection for syntax highlighting": "Включване на автоматично разпознаване на език за подчертаване на синтаксиса",
"Automatically replace plain text Emoji": "Автоматично откриване и заместване на емотикони в текста",
"Mirror local video feed": "Показвай ми огледално моя видео образ", "Mirror local video feed": "Показвай ми огледално моя видео образ",
"Enable inline URL previews by default": "Включване по подразбиране на URL прегледи",
"Enable URL previews for this room (only affects you)": "Включване на URL прегледи за тази стая (засяга само Вас)", "Enable URL previews for this room (only affects you)": "Включване на URL прегледи за тази стая (засяга само Вас)",
"Enable URL previews by default for participants in this room": "Включване по подразбиране на URL прегледи за участници в тази стая", "Enable URL previews by default for participants in this room": "Включване по подразбиране на URL прегледи за участници в тази стая",
"Incorrect verification code": "Неправилен код за потвърждение", "Incorrect verification code": "Неправилен код за потвърждение",
@ -347,7 +342,6 @@
"Import E2E room keys": "Импортирай E2E ключове", "Import E2E room keys": "Импортирай E2E ключове",
"Cryptography": "Криптография", "Cryptography": "Криптография",
"Check for update": "Провери за нова версия", "Check for update": "Провери за нова версия",
"Start automatically after system login": "Автоматично стартиране след влизане в системата",
"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 да получи достъп до Вашия микрофон/уеб камера",
"No Microphones detected": "Няма открити микрофони", "No Microphones detected": "Няма открити микрофони",
@ -425,7 +419,6 @@
"All messages": "Всички съобщения", "All messages": "Всички съобщения",
"Call invitation": "Покана за разговор", "Call invitation": "Покана за разговор",
"Messages containing my display name": "Съобщения, съдържащи моя псевдоним", "Messages containing my display name": "Съобщения, съдържащи моя псевдоним",
"State Key": "State ключ",
"What's new?": "Какво ново?", "What's new?": "Какво ново?",
"When I'm invited to a room": "Когато ме поканят в стая", "When I'm invited to a room": "Когато ме поканят в стая",
"Invite to this room": "Покани в тази стая", "Invite to this room": "Покани в тази стая",
@ -436,12 +429,9 @@
"Messages in group chats": "Съобщения в групови чатове", "Messages in group chats": "Съобщения в групови чатове",
"Yesterday": "Вчера", "Yesterday": "Вчера",
"Error encountered (%(errorDetail)s).": "Възникна грешка (%(errorDetail)s).", "Error encountered (%(errorDetail)s).": "Възникна грешка (%(errorDetail)s).",
"Event Type": "Вид на събитие",
"Low Priority": "Нисък приоритет", "Low Priority": "Нисък приоритет",
"What's New": "Какво ново", "What's New": "Какво ново",
"Off": "Изкл.", "Off": "Изкл.",
"Event sent!": "Събитието е изпратено!",
"Event Content": "Съдържание на събитието",
"Thank you!": "Благодарим!", "Thank you!": "Благодарим!",
"Missing roomId.": "Липсва идентификатор на стая.", "Missing roomId.": "Липсва идентификатор на стая.",
"Unable to load event that was replied to, it either does not exist or you do not have permission to view it.": "Не може да се зареди събитието, на което е отговорено. Или не съществува или нямате достъп да го видите.", "Unable to load event that was replied to, it either does not exist or you do not have permission to view it.": "Не може да се зареди събитието, на което е отговорено. Или не съществува или нямате достъп да го видите.",
@ -566,7 +556,6 @@
"Set up Secure Messages": "Настрой Защитени Съобщения", "Set up Secure Messages": "Настрой Защитени Съобщения",
"Go to Settings": "Отиди в Настройки", "Go to Settings": "Отиди в Настройки",
"Unrecognised address": "Неразпознат адрес", "Unrecognised address": "Неразпознат адрес",
"Prompt before sending invites to potentially invalid matrix IDs": "Питай преди изпращане на покани към потенциално невалидни Matrix идентификатори",
"The following users may not exist": "Следните потребители може да не съществуват", "The following users may not exist": "Следните потребители може да не съществуват",
"Unable to find profiles for the Matrix IDs listed below - would you like to invite them anyway?": "Не бяга открити профили за изброените по-долу Matrix идентификатори. Желаете ли да ги поканите въпреки това?", "Unable to find profiles for the Matrix IDs listed below - would you like to invite them anyway?": "Не бяга открити профили за изброените по-долу Matrix идентификатори. Желаете ли да ги поканите въпреки това?",
"Invite anyway and never warn me again": "Покани въпреки това и не питай отново", "Invite anyway and never warn me again": "Покани въпреки това и не питай отново",
@ -580,11 +569,6 @@
"one": "%(names)s и още един пишат …" "one": "%(names)s и още един пишат …"
}, },
"%(names)s and %(lastPerson)s are typing …": "%(names)s и %(lastPerson)s пишат …", "%(names)s and %(lastPerson)s are typing …": "%(names)s и %(lastPerson)s пишат …",
"Enable Emoji suggestions while typing": "Включи емоджи предложенията по време на писане",
"Show a placeholder for removed messages": "Показвай индикатор на позицията на изтритите съобщения",
"Show display name changes": "Показвай промените в имената",
"Enable big emoji in chat": "Включи големи емоджита в чатовете",
"Send typing notifications": "Изпращай индикация, че пиша",
"Messages containing my username": "Съобщения съдържащи потребителското ми име", "Messages containing my username": "Съобщения съдържащи потребителското ми име",
"The other party cancelled the verification.": "Другата страна прекрати потвърждението.", "The other party cancelled the verification.": "Другата страна прекрати потвърждението.",
"Verified!": "Потвърдено!", "Verified!": "Потвърдено!",
@ -731,7 +715,6 @@
"Your keys are being backed up (the first backup could take a few minutes).": "Прави се резервно копие на ключовете Ви (първото копие може да отнеме няколко минути).", "Your keys are being backed up (the first backup could take a few minutes).": "Прави се резервно копие на ключовете Ви (първото копие може да отнеме няколко минути).",
"Success!": "Успешно!", "Success!": "Успешно!",
"Changes your display nickname in the current room only": "Променя името Ви в тази стая", "Changes your display nickname in the current room only": "Променя името Ви в тази стая",
"Show read receipts sent by other users": "Показвай индикация за прочитане от други потребители",
"Scissors": "Ножици", "Scissors": "Ножици",
"Error updating main address": "Грешка при обновяване на основния адрес", "Error updating main address": "Грешка при обновяване на основния адрес",
"There was an error updating the room's main address. It may not be allowed by the server or a temporary failure occurred.": "Случи се грешка при обновяването на основния адрес за стаята. Може да не е позволено от сървъра, или да се е случила друга временна грешка.", "There was an error updating the room's main address. It may not be allowed by the server or a temporary failure occurred.": "Случи се грешка при обновяването на основния адрес за стаята. Може да не е позволено от сървъра, или да се е случила друга временна грешка.",
@ -981,7 +964,6 @@
"Add Email Address": "Добави имейл адрес", "Add Email Address": "Добави имейл адрес",
"Add Phone Number": "Добави телефонен номер", "Add Phone Number": "Добави телефонен номер",
"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 /> за валидиране на имейл адреса или телефонния номер, но сървърът не предоставя условия за ползване.",
"Show previews/thumbnails for images": "Показвай преглед (умален размер) на снимки",
"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)",
@ -1192,10 +1174,8 @@
"%(num)s hours from now": "след %(num)s часа", "%(num)s hours from now": "след %(num)s часа",
"about a day from now": "след около ден", "about a day from now": "след около ден",
"%(num)s days from now": "след %(num)s дни", "%(num)s days from now": "след %(num)s дни",
"Show typing notifications": "Показвай уведомления за писане",
"Never send encrypted messages to unverified sessions from this session": "Никога не изпращай шифровани съобщения към непотвърдени сесии от тази сесия", "Never send encrypted messages to unverified sessions from this session": "Никога не изпращай шифровани съобщения към непотвърдени сесии от тази сесия",
"Never send encrypted messages to unverified sessions in this room from this session": "Никога не изпращай шифровани съобщения към непотвърдени сесии в тази стая от тази сесия", "Never send encrypted messages to unverified sessions in this room from this session": "Никога не изпращай шифровани съобщения към непотвърдени сесии в тази стая от тази сесия",
"Show shortcuts to recently viewed rooms above the room list": "Показвай преки пътища до скоро-прегледаните стаи над списъка със стаи",
"Enable message search in encrypted rooms": "Включи търсенето на съобщения в шифровани стаи", "Enable message search in encrypted rooms": "Включи търсенето на съобщения в шифровани стаи",
"How fast should messages be downloaded.": "Колко бързо да се изтеглят съобщенията.", "How fast should messages be downloaded.": "Колко бързо да се изтеглят съобщенията.",
"Manually verify all remote sessions": "Ръчно потвърждаване на всички отдалечени сесии", "Manually verify all remote sessions": "Ръчно потвърждаване на всички отдалечени сесии",
@ -1908,9 +1888,6 @@
"sends fireworks": "изпраща фойерверки", "sends fireworks": "изпраща фойерверки",
"sends confetti": "изпраща конфети", "sends confetti": "изпраща конфети",
"Sends the given message with confetti": "Изпраща даденото съобщение с конфети", "Sends the given message with confetti": "Изпраща даденото съобщение с конфети",
"Show chat effects (animations when receiving e.g. confetti)": "Покажи чат ефектите (анимации при получаване, като например конфети)",
"Use Ctrl + Enter to send a message": "Използвай Ctrl + Enter за изпращане на съобщение",
"Use Command + Enter to send a message": "Използвай Command + Enter за изпращане на съобщение",
"Spaces": "Пространства", "Spaces": "Пространства",
"%(deviceId)s from %(ip)s": "%(deviceId)s от %(ip)s", "%(deviceId)s from %(ip)s": "%(deviceId)s от %(ip)s",
"Use app for a better experience": "Използвайте приложението за по-добра работа", "Use app for a better experience": "Използвайте приложението за по-добра работа",
@ -2146,5 +2123,32 @@
"short_hours": "%(value)sч", "short_hours": "%(value)sч",
"short_minutes": "%(value)sм", "short_minutes": "%(value)sм",
"short_seconds": "%(value)sс" "short_seconds": "%(value)sс"
},
"devtools": {
"event_type": "Вид на събитие",
"state_key": "State ключ",
"event_sent": "Събитието е изпратено!",
"event_content": "Съдържание на събитието"
},
"settings": {
"show_breadcrumbs": "Показвай преки пътища до скоро-прегледаните стаи над списъка със стаи",
"use_12_hour_format": "Показване на времето в 12-часов формат (напр. 2:30pm)",
"always_show_message_timestamps": "Винаги показвай часа на съобщението",
"send_typing_notifications": "Изпращай индикация, че пиша",
"replace_plain_emoji": "Автоматично откриване и заместване на емотикони в текста",
"emoji_autocomplete": "Включи емоджи предложенията по време на писане",
"use_command_enter_send_message": "Използвай Command + Enter за изпращане на съобщение",
"use_control_enter_send_message": "Използвай Ctrl + Enter за изпращане на съобщение",
"automatic_language_detection_syntax_highlight": "Включване на автоматично разпознаване на език за подчертаване на синтаксиса",
"inline_url_previews_default": "Включване по подразбиране на URL прегледи",
"image_thumbnails": "Показвай преглед (умален размер) на снимки",
"show_typing_notifications": "Показвай уведомления за писане",
"show_redaction_placeholder": "Показвай индикатор на позицията на изтритите съобщения",
"show_read_receipts": "Показвай индикация за прочитане от други потребители",
"show_displayname_changes": "Показвай промените в имената",
"show_chat_effects": "Покажи чат ефектите (анимации при получаване, като например конфети)",
"big_emoji": "Включи големи емоджита в чатовете",
"prompt_invite": "Питай преди изпращане на покани към потенциално невалидни Matrix идентификатори",
"start_automatically": "Автоматично стартиране след влизане в системата"
} }
} }

View file

@ -3,7 +3,6 @@
"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", "Advanced": "Avançat",
"Always show message timestamps": "Mostra sempre la marca de temps del missatge",
"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",
@ -95,10 +94,6 @@
"Your browser does not support the required cryptography extensions": "El vostre navegador no és compatible amb els complements criptogràfics necessaris", "Your browser does not support the required cryptography extensions": "El vostre navegador no és compatible amb els complements criptogràfics necessaris",
"Not a valid %(brand)s keyfile": "El fitxer no és un fitxer de claus de %(brand)s vàlid", "Not a valid %(brand)s keyfile": "El fitxer no és un fitxer de claus de %(brand)s vàlid",
"Authentication check failed: incorrect password?": "Ha fallat l'autenticació: heu introduït correctament la contrasenya?", "Authentication check failed: incorrect password?": "Ha fallat l'autenticació: heu introduït correctament la contrasenya?",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "Mostra les marques de temps en format de 12 hores (p.e. 2:30pm)",
"Enable automatic language detection for syntax highlighting": "Activa la detecció automàtica d'idiomes per al ressaltat de sintaxi",
"Automatically replace plain text Emoji": "Substitueix automàticament Emoji de text pla",
"Enable inline URL previews by default": "Activa per defecte la vista prèvia d'URL en línia",
"Enable URL previews for this room (only affects you)": "Activa la vista prèvia d'URL d'aquesta sala (no afecta altres usuaris)", "Enable URL previews for this room (only affects you)": "Activa la vista prèvia d'URL d'aquesta sala (no afecta altres usuaris)",
"Enable URL previews by default for participants in this room": "Activa per defecte la vista prèvia d'URL per als participants d'aquesta sala", "Enable URL previews by default for participants in this room": "Activa per defecte la vista prèvia d'URL per als participants d'aquesta sala",
"Incorrect verification code": "El codi de verificació és incorrecte", "Incorrect verification code": "El codi de verificació és incorrecte",
@ -383,7 +378,6 @@
"Toolbox": "Caixa d'eines", "Toolbox": "Caixa d'eines",
"Collecting logs": "S'estan recopilant els registres", "Collecting logs": "S'estan recopilant els registres",
"All Rooms": "Totes les sales", "All Rooms": "Totes les sales",
"State Key": "Clau d'estat",
"Wednesday": "Dimecres", "Wednesday": "Dimecres",
"All messages": "Tots els missatges", "All messages": "Tots els missatges",
"Call invitation": "Invitació de trucada", "Call invitation": "Invitació de trucada",
@ -399,9 +393,6 @@
"Low Priority": "Baixa prioritat", "Low Priority": "Baixa prioritat",
"Off": "Apagat", "Off": "Apagat",
"Failed to remove tag %(tagName)s from room": "No s'ha pogut esborrar l'etiqueta %(tagName)s de la sala", "Failed to remove tag %(tagName)s from room": "No s'ha pogut esborrar l'etiqueta %(tagName)s de la sala",
"Event Type": "Tipus d'esdeveniment",
"Event sent!": "Esdeveniment enviat!",
"Event Content": "Contingut de l'esdeveniment",
"Thank you!": "Gràcies!", "Thank you!": "Gràcies!",
"Permission Required": "Es necessita permís", "Permission Required": "Es necessita permís",
"You do not have permission to start a conference call in this room": "No tens permís per iniciar una conferència telefònica en aquesta sala", "You do not have permission to start a conference call in this room": "No tens permís per iniciar una conferència telefònica en aquesta sala",
@ -471,16 +462,11 @@
"Avoid years that are associated with you": "Eviteu anys que es puguin relacionar amb vós", "Avoid years that are associated with you": "Eviteu anys que es puguin relacionar amb vós",
"Avoid dates and years that are associated with you": "Eviteu dates i anys que estiguin associats amb vós", "Avoid dates and years that are associated with you": "Eviteu dates i anys que estiguin associats amb vós",
"Please contact your homeserver administrator.": "Si us plau contacteu amb l'administrador del vostre homeserver.", "Please contact your homeserver administrator.": "Si us plau contacteu amb l'administrador del vostre homeserver.",
"Enable Emoji suggestions while typing": "Habilita els suggeriments d'Emojis mentre escric",
"Show display name changes": "Mostra els canvis de nom",
"Show read receipts sent by other users": "Mostra les confirmacions de lectura enviades pels altres usuaris",
"Enable big emoji in chat": "Activa Emojis grans en xats",
"Send analytics data": "Envia dades d'anàlisi", "Send analytics data": "Envia dades d'anàlisi",
"Email addresses": "Adreces de correu electrònic", "Email addresses": "Adreces de correu electrònic",
"Phone numbers": "Números de telèfon", "Phone numbers": "Números de telèfon",
"Language and region": "Idioma i regió", "Language and region": "Idioma i regió",
"Phone Number": "Número de telèfon", "Phone Number": "Número de telèfon",
"Send typing notifications": "Envia notificacions d'escriptura",
"We encountered an error trying to restore your previous session.": "Hem trobat un error en intentar recuperar la teva sessió prèvia.", "We encountered an error trying to restore your previous session.": "Hem trobat un error en intentar recuperar la teva sessió prèvia.",
"Upload Error": "Error de pujada", "Upload Error": "Error de pujada",
"A connection error occurred while trying to contact the server.": "S'ha produït un error de connexió mentre s'intentava connectar al servidor.", "A connection error occurred while trying to contact the server.": "S'ha produït un error de connexió mentre s'intentava connectar al servidor.",
@ -670,5 +656,23 @@
"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"
},
"devtools": {
"event_type": "Tipus d'esdeveniment",
"state_key": "Clau d'estat",
"event_sent": "Esdeveniment enviat!",
"event_content": "Contingut de l'esdeveniment"
},
"settings": {
"use_12_hour_format": "Mostra les marques de temps en format de 12 hores (p.e. 2:30pm)",
"always_show_message_timestamps": "Mostra sempre la marca de temps del missatge",
"send_typing_notifications": "Envia notificacions d'escriptura",
"replace_plain_emoji": "Substitueix automàticament Emoji de text pla",
"emoji_autocomplete": "Habilita els suggeriments d'Emojis mentre escric",
"automatic_language_detection_syntax_highlight": "Activa la detecció automàtica d'idiomes per al ressaltat de sintaxi",
"inline_url_previews_default": "Activa per defecte la vista prèvia d'URL en línia",
"show_read_receipts": "Mostra les confirmacions de lectura enviades pels altres usuaris",
"show_displayname_changes": "Mostra els canvis de nom",
"big_emoji": "Activa Emojis grans en xats"
} }
} }

View file

@ -40,7 +40,6 @@
"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é", "Advanced": "Rozšířené",
"Always show message timestamps": "Vždy zobrazovat časové značky zpráv",
"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.",
@ -69,7 +68,6 @@
"Download %(text)s": "Stáhnout %(text)s", "Download %(text)s": "Stáhnout %(text)s",
"Email": "E-mail", "Email": "E-mail",
"Email address": "E-mailová adresa", "Email address": "E-mailová adresa",
"Enable automatic language detection for syntax highlighting": "Zapnout automatické rozpoznávání jazyků pro zvýrazňování syntaxe",
"Enter passphrase": "Zadejte přístupovou frázi", "Enter passphrase": "Zadejte přístupovou frázi",
"Error decrypting attachment": "Chyba při dešifrování přílohy", "Error decrypting attachment": "Chyba při dešifrování přílohy",
"Export E2E room keys": "Exportovat šifrovací klíče místností", "Export E2E room keys": "Exportovat šifrovací klíče místností",
@ -90,7 +88,6 @@
"%(widgetName)s widget modified by %(senderName)s": "%(senderName)s upravil(a) widget %(widgetName)s", "%(widgetName)s widget modified by %(senderName)s": "%(senderName)s upravil(a) widget %(widgetName)s",
"%(widgetName)s widget removed by %(senderName)s": "%(senderName)s odstranil(a) widget %(widgetName)s", "%(widgetName)s widget removed by %(senderName)s": "%(senderName)s odstranil(a) widget %(widgetName)s",
"%(widgetName)s widget added by %(senderName)s": "%(senderName)s přidal(a) widget %(widgetName)s", "%(widgetName)s widget added by %(senderName)s": "%(senderName)s přidal(a) widget %(widgetName)s",
"Automatically replace plain text Emoji": "Automaticky nahrazovat textové emoji",
"Failed to verify email address: make sure you clicked the link in the email": "E-mailovou adresu se nepodařilo ověřit. Přesvědčte se, že jste klepli na odkaz v e-mailové zprávě", "Failed to verify email address: make sure you clicked the link in the email": "E-mailovou adresu se nepodařilo ověřit. Přesvědčte se, že jste klepli na odkaz v e-mailové zprávě",
"Import E2E room keys": "Importovat šifrovací klíče místností", "Import E2E room keys": "Importovat šifrovací klíče místností",
"Incorrect username and/or password.": "Nesprávné uživatelské jméno nebo heslo.", "Incorrect username and/or password.": "Nesprávné uživatelské jméno nebo heslo.",
@ -130,7 +127,6 @@
"Server may be unavailable, overloaded, or you hit a bug.": "Server může být nedostupný, přetížený nebo jste narazili na chybu.", "Server may be unavailable, overloaded, or you hit a bug.": "Server může být nedostupný, přetížený nebo jste narazili na chybu.",
"Server unavailable, overloaded, or something else went wrong.": "Server je nedostupný, přetížený nebo se něco pokazilo.", "Server unavailable, overloaded, or something else went wrong.": "Server je nedostupný, přetížený nebo se něco pokazilo.",
"Session ID": "ID sezení", "Session ID": "ID sezení",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "Zobrazovat čas v 12hodinovém formátu (např. 2:30 odp.)",
"Start authentication": "Zahájit autentizaci", "Start authentication": "Zahájit autentizaci",
"This email address is already in use": "Tato e-mailová adresa je již používána", "This email address is already in use": "Tato e-mailová adresa je již používána",
"This email address was not found": "Tato e-mailová adresa nebyla nalezena", "This email address was not found": "Tato e-mailová adresa nebyla nalezena",
@ -239,7 +235,6 @@
"%(senderName)s made future room history visible to unknown (%(visibility)s).": "%(senderName)s nastavil viditelnost budoucí zpráv v místnosti neznámým (%(visibility)s).", "%(senderName)s made future room history visible to unknown (%(visibility)s).": "%(senderName)s nastavil viditelnost budoucí zpráv v místnosti neznámým (%(visibility)s).",
"Not a valid %(brand)s keyfile": "Neplatný soubor s klíčem %(brand)s", "Not a valid %(brand)s keyfile": "Neplatný soubor s klíčem %(brand)s",
"Mirror local video feed": "Zrcadlit lokání video", "Mirror local video feed": "Zrcadlit lokání video",
"Enable inline URL previews by default": "Nastavit povolení náhledů URL adres jako výchozí",
"Enable URL previews for this room (only affects you)": "Povolit náhledy URL adres pro tuto místnost (ovlivňuje pouze vás)", "Enable URL previews for this room (only affects you)": "Povolit náhledy URL adres pro tuto místnost (ovlivňuje pouze vás)",
"Enable URL previews by default for participants in this room": "Povolit náhledy URL adres pro členy této místnosti jako výchozí", "Enable URL previews by default for participants in this room": "Povolit náhledy URL adres pro členy této místnosti jako výchozí",
"%(duration)ss": "%(duration)ss", "%(duration)ss": "%(duration)ss",
@ -363,7 +358,6 @@
"Sent messages will be stored until your connection has returned.": "Odeslané zprávy zůstanou uložené, dokud se spojení znovu neobnoví.", "Sent messages will be stored until your connection has returned.": "Odeslané zprávy zůstanou uložené, dokud se spojení znovu neobnoví.",
"Failed to load timeline position": "Nepodařilo se načíst pozici na časové ose", "Failed to load timeline position": "Nepodařilo se načíst pozici na časové ose",
"Reject all %(invitedRooms)s invites": "Odmítnutí všech %(invitedRooms)s pozvání", "Reject all %(invitedRooms)s invites": "Odmítnutí všech %(invitedRooms)s pozvání",
"Start automatically after system login": "Zahájit automaticky po přihlášení do systému",
"No media permissions": "Žádná oprávnění k médiím", "No media permissions": "Žádná oprávnění k médiím",
"You may need to manually permit %(brand)s to access your microphone/webcam": "Je možné, že budete potřebovat manuálně povolit %(brand)s přístup k mikrofonu/webkameře", "You may need to manually permit %(brand)s to access your microphone/webcam": "Je možné, že budete potřebovat manuálně povolit %(brand)s přístup k mikrofonu/webkameře",
"Profile": "Profil", "Profile": "Profil",
@ -410,7 +404,6 @@
"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",
"Call invitation": "Pozvánka k hovoru", "Call invitation": "Pozvánka k hovoru",
"State Key": "Stavový klíč",
"What's new?": "Co je nového?", "What's new?": "Co je nového?",
"When I'm invited to a room": "Pozvánka do místnosti", "When I'm invited to a room": "Pozvánka do místnosti",
"All Rooms": "Všechny místnosti", "All Rooms": "Všechny místnosti",
@ -425,10 +418,7 @@
"Off": "Vypnout", "Off": "Vypnout",
"Failed to remove tag %(tagName)s from room": "Nepodařilo se odstranit štítek %(tagName)s z místnosti", "Failed to remove tag %(tagName)s from room": "Nepodařilo se odstranit štítek %(tagName)s z místnosti",
"Wednesday": "Středa", "Wednesday": "Středa",
"Event Type": "Typ události",
"Thank you!": "Děkujeme vám!", "Thank you!": "Děkujeme vám!",
"Event sent!": "Událost odeslána!",
"Event Content": "Obsah události",
"Permission Required": "Vyžaduje oprávnění", "Permission Required": "Vyžaduje oprávnění",
"You do not have permission to start a conference call in this room": "V této místnosti nemáte oprávnění zahájit konferenční hovor", "You do not have permission to start a conference call in this room": "V této místnosti nemáte oprávnění zahájit konferenční hovor",
"%(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",
@ -513,14 +503,8 @@
"Missing media permissions, click the button below to request.": "Pro práci se zvukem a videem je potřeba oprávnění. Klepněte na tlačítko a my o ně požádáme.", "Missing media permissions, click the button below to request.": "Pro práci se zvukem a videem je potřeba oprávnění. Klepněte na tlačítko a my o ně požádáme.",
"Request media permissions": "Požádat o oprávnění k mikrofonu a kameře", "Request media permissions": "Požádat o oprávnění k mikrofonu a kameře",
"Composer": "Editor zpráv", "Composer": "Editor zpráv",
"Enable Emoji suggestions while typing": "Napovídat emoji",
"Send typing notifications": "Posílat oznámení, když píšete",
"Room list": "Seznam místností", "Room list": "Seznam místností",
"Autocomplete delay (ms)": "Zpožnění našeptávače (ms)", "Autocomplete delay (ms)": "Zpožnění našeptávače (ms)",
"Enable big emoji in chat": "Povolit velké emoji",
"Prompt before sending invites to potentially invalid matrix IDs": "Potvrdit odeslání pozvánky potenciálně neplatným Matrix ID",
"Show a placeholder for removed messages": "Zobrazovat smazané zprávy",
"Show display name changes": "Zobrazovat změny zobrazovaného jména",
"Messages containing my username": "Zprávy obsahující moje uživatelské jméno", "Messages containing my username": "Zprávy obsahující moje uživatelské jméno",
"Messages containing @room": "Zprávy obsahující @room", "Messages containing @room": "Zprávy obsahující @room",
"Encrypted messages in one-to-one chats": "Šifrované přímé zprávy", "Encrypted messages in one-to-one chats": "Šifrované přímé zprávy",
@ -730,7 +714,6 @@
"Prepends ¯\\_(ツ)_/¯ to a plain-text message": "Vloží ¯\\_(ツ)_/¯ na začátek zprávy", "Prepends ¯\\_(ツ)_/¯ to a plain-text message": "Vloží ¯\\_(ツ)_/¯ na začátek zprávy",
"Changes your display nickname in the current room only": "Změní vaši zobrazovanou přezdívku pouze v této místnosti", "Changes your display nickname in the current room only": "Změní vaši zobrazovanou přezdívku pouze v této místnosti",
"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.",
"Show read receipts sent by other users": "Zobrazovat potvrzení o přečtení",
"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 avatar": "Změnit avatar místnosti",
@ -912,7 +895,6 @@
"Add Phone Number": "Přidat telefonní číslo", "Add Phone Number": "Přidat telefonní číslo",
"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.": "Tato akce vyžaduje přístup k výchozímu serveru identity <server /> aby šlo ověřit e-mail a telefon, ale server nemá podmínky použití.", "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.": "Tato akce vyžaduje přístup k výchozímu serveru identity <server /> aby šlo ověřit e-mail a telefon, ale server nemá podmínky použití.",
"%(name)s (%(userId)s)": "%(name)s (%(userId)s)", "%(name)s (%(userId)s)": "%(name)s (%(userId)s)",
"Show previews/thumbnails for images": "Zobrazovat náhledy obrázků",
"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.": "Před odpojením byste měli <b>smazat osobní údaje</b> ze serveru identit <idserver />. Bohužel, server je offline nebo neodpovídá.", "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.": "Před odpojením byste měli <b>smazat osobní údaje</b> ze serveru identit <idserver />. Bohužel, server je offline nebo neodpovídá.",
"You should:": "Měli byste:", "You should:": "Měli byste:",
"check your browser plugins for anything that might block the identity server (such as Privacy Badger)": "zkontrolujte, jestli nemáte v prohlížeči nějaký doplněk blokující server identit (např. Privacy Badger)", "check your browser plugins for anything that might block the identity server (such as Privacy Badger)": "zkontrolujte, jestli nemáte v prohlížeči nějaký doplněk blokující server identit (např. Privacy Badger)",
@ -1242,7 +1224,6 @@
"Enter your account password to confirm the upgrade:": "Potvrďte, že chcete aktualizaci provést zadáním svého uživatelského hesla:", "Enter your account password to confirm the upgrade:": "Potvrďte, že chcete aktualizaci provést zadáním svého uživatelského hesla:",
"You'll need to authenticate with the server to confirm the upgrade.": "Server si vás potřebuje ověřit, abychom mohli provést aktualizaci.", "You'll need to authenticate with the server to confirm the upgrade.": "Server si vás potřebuje ověřit, abychom mohli provést aktualizaci.",
"Upgrade this session to allow it to verify other sessions, granting them access to encrypted messages and marking them as trusted for other users.": "Aktualizujte tuto přihlášenou relaci abyste mohli ověřovat ostatní relace. Tím jim dáte přístup k šifrovaným konverzacím a ostatní uživatelé je jim budou automaticky věřit.", "Upgrade this session to allow it to verify other sessions, granting them access to encrypted messages and marking them as trusted for other users.": "Aktualizujte tuto přihlášenou relaci abyste mohli ověřovat ostatní relace. Tím jim dáte přístup k šifrovaným konverzacím a ostatní uživatelé je jim budou automaticky věřit.",
"Show typing notifications": "Zobrazovat oznámení „... právě píše...“",
"Destroy cross-signing keys?": "Nenávratně smazat klíče pro křížové podepisování?", "Destroy cross-signing keys?": "Nenávratně smazat klíče pro křížové podepisování?",
"Deleting cross-signing keys is permanent. Anyone you have verified with will see security alerts. You almost certainly don't want to do this, unless you've lost every device you can cross-sign from.": "Smazání klíčů pro křížové podepisování je definitivní. Každý, kdo vás ověřil, teď uvidí bezpečnostní varování. Pokud jste zrovna neztratili všechna zařízení, ze kterých se můžete ověřit, tak to asi nechcete udělat.", "Deleting cross-signing keys is permanent. Anyone you have verified with will see security alerts. You almost certainly don't want to do this, unless you've lost every device you can cross-sign from.": "Smazání klíčů pro křížové podepisování je definitivní. Každý, kdo vás ověřil, teď uvidí bezpečnostní varování. Pokud jste zrovna neztratili všechna zařízení, ze kterých se můžete ověřit, tak to asi nechcete udělat.",
"Clear cross-signing keys": "Smazat klíče pro křížové podepisování", "Clear cross-signing keys": "Smazat klíče pro křížové podepisování",
@ -1268,7 +1249,6 @@
"Sign In or Create Account": "Přihlásit nebo vytvořit nový účet", "Sign In or Create Account": "Přihlásit nebo vytvořit nový účet",
"Use your account or create a new one to continue.": "Pro pokračování se přihlaste stávajícím účtem, nebo si vytvořte nový.", "Use your account or create a new one to continue.": "Pro pokračování se přihlaste stávajícím účtem, nebo si vytvořte nový.",
"Create Account": "Vytvořit účet", "Create Account": "Vytvořit účet",
"Show shortcuts to recently viewed rooms above the room list": "Zobrazovat zkratky do nedávno zobrazených místností navrchu",
"Cancelling…": "Rušení…", "Cancelling…": "Rušení…",
"Your homeserver does not support cross-signing.": "Váš domovský server nepodporuje křížové podepisování.", "Your homeserver does not support cross-signing.": "Váš domovský server nepodporuje křížové podepisování.",
"Homeserver feature support:": "Funkce podporovaná domovským serverem:", "Homeserver feature support:": "Funkce podporovaná domovským serverem:",
@ -1861,8 +1841,6 @@
"Nauru": "Nauru", "Nauru": "Nauru",
"Namibia": "Namibie", "Namibia": "Namibie",
"Security Phrase": "Bezpečnostní fráze", "Security Phrase": "Bezpečnostní fráze",
"Use Command + Enter to send a message": "K odeslání zprávy použijte Command + Enter",
"Use Ctrl + Enter to send a message": "K odeslání zprávy použijte Ctrl + Enter",
"Decide where your account is hosted": "Rozhodněte, kde je váš účet hostován", "Decide where your account is hosted": "Rozhodněte, kde je váš účet hostován",
"Unable to query secret storage status": "Nelze zjistit stav úložiště klíčů", "Unable to query secret storage status": "Nelze zjistit stav úložiště klíčů",
"Update %(brand)s": "Aktualizovat %(brand)s", "Update %(brand)s": "Aktualizovat %(brand)s",
@ -1986,7 +1964,6 @@
"Transfer": "Přepojit", "Transfer": "Přepojit",
"Failed to transfer call": "Hovor se nepodařilo přepojit", "Failed to transfer call": "Hovor se nepodařilo přepojit",
"A call can only be transferred to a single user.": "Hovor lze přepojit pouze jednomu uživateli.", "A call can only be transferred to a single user.": "Hovor lze přepojit pouze jednomu uživateli.",
"There was an error finding this widget.": "Při hledání tohoto widgetu došlo k chybě.",
"Active Widgets": "Aktivní widgety", "Active Widgets": "Aktivní widgety",
"Open dial pad": "Otevřít číselník", "Open dial pad": "Otevřít číselník",
"Dial pad": "Číselník", "Dial pad": "Číselník",
@ -2027,28 +2004,7 @@
"Something went wrong in confirming your identity. Cancel and try again.": "Při ověřování vaší identity se něco pokazilo. Zrušte to a zkuste to znovu.", "Something went wrong in confirming your identity. Cancel and try again.": "Při ověřování vaší identity se něco pokazilo. Zrušte to a zkuste to znovu.",
"We asked the browser to remember which homeserver you use to let you sign in, but unfortunately your browser has forgotten it. Go to the sign in page and try again.": "Požádali jsme prohlížeč, aby si zapamatoval, který domovský server používáte k přihlášení, ale váš prohlížeč to bohužel zapomněl. Přejděte na přihlašovací stránku a zkuste to znovu.", "We asked the browser to remember which homeserver you use to let you sign in, but unfortunately your browser has forgotten it. Go to the sign in page and try again.": "Požádali jsme prohlížeč, aby si zapamatoval, který domovský server používáte k přihlášení, ale váš prohlížeč to bohužel zapomněl. Přejděte na přihlašovací stránku a zkuste to znovu.",
"We couldn't log you in": "Nemohli jsme vás přihlásit", "We couldn't log you in": "Nemohli jsme vás přihlásit",
"Show stickers button": "Tlačítko Zobrazit nálepky",
"Expand code blocks by default": "Ve výchozím nastavení rozbalit bloky kódu",
"Show line numbers in code blocks": "Zobrazit čísla řádků v blocích kódu",
"Recently visited rooms": "Nedávno navštívené místnosti", "Recently visited rooms": "Nedávno navštívené místnosti",
"Values at explicit levels in this room:": "Hodnoty na explicitních úrovních v této místnosti:",
"Values at explicit levels:": "Hodnoty na explicitních úrovních:",
"Value in this room:": "Hodnota v této místnosti:",
"Value:": "Hodnota:",
"Save setting values": "Uložit hodnoty nastavení",
"Values at explicit levels in this room": "Hodnoty na explicitních úrovních v této místnosti",
"Values at explicit levels": "Hodnoty na explicitních úrovních",
"Settable at room": "Nastavitelné v místnosti",
"Settable at global": "Nastavitelné na globální úrovni",
"Level": "Úroveň",
"Setting definition:": "Definice nastavení:",
"This UI does NOT check the types of the values. Use at your own risk.": "Toto uživatelské rozhraní NEKONTROLUJE typy hodnot. Použití na vlastní nebezpečí.",
"Caution:": "Pozor:",
"Setting:": "Nastavení:",
"Value in this room": "Hodnota v této místnosti",
"Value": "Hodnota",
"Setting ID": "ID nastavení",
"Show chat effects (animations when receiving e.g. confetti)": "Zobrazit efekty chatu (animace např. při přijetí konfet)",
"Invite by username": "Pozvat podle uživatelského jména", "Invite by username": "Pozvat podle uživatelského jména",
"Invite your teammates": "Pozvěte své spolupracovníky", "Invite your teammates": "Pozvěte své spolupracovníky",
"Failed to invite the following users to your space: %(csvUsers)s": "Nepodařilo se pozvat následující uživatele do vašeho prostoru: %(csvUsers)s", "Failed to invite the following users to your space: %(csvUsers)s": "Nepodařilo se pozvat následující uživatele do vašeho prostoru: %(csvUsers)s",
@ -2097,7 +2053,6 @@
"Invite only, best for yourself or teams": "Pouze pozvat, nejlepší pro sebe nebo pro týmy", "Invite only, best for yourself or teams": "Pouze pozvat, nejlepší pro sebe nebo pro týmy",
"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",
"Jump to the bottom of the timeline when you send a message": "Po odeslání zprávy přejít na konec časové osy",
"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.", "You're already in a call with this person.": "S touto osobou již telefonujete.",
"Already in call": "Již máte hovor", "Already in call": "Již máte hovor",
@ -2146,7 +2101,6 @@
"%(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>", "Consulting with %(transferTarget)s. <a>Transfer to %(transferee)s</a>": "Konzultace s %(transferTarget)s. <a>Převod na %(transferee)s</a>",
"Warn before quitting": "Varovat před ukončením",
"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.",
@ -2274,7 +2228,6 @@
"e.g. my-space": "např. můj-prostor", "e.g. my-space": "např. můj-prostor",
"Silence call": "Ztlumit zvonění", "Silence call": "Ztlumit zvonění",
"Sound on": "Zvuk zapnutý", "Sound on": "Zvuk zapnutý",
"Show all rooms in Home": "Zobrazit všechny místnosti v Domovu",
"%(senderName)s changed the <a>pinned messages</a> for the room.": "%(senderName)s změnil(a) <a>připnuté zprávy</a> v místnosti.", "%(senderName)s changed the <a>pinned messages</a> for the room.": "%(senderName)s změnil(a) <a>připnuté zprávy</a> v místnosti.",
"%(senderName)s withdrew %(targetName)s's invitation": "%(senderName)s zrušil(a) pozvání pro uživatele %(targetName)s", "%(senderName)s withdrew %(targetName)s's invitation": "%(senderName)s zrušil(a) pozvání pro uživatele %(targetName)s",
"%(senderName)s withdrew %(targetName)s's invitation: %(reason)s": "%(senderName)s zrušil(a) pozvání pro uživatele %(targetName)s: %(reason)s", "%(senderName)s withdrew %(targetName)s's invitation: %(reason)s": "%(senderName)s zrušil(a) pozvání pro uživatele %(targetName)s: %(reason)s",
@ -2305,8 +2258,6 @@
"Code blocks": "Bloky kódu", "Code blocks": "Bloky kódu",
"Displaying time": "Zobrazování času", "Displaying time": "Zobrazování času",
"Keyboard shortcuts": "Klávesové zkratky", "Keyboard shortcuts": "Klávesové zkratky",
"Use Ctrl + F to search timeline": "Stiskněte Ctrl + F k vyhledávání v časové ose",
"Use Command + F to search timeline": "Stiskněte Command + F k vyhledávání v časové ose",
"Integration manager": "Správce integrací", "Integration manager": "Správce integrací",
"Your %(brand)s doesn't allow you to use an integration manager to do this. Please contact an admin.": "Váš %(brand)s neumožňuje použít správce integrací. Kontaktujte prosím správce.", "Your %(brand)s doesn't allow you to use an integration manager to do this. Please contact an admin.": "Váš %(brand)s neumožňuje použít správce integrací. Kontaktujte prosím správce.",
"Using this widget may share data <helpIcon /> with %(widgetDomain)s & your integration manager.": "Použití tohoto widgetu může sdílet data <helpIcon /> s %(widgetDomain)s a vaším správcem integrací.", "Using this widget may share data <helpIcon /> with %(widgetDomain)s & your integration manager.": "Použití tohoto widgetu může sdílet data <helpIcon /> s %(widgetDomain)s a vaším správcem integrací.",
@ -2411,7 +2362,6 @@
"Want to add a new space instead?": "Chcete místo toho přidat nový prostor?", "Want to add a new space instead?": "Chcete místo toho přidat nový prostor?",
"Decrypting": "Dešifrování", "Decrypting": "Dešifrování",
"Show all rooms": "Zobrazit všechny místnosti", "Show all rooms": "Zobrazit všechny místnosti",
"All rooms you're in will appear in Home.": "Všechny místnosti, ve kterých se nacházíte, se zobrazí v Domovu.",
"Missed call": "Zmeškaný hovor", "Missed call": "Zmeškaný hovor",
"Call declined": "Hovor odmítnut", "Call declined": "Hovor odmítnut",
"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ů",
@ -2442,8 +2392,6 @@
"Cross-signing is ready but keys are not backed up.": "Křížové podepisování je připraveno, ale klíče nejsou zálohovány.", "Cross-signing is ready but keys are not backed up.": "Křížové podepisování je připraveno, ale klíče nejsou zálohovány.",
"The above, but in <Room /> as well": "Výše uvedené, ale také v <Room />", "The above, but in <Room /> as well": "Výše uvedené, ale také v <Room />",
"The above, but in any room you are joined or invited to as well": "Výše uvedené, ale také v jakékoli místnosti, ke které jste připojeni nebo do které jste pozváni", "The above, but in any room you are joined or invited to as well": "Výše uvedené, ale také v jakékoli místnosti, ke které jste připojeni nebo do které jste pozváni",
"Autoplay videos": "Automatické přehrávání videí",
"Autoplay GIFs": "Automatické přehrávání GIFů",
"%(senderName)s unpinned a message from this room. See all pinned messages.": "%(senderName)s odepnul(a) zprávu z této místnosti. Zobrazit všechny připnuté zprávy.", "%(senderName)s unpinned a message from this room. See all pinned messages.": "%(senderName)s odepnul(a) zprávu z této místnosti. Zobrazit všechny připnuté zprávy.",
"%(senderName)s unpinned <a>a message</a> from this room. See all <b>pinned messages</b>.": "%(senderName)s odepnul(a) <a>zprávu</a> z této místnosti. Zobrazit všechny <b>připnuté zprávy</b>.", "%(senderName)s unpinned <a>a message</a> from this room. See all <b>pinned messages</b>.": "%(senderName)s odepnul(a) <a>zprávu</a> z této místnosti. Zobrazit všechny <b>připnuté zprávy</b>.",
"%(senderName)s pinned a message to this room. See all pinned messages.": "%(senderName)s připnul(a) zprávu k této místnosti. Zobrazit všechny připnuté zprávy.", "%(senderName)s pinned a message to this room. See all pinned messages.": "%(senderName)s připnul(a) zprávu k této místnosti. Zobrazit všechny připnuté zprávy.",
@ -2648,7 +2596,6 @@
"Quick settings": "Rychlá nastavení", "Quick settings": "Rychlá nastavení",
"Spaces you know that contain this space": "Prostory, které znáte obsahující tento prostor", "Spaces you know that contain this space": "Prostory, které znáte obsahující tento prostor",
"Chat": "Chat", "Chat": "Chat",
"Clear": "Smazat",
"You may contact me if you want to follow up or to let me test out upcoming ideas": "Můžete mě kontaktovat, pokud budete chtít doplnit informace nebo mě nechat vyzkoušet připravované návrhy", "You may contact me if you want to follow up or to let me test out upcoming ideas": "Můžete mě kontaktovat, pokud budete chtít doplnit informace nebo mě nechat vyzkoušet připravované návrhy",
"Home options": "Možnosti domovské obrazovky", "Home options": "Možnosti domovské obrazovky",
"%(spaceName)s menu": "Nabídka pro %(spaceName)s", "%(spaceName)s menu": "Nabídka pro %(spaceName)s",
@ -2749,7 +2696,6 @@
"Waiting for you to verify on your other device, %(deviceName)s (%(deviceId)s)…": "Čekáme na ověření na vašem dalším zařízení, %(deviceName)s (%(deviceId)s)…", "Waiting for you to verify on your other device, %(deviceName)s (%(deviceId)s)…": "Čekáme na ověření na vašem dalším zařízení, %(deviceName)s (%(deviceId)s)…",
"Verify this device by confirming the following number appears on its screen.": "Ověřte toto zařízení tak, že potvrdíte, že se na jeho obrazovce zobrazí následující číslo.", "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í:",
"Edit setting": "Upravit nastavení",
"Expand map": "Rozbalit mapu", "Expand map": "Rozbalit mapu",
"Send reactions": "Odesílat reakce", "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",
@ -2781,7 +2727,6 @@
"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 users": "Odebrat uživatele",
"Show join/leave messages (invites/removes/bans unaffected)": "Zobrazit zprávy o vstupu/odchodu (pozvánky/odebrání/vykázání nejsou ovlivněny)",
"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",
"%(senderName)s removed %(targetName)s: %(reason)s": "%(senderName)s odebral(a) %(targetName)s: %(reason)s", "%(senderName)s removed %(targetName)s: %(reason)s": "%(senderName)s odebral(a) %(targetName)s: %(reason)s",
@ -2863,11 +2808,6 @@
"other": "%(severalUsers)ssmazali %(count)s zpráv" "other": "%(severalUsers)ssmazali %(count)s zpráv"
}, },
"Automatically send debug logs when key backup is not functioning": "Automaticky odeslat ladící protokoly, když zálohování klíčů nefunguje", "Automatically send debug logs when key backup is not functioning": "Automaticky odeslat ladící protokoly, když zálohování klíčů nefunguje",
"<empty string>": "<prázdný řetězec>",
"<%(count)s spaces>": {
"one": "<mezera>",
"other": "<%(count)s mezer>"
},
"Join %(roomAddress)s": "Vstoupit do %(roomAddress)s", "Join %(roomAddress)s": "Vstoupit do %(roomAddress)s",
"Edit poll": "Upravit hlasování", "Edit poll": "Upravit hlasování",
"Sorry, you can't edit a poll after votes have been cast.": "Je nám líto, ale po odevzdání hlasů nelze hlasování upravovat.", "Sorry, you can't edit a poll after votes have been cast.": "Je nám líto, ale po odevzdání hlasů nelze hlasování upravovat.",
@ -2894,7 +2834,6 @@
"%(brand)s could not send your location. Please try again later.": "%(brand)s nemohl odeslat vaši polohu. Zkuste to prosím později.", "%(brand)s could not send your location. Please try again later.": "%(brand)s nemohl odeslat vaši polohu. Zkuste to prosím později.",
"We couldn't send your location": "Vaši polohu se nepodařilo odeslat", "We couldn't send your location": "Vaši polohu se nepodařilo odeslat",
"Match system": "Podle systému", "Match system": "Podle systému",
"Insert a trailing colon after user mentions at the start of a message": "Vložit dvojtečku za zmínku o uživateli na začátku zprávy",
"Reply to an ongoing thread or use “%(replyInThread)s” when hovering over a message to start a new one.": "Odpovědět na probíhající vlákno nebo použít \"%(replyInThread)s\", když najedete na zprávu a začnete novou.", "Reply to an ongoing thread or use “%(replyInThread)s” when hovering over a message to start a new one.": "Odpovědět na probíhající vlákno nebo použít \"%(replyInThread)s\", když najedete na zprávu a začnete novou.",
"%(oneUser)schanged the <a>pinned messages</a> for the room %(count)s times": { "%(oneUser)schanged the <a>pinned messages</a> for the room %(count)s times": {
"one": "%(oneUser)szměnil(a) <a>připnuté zprávy</a> místnosti", "one": "%(oneUser)szměnil(a) <a>připnuté zprávy</a> místnosti",
@ -2938,31 +2877,7 @@
"Next recently visited room or space": "Další nedávno navštívená místnost nebo prostor", "Next recently visited room or space": "Další nedávno navštívená místnost nebo prostor",
"Previous recently visited room or space": "Předchozí nedávno navštívená místnost nebo prostor", "Previous recently visited room or space": "Předchozí nedávno navštívená místnost nebo prostor",
"Event ID: %(eventId)s": "ID události: %(eventId)s", "Event ID: %(eventId)s": "ID události: %(eventId)s",
"No verification requests found": "Nebyly nalezeny žádné požadavky na ověření",
"Observe only": "Pouze sledovat",
"Requester": "Žadatel",
"Methods": "Metody",
"Timeout": "Časový limit",
"Phase": "Fáze",
"Client Versions": "Verze klienta",
"Server Versions": "Verze serveru",
"Transaction": "Transakce",
"Cancelled": "Zrušeno",
"Started": "Zahájeno",
"Ready": "Připraveno",
"Requested": "Požadované",
"Unsent": "Neodeslané", "Unsent": "Neodeslané",
"Edit values": "Upravit hodnoty",
"Failed to save settings.": "Nepodařilo se uložit nastavení.",
"Number of users": "Počet uživatelů",
"Server": "Server",
"Failed to load.": "Nepodařilo se načíst.",
"Capabilities": "Schopnosti",
"Send custom state event": "Odeslat vlastní stavovou událost",
"Failed to send event!": "Nepodařilo se odeslat událost!",
"Doesn't look like valid JSON.": "Nevypadá to jako platný JSON.",
"Send custom room account data event": "Odeslat vlastní událost s údaji o účtu místnosti",
"Send custom account data event": "Odeslat vlastní událost s údaji o účtu",
"Room ID: %(roomId)s": "ID místnosti: %(roomId)s", "Room ID: %(roomId)s": "ID místnosti: %(roomId)s",
"Server info": "Informace o serveru", "Server info": "Informace o serveru",
"Settings explorer": "Průzkumník nastavení", "Settings explorer": "Průzkumník nastavení",
@ -3041,7 +2956,6 @@
"Disinvite from space": "Zrušit pozvánku do prostoru", "Disinvite from space": "Zrušit pozvánku do prostoru",
"<b>Tip:</b> Use “%(replyInThread)s” when hovering over a message.": "<b>Tip:</b> Použijte \"%(replyInThread)s\" při najetí na zprávu.", "<b>Tip:</b> Use “%(replyInThread)s” when hovering over a message.": "<b>Tip:</b> Použijte \"%(replyInThread)s\" při najetí na zprávu.",
"No live locations": "Žádné polohy živě", "No live locations": "Žádné polohy živě",
"Enable Markdown": "Povolit Markdown",
"Close sidebar": "Zavřít postranní panel", "Close sidebar": "Zavřít postranní panel",
"View List": "Zobrazit seznam", "View List": "Zobrazit seznam",
"View list": "Zobrazit seznam", "View list": "Zobrazit seznam",
@ -3104,7 +3018,6 @@
"Ignore user": "Ignorovat uživatele", "Ignore user": "Ignorovat uživatele",
"View related event": "Zobrazit související událost", "View related event": "Zobrazit související událost",
"Read receipts": "Potvrzení o přečtení", "Read receipts": "Potvrzení o přečtení",
"Enable hardware acceleration (restart %(appName)s to take effect)": "Povolit hardwarovou akceleraci (restartuje %(appName)s, aby se změna projevila)",
"Failed to set direct message tag": "Nepodařilo se nastavit značku přímé zprávy", "Failed to set direct message tag": "Nepodařilo se nastavit značku přímé zprávy",
"You were disconnected from the call. (Error: %(message)s)": "Hovor byl přerušen. (Chyba: %(message)s)", "You were disconnected from the call. (Error: %(message)s)": "Hovor byl přerušen. (Chyba: %(message)s)",
"Connection lost": "Spojení ztraceno", "Connection lost": "Spojení ztraceno",
@ -3205,7 +3118,6 @@
"Your server doesn't support disabling sending read receipts.": "Váš server nepodporuje vypnutí odesílání potvrzení o přečtení.", "Your server doesn't support disabling sending read receipts.": "Váš server nepodporuje vypnutí odesílání potvrzení o přečtení.",
"Share your activity and status with others.": "Sdílejte své aktivity a stav s ostatními.", "Share your activity and status with others.": "Sdílejte své aktivity a stav s ostatními.",
"Show shortcut to welcome checklist above the room list": "Zobrazit zástupce na uvítací kontrolní seznam nad seznamem místností", "Show shortcut to welcome checklist above the room list": "Zobrazit zástupce na uvítací kontrolní seznam nad seznamem místností",
"Send read receipts": "Odesílat potvrzení o přečtení",
"Inactive sessions": "Neaktivní relace", "Inactive sessions": "Neaktivní relace",
"Verify your sessions for enhanced secure messaging or sign out from those you don't recognize or use anymore.": "Ověřte své relace pro bezpečné zasílání zpráv nebo se odhlaste z těch, které již nepoznáváte nebo nepoužíváte.", "Verify your sessions for enhanced secure messaging or sign out from those you don't recognize or use anymore.": "Ověřte své relace pro bezpečné zasílání zpráv nebo se odhlaste z těch, které již nepoznáváte nebo nepoužíváte.",
"Unverified sessions": "Neověřené relace", "Unverified sessions": "Neověřené relace",
@ -3444,19 +3356,6 @@
"All messages and invites from this user will be hidden. Are you sure you want to ignore them?": "Všechny zprávy a pozvánky od tohoto uživatele budou skryty. Opravdu je chcete ignorovat?", "All messages and invites from this user will be hidden. Are you sure you want to ignore them?": "Všechny zprávy a pozvánky od tohoto uživatele budou skryty. Opravdu je chcete ignorovat?",
"Ignore %(user)s": "Ignorovat %(user)s", "Ignore %(user)s": "Ignorovat %(user)s",
"Unable to decrypt voice broadcast": "Nelze dešifrovat hlasové vysílání", "Unable to decrypt voice broadcast": "Nelze dešifrovat hlasové vysílání",
"Thread Id: ": "Id vlákna: ",
"Threads timeline": "Časová osa vláken",
"Sender: ": "Odesílatel: ",
"Type: ": "Typ: ",
"ID: ": "ID: ",
"Last event:": "Poslední událost:",
"No receipt found": "Žádné potvrzení o přečtení",
"User read up to: ": "Uživatel přečetl až: ",
"Dot: ": "Tečka: ",
"Highlight: ": "Nejdůležitější: ",
"Total: ": "Celkem: ",
"Main timeline": "Hlavní časová osa",
"Room status": "Stav místnosti",
"Notifications debug": "Ladění oznámení", "Notifications debug": "Ladění oznámení",
"unknown": "neznámé", "unknown": "neznámé",
"Red": "Červená", "Red": "Červená",
@ -3516,17 +3415,9 @@
"Loading polls": "Načítání hlasování", "Loading polls": "Načítání hlasování",
"The sender has blocked you from receiving this message": "Odesílatel vám zablokoval přijetí této zprávy", "The sender has blocked you from receiving this message": "Odesílatel vám zablokoval přijetí této zprávy",
"Room directory": "Adresář místností", "Room directory": "Adresář místností",
"Show NSFW content": "Zobrazit NSFW obsah",
"Room is <strong>encrypted ✅</strong>": "Místnost je <strong>šifrovaná ✅</strong>",
"Notification state is <strong>%(notificationState)s</strong>": "Stav oznámení je <strong>%(notificationState)s</strong>",
"Room unread status: <strong>%(status)s</strong>": "Stav nepřečtení místnosti: <strong>%(status)s</strong>",
"Room unread status: <strong>%(status)s</strong>, count: <strong>%(count)s</strong>": {
"other": "Stav nepřečtení místnosti: <strong>%(status)s</strong>, počet: <strong>%(count)s</strong>"
},
"Due to decryption errors, some votes may not be counted": "Kvůli chybám v dešifrování nemusí být některé hlasy započítány", "Due to decryption errors, some votes may not be counted": "Kvůli chybám v dešifrování nemusí být některé hlasy započítány",
"Identity server is <code>%(identityServerUrl)s</code>": "Server identit je <code>%(identityServerUrl)s</code>", "Identity server is <code>%(identityServerUrl)s</code>": "Server identit je <code>%(identityServerUrl)s</code>",
"Homeserver is <code>%(homeserverUrl)s</code>": "Domovský server je <code>%(homeserverUrl)s</code>", "Homeserver is <code>%(homeserverUrl)s</code>": "Domovský server je <code>%(homeserverUrl)s</code>",
"Room is <strong>not encrypted 🚨</strong>": "Místnost <strong>není šifrovaná 🚨</strong>",
"Ended a poll": "Ukončil hlasování", "Ended a poll": "Ukončil hlasování",
"Yes, it was me": "Ano, to jsem byl já", "Yes, it was me": "Ano, to jsem byl já",
"Answered elsewhere": "Hovor přijat jinde", "Answered elsewhere": "Hovor přijat jinde",
@ -3582,7 +3473,6 @@
"Formatting": "Formátování", "Formatting": "Formátování",
"Can't find the old version of this room (room ID: %(roomId)s), and we have not been provided with 'via_servers' to look for it.": "Nepodařilo se najít starou verzi této místnosti (ID místnosti: %(roomId)s), a nebyl poskytnut parametr 'via_servers', který by umožnil její vyhledání.", "Can't find the old version of this room (room ID: %(roomId)s), and we have not been provided with 'via_servers' to look for it.": "Nepodařilo se najít starou verzi této místnosti (ID místnosti: %(roomId)s), a nebyl poskytnut parametr 'via_servers', který by umožnil její vyhledání.",
"Can't find the old version of this room (room ID: %(roomId)s), and we have not been provided with 'via_servers' to look for it. It's possible that guessing the server from the room ID will work. If you want to try, click this link:": "Nepodařilo se najít starou verzi této místnosti (ID místnosti: %(roomId)s), a nebyl poskytnut parametr 'via_servers', který by umožnil její vyhledání. Je možné, že odhad serveru z ID místnosti bude fungovat. Pokud to chcete zkusit, klikněte na tento odkaz:", "Can't find the old version of this room (room ID: %(roomId)s), and we have not been provided with 'via_servers' to look for it. It's possible that guessing the server from the room ID will work. If you want to try, click this link:": "Nepodařilo se najít starou verzi této místnosti (ID místnosti: %(roomId)s), a nebyl poskytnut parametr 'via_servers', který by umožnil její vyhledání. Je možné, že odhad serveru z ID místnosti bude fungovat. Pokud to chcete zkusit, klikněte na tento odkaz:",
"Start messages with <code>/plain</code> to send without markdown.": "Začněte zprávy s <code>/plain</code> pro odeslání bez markdown.",
"The add / bind with MSISDN flow is misconfigured": "Přidání/připojení s MSISDN je nesprávně nakonfigurováno", "The add / bind with MSISDN flow is misconfigured": "Přidání/připojení s MSISDN je nesprávně nakonfigurováno",
"No identity access token found": "Nebyl nalezen žádný přístupový token identity", "No identity access token found": "Nebyl nalezen žádný přístupový token identity",
"Identity server not set": "Server identit není nastaven", "Identity server not set": "Server identit není nastaven",
@ -3623,8 +3513,6 @@
"Exported Data": "Exportovaná data", "Exported Data": "Exportovaná data",
"Views room with given address": "Zobrazí místnost s danou adresou", "Views room with given address": "Zobrazí místnost s danou adresou",
"Notification Settings": "Nastavení oznámení", "Notification Settings": "Nastavení oznámení",
"Show current profile picture and name for users in message history": "Zobrazit aktuální profilové obrázky a jména uživatelů v historii zpráv",
"Show profile picture changes": "Zobrazit změny profilového obrázku",
"Email summary": "E-mailový souhrn", "Email summary": "E-mailový souhrn",
"Select which emails you want to send summaries to. Manage your emails in <button>General</button>.": "Vyberte e-maily, na které chcete zasílat souhrny. E-maily můžete spravovat v nastavení <button>Obecné</button>.", "Select which emails you want to send summaries to. Manage your emails in <button>General</button>.": "Vyberte e-maily, na které chcete zasílat souhrny. E-maily můžete spravovat v nastavení <button>Obecné</button>.",
"People, Mentions and Keywords": "Lidé, zmínky a klíčová slova", "People, Mentions and Keywords": "Lidé, zmínky a klíčová slova",
@ -3642,10 +3530,6 @@
"People cannot join unless access is granted.": "Lidé nemohou vstoupit, pokud jim není povolen přístup.", "People cannot join unless access is granted.": "Lidé nemohou vstoupit, pokud jim není povolen přístup.",
"Email Notifications": "E-mailová oznámení", "Email Notifications": "E-mailová oznámení",
"Unable to find user by email": "Nelze najít uživatele podle e-mailu", "Unable to find user by email": "Nelze najít uživatele podle e-mailu",
"User read up to (ignoreSynthetic): ": "Uživatel čte až do (ignoreSynthetic): ",
"User read up to (m.read.private): ": "Uživatel čte až do (m.read.private): ",
"User read up to (m.read.private;ignoreSynthetic): ": "Uživatel čte až do (m.read.private;ignoreSynthetic): ",
"See history": "Prohlédnout historii",
"%(senderDisplayName)s changed the join rule to ask to join.": "%(senderDisplayName)s změnil(a) pravidlo žádosti o vstup.", "%(senderDisplayName)s changed the join rule to ask to join.": "%(senderDisplayName)s změnil(a) pravidlo žádosti o vstup.",
"<strong>Update:</strong>Weve simplified Notifications Settings to make options easier to find. Some custom settings youve chosen in the past are not shown here, but theyre still active. If you proceed, some of your settings may change. <a>Learn more</a>": "<strong>Aktualizace:</strong>Zjednodušili jsme Nastavení oznámení, aby bylo možné snadněji najít možnosti nastavení. Některá vlastní nastavení, která jste zvolili v minulosti, se zde nezobrazují, ale jsou stále aktivní. Pokud budete pokračovat, některá vaše nastavení se mohou změnit. <a>Zjistit více</a>", "<strong>Update:</strong>Weve simplified Notifications Settings to make options easier to find. Some custom settings youve chosen in the past are not shown here, but theyre still active. If you proceed, some of your settings may change. <a>Learn more</a>": "<strong>Aktualizace:</strong>Zjednodušili jsme Nastavení oznámení, aby bylo možné snadněji najít možnosti nastavení. Některá vlastní nastavení, která jste zvolili v minulosti, se zde nezobrazují, ale jsou stále aktivní. Pokud budete pokračovat, některá vaše nastavení se mohou změnit. <a>Zjistit více</a>",
"Messages in this room are end-to-end encrypted. When people join, you can verify them in their profile, just tap on their profile picture.": "Zprávy v této místnosti jsou koncově šifrovány. Když lidé vstoupí, můžete je ověřit v jejich profilu, stačí klepnout na jejich profilový obrázek.", "Messages in this room are end-to-end encrypted. When people join, you can verify them in their profile, just tap on their profile picture.": "Zprávy v této místnosti jsou koncově šifrovány. Když lidé vstoupí, můžete je ověřit v jejich profilu, stačí klepnout na jejich profilový obrázek.",
@ -3773,7 +3657,9 @@
"android": "Android", "android": "Android",
"trusted": "Důvěryhodné", "trusted": "Důvěryhodné",
"not_trusted": "Nedůvěryhodné", "not_trusted": "Nedůvěryhodné",
"accessibility": "Přístupnost" "accessibility": "Přístupnost",
"capabilities": "Schopnosti",
"server": "Server"
}, },
"action": { "action": {
"continue": "Pokračovat", "continue": "Pokračovat",
@ -3873,7 +3759,8 @@
"maximise": "Maximalizovat", "maximise": "Maximalizovat",
"mention": "Zmínit", "mention": "Zmínit",
"submit": "Odeslat", "submit": "Odeslat",
"send_report": "Nahlásit" "send_report": "Nahlásit",
"clear": "Smazat"
}, },
"a11y": { "a11y": {
"user_menu": "Uživatelská nabídka" "user_menu": "Uživatelská nabídka"
@ -4007,5 +3894,122 @@
"you_did_it": "Dokázali jste to!", "you_did_it": "Dokázali jste to!",
"complete_these": "Dokončete následující, abyste z %(brand)s získali co nejvíce", "complete_these": "Dokončete následující, abyste z %(brand)s získali co nejvíce",
"community_messaging_description": "Zachovejte si vlastnictví a kontrolu nad komunitní diskusí.\nPodpora milionů uživatelů s účinným moderováním a interoperabilitou." "community_messaging_description": "Zachovejte si vlastnictví a kontrolu nad komunitní diskusí.\nPodpora milionů uživatelů s účinným moderováním a interoperabilitou."
},
"devtools": {
"send_custom_account_data_event": "Odeslat vlastní událost s údaji o účtu",
"send_custom_room_account_data_event": "Odeslat vlastní událost s údaji o účtu místnosti",
"event_type": "Typ události",
"state_key": "Stavový klíč",
"invalid_json": "Nevypadá to jako platný JSON.",
"failed_to_send": "Nepodařilo se odeslat událost!",
"event_sent": "Událost odeslána!",
"event_content": "Obsah události",
"user_read_up_to": "Uživatel přečetl až: ",
"no_receipt_found": "Žádné potvrzení o přečtení",
"user_read_up_to_ignore_synthetic": "Uživatel čte až do (ignoreSynthetic): ",
"user_read_up_to_private": "Uživatel čte až do (m.read.private): ",
"user_read_up_to_private_ignore_synthetic": "Uživatel čte až do (m.read.private;ignoreSynthetic): ",
"room_status": "Stav místnosti",
"room_unread_status_count": {
"other": "Stav nepřečtení místnosti: <strong>%(status)s</strong>, počet: <strong>%(count)s</strong>"
},
"notification_state": "Stav oznámení je <strong>%(notificationState)s</strong>",
"room_encrypted": "Místnost je <strong>šifrovaná ✅</strong>",
"room_not_encrypted": "Místnost <strong>není šifrovaná 🚨</strong>",
"main_timeline": "Hlavní časová osa",
"threads_timeline": "Časová osa vláken",
"room_notifications_total": "Celkem: ",
"room_notifications_highlight": "Nejdůležitější: ",
"room_notifications_dot": "Tečka: ",
"room_notifications_last_event": "Poslední událost:",
"room_notifications_type": "Typ: ",
"room_notifications_sender": "Odesílatel: ",
"room_notifications_thread_id": "Id vlákna: ",
"spaces": {
"one": "<mezera>",
"other": "<%(count)s mezer>"
},
"empty_string": "<prázdný řetězec>",
"room_unread_status": "Stav nepřečtení místnosti: <strong>%(status)s</strong>",
"id": "ID: ",
"send_custom_state_event": "Odeslat vlastní stavovou událost",
"see_history": "Prohlédnout historii",
"failed_to_load": "Nepodařilo se načíst.",
"client_versions": "Verze klienta",
"server_versions": "Verze serveru",
"number_of_users": "Počet uživatelů",
"failed_to_save": "Nepodařilo se uložit nastavení.",
"save_setting_values": "Uložit hodnoty nastavení",
"setting_colon": "Nastavení:",
"caution_colon": "Pozor:",
"use_at_own_risk": "Toto uživatelské rozhraní NEKONTROLUJE typy hodnot. Použití na vlastní nebezpečí.",
"setting_definition": "Definice nastavení:",
"level": "Úroveň",
"settable_global": "Nastavitelné na globální úrovni",
"settable_room": "Nastavitelné v místnosti",
"values_explicit": "Hodnoty na explicitních úrovních",
"values_explicit_room": "Hodnoty na explicitních úrovních v této místnosti",
"edit_values": "Upravit hodnoty",
"value_colon": "Hodnota:",
"value_this_room_colon": "Hodnota v této místnosti:",
"values_explicit_colon": "Hodnoty na explicitních úrovních:",
"values_explicit_this_room_colon": "Hodnoty na explicitních úrovních v této místnosti:",
"setting_id": "ID nastavení",
"value": "Hodnota",
"value_in_this_room": "Hodnota v této místnosti",
"edit_setting": "Upravit nastavení",
"phase_requested": "Požadované",
"phase_ready": "Připraveno",
"phase_started": "Zahájeno",
"phase_cancelled": "Zrušeno",
"phase_transaction": "Transakce",
"phase": "Fáze",
"timeout": "Časový limit",
"methods": "Metody",
"requester": "Žadatel",
"observe_only": "Pouze sledovat",
"no_verification_requests_found": "Nebyly nalezeny žádné požadavky na ověření",
"failed_to_find_widget": "Při hledání tohoto widgetu došlo k chybě."
},
"settings": {
"show_breadcrumbs": "Zobrazovat zkratky do nedávno zobrazených místností navrchu",
"all_rooms_home_description": "Všechny místnosti, ve kterých se nacházíte, se zobrazí v Domovu.",
"use_command_f_search": "Stiskněte Command + F k vyhledávání v časové ose",
"use_control_f_search": "Stiskněte Ctrl + F k vyhledávání v časové ose",
"use_12_hour_format": "Zobrazovat čas v 12hodinovém formátu (např. 2:30 odp.)",
"always_show_message_timestamps": "Vždy zobrazovat časové značky zpráv",
"send_read_receipts": "Odesílat potvrzení o přečtení",
"send_typing_notifications": "Posílat oznámení, když píšete",
"replace_plain_emoji": "Automaticky nahrazovat textové emoji",
"enable_markdown": "Povolit Markdown",
"emoji_autocomplete": "Napovídat emoji",
"use_command_enter_send_message": "K odeslání zprávy použijte Command + Enter",
"use_control_enter_send_message": "K odeslání zprávy použijte Ctrl + Enter",
"all_rooms_home": "Zobrazit všechny místnosti v Domovu",
"enable_markdown_description": "Začněte zprávy s <code>/plain</code> pro odeslání bez markdown.",
"show_stickers_button": "Tlačítko Zobrazit nálepky",
"insert_trailing_colon_mentions": "Vložit dvojtečku za zmínku o uživateli na začátku zprávy",
"automatic_language_detection_syntax_highlight": "Zapnout automatické rozpoznávání jazyků pro zvýrazňování syntaxe",
"code_block_expand_default": "Ve výchozím nastavení rozbalit bloky kódu",
"code_block_line_numbers": "Zobrazit čísla řádků v blocích kódu",
"inline_url_previews_default": "Nastavit povolení náhledů URL adres jako výchozí",
"autoplay_gifs": "Automatické přehrávání GIFů",
"autoplay_videos": "Automatické přehrávání videí",
"image_thumbnails": "Zobrazovat náhledy obrázků",
"show_typing_notifications": "Zobrazovat oznámení „... právě píše...“",
"show_redaction_placeholder": "Zobrazovat smazané zprávy",
"show_read_receipts": "Zobrazovat potvrzení o přečtení",
"show_join_leave": "Zobrazit zprávy o vstupu/odchodu (pozvánky/odebrání/vykázání nejsou ovlivněny)",
"show_displayname_changes": "Zobrazovat změny zobrazovaného jména",
"show_chat_effects": "Zobrazit efekty chatu (animace např. při přijetí konfet)",
"show_avatar_changes": "Zobrazit změny profilového obrázku",
"big_emoji": "Povolit velké emoji",
"jump_to_bottom_on_send": "Po odeslání zprávy přejít na konec časové osy",
"disable_historical_profile": "Zobrazit aktuální profilové obrázky a jména uživatelů v historii zpráv",
"show_nsfw_content": "Zobrazit NSFW obsah",
"prompt_invite": "Potvrdit odeslání pozvánky potenciálně neplatným Matrix ID",
"hardware_acceleration": "Povolit hardwarovou akceleraci (restartuje %(appName)s, aby se změna projevila)",
"start_automatically": "Zahájit automaticky po přihlášení do systému",
"warn_quit": "Varovat před ukončením"
} }
} }

View file

@ -116,13 +116,11 @@
"Search…": "Søg…", "Search…": "Søg…",
"When I'm invited to a room": "Når jeg bliver inviteret til et rum", "When I'm invited to a room": "Når jeg bliver inviteret til et rum",
"Tuesday": "Tirsdag", "Tuesday": "Tirsdag",
"Event sent!": "Begivenhed sendt!",
"Saturday": "Lørdag", "Saturday": "Lørdag",
"Monday": "Mandag", "Monday": "Mandag",
"Toolbox": "Værktøjer", "Toolbox": "Værktøjer",
"Collecting logs": "Indsamler logfiler", "Collecting logs": "Indsamler logfiler",
"Invite to this room": "Inviter til dette rum", "Invite to this room": "Inviter til dette rum",
"State Key": "Tilstandsnøgle",
"Send": "Send", "Send": "Send",
"All messages": "Alle beskeder", "All messages": "Alle beskeder",
"Call invitation": "Opkalds invitation", "Call invitation": "Opkalds invitation",
@ -134,12 +132,10 @@
"Messages in group chats": "Beskeder i gruppechats", "Messages in group chats": "Beskeder i gruppechats",
"Yesterday": "I går", "Yesterday": "I går",
"Error encountered (%(errorDetail)s).": "En fejl er opstået (%(errorDetail)s).", "Error encountered (%(errorDetail)s).": "En fejl er opstået (%(errorDetail)s).",
"Event Type": "Begivenhedstype",
"Low Priority": "Lav prioritet", "Low Priority": "Lav prioritet",
"Failed to remove tag %(tagName)s from room": "Kunne ikke fjerne tag(s): %(tagName)s fra rummet", "Failed to remove tag %(tagName)s from room": "Kunne ikke fjerne tag(s): %(tagName)s fra rummet",
"Wednesday": "Onsdag", "Wednesday": "Onsdag",
"Developer Tools": "Udviklingsværktøjer", "Developer Tools": "Udviklingsværktøjer",
"Event Content": "Begivenhedsindhold",
"Thank you!": "Tak!", "Thank you!": "Tak!",
"Logs sent": "Logfiler sendt", "Logs sent": "Logfiler sendt",
"Failed to send logs: ": "Kunne ikke sende logfiler: ", "Failed to send logs: ": "Kunne ikke sende logfiler: ",
@ -268,8 +264,6 @@
"Add Email Address": "Tilføj e-mail adresse", "Add Email Address": "Tilføj e-mail adresse",
"Add Phone Number": "Tilføj telefonnummer", "Add Phone Number": "Tilføj telefonnummer",
"%(widgetName)s widget modified by %(senderName)s": "%(widgetName)s ændret af %(senderName)s", "%(widgetName)s widget modified by %(senderName)s": "%(widgetName)s ændret af %(senderName)s",
"Enable Emoji suggestions while typing": "Aktiver emoji forslag under indtastning",
"Show a placeholder for removed messages": "Vis en pladsholder for fjernede beskeder",
"Use Single Sign On to continue": "Brug engangs login for at fortsætte", "Use Single Sign On to continue": "Brug engangs login for at fortsætte",
"Confirm adding this email address by using Single Sign On to prove your identity.": "Bekræft tilføjelsen af denne email adresse ved at bruge Single Sign On til at bevise din identitet.", "Confirm adding this email address by using Single Sign On to prove your identity.": "Bekræft tilføjelsen af denne email adresse ved at bruge Single Sign On til at bevise din identitet.",
"Single Sign On": "Engangs login", "Single Sign On": "Engangs login",
@ -732,5 +726,15 @@
}, },
"time": { "time": {
"date_at_time": "%(date)s om %(time)s" "date_at_time": "%(date)s om %(time)s"
},
"devtools": {
"event_type": "Begivenhedstype",
"state_key": "Tilstandsnøgle",
"event_sent": "Begivenhed sendt!",
"event_content": "Begivenhedsindhold"
},
"settings": {
"emoji_autocomplete": "Aktiver emoji forslag under indtastning",
"show_redaction_placeholder": "Vis en pladsholder for fjernede beskeder"
} }
} }

View file

@ -148,7 +148,6 @@
"Failed to load timeline position": "Laden der Verlaufsposition fehlgeschlagen", "Failed to load timeline position": "Laden der Verlaufsposition fehlgeschlagen",
"%(items)s and %(lastItem)s": "%(items)s und %(lastItem)s", "%(items)s and %(lastItem)s": "%(items)s und %(lastItem)s",
"%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s": "%(weekDayName)s, %(day)s. %(monthName)s %(fullYear)s %(time)s", "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s": "%(weekDayName)s, %(day)s. %(monthName)s %(fullYear)s %(time)s",
"Always show message timestamps": "Nachrichtenzeitstempel immer anzeigen",
"Authentication": "Authentifizierung", "Authentication": "Authentifizierung",
"An error has occurred.": "Ein Fehler ist aufgetreten.", "An error has occurred.": "Ein Fehler ist aufgetreten.",
"Confirm password": "Passwort bestätigen", "Confirm password": "Passwort bestätigen",
@ -157,7 +156,6 @@
"New passwords don't match": "Die neuen Passwörter stimmen nicht überein", "New passwords don't match": "Die neuen Passwörter stimmen nicht überein",
"Passwords can't be empty": "Passwortfelder dürfen nicht leer sein", "Passwords can't be empty": "Passwortfelder dürfen nicht leer sein",
"%(brand)s version:": "Version von %(brand)s:", "%(brand)s version:": "Version von %(brand)s:",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "Uhrzeiten im 12-Stundenformat (z. B. 2:30 p. m.)",
"Email address": "E-Mail-Adresse", "Email address": "E-Mail-Adresse",
"Error decrypting attachment": "Fehler beim Entschlüsseln des Anhangs", "Error decrypting attachment": "Fehler beim Entschlüsseln des Anhangs",
"Operation failed": "Aktion fehlgeschlagen", "Operation failed": "Aktion fehlgeschlagen",
@ -192,7 +190,6 @@
"Drop file here to upload": "Datei hier loslassen zum hochladen", "Drop file here to upload": "Datei hier loslassen zum hochladen",
"Idle": "Abwesend", "Idle": "Abwesend",
"You are about to be taken to a third-party site so you can authenticate your account for use with %(integrationsUrl)s. Do you wish to continue?": "Um dein Konto für die Verwendung von %(integrationsUrl)s zu authentifizieren, wirst du jetzt auf die Website eines Drittanbieters weitergeleitet. Möchtest du fortfahren?", "You are about to be taken to a third-party site so you can authenticate your account for use with %(integrationsUrl)s. Do you wish to continue?": "Um dein Konto für die Verwendung von %(integrationsUrl)s zu authentifizieren, wirst du jetzt auf die Website eines Drittanbieters weitergeleitet. Möchtest du fortfahren?",
"Start automatically after system login": "Nach Systemstart automatisch starten",
"Jump to first unread message.": "Zur ersten ungelesenen Nachricht springen.", "Jump to first unread message.": "Zur ersten ungelesenen Nachricht springen.",
"Invited": "Eingeladen", "Invited": "Eingeladen",
"%(senderDisplayName)s removed the room avatar.": "%(senderDisplayName)s hat das Raumbild entfernt.", "%(senderDisplayName)s removed the room avatar.": "%(senderDisplayName)s hat das Raumbild entfernt.",
@ -241,11 +238,9 @@
"Check for update": "Nach Aktualisierung suchen", "Check for update": "Nach Aktualisierung suchen",
"Delete widget": "Widget entfernen", "Delete widget": "Widget entfernen",
"Define the power level of a user": "Berechtigungsstufe einers Benutzers setzen", "Define the power level of a user": "Berechtigungsstufe einers Benutzers setzen",
"Enable automatic language detection for syntax highlighting": "Automatische Spracherkennung für die Syntaxhervorhebung",
"Unable to create widget.": "Widget kann nicht erstellt werden.", "Unable to create widget.": "Widget kann nicht erstellt werden.",
"You are not in this room.": "Du bist nicht in diesem Raum.", "You are not in this room.": "Du bist nicht in diesem Raum.",
"You do not have permission to do that in this room.": "Du hast dafür keine Berechtigung.", "You do not have permission to do that in this room.": "Du hast dafür keine Berechtigung.",
"Automatically replace plain text Emoji": "Klartext-Emoji automatisch ersetzen",
"AM": "a. m.", "AM": "a. m.",
"PM": "p. m.", "PM": "p. m.",
"%(widgetName)s widget added by %(senderName)s": "%(senderName)s hat das Widget %(widgetName)s hinzugefügt", "%(widgetName)s widget added by %(senderName)s": "%(senderName)s hat das Widget %(widgetName)s hinzugefügt",
@ -362,7 +357,6 @@
}, },
"Notify the whole room": "Alle im Raum benachrichtigen", "Notify the whole room": "Alle im Raum benachrichtigen",
"Room Notification": "Raum-Benachrichtigung", "Room Notification": "Raum-Benachrichtigung",
"Enable inline URL previews by default": "URL-Vorschau standardmäßig aktivieren",
"Enable URL previews for this room (only affects you)": "URL-Vorschau für dich in diesem Raum", "Enable URL previews for this room (only affects you)": "URL-Vorschau für dich in diesem Raum",
"Enable URL previews by default for participants in this room": "URL-Vorschau für Raummitglieder", "Enable URL previews by default for participants in this room": "URL-Vorschau für Raummitglieder",
"Please note you are logging into the %(hs)s server, not matrix.org.": "Bitte beachte, dass du dich gerade auf %(hs)s anmeldest, nicht matrix.org.", "Please note you are logging into the %(hs)s server, not matrix.org.": "Bitte beachte, dass du dich gerade auf %(hs)s anmeldest, nicht matrix.org.",
@ -426,7 +420,6 @@
"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)",
"All messages": "Alle Nachrichten", "All messages": "Alle Nachrichten",
"Call invitation": "Anrufe", "Call invitation": "Anrufe",
"State Key": "Statusschlüssel",
"What's new?": "Was ist neu?", "What's new?": "Was ist neu?",
"When I'm invited to a room": "Einladungen", "When I'm invited to a room": "Einladungen",
"All Rooms": "In allen Räumen", "All Rooms": "In allen Räumen",
@ -439,9 +432,6 @@
"Error encountered (%(errorDetail)s).": "Es ist ein Fehler aufgetreten (%(errorDetail)s).", "Error encountered (%(errorDetail)s).": "Es ist ein Fehler aufgetreten (%(errorDetail)s).",
"Low Priority": "Niedrige Priorität", "Low Priority": "Niedrige Priorität",
"Off": "Aus", "Off": "Aus",
"Event Type": "Eventtyp",
"Event sent!": "Ereignis gesendet!",
"Event Content": "Ereignisinhalt",
"Thank you!": "Danke!", "Thank you!": "Danke!",
"Missing roomId.": "Fehlende Raum-ID.", "Missing roomId.": "Fehlende Raum-ID.",
"Popout widget": "Widget in eigenem Fenster öffnen", "Popout widget": "Widget in eigenem Fenster öffnen",
@ -566,7 +556,6 @@
"Go to Settings": "Gehe zu Einstellungen", "Go to Settings": "Gehe zu Einstellungen",
"Sign in with single sign-on": "Einmalanmeldung nutzen", "Sign in with single sign-on": "Einmalanmeldung nutzen",
"Unrecognised address": "Nicht erkannte Adresse", "Unrecognised address": "Nicht erkannte Adresse",
"Prompt before sending invites to potentially invalid matrix IDs": "Warnen, bevor du Einladungen zu ungültigen Matrix-IDs sendest",
"The following users may not exist": "Eventuell existieren folgende Benutzer nicht", "The following users may not exist": "Eventuell existieren folgende Benutzer nicht",
"Unable to find profiles for the Matrix IDs listed below - would you like to invite them anyway?": "Profile für die nachfolgenden Matrix-IDs wurden nicht gefunden willst du sie dennoch einladen?", "Unable to find profiles for the Matrix IDs listed below - would you like to invite them anyway?": "Profile für die nachfolgenden Matrix-IDs wurden nicht gefunden willst du sie dennoch einladen?",
"Invite anyway and never warn me again": "Trotzdem einladen und mich nicht mehr warnen", "Invite anyway and never warn me again": "Trotzdem einladen und mich nicht mehr warnen",
@ -580,11 +569,6 @@
"one": "%(names)s und eine weitere Person tippen …" "one": "%(names)s und eine weitere Person tippen …"
}, },
"%(names)s and %(lastPerson)s are typing …": "%(names)s und %(lastPerson)s tippen …", "%(names)s and %(lastPerson)s are typing …": "%(names)s und %(lastPerson)s tippen …",
"Enable Emoji suggestions while typing": "Emoji-Vorschläge während Eingabe",
"Show a placeholder for removed messages": "Platzhalter für gelöschte Nachrichten",
"Show display name changes": "Änderungen von Anzeigenamen",
"Send typing notifications": "Tippbenachrichtigungen senden",
"Enable big emoji in chat": "Große Emojis im Verlauf anzeigen",
"Messages containing my username": "Nachrichten mit meinem Benutzernamen", "Messages containing my username": "Nachrichten mit meinem Benutzernamen",
"The other party cancelled the verification.": "Die Gegenstelle hat die Überprüfung abgebrochen.", "The other party cancelled the verification.": "Die Gegenstelle hat die Überprüfung abgebrochen.",
"Verified!": "Verifiziert!", "Verified!": "Verifiziert!",
@ -733,7 +717,6 @@
"Prepends ¯\\_(ツ)_/¯ to a plain-text message": "Stellt ¯\\_(ツ)_/¯ einer Klartextnachricht voran", "Prepends ¯\\_(ツ)_/¯ to a plain-text message": "Stellt ¯\\_(ツ)_/¯ einer Klartextnachricht voran",
"Changes your display nickname in the current room only": "Ändert den Anzeigenamen ausschließlich für den aktuellen Raum", "Changes your display nickname in the current room only": "Ändert den Anzeigenamen ausschließlich für den aktuellen Raum",
"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.",
"Show read receipts sent by other users": "Lesebestätigungen von anderen Benutzern anzeigen",
"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 avatar": "Raumbild ändern",
@ -821,7 +804,6 @@
"Add Phone Number": "Telefonnummer hinzufügen", "Add Phone Number": "Telefonnummer hinzufügen",
"Changes the avatar of the current room": "Ändert das Icon vom Raum", "Changes the avatar of the current room": "Ändert das Icon vom Raum",
"Deactivate account": "Benutzerkonto deaktivieren", "Deactivate account": "Benutzerkonto deaktivieren",
"Show previews/thumbnails for images": "Vorschauen für Bilder",
"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.": "Diese Handlung erfordert es, auf den Standard-Identitäts-Server <server /> zuzugreifen, um eine E-Mail-Adresse oder Telefonnummer zu validieren, aber der Server hat keine Nutzungsbedingungen.", "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.": "Diese Handlung erfordert es, auf den Standard-Identitäts-Server <server /> zuzugreifen, um eine E-Mail-Adresse oder Telefonnummer zu validieren, aber der Server hat keine Nutzungsbedingungen.",
"Only continue if you trust the owner of the server.": "Fahre nur fort, wenn du den Server-Betreibenden vertraust.", "Only continue if you trust the owner of the server.": "Fahre nur fort, wenn du den Server-Betreibenden vertraust.",
"Sends a message as plain text, without interpreting it as markdown": "Sendet eine Nachricht als Klartext, ohne sie als Markdown darzustellen", "Sends a message as plain text, without interpreting it as markdown": "Sendet eine Nachricht als Klartext, ohne sie als Markdown darzustellen",
@ -948,7 +930,6 @@
"Sign In or Create Account": "Anmelden oder Konto erstellen", "Sign In or Create Account": "Anmelden oder Konto erstellen",
"Use your account or create a new one to continue.": "Benutze dein Konto oder erstelle ein neues, um fortzufahren.", "Use your account or create a new one to continue.": "Benutze dein Konto oder erstelle ein neues, um fortzufahren.",
"Create Account": "Konto erstellen", "Create Account": "Konto erstellen",
"Show typing notifications": "Tippbenachrichtigungen anzeigen",
"When rooms are upgraded": "Raumaktualisierungen", "When rooms are upgraded": "Raumaktualisierungen",
"Scan this unique code": "Lese diesen eindeutigen Code ein", "Scan this unique code": "Lese diesen eindeutigen Code ein",
"Compare unique emoji": "Vergleiche einzigartige Emojis", "Compare unique emoji": "Vergleiche einzigartige Emojis",
@ -1043,7 +1024,6 @@
"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.": "Wenn du diese Nachricht meldest, wird die eindeutige Ereignis-ID an die Administration deines Heim-Servers übermittelt. Wenn die Nachrichten in diesem Raum verschlüsselt sind, wird deine Heim-Server-Administration nicht in der Lage sein, Nachrichten zu lesen oder Medien einzusehen.", "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.": "Wenn du diese Nachricht meldest, wird die eindeutige Ereignis-ID an die Administration deines Heim-Servers übermittelt. Wenn die Nachrichten in diesem Raum verschlüsselt sind, wird deine Heim-Server-Administration nicht in der Lage sein, Nachrichten zu lesen oder Medien einzusehen.",
"%(creator)s created and configured the room.": "%(creator)s hat den Raum erstellt und konfiguriert.", "%(creator)s created and configured the room.": "%(creator)s hat den Raum erstellt und konfiguriert.",
"Sends a message as html, without interpreting it as markdown": "Sendet eine Nachricht als HTML, ohne sie als Markdown darzustellen", "Sends a message as html, without interpreting it as markdown": "Sendet eine Nachricht als HTML, ohne sie als Markdown darzustellen",
"Show shortcuts to recently viewed rooms above the room list": "Kürzlich besuchte Räume anzeigen",
"Use Single Sign On to continue": "Einmalanmeldung zum Fortfahren nutzen", "Use Single Sign On to continue": "Einmalanmeldung zum Fortfahren nutzen",
"Confirm adding this email address by using Single Sign On to prove your identity.": "Bestätige die neue E-Mail-Adresse mit Single-Sign-On, um deine Identität nachzuweisen.", "Confirm adding this email address by using Single Sign On to prove your identity.": "Bestätige die neue E-Mail-Adresse mit Single-Sign-On, um deine Identität nachzuweisen.",
"Single Sign On": "Single Sign-on", "Single Sign On": "Single Sign-on",
@ -1652,8 +1632,6 @@
"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", "You ended the call": "Du hast den Anruf beendet",
"%(senderName)s ended the call": "%(senderName)s hat den Anruf beendet", "%(senderName)s ended the call": "%(senderName)s hat den Anruf beendet",
"Use Command + Enter to send a message": "Benutze Betriebssystemtaste + Eingabe um eine Nachricht zu senden",
"Use Ctrl + Enter to send a message": "Nutze Strg + Enter, um Nachrichten zu senden",
"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."
@ -1998,7 +1976,6 @@
"Unable to access secret storage. Please verify that you entered the correct Security Phrase.": "Zugriff auf sicheren Speicher nicht möglich. Bitte überprüfe, ob du die richtige Sicherheitsphrase eingegeben hast.", "Unable to access secret storage. Please verify that you entered the correct Security Phrase.": "Zugriff auf sicheren Speicher nicht möglich. Bitte überprüfe, ob du die richtige Sicherheitsphrase eingegeben hast.",
"Invalid Security Key": "Ungültiger Sicherheitsschlüssel", "Invalid Security Key": "Ungültiger Sicherheitsschlüssel",
"Wrong Security Key": "Falscher Sicherheitsschlüssel", "Wrong Security Key": "Falscher Sicherheitsschlüssel",
"There was an error finding this widget.": "Fehler beim Finden dieses Widgets.",
"Active Widgets": "Aktive Widgets", "Active Widgets": "Aktive Widgets",
"Open dial pad": "Wähltastatur öffnen", "Open dial pad": "Wähltastatur öffnen",
"Back up your encryption keys with your account data in case you lose access to your sessions. Your keys will be secured with a unique Security Key.": "Sichere deine Schlüssel mit deinen Kontodaten, für den Fall, dass du den Zugriff auf deine Sitzungen verlierst. Deine Schlüssel werden mit einem eindeutigen Sicherheitsschlüssel geschützt.", "Back up your encryption keys with your account data in case you lose access to your sessions. Your keys will be secured with a unique Security Key.": "Sichere deine Schlüssel mit deinen Kontodaten, für den Fall, dass du den Zugriff auf deine Sitzungen verlierst. Deine Schlüssel werden mit einem eindeutigen Sicherheitsschlüssel geschützt.",
@ -2028,26 +2005,8 @@
"Use app": "App verwenden", "Use app": "App verwenden",
"Use app for a better experience": "Nutze die App für eine bessere Erfahrung", "Use app for a better experience": "Nutze die App für eine bessere Erfahrung",
"We asked the browser to remember which homeserver you use to let you sign in, but unfortunately your browser has forgotten it. Go to the sign in page and try again.": "Wir haben deinen Browser gebeten, sich zu merken, bei welchem Heim-Server du dich anmeldest, aber dein Browser hat dies leider vergessen. Gehe zur Anmeldeseite und versuche es erneut.", "We asked the browser to remember which homeserver you use to let you sign in, but unfortunately your browser has forgotten it. Go to the sign in page and try again.": "Wir haben deinen Browser gebeten, sich zu merken, bei welchem Heim-Server du dich anmeldest, aber dein Browser hat dies leider vergessen. Gehe zur Anmeldeseite und versuche es erneut.",
"Show stickers button": "Sticker-Schaltfläche",
"We couldn't log you in": "Wir konnten dich nicht anmelden", "We couldn't log you in": "Wir konnten dich nicht anmelden",
"Recently visited rooms": "Kürzlich besuchte Räume", "Recently visited rooms": "Kürzlich besuchte Räume",
"Show line numbers in code blocks": "Zeilennummern in Quelltextblöcken",
"Expand code blocks by default": "Quelltextblöcke standardmäßig erweitern",
"Value in this room:": "Wert in diesem Raum:",
"Value:": "Wert:",
"Level": "Level",
"This UI does NOT check the types of the values. Use at your own risk.": "Diese Benutzeroberfläche prüft nicht auf richtige Datentypen. Benutzung auf eigene Gefahr.",
"Setting:": "Einstellung:",
"Value": "Wert",
"Setting ID": "Einstellungs-ID",
"Show chat effects (animations when receiving e.g. confetti)": "Effekte bei manchen Emojis (z. B. Konfetti)",
"Save setting values": "Einstellungswerte speichern",
"Caution:": "Vorsicht:",
"Settable at global": "Global einstellbar",
"Setting definition:": "Definition der Einstellung:",
"Value in this room": "Wert in diesem Raum",
"Values at explicit levels": "Werte für explizite Stufen",
"Settable at room": "Für den Raum einstellbar",
"%(count)s members": { "%(count)s members": {
"other": "%(count)s Mitglieder", "other": "%(count)s Mitglieder",
"one": "%(count)s Mitglied" "one": "%(count)s Mitglied"
@ -2068,7 +2027,6 @@
"You're already in a call with this person.": "Du bist schon in einem Anruf mit dieser Person.", "You're already in a call with this person.": "Du bist schon in einem Anruf mit dieser Person.",
"Already in call": "Schon im Anruf", "Already in call": "Schon im Anruf",
"Invite people": "Personen einladen", "Invite people": "Personen einladen",
"Jump to the bottom of the timeline when you send a message": "Nach Senden einer Nachricht im Verlauf nach unten springen",
"Empty room": "Leerer Raum", "Empty room": "Leerer Raum",
"Your message was sent": "Die Nachricht wurde gesendet", "Your message was sent": "Die Nachricht wurde gesendet",
"Leave space": "Space verlassen", "Leave space": "Space verlassen",
@ -2132,7 +2090,6 @@
"one": "%(count)s Person, die du kennst, ist schon beigetreten", "one": "%(count)s Person, die du kennst, ist schon beigetreten",
"other": "%(count)s Leute, die du kennst, sind bereits beigetreten" "other": "%(count)s Leute, die du kennst, sind bereits beigetreten"
}, },
"Warn before quitting": "Vor Beenden warnen",
"Space options": "Space-Optionen", "Space options": "Space-Optionen",
"Manage & explore rooms": "Räume erkunden und verwalten", "Manage & explore rooms": "Räume erkunden und verwalten",
"unknown person": "unbekannte Person", "unknown person": "unbekannte Person",
@ -2143,9 +2100,6 @@
"Avatar": "Avatar", "Avatar": "Avatar",
"Invited people will be able to read old messages.": "Eingeladene Leute werden ältere Nachrichten lesen können.", "Invited people will be able to read old messages.": "Eingeladene Leute werden ältere Nachrichten lesen können.",
"Sends the given message as a spoiler": "Die gegebene Nachricht als Spoiler senden", "Sends the given message as a spoiler": "Die gegebene Nachricht als Spoiler senden",
"Values at explicit levels in this room:": "Werte für explizite Stufen in diesem Raum:",
"Values at explicit levels:": "Werte für explizite Stufen:",
"Values at explicit levels in this room": "Werte für explizite Stufen in diesem Raum",
"Invite to just this room": "Nur in diesen Raum einladen", "Invite to just this room": "Nur in diesen Raum einladen",
"Consult first": "Zuerst Anfragen", "Consult first": "Zuerst Anfragen",
"Reset event store?": "Ereignisspeicher zurück setzen?", "Reset event store?": "Ereignisspeicher zurück setzen?",
@ -2273,7 +2227,6 @@
"Address": "Adresse", "Address": "Adresse",
"e.g. my-space": "z. B. mein-space", "e.g. my-space": "z. B. mein-space",
"Sound on": "Ton an", "Sound on": "Ton an",
"Show all rooms in Home": "Alle Räume auf Startseite anzeigen",
"%(senderName)s changed the <a>pinned messages</a> for the room.": "%(senderName)s hat die <a>angehefteten Nachrichten</a> geändert.", "%(senderName)s changed the <a>pinned messages</a> for the room.": "%(senderName)s hat die <a>angehefteten Nachrichten</a> geändert.",
"%(senderName)s withdrew %(targetName)s's invitation": "%(senderName)s hat die Einladung für %(targetName)s zurückgezogen", "%(senderName)s withdrew %(targetName)s's invitation": "%(senderName)s hat die Einladung für %(targetName)s zurückgezogen",
"%(senderName)s withdrew %(targetName)s's invitation: %(reason)s": "%(senderName)s hat die Einladung für %(targetName)s zurückgezogen: %(reason)s", "%(senderName)s withdrew %(targetName)s's invitation: %(reason)s": "%(senderName)s hat die Einladung für %(targetName)s zurückgezogen: %(reason)s",
@ -2332,7 +2285,6 @@
"An error occurred whilst saving your notification preferences.": "Beim Speichern der Benachrichtigungseinstellungen ist ein Fehler aufgetreten.", "An error occurred whilst saving your notification preferences.": "Beim Speichern der Benachrichtigungseinstellungen ist ein Fehler aufgetreten.",
"Error saving notification preferences": "Fehler beim Speichern der Benachrichtigungseinstellungen", "Error saving notification preferences": "Fehler beim Speichern der Benachrichtigungseinstellungen",
"Messages containing keywords": "Nachrichten mit Schlüsselwörtern", "Messages containing keywords": "Nachrichten mit Schlüsselwörtern",
"Use Ctrl + F to search timeline": "Nutze Strg + F, um den Verlauf zu durchsuchen",
"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",
@ -2390,7 +2342,6 @@
"Delete avatar": "Avatar löschen", "Delete avatar": "Avatar löschen",
"%(sharerName)s is presenting": "%(sharerName)s präsentiert", "%(sharerName)s is presenting": "%(sharerName)s präsentiert",
"You are presenting": "Du präsentierst", "You are presenting": "Du präsentierst",
"All rooms you're in will appear in Home.": "Alle Räume, denen du beigetreten bist, werden auf der Startseite erscheinen.",
"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.",
@ -2427,7 +2378,6 @@
"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.",
"Use Command + F to search timeline": "Nutze Command + F um den Verlauf zu durchsuchen",
"Reply to thread…": "Nachricht an Thread senden …", "Reply to thread…": "Nachricht an Thread senden …",
"Reply to encrypted thread…": "Verschlüsselte 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/>",
@ -2444,8 +2394,6 @@
"Change space name": "Name des Space ändern", "Change space name": "Name des Space ändern",
"Change space avatar": "Space-Icon ä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.",
"Autoplay videos": "Videos automatisch abspielen",
"Autoplay GIFs": "GIFs automatisch abspielen",
"%(senderName)s unpinned a message from this room. See all pinned messages.": "%(senderName)s hat eine Nachricht losgelöst. Alle angepinnten Nachrichten anzeigen.", "%(senderName)s unpinned a message from this room. See all pinned messages.": "%(senderName)s hat eine Nachricht losgelöst. Alle angepinnten Nachrichten anzeigen.",
"%(senderName)s unpinned <a>a message</a> from this room. See all <b>pinned messages</b>.": "%(senderName)s hat <a>eine Nachricht</a> losgeheftet. Alle <b>angehefteten Nachrichten anzeigen</b>.", "%(senderName)s unpinned <a>a message</a> from this room. See all <b>pinned messages</b>.": "%(senderName)s hat <a>eine Nachricht</a> losgeheftet. Alle <b>angehefteten Nachrichten anzeigen</b>.",
"%(senderName)s pinned a message to this room. See all pinned messages.": "%(senderName)s hat eine Nachricht angeheftet. Alle angehefteten Nachrichten anzeigen.", "%(senderName)s pinned a message to this room. See all pinned messages.": "%(senderName)s hat eine Nachricht angeheftet. Alle angehefteten Nachrichten anzeigen.",
@ -2615,7 +2563,6 @@
"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", "Manage rooms in this space": "Räume in diesem Space verwalten",
"Clear": "Löschen",
"%(count)s votes": { "%(count)s votes": {
"one": "%(count)s Stimme", "one": "%(count)s Stimme",
"other": "%(count)s Stimmen" "other": "%(count)s Stimmen"
@ -2732,7 +2679,6 @@
"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", "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",
"Show join/leave messages (invites/removes/bans unaffected)": "Bei-/Austrittsnachrichten (Einladung/Entfernen/Bann nicht betroffen)",
"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",
"Remove, ban, or invite people to your active room, and make you leave": "Entferne, verbanne oder lade andere in deinen aktiven Raum ein und verlasse den Raum selbst", "Remove, ban, or invite people to your active room, and make you leave": "Entferne, verbanne oder lade andere in deinen aktiven Raum ein und verlasse den Raum selbst",
@ -2778,7 +2724,6 @@
"Unable to verify this device": "Gerät konnte nicht verifiziert werden", "Unable to verify this device": "Gerät konnte nicht verifiziert werden",
"Space home": "Space-Übersicht", "Space home": "Space-Übersicht",
"Verify other device": "Anderes Gerät verifizieren", "Verify other device": "Anderes Gerät verifizieren",
"Edit setting": "Einstellung bearbeiten",
"You can read all our terms <PrivacyPolicyUrl>here</PrivacyPolicyUrl>": "<PrivacyPolicyUrl>Du kannst unsere Datenschutzbedingungen hier lesen</PrivacyPolicyUrl>", "You can read all our terms <PrivacyPolicyUrl>here</PrivacyPolicyUrl>": "<PrivacyPolicyUrl>Du kannst unsere Datenschutzbedingungen hier lesen</PrivacyPolicyUrl>",
"Missing room name or separator e.g. (my-room:domain.org)": "Fehlender Raumname oder Doppelpunkt (z. B. dein-raum:domain.org)", "Missing room name or separator e.g. (my-room:domain.org)": "Fehlender Raumname oder Doppelpunkt (z. B. dein-raum:domain.org)",
"Missing domain separator e.g. (:domain.org)": "Fehlender Doppelpunkt vor Server (z. B. :domain.org)", "Missing domain separator e.g. (:domain.org)": "Fehlender Doppelpunkt vor Server (z. B. :domain.org)",
@ -2852,11 +2797,6 @@
"Open thread": "Thread anzeigen", "Open thread": "Thread anzeigen",
"Search Dialog": "Suchdialog", "Search Dialog": "Suchdialog",
"Join %(roomAddress)s": "%(roomAddress)s betreten", "Join %(roomAddress)s": "%(roomAddress)s betreten",
"<empty string>": "<Leere Zeichenkette>",
"<%(count)s spaces>": {
"one": "<Leerzeichen>",
"other": "<%(count)s Leerzeichen>"
},
"Results are only revealed when you end the poll": "Die Ergebnisse werden erst sichtbar, sobald du die Umfrage beendest", "Results are only revealed when you end the poll": "Die Ergebnisse werden erst sichtbar, sobald du die Umfrage beendest",
"Voters see results as soon as they have voted": "Abstimmende können die Ergebnisse nach Stimmabgabe sehen", "Voters see results as soon as they have voted": "Abstimmende können die Ergebnisse nach Stimmabgabe sehen",
"Open poll": "Offene Umfrage", "Open poll": "Offene Umfrage",
@ -2899,7 +2839,6 @@
"Can't create a thread from an event with an existing relation": "Du kannst keinen Thread in einem Thread starten", "Can't create a thread from an event with an existing relation": "Du kannst keinen Thread in einem Thread starten",
"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 sind eine neue Möglichkeit, Räume und Personen zu gruppieren. Welche Art von Space willst du erstellen? Du kannst dies später ändern.", "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 sind eine neue Möglichkeit, Räume und Personen zu gruppieren. Welche Art von Space willst du erstellen? Du kannst dies später ändern.",
"Match system": "An System anpassen", "Match system": "An System anpassen",
"Insert a trailing colon after user mentions at the start of a message": "Doppelpunkt nach Erwähnungen einfügen",
"Reply to an ongoing thread or use “%(replyInThread)s” when hovering over a message to start a new one.": "Antworte auf einen Thread oder klicke bei einer Nachricht auf „%(replyInThread)s“, um einen Thread zu starten.", "Reply to an ongoing thread or use “%(replyInThread)s” when hovering over a message to start a new one.": "Antworte auf einen Thread oder klicke bei einer Nachricht auf „%(replyInThread)s“, um einen Thread zu starten.",
"We'll create rooms for each of them.": "Wir werden für jedes einen Raum erstellen.", "We'll create rooms for each of them.": "Wir werden für jedes einen Raum erstellen.",
"Export Cancelled": "Exportieren abgebrochen", "Export Cancelled": "Exportieren abgebrochen",
@ -2935,7 +2874,6 @@
}, },
"%(timeRemaining)s left": "%(timeRemaining)s übrig", "%(timeRemaining)s left": "%(timeRemaining)s übrig",
"Share for %(duration)s": "Geteilt für %(duration)s", "Share for %(duration)s": "Geteilt für %(duration)s",
"Enable Markdown": "Markdown aktivieren",
"Failed to join": "Betreten fehlgeschlagen", "Failed to join": "Betreten fehlgeschlagen",
"The person who invited you has already left, or their server is offline.": "Die dich einladende Person hat den Raum verlassen oder ihr Heim-Server ist außer Betrieb.", "The person who invited you has already left, or their server is offline.": "Die dich einladende Person hat den Raum verlassen oder ihr Heim-Server ist außer Betrieb.",
"The person who invited you has already left.": "Die Person, die dich eingeladen hat, hat den Raum wieder verlassen.", "The person who invited you has already left.": "Die Person, die dich eingeladen hat, hat den Raum wieder verlassen.",
@ -3009,21 +2947,7 @@
"Cameras": "Kameras", "Cameras": "Kameras",
"Output devices": "Ausgabegeräte", "Output devices": "Ausgabegeräte",
"Input devices": "Eingabegeräte", "Input devices": "Eingabegeräte",
"No verification requests found": "Keine Verifizierungsanfrage gefunden",
"Methods": "Methoden",
"Transaction": "Transaktion",
"Cancelled": "Abgebrochen",
"Started": "Gestartet",
"Ready": "Bereit",
"Unsent": "Nicht gesendet", "Unsent": "Nicht gesendet",
"Edit values": "Werte bearbeiten",
"Failed to save settings.": "Speichern der Einstellungen fehlgeschlagen.",
"Number of users": "Benutzeranzahl",
"Server": "Server",
"Server Versions": "Server-Versionen",
"Client Versions": "Anwendungsversionen",
"Send custom state event": "Benutzerdefiniertes Status-Event senden",
"Failed to send event!": "Übertragung des Ereignisses fehlgeschlagen!",
"Server info": "Server-Info", "Server info": "Server-Info",
"Explore account data": "Kontodaten erkunden", "Explore account data": "Kontodaten erkunden",
"View servers in room": "Zeige Server im Raum", "View servers in room": "Zeige Server im Raum",
@ -3055,7 +2979,6 @@
"You were disconnected from the call. (Error: %(message)s)": "Du wurdest vom Anruf getrennt. (Error: %(message)s)", "You were disconnected from the call. (Error: %(message)s)": "Du wurdest vom Anruf getrennt. (Error: %(message)s)",
"Connection lost": "Verbindung verloren", "Connection lost": "Verbindung verloren",
"Explore public spaces in the new search dialog": "Erkunde öffentliche Räume mit der neuen Suchfunktion", "Explore public spaces in the new search dialog": "Erkunde öffentliche Räume mit der neuen Suchfunktion",
"Enable hardware acceleration (restart %(appName)s to take effect)": "Hardwarebeschleunigung aktivieren (Neustart von %(appName)s erforderlich)",
"%(count)s people joined": { "%(count)s people joined": {
"one": "%(count)s Person beigetreten", "one": "%(count)s Person beigetreten",
"other": "%(count)s Personen beigetreten" "other": "%(count)s Personen beigetreten"
@ -3094,13 +3017,6 @@
"Updated %(humanizedUpdateTime)s": "%(humanizedUpdateTime)s aktualisiert", "Updated %(humanizedUpdateTime)s": "%(humanizedUpdateTime)s aktualisiert",
"Joining the beta will reload %(brand)s.": "Die Teilnahme an der Beta wird %(brand)s neustarten.", "Joining the beta will reload %(brand)s.": "Die Teilnahme an der Beta wird %(brand)s neustarten.",
"Leaving the beta will reload %(brand)s.": "Das Verlassen der Beta wird %(brand)s neustarten.", "Leaving the beta will reload %(brand)s.": "Das Verlassen der Beta wird %(brand)s neustarten.",
"Observe only": "Nur beobachten",
"Timeout": "Zeitüberschreitung",
"Phase": "Phase",
"Requested": "Angefragt",
"Failed to load.": "Fehler beim Laden.",
"Capabilities": "Funktionen",
"Doesn't look like valid JSON.": "Scheint kein gültiges JSON zu sein.",
"Other options": "Andere Optionen", "Other options": "Andere Optionen",
"If you can't find the room you're looking for, ask for an invite or create a new room.": "Falls du den Raum nicht findest, frag nach einer Einladung oder erstelle einen neuen Raum.", "If you can't find the room you're looking for, ask for an invite or create a new room.": "Falls du den Raum nicht findest, frag nach einer Einladung oder erstelle einen neuen Raum.",
"An error occurred whilst sharing your live location, please try again": "Ein Fehler ist während des Teilens deines Echtzeit-Standorts aufgetreten, bitte versuche es erneut", "An error occurred whilst sharing your live location, please try again": "Ein Fehler ist während des Teilens deines Echtzeit-Standorts aufgetreten, bitte versuche es erneut",
@ -3122,7 +3038,6 @@
"Messages in this chat will be end-to-end encrypted.": "Nachrichten in dieser Unterhaltung werden Ende-zu-Ende-verschlüsselt.", "Messages in this chat will be end-to-end encrypted.": "Nachrichten in dieser Unterhaltung werden Ende-zu-Ende-verschlüsselt.",
"Send your first message to invite <displayName/> to chat": "Schreibe deine erste Nachricht, um <displayName/> zur Unterhaltung einzuladen", "Send your first message to invite <displayName/> to chat": "Schreibe deine erste Nachricht, um <displayName/> zur Unterhaltung einzuladen",
"Your server doesn't support disabling sending read receipts.": "Dein Server unterstützt das Deaktivieren von Lesebestätigungen nicht.", "Your server doesn't support disabling sending read receipts.": "Dein Server unterstützt das Deaktivieren von Lesebestätigungen nicht.",
"Send read receipts": "Sende Lesebestätigungen",
"Share your activity and status with others.": "Teile anderen deine Aktivität und deinen Status mit.", "Share your activity and status with others.": "Teile anderen deine Aktivität und deinen Status mit.",
"Deactivating your account is a permanent action — be careful!": "Die Deaktivierung deines Kontos ist unwiderruflich — sei vorsichtig!", "Deactivating your account is a permanent action — be careful!": "Die Deaktivierung deines Kontos ist unwiderruflich — sei vorsichtig!",
"Developer command: Discards the current outbound group session and sets up new Olm sessions": "Entwicklungsbefehl: Verwirft die aktuell ausgehende Gruppensitzung und setzt eine neue Olm-Sitzung auf", "Developer command: Discards the current outbound group session and sets up new Olm sessions": "Entwicklungsbefehl: Verwirft die aktuell ausgehende Gruppensitzung und setzt eine neue Olm-Sitzung auf",
@ -3198,9 +3113,6 @@
"Interactively verify by emoji": "Interaktiv per Emoji verifizieren", "Interactively verify by emoji": "Interaktiv per Emoji verifizieren",
"Manually verify by text": "Manuell per Text verifizieren", "Manually verify by text": "Manuell per Text verifizieren",
"To create your account, open the link in the email we just sent to %(emailAddress)s.": "Um dein Konto zu erstellen, öffne den Link in der E-Mail, die wir gerade an %(emailAddress)s geschickt haben.", "To create your account, open the link in the email we just sent to %(emailAddress)s.": "Um dein Konto zu erstellen, öffne den Link in der E-Mail, die wir gerade an %(emailAddress)s geschickt haben.",
"Requester": "Anforderer",
"Send custom room account data event": "Sende benutzerdefiniertes Raumdatenereignis",
"Send custom account data event": "Sende benutzerdefiniertes Kontodatenereignis",
"Remove search filter for %(filter)s": "Entferne Suchfilter für %(filter)s", "Remove search filter for %(filter)s": "Entferne Suchfilter für %(filter)s",
"If you want to retain access to your chat history in encrypted rooms, set up Key Backup or export your message keys from one of your other devices before proceeding.": "Falls du den Zugriff auf deinen Nachrichtenverlauf behalten willst, richte die Schlüsselsicherung ein oder exportiere deine Verschlüsselungsschlüssel von einem deiner Geräte bevor du weiter machst.", "If you want to retain access to your chat history in encrypted rooms, set up Key Backup or export your message keys from one of your other devices before proceeding.": "Falls du den Zugriff auf deinen Nachrichtenverlauf behalten willst, richte die Schlüsselsicherung ein oder exportiere deine Verschlüsselungsschlüssel von einem deiner Geräte bevor du weiter machst.",
"Signing out your devices will delete the message encryption keys stored on them, making encrypted chat history unreadable.": "Das Abmelden deines Geräts wird die Verschlüsselungsschlüssel löschen, woraufhin verschlüsselte Nachrichtenverläufe nicht mehr lesbar sein werden.", "Signing out your devices will delete the message encryption keys stored on them, making encrypted chat history unreadable.": "Das Abmelden deines Geräts wird die Verschlüsselungsschlüssel löschen, woraufhin verschlüsselte Nachrichtenverläufe nicht mehr lesbar sein werden.",
@ -3444,22 +3356,9 @@
"All messages and invites from this user will be hidden. Are you sure you want to ignore them?": "Alle Nachrichten und Einladungen der Person werden verborgen. Bist du sicher, dass du sie ignorieren möchtest?", "All messages and invites from this user will be hidden. Are you sure you want to ignore them?": "Alle Nachrichten und Einladungen der Person werden verborgen. Bist du sicher, dass du sie ignorieren möchtest?",
"Ignore %(user)s": "%(user)s ignorieren", "Ignore %(user)s": "%(user)s ignorieren",
"Unable to decrypt voice broadcast": "Entschlüsseln der Sprachübertragung nicht möglich", "Unable to decrypt voice broadcast": "Entschlüsseln der Sprachübertragung nicht möglich",
"Thread Id: ": "Thread-ID: ",
"Threads timeline": "Thread-Verlauf",
"Type: ": "Typ: ",
"ID: ": "ID: ",
"Last event:": "Neuestes Ereignis:",
"Total: ": "Insgesamt: ",
"Main timeline": "Hauptverlauf",
"Room status": "Raumstatus",
"unknown": "unbekannt", "unknown": "unbekannt",
"Red": "Rot", "Red": "Rot",
"Grey": "Grau", "Grey": "Grau",
"Sender: ": "Absender: ",
"No receipt found": "Keine Bestätigung gefunden",
"User read up to: ": "Der Benutzer hat gelesen bis: ",
"Dot: ": "Punkt: ",
"Highlight: ": "Höhepunkt: ",
"Notifications debug": "Debug-Modus für Benachrichtigungen", "Notifications debug": "Debug-Modus für Benachrichtigungen",
"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.": "Möchtest du deine Übertragung wirklich beenden? Dies wird die Übertragung abschließen und die vollständige Aufnahme im Raum bereitstellen.", "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.": "Möchtest du deine Übertragung wirklich beenden? Dies wird die Übertragung abschließen und die vollständige Aufnahme im Raum bereitstellen.",
"Your email address does not appear to be associated with a Matrix ID on this homeserver.": "Deine E-Mail-Adresse scheint nicht mit einer Matrix-ID auf diesem Heim-Server verknüpft zu sein.", "Your email address does not appear to be associated with a Matrix ID on this homeserver.": "Deine E-Mail-Adresse scheint nicht mit einer Matrix-ID auf diesem Heim-Server verknüpft zu sein.",
@ -3516,16 +3415,8 @@
"Loading polls": "Lade Umfragen", "Loading polls": "Lade Umfragen",
"The sender has blocked you from receiving this message": "Der Absender hat dich vom Erhalt dieser Nachricht ausgeschlossen", "The sender has blocked you from receiving this message": "Der Absender hat dich vom Erhalt dieser Nachricht ausgeschlossen",
"Room directory": "Raumverzeichnis", "Room directory": "Raumverzeichnis",
"Show NSFW content": "NSFW-Inhalte anzeigen",
"Due to decryption errors, some votes may not be counted": "Evtl. werden infolge von Entschlüsselungsfehlern einige Stimmen nicht gezählt", "Due to decryption errors, some votes may not be counted": "Evtl. werden infolge von Entschlüsselungsfehlern einige Stimmen nicht gezählt",
"Ended a poll": "Eine Umfrage beendet", "Ended a poll": "Eine Umfrage beendet",
"Room is <strong>not encrypted 🚨</strong>": "Raum ist <strong>nicht verschlüsselt 🚨</strong>",
"Room is <strong>encrypted ✅</strong>": "Raum ist <strong>verschlüsselt ✅</strong>",
"Notification state is <strong>%(notificationState)s</strong>": "Benachrichtigungsstand ist <strong>%(notificationState)s</strong>",
"Room unread status: <strong>%(status)s</strong>": "Ungelesen-Status im Raum: <strong>%(status)s</strong>",
"Room unread status: <strong>%(status)s</strong>, count: <strong>%(count)s</strong>": {
"other": "Ungelesen-Status im Raum: <strong>%(status)s</strong>, Anzahl: <strong>%(count)s</strong>"
},
"Identity server is <code>%(identityServerUrl)s</code>": "Identitäts-Server ist <code>%(identityServerUrl)s</code>", "Identity server is <code>%(identityServerUrl)s</code>": "Identitäts-Server ist <code>%(identityServerUrl)s</code>",
"Homeserver is <code>%(homeserverUrl)s</code>": "Heim-Server ist <code>%(homeserverUrl)s</code>", "Homeserver is <code>%(homeserverUrl)s</code>": "Heim-Server ist <code>%(homeserverUrl)s</code>",
"Yes, it was me": "Ja, das war ich", "Yes, it was me": "Ja, das war ich",
@ -3582,7 +3473,6 @@
"Formatting": "Formatierung", "Formatting": "Formatierung",
"Can't find the old version of this room (room ID: %(roomId)s), and we have not been provided with 'via_servers' to look for it.": "Konnte die alte Version dieses Raumes nicht finden (Raum-ID: %(roomId)s) und uns wurde „via_servers“ nicht mitgeteilt, um danach zu suchen.", "Can't find the old version of this room (room ID: %(roomId)s), and we have not been provided with 'via_servers' to look for it.": "Konnte die alte Version dieses Raumes nicht finden (Raum-ID: %(roomId)s) und uns wurde „via_servers“ nicht mitgeteilt, um danach zu suchen.",
"Can't find the old version of this room (room ID: %(roomId)s), and we have not been provided with 'via_servers' to look for it. It's possible that guessing the server from the room ID will work. If you want to try, click this link:": "Konnte die alte Version dieses Raumes nicht finden (Raum-ID: %(roomId)s) und uns wurde „via_servers“ nicht mitgeteilt, um danach zu suchen. Es ist möglich, dass das Erraten des Servers basierend auf der Raum-ID funktioniert. Wenn du dies probieren möchtest, klicke auf folgenden Link:", "Can't find the old version of this room (room ID: %(roomId)s), and we have not been provided with 'via_servers' to look for it. It's possible that guessing the server from the room ID will work. If you want to try, click this link:": "Konnte die alte Version dieses Raumes nicht finden (Raum-ID: %(roomId)s) und uns wurde „via_servers“ nicht mitgeteilt, um danach zu suchen. Es ist möglich, dass das Erraten des Servers basierend auf der Raum-ID funktioniert. Wenn du dies probieren möchtest, klicke auf folgenden Link:",
"Start messages with <code>/plain</code> to send without markdown.": "Beginne Nachrichten mit <code>/plain</code>, um sie ohne Markdown zu senden.",
"The add / bind with MSISDN flow is misconfigured": "Das MSISDN-Verknüpfungsverfahren ist falsch konfiguriert", "The add / bind with MSISDN flow is misconfigured": "Das MSISDN-Verknüpfungsverfahren ist falsch konfiguriert",
"No identity access token found": "Kein Identitäts-Zugangs-Token gefunden", "No identity access token found": "Kein Identitäts-Zugangs-Token gefunden",
"Identity server not set": "Kein Identitäts-Server festgelegt", "Identity server not set": "Kein Identitäts-Server festgelegt",
@ -3622,14 +3512,12 @@
"Next group of messages": "Nächste Nachrichtengruppe", "Next group of messages": "Nächste Nachrichtengruppe",
"Exported Data": "Exportierte Daten", "Exported Data": "Exportierte Daten",
"Notification Settings": "Benachrichtigungseinstellungen", "Notification Settings": "Benachrichtigungseinstellungen",
"Show current profile picture and name for users in message history": "Aktuelle Profilbilder und Anzeigenamen im Verlauf anzeigen",
"People, Mentions and Keywords": "Personen, Erwähnungen und Schlüsselwörter", "People, Mentions and Keywords": "Personen, Erwähnungen und Schlüsselwörter",
"<strong>Update:</strong>Weve simplified Notifications Settings to make options easier to find. Some custom settings youve chosen in the past are not shown here, but theyre still active. If you proceed, some of your settings may change. <a>Learn more</a>": "<strong>Aktualisierung:</strong> Wir haben die Benachrichtigungseinstellungen vereinfacht, damit Optionen schneller zu finden sind. Einige benutzerdefinierte Einstellungen werden hier nicht angezeigt, sind aber dennoch aktiv. Wenn du fortfährst, könnten sich einige Einstellungen ändern. <a>Erfahre mehr</a>", "<strong>Update:</strong>Weve simplified Notifications Settings to make options easier to find. Some custom settings youve chosen in the past are not shown here, but theyre still active. If you proceed, some of your settings may change. <a>Learn more</a>": "<strong>Aktualisierung:</strong> Wir haben die Benachrichtigungseinstellungen vereinfacht, damit Optionen schneller zu finden sind. Einige benutzerdefinierte Einstellungen werden hier nicht angezeigt, sind aber dennoch aktiv. Wenn du fortfährst, könnten sich einige Einstellungen ändern. <a>Erfahre mehr</a>",
"Anyone can request to join, but admins or moderators need to grant access. You can change this later.": "Jeder kann Anfragen beizutreten, aber Admins oder Moderatoren müssen dies bestätigen. Du kannst dies später ändern.", "Anyone can request to join, but admins or moderators need to grant access. You can change this later.": "Jeder kann Anfragen beizutreten, aber Admins oder Moderatoren müssen dies bestätigen. Du kannst dies später ändern.",
"This homeserver doesn't offer any login flows that are supported by this client.": "Dieser Heim-Server verfügt über keines von dieser Anwendung unterstütztes Anmeldeverfahren.", "This homeserver doesn't offer any login flows that are supported by this client.": "Dieser Heim-Server verfügt über keines von dieser Anwendung unterstütztes Anmeldeverfahren.",
"Views room with given address": "Raum mit angegebener Adresse betrachten", "Views room with given address": "Raum mit angegebener Adresse betrachten",
"Something went wrong.": "Etwas ist schiefgelaufen.", "Something went wrong.": "Etwas ist schiefgelaufen.",
"Show profile picture changes": "Profilbildänderungen anzeigen",
"Email Notifications": "E-Mail-Benachrichtigungen", "Email Notifications": "E-Mail-Benachrichtigungen",
"Email summary": "E-Mail-Zusammenfassung", "Email summary": "E-Mail-Zusammenfassung",
"Receive an email summary of missed notifications": "E-Mail-Zusammenfassung für verpasste Benachrichtigungen erhalten", "Receive an email summary of missed notifications": "E-Mail-Zusammenfassung für verpasste Benachrichtigungen erhalten",
@ -3668,14 +3556,10 @@
}, },
"Ask to join": "Beitrittsanfragen", "Ask to join": "Beitrittsanfragen",
"Thread Root ID: %(threadRootId)s": "Thread-Ursprungs-ID: %(threadRootId)s", "Thread Root ID: %(threadRootId)s": "Thread-Ursprungs-ID: %(threadRootId)s",
"See history": "Verlauf anzeigen",
"The exported file will allow anyone who can read it to decrypt any encrypted messages that you can see, so you should be careful to keep it secure. To help with this, you should enter a unique passphrase below, which will only be used to encrypt the exported data. It will only be possible to import the data by using the same passphrase.": "Die exportierte Datei erlaubt Unbefugten, jede Nachricht zu entschlüsseln, sei also vorsichtig und halte sie versteckt. Um dies zu verhindern, empfiehlt es sich eine einzigartige Passphrase unten einzugeben, die nur für das Entschlüsseln der exportierten Datei genutzt wird. Es ist nur möglich, diese Datei mit der selben Passphrase zu importieren.", "The exported file will allow anyone who can read it to decrypt any encrypted messages that you can see, so you should be careful to keep it secure. To help with this, you should enter a unique passphrase below, which will only be used to encrypt the exported data. It will only be possible to import the data by using the same passphrase.": "Die exportierte Datei erlaubt Unbefugten, jede Nachricht zu entschlüsseln, sei also vorsichtig und halte sie versteckt. Um dies zu verhindern, empfiehlt es sich eine einzigartige Passphrase unten einzugeben, die nur für das Entschlüsseln der exportierten Datei genutzt wird. Es ist nur möglich, diese Datei mit der selben Passphrase zu importieren.",
"People cannot join unless access is granted.": "Personen können den Raum nur betreten, wenn sie Zutritt erhalten.", "People cannot join unless access is granted.": "Personen können den Raum nur betreten, wenn sie Zutritt erhalten.",
"Upgrade room": "Raum aktualisieren", "Upgrade room": "Raum aktualisieren",
"Great! This passphrase looks strong enough": "Super! Diese Passphrase wirkt stark genug", "Great! This passphrase looks strong enough": "Super! Diese Passphrase wirkt stark genug",
"User read up to (ignoreSynthetic): ": "Der Benutzer hat gelesen bis (ignoreSynthetic): ",
"User read up to (m.read.private): ": "Benutzer las bis (m.read.private): ",
"User read up to (m.read.private;ignoreSynthetic): ": "Benutzer las bis (m.read.private;ignoreSynthetic): ",
"Other spaces you know": "Andere dir bekannte Spaces", "Other spaces you know": "Andere dir bekannte Spaces",
"Ask to join %(roomName)s?": "Beitrittsanfrage für %(roomName)s stellen?", "Ask to join %(roomName)s?": "Beitrittsanfrage für %(roomName)s stellen?",
"You need to be granted access to this room in order to view or participate in the conversation. You can send a request to join below.": "Du benötigst eine Beitrittsberechtigung, um den Raum betrachten oder an der Unterhaltung teilnehmen zu können. Du kannst nachstehend eine Beitrittsanfrage stellen.", "You need to be granted access to this room in order to view or participate in the conversation. You can send a request to join below.": "Du benötigst eine Beitrittsberechtigung, um den Raum betrachten oder an der Unterhaltung teilnehmen zu können. Du kannst nachstehend eine Beitrittsanfrage stellen.",
@ -3773,7 +3657,9 @@
"android": "Android", "android": "Android",
"trusted": "Vertrauenswürdig", "trusted": "Vertrauenswürdig",
"not_trusted": "Nicht vertrauenswürdig", "not_trusted": "Nicht vertrauenswürdig",
"accessibility": "Barrierefreiheit" "accessibility": "Barrierefreiheit",
"capabilities": "Funktionen",
"server": "Server"
}, },
"action": { "action": {
"continue": "Fortfahren", "continue": "Fortfahren",
@ -3873,7 +3759,8 @@
"maximise": "Maximieren", "maximise": "Maximieren",
"mention": "Erwähnen", "mention": "Erwähnen",
"submit": "Absenden", "submit": "Absenden",
"send_report": "Bericht senden" "send_report": "Bericht senden",
"clear": "Löschen"
}, },
"a11y": { "a11y": {
"user_menu": "Benutzermenü" "user_menu": "Benutzermenü"
@ -4007,5 +3894,122 @@
"you_did_it": "Geschafft!", "you_did_it": "Geschafft!",
"complete_these": "Vervollständige sie für die beste %(brand)s-Erfahrung", "complete_these": "Vervollständige sie für die beste %(brand)s-Erfahrung",
"community_messaging_description": "Verfüge und behalte die Kontrolle über Gespräche deiner Gemeinschaft.\nSkalierbar für Millionen von Nutzenden, mit mächtigen Moderationswerkzeugen und Interoperabilität." "community_messaging_description": "Verfüge und behalte die Kontrolle über Gespräche deiner Gemeinschaft.\nSkalierbar für Millionen von Nutzenden, mit mächtigen Moderationswerkzeugen und Interoperabilität."
},
"devtools": {
"send_custom_account_data_event": "Sende benutzerdefiniertes Kontodatenereignis",
"send_custom_room_account_data_event": "Sende benutzerdefiniertes Raumdatenereignis",
"event_type": "Eventtyp",
"state_key": "Statusschlüssel",
"invalid_json": "Scheint kein gültiges JSON zu sein.",
"failed_to_send": "Übertragung des Ereignisses fehlgeschlagen!",
"event_sent": "Ereignis gesendet!",
"event_content": "Ereignisinhalt",
"user_read_up_to": "Der Benutzer hat gelesen bis: ",
"no_receipt_found": "Keine Bestätigung gefunden",
"user_read_up_to_ignore_synthetic": "Der Benutzer hat gelesen bis (ignoreSynthetic): ",
"user_read_up_to_private": "Benutzer las bis (m.read.private): ",
"user_read_up_to_private_ignore_synthetic": "Benutzer las bis (m.read.private;ignoreSynthetic): ",
"room_status": "Raumstatus",
"room_unread_status_count": {
"other": "Ungelesen-Status im Raum: <strong>%(status)s</strong>, Anzahl: <strong>%(count)s</strong>"
},
"notification_state": "Benachrichtigungsstand ist <strong>%(notificationState)s</strong>",
"room_encrypted": "Raum ist <strong>verschlüsselt ✅</strong>",
"room_not_encrypted": "Raum ist <strong>nicht verschlüsselt 🚨</strong>",
"main_timeline": "Hauptverlauf",
"threads_timeline": "Thread-Verlauf",
"room_notifications_total": "Insgesamt: ",
"room_notifications_highlight": "Höhepunkt: ",
"room_notifications_dot": "Punkt: ",
"room_notifications_last_event": "Neuestes Ereignis:",
"room_notifications_type": "Typ: ",
"room_notifications_sender": "Absender: ",
"room_notifications_thread_id": "Thread-ID: ",
"spaces": {
"one": "<Leerzeichen>",
"other": "<%(count)s Leerzeichen>"
},
"empty_string": "<Leere Zeichenkette>",
"room_unread_status": "Ungelesen-Status im Raum: <strong>%(status)s</strong>",
"id": "ID: ",
"send_custom_state_event": "Benutzerdefiniertes Status-Event senden",
"see_history": "Verlauf anzeigen",
"failed_to_load": "Fehler beim Laden.",
"client_versions": "Anwendungsversionen",
"server_versions": "Server-Versionen",
"number_of_users": "Benutzeranzahl",
"failed_to_save": "Speichern der Einstellungen fehlgeschlagen.",
"save_setting_values": "Einstellungswerte speichern",
"setting_colon": "Einstellung:",
"caution_colon": "Vorsicht:",
"use_at_own_risk": "Diese Benutzeroberfläche prüft nicht auf richtige Datentypen. Benutzung auf eigene Gefahr.",
"setting_definition": "Definition der Einstellung:",
"level": "Level",
"settable_global": "Global einstellbar",
"settable_room": "Für den Raum einstellbar",
"values_explicit": "Werte für explizite Stufen",
"values_explicit_room": "Werte für explizite Stufen in diesem Raum",
"edit_values": "Werte bearbeiten",
"value_colon": "Wert:",
"value_this_room_colon": "Wert in diesem Raum:",
"values_explicit_colon": "Werte für explizite Stufen:",
"values_explicit_this_room_colon": "Werte für explizite Stufen in diesem Raum:",
"setting_id": "Einstellungs-ID",
"value": "Wert",
"value_in_this_room": "Wert in diesem Raum",
"edit_setting": "Einstellung bearbeiten",
"phase_requested": "Angefragt",
"phase_ready": "Bereit",
"phase_started": "Gestartet",
"phase_cancelled": "Abgebrochen",
"phase_transaction": "Transaktion",
"phase": "Phase",
"timeout": "Zeitüberschreitung",
"methods": "Methoden",
"requester": "Anforderer",
"observe_only": "Nur beobachten",
"no_verification_requests_found": "Keine Verifizierungsanfrage gefunden",
"failed_to_find_widget": "Fehler beim Finden dieses Widgets."
},
"settings": {
"show_breadcrumbs": "Kürzlich besuchte Räume anzeigen",
"all_rooms_home_description": "Alle Räume, denen du beigetreten bist, werden auf der Startseite erscheinen.",
"use_command_f_search": "Nutze Command + F um den Verlauf zu durchsuchen",
"use_control_f_search": "Nutze Strg + F, um den Verlauf zu durchsuchen",
"use_12_hour_format": "Uhrzeiten im 12-Stundenformat (z. B. 2:30 p. m.)",
"always_show_message_timestamps": "Nachrichtenzeitstempel immer anzeigen",
"send_read_receipts": "Sende Lesebestätigungen",
"send_typing_notifications": "Tippbenachrichtigungen senden",
"replace_plain_emoji": "Klartext-Emoji automatisch ersetzen",
"enable_markdown": "Markdown aktivieren",
"emoji_autocomplete": "Emoji-Vorschläge während Eingabe",
"use_command_enter_send_message": "Benutze Betriebssystemtaste + Eingabe um eine Nachricht zu senden",
"use_control_enter_send_message": "Nutze Strg + Enter, um Nachrichten zu senden",
"all_rooms_home": "Alle Räume auf Startseite anzeigen",
"enable_markdown_description": "Beginne Nachrichten mit <code>/plain</code>, um sie ohne Markdown zu senden.",
"show_stickers_button": "Sticker-Schaltfläche",
"insert_trailing_colon_mentions": "Doppelpunkt nach Erwähnungen einfügen",
"automatic_language_detection_syntax_highlight": "Automatische Spracherkennung für die Syntaxhervorhebung",
"code_block_expand_default": "Quelltextblöcke standardmäßig erweitern",
"code_block_line_numbers": "Zeilennummern in Quelltextblöcken",
"inline_url_previews_default": "URL-Vorschau standardmäßig aktivieren",
"autoplay_gifs": "GIFs automatisch abspielen",
"autoplay_videos": "Videos automatisch abspielen",
"image_thumbnails": "Vorschauen für Bilder",
"show_typing_notifications": "Tippbenachrichtigungen anzeigen",
"show_redaction_placeholder": "Platzhalter für gelöschte Nachrichten",
"show_read_receipts": "Lesebestätigungen von anderen Benutzern anzeigen",
"show_join_leave": "Bei-/Austrittsnachrichten (Einladung/Entfernen/Bann nicht betroffen)",
"show_displayname_changes": "Änderungen von Anzeigenamen",
"show_chat_effects": "Effekte bei manchen Emojis (z. B. Konfetti)",
"show_avatar_changes": "Profilbildänderungen anzeigen",
"big_emoji": "Große Emojis im Verlauf anzeigen",
"jump_to_bottom_on_send": "Nach Senden einer Nachricht im Verlauf nach unten springen",
"disable_historical_profile": "Aktuelle Profilbilder und Anzeigenamen im Verlauf anzeigen",
"show_nsfw_content": "NSFW-Inhalte anzeigen",
"prompt_invite": "Warnen, bevor du Einladungen zu ungültigen Matrix-IDs sendest",
"hardware_acceleration": "Hardwarebeschleunigung aktivieren (Neustart von %(appName)s erforderlich)",
"start_automatically": "Nach Systemstart automatisch starten",
"warn_quit": "Vor Beenden warnen"
} }
} }

View file

@ -17,7 +17,6 @@
"Are you sure you want to leave the room '%(roomName)s'?": "Είστε σίγουροι ότι θέλετε να αποχωρήσετε από το δωμάτιο '%(roomName)s';", "Are you sure you want to leave the room '%(roomName)s'?": "Είστε σίγουροι ότι θέλετε να αποχωρήσετε από το δωμάτιο '%(roomName)s';",
"Are you sure you want to reject the invitation?": "Είστε σίγουροι ότι θέλετε να απορρίψετε την πρόσκληση;", "Are you sure you want to reject the invitation?": "Είστε σίγουροι ότι θέλετε να απορρίψετε την πρόσκληση;",
"%(items)s and %(lastItem)s": "%(items)s και %(lastItem)s", "%(items)s and %(lastItem)s": "%(items)s και %(lastItem)s",
"Always show message timestamps": "Εμφάνιση πάντα της ένδειξης ώρας στα μηνύματα",
"and %(count)s others...": { "and %(count)s others...": {
"one": "και ένας ακόμα...", "one": "και ένας ακόμα...",
"other": "και %(count)s άλλοι..." "other": "και %(count)s άλλοι..."
@ -144,7 +143,6 @@
"other": "(~%(count)s αποτελέσματα)" "other": "(~%(count)s αποτελέσματα)"
}, },
"New Password": "Νέος κωδικός πρόσβασης", "New Password": "Νέος κωδικός πρόσβασης",
"Start automatically after system login": "Αυτόματη έναρξη μετά τη σύνδεση",
"Passphrases must match": "Δεν ταιριάζουν τα συνθηματικά", "Passphrases must match": "Δεν ταιριάζουν τα συνθηματικά",
"Passphrase must not be empty": "Το συνθηματικό δεν πρέπει να είναι κενό", "Passphrase must not be empty": "Το συνθηματικό δεν πρέπει να είναι κενό",
"Export room keys": "Εξαγωγή κλειδιών δωματίου", "Export room keys": "Εξαγωγή κλειδιών δωματίου",
@ -220,7 +218,6 @@
"You must join the room to see its files": "Πρέπει να συνδεθείτε στο δωμάτιο για να δείτε τα αρχεία του", "You must join the room to see its files": "Πρέπει να συνδεθείτε στο δωμάτιο για να δείτε τα αρχεία του",
"Reject all %(invitedRooms)s invites": "Απόρριψη όλων των προσκλήσεων %(invitedRooms)s", "Reject all %(invitedRooms)s invites": "Απόρριψη όλων των προσκλήσεων %(invitedRooms)s",
"Deops user with given id": "Deop χρήστη με το συγκεκριμένο αναγνωριστικό", "Deops user with given id": "Deop χρήστη με το συγκεκριμένο αναγνωριστικό",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "Εμφάνιση χρονικών σημάνσεων σε 12ωρη μορφή ώρας (π.χ. 2:30 μ.μ.)",
"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.": "Δεν θα μπορέσετε να αναιρέσετε αυτήν την αλλαγή καθώς προωθείτε τον χρήστη να έχει το ίδιο επίπεδο δύναμης με τον εαυτό σας.",
"Sent messages will be stored until your connection has returned.": "Τα απεσταλμένα μηνύματα θα αποθηκευτούν μέχρι να αακτηθεί η σύνδεσή σας.", "Sent messages will be stored until your connection has returned.": "Τα απεσταλμένα μηνύματα θα αποθηκευτούν μέχρι να αακτηθεί η σύνδεσή σας.",
"Failed to load timeline position": "Δεν ήταν δυνατή η φόρτωση της θέσης του χρονολόγιου", "Failed to load timeline position": "Δεν ήταν δυνατή η φόρτωση της θέσης του χρονολόγιου",
@ -885,10 +882,8 @@
"Click to copy": "Κλικ για αντιγραφή", "Click to copy": "Κλικ για αντιγραφή",
"Show all rooms": "Εμφάνιση όλων των δωματίων", "Show all rooms": "Εμφάνιση όλων των δωματίων",
"Developer mode": "Λειτουργία για προγραμματιστές", "Developer mode": "Λειτουργία για προγραμματιστές",
"Show all rooms in Home": "Εμφάνιση όλων των δωματίων στην Αρχική",
"Enable message search in encrypted rooms": "Ενεργοποίηση αναζήτησης μηνυμάτων σε κρυπτογραφημένα δωμάτια", "Enable message search in encrypted rooms": "Ενεργοποίηση αναζήτησης μηνυμάτων σε κρυπτογραφημένα δωμάτια",
"Show hidden events in timeline": "Εμφάνιση κρυφών συμβάντων στη γραμμή χρόνου", "Show hidden events in timeline": "Εμφάνιση κρυφών συμβάντων στη γραμμή χρόνου",
"Show shortcuts to recently viewed rooms above the room list": "Εμφάνιση συντομεύσεων σε δωμάτια που προβλήθηκαν πρόσφατα πάνω από τη λίστα δωματίων",
"Never send encrypted messages to unverified sessions in this room from this session": "Μη στέλνετε ποτέ κρυπτογραφημένα μηνύματα σε μη επαληθευμένες συνεδρίες σε αυτό το δωμάτιο από αυτή τη συνεδρία", "Never send encrypted messages to unverified sessions in this room from this session": "Μη στέλνετε ποτέ κρυπτογραφημένα μηνύματα σε μη επαληθευμένες συνεδρίες σε αυτό το δωμάτιο από αυτή τη συνεδρία",
"Never send encrypted messages to unverified sessions from this session": "Μη στέλνετε ποτέ κρυπτογραφημένα μηνύματα σε μη επαληθευμένες συνεδρίες από αυτήν τη συνεδρία", "Never send encrypted messages to unverified sessions from this session": "Μη στέλνετε ποτέ κρυπτογραφημένα μηνύματα σε μη επαληθευμένες συνεδρίες από αυτήν τη συνεδρία",
"Send analytics data": "Αποστολή δεδομένων αναλυτικών στοιχείων", "Send analytics data": "Αποστολή δεδομένων αναλυτικών στοιχείων",
@ -1133,41 +1128,16 @@
"That's fine": "Είναι εντάξει", "That's fine": "Είναι εντάξει",
"File Attached": "Tο αρχείο επισυνάφθηκε", "File Attached": "Tο αρχείο επισυνάφθηκε",
"Surround selected text when typing special characters": "Περιτριγυριστείτε το επιλεγμένο κείμενο κατά την πληκτρολόγηση ειδικών χαρακτήρων", "Surround selected text when typing special characters": "Περιτριγυριστείτε το επιλεγμένο κείμενο κατά την πληκτρολόγηση ειδικών χαρακτήρων",
"Use Ctrl + Enter to send a message": "Χρησιμοποιήστε Ctrl + Enter για να στείλετε ένα μήνυμα",
"Use Command + Enter to send a message": "Χρησιμοποιήστε Command + Enter για να στείλετε ένα μήνυμα",
"Use Ctrl + F to search timeline": "Χρησιμοποιήστε τα πλήκτρα Ctrl + F για αναζήτηση στο χρονοδιάγραμμα",
"Use Command + F to search timeline": "Χρησιμοποιήστε το Command + F για αναζήτηση στο χρονοδιάγραμμα",
"Show typing notifications": "Εμφάνιση ειδοποιήσεων πληκτρολόγησης",
"Send typing notifications": "Αποστολή ειδοποιήσεων πληκτρολόγησης",
"Enable big emoji in chat": "Ενεργοποίηση μεγάλων emoji στη συνομιλία",
"Jump to the bottom of the timeline when you send a message": "Μεταβείτε στο τέλος του χρονοδιαγράμματος όταν στέλνετε ένα μήνυμα",
"Show line numbers in code blocks": "Εμφάνιση αριθμών γραμμής σε μπλοκ κώδικα",
"Expand code blocks by default": "Αναπτύξτε τα μπλοκ κώδικα από προεπιλογή",
"Enable automatic language detection for syntax highlighting": "Ενεργοποίηση αυτόματης ανίχνευσης γλώσσας για επισήμανση σύνταξης",
"Autoplay videos": "Αυτόματη αναπαραγωγή videos",
"Autoplay GIFs": "Αυτόματη αναπαραγωγή GIFs",
"Show read receipts sent by other users": "Εμφάνιση αποδείξεων ανάγνωσης που έχουν αποσταλεί από άλλους χρήστες",
"Show display name changes": "Εμφάνιση αλλαγών εμφανιζόμενου ονόματος",
"Show join/leave messages (invites/removes/bans unaffected)": "Εμφάνιση μηνυμάτων συμμετοχής/αποχώρησης (προσκλήσεις/αφαιρέσεις/απαγορεύσεις δεν επηρεάζονται)",
"Show a placeholder for removed messages": "Εμφάνιση πλαισίου θέσης για μηνύματα που έχουν αφαιρεθεί",
"Use a more compact 'Modern' layout": "Χρησιμοποιήστε μια πιο συμπαγή \"Μοντέρνα\" διάταξη", "Use a more compact 'Modern' layout": "Χρησιμοποιήστε μια πιο συμπαγή \"Μοντέρνα\" διάταξη",
"Insert a trailing colon after user mentions at the start of a message": "Εισαγάγετε άνω και κάτω τελεία μετά την αναφορά του χρήστη στην αρχή ενός μηνύματος",
"Show polls button": "Εμφάνιση κουμπιού δημοσκοπήσεων", "Show polls button": "Εμφάνιση κουμπιού δημοσκοπήσεων",
"Show stickers button": "Εμφάνιση κουμπιού αυτοκόλλητων",
"Enable Emoji suggestions while typing": "Ενεργοποιήστε τις προτάσεις Emoji κατά την πληκτρολόγηση",
"Media omitted": "Τα μέσα παραλείφθηκαν", "Media omitted": "Τα μέσα παραλείφθηκαν",
"Enable widget screenshots on supported widgets": "Ενεργοποίηση στιγμιότυπων οθόνης μικροεφαρμογών σε υποστηριζόμενες μικροεφαρμογές", "Enable widget screenshots on supported widgets": "Ενεργοποίηση στιγμιότυπων οθόνης μικροεφαρμογών σε υποστηριζόμενες μικροεφαρμογές",
"Enable URL previews by default for participants in this room": "Ενεργοποιήστε τις προεπισκοπήσεις URL από προεπιλογή για τους συμμετέχοντες σε αυτό το δωμάτιο", "Enable URL previews by default for participants in this room": "Ενεργοποιήστε τις προεπισκοπήσεις URL από προεπιλογή για τους συμμετέχοντες σε αυτό το δωμάτιο",
"Enable inline URL previews by default": "Ενεργοποιήστε τις ενσωματωμένες προεπισκοπήσεις URL από προεπιλογή",
"Match system theme": "Αντιστοίχιση θέματος συστήματος", "Match system theme": "Αντιστοίχιση θέματος συστήματος",
"Mirror local video feed": "Αντικατοπτρίστε την τοπική ροή βίντεο", "Mirror local video feed": "Αντικατοπτρίστε την τοπική ροή βίντεο",
"Automatically replace plain text Emoji": "Αυτόματη αντικατάσταση απλού κειμένου Emoji",
"All rooms you're in will appear in Home.": "Όλα τα δωμάτια στα οποία συμμετέχετε θα εμφανίζονται στην Αρχική σελίδα.",
"Show chat effects (animations when receiving e.g. confetti)": "Εμφάνιση εφέ συνομιλίας (κινούμενα σχέδια κατά τη λήψη π.χ. κομφετί)",
"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.": "Πόσο γρήγορα πρέπει να γίνεται λήψη των μηνυμάτων.",
"Show previews/thumbnails for images": "Εμφάνιση προεπισκοπήσεων/μικρογραφιών για εικόνες",
"Pizza": "Πίτσα", "Pizza": "Πίτσα",
"Corn": "Καλαμπόκι", "Corn": "Καλαμπόκι",
"Strawberry": "Φράουλα", "Strawberry": "Φράουλα",
@ -1344,7 +1314,6 @@
"Rocket": "Πύραυλος", "Rocket": "Πύραυλος",
"%(peerName)s held the call": "%(peerName)s έβαλε την κλήση σε αναμονή", "%(peerName)s held the call": "%(peerName)s έβαλε την κλήση σε αναμονή",
"Consulting with %(transferTarget)s. <a>Transfer to %(transferee)s</a>": "Συμβουλευτική με %(transferTarget)s. <a>Μεταφορά στο %(transferee)s</a>", "Consulting with %(transferTarget)s. <a>Transfer to %(transferee)s</a>": "Συμβουλευτική με %(transferTarget)s. <a>Μεταφορά στο %(transferee)s</a>",
"Prompt before sending invites to potentially invalid matrix IDs": "Ερώτηση πριν από την αποστολή προσκλήσεων σε δυνητικά μη έγκυρα αναγνωριστικά matrix",
"Effects": "Εφέ", "Effects": "Εφέ",
"Backup key cached:": "Αποθηκευμένο εφεδρικό κλειδί στην κρυφή μνήμη:", "Backup key cached:": "Αποθηκευμένο εφεδρικό κλειδί στην κρυφή μνήμη:",
"not stored": "μη αποθηκευμένο", "not stored": "μη αποθηκευμένο",
@ -1450,7 +1419,6 @@
"Image size in the timeline": "Μέγεθος εικόνας στη γραμμή χρόνου", "Image size in the timeline": "Μέγεθος εικόνας στη γραμμή χρόνου",
"Use between %(min)s pt and %(max)s pt": "Χρήση μεταξύ %(min)s pt και %(max)s pt", "Use between %(min)s pt and %(max)s pt": "Χρήση μεταξύ %(min)s pt και %(max)s pt",
"Always show the window menu bar": "Να εμφανίζεται πάντα η μπάρα μενού παραθύρου", "Always show the window menu bar": "Να εμφανίζεται πάντα η μπάρα μενού παραθύρου",
"Warn before quitting": "Προειδοποιήστε πριν την παραίτηση",
"Room ID or address of ban list": "Ταυτότητα δωματίου ή διεύθυνση της λίστας απαγορευσων", "Room ID or address of ban list": "Ταυτότητα δωματίου ή διεύθυνση της λίστας απαγορευσων",
"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.": "Εάν αυτό δεν είναι αυτό που θέλετε, χρησιμοποιήστε ένα διαφορετικό εργαλείο για να αγνοήσετε τους χρήστες.",
"Subscribing to a ban list will cause you to join it!": "Η εγγραφή σε μια λίστα απαγορεύσων θα σας κάνει να εγγραφείτε σε αυτήν!", "Subscribing to a ban list will cause you to join it!": "Η εγγραφή σε μια λίστα απαγορεύσων θα σας κάνει να εγγραφείτε σε αυτήν!",
@ -1855,7 +1823,6 @@
"Missing session data": "Λείπουν δεδομένα της συνεδρίας (session)", "Missing session data": "Λείπουν δεδομένα της συνεδρίας (session)",
"Search Dialog": "Παράθυρο Αναζήτησης", "Search Dialog": "Παράθυρο Αναζήτησης",
"Use <arrows/> to scroll": "Χρησιμοποιήστε τα <arrows/> για κύλιση", "Use <arrows/> to scroll": "Χρησιμοποιήστε τα <arrows/> για κύλιση",
"Clear": "Καθαρισμός",
"Recent searches": "Πρόσφατες αναζητήσεις", "Recent searches": "Πρόσφατες αναζητήσεις",
"Other searches": "'Άλλες αναζητήσεις", "Other searches": "'Άλλες αναζητήσεις",
"Public rooms": "Δημόσια δωμάτια", "Public rooms": "Δημόσια δωμάτια",
@ -2523,7 +2490,6 @@
"Join the beta": "Συμμετοχή στη beta", "Join the beta": "Συμμετοχή στη beta",
"Leave the beta": "Αποχώρηση από τη beta", "Leave the beta": "Αποχώρηση από τη beta",
"This is a beta feature": "Αυτή είναι μια δυνατότητα beta", "This is a beta feature": "Αυτή είναι μια δυνατότητα beta",
"Ready": "Έτοιμα",
"Failed to load list of rooms.": "Αποτυχία φόρτωσης λίστας δωματίων.", "Failed to load list of rooms.": "Αποτυχία φόρτωσης λίστας δωματίων.",
"Mark as suggested": "Επισήμανση ως προτεινόμενο", "Mark as suggested": "Επισήμανση ως προτεινόμενο",
"Mark as not suggested": "Επισήμανση ως μη προτεινόμενο", "Mark as not suggested": "Επισήμανση ως μη προτεινόμενο",
@ -2754,34 +2720,9 @@
"Failed to start livestream": "Η έναρξη της ζωντανής ροής απέτυχε", "Failed to start livestream": "Η έναρξη της ζωντανής ροής απέτυχε",
"Manage & explore rooms": "Διαχειριστείτε και εξερευνήστε δωμάτια", "Manage & explore rooms": "Διαχειριστείτε και εξερευνήστε δωμάτια",
"Mentions only": "Αναφορές μόνο", "Mentions only": "Αναφορές μόνο",
"Methods": "Μέθοδοι",
"Phase": "Φάση",
"Transaction": "Συναλλαγή",
"Cancelled": "Ακυρώθηκαν",
"Started": "Ξεκίνησαν",
"Unsent": "Μη απεσταλμένα", "Unsent": "Μη απεσταλμένα",
"Value in this room": "Τιμή σε αυτό το δωμάτιο",
"Value": "Τιμή",
"Value in this room:": "Τιμή σε αυτό το δωμάτιο:",
"Value:": "Τιμή:",
"Level": "Επίπεδο",
"Setting definition:": "Ορισμός ρύθμισης:",
"This UI does NOT check the types of the values. Use at your own risk.": "Αυτό το UI ΔΕΝ ελέγχει τους τύπους των τιμών. Χρησιμοποιήστε το με δική σας ευθύνη.",
"Caution:": "Προσοχή:",
"Setting:": "Ρύθμιση:",
"Save setting values": "Αποθήκευση τιμών ρύθμισης",
"Failed to save settings.": "Αποτυχία αποθήκευσης ρυθμίσεων.",
"Number of users": "Αριθμός χρηστών",
"Server": "Διακομιστής",
"Failed to load.": "Αποτυχία φόρτωσης.",
"Capabilities": "Δυνατότητες",
"<%(count)s spaces>": {
"one": "<χώρος>",
"other": "<%(count)s χώροι>"
},
"No results found": "Δε βρέθηκαν αποτελέσματα", "No results found": "Δε βρέθηκαν αποτελέσματα",
"Filter results": "Φιλτράρισμα αποτελεσμάτων", "Filter results": "Φιλτράρισμα αποτελεσμάτων",
"Doesn't look like valid JSON.": "Δε μοιάζει με έγκυρο JSON.",
"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>.",
"To search messages, look for this icon at the top of a room <icon/>": "Για να αναζητήσετε μηνύματα, βρείτε αυτό το εικονίδιο στην κορυφή ενός δωματίου <icon/>", "To search messages, look for this icon at the top of a room <icon/>": "Για να αναζητήσετε μηνύματα, βρείτε αυτό το εικονίδιο στην κορυφή ενός δωματίου <icon/>",
"Clearing your browser's storage may fix the problem, but will sign you out and cause any encrypted chat history to become unreadable.": "Η εκκαθάριση του αποθηκευτικού χώρου του προγράμματος περιήγησής σας μπορεί να διορθώσει το πρόβλημα, αλλά θα αποσυνδεθείτε και θα κάνει τυχόν κρυπτογραφημένο ιστορικό συνομιλιών να μην είναι αναγνώσιμο.", "Clearing your browser's storage may fix the problem, but will sign you out and cause any encrypted chat history to become unreadable.": "Η εκκαθάριση του αποθηκευτικού χώρου του προγράμματος περιήγησής σας μπορεί να διορθώσει το πρόβλημα, αλλά θα αποσυνδεθείτε και θα κάνει τυχόν κρυπτογραφημένο ιστορικό συνομιλιών να μην είναι αναγνώσιμο.",
@ -2855,7 +2796,6 @@
"Unable to validate homeserver": "Δεν είναι δυνατή η επικύρωση του κεντρικού διακομιστή", "Unable to validate homeserver": "Δεν είναι δυνατή η επικύρωση του κεντρικού διακομιστή",
"This room is dedicated to illegal or toxic content or the moderators fail to moderate illegal or toxic content.\nThis will be reported to the administrators of %(homeserver)s. The administrators will NOT be able to read the encrypted content of this room.": "Αυτό το δωμάτιο είναι αφιερωμένο σε παράνομο ή τοξικό περιεχόμενο ή οι συντονιστές αποτυγχάνουν να μετριάσουν το παράνομο ή τοξικό περιεχόμενο.\nΑυτό θα αναφερθεί στους διαχειριστές του %(homeserver)s. Οι διαχειριστές ΔΕ θα μπορούν να διαβάσουν το κρυπτογραφημένο περιεχόμενο αυτού του δωματίου.", "This room is dedicated to illegal or toxic content or the moderators fail to moderate illegal or toxic content.\nThis will be reported to the administrators of %(homeserver)s. The administrators will NOT be able to read the encrypted content of this room.": "Αυτό το δωμάτιο είναι αφιερωμένο σε παράνομο ή τοξικό περιεχόμενο ή οι συντονιστές αποτυγχάνουν να μετριάσουν το παράνομο ή τοξικό περιεχόμενο.\nΑυτό θα αναφερθεί στους διαχειριστές του %(homeserver)s. Οι διαχειριστές ΔΕ θα μπορούν να διαβάσουν το κρυπτογραφημένο περιεχόμενο αυτού του δωματίου.",
"The integration manager is offline or it cannot reach your homeserver.": "Ο διαχειριστής πρόσθετων είναι εκτός σύνδεσης ή δεν μπορεί να επικοινωνήσει με κεντρικό διακομιστή σας.", "The integration manager is offline or it cannot reach your homeserver.": "Ο διαχειριστής πρόσθετων είναι εκτός σύνδεσης ή δεν μπορεί να επικοινωνήσει με κεντρικό διακομιστή σας.",
"There was an error finding this widget.": "Παρουσιάστηκε σφάλμα κατά την εύρεση αυτής της μικροεφαρμογής.",
"The widget will verify your user ID, but won't be able to perform actions for you:": "Η μικροεφαρμογή θα επαληθεύσει το αναγνωριστικό χρήστη σας, αλλά δε θα μπορεί να εκτελέσει ενέργειες για εσάς:", "The widget will verify your user ID, but won't be able to perform actions for you:": "Η μικροεφαρμογή θα επαληθεύσει το αναγνωριστικό χρήστη σας, αλλά δε θα μπορεί να εκτελέσει ενέργειες για εσάς:",
"Allow this widget to verify your identity": "Επιτρέψτε σε αυτήν τη μικροεφαρμογή να επαληθεύσει την ταυτότητά σας", "Allow this widget to verify your identity": "Επιτρέψτε σε αυτήν τη μικροεφαρμογή να επαληθεύσει την ταυτότητά σας",
"Remember my selection for this widget": "Να θυμάστε την επιλογή μου για αυτήν τη μικροεφαρμογή", "Remember my selection for this widget": "Να θυμάστε την επιλογή μου για αυτήν τη μικροεφαρμογή",
@ -2917,31 +2857,6 @@
"See room timeline (devtools)": "Εμφάνιση χρονοδιαγράμματος δωματίου (develtools)", "See room timeline (devtools)": "Εμφάνιση χρονοδιαγράμματος δωματίου (develtools)",
"Forget": "Ξεχάστε", "Forget": "Ξεχάστε",
"Resend %(unsentCount)s reaction(s)": "Επανάληψη αποστολής %(unsentCount)s αντιδράσεων", "Resend %(unsentCount)s reaction(s)": "Επανάληψη αποστολής %(unsentCount)s αντιδράσεων",
"No verification requests found": "Δεν βρέθηκαν αιτήματα επαλήθευσης",
"Observe only": "Παρατηρήστε μόνο",
"Requester": "Aιτών",
"Timeout": "Λήξη χρόνου",
"Requested": "Απαιτείται",
"Edit setting": "Επεξεργασία ρύθμισης",
"Setting ID": "Ρύθμιση αναγνωριστικού",
"Values at explicit levels in this room:": "Τιμές σε σαφή επίπεδα σε αυτό το δωμάτιο:",
"Values at explicit levels:": "Τιμές σε σαφή επίπεδα:",
"Edit values": "Επεξεργασία τιμών",
"Values at explicit levels in this room": "Αξίες σε σαφής επίπεδα σε αυτό το δωμάτιο",
"Values at explicit levels": "Αξίες σε σαφής επίπεδα",
"Settable at room": "Ρυθμιζόμενο σε δωμάτιο",
"Settable at global": "Ρυθμιζόμενο σε παγκόσμιο",
"Server Versions": "Εκδόσεις διακομιστή",
"Client Versions": "Εκδόσεις πελάτη",
"Send custom state event": "Αποστολή προσαρμοσμένου συμβάντος κατάστασης",
"<empty string>": "<empty string>",
"Event Content": "Περιεχόμενο συμβάντος",
"Event sent!": "Το συμβάν στάλθηκε!",
"Failed to send event!": "Αποτυχία αποστολής συμβάντος!",
"State Key": "Κλειδί κατάστασης",
"Event Type": "Τύπος συμβάντος",
"Send custom account data event": "Αποστολή προσαρμοσμένου συμβάντος δεδομένων λογαριασμού",
"Send custom room account data event": "Αποστολή προσαρμοσμένου συμβάντος δεδομένων λογαριασμού δωματίου",
"If you've forgotten your Security Key you can <button>set up new recovery options</button>": "Εάν έχετε ξεχάσει το κλειδί ασφαλείας σας, μπορείτε να <button>ρυθμίσετε νέες επιλογές ανάκτησης</button>", "If you've forgotten your Security Key you can <button>set up new recovery options</button>": "Εάν έχετε ξεχάσει το κλειδί ασφαλείας σας, μπορείτε να <button>ρυθμίσετε νέες επιλογές ανάκτησης</button>",
"Access your secure message history and set up secure messaging by entering your Security Key.": "Αποκτήστε πρόσβαση στο ιστορικό ασφαλών μηνυμάτων σας και ρυθμίστε την ασφαλή ανταλλαγή μηνυμάτων εισάγοντας το Κλειδί ασφαλείας σας.", "Access your secure message history and set up secure messaging by entering your Security Key.": "Αποκτήστε πρόσβαση στο ιστορικό ασφαλών μηνυμάτων σας και ρυθμίστε την ασφαλή ανταλλαγή μηνυμάτων εισάγοντας το Κλειδί ασφαλείας σας.",
"If you've forgotten your Security Phrase you can <button1>use your Security Key</button1> or <button2>set up new recovery options</button2>": "Εάν έχετε ξεχάσει τη φράση ασφαλείας σας, μπορείτε να <button1>χρησιμοποιήσετε το κλειδί ασφαλείας</button1> ή <button2>να ρυθμίστε νέες επιλογές ανάκτησης</button2>", "If you've forgotten your Security Phrase you can <button1>use your Security Key</button1> or <button2>set up new recovery options</button2>": "Εάν έχετε ξεχάσει τη φράση ασφαλείας σας, μπορείτε να <button1>χρησιμοποιήσετε το κλειδί ασφαλείας</button1> ή <button2>να ρυθμίστε νέες επιλογές ανάκτησης</button2>",
@ -3032,7 +2947,6 @@
"Unmute microphone": "Κατάργηση σίγασης μικροφώνου", "Unmute microphone": "Κατάργηση σίγασης μικροφώνου",
"Mute microphone": "Σίγαση μικροφώνου", "Mute microphone": "Σίγαση μικροφώνου",
"Audio devices": "Συσκευές ήχου", "Audio devices": "Συσκευές ήχου",
"Enable Markdown": "Ενεργοποίηση Markdown",
"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 σας για να συνεχίσετε",
@ -3075,7 +2989,6 @@
"one": "Αναγνώστηκε από %(count)s άτομο", "one": "Αναγνώστηκε από %(count)s άτομο",
"other": "Αναγνώστηκε από %(count)s άτομα" "other": "Αναγνώστηκε από %(count)s άτομα"
}, },
"Enable hardware acceleration (restart %(appName)s to take effect)": "Ενεργοποίηση επιτάχυνσης υλικού (κάντε επανεκκίνηση του %(appName)s για να τεθεί σε ισχύ)",
"Deactivating your account is a permanent action — be careful!": "Η απενεργοποίηση του λογαριασμού σας είναι μια μόνιμη ενέργεια — να είστε προσεκτικοί!", "Deactivating your account is a permanent action — be careful!": "Η απενεργοποίηση του λογαριασμού σας είναι μια μόνιμη ενέργεια — να είστε προσεκτικοί!",
"Enable hardware acceleration": "Ενεργοποίηση επιτάχυνσης υλικού", "Enable hardware acceleration": "Ενεργοποίηση επιτάχυνσης υλικού",
"You were disconnected from the call. (Error: %(message)s)": "Αποσυνδεθήκατε από την κλήση. (Σφάλμα: %(message)s)", "You were disconnected from the call. (Error: %(message)s)": "Αποσυνδεθήκατε από την κλήση. (Σφάλμα: %(message)s)",
@ -3146,7 +3059,9 @@
"matrix": "Matrix", "matrix": "Matrix",
"trusted": "Έμπιστο", "trusted": "Έμπιστο",
"not_trusted": "Μη Έμπιστο", "not_trusted": "Μη Έμπιστο",
"accessibility": "Προσβασιμότητα" "accessibility": "Προσβασιμότητα",
"capabilities": "Δυνατότητες",
"server": "Διακομιστής"
}, },
"action": { "action": {
"continue": "Συνέχεια", "continue": "Συνέχεια",
@ -3240,7 +3155,8 @@
"maximise": "Μεγιστοποίηση", "maximise": "Μεγιστοποίηση",
"mention": "Αναφορά", "mention": "Αναφορά",
"submit": "Υποβολή", "submit": "Υποβολή",
"send_report": "Αποστολή αναφοράς" "send_report": "Αποστολή αναφοράς",
"clear": "Καθαρισμός"
}, },
"a11y": { "a11y": {
"user_menu": "Μενού χρήστη" "user_menu": "Μενού χρήστη"
@ -3312,5 +3228,93 @@
"short_seconds": "%(value)s\"", "short_seconds": "%(value)s\"",
"last_week": "Προηγούμενη εβδομάδα", "last_week": "Προηγούμενη εβδομάδα",
"last_month": "Προηγούμενο μήνα" "last_month": "Προηγούμενο μήνα"
},
"devtools": {
"send_custom_account_data_event": "Αποστολή προσαρμοσμένου συμβάντος δεδομένων λογαριασμού",
"send_custom_room_account_data_event": "Αποστολή προσαρμοσμένου συμβάντος δεδομένων λογαριασμού δωματίου",
"event_type": "Τύπος συμβάντος",
"state_key": "Κλειδί κατάστασης",
"invalid_json": "Δε μοιάζει με έγκυρο JSON.",
"failed_to_send": "Αποτυχία αποστολής συμβάντος!",
"event_sent": "Το συμβάν στάλθηκε!",
"event_content": "Περιεχόμενο συμβάντος",
"spaces": {
"one": "<χώρος>",
"other": "<%(count)s χώροι>"
},
"empty_string": "<empty string>",
"send_custom_state_event": "Αποστολή προσαρμοσμένου συμβάντος κατάστασης",
"failed_to_load": "Αποτυχία φόρτωσης.",
"client_versions": "Εκδόσεις πελάτη",
"server_versions": "Εκδόσεις διακομιστή",
"number_of_users": "Αριθμός χρηστών",
"failed_to_save": "Αποτυχία αποθήκευσης ρυθμίσεων.",
"save_setting_values": "Αποθήκευση τιμών ρύθμισης",
"setting_colon": "Ρύθμιση:",
"caution_colon": "Προσοχή:",
"use_at_own_risk": "Αυτό το UI ΔΕΝ ελέγχει τους τύπους των τιμών. Χρησιμοποιήστε το με δική σας ευθύνη.",
"setting_definition": "Ορισμός ρύθμισης:",
"level": "Επίπεδο",
"settable_global": "Ρυθμιζόμενο σε παγκόσμιο",
"settable_room": "Ρυθμιζόμενο σε δωμάτιο",
"values_explicit": "Αξίες σε σαφής επίπεδα",
"values_explicit_room": "Αξίες σε σαφής επίπεδα σε αυτό το δωμάτιο",
"edit_values": "Επεξεργασία τιμών",
"value_colon": "Τιμή:",
"value_this_room_colon": "Τιμή σε αυτό το δωμάτιο:",
"values_explicit_colon": "Τιμές σε σαφή επίπεδα:",
"values_explicit_this_room_colon": "Τιμές σε σαφή επίπεδα σε αυτό το δωμάτιο:",
"setting_id": "Ρύθμιση αναγνωριστικού",
"value": "Τιμή",
"value_in_this_room": "Τιμή σε αυτό το δωμάτιο",
"edit_setting": "Επεξεργασία ρύθμισης",
"phase_requested": "Απαιτείται",
"phase_ready": "Έτοιμα",
"phase_started": "Ξεκίνησαν",
"phase_cancelled": "Ακυρώθηκαν",
"phase_transaction": "Συναλλαγή",
"phase": "Φάση",
"timeout": "Λήξη χρόνου",
"methods": "Μέθοδοι",
"requester": "Aιτών",
"observe_only": "Παρατηρήστε μόνο",
"no_verification_requests_found": "Δεν βρέθηκαν αιτήματα επαλήθευσης",
"failed_to_find_widget": "Παρουσιάστηκε σφάλμα κατά την εύρεση αυτής της μικροεφαρμογής."
},
"settings": {
"show_breadcrumbs": "Εμφάνιση συντομεύσεων σε δωμάτια που προβλήθηκαν πρόσφατα πάνω από τη λίστα δωματίων",
"all_rooms_home_description": "Όλα τα δωμάτια στα οποία συμμετέχετε θα εμφανίζονται στην Αρχική σελίδα.",
"use_command_f_search": "Χρησιμοποιήστε το Command + F για αναζήτηση στο χρονοδιάγραμμα",
"use_control_f_search": "Χρησιμοποιήστε τα πλήκτρα Ctrl + F για αναζήτηση στο χρονοδιάγραμμα",
"use_12_hour_format": "Εμφάνιση χρονικών σημάνσεων σε 12ωρη μορφή ώρας (π.χ. 2:30 μ.μ.)",
"always_show_message_timestamps": "Εμφάνιση πάντα της ένδειξης ώρας στα μηνύματα",
"send_typing_notifications": "Αποστολή ειδοποιήσεων πληκτρολόγησης",
"replace_plain_emoji": "Αυτόματη αντικατάσταση απλού κειμένου Emoji",
"enable_markdown": "Ενεργοποίηση Markdown",
"emoji_autocomplete": "Ενεργοποιήστε τις προτάσεις Emoji κατά την πληκτρολόγηση",
"use_command_enter_send_message": "Χρησιμοποιήστε Command + Enter για να στείλετε ένα μήνυμα",
"use_control_enter_send_message": "Χρησιμοποιήστε Ctrl + Enter για να στείλετε ένα μήνυμα",
"all_rooms_home": "Εμφάνιση όλων των δωματίων στην Αρχική",
"show_stickers_button": "Εμφάνιση κουμπιού αυτοκόλλητων",
"insert_trailing_colon_mentions": "Εισαγάγετε άνω και κάτω τελεία μετά την αναφορά του χρήστη στην αρχή ενός μηνύματος",
"automatic_language_detection_syntax_highlight": "Ενεργοποίηση αυτόματης ανίχνευσης γλώσσας για επισήμανση σύνταξης",
"code_block_expand_default": "Αναπτύξτε τα μπλοκ κώδικα από προεπιλογή",
"code_block_line_numbers": "Εμφάνιση αριθμών γραμμής σε μπλοκ κώδικα",
"inline_url_previews_default": "Ενεργοποιήστε τις ενσωματωμένες προεπισκοπήσεις URL από προεπιλογή",
"autoplay_gifs": "Αυτόματη αναπαραγωγή GIFs",
"autoplay_videos": "Αυτόματη αναπαραγωγή videos",
"image_thumbnails": "Εμφάνιση προεπισκοπήσεων/μικρογραφιών για εικόνες",
"show_typing_notifications": "Εμφάνιση ειδοποιήσεων πληκτρολόγησης",
"show_redaction_placeholder": "Εμφάνιση πλαισίου θέσης για μηνύματα που έχουν αφαιρεθεί",
"show_read_receipts": "Εμφάνιση αποδείξεων ανάγνωσης που έχουν αποσταλεί από άλλους χρήστες",
"show_join_leave": "Εμφάνιση μηνυμάτων συμμετοχής/αποχώρησης (προσκλήσεις/αφαιρέσεις/απαγορεύσεις δεν επηρεάζονται)",
"show_displayname_changes": "Εμφάνιση αλλαγών εμφανιζόμενου ονόματος",
"show_chat_effects": "Εμφάνιση εφέ συνομιλίας (κινούμενα σχέδια κατά τη λήψη π.χ. κομφετί)",
"big_emoji": "Ενεργοποίηση μεγάλων emoji στη συνομιλία",
"jump_to_bottom_on_send": "Μεταβείτε στο τέλος του χρονοδιαγράμματος όταν στέλνετε ένα μήνυμα",
"prompt_invite": "Ερώτηση πριν από την αποστολή προσκλήσεων σε δυνητικά μη έγκυρα αναγνωριστικά matrix",
"hardware_acceleration": "Ενεργοποίηση επιτάχυνσης υλικού (κάντε επανεκκίνηση του %(appName)s για να τεθεί σε ισχύ)",
"start_automatically": "Αυτόματη έναρξη μετά τη σύνδεση",
"warn_quit": "Προειδοποιήστε πριν την παραίτηση"
} }
} }

View file

@ -98,6 +98,7 @@
"refresh": "Refresh", "refresh": "Refresh",
"next": "Next", "next": "Next",
"ask_to_join": "Ask to join", "ask_to_join": "Ask to join",
"clear": "Clear",
"forward": "Forward", "forward": "Forward",
"copy_link": "Copy link", "copy_link": "Copy link",
"submit": "Submit", "submit": "Submit",
@ -186,6 +187,8 @@
"forward_message": "Forward message", "forward_message": "Forward message",
"suggestions": "Suggestions", "suggestions": "Suggestions",
"labs": "Labs", "labs": "Labs",
"capabilities": "Capabilities",
"server": "Server",
"space": "Space", "space": "Space",
"beta": "Beta", "beta": "Beta",
"password": "Password", "password": "Password",
@ -900,44 +903,56 @@
"Notification Settings": "Notification Settings", "Notification Settings": "Notification Settings",
"Introducing a simpler way to change your notification settings. Customize your %(brand)s, just the way you like.": "Introducing a simpler way to change your notification settings. Customize your %(brand)s, just the way you like.", "Introducing a simpler way to change your notification settings. Customize your %(brand)s, just the way you like.": "Introducing a simpler way to change your notification settings. Customize your %(brand)s, just the way you like.",
"In rooms that support moderation, the “Report” button will let you report abuse to room moderators.": "In rooms that support moderation, the “Report” button will let you report abuse to room moderators.", "In rooms that support moderation, the “Report” button will let you report abuse to room moderators.": "In rooms that support moderation, the “Report” button will let you report abuse to room moderators.",
"Show current profile picture and name for users in message history": "Show current profile picture and name for users in message history", "settings": {
"Send read receipts": "Send read receipts", "disable_historical_profile": "Show current profile picture and name for users in message history",
"send_read_receipts": "Send read receipts",
"emoji_autocomplete": "Enable Emoji suggestions while typing",
"show_stickers_button": "Show stickers button",
"insert_trailing_colon_mentions": "Insert a trailing colon after user mentions at the start of a message",
"show_redaction_placeholder": "Show a placeholder for removed messages",
"show_join_leave": "Show join/leave messages (invites/removes/bans unaffected)",
"show_avatar_changes": "Show profile picture changes",
"show_displayname_changes": "Show display name changes",
"show_read_receipts": "Show read receipts sent by other users",
"use_12_hour_format": "Show timestamps in 12 hour format (e.g. 2:30pm)",
"always_show_message_timestamps": "Always show message timestamps",
"autoplay_gifs": "Autoplay GIFs",
"autoplay_videos": "Autoplay videos",
"automatic_language_detection_syntax_highlight": "Enable automatic language detection for syntax highlighting",
"code_block_expand_default": "Expand code blocks by default",
"code_block_line_numbers": "Show line numbers in code blocks",
"jump_to_bottom_on_send": "Jump to the bottom of the timeline when you send a message",
"big_emoji": "Enable big emoji in chat",
"send_typing_notifications": "Send typing notifications",
"show_typing_notifications": "Show typing notifications",
"use_command_f_search": "Use Command + F to search timeline",
"use_control_f_search": "Use Ctrl + F to search timeline",
"use_command_enter_send_message": "Use Command + Enter to send a message",
"use_control_enter_send_message": "Use Ctrl + Enter to send a message",
"replace_plain_emoji": "Automatically replace plain text Emoji",
"enable_markdown": "Enable Markdown",
"enable_markdown_description": "Start messages with <code>/plain</code> to send without markdown.",
"show_nsfw_content": "Show NSFW content",
"inline_url_previews_default": "Enable inline URL previews by default",
"prompt_invite": "Prompt before sending invites to potentially invalid matrix IDs",
"show_breadcrumbs": "Show shortcuts to recently viewed rooms above the room list",
"image_thumbnails": "Show previews/thumbnails for images",
"show_chat_effects": "Show chat effects (animations when receiving e.g. confetti)",
"all_rooms_home": "Show all rooms in Home",
"all_rooms_home_description": "All rooms you're in will appear in Home.",
"start_automatically": "Start automatically after system login",
"warn_quit": "Warn before quitting"
},
"Your server doesn't support disabling sending read receipts.": "Your server doesn't support disabling sending read receipts.", "Your server doesn't support disabling sending read receipts.": "Your server doesn't support disabling sending read receipts.",
"Enable MSC3946 (to support late-arriving room archives)": "Enable MSC3946 (to support late-arriving room archives)", "Enable MSC3946 (to support late-arriving room archives)": "Enable MSC3946 (to support late-arriving room archives)",
"Force 15s voice broadcast chunk length": "Force 15s voice broadcast chunk length", "Force 15s voice broadcast chunk length": "Force 15s voice broadcast chunk length",
"Enable new native OIDC flows (Under active development)": "Enable new native OIDC flows (Under active development)", "Enable new native OIDC flows (Under active development)": "Enable new native OIDC flows (Under active development)",
"Font size": "Font size", "Font size": "Font size",
"Use custom size": "Use custom size", "Use custom size": "Use custom size",
"Enable Emoji suggestions while typing": "Enable Emoji suggestions while typing",
"Show stickers button": "Show stickers button",
"Show polls button": "Show polls button", "Show polls button": "Show polls button",
"Insert a trailing colon after user mentions at the start of a message": "Insert a trailing colon after user mentions at the start of a message",
"Use a more compact 'Modern' layout": "Use a more compact 'Modern' layout", "Use a more compact 'Modern' layout": "Use a more compact 'Modern' layout",
"Show a placeholder for removed messages": "Show a placeholder for removed messages",
"Show join/leave messages (invites/removes/bans unaffected)": "Show join/leave messages (invites/removes/bans unaffected)",
"Show profile picture changes": "Show profile picture changes",
"Show display name changes": "Show display name changes",
"Show read receipts sent by other users": "Show read receipts sent by other users",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "Show timestamps in 12 hour format (e.g. 2:30pm)",
"Always show message timestamps": "Always show message timestamps",
"Autoplay GIFs": "Autoplay GIFs",
"Autoplay videos": "Autoplay videos",
"Enable automatic language detection for syntax highlighting": "Enable automatic language detection for syntax highlighting",
"Expand code blocks by default": "Expand code blocks by default",
"Show line numbers in code blocks": "Show line numbers in code blocks",
"Jump to the bottom of the timeline when you send a message": "Jump to the bottom of the timeline when you send a message",
"Show avatars in user, room and event mentions": "Show avatars in user, room and event mentions", "Show avatars in user, room and event mentions": "Show avatars in user, room and event mentions",
"Enable big emoji in chat": "Enable big emoji in chat",
"Send typing notifications": "Send typing notifications",
"Show typing notifications": "Show typing notifications",
"Use Command + F to search timeline": "Use Command + F to search timeline",
"Use Ctrl + F to search timeline": "Use Ctrl + F to search timeline",
"Use Command + Enter to send a message": "Use Command + Enter to send a message",
"Use Ctrl + Enter to send a message": "Use Ctrl + Enter to send a message",
"Surround selected text when typing special characters": "Surround selected text when typing special characters", "Surround selected text when typing special characters": "Surround selected text when typing special characters",
"Automatically replace plain text Emoji": "Automatically replace plain text Emoji",
"Enable Markdown": "Enable Markdown",
"Start messages with <code>/plain</code> to send without markdown.": "Start messages with <code>/plain</code> to send without markdown.",
"Mirror local video feed": "Mirror local video feed", "Mirror local video feed": "Mirror local video feed",
"Match system theme": "Match system theme", "Match system theme": "Match system theme",
"Use a system font": "Use a system font", "Use a system font": "Use a system font",
@ -947,36 +962,26 @@
"Automatic gain control": "Automatic gain control", "Automatic gain control": "Automatic gain control",
"Echo cancellation": "Echo cancellation", "Echo cancellation": "Echo cancellation",
"Noise suppression": "Noise suppression", "Noise suppression": "Noise suppression",
"Show NSFW content": "Show NSFW content",
"Send analytics data": "Send analytics data", "Send analytics data": "Send analytics data",
"Record the client name, version, and url to recognise sessions more easily in session manager": "Record the client name, version, and url to recognise sessions more easily in session manager", "Record the client name, version, and url to recognise sessions more easily in session manager": "Record the client name, version, and url to recognise sessions more easily in session manager",
"Never send encrypted messages to unverified sessions from this session": "Never send encrypted messages to unverified sessions from this session", "Never send encrypted messages to unverified sessions from this session": "Never send encrypted messages to unverified sessions from this session",
"Never send encrypted messages to unverified sessions in this room from this session": "Never send encrypted messages to unverified sessions in this room from this session", "Never send encrypted messages to unverified sessions in this room from this session": "Never send encrypted messages to unverified sessions in this room from this session",
"Enable inline URL previews by default": "Enable inline URL previews by default",
"Enable URL previews for this room (only affects you)": "Enable URL previews for this room (only affects you)", "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 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", "Enable widget screenshots on supported widgets": "Enable widget screenshots on supported widgets",
"Prompt before sending invites to potentially invalid matrix IDs": "Prompt before sending invites to potentially invalid matrix IDs",
"Show shortcuts to recently viewed rooms above the room list": "Show shortcuts to recently viewed rooms above the room list",
"Show shortcut to welcome checklist above the room list": "Show shortcut to welcome checklist above the room list", "Show shortcut to welcome checklist above the room list": "Show shortcut to welcome checklist above the room list",
"Show hidden events in timeline": "Show hidden events in timeline", "Show hidden events in timeline": "Show hidden events in timeline",
"Low bandwidth mode": "Low bandwidth mode", "Low bandwidth mode": "Low bandwidth mode",
"Requires compatible homeserver.": "Requires compatible homeserver.", "Requires compatible homeserver.": "Requires compatible homeserver.",
"Only applies if your homeserver does not offer one. Your IP address would be shared during a call.": "Only applies if your homeserver does not offer one. Your IP address would be shared during a call.", "Only applies if your homeserver does not offer one. Your IP address would be shared during a call.": "Only applies if your homeserver does not offer one. Your IP address would be shared during a call.",
"Show previews/thumbnails for images": "Show previews/thumbnails for images",
"Enable message search in encrypted rooms": "Enable message search in encrypted rooms", "Enable message search in encrypted rooms": "Enable message search in encrypted rooms",
"How fast should messages be downloaded.": "How fast should messages be downloaded.", "How fast should messages be downloaded.": "How fast should messages be downloaded.",
"Manually verify all remote sessions": "Manually verify all remote sessions", "Manually verify all remote sessions": "Manually verify all remote sessions",
"IRC display name width": "IRC display name width", "IRC display name width": "IRC display name width",
"Show chat effects (animations when receiving e.g. confetti)": "Show chat effects (animations when receiving e.g. confetti)",
"Show all rooms in Home": "Show all rooms in Home",
"All rooms you're in will appear in Home.": "All rooms you're in will appear in Home.",
"Developer mode": "Developer mode", "Developer mode": "Developer mode",
"Automatically send debug logs on any error": "Automatically send debug logs on any error", "Automatically send debug logs on any error": "Automatically send debug logs on any error",
"Automatically send debug logs on decryption errors": "Automatically send debug logs on decryption errors", "Automatically send debug logs on decryption errors": "Automatically send debug logs on decryption errors",
"Automatically send debug logs when key backup is not functioning": "Automatically send debug logs when key backup is not functioning", "Automatically send debug logs when key backup is not functioning": "Automatically send debug logs when key backup is not functioning",
"Start automatically after system login": "Start automatically after system login",
"Warn before quitting": "Warn before quitting",
"Always show the window menu bar": "Always show the window menu bar", "Always show the window menu bar": "Always show the window menu bar",
"Show tray icon and minimise window to it on close": "Show tray icon and minimise window to it on close", "Show tray icon and minimise window to it on close": "Show tray icon and minimise window to it on close",
"Enable hardware acceleration": "Enable hardware acceleration", "Enable hardware acceleration": "Enable hardware acceleration",
@ -3039,7 +3044,6 @@
"Other searches": "Other searches", "Other searches": "Other searches",
"To search messages, look for this icon at the top of a room <icon/>": "To search messages, look for this icon at the top of a room <icon/>", "To search messages, look for this icon at the top of a room <icon/>": "To search messages, look for this icon at the top of a room <icon/>",
"Recent searches": "Recent searches", "Recent searches": "Recent searches",
"Clear": "Clear",
"Recently viewed": "Recently viewed", "Recently viewed": "Recently viewed",
"Use <arrows/> to scroll": "Use <arrows/> to scroll", "Use <arrows/> to scroll": "Use <arrows/> to scroll",
"Search Dialog": "Search Dialog", "Search Dialog": "Search Dialog",
@ -3087,84 +3091,84 @@
"Access your secure message history and set up secure messaging by entering your Security Key.": "Access your secure message history and set up secure messaging by entering your Security Key.", "Access your secure message history and set up secure messaging by entering your Security Key.": "Access your secure message history and set up secure messaging by entering your Security Key.",
"If you've forgotten your Security Key you can <button>set up new recovery options</button>": "If you've forgotten your Security Key you can <button>set up new recovery options</button>", "If you've forgotten your Security Key you can <button>set up new recovery options</button>": "If you've forgotten your Security Key you can <button>set up new recovery options</button>",
"You will be redirected to your server's authentication provider to complete sign out.": "You will be redirected to your server's authentication provider to complete sign out.", "You will be redirected to your server's authentication provider to complete sign out.": "You will be redirected to your server's authentication provider to complete sign out.",
"Send custom account data event": "Send custom account data event", "devtools": {
"Send custom room account data event": "Send custom room account data event", "send_custom_account_data_event": "Send custom account data event",
"Event Type": "Event Type", "send_custom_room_account_data_event": "Send custom room account data event",
"State Key": "State Key", "event_type": "Event Type",
"Doesn't look like valid JSON.": "Doesn't look like valid JSON.", "state_key": "State Key",
"Failed to send event!": "Failed to send event!", "invalid_json": "Doesn't look like valid JSON.",
"Event sent!": "Event sent!", "failed_to_send": "Failed to send event!",
"Event Content": "Event Content", "event_sent": "Event sent!",
"event_content": "Event Content",
"user_read_up_to": "User read up to: ",
"no_receipt_found": "No receipt found",
"user_read_up_to_ignore_synthetic": "User read up to (ignoreSynthetic): ",
"user_read_up_to_private": "User read up to (m.read.private): ",
"user_read_up_to_private_ignore_synthetic": "User read up to (m.read.private;ignoreSynthetic): ",
"room_status": "Room status",
"room_unread_status_count": {
"other": "Room unread status: <strong>%(status)s</strong>, count: <strong>%(count)s</strong>"
},
"room_unread_status": "Room unread status: <strong>%(status)s</strong>",
"notification_state": "Notification state is <strong>%(notificationState)s</strong>",
"room_encrypted": "Room is <strong>encrypted ✅</strong>",
"room_not_encrypted": "Room is <strong>not encrypted 🚨</strong>",
"main_timeline": "Main timeline",
"room_notifications_total": "Total: ",
"room_notifications_highlight": "Highlight: ",
"room_notifications_dot": "Dot: ",
"room_notifications_last_event": "Last event:",
"id": "ID: ",
"room_notifications_type": "Type: ",
"room_notifications_sender": "Sender: ",
"threads_timeline": "Threads timeline",
"room_notifications_thread_id": "Thread Id: ",
"spaces": {
"other": "<%(count)s spaces>",
"one": "<space>"
},
"empty_string": "<empty string>",
"see_history": "See history",
"send_custom_state_event": "Send custom state event",
"failed_to_load": "Failed to load.",
"client_versions": "Client Versions",
"server_versions": "Server Versions",
"number_of_users": "Number of users",
"failed_to_save": "Failed to save settings.",
"save_setting_values": "Save setting values",
"setting_colon": "Setting:",
"caution_colon": "Caution:",
"use_at_own_risk": "This UI does NOT check the types of the values. Use at your own risk.",
"setting_definition": "Setting definition:",
"level": "Level",
"settable_global": "Settable at global",
"settable_room": "Settable at room",
"values_explicit": "Values at explicit levels",
"values_explicit_room": "Values at explicit levels in this room",
"edit_values": "Edit values",
"value_colon": "Value:",
"value_this_room_colon": "Value in this room:",
"values_explicit_colon": "Values at explicit levels:",
"values_explicit_this_room_colon": "Values at explicit levels in this room:",
"setting_id": "Setting ID",
"value": "Value",
"value_in_this_room": "Value in this room",
"edit_setting": "Edit setting",
"phase_requested": "Requested",
"phase_ready": "Ready",
"phase_started": "Started",
"phase_cancelled": "Cancelled",
"phase_transaction": "Transaction",
"phase": "Phase",
"timeout": "Timeout",
"methods": "Methods",
"requester": "Requester",
"observe_only": "Observe only",
"no_verification_requests_found": "No verification requests found",
"failed_to_find_widget": "There was an error finding this widget."
},
"Filter results": "Filter results", "Filter results": "Filter results",
"No results found": "No results found", "No results found": "No results found",
"User read up to: ": "User read up to: ",
"No receipt found": "No receipt found",
"User read up to (ignoreSynthetic): ": "User read up to (ignoreSynthetic): ",
"User read up to (m.read.private): ": "User read up to (m.read.private): ",
"User read up to (m.read.private;ignoreSynthetic): ": "User read up to (m.read.private;ignoreSynthetic): ",
"Room status": "Room status",
"Room unread status: <strong>%(status)s</strong>, count: <strong>%(count)s</strong>": {
"other": "Room unread status: <strong>%(status)s</strong>, count: <strong>%(count)s</strong>"
},
"Room unread status: <strong>%(status)s</strong>": "Room unread status: <strong>%(status)s</strong>",
"Notification state is <strong>%(notificationState)s</strong>": "Notification state is <strong>%(notificationState)s</strong>",
"Room is <strong>encrypted ✅</strong>": "Room is <strong>encrypted ✅</strong>",
"Room is <strong>not encrypted 🚨</strong>": "Room is <strong>not encrypted 🚨</strong>",
"Main timeline": "Main timeline",
"Total: ": "Total: ",
"Highlight: ": "Highlight: ",
"Dot: ": "Dot: ",
"Last event:": "Last event:",
"ID: ": "ID: ",
"Type: ": "Type: ",
"Sender: ": "Sender: ",
"Threads timeline": "Threads timeline",
"Thread Id: ": "Thread Id: ",
"<%(count)s spaces>": {
"other": "<%(count)s spaces>",
"one": "<space>"
},
"<empty string>": "<empty string>",
"See history": "See history",
"Send custom state event": "Send custom state event",
"Capabilities": "Capabilities",
"Failed to load.": "Failed to load.",
"Client Versions": "Client Versions",
"Server Versions": "Server Versions",
"Server": "Server",
"Number of users": "Number of users",
"Failed to save settings.": "Failed to save settings.",
"Save setting values": "Save setting values",
"Setting:": "Setting:",
"Caution:": "Caution:",
"This UI does NOT check the types of the values. Use at your own risk.": "This UI does NOT check the types of the values. Use at your own risk.",
"Setting definition:": "Setting definition:",
"Level": "Level",
"Settable at global": "Settable at global",
"Settable at room": "Settable at room",
"Values at explicit levels": "Values at explicit levels",
"Values at explicit levels in this room": "Values at explicit levels in this room",
"Edit values": "Edit values",
"Value:": "Value:",
"Value in this room:": "Value in this room:",
"Values at explicit levels:": "Values at explicit levels:",
"Values at explicit levels in this room:": "Values at explicit levels in this room:",
"Setting ID": "Setting ID",
"Value": "Value",
"Value in this room": "Value in this room",
"Edit setting": "Edit setting",
"Requested": "Requested",
"Ready": "Ready",
"Started": "Started",
"Cancelled": "Cancelled",
"Transaction": "Transaction",
"Phase": "Phase",
"Timeout": "Timeout",
"Methods": "Methods",
"Requester": "Requester",
"Observe only": "Observe only",
"No verification requests found": "No verification requests found",
"There was an error finding this widget.": "There was an error finding this widget.",
"Input devices": "Input devices", "Input devices": "Input devices",
"Output devices": "Output devices", "Output devices": "Output devices",
"Cameras": "Cameras", "Cameras": "Cameras",

View file

@ -9,7 +9,6 @@
"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", "Advanced": "Advanced",
"Always show message timestamps": "Always show message timestamps",
"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...": {
@ -127,7 +126,6 @@
"Server may be unavailable, overloaded, or you hit a bug.": "Server may be unavailable, overloaded, or you hit a bug.", "Server may be unavailable, overloaded, or you hit a bug.": "Server may be unavailable, overloaded, or you hit a bug.",
"Server unavailable, overloaded, or something else went wrong.": "Server unavailable, overloaded, or something else went wrong.", "Server unavailable, overloaded, or something else went wrong.": "Server unavailable, overloaded, or something else went wrong.",
"Session ID": "Session ID", "Session ID": "Session ID",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "Show timestamps in 12 hour format (e.g. 2:30pm)",
"Signed Out": "Signed Out", "Signed Out": "Signed Out",
"This email address is already in use": "This email address is already in use", "This email address is already in use": "This email address is already in use",
"This email address was not found": "This email address was not found", "This email address was not found": "This email address was not found",
@ -189,7 +187,6 @@
"This server does not support authentication with a phone number.": "This server does not support authentication with a phone number.", "This server does not support authentication with a phone number.": "This server does not support authentication with a phone number.",
"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.",
"Sent messages will be stored until your connection has returned.": "Sent messages will be stored until your connection has returned.", "Sent messages will be stored until your connection has returned.": "Sent messages will be stored until your connection has returned.",
"Start automatically after system login": "Start automatically after system login",
"Banned by %(displayName)s": "Banned by %(displayName)s", "Banned by %(displayName)s": "Banned by %(displayName)s",
"Passphrases must match": "Passphrases must match", "Passphrases must match": "Passphrases must match",
"Passphrase must not be empty": "Passphrase must not be empty", "Passphrase must not be empty": "Passphrase must not be empty",
@ -252,12 +249,10 @@
"This will allow you to reset your password and receive notifications.": "This will allow you to reset your password and receive notifications.", "This will allow you to reset your password and receive notifications.": "This will allow you to reset your password and receive notifications.",
"Check for update": "Check for update", "Check for update": "Check for update",
"Define the power level of a user": "Define the power level of a user", "Define the power level of a user": "Define the power level of a user",
"Enable automatic language detection for syntax highlighting": "Enable automatic language detection for syntax highlighting",
"Sets the room name": "Sets the room name", "Sets the room name": "Sets the room name",
"Unable to create widget.": "Unable to create widget.", "Unable to create widget.": "Unable to create widget.",
"You are not in this room.": "You are not in this room.", "You are not in this room.": "You are not in this room.",
"You do not have permission to do that in this room.": "You do not have permission to do that in this room.", "You do not have permission to do that in this room.": "You do not have permission to do that in this room.",
"Automatically replace plain text Emoji": "Automatically replace plain text Emoji",
"%(widgetName)s widget added by %(senderName)s": "%(widgetName)s widget added by %(senderName)s", "%(widgetName)s widget added by %(senderName)s": "%(widgetName)s widget added by %(senderName)s",
"%(widgetName)s widget removed by %(senderName)s": "%(widgetName)s widget removed by %(senderName)s", "%(widgetName)s widget removed by %(senderName)s": "%(widgetName)s widget removed by %(senderName)s",
"%(senderName)s changed the pinned messages for the room.": "%(senderName)s changed the pinned messages for the room.", "%(senderName)s changed the pinned messages for the room.": "%(senderName)s changed the pinned messages for the room.",
@ -468,5 +463,12 @@
"hours_minutes_seconds_left": "%(hours)sh %(minutes)sm %(seconds)ss left", "hours_minutes_seconds_left": "%(hours)sh %(minutes)sm %(seconds)ss left",
"minutes_seconds_left": "%(minutes)sm %(seconds)ss left", "minutes_seconds_left": "%(minutes)sm %(seconds)ss left",
"seconds_left": "%(seconds)ss left" "seconds_left": "%(seconds)ss left"
},
"settings": {
"use_12_hour_format": "Show timestamps in 12 hour format (e.g. 2:30pm)",
"always_show_message_timestamps": "Always show message timestamps",
"replace_plain_emoji": "Automatically replace plain text Emoji",
"automatic_language_detection_syntax_highlight": "Enable automatic language detection for syntax highlighting",
"start_automatically": "Start automatically after system login"
} }
} }

View file

@ -81,14 +81,9 @@
"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?",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "Montri tempindikojn en 12-hora formo (ekz. 2:30 post.)",
"Always show message timestamps": "Ĉiam montri mesaĝajn tempindikojn",
"Call Failed": "Voko malsukcesis", "Call Failed": "Voko malsukcesis",
"Send": "Sendi", "Send": "Sendi",
"Enable automatic language detection for syntax highlighting": "Ŝalti memagan rekonon de lingvo por sintaksa markado",
"Automatically replace plain text Emoji": "Memfare anstataŭigi tekstajn mienetojn",
"Mirror local video feed": "Speguli lokan filmon", "Mirror local video feed": "Speguli lokan filmon",
"Enable inline URL previews by default": "Ŝalti entekstan antaŭrigardon al retadresoj",
"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)",
"Enable URL previews by default for participants in this room": "Ŝalti URL-antaŭrigardon por anoj de ĉi tiu ĉambro", "Enable URL previews by default for participants in this room": "Ŝalti URL-antaŭrigardon por anoj de ĉi tiu ĉambro",
"Incorrect verification code": "Malĝusta kontrola kodo", "Incorrect verification code": "Malĝusta kontrola kodo",
@ -340,7 +335,6 @@
"Cryptography": "Ĉifroteĥnikaro", "Cryptography": "Ĉifroteĥnikaro",
"Check for update": "Kontroli ĝisdatigojn", "Check for update": "Kontroli ĝisdatigojn",
"Reject all %(invitedRooms)s invites": "Rifuzi ĉiujn %(invitedRooms)s invitojn", "Reject all %(invitedRooms)s invites": "Rifuzi ĉiujn %(invitedRooms)s invitojn",
"Start automatically after system login": "Memfare ruli post operaciuma saluto",
"No media permissions": "Neniuj permesoj pri aŭdvidaĵoj", "No media permissions": "Neniuj permesoj pri aŭdvidaĵoj",
"You may need to manually permit %(brand)s to access your microphone/webcam": "Eble vi devos permane permesi al %(brand)s atingon de viaj mikrofono/kamerao", "You may need to manually permit %(brand)s to access your microphone/webcam": "Eble vi devos permane permesi al %(brand)s atingon de viaj mikrofono/kamerao",
"No Microphones detected": "Neniu mikrofono troviĝis", "No Microphones detected": "Neniu mikrofono troviĝis",
@ -408,7 +402,6 @@
"Collecting app version information": "Kolektante informon pri versio de la aplikaĵo", "Collecting app version information": "Kolektante informon pri versio de la aplikaĵo",
"Tuesday": "Mardo", "Tuesday": "Mardo",
"Search…": "Serĉi…", "Search…": "Serĉi…",
"Event sent!": "Okazo sendiĝis!",
"Saturday": "Sabato", "Saturday": "Sabato",
"Monday": "Lundo", "Monday": "Lundo",
"Toolbox": "Ilaro", "Toolbox": "Ilaro",
@ -418,7 +411,6 @@
"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)",
"All messages": "Ĉiuj mesaĝoj", "All messages": "Ĉiuj mesaĝoj",
"Call invitation": "Invito al voko", "Call invitation": "Invito al voko",
"State Key": "Stata ŝlosilo",
"What's new?": "Kio novas?", "What's new?": "Kio novas?",
"When I'm invited to a room": "Kiam mi estas invitita al ĉambro", "When I'm invited to a room": "Kiam mi estas invitita al ĉambro",
"All Rooms": "Ĉiuj ĉambroj", "All Rooms": "Ĉiuj ĉambroj",
@ -430,10 +422,8 @@
"Low Priority": "Malalta prioritato", "Low Priority": "Malalta prioritato",
"Off": "Ne", "Off": "Ne",
"Failed to remove tag %(tagName)s from room": "Malsukcesis forigi etikedon %(tagName)s el la ĉambro", "Failed to remove tag %(tagName)s from room": "Malsukcesis forigi etikedon %(tagName)s el la ĉambro",
"Event Type": "Tipo de okazo",
"Thank you!": "Dankon!", "Thank you!": "Dankon!",
"Developer Tools": "Evoluigiloj", "Developer Tools": "Evoluigiloj",
"Event Content": "Enhavo de okazo",
"Logs sent": "Protokolo sendiĝis", "Logs sent": "Protokolo sendiĝis",
"Failed to send logs: ": "Malsukcesis sendi protokolon: ", "Failed to send logs: ": "Malsukcesis sendi protokolon: ",
"Preparing to send logs": "Pretigante sendon de protokolo", "Preparing to send logs": "Pretigante sendon de protokolo",
@ -633,13 +623,6 @@
"The user must be unbanned before they can be invited.": "Necesas malforbari ĉi tiun uzanton antaŭ ol ĝin inviti.", "The user must be unbanned before they can be invited.": "Necesas malforbari ĉi tiun uzanton antaŭ ol ĝin inviti.",
"The user's homeserver does not support the version of the room.": "Hejmservilo de ĉi tiu uzanto ne subtenas la version de la ĉambro.", "The user's homeserver does not support the version of the room.": "Hejmservilo de ĉi tiu uzanto ne subtenas la version de la ĉambro.",
"No need for symbols, digits, or uppercase letters": "Ne necesas simboloj, ciferoj, aŭ majuskloj", "No need for symbols, digits, or uppercase letters": "Ne necesas simboloj, ciferoj, aŭ majuskloj",
"Enable Emoji suggestions while typing": "Ŝalti proponojn de bildsignoj dum tajpado",
"Show a placeholder for removed messages": "Meti kovrilon anstataŭ forigitajn mesaĝojn",
"Show display name changes": "Montri ŝanĝojn de vidigaj nomoj",
"Show read receipts sent by other users": "Montri legokonfirmojn senditajn de aliaj uzantoj",
"Enable big emoji in chat": "Ŝalti grandajn bildsignojn en babilejo",
"Send typing notifications": "Sendi sciigojn pri tajpado",
"Prompt before sending invites to potentially invalid matrix IDs": "Averti antaŭ ol sendi invitojn al eble nevalidaj Matrix-identigiloj",
"Messages containing my username": "Mesaĝoj enhavantaj mian uzantnomon", "Messages containing my username": "Mesaĝoj enhavantaj mian uzantnomon",
"When rooms are upgraded": "Kiam ĉambroj gradaltiĝas", "When rooms are upgraded": "Kiam ĉambroj gradaltiĝas",
"The other party cancelled the verification.": "La alia kontrolano nuligis la kontrolon.", "The other party cancelled the verification.": "La alia kontrolano nuligis la kontrolon.",
@ -951,7 +934,6 @@
"Add Phone Number": "Aldoni telefonnumeron", "Add Phone Number": "Aldoni telefonnumeron",
"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.": "Ĉi tiu ago bezonas atingi la norman identigan servilon <server /> por kontroli retpoŝtadreson aŭ telefonnumeron, sed la servilo ne havas uzokondiĉojn.", "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.": "Ĉi tiu ago bezonas atingi la norman identigan servilon <server /> por kontroli retpoŝtadreson aŭ telefonnumeron, sed la servilo ne havas uzokondiĉojn.",
"%(name)s (%(userId)s)": "%(name)s (%(userId)s)", "%(name)s (%(userId)s)": "%(name)s (%(userId)s)",
"Show previews/thumbnails for images": "Montri antaŭrigardojn/bildetojn por bildoj",
"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.": "Vi <b>forigu viajn personajn datumojn</b> de identiga servilo <idserver /> antaŭ ol vi malkonektiĝos. Bedaŭrinde, identiga servilo <idserver /> estas nuntempe eksterreta kaj ne eblas ĝin atingi.", "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.": "Vi <b>forigu viajn personajn datumojn</b> de identiga servilo <idserver /> antaŭ ol vi malkonektiĝos. Bedaŭrinde, identiga servilo <idserver /> estas nuntempe eksterreta kaj ne eblas ĝin atingi.",
"You should:": "Vi devus:", "You should:": "Vi devus:",
"check your browser plugins for anything that might block the identity server (such as Privacy Badger)": "kontrolu kromprogramojn de via foliumilo je ĉio, kio povus malhelpi konekton al la identiga servilo (ekzemple «Privacy Badger»)", "check your browser plugins for anything that might block the identity server (such as Privacy Badger)": "kontrolu kromprogramojn de via foliumilo je ĉio, kio povus malhelpi konekton al la identiga servilo (ekzemple «Privacy Badger»)",
@ -1117,10 +1099,8 @@
"WARNING: KEY VERIFICATION FAILED! The signing key for %(userId)s and session %(deviceId)s is \"%(fprint)s\" which does not match the provided key \"%(fingerprint)s\". This could mean your communications are being intercepted!": "AVERTO: MALSUKCESIS KONTROLO DE ŜLOSILOJ! La subskriba ŝlosilo de %(userId)s kaj session %(deviceId)s estas «%(fprint)s», kiu ne akordas la donitan ŝlosilon «%(fingerprint)s». Tio povus signifi, ke via komunikado estas spionata!", "WARNING: KEY VERIFICATION FAILED! The signing key for %(userId)s and session %(deviceId)s is \"%(fprint)s\" which does not match the provided key \"%(fingerprint)s\". This could mean your communications are being intercepted!": "AVERTO: MALSUKCESIS KONTROLO DE ŜLOSILOJ! La subskriba ŝlosilo de %(userId)s kaj session %(deviceId)s estas «%(fprint)s», kiu ne akordas la donitan ŝlosilon «%(fingerprint)s». Tio povus signifi, ke via komunikado estas spionata!",
"The signing key you provided matches the signing key you received from %(userId)s's session %(deviceId)s. Session marked as verified.": "La subskriba ŝlosilo, kiun vi donis, akordas la subskribas ŝlosilon, kinu vi ricevis de la salutaĵo %(deviceId)s de la uzanto %(userId)s. Salutaĵo estis markita kontrolita.", "The signing key you provided matches the signing key you received from %(userId)s's session %(deviceId)s. Session marked as verified.": "La subskriba ŝlosilo, kiun vi donis, akordas la subskribas ŝlosilon, kinu vi ricevis de la salutaĵo %(deviceId)s de la uzanto %(userId)s. Salutaĵo estis markita kontrolita.",
"Displays information about a user": "Montras informojn pri uzanto", "Displays information about a user": "Montras informojn pri uzanto",
"Show typing notifications": "Montri sciigojn pri tajpado",
"Never send encrypted messages to unverified sessions from this session": "Neniam sendi ĉifritajn mesaĝojn al nekontrolitaj salutaĵoj de ĉi tiu salutaĵo", "Never send encrypted messages to unverified sessions from this session": "Neniam sendi ĉifritajn mesaĝojn al nekontrolitaj salutaĵoj de ĉi tiu salutaĵo",
"Never send encrypted messages to unverified sessions in this room from this session": "Neniam sendi ĉifritajn mesaĝojn al nekontrolitaj salutaĵoj en ĉi tiu ĉambro de ĉi tiu salutaĵo", "Never send encrypted messages to unverified sessions in this room from this session": "Neniam sendi ĉifritajn mesaĝojn al nekontrolitaj salutaĵoj en ĉi tiu ĉambro de ĉi tiu salutaĵo",
"Show shortcuts to recently viewed rooms above the room list": "Montri tujirilojn al freŝe rigarditaj ĉambroj super la listo de ĉambroj",
"Enable message search in encrypted rooms": "Ŝalti serĉon de mesaĝoj en ĉifritaj ĉambroj", "Enable message search in encrypted rooms": "Ŝalti serĉon de mesaĝoj en ĉifritaj ĉambroj",
"How fast should messages be downloaded.": "Kiel rapide elŝuti mesaĝojn.", "How fast should messages be downloaded.": "Kiel rapide elŝuti mesaĝojn.",
"Scan this unique code": "Skanu ĉi tiun unikan kodon", "Scan this unique code": "Skanu ĉi tiun unikan kodon",
@ -1907,7 +1887,6 @@
"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.", "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", "Unable to access microphone": "Ne povas aliri mikrofonon",
"Invite by email": "Inviti per retpoŝto", "Invite by email": "Inviti per retpoŝto",
"There was an error finding this widget.": "Eraris serĉado de tiu ĉi fenestraĵo.",
"Active Widgets": "Aktivaj fenestraĵoj", "Active Widgets": "Aktivaj fenestraĵoj",
"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",
@ -1992,9 +1971,6 @@
"Sends the given message with fireworks": "Sendas la mesaĝon kun artfajraĵo", "Sends the given message with fireworks": "Sendas la mesaĝon kun artfajraĵo",
"sends confetti": "sendas konfetojn", "sends confetti": "sendas konfetojn",
"Sends the given message with confetti": "Sendas la mesaĝon kun konfetoj", "Sends the given message with confetti": "Sendas la mesaĝon kun konfetoj",
"Show line numbers in code blocks": "Montri numerojn de linioj en kodujoj",
"Expand code blocks by default": "Implicite etendi kodujojn",
"Show stickers button": "Butono por montri glumarkojn",
"Use app": "Uzu aplikaĵon", "Use app": "Uzu aplikaĵon",
"Use app for a better experience": "Uzu aplikaĵon por pli bona sperto", "Use app for a better experience": "Uzu aplikaĵon por pli bona sperto",
"Don't miss a reply": "Ne preterpasu respondon", "Don't miss a reply": "Ne preterpasu respondon",
@ -2021,28 +1997,12 @@
"Start a conversation with someone using their name, email address or username (like <userId/>).": "Komencu interparolon kun iu per ĝia nomo, retpoŝtadreso, aŭ uzantonomo (ekz. <userId/>).", "Start a conversation with someone using their name, email address or username (like <userId/>).": "Komencu interparolon kun iu per ĝia nomo, retpoŝtadreso, aŭ uzantonomo (ekz. <userId/>).",
"Failed to transfer call": "Malsukcesis transdoni vokon", "Failed to transfer call": "Malsukcesis transdoni vokon",
"A call can only be transferred to a single user.": "Voko povas transdoniĝi nur al unu uzanto.", "A call can only be transferred to a single user.": "Voko povas transdoniĝi nur al unu uzanto.",
"Value in this room:": "Valoro en ĉi tiu ĉambro:",
"Value:": "Valoro:",
"Settable at room": "Agordebla ĉambre",
"Settable at global": "Agordebla ĉiee",
"Level": "Nivelo",
"Setting definition:": "Difino de agordo:",
"This UI does NOT check the types of the values. Use at your own risk.": "Ĉi tiu fasado ne kontrolas la tipojn de valoroj. Uzu je via risko.",
"Caution:": "Atentu:",
"Setting:": "Agordo:",
"Value in this room": "Valoro en ĉi tiu ĉambro",
"Value": "Valoro",
"Setting ID": "Identigilo de agordo",
"Set my room layout for everyone": "Agordi al ĉiuj mian aranĝon de ĉambro", "Set my room layout for everyone": "Agordi al ĉiuj mian aranĝon de ĉambro",
"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",
"Show chat effects (animations when receiving e.g. confetti)": "Montri grafikaĵojn en babilujo (ekz. movbildojn, ricevante konfetojn)",
"Use Ctrl + Enter to send a message": "Sendu mesaĝon per stirklavo (Ctrl) + eniga klavo",
"Use Command + Enter to send a message": "Sendu mesaĝon per komanda klavo + eniga klavo",
"%(senderDisplayName)s changed the server ACLs for this room.": "%(senderDisplayName)s ŝanĝis la servilblokajn listojn por ĉi tiu ĉambro.", "%(senderDisplayName)s changed the server ACLs for this room.": "%(senderDisplayName)s ŝanĝis la servilblokajn listojn por ĉi tiu ĉambro.",
"%(senderDisplayName)s set the server ACLs for this room.": "%(senderDisplayName)s agordis la servilblokajn listojn por ĉi tiu ĉambro.", "%(senderDisplayName)s set the server ACLs for this room.": "%(senderDisplayName)s agordis la servilblokajn listojn por ĉi tiu ĉambro.",
"Jump to the bottom of the timeline when you send a message": "Salti al subo de historio sendinte mesaĝon",
"You're already in a call with this person.": "Vi jam vokas ĉi tiun personon.", "You're already in a call with this person.": "Vi jam vokas ĉi tiun personon.",
"Already in call": "Jam vokanta", "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.",
@ -2123,11 +2083,6 @@
"Share %(name)s": "Diskonigi %(name)s", "Share %(name)s": "Diskonigi %(name)s",
"You may want to try a different search or check for typos.": "Eble vi provu serĉi alion, aŭ kontroli je mistajpoj.", "You may want to try a different search or check for typos.": "Eble vi provu serĉi alion, aŭ kontroli je mistajpoj.",
"You don't have permission": "Vi ne rajtas", "You don't have permission": "Vi ne rajtas",
"Values at explicit levels in this room:": "Valoroj por malimplicitaj niveloj en ĉi tiu ĉambro:",
"Values at explicit levels:": "Valoroj por malimplicitaj niveloj:",
"Save setting values": "Konservi valorojn de la agordoj",
"Values at explicit levels in this room": "Valoroj por malimplicitaj niveloj en ĉi tiu ĉambro",
"Values at explicit levels": "Valoroj por malimplicitaj niveloj",
"Space options": "Agordoj de aro", "Space options": "Agordoj de aro",
"with state key %(stateKey)s": "kun statŝlosilo %(stateKey)s", "with state key %(stateKey)s": "kun statŝlosilo %(stateKey)s",
"with an empty state key": "kun malplena statŝlosilo", "with an empty state key": "kun malplena statŝlosilo",
@ -2146,7 +2101,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", "Change server ACLs": "Ŝanĝi servilblokajn listojn",
"Warn before quitting": "Averti antaŭ ĉesigo",
"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",
@ -2428,8 +2382,6 @@
"Your private messages are normally encrypted, but this room isn't. Usually this is due to an unsupported device or method being used, like email invites.": "Viaj privataj mesaĝoj normale estas ĉifrataj, sed ĉi tiu ĉambro ne estas ĉifrata. Plej ofte tio okazas pro uzo de nesubtenata aparato aŭ metodo, ekzemple retpoŝtaj invitoj.", "Your private messages are normally encrypted, but this room isn't. Usually this is due to an unsupported device or method being used, like email invites.": "Viaj privataj mesaĝoj normale estas ĉifrataj, sed ĉi tiu ĉambro ne estas ĉifrata. Plej ofte tio okazas pro uzo de nesubtenata aparato aŭ metodo, ekzemple retpoŝtaj invitoj.",
"Displaying time": "Montrado de tempo", "Displaying time": "Montrado de tempo",
"Cross-signing is ready but keys are not backed up.": "Delegaj subskriboj pretas, sed ŝlosiloj ne estas savkopiitaj.", "Cross-signing is ready but keys are not backed up.": "Delegaj subskriboj pretas, sed ŝlosiloj ne estas savkopiitaj.",
"All rooms you're in will appear in Home.": "Ĉiuj ĉambroj, kie vi estas, aperos en la ĉefpaĝo.",
"Show all rooms in Home": "Montri ĉiujn ĉambrojn en ĉefpaĝo",
"%(senderName)s pinned <a>a message</a> to this room. See all <b>pinned messages</b>.": "%(senderName)s fiksis <a>mesaĝon</a> al ĉi tiu ĉambro. Vidu ĉiujn <b>fiksitajn mesaĝojn</b>.", "%(senderName)s pinned <a>a message</a> to this room. See all <b>pinned messages</b>.": "%(senderName)s fiksis <a>mesaĝon</a> al ĉi tiu ĉambro. Vidu ĉiujn <b>fiksitajn mesaĝojn</b>.",
"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?",
@ -2440,8 +2392,6 @@
"Change space avatar": "Ŝanĝi bildon 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.",
"Autoplay videos": "Memage ludi filmojn",
"Autoplay GIFs": "Memage ludi GIF-ojn",
"%(senderName)s unpinned a message from this room. See all pinned messages.": "%(senderName)s malfiksis mesaĝon de ĉi tiu ĉambro. Vidu ĉiujn fiksitajn mesaĝojn.", "%(senderName)s unpinned a message from this room. See all pinned messages.": "%(senderName)s malfiksis mesaĝon de ĉi tiu ĉambro. Vidu ĉiujn fiksitajn mesaĝojn.",
"%(senderName)s unpinned <a>a message</a> from this room. See all <b>pinned messages</b>.": "%(senderName)s malfiksis <a>mesaĝon</a> de ĉi tiu ĉambro. Vidu ĉiujn <b>fiksitajn mesaĝojn</b>.", "%(senderName)s unpinned <a>a message</a> from this room. See all <b>pinned messages</b>.": "%(senderName)s malfiksis <a>mesaĝon</a> de ĉi tiu ĉambro. Vidu ĉiujn <b>fiksitajn mesaĝojn</b>.",
"%(senderName)s pinned a message to this room. See all pinned messages.": "%(senderName)s fiksis mesaĝon al ĉi tiu ĉambro. Vidu ĉiujn fiksitajn mesaĝojn.", "%(senderName)s pinned a message to this room. See all pinned messages.": "%(senderName)s fiksis mesaĝon al ĉi tiu ĉambro. Vidu ĉiujn fiksitajn mesaĝojn.",
@ -2690,7 +2640,6 @@
"Current Timeline": "Nuna historio", "Current Timeline": "Nuna historio",
"Plain Text": "Plata Teksto", "Plain Text": "Plata Teksto",
"HTML": "HTML", "HTML": "HTML",
"Doesn't look like valid JSON.": "Ŝajnas ne esti valida JSON.",
"JSON": "JSON", "JSON": "JSON",
"Include Attachments": "Inkluzivi Aldonaĵojn", "Include Attachments": "Inkluzivi Aldonaĵojn",
"Size Limit": "Grandeca Limo", "Size Limit": "Grandeca Limo",
@ -2708,7 +2657,6 @@
"Number of messages": "Nombro da mesaĝoj", "Number of messages": "Nombro da mesaĝoj",
"Number of messages can only be a number between %(min)s and %(max)s": "Nombro da mesaĝoj povas esti nur nombro inter %(min)s kaj %(max)s", "Number of messages can only be a number between %(min)s and %(max)s": "Nombro da mesaĝoj povas esti nur nombro inter %(min)s kaj %(max)s",
"Specify a number of messages": "Indiki kelkajn mesaĝojn", "Specify a number of messages": "Indiki kelkajn mesaĝojn",
"Send read receipts": "Sendi legitajn kvitanojn",
"You previously consented to share anonymous usage data with us. We're updating how that works.": "Vi antaŭe konsentis kunhavigi anonimajn uzdatumojn kun ni. Ni ĝisdatigas kiel tio funkcias.", "You previously consented to share anonymous usage data with us. We're updating how that works.": "Vi antaŭe konsentis kunhavigi anonimajn uzdatumojn kun ni. Ni ĝisdatigas kiel tio funkcias.",
"That's fine": "Tio estas bone", "That's fine": "Tio estas bone",
"Export successful!": "Eksporto sukcesa!", "Export successful!": "Eksporto sukcesa!",
@ -2980,5 +2928,61 @@
"short_days_hours_minutes_seconds": "%(days)st. %(hours)sh. %(minutes)sm. %(seconds)ss.", "short_days_hours_minutes_seconds": "%(days)st. %(hours)sh. %(minutes)sm. %(seconds)ss.",
"short_hours_minutes_seconds": "%(hours)sh. %(minutes)sm. %(seconds)ss.", "short_hours_minutes_seconds": "%(hours)sh. %(minutes)sm. %(seconds)ss.",
"short_minutes_seconds": "%(minutes)sm. %(seconds)ss." "short_minutes_seconds": "%(minutes)sm. %(seconds)ss."
},
"devtools": {
"event_type": "Tipo de okazo",
"state_key": "Stata ŝlosilo",
"invalid_json": "Ŝajnas ne esti valida JSON.",
"event_sent": "Okazo sendiĝis!",
"event_content": "Enhavo de okazo",
"save_setting_values": "Konservi valorojn de la agordoj",
"setting_colon": "Agordo:",
"caution_colon": "Atentu:",
"use_at_own_risk": "Ĉi tiu fasado ne kontrolas la tipojn de valoroj. Uzu je via risko.",
"setting_definition": "Difino de agordo:",
"level": "Nivelo",
"settable_global": "Agordebla ĉiee",
"settable_room": "Agordebla ĉambre",
"values_explicit": "Valoroj por malimplicitaj niveloj",
"values_explicit_room": "Valoroj por malimplicitaj niveloj en ĉi tiu ĉambro",
"value_colon": "Valoro:",
"value_this_room_colon": "Valoro en ĉi tiu ĉambro:",
"values_explicit_colon": "Valoroj por malimplicitaj niveloj:",
"values_explicit_this_room_colon": "Valoroj por malimplicitaj niveloj en ĉi tiu ĉambro:",
"setting_id": "Identigilo de agordo",
"value": "Valoro",
"value_in_this_room": "Valoro en ĉi tiu ĉambro",
"failed_to_find_widget": "Eraris serĉado de tiu ĉi fenestraĵo."
},
"settings": {
"show_breadcrumbs": "Montri tujirilojn al freŝe rigarditaj ĉambroj super la listo de ĉambroj",
"all_rooms_home_description": "Ĉiuj ĉambroj, kie vi estas, aperos en la ĉefpaĝo.",
"use_12_hour_format": "Montri tempindikojn en 12-hora formo (ekz. 2:30 post.)",
"always_show_message_timestamps": "Ĉiam montri mesaĝajn tempindikojn",
"send_read_receipts": "Sendi legitajn kvitanojn",
"send_typing_notifications": "Sendi sciigojn pri tajpado",
"replace_plain_emoji": "Memfare anstataŭigi tekstajn mienetojn",
"emoji_autocomplete": "Ŝalti proponojn de bildsignoj dum tajpado",
"use_command_enter_send_message": "Sendu mesaĝon per komanda klavo + eniga klavo",
"use_control_enter_send_message": "Sendu mesaĝon per stirklavo (Ctrl) + eniga klavo",
"all_rooms_home": "Montri ĉiujn ĉambrojn en ĉefpaĝo",
"show_stickers_button": "Butono por montri glumarkojn",
"automatic_language_detection_syntax_highlight": "Ŝalti memagan rekonon de lingvo por sintaksa markado",
"code_block_expand_default": "Implicite etendi kodujojn",
"code_block_line_numbers": "Montri numerojn de linioj en kodujoj",
"inline_url_previews_default": "Ŝalti entekstan antaŭrigardon al retadresoj",
"autoplay_gifs": "Memage ludi GIF-ojn",
"autoplay_videos": "Memage ludi filmojn",
"image_thumbnails": "Montri antaŭrigardojn/bildetojn por bildoj",
"show_typing_notifications": "Montri sciigojn pri tajpado",
"show_redaction_placeholder": "Meti kovrilon anstataŭ forigitajn mesaĝojn",
"show_read_receipts": "Montri legokonfirmojn senditajn de aliaj uzantoj",
"show_displayname_changes": "Montri ŝanĝojn de vidigaj nomoj",
"show_chat_effects": "Montri grafikaĵojn en babilujo (ekz. movbildojn, ricevante konfetojn)",
"big_emoji": "Ŝalti grandajn bildsignojn en babilejo",
"jump_to_bottom_on_send": "Salti al subo de historio sendinte mesaĝon",
"prompt_invite": "Averti antaŭ ol sendi invitojn al eble nevalidaj Matrix-identigiloj",
"start_automatically": "Memfare ruli post operaciuma saluto",
"warn_quit": "Averti antaŭ ĉesigo"
} }
} }

View file

@ -2,7 +2,6 @@
"Account": "Cuenta", "Account": "Cuenta",
"Admin": "Admin", "Admin": "Admin",
"Advanced": "Avanzado", "Advanced": "Avanzado",
"Always show message timestamps": "Mostrar siempre la fecha y hora de envío junto a los mensajes",
"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...": {
@ -139,7 +138,6 @@
"%(brand)s was not given permission to send notifications - please try again": "No le has dado permiso a %(brand)s para enviar notificaciones. Por favor, inténtalo de nuevo", "%(brand)s was not given permission to send notifications - please try again": "No le has dado permiso a %(brand)s para enviar notificaciones. Por favor, inténtalo de nuevo",
"%(brand)s version:": "Versión de %(brand)s:", "%(brand)s version:": "Versión de %(brand)s:",
"Room %(roomId)s not visible": "La sala %(roomId)s no es visible", "Room %(roomId)s not visible": "La sala %(roomId)s no es visible",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "Mostrar las horas con el modelo de 12 horas (ej.: 2:30pm)",
"This email address is already in use": "Esta dirección de correo electrónico ya está en uso", "This email address is already in use": "Esta dirección de correo electrónico ya está en uso",
"This email address was not found": "No se ha encontrado la dirección de correo electrónico", "This email address was not found": "No se ha encontrado la dirección de correo electrónico",
"The email address linked to your account must be entered.": "Debes ingresar la dirección de correo electrónico vinculada a tu cuenta.", "The email address linked to your account must be entered.": "Debes ingresar la dirección de correo electrónico vinculada a tu cuenta.",
@ -155,7 +153,6 @@
"Authentication check failed: incorrect password?": "La verificación de autenticación falló: ¿contraseña incorrecta?", "Authentication check failed: incorrect password?": "La verificación de autenticación falló: ¿contraseña incorrecta?",
"Delete widget": "Eliminar accesorio", "Delete widget": "Eliminar accesorio",
"Define the power level of a user": "Define el nivel de autoridad de un usuario", "Define the power level of a user": "Define el nivel de autoridad de un usuario",
"Enable automatic language detection for syntax highlighting": "Activar la detección automática del lenguajes de programación para resaltar su sintaxis",
"Tried to load a specific point in this room's timeline, but you do not have permission to view the message in question.": "Se ha intentado cargar cierto punto en la cronología de esta sala, pero no tiene permiso para ver el mensaje solicitado.", "Tried to load a specific point in this room's timeline, but you do not have permission to view the message in question.": "Se ha intentado cargar cierto punto en la cronología de esta sala, pero no tiene permiso para ver el mensaje solicitado.",
"Tried to load a specific point in this room's timeline, but was unable to find it.": "Se ha intentado cargar cierto punto en la cronología de esta sala, pero no se ha podido encontrarlo.", "Tried to load a specific point in this room's timeline, but was unable to find it.": "Se ha intentado cargar cierto punto en la cronología de esta sala, pero no se ha podido encontrarlo.",
"Unable to add email address": "No es posible añadir la dirección de correo electrónico", "Unable to add email address": "No es posible añadir la dirección de correo electrónico",
@ -239,7 +236,6 @@
"Collecting app version information": "Recolectando información de la versión de la aplicación", "Collecting app version information": "Recolectando información de la versión de la aplicación",
"Tuesday": "Martes", "Tuesday": "Martes",
"Search…": "Buscar…", "Search…": "Buscar…",
"Event sent!": "Evento enviado!",
"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",
@ -251,7 +247,6 @@
"All messages": "Todos los mensajes", "All messages": "Todos los mensajes",
"Call invitation": "Cuando me inviten a una llamada", "Call invitation": "Cuando me inviten a una llamada",
"Thank you!": "¡Gracias!", "Thank you!": "¡Gracias!",
"State Key": "Clave de estado",
"What's new?": "Novedades", "What's new?": "Novedades",
"When I'm invited to a room": "Cuando me inviten a una sala", "When I'm invited to a room": "Cuando me inviten a una sala",
"All Rooms": "Todas las salas", "All Rooms": "Todas las salas",
@ -266,9 +261,7 @@
"Off": "Apagado", "Off": "Apagado",
"Failed to remove tag %(tagName)s from room": "Error al eliminar la etiqueta %(tagName)s de la sala", "Failed to remove tag %(tagName)s from room": "Error al eliminar la etiqueta %(tagName)s de la sala",
"Wednesday": "Miércoles", "Wednesday": "Miércoles",
"Event Type": "Tipo de Evento",
"Developer Tools": "Herramientas de desarrollo", "Developer Tools": "Herramientas de desarrollo",
"Event Content": "Contenido del Evento",
"Permission Required": "Se necesita permiso", "Permission Required": "Se necesita permiso",
"You do not have permission to start a conference call in this room": "No tienes permiso para iniciar una llamada de conferencia en esta sala", "You do not have permission to start a conference call in this room": "No tienes permiso para iniciar una llamada de conferencia en esta sala",
"%(weekDayName)s %(time)s": "%(weekDayName)s a las %(time)s", "%(weekDayName)s %(time)s": "%(weekDayName)s a las %(time)s",
@ -290,10 +283,8 @@
"%(widgetName)s widget removed by %(senderName)s": "componente %(widgetName)s eliminado por %(senderName)s", "%(widgetName)s widget removed by %(senderName)s": "componente %(widgetName)s eliminado por %(senderName)s",
"Your browser does not support the required cryptography extensions": "Su navegador no soporta las extensiones de criptografía requeridas", "Your browser does not support the required cryptography extensions": "Su navegador no soporta las extensiones de criptografía requeridas",
"Not a valid %(brand)s keyfile": "No es un archivo de claves de %(brand)s válido", "Not a valid %(brand)s keyfile": "No es un archivo de claves de %(brand)s válido",
"Automatically replace plain text Emoji": "Sustituir automáticamente caritas de texto por sus emojis equivalentes",
"Mirror local video feed": "Invertir el vídeo local horizontalmente (espejo)", "Mirror local video feed": "Invertir el vídeo local horizontalmente (espejo)",
"Send analytics data": "Enviar datos estadísticos de uso", "Send analytics data": "Enviar datos estadísticos de uso",
"Enable inline URL previews by default": "Activar la vista previa de URLs en línea por defecto",
"Enable URL previews for this room (only affects you)": "Activar la vista previa de URLs en esta sala (solo para ti)", "Enable URL previews for this room (only affects you)": "Activar la vista previa de URLs en esta sala (solo para ti)",
"Enable URL previews by default for participants in this room": "Activar la vista previa de URLs por defecto para los participantes de esta sala", "Enable URL previews by default for participants in this room": "Activar la vista previa de URLs por defecto para los participantes de esta sala",
"Enable widget screenshots on supported widgets": "Activar capturas de pantalla de accesorios en los accesorios que lo permitan", "Enable widget screenshots on supported widgets": "Activar capturas de pantalla de accesorios en los accesorios que lo permitan",
@ -465,7 +456,6 @@
"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.",
"Sent messages will be stored until your connection has returned.": "Los mensajes enviados se almacenarán hasta que vuelva la conexión.", "Sent messages will be stored until your connection has returned.": "Los mensajes enviados se almacenarán hasta que vuelva la conexión.",
"Check for update": "Comprobar si hay actualizaciones", "Check for update": "Comprobar si hay actualizaciones",
"Start automatically after system login": "Abrir automáticamente después de iniciar sesión en el sistema",
"No Audio Outputs detected": "No se han detectado salidas de sonido", "No Audio Outputs detected": "No se han detectado salidas de sonido",
"Audio Output": "Salida de sonido", "Audio Output": "Salida de sonido",
"Please note you are logging into the %(hs)s server, not matrix.org.": "Por favor, ten en cuenta que estás iniciando sesión en el servidor %(hs)s, y no en matrix.org.", "Please note you are logging into the %(hs)s server, not matrix.org.": "Por favor, ten en cuenta que estás iniciando sesión en el servidor %(hs)s, y no en matrix.org.",
@ -554,12 +544,6 @@
"Common names and surnames are easy to guess": "Nombres y apellidos comunes son fáciles de adivinar", "Common names and surnames are easy to guess": "Nombres y apellidos comunes son fáciles de adivinar",
"Straight rows of keys are easy to guess": "Palabras formadas por secuencias de teclas consecutivas son fáciles de adivinar", "Straight rows of keys are easy to guess": "Palabras formadas por secuencias de teclas consecutivas son fáciles de adivinar",
"Short keyboard patterns are easy to guess": "Patrones de tecleo cortos son fáciles de adivinar", "Short keyboard patterns are easy to guess": "Patrones de tecleo cortos son fáciles de adivinar",
"Enable Emoji suggestions while typing": "Sugerir emojis mientras escribes",
"Show a placeholder for removed messages": "Dejar un indicador cuando se borre un mensaje",
"Show display name changes": "Muestra cambios en los nombres",
"Enable big emoji in chat": "Activar emojis grandes en el chat",
"Send typing notifications": "Enviar notificaciones de tecleo",
"Prompt before sending invites to potentially invalid matrix IDs": "Preguntarme antes de enviar invitaciones a IDs de matrix que no parezcan válidas",
"Messages containing my username": "Mensajes que contengan mi nombre", "Messages containing my username": "Mensajes que contengan mi nombre",
"Messages containing @room": "Mensajes que contengan @room", "Messages containing @room": "Mensajes que contengan @room",
"Encrypted messages in one-to-one chats": "Mensajes cifrados en salas uno a uno", "Encrypted messages in one-to-one chats": "Mensajes cifrados en salas uno a uno",
@ -705,7 +689,6 @@
"Unexpected error resolving identity server configuration": "Error inesperado en la configuración del servidor de identidad", "Unexpected error resolving identity server configuration": "Error inesperado en la configuración del servidor de identidad",
"The user must be unbanned before they can be invited.": "El usuario debe ser desbloqueado antes de poder ser invitado.", "The user must be unbanned before they can be invited.": "El usuario debe ser desbloqueado antes de poder ser invitado.",
"The user's homeserver does not support the version of the room.": "El servidor del usuario no soporta la versión de la sala.", "The user's homeserver does not support the version of the room.": "El servidor del usuario no soporta la versión de la sala.",
"Show read receipts sent by other users": "Mostrar las confirmaciones de lectura enviadas por otros usuarios",
"Show hidden events in timeline": "Mostrar eventos ocultos en la línea de tiempo", "Show hidden events in timeline": "Mostrar eventos ocultos en la línea de tiempo",
"Got It": "Entendido", "Got It": "Entendido",
"Scissors": "Tijeras", "Scissors": "Tijeras",
@ -737,7 +720,6 @@
"%(senderName)s placed a video call. (not supported by this browser)": "%(senderName)s hizo una llamada de vídeo (no soportada por este navegador)", "%(senderName)s placed a video call. (not supported by this browser)": "%(senderName)s hizo una llamada de vídeo (no soportada por este navegador)",
"%(name)s (%(userId)s)": "%(name)s (%(userId)s)", "%(name)s (%(userId)s)": "%(name)s (%(userId)s)",
"Match system theme": "Usar el mismo tema que el sistema", "Match system theme": "Usar el mismo tema que el sistema",
"Show previews/thumbnails for images": "Mostrar vistas previas para las imágenes",
"When rooms are upgraded": "Cuando las salas son actualizadas", "When rooms are upgraded": "Cuando las salas son actualizadas",
"My Ban List": "Mi lista de baneos", "My Ban List": "Mi lista de baneos",
"This is your list of users/servers you have blocked - don't leave the room!": "Esta es la lista de usuarios y/o servidores que has bloqueado. ¡No te salgas de la sala!", "This is your list of users/servers you have blocked - don't leave the room!": "Esta es la lista de usuarios y/o servidores que has bloqueado. ¡No te salgas de la sala!",
@ -886,7 +868,6 @@
"%(num)s hours from now": "dentro de %(num)s horas", "%(num)s hours from now": "dentro de %(num)s horas",
"about a day from now": "dentro de un día", "about a day from now": "dentro de un día",
"%(num)s days from now": "dentro de %(num)s días", "%(num)s days from now": "dentro de %(num)s días",
"Show typing notifications": "Mostrar un indicador cuando alguien más esté escribiendo en la sala",
"Never send encrypted messages to unverified sessions from this session": "No enviar nunca mensajes cifrados a sesiones sin verificar desde esta sesión", "Never send encrypted messages to unverified sessions from this session": "No enviar nunca mensajes cifrados a sesiones sin verificar desde esta sesión",
"Never send encrypted messages to unverified sessions in this room from this session": "No enviar nunca mensajes cifrados a sesiones sin verificar en esta sala desde esta sesión", "Never send encrypted messages to unverified sessions in this room from this session": "No enviar nunca mensajes cifrados a sesiones sin verificar en esta sala desde esta sesión",
"Enable message search in encrypted rooms": "Activar la búsqueda de mensajes en salas cifradas", "Enable message search in encrypted rooms": "Activar la búsqueda de mensajes en salas cifradas",
@ -978,7 +959,6 @@
"%(name)s (%(userId)s) signed in to a new session without verifying it:": "%(name)s (%(userId)s) inició una nueva sesión sin verificarla:", "%(name)s (%(userId)s) signed in to a new session without verifying it:": "%(name)s (%(userId)s) inició una nueva sesión sin verificarla:",
"Ask this user to verify their session, or manually verify it below.": "Pídele al usuario que verifique su sesión, o verifícala manualmente a continuación.", "Ask this user to verify their session, or manually verify it below.": "Pídele al usuario que verifique su sesión, o verifícala manualmente a continuación.",
"Not Trusted": "No es de confianza", "Not Trusted": "No es de confianza",
"Show shortcuts to recently viewed rooms above the room list": "Incluir encima de la lista de salas unos atajos a las últimas salas que hayas visto",
"Manually verify all remote sessions": "Verificar manualmente todas las sesiones remotas", "Manually verify all remote sessions": "Verificar manualmente todas las sesiones remotas",
"Cancelling…": "Anulando…", "Cancelling…": "Anulando…",
"Set up": "Configurar", "Set up": "Configurar",
@ -1572,7 +1552,6 @@
"Workspace: <networkLink/>": "Entorno de trabajo: <networkLink/>", "Workspace: <networkLink/>": "Entorno de trabajo: <networkLink/>",
"There was an error looking up the phone number": "Ha ocurrido un error al buscar el número de teléfono", "There was an error looking up the phone number": "Ha ocurrido un error al buscar el número de teléfono",
"Unable to look up phone number": "No se ha podido buscar el número de teléfono", "Unable to look up phone number": "No se ha podido buscar el número de teléfono",
"Show stickers button": "Incluir el botón de pegatinas",
"See emotes posted to this room": "Ver los emoticonos publicados en esta sala", "See emotes posted to this room": "Ver los emoticonos publicados en esta sala",
"Send emotes as you in this room": "Enviar emoticonos en tu nombre a esta sala", "Send emotes as you in this room": "Enviar emoticonos en tu nombre a esta sala",
"Send messages as you in this room": "Enviar mensajes en tu nombre a esta sala", "Send messages as you in this room": "Enviar mensajes en tu nombre a esta sala",
@ -1816,7 +1795,6 @@
"Send feedback": "Enviar comentarios", "Send feedback": "Enviar comentarios",
"Comment": "Comentario", "Comment": "Comentario",
"Feedback sent": "Comentarios enviados", "Feedback sent": "Comentarios enviados",
"There was an error finding this widget.": "Ha ocurrido un error al buscar este accesorio.",
"Active Widgets": "Accesorios activos", "Active Widgets": "Accesorios activos",
"This version of %(brand)s does not support viewing some encrypted files": "Esta versión de %(brand)s no permite ver algunos archivos cifrados", "This version of %(brand)s does not support viewing some encrypted files": "Esta versión de %(brand)s no permite ver algunos archivos cifrados",
"Use the <a>Desktop app</a> to search encrypted messages": "Usa la <a>aplicación de escritorio</a> para buscar en los mensajes cifrados", "Use the <a>Desktop app</a> to search encrypted messages": "Usa la <a>aplicación de escritorio</a> para buscar en los mensajes cifrados",
@ -1850,8 +1828,6 @@
"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",
"Use Ctrl + Enter to send a message": "Hacer que para enviar un mensaje haya que pulsar Control + Intro",
"Use Command + Enter to send a message": "Usa Comando + Intro para enviar un mensje",
"%(senderName)s ended the call": "%(senderName)s ha terminado la llamada", "%(senderName)s ended the call": "%(senderName)s ha terminado la llamada",
"You ended the call": "Has 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",
@ -2025,32 +2001,11 @@
"Start a conversation with someone using their name, email address or username (like <userId/>).": "Empieza una conversación con alguien usando su nombre, correo electrónico o nombre de usuario (como <userId/>).", "Start a conversation with someone using their name, email address or username (like <userId/>).": "Empieza una conversación con alguien usando su nombre, correo electrónico o nombre de usuario (como <userId/>).",
"See <b>%(msgtype)s</b> messages posted to your active room": "Ver mensajes de tipo <b>%(msgtype)s</b> enviados a tu sala activa", "See <b>%(msgtype)s</b> messages posted to your active room": "Ver mensajes de tipo <b>%(msgtype)s</b> enviados a tu sala activa",
"See <b>%(msgtype)s</b> messages posted to this room": "Ver mensajes de tipo <b>%(msgtype)s</b> enviados a esta sala", "See <b>%(msgtype)s</b> messages posted to this room": "Ver mensajes de tipo <b>%(msgtype)s</b> enviados a esta sala",
"Show chat effects (animations when receiving e.g. confetti)": "Mostrar efectos de chat (animaciones al recibir ciertos mensajes, como confeti)",
"Expand code blocks by default": "Expandir bloques de ćodigo por defecto",
"Show line numbers in code blocks": "Mostrar números de línea en bloques de ćodigo",
"This is the beginning of your direct message history with <displayName/>.": "Este es el inicio de tu historial de mensajes directos con <displayName/>.", "This is the beginning of your direct message history with <displayName/>.": "Este es el inicio de tu historial de mensajes directos con <displayName/>.",
"Recently visited rooms": "Salas visitadas recientemente", "Recently visited rooms": "Salas visitadas recientemente",
"PRO TIP: If you start a bug, please submit <debugLogsLink>debug logs</debugLogsLink> to help us track down the problem.": "CONSEJO: Si creas una incidencia, adjunta <debugLogsLink>tus registros de depuración</debugLogsLink> para ayudarnos a localizar el problema.", "PRO TIP: If you start a bug, please submit <debugLogsLink>debug logs</debugLogsLink> to help us track down the problem.": "CONSEJO: Si creas una incidencia, adjunta <debugLogsLink>tus registros de depuración</debugLogsLink> para ayudarnos a localizar el problema.",
"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>.",
"Values at explicit levels in this room:": "Valores a niveles explícitos en esta sala:",
"Values at explicit levels:": "Valores a niveles explícitos:",
"Value in this room:": "Valor en esta sala:",
"Value:": "Valor:",
"Save setting values": "Guardar valores de ajustes",
"Values at explicit levels in this room": "Valores a niveles explícitos en esta sala",
"Values at explicit levels": "Valores a niveles explícitos",
"Settable at room": "Establecible a nivel de sala",
"Settable at global": "Establecible globalmente",
"Level": "Nivel",
"Setting definition:": "Definición del ajuste:",
"This UI does NOT check the types of the values. Use at your own risk.": "Esta interfaz NO comprueba los tipos de dato de los valores. Usar bajo tu responsabilidad.",
"Caution:": "Precaución:",
"Setting:": "Ajuste:",
"Value in this room": "Valor en esta sala",
"Value": "Valor",
"Setting ID": "ID de ajuste",
"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.",
"Jump to the bottom of the timeline when you send a message": "Saltar abajo del todo al enviar un mensaje",
"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", "Already in call": "Ya en una llamada",
"Original event source": "Fuente original del evento", "Original event source": "Fuente original del evento",
@ -2144,7 +2099,6 @@
"other": "%(count)s personas que ya conoces se han unido" "other": "%(count)s personas que ya conoces se han unido"
}, },
"Invite to just this room": "Invitar solo a esta sala", "Invite to just this room": "Invitar solo a esta sala",
"Warn before quitting": "Pedir confirmación antes de salir",
"Manage & explore rooms": "Gestionar y explorar salas", "Manage & explore rooms": "Gestionar y explorar salas",
"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",
@ -2279,7 +2233,6 @@
"e.g. my-space": "ej.: mi-espacio", "e.g. my-space": "ej.: mi-espacio",
"Silence call": "Silenciar llamada", "Silence call": "Silenciar llamada",
"Sound on": "Sonido activado", "Sound on": "Sonido activado",
"Show all rooms in Home": "Incluir todas las salas en Inicio",
"%(senderName)s withdrew %(targetName)s's invitation": "%(senderName)s ha anulado la invitación a %(targetName)s", "%(senderName)s withdrew %(targetName)s's invitation": "%(senderName)s ha anulado la invitación a %(targetName)s",
"%(senderName)s withdrew %(targetName)s's invitation: %(reason)s": "%(senderName)s ha anulado la invitación a %(targetName)s: %(reason)s", "%(senderName)s withdrew %(targetName)s's invitation: %(reason)s": "%(senderName)s ha anulado la invitación a %(targetName)s: %(reason)s",
"%(targetName)s left the room": "%(targetName)s ha salido de la sala", "%(targetName)s left the room": "%(targetName)s ha salido de la sala",
@ -2328,7 +2281,6 @@
"An error occurred whilst saving your notification preferences.": "Ha ocurrido un error al guardar las tus preferencias de notificaciones.", "An error occurred whilst saving your notification preferences.": "Ha ocurrido un error al guardar las tus preferencias de notificaciones.",
"Error saving notification preferences": "Error al guardar las preferencias de notificaciones", "Error saving notification preferences": "Error al guardar las preferencias de notificaciones",
"Messages containing keywords": "Mensajes que contengan", "Messages containing keywords": "Mensajes que contengan",
"Use Command + F to search timeline": "Usa Control + F para buscar",
"Transfer Failed": "La transferencia ha fallado", "Transfer Failed": "La transferencia ha fallado",
"Unable to transfer call": "No se ha podido transferir la llamada", "Unable to transfer call": "No se ha podido transferir la llamada",
"Could not connect media": "No se ha podido conectar con los dispositivos multimedia", "Could not connect media": "No se ha podido conectar con los dispositivos multimedia",
@ -2340,7 +2292,6 @@
"An unknown error occurred": "Ha ocurrido un error desconocido", "An unknown error occurred": "Ha ocurrido un error desconocido",
"Connection failed": "Ha fallado la conexión", "Connection failed": "Ha fallado la conexión",
"Displaying time": "Fecha y hora", "Displaying time": "Fecha y hora",
"Use Ctrl + F to search timeline": "Activar el atajo Control + F, que permite buscar dentro de una conversación",
"<b>Please note upgrading will make a new version of the room</b>. All current messages will stay in this archived room.": "<b>Ten en cuenta que actualizar crea una nueva versión de la sala</b>. Todos los mensajes hasta ahora quedarán archivados aquí, en esta sala.", "<b>Please note upgrading will make a new version of the room</b>. All current messages will stay in this archived room.": "<b>Ten en cuenta que actualizar crea una nueva versión de la sala</b>. Todos los mensajes hasta ahora quedarán archivados aquí, en esta sala.",
"Automatically invite members from this room to the new one": "Invitar a la nueva sala automáticamente a los miembros que tiene ahora", "Automatically invite members from this room to the new one": "Invitar a la nueva sala automáticamente a los miembros que tiene ahora",
"These are likely ones other room admins are a part of.": "Otros administradores de la sala estarán dentro.", "These are likely ones other room admins are a part of.": "Otros administradores de la sala estarán dentro.",
@ -2376,7 +2327,6 @@
"Your camera is turned off": "Tu cámara está apagada", "Your camera is turned off": "Tu cámara está apagada",
"%(sharerName)s is presenting": "%(sharerName)s está presentando", "%(sharerName)s is presenting": "%(sharerName)s está presentando",
"You are presenting": "Estás presentando", "You are presenting": "Estás presentando",
"All rooms you're in will appear in Home.": "Elige si quieres que en Inicio aparezcan todas las salas a las que te hayas unido.",
"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",
@ -2442,8 +2392,6 @@
"Are you sure you want to add encryption to this public room?": "¿Seguro que quieres activar el cifrado en esta sala pública?", "Are you sure you want to add encryption to this public room?": "¿Seguro que quieres activar el cifrado en esta sala pública?",
"The above, but in any room you are joined or invited to as well": "Lo de arriba, pero en cualquier sala en la que estés o te inviten", "The above, but in any room you are joined or invited to as well": "Lo de arriba, pero en cualquier sala en la que estés o te inviten",
"The above, but in <Room /> as well": "Lo de arriba, pero también en <Room />", "The above, but in <Room /> as well": "Lo de arriba, pero también en <Room />",
"Autoplay videos": "Reproducir automáticamente los vídeos",
"Autoplay GIFs": "Reproducir automáticamente los GIFs",
"%(senderName)s pinned a message to this room. See all pinned messages.": "%(senderName)s ha fijado un mensaje en esta sala. Mira todos los mensajes fijados.", "%(senderName)s pinned a message to this room. See all pinned messages.": "%(senderName)s ha fijado un mensaje en esta sala. Mira todos los mensajes fijados.",
"%(senderName)s pinned <a>a message</a> to this room. See all <b>pinned messages</b>.": "%(senderName)s ha fijado <a>un mensaje</a> en esta sala. Mira todos los <b>mensajes fijados</b>.", "%(senderName)s pinned <a>a message</a> to this room. See all <b>pinned messages</b>.": "%(senderName)s ha fijado <a>un mensaje</a> en esta sala. Mira todos los <b>mensajes fijados</b>.",
"Some encryption parameters have been changed.": "Algunos parámetros del cifrado han cambiado.", "Some encryption parameters have been changed.": "Algunos parámetros del cifrado han cambiado.",
@ -2628,7 +2576,6 @@
"Pin to sidebar": "Fijar a la barra lateral", "Pin to sidebar": "Fijar a la barra lateral",
"Without verifying, you won't have access to all your messages and may appear as untrusted to others.": "Si decides no verificar, no tendrás acceso a todos tus mensajes y puede que le aparezcas a los demás como «no confiado».", "Without verifying, you won't have access to all your messages and may appear as untrusted to others.": "Si decides no verificar, no tendrás acceso a todos tus mensajes y puede que le aparezcas a los demás como «no confiado».",
"Toggle space panel": "Activar o desactivar el panel de espacio", "Toggle space panel": "Activar o desactivar el panel de espacio",
"Clear": "Borrar",
"Recent searches": "Búsquedas recientes", "Recent searches": "Búsquedas recientes",
"To search messages, look for this icon at the top of a room <icon/>": "Para buscar contenido de mensajes, usa este icono en la parte de arriba de una sala: <icon/>", "To search messages, look for this icon at the top of a room <icon/>": "Para buscar contenido de mensajes, usa este icono en la parte de arriba de una sala: <icon/>",
"Other searches": "Otras búsquedas", "Other searches": "Otras búsquedas",
@ -2714,7 +2661,6 @@
"Verify this device": "Verificar este dispositivo", "Verify this device": "Verificar este dispositivo",
"Open in OpenStreetMap": "Abrir en OpenStreetMap", "Open in OpenStreetMap": "Abrir en OpenStreetMap",
"Verify other device": "Verificar otro dispositivo", "Verify other device": "Verificar otro dispositivo",
"Edit setting": "Cambiar ajuste",
"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", "Send reactions": "Enviar reacciones",
@ -2722,7 +2668,6 @@
"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",
"Show join/leave messages (invites/removes/bans unaffected)": "Mostrar mensajes de entrada y salida de la sala (seguirás viendo invitaciones, gente quitada y vetos)",
"Room members": "Miembros de la sala", "Room members": "Miembros de la sala",
"Back to chat": "Volver a la conversación", "Back to chat": "Volver a la conversación",
"Remove, ban, or invite people to your active room, and make you leave": "Quitar, vetas o invitar personas a tu sala activa, y hacerte salir", "Remove, ban, or invite people to your active room, and make you leave": "Quitar, vetas o invitar personas a tu sala activa, y hacerte salir",
@ -2856,11 +2801,6 @@
"Search Dialog": "Ventana de búsqueda", "Search Dialog": "Ventana de búsqueda",
"Join %(roomAddress)s": "Unirte a %(roomAddress)s", "Join %(roomAddress)s": "Unirte a %(roomAddress)s",
"Export Cancelled": "Exportación cancelada", "Export Cancelled": "Exportación cancelada",
"<empty string>": "<texto vacío>",
"<%(count)s spaces>": {
"one": "<espacio>",
"other": "<%(count)s espacios>"
},
"Results are only revealed when you end the poll": "Los resultados se mostrarán cuando cierres la encuesta", "Results are only revealed when you end the poll": "Los resultados se mostrarán cuando cierres la encuesta",
"Voters see results as soon as they have voted": "Quienes voten podrán ver los resultados", "Voters see results as soon as they have voted": "Quienes voten podrán ver los resultados",
"Closed poll": "Encuesta cerrada", "Closed poll": "Encuesta cerrada",
@ -2887,7 +2827,6 @@
"other": "Confirma que quieres cerrar sesión de estos dispositivos usando Single Sign On para probar tu identidad." "other": "Confirma que quieres cerrar sesión de estos dispositivos usando Single Sign On para probar tu identidad."
}, },
"Automatically send debug logs when key backup is not functioning": "Enviar automáticamente los registros de depuración cuando la clave de respaldo no funcione", "Automatically send debug logs when key backup is not functioning": "Enviar automáticamente los registros de depuración cuando la clave de respaldo no funcione",
"Insert a trailing colon after user mentions at the start of a message": "Inserta automáticamente dos puntos después de las menciones que hagas al principio de los mensajes",
"Switches to this room's virtual room, if it has one": "Cambia a la sala virtual de esta sala, si tiene una", "Switches to this room's virtual room, if it has one": "Cambia a la sala virtual de esta sala, si tiene una",
"No virtual room for this room": "Esta sala no tiene una sala virtual", "No virtual room for this room": "Esta sala no tiene una sala virtual",
"Match system": "Usar el del sistema", "Match system": "Usar el del sistema",
@ -2934,36 +2873,13 @@
"one": "Borrando mensajes en %(count)s sala", "one": "Borrando mensajes en %(count)s sala",
"other": "Borrando mensajes en %(count)s salas" "other": "Borrando mensajes en %(count)s salas"
}, },
"Send custom state event": "Enviar evento de estado personalizado",
"Failed to send event!": "¡Fallo al enviar el evento!",
"Send custom account data event": "Enviar evento personalizado de cuenta de sala",
"Explore room account data": "Explorar datos de cuenta de la sala", "Explore room account data": "Explorar datos de cuenta de la sala",
"Explore room state": "Explorar estado de la sala", "Explore room state": "Explorar estado de la sala",
"Next recently visited room or space": "Siguiente sala o espacio visitado", "Next recently visited room or space": "Siguiente sala o espacio visitado",
"Previous recently visited room or space": "Anterior sala o espacio visitado", "Previous recently visited room or space": "Anterior sala o espacio visitado",
"Event ID: %(eventId)s": "ID del evento: %(eventId)s", "Event ID: %(eventId)s": "ID del evento: %(eventId)s",
"%(timeRemaining)s left": "Queda %(timeRemaining)s", "%(timeRemaining)s left": "Queda %(timeRemaining)s",
"No verification requests found": "Ninguna solicitud de verificación encontrada",
"Observe only": "Solo observar",
"Requester": "Solicitante",
"Methods": "Métodos",
"Timeout": "Tiempo de espera",
"Phase": "Fase",
"Transaction": "Transacción",
"Cancelled": "Cancelado",
"Started": "Empezado",
"Ready": "Listo",
"Requested": "Solicitado",
"Unsent": "No enviado", "Unsent": "No enviado",
"Edit values": "Editar valores",
"Failed to save settings.": "Fallo al guardar los ajustes.",
"Number of users": "Número de usuarios",
"Server": "Servidor",
"Server Versions": "Versiones de servidor",
"Client Versions": "Versiones de clientes",
"Failed to load.": "Fallo al cargar.",
"Capabilities": "Funcionalidades",
"Doesn't look like valid JSON.": "No parece ser JSON válido.",
"Room ID: %(roomId)s": "ID de la sala: %(roomId)s", "Room ID: %(roomId)s": "ID de la sala: %(roomId)s",
"Server info": "Info del servidor", "Server info": "Info del servidor",
"Settings explorer": "Explorar ajustes", "Settings explorer": "Explorar ajustes",
@ -2974,7 +2890,6 @@
"%(brand)s is experimental on a mobile web browser. For a better experience and the latest features, use our free native app.": "%(brand)s en navegadores para móviles está en prueba. Para una mejor experiencia y para poder usar las últimas funcionalidades, usa nuestra aplicación nativa gratuita.", "%(brand)s is experimental on a mobile web browser. For a better experience and the latest features, use our free native app.": "%(brand)s en navegadores para móviles está en prueba. Para una mejor experiencia y para poder usar las últimas funcionalidades, usa nuestra aplicación nativa gratuita.",
"%(brand)s was denied permission to fetch your location. Please allow location access in your browser settings.": "Se le han denegado a %(brand)s los permisos para acceder a tu ubicación. Por favor, permite acceso a tu ubicación en los ajustes de tu navegador.", "%(brand)s was denied permission to fetch your location. Please allow location access in your browser settings.": "Se le han denegado a %(brand)s los permisos para acceder a tu ubicación. Por favor, permite acceso a tu ubicación en los ajustes de tu navegador.",
"You can use the custom server options to sign into other Matrix servers by specifying a different homeserver URL. This allows you to use %(brand)s with an existing Matrix account on a different homeserver.": "Puedes usar la opción de servidor personalizado para iniciar sesión a otro servidor de Matrix, escribiendo una dirección URL de servidor base diferente. Esto te permite usar %(brand)s con una cuenta de Matrix que ya exista en otro servidor base.", "You can use the custom server options to sign into other Matrix servers by specifying a different homeserver URL. This allows you to use %(brand)s with an existing Matrix account on a different homeserver.": "Puedes usar la opción de servidor personalizado para iniciar sesión a otro servidor de Matrix, escribiendo una dirección URL de servidor base diferente. Esto te permite usar %(brand)s con una cuenta de Matrix que ya exista en otro servidor base.",
"Send custom room account data event": "Enviar evento personalizado de cuenta de la sala",
"Send custom timeline event": "Enviar evento personalizado de historial de mensajes", "Send custom timeline event": "Enviar evento personalizado de historial de mensajes",
"Help us identify issues and improve %(analyticsOwner)s by sharing anonymous usage data. To understand how people use multiple devices, we'll generate a random identifier, shared by your devices.": "Ayúdanos a identificar problemas y a mejorar %(analyticsOwner)s. Comparte datos anónimos sobre cómo usas la aplicación para que entendamos mejor cómo usa la gente varios dispositivos. Generaremos un identificador aleatorio que usarán todos tus dispositivos.", "Help us identify issues and improve %(analyticsOwner)s by sharing anonymous usage data. To understand how people use multiple devices, we'll generate a random identifier, shared by your devices.": "Ayúdanos a identificar problemas y a mejorar %(analyticsOwner)s. Comparte datos anónimos sobre cómo usas la aplicación para que entendamos mejor cómo usa la gente varios dispositivos. Generaremos un identificador aleatorio que usarán todos tus dispositivos.",
"Create room": "Crear sala", "Create room": "Crear sala",
@ -3064,7 +2979,6 @@
"Unmute microphone": "Activar micrófono", "Unmute microphone": "Activar micrófono",
"Mute microphone": "Silenciar micrófono", "Mute microphone": "Silenciar micrófono",
"Audio devices": "Dispositivos de audio", "Audio devices": "Dispositivos de audio",
"Enable Markdown": "Activar Markdown",
"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.",
@ -3105,7 +3019,6 @@
"Ignore user": "Ignorar usuario", "Ignore user": "Ignorar usuario",
"Failed to set direct message tag": "Fallo al poner la etiqueta al mensaje directo", "Failed to set direct message tag": "Fallo al poner la etiqueta al mensaje directo",
"Read receipts": "Acuses de recibo", "Read receipts": "Acuses de recibo",
"Enable hardware acceleration (restart %(appName)s to take effect)": "Activar aceleración por hardware (reinicia %(appName)s para que empiece a funcionar)",
"You were disconnected from the call. (Error: %(message)s)": "Te has desconectado de la llamada. (Error: %(message)s)", "You were disconnected from the call. (Error: %(message)s)": "Te has desconectado de la llamada. (Error: %(message)s)",
"Connection lost": "Conexión interrumpida", "Connection lost": "Conexión interrumpida",
"Deactivating your account is a permanent action — be careful!": "Desactivar tu cuenta es para siempre, ¡ten cuidado!", "Deactivating your account is a permanent action — be careful!": "Desactivar tu cuenta es para siempre, ¡ten cuidado!",
@ -3194,7 +3107,6 @@
"Download apps": "Descargar apps", "Download apps": "Descargar apps",
"Find people": "Encontrar gente", "Find people": "Encontrar gente",
"Find and invite your friends": "Encuentra e invita a tus amigos", "Find and invite your friends": "Encuentra e invita a tus amigos",
"Send read receipts": "Enviar acuses de recibo",
"Interactively verify by emoji": "Verificar interactivamente usando emojis", "Interactively verify by emoji": "Verificar interactivamente usando emojis",
"Manually verify by text": "Verificar manualmente usando un texto", "Manually verify by text": "Verificar manualmente usando un texto",
"Security recommendations": "Consejos de seguridad", "Security recommendations": "Consejos de seguridad",
@ -3396,12 +3308,6 @@
"Scan QR code": "Escanear código QR", "Scan QR code": "Escanear código QR",
"Loading live location…": "Cargando ubicación en tiempo real…", "Loading live location…": "Cargando ubicación en tiempo real…",
"Mute room": "Silenciar sala", "Mute room": "Silenciar sala",
"Sender: ": "Remitente: ",
"Type: ": "Tipo: ",
"ID: ": "ID: ",
"Total: ": "Total: ",
"Room is <strong>encrypted ✅</strong>": "La sala está <strong>cifrada ✅</strong>",
"Room status": "Estado de la sala",
"Fetching keys from server…": "Obteniendo claves del servidor…", "Fetching keys from server…": "Obteniendo claves del servidor…",
"Checking…": "Comprobando…", "Checking…": "Comprobando…",
"Processing…": "Procesando…", "Processing…": "Procesando…",
@ -3441,7 +3347,6 @@
"Creating…": "Creando…", "Creating…": "Creando…",
"Verify Session": "Verificar sesión", "Verify Session": "Verificar sesión",
"Ignore (%(counter)s)": "Ignorar (%(counter)s)", "Ignore (%(counter)s)": "Ignorar (%(counter)s)",
"Show NSFW content": "Mostrar contenido sensible (NSFW)",
"unknown": "desconocido", "unknown": "desconocido",
"Red": "Rojo", "Red": "Rojo",
"Grey": "Gris", "Grey": "Gris",
@ -3469,12 +3374,10 @@
"Homeserver is <code>%(homeserverUrl)s</code>": "El servidor base es <code>%(homeserverUrl)s</code>", "Homeserver is <code>%(homeserverUrl)s</code>": "El servidor base es <code>%(homeserverUrl)s</code>",
"Ended a poll": "Cerró una encuesta", "Ended a poll": "Cerró una encuesta",
"Unfortunately we're unable to start a recording right now. Please try again later.": "Lamentablemente, no hemos podido empezar a grabar ahora mismo. Inténtalo de nuevo más tarde.", "Unfortunately we're unable to start a recording right now. Please try again later.": "Lamentablemente, no hemos podido empezar a grabar ahora mismo. Inténtalo de nuevo más tarde.",
"Room is <strong>not encrypted 🚨</strong>": "La sala <strong>no está cifrada 🚨</strong>",
"Unable to connect to Homeserver. Retrying…": "No se ha podido conectar al servidor base. Reintentando…", "Unable to connect to Homeserver. Retrying…": "No se ha podido conectar al servidor base. Reintentando…",
"Keep going…": "Sigue…", "Keep going…": "Sigue…",
"If you know a room address, try joining through that instead.": "Si conoces la dirección de una sala, prueba a unirte a través de ella.", "If you know a room address, try joining through that instead.": "Si conoces la dirección de una sala, prueba a unirte a través de ella.",
"Requires your server to support the stable version of MSC3827": "Requiere que tu servidor sea compatible con la versión estable de MSC3827", "Requires your server to support the stable version of MSC3827": "Requiere que tu servidor sea compatible con la versión estable de MSC3827",
"Start messages with <code>/plain</code> to send without markdown.": "Empieza tu mensaje con <code>/plain</code> para enviarlo sin markdown.",
"Can currently only be enabled via config.json": "Ahora mismo solo se puede activar a través de config.json", "Can currently only be enabled via config.json": "Ahora mismo solo se puede activar a través de config.json",
"Log out and back in to disable": "Cierra sesión y vuélvela a abrir para desactivar", "Log out and back in to disable": "Cierra sesión y vuélvela a abrir para desactivar",
"This session is backing up your keys.": "", "This session is backing up your keys.": "",
@ -3584,7 +3487,9 @@
"android": "Android", "android": "Android",
"trusted": "De confianza", "trusted": "De confianza",
"not_trusted": "No de confianza", "not_trusted": "No de confianza",
"accessibility": "Accesibilidad" "accessibility": "Accesibilidad",
"capabilities": "Funcionalidades",
"server": "Servidor"
}, },
"action": { "action": {
"continue": "Continuar", "continue": "Continuar",
@ -3682,7 +3587,8 @@
"maximise": "Maximizar", "maximise": "Maximizar",
"mention": "Mencionar", "mention": "Mencionar",
"submit": "Enviar", "submit": "Enviar",
"send_report": "Enviar denuncia" "send_report": "Enviar denuncia",
"clear": "Borrar"
}, },
"a11y": { "a11y": {
"user_menu": "Menú del Usuario" "user_menu": "Menú del Usuario"
@ -3808,5 +3714,103 @@
"you_did_it": "¡Ya está!", "you_did_it": "¡Ya está!",
"complete_these": "Complétalos para sacar el máximo partido a %(brand)s", "complete_these": "Complétalos para sacar el máximo partido a %(brand)s",
"community_messaging_description": "Mantén el control de las conversaciones.\nCrece hasta tener millones de mensajes, con potente moderación e interoperabilidad." "community_messaging_description": "Mantén el control de las conversaciones.\nCrece hasta tener millones de mensajes, con potente moderación e interoperabilidad."
},
"devtools": {
"send_custom_account_data_event": "Enviar evento personalizado de cuenta de sala",
"send_custom_room_account_data_event": "Enviar evento personalizado de cuenta de la sala",
"event_type": "Tipo de Evento",
"state_key": "Clave de estado",
"invalid_json": "No parece ser JSON válido.",
"failed_to_send": "¡Fallo al enviar el evento!",
"event_sent": "Evento enviado!",
"event_content": "Contenido del Evento",
"room_status": "Estado de la sala",
"room_encrypted": "La sala está <strong>cifrada ✅</strong>",
"room_not_encrypted": "La sala <strong>no está cifrada 🚨</strong>",
"room_notifications_total": "Total: ",
"room_notifications_type": "Tipo: ",
"room_notifications_sender": "Remitente: ",
"spaces": {
"one": "<espacio>",
"other": "<%(count)s espacios>"
},
"empty_string": "<texto vacío>",
"id": "ID: ",
"send_custom_state_event": "Enviar evento de estado personalizado",
"failed_to_load": "Fallo al cargar.",
"client_versions": "Versiones de clientes",
"server_versions": "Versiones de servidor",
"number_of_users": "Número de usuarios",
"failed_to_save": "Fallo al guardar los ajustes.",
"save_setting_values": "Guardar valores de ajustes",
"setting_colon": "Ajuste:",
"caution_colon": "Precaución:",
"use_at_own_risk": "Esta interfaz NO comprueba los tipos de dato de los valores. Usar bajo tu responsabilidad.",
"setting_definition": "Definición del ajuste:",
"level": "Nivel",
"settable_global": "Establecible globalmente",
"settable_room": "Establecible a nivel de sala",
"values_explicit": "Valores a niveles explícitos",
"values_explicit_room": "Valores a niveles explícitos en esta sala",
"edit_values": "Editar valores",
"value_colon": "Valor:",
"value_this_room_colon": "Valor en esta sala:",
"values_explicit_colon": "Valores a niveles explícitos:",
"values_explicit_this_room_colon": "Valores a niveles explícitos en esta sala:",
"setting_id": "ID de ajuste",
"value": "Valor",
"value_in_this_room": "Valor en esta sala",
"edit_setting": "Cambiar ajuste",
"phase_requested": "Solicitado",
"phase_ready": "Listo",
"phase_started": "Empezado",
"phase_cancelled": "Cancelado",
"phase_transaction": "Transacción",
"phase": "Fase",
"timeout": "Tiempo de espera",
"methods": "Métodos",
"requester": "Solicitante",
"observe_only": "Solo observar",
"no_verification_requests_found": "Ninguna solicitud de verificación encontrada",
"failed_to_find_widget": "Ha ocurrido un error al buscar este accesorio."
},
"settings": {
"show_breadcrumbs": "Incluir encima de la lista de salas unos atajos a las últimas salas que hayas visto",
"all_rooms_home_description": "Elige si quieres que en Inicio aparezcan todas las salas a las que te hayas unido.",
"use_command_f_search": "Usa Control + F para buscar",
"use_control_f_search": "Activar el atajo Control + F, que permite buscar dentro de una conversación",
"use_12_hour_format": "Mostrar las horas con el modelo de 12 horas (ej.: 2:30pm)",
"always_show_message_timestamps": "Mostrar siempre la fecha y hora de envío junto a los mensajes",
"send_read_receipts": "Enviar acuses de recibo",
"send_typing_notifications": "Enviar notificaciones de tecleo",
"replace_plain_emoji": "Sustituir automáticamente caritas de texto por sus emojis equivalentes",
"enable_markdown": "Activar Markdown",
"emoji_autocomplete": "Sugerir emojis mientras escribes",
"use_command_enter_send_message": "Usa Comando + Intro para enviar un mensje",
"use_control_enter_send_message": "Hacer que para enviar un mensaje haya que pulsar Control + Intro",
"all_rooms_home": "Incluir todas las salas en Inicio",
"enable_markdown_description": "Empieza tu mensaje con <code>/plain</code> para enviarlo sin markdown.",
"show_stickers_button": "Incluir el botón de pegatinas",
"insert_trailing_colon_mentions": "Inserta automáticamente dos puntos después de las menciones que hagas al principio de los mensajes",
"automatic_language_detection_syntax_highlight": "Activar la detección automática del lenguajes de programación para resaltar su sintaxis",
"code_block_expand_default": "Expandir bloques de ćodigo por defecto",
"code_block_line_numbers": "Mostrar números de línea en bloques de ćodigo",
"inline_url_previews_default": "Activar la vista previa de URLs en línea por defecto",
"autoplay_gifs": "Reproducir automáticamente los GIFs",
"autoplay_videos": "Reproducir automáticamente los vídeos",
"image_thumbnails": "Mostrar vistas previas para las imágenes",
"show_typing_notifications": "Mostrar un indicador cuando alguien más esté escribiendo en la sala",
"show_redaction_placeholder": "Dejar un indicador cuando se borre un mensaje",
"show_read_receipts": "Mostrar las confirmaciones de lectura enviadas por otros usuarios",
"show_join_leave": "Mostrar mensajes de entrada y salida de la sala (seguirás viendo invitaciones, gente quitada y vetos)",
"show_displayname_changes": "Muestra cambios en los nombres",
"show_chat_effects": "Mostrar efectos de chat (animaciones al recibir ciertos mensajes, como confeti)",
"big_emoji": "Activar emojis grandes en el chat",
"jump_to_bottom_on_send": "Saltar abajo del todo al enviar un mensaje",
"show_nsfw_content": "Mostrar contenido sensible (NSFW)",
"prompt_invite": "Preguntarme antes de enviar invitaciones a IDs de matrix que no parezcan válidas",
"hardware_acceleration": "Activar aceleración por hardware (reinicia %(appName)s para que empiece a funcionar)",
"start_automatically": "Abrir automáticamente después de iniciar sesión en el sistema",
"warn_quit": "Pedir confirmación antes de salir"
} }
} }

View file

@ -24,8 +24,6 @@
"%(weekDayName)s %(time)s": "%(weekDayName)s %(time)s", "%(weekDayName)s %(time)s": "%(weekDayName)s %(time)s",
"Verify this session": "Verifitseeri see sessioon", "Verify this session": "Verifitseeri see sessioon",
"Ask this user to verify their session, or manually verify it below.": "Palu nimetatud kasutajal verifitseerida see sessioon või tee seda alljärgnevaga käsitsi.", "Ask this user to verify their session, or manually verify it below.": "Palu nimetatud kasutajal verifitseerida see sessioon või tee seda alljärgnevaga käsitsi.",
"Enable big emoji in chat": "Kasuta vestlustes suuri emoji'sid",
"Show shortcuts to recently viewed rooms above the room list": "Näita viimati külastatud jututubade viiteid jututubade loendi kohal",
"Enable message search in encrypted rooms": "Võta kasutusele sõnumite otsing krüptitud jututubades", "Enable message search in encrypted rooms": "Võta kasutusele sõnumite otsing krüptitud jututubades",
"When rooms are upgraded": "Kui jututubasid uuendatakse", "When rooms are upgraded": "Kui jututubasid uuendatakse",
"Verify this user by confirming the following emoji appear on their screen.": "Verifitseeri see kasutaja tehes kindlaks et järgnev emoji kuvatakse tema ekraanil.", "Verify this user by confirming the following emoji appear on their screen.": "Verifitseeri see kasutaja tehes kindlaks et järgnev emoji kuvatakse tema ekraanil.",
@ -229,7 +227,6 @@
"Historical": "Ammune", "Historical": "Ammune",
"System Alerts": "Süsteemi teated", "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",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "Näita ajatempleid 12-tunnises vormingus (näiteks 2:30pl)",
"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",
"Can't find this server or its room list": "Ei leia seda serverit ega tema jututubade loendit", "Can't find this server or its room list": "Ei leia seda serverit ega tema jututubade loendit",
@ -412,7 +409,6 @@
"This is a top-100 common password": "See on saja levinuima salasõna seas", "This is a top-100 common password": "See on saja levinuima salasõna seas",
"This is a very common password": "See on väga levinud salasõna", "This is a very common password": "See on väga levinud salasõna",
"This is similar to a commonly used password": "See on sarnane tavaliselt kasutatavatele salasõnadele", "This is similar to a commonly used password": "See on sarnane tavaliselt kasutatavatele salasõnadele",
"Show display name changes": "Näita kuvatava nime muutusi",
"Match system theme": "Kasuta süsteemset teemat", "Match system theme": "Kasuta süsteemset teemat",
"Messages containing my display name": "Sõnumid, mis sisaldavad minu kuvatavat nime", "Messages containing my display name": "Sõnumid, mis sisaldavad minu kuvatavat nime",
"No display name": "Kuvatav nimi puudub", "No display name": "Kuvatav nimi puudub",
@ -438,19 +434,13 @@
"Start verification again from their profile.": "Alusta verifitseerimist uuesti nende profiilist.", "Start verification again from their profile.": "Alusta verifitseerimist uuesti nende profiilist.",
"Unable to find profiles for the Matrix IDs listed below - would you like to invite them anyway?": "Allpool loetletud Matrix'i kasutajatunnustele ei leidunud profiile. Kas sa ikkagi tahaksid neile kutse saata?", "Unable to find profiles for the Matrix IDs listed below - would you like to invite them anyway?": "Allpool loetletud Matrix'i kasutajatunnustele ei leidunud profiile. Kas sa ikkagi tahaksid neile kutse saata?",
"Could not load user profile": "Kasutajaprofiili laadimine ei õnnestunud", "Could not load user profile": "Kasutajaprofiili laadimine ei õnnestunud",
"Send typing notifications": "Anna märku teisele osapoolele, kui mina sõnumit kirjutan",
"Show typing notifications": "Anna märku, kui teine osapool sõnumit kirjutab",
"Automatically replace plain text Emoji": "Automaatelt asenda vormindamata tekst emotikoniga",
"Mirror local video feed": "Peegelda kohalikku videovoogu", "Mirror local video feed": "Peegelda kohalikku videovoogu",
"Send analytics data": "Saada arendajatele analüütikat", "Send analytics data": "Saada arendajatele analüütikat",
"Enable inline URL previews by default": "Luba URL'ide vaikimisi eelvaated",
"Enable URL previews for this room (only affects you)": "Luba URL'ide eelvaated selle jututoa jaoks (mõjutab vaid sind)", "Enable URL previews for this room (only affects you)": "Luba URL'ide eelvaated selle jututoa jaoks (mõjutab vaid sind)",
"Enable URL previews by default for participants in this room": "Luba URL'ide vaikimisi eelvaated selles jututoas osalejate jaoks", "Enable URL previews by default for participants in this room": "Luba URL'ide vaikimisi eelvaated selles jututoas osalejate jaoks",
"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",
"Prompt before sending invites to potentially invalid matrix IDs": "Hoiata enne kutse saatmist võimalikule vigasele Matrix'i kasutajatunnusele",
"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",
"Show previews/thumbnails for images": "Näita piltide eelvaateid või väikepilte",
"Collecting logs": "Kogun logisid", "Collecting logs": "Kogun logisid",
"Waiting for response from server": "Ootan serverilt vastust", "Waiting for response from server": "Ootan serverilt vastust",
"Messages containing my username": "Sõnumid, mis sisaldavad minu kasutajatunnust", "Messages containing my username": "Sõnumid, mis sisaldavad minu kasutajatunnust",
@ -467,10 +457,6 @@
"You have <a>disabled</a> URL previews by default.": "Vaikimisi oled URL'ide eelvaated <a>lülitanud välja</a>.", "You have <a>disabled</a> URL previews by default.": "Vaikimisi oled URL'ide eelvaated <a>lülitanud välja</a>.",
"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.",
"Enable Emoji suggestions while typing": "Näita kirjutamise ajal emoji-soovitusi",
"Show a placeholder for removed messages": "Näita kustutatud sõnumite asemel kohatäidet",
"Show read receipts sent by other users": "Näita teiste kasutajate lugemisteatiseid",
"Always show message timestamps": "Alati näita sõnumite ajatempleid",
"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", "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.",
@ -761,7 +747,6 @@
"<b>Warning</b>: you should only set up key backup from a trusted computer.": "<b>Hoiatus</b>: sa peaksid võtmete varunduse seadistama vaid usaldusväärsest arvutist.", "<b>Warning</b>: you should only set up key backup from a trusted computer.": "<b>Hoiatus</b>: sa peaksid võtmete varunduse seadistama vaid usaldusväärsest arvutist.",
"eg: @bot:* or example.org": "näiteks: @bot:* või example.org", "eg: @bot:* or example.org": "näiteks: @bot:* või example.org",
"Subscribed lists": "Tellitud loendid", "Subscribed lists": "Tellitud loendid",
"Start automatically after system login": "Käivita Element automaatselt peale arvutisse sisselogimist",
"Always show the window menu bar": "Näita aknas alati menüüriba", "Always show the window menu bar": "Näita aknas alati menüüriba",
"Room list": "Jututubade loend", "Room list": "Jututubade loend",
"Autocomplete delay (ms)": "Viivitus automaatsel sõnalõpetusel (ms)", "Autocomplete delay (ms)": "Viivitus automaatsel sõnalõpetusel (ms)",
@ -912,7 +897,6 @@
"Straight rows of keys are easy to guess": "Klaviatuuril järjest paiknevaid klahvikombinatsioone on lihtne ära arvata", "Straight rows of keys are easy to guess": "Klaviatuuril järjest paiknevaid klahvikombinatsioone on lihtne ära arvata",
"Please contact your homeserver administrator.": "Palun võta ühendust koduserveri haldajaga.", "Please contact your homeserver administrator.": "Palun võta ühendust koduserveri haldajaga.",
"Font size": "Fontide suurus", "Font size": "Fontide suurus",
"Enable automatic language detection for syntax highlighting": "Kasuta süntaksi esiletõstmisel automaatset keeletuvastust",
"Cross-signing private keys:": "Privaatvõtmed risttunnustamise jaoks:", "Cross-signing private keys:": "Privaatvõtmed risttunnustamise jaoks:",
"Checking server": "Kontrollin serverit", "Checking server": "Kontrollin serverit",
"Change identity server": "Muuda isikutuvastusserverit", "Change identity server": "Muuda isikutuvastusserverit",
@ -956,10 +940,6 @@
"If you have previously used a more recent version of %(brand)s, your session may be incompatible with this version. Close this window and return to the more recent version.": "Kui sa varem oled kasutanud uuemat %(brand)s'i versiooni, siis sinu pragune sessioon ei pruugi olla sellega ühilduv. Sulge see aken ja jätka selle uuema versiooni kasutamist.", "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.": "Kui sa varem oled kasutanud uuemat %(brand)s'i versiooni, siis sinu pragune sessioon ei pruugi olla sellega ühilduv. Sulge see aken ja jätka selle uuema versiooni kasutamist.",
"Clearing your browser's storage may fix the problem, but will sign you out and cause any encrypted chat history to become unreadable.": "Brauseri andmeruumi tühjendamine võib selle vea lahendada, kui samas logid sa ka välja ning kogu krüptitud vestlusajalugu muutub loetamatuks.", "Clearing your browser's storage may fix the problem, but will sign you out and cause any encrypted chat history to become unreadable.": "Brauseri andmeruumi tühjendamine võib selle vea lahendada, kui samas logid sa ka välja ning kogu krüptitud vestlusajalugu muutub loetamatuks.",
"Verification Pending": "Verifikatsioon on ootel", "Verification Pending": "Verifikatsioon on ootel",
"Event sent!": "Sündmus on saadetud!",
"Event Type": "Sündmuse tüüp",
"State Key": "Oleku võti",
"Event Content": "Sündmuse sisu",
"Toolbox": "Töövahendid", "Toolbox": "Töövahendid",
"Developer Tools": "Arendusvahendid", "Developer Tools": "Arendusvahendid",
"An error has occurred.": "Tekkis viga.", "An error has occurred.": "Tekkis viga.",
@ -1873,7 +1853,6 @@
}, },
"This widget would like to:": "See vidin sooviks:", "This widget would like to:": "See vidin sooviks:",
"Approve widget permissions": "Anna vidinale õigused", "Approve widget permissions": "Anna vidinale õigused",
"Use Ctrl + Enter to send a message": "Sõnumi saatmiseks vajuta Ctrl + Enter",
"Decline All": "Keeldu kõigist", "Decline All": "Keeldu kõigist",
"Remain on your screen when viewing another room, when running": "Kui vaatad mõnda teist jututuba, siis jää oma ekraanivaate juurde", "Remain on your screen when viewing another room, when running": "Kui vaatad mõnda teist jututuba, siis jää oma ekraanivaate juurde",
"Remain on your screen while running": "Jää oma ekraanivaate juurde", "Remain on your screen while running": "Jää oma ekraanivaate juurde",
@ -1913,7 +1892,6 @@
"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", "Return to call": "Pöördu tagasi kõne juurde",
"Use Command + Enter to send a message": "Sõnumi saatmiseks vajuta Command + Enter klahve",
"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",
@ -1988,7 +1966,6 @@
"Transfer": "Suuna kõne edasi", "Transfer": "Suuna kõne edasi",
"Failed to transfer call": "Kõne edasisuunamine ei õnnestunud", "Failed to transfer call": "Kõne edasisuunamine ei õnnestunud",
"A call can only be transferred to a single user.": "Kõnet on võimalik edasi suunata vaid ühele kasutajale.", "A call can only be transferred to a single user.": "Kõnet on võimalik edasi suunata vaid ühele kasutajale.",
"There was an error finding this widget.": "Selle vidina leidmisel tekkis viga.",
"Active Widgets": "Kasutusel vidinad", "Active Widgets": "Kasutusel vidinad",
"Open dial pad": "Ava numbriklahvistik", "Open dial pad": "Ava numbriklahvistik",
"Dial pad": "Numbriklahvistik", "Dial pad": "Numbriklahvistik",
@ -2029,28 +2006,7 @@
"Use app": "Kasuta rakendust", "Use app": "Kasuta rakendust",
"We asked the browser to remember which homeserver you use to let you sign in, but unfortunately your browser has forgotten it. Go to the sign in page and try again.": "Me sättisime nii, et sinu veebibrauser jätaks järgmiseks sisselogimiseks meelde sinu koduserveri, kuid kahjuks on ta selle unustanud. Palun mine sisselogimise lehele ja proovi uuesti.", "We asked the browser to remember which homeserver you use to let you sign in, but unfortunately your browser has forgotten it. Go to the sign in page and try again.": "Me sättisime nii, et sinu veebibrauser jätaks järgmiseks sisselogimiseks meelde sinu koduserveri, kuid kahjuks on ta selle unustanud. Palun mine sisselogimise lehele ja proovi uuesti.",
"We couldn't log you in": "Meil ei õnnestunud sind sisse logida", "We couldn't log you in": "Meil ei õnnestunud sind sisse logida",
"Show stickers button": "Näita kleepsude nuppu",
"Show line numbers in code blocks": "Näita koodiblokkides reanumbreid",
"Expand code blocks by default": "Vaikimisi kuva koodiblokid tervikuna",
"Recently visited rooms": "Hiljuti külastatud jututoad", "Recently visited rooms": "Hiljuti külastatud jututoad",
"Values at explicit levels in this room:": "Väärtused konkreetsel tasemel selles jututoas:",
"Values at explicit levels:": "Väärtused konkreetsel tasemel:",
"Value in this room:": "Väärtus selles jututoas:",
"Value:": "Väärtus:",
"Save setting values": "Salvesta seadistuste väärtused",
"Values at explicit levels in this room": "Väärtused konkreetsel tasemel selles jututoas",
"Values at explicit levels": "Väärtused konkreetsel tasemel",
"Settable at room": "Seadistatav jututoa-kohaselt",
"Settable at global": "Seadistatav üldiselt",
"Level": "Tase",
"Setting definition:": "Seadistuse määratlus:",
"This UI does NOT check the types of the values. Use at your own risk.": "See kasutajaliides ei oska kontrollida väärtuste tüüpi ja vormingut. Muudatusi teed omal vastutusel.",
"Caution:": "Hoiatus:",
"Setting:": "Seadistus:",
"Value in this room": "Väärtus selles jututoas",
"Value": "Väärtus",
"Setting ID": "Seadistuse tunnus",
"Show chat effects (animations when receiving e.g. confetti)": "Näita vestluses edevat graafikat (näiteks kui keegi on saatnud serpentiine)",
"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.", "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", "Already in call": "Kõne on juba pooleli",
@ -2090,7 +2046,6 @@
"Invite only, best for yourself or teams": "Liitumine vaid kutse alusel, sobib sulle ja sinu lähematele kaaslastele", "Invite only, best for yourself or teams": "Liitumine vaid kutse alusel, sobib sulle ja sinu lähematele kaaslastele",
"Open space for anyone, best for communities": "Avaliku ligipääsuga kogukonnakeskus", "Open space for anyone, best for communities": "Avaliku ligipääsuga kogukonnakeskus",
"Create a space": "Loo kogukonnakeskus", "Create a space": "Loo kogukonnakeskus",
"Jump to the bottom of the timeline when you send a message": "Sõnumi saatmiseks hüppa ajajoone lõppu",
"%(count)s members": { "%(count)s members": {
"other": "%(count)s liiget", "other": "%(count)s liiget",
"one": "%(count)s liige" "one": "%(count)s liige"
@ -2136,7 +2091,6 @@
"A private space to organise your rooms": "Privaatne kogukonnakeskus jututubade koondamiseks", "A private space to organise your rooms": "Privaatne kogukonnakeskus jututubade koondamiseks",
"Make sure the right people have access. You can invite more later.": "Kontrolli, et vajalikel inimestel oleks siia ligipääs. Teistele võid kutse saata ka hiljem.", "Make sure the right people have access. You can invite more later.": "Kontrolli, et vajalikel inimestel oleks siia ligipääs. Teistele võid kutse saata ka hiljem.",
"Manage & explore rooms": "Halda ja uuri jututubasid", "Manage & explore rooms": "Halda ja uuri jututubasid",
"Warn before quitting": "Hoiata enne rakenduse töö lõpetamist",
"Invite to just this room": "Kutsi vaid siia jututuppa", "Invite to just this room": "Kutsi vaid siia jututuppa",
"Sends the given message as a spoiler": "Saadab selle sõnumi rõõmurikkujana", "Sends the given message as a spoiler": "Saadab selle sõnumi rõõmurikkujana",
"unknown person": "tundmatu isik", "unknown person": "tundmatu isik",
@ -2267,7 +2221,6 @@
"Allow people to preview your space before they join.": "Luba huvilistel enne liitumist näha kogukonnakeskuse eelvaadet.", "Allow people to preview your space before they join.": "Luba huvilistel enne liitumist näha kogukonnakeskuse eelvaadet.",
"Preview Space": "Kogukonnakeskuse eelvaade", "Preview Space": "Kogukonnakeskuse eelvaade",
"Decide who can view and join %(spaceName)s.": "Otsusta kes saada näha ja liituda %(spaceName)s kogukonnaga.", "Decide who can view and join %(spaceName)s.": "Otsusta kes saada näha ja liituda %(spaceName)s kogukonnaga.",
"Show all rooms in Home": "Näita kõiki jututubasid avalehel",
"Set addresses for this space so users can find this space through your homeserver (%(localDomain)s)": "Selleks et teised kasutajad saaks seda kogukonda leida oma koduserveri kaudu (%(localDomain)s) seadista talle aadressid", "Set addresses for this space so users can find this space through your homeserver (%(localDomain)s)": "Selleks et teised kasutajad saaks seda kogukonda leida oma koduserveri kaudu (%(localDomain)s) seadista talle aadressid",
"%(oneUser)schanged the server ACLs %(count)s times": { "%(oneUser)schanged the server ACLs %(count)s times": {
"one": "%(oneUser)s kasutaja muutis serveri pääsuloendit", "one": "%(oneUser)s kasutaja muutis serveri pääsuloendit",
@ -2314,8 +2267,6 @@
"Could not connect to identity server": "Ei saanud ühendust isikutuvastusserveriga", "Could not connect to identity server": "Ei saanud ühendust isikutuvastusserveriga",
"Not a valid identity server (status code %(code)s)": "See ei ole sobilik isikutuvastusserver (staatuskood %(code)s)", "Not a valid identity server (status code %(code)s)": "See ei ole sobilik isikutuvastusserver (staatuskood %(code)s)",
"Identity server URL must be HTTPS": "Isikutuvastusserveri URL peab kasutama HTTPS-protokolli", "Identity server URL must be HTTPS": "Isikutuvastusserveri URL peab kasutama HTTPS-protokolli",
"Use Command + F to search timeline": "Ajajoonelt otsimiseks kasuta Command+F klahve",
"Use Ctrl + F to search timeline": "Ajajoonelt otsimiseks kasuta Ctrl+F klahve",
"Keyboard shortcuts": "Kiirklahvid", "Keyboard shortcuts": "Kiirklahvid",
"User Directory": "Kasutajate kataloog", "User Directory": "Kasutajate kataloog",
"Unable to copy room link": "Jututoa lingi kopeerimine ei õnnestu", "Unable to copy room link": "Jututoa lingi kopeerimine ei õnnestu",
@ -2366,7 +2317,6 @@
"Anyone will be able to find and join this room.": "Kõik saavad seda jututuba leida ja temaga liituda.", "Anyone will be able to find and join this room.": "Kõik saavad seda jututuba leida ja temaga liituda.",
"Leave %(spaceName)s": "Lahku %(spaceName)s kogukonnakeskusest", "Leave %(spaceName)s": "Lahku %(spaceName)s kogukonnakeskusest",
"Decrypting": "Dekrüptin sisu", "Decrypting": "Dekrüptin sisu",
"All rooms you're in will appear in Home.": "Kõik sinu jututoad on nähtavad avalehel.",
"Show all rooms": "Näita kõiki jututubasid", "Show all rooms": "Näita kõiki jututubasid",
"Search %(spaceName)s": "Otsi %(spaceName)s kogukonnast", "Search %(spaceName)s": "Otsi %(spaceName)s kogukonnast",
"You won't be able to rejoin unless you are re-invited.": "Ilma uue kutseta sa ei saa uuesti liituda.", "You won't be able to rejoin unless you are re-invited.": "Ilma uue kutseta sa ei saa uuesti liituda.",
@ -2438,8 +2388,6 @@
"Are you sure you want to add encryption to this public room?": "Kas sa oled kindel, et soovid selles avalikus jututoas kasutada krüptimist?", "Are you sure you want to add encryption to this public room?": "Kas sa oled kindel, et soovid selles avalikus jututoas kasutada krüptimist?",
"Message bubbles": "Jutumullid", "Message bubbles": "Jutumullid",
"Surround selected text when typing special characters": "Erimärkide sisestamisel märgista valitud tekst", "Surround selected text when typing special characters": "Erimärkide sisestamisel märgista valitud tekst",
"Autoplay videos": "Esita automaatselt videosid",
"Autoplay GIFs": "Esita automaatselt liikuvaid pilte",
"The above, but in any room you are joined or invited to as well": "Ülaltoodu, aga samuti igas jututoas, millega oled liitunud või kuhu oled kutsutud", "The above, but in any room you are joined or invited to as well": "Ülaltoodu, aga samuti igas jututoas, millega oled liitunud või kuhu oled kutsutud",
"The above, but in <Room /> as well": "Ülaltoodu, aga samuti <Room /> jututoas", "The above, but in <Room /> as well": "Ülaltoodu, aga samuti <Room /> jututoas",
"%(senderName)s unpinned a message from this room. See all pinned messages.": "%(senderName)s eemaldas siin jututoas klammerduse ühelt sõnumilt. Vaata kõiki klammerdatud sõnumeid.", "%(senderName)s unpinned a message from this room. See all pinned messages.": "%(senderName)s eemaldas siin jututoas klammerduse ühelt sõnumilt. Vaata kõiki klammerdatud sõnumeid.",
@ -2647,7 +2595,6 @@
"Pin to sidebar": "Kinnita külgpaanile", "Pin to sidebar": "Kinnita külgpaanile",
"Quick settings": "Kiirseadistused", "Quick settings": "Kiirseadistused",
"Spaces you know that contain this space": "Sulle teadaolevad kogukonnakeskused, millesse kuulub see kogukond", "Spaces you know that contain this space": "Sulle teadaolevad kogukonnakeskused, millesse kuulub see kogukond",
"Clear": "Eemalda",
"You may contact me if you want to follow up or to let me test out upcoming ideas": "Võid minuga ühendust võtta, kui soovid jätkata mõttevahetust või lasta mul tulevasi ideid katsetada", "You may contact me if you want to follow up or to let me test out upcoming ideas": "Võid minuga ühendust võtta, kui soovid jätkata mõttevahetust või lasta mul tulevasi ideid katsetada",
"Home options": "Avalehe valikud", "Home options": "Avalehe valikud",
"%(spaceName)s menu": "%(spaceName)s menüü", "%(spaceName)s menu": "%(spaceName)s menüü",
@ -2735,7 +2682,6 @@
"Back to chat": "Tagasi vestluse manu", "Back to chat": "Tagasi vestluse manu",
"Verify this device by confirming the following number appears on its screen.": "Verifitseeri see seade tehes kindlaks, et järgnev number kuvatakse tema ekraanil.", "Verify this device by confirming the following number appears on its screen.": "Verifitseeri see seade tehes kindlaks, et järgnev number kuvatakse tema ekraanil.",
"Confirm the emoji below are displayed on both devices, in the same order:": "Kontrolli, et allpool näidatud emoji'd on kuvatud mõlemas seadmes samas järjekorras:", "Confirm the emoji below are displayed on both devices, in the same order:": "Kontrolli, et allpool näidatud emoji'd on kuvatud mõlemas seadmes samas järjekorras:",
"Edit setting": "Muuda seadistust",
"Your new device is now verified. Other users will see it as trusted.": "Sinu uus seade on nüüd verifitseeritud. Teiste kasutajate jaoks on ta usaldusväärne.", "Your new device is now verified. Other users will see it as trusted.": "Sinu uus seade on nüüd verifitseeritud. Teiste kasutajate jaoks on ta usaldusväärne.",
"Your new device is now verified. It has access to your encrypted messages, and other users will see it as trusted.": "Sinu uus seade on nüüd verifitseeritud. Selles seadmes saad lugeda oma krüptitud sõnumeid ja teiste kasutajate jaoks on ta usaldusväärne.", "Your new device is now verified. It has access to your encrypted messages, and other users will see it as trusted.": "Sinu uus seade on nüüd verifitseeritud. Selles seadmes saad lugeda oma krüptitud sõnumeid ja teiste kasutajate jaoks on ta usaldusväärne.",
"Verify with another device": "Verifitseeri teise seadmega", "Verify with another device": "Verifitseeri teise seadmega",
@ -2781,7 +2727,6 @@
"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 users": "Eemalda kasutajaid",
"Show join/leave messages (invites/removes/bans unaffected)": "Näita jututubade liitumise ja lahkumise teateid (ei käi kutsete, müksamiste ja keelamiste kohta)",
"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",
"%(senderName)s removed %(targetName)s": "%(senderName)s eemaldas kasutaja %(targetName)s", "%(senderName)s removed %(targetName)s": "%(senderName)s eemaldas kasutaja %(targetName)s",
@ -2862,10 +2807,6 @@
"other": "%(severalUsers)s kustutasid %(count)s sõnumit" "other": "%(severalUsers)s kustutasid %(count)s sõnumit"
}, },
"Automatically send debug logs when key backup is not functioning": "Kui krüptovõtmete varundus ei toimi, siis automaatselt saada silumislogid arendajatele", "Automatically send debug logs when key backup is not functioning": "Kui krüptovõtmete varundus ei toimi, siis automaatselt saada silumislogid arendajatele",
"<%(count)s spaces>": {
"other": "<%(count)s kogukonda>",
"one": "<kogukond>"
},
"Can't edit poll": "Küsimustikku ei saa muuta", "Can't edit poll": "Küsimustikku ei saa muuta",
"Sorry, you can't edit a poll after votes have been cast.": "Vabandust, aga küsimustikku ei saa enam peale hääletamise lõppu muuta.", "Sorry, you can't edit a poll after votes have been cast.": "Vabandust, aga küsimustikku ei saa enam peale hääletamise lõppu muuta.",
"Edit poll": "Muuda küsitlust", "Edit poll": "Muuda küsitlust",
@ -2898,7 +2839,6 @@
"%(brand)s could not send your location. Please try again later.": "%(brand)s ei saanud sinu asukohta edastada. Palun proovi hiljem uuesti.", "%(brand)s could not send your location. Please try again later.": "%(brand)s ei saanud sinu asukohta edastada. Palun proovi hiljem uuesti.",
"We couldn't send your location": "Sinu asukoha saatmine ei õnnestunud", "We couldn't send your location": "Sinu asukoha saatmine ei õnnestunud",
"Pinned": "Klammerdatud", "Pinned": "Klammerdatud",
"Insert a trailing colon after user mentions at the start of a message": "Mainimiste järel näita sõnumi alguses koolonit",
"Show polls button": "Näita küsitluste nuppu", "Show polls button": "Näita küsitluste nuppu",
"No virtual room for this room": "Sellel jututoal pole virtuaalset olekut", "No virtual room for this room": "Sellel jututoal pole virtuaalset olekut",
"Switches to this room's virtual room, if it has one": "Kui jututoal on virtuaalne olek, siis kasuta seda", "Switches to this room's virtual room, if it has one": "Kui jututoal on virtuaalne olek, siis kasuta seda",
@ -2936,31 +2876,7 @@
"Next recently visited room or space": "Järgmine viimati külastatud jututuba või kogukond", "Next recently visited room or space": "Järgmine viimati külastatud jututuba või kogukond",
"Previous recently visited room or space": "Eelmine viimati külastatud jututuba või kogukond", "Previous recently visited room or space": "Eelmine viimati külastatud jututuba või kogukond",
"Event ID: %(eventId)s": "Sündmuse tunnus: %(eventId)s", "Event ID: %(eventId)s": "Sündmuse tunnus: %(eventId)s",
"No verification requests found": "Verifitseerimispäringuid ei leidu",
"Observe only": "Ainult vaatle",
"Requester": "Päringu tegija",
"Methods": "Meetodid",
"Timeout": "Aegumine",
"Phase": "Faas",
"Transaction": "Transaktsioon",
"Cancelled": "Katkestatud",
"Started": "Alustatud",
"Ready": "Valmis",
"Requested": "Päring tehtud",
"Unsent": "Saatmata", "Unsent": "Saatmata",
"Edit values": "Muuda väärtusi",
"Failed to save settings.": "Seadistuste salvestamine ei õnnestunud.",
"Number of users": "Kasutajate arv",
"Server": "Server",
"Server Versions": "Serveri versioonid",
"Client Versions": "Klientrakenduste versioonid",
"Failed to load.": "Laadimine ei õnnestunud.",
"Capabilities": "Funktsionaalsused ja võimed",
"Send custom state event": "Saada kohandatud olekusündmus",
"Failed to send event!": "Päringu või sündmuse saatmine ei õnnestunud!",
"Doesn't look like valid JSON.": "See ei tundu olema korrektse json-andmestikuna.",
"Send custom room account data event": "Saada kohandatud jututoa kontoandmete päring",
"Send custom account data event": "Saada kohandatud kontoandmete päring",
"Room ID: %(roomId)s": "Jututoa tunnus: %(roomId)s", "Room ID: %(roomId)s": "Jututoa tunnus: %(roomId)s",
"Server info": "Serveri teave", "Server info": "Serveri teave",
"Settings explorer": "Seadistuste haldur", "Settings explorer": "Seadistuste haldur",
@ -2976,7 +2892,6 @@
"%(brand)s was denied permission to fetch your location. Please allow location access in your browser settings.": "%(brand)s ei saanud asukohta tuvastada. Palun luba vastavad õigused brauseri seadistustes.", "%(brand)s was denied permission to fetch your location. Please allow location access in your browser settings.": "%(brand)s ei saanud asukohta tuvastada. Palun luba vastavad õigused brauseri seadistustes.",
"%(brand)s is experimental on a mobile web browser. For a better experience and the latest features, use our free native app.": "%(brand)s toimib nutiseadme veebibrauseris kastseliselt. Parima kasutajakogemuse ja uusima funktsionaalsuse jaoks kasuta meie rakendust.", "%(brand)s is experimental on a mobile web browser. For a better experience and the latest features, use our free native app.": "%(brand)s toimib nutiseadme veebibrauseris kastseliselt. Parima kasutajakogemuse ja uusima funktsionaalsuse jaoks kasuta meie rakendust.",
"Force complete": "Sunni lõpetama", "Force complete": "Sunni lõpetama",
"<empty string>": "<tühi string>",
"%(errcode)s was returned while trying to access the room or space. If you think you're seeing this message in error, please <issueLink>submit a bug report</issueLink>.": "Astumisel jututuppa või liitumisel kogukonnaga tekkis viga %(errcode)s. Kui sa arvad, et sellise põhjusega viga ei tohiks tekkida, siis palun <issueLink>koosta veateade</issueLink>.", "%(errcode)s was returned while trying to access the room or space. If you think you're seeing this message in error, please <issueLink>submit a bug report</issueLink>.": "Astumisel jututuppa või liitumisel kogukonnaga tekkis viga %(errcode)s. Kui sa arvad, et sellise põhjusega viga ei tohiks tekkida, siis palun <issueLink>koosta veateade</issueLink>.",
"Try again later, or ask a room or space admin to check if you have access.": "Proovi hiljem uuesti või küsi jututoa või kogukonna haldurilt, kas sul on ligipääs olemas.", "Try again later, or ask a room or space admin to check if you have access.": "Proovi hiljem uuesti või küsi jututoa või kogukonna haldurilt, kas sul on ligipääs olemas.",
"This room or space is not accessible at this time.": "See jututuba või kogukond pole hetkel ligipääsetav.", "This room or space is not accessible at this time.": "See jututuba või kogukond pole hetkel ligipääsetav.",
@ -3041,7 +2956,6 @@
"Disinvite from space": "Eemalda kutse kogukonda", "Disinvite from space": "Eemalda kutse kogukonda",
"<b>Tip:</b> Use “%(replyInThread)s” when hovering over a message.": "<b>Soovitus:</b> Sõnumi kohal avanevast valikust kasuta „%(replyInThread)s“ võimalust.", "<b>Tip:</b> Use “%(replyInThread)s” when hovering over a message.": "<b>Soovitus:</b> Sõnumi kohal avanevast valikust kasuta „%(replyInThread)s“ võimalust.",
"No live locations": "Reaalajas asukohad puuduvad", "No live locations": "Reaalajas asukohad puuduvad",
"Enable Markdown": "Kasuta Markdown-süntaksit",
"Close sidebar": "Sulge külgpaan", "Close sidebar": "Sulge külgpaan",
"View List": "Vaata loendit", "View List": "Vaata loendit",
"View list": "Vaata loendit", "View list": "Vaata loendit",
@ -3104,7 +3018,6 @@
"Ignore user": "Eira kasutajat", "Ignore user": "Eira kasutajat",
"View related event": "Vaata seotud sündmust", "View related event": "Vaata seotud sündmust",
"Read receipts": "Lugemisteatised", "Read receipts": "Lugemisteatised",
"Enable hardware acceleration (restart %(appName)s to take effect)": "Kasuta riistvaralist kiirendust (jõustamine eeldab %(appName)s rakenduse uuesti käivitamist)",
"Failed to set direct message tag": "Otsevestluse sildi seadmine ei õnnestunud", "Failed to set direct message tag": "Otsevestluse sildi seadmine ei õnnestunud",
"You were disconnected from the call. (Error: %(message)s)": "Kõne on katkenud. (Veateade: %(message)s)", "You were disconnected from the call. (Error: %(message)s)": "Kõne on katkenud. (Veateade: %(message)s)",
"Connection lost": "Ühendus on katkenud", "Connection lost": "Ühendus on katkenud",
@ -3188,7 +3101,6 @@
"Download %(brand)s": "Laadi alla %(brand)s", "Download %(brand)s": "Laadi alla %(brand)s",
"Your server doesn't support disabling sending read receipts.": "Sinu koduserver ei võimalda lugemisteatiste keelamist.", "Your server doesn't support disabling sending read receipts.": "Sinu koduserver ei võimalda lugemisteatiste keelamist.",
"Share your activity and status with others.": "Jaga teistega oma olekut ja tegevusi.", "Share your activity and status with others.": "Jaga teistega oma olekut ja tegevusi.",
"Send read receipts": "Saada lugemisteatiseid",
"Last activity": "Viimati kasutusel", "Last activity": "Viimati kasutusel",
"Sessions": "Sessioonid", "Sessions": "Sessioonid",
"Current session": "Praegune sessioon", "Current session": "Praegune sessioon",
@ -3444,19 +3356,6 @@
"All messages and invites from this user will be hidden. Are you sure you want to ignore them?": "Kõik selle kasutaja sõnumid ja kutsed saava olema peidetud. Kas sa oled kindel, et soovid teda eirata?", "All messages and invites from this user will be hidden. Are you sure you want to ignore them?": "Kõik selle kasutaja sõnumid ja kutsed saava olema peidetud. Kas sa oled kindel, et soovid teda eirata?",
"Ignore %(user)s": "Eira kasutajat %(user)s", "Ignore %(user)s": "Eira kasutajat %(user)s",
"Unable to decrypt voice broadcast": "Ringhäälingukõne dekrüptimine ei õnnestu", "Unable to decrypt voice broadcast": "Ringhäälingukõne dekrüptimine ei õnnestu",
"Thread Id: ": "Jutulõnga tunnus: ",
"Threads timeline": "Jutulõngade ajajoon",
"Sender: ": "Saatja: ",
"Type: ": "Tüüp: ",
"ID: ": "ID: ",
"Last event:": "Viimane sündmus:",
"No receipt found": "Lugemisteatist ei leidu",
"User read up to: ": "Kasutaja on lugenud kuni: ",
"Dot: ": "Punkt: ",
"Highlight: ": "Esiletõstetud: ",
"Total: ": "Kokku: ",
"Main timeline": "Peamine ajajoon",
"Room status": "Jututoa sõnumite olek",
"Notifications debug": "Teavituste silumine", "Notifications debug": "Teavituste silumine",
"unknown": "teadmata", "unknown": "teadmata",
"Red": "Punane", "Red": "Punane",
@ -3517,17 +3416,9 @@
"Due to decryption errors, some votes may not be counted": "Dekrüptimisvigade tõttu jääb osa hääli lugemata", "Due to decryption errors, some votes may not be counted": "Dekrüptimisvigade tõttu jääb osa hääli lugemata",
"The sender has blocked you from receiving this message": "Sõnumi saatja on keelanud sul selle sõnumi saamise", "The sender has blocked you from receiving this message": "Sõnumi saatja on keelanud sul selle sõnumi saamise",
"Room directory": "Jututubade loend", "Room directory": "Jututubade loend",
"Show NSFW content": "Näita töökeskkonnas mittesobilikku sisu",
"Notification state is <strong>%(notificationState)s</strong>": "Teavituste olek: <strong>%(notificationState)s</strong>",
"Room unread status: <strong>%(status)s</strong>": "Lugemata sõnumite olek jututoas: <strong>%(status)s</strong>",
"Room unread status: <strong>%(status)s</strong>, count: <strong>%(count)s</strong>": {
"other": "Lugemata sõnumite olek jututoas: <strong>%(status)s</strong>, kokku: <strong>%(count)s</strong>"
},
"Ended a poll": "Lõpetas küsitluse", "Ended a poll": "Lõpetas küsitluse",
"Identity server is <code>%(identityServerUrl)s</code>": "Isikutuvastusserveri aadress <code>%(identityServerUrl)s</code>", "Identity server is <code>%(identityServerUrl)s</code>": "Isikutuvastusserveri aadress <code>%(identityServerUrl)s</code>",
"Homeserver is <code>%(homeserverUrl)s</code>": "Koduserveri aadress <code>%(homeserverUrl)s</code>", "Homeserver is <code>%(homeserverUrl)s</code>": "Koduserveri aadress <code>%(homeserverUrl)s</code>",
"Room is <strong>not encrypted 🚨</strong>": "Jututuba on <strong>krüptimata 🚨</strong>",
"Room is <strong>encrypted ✅</strong>": "Jututuba on <strong>krüptitud ✅</strong>",
"Yes, it was me": "Jah, see olin mina", "Yes, it was me": "Jah, see olin mina",
"Answered elsewhere": "Vastatud mujal", "Answered elsewhere": "Vastatud mujal",
"If you know a room address, try joining through that instead.": "Kui sa tead jututoa aadressi, siis proovi liitumiseks seda kasutada.", "If you know a room address, try joining through that instead.": "Kui sa tead jututoa aadressi, siis proovi liitumiseks seda kasutada.",
@ -3582,7 +3473,6 @@
"Can't find the old version of this room (room ID: %(roomId)s), and we have not been provided with 'via_servers' to look for it.": "Me ei leia selle jututoa vana versiooni (jututoa tunnus: %(roomId)s) ja meil pole otsimiseks ka teavet „via_servers“ meetodi alusel.", "Can't find the old version of this room (room ID: %(roomId)s), and we have not been provided with 'via_servers' to look for it.": "Me ei leia selle jututoa vana versiooni (jututoa tunnus: %(roomId)s) ja meil pole otsimiseks ka teavet „via_servers“ meetodi alusel.",
"Can't find the old version of this room (room ID: %(roomId)s), and we have not been provided with 'via_servers' to look for it. It's possible that guessing the server from the room ID will work. If you want to try, click this link:": "Me ei leia selle jututoa vana versiooni (jututoa tunnus: %(roomId)s) ja meil pole otsimiseks ka teavet „via_servers“ meetodi alusel. Võimalik, et me suudame jututoa tunnuse alusel serveri nime välja mõelda. Kui tahad proovida, siis klõpsi seda linki:", "Can't find the old version of this room (room ID: %(roomId)s), and we have not been provided with 'via_servers' to look for it. It's possible that guessing the server from the room ID will work. If you want to try, click this link:": "Me ei leia selle jututoa vana versiooni (jututoa tunnus: %(roomId)s) ja meil pole otsimiseks ka teavet „via_servers“ meetodi alusel. Võimalik, et me suudame jututoa tunnuse alusel serveri nime välja mõelda. Kui tahad proovida, siis klõpsi seda linki:",
"Formatting": "Vormindame andmeid", "Formatting": "Vormindame andmeid",
"Start messages with <code>/plain</code> to send without markdown.": "Vormindamata teksti koostamiseks alusta sõnumeid <code>/plain</code> käsuga.",
"The add / bind with MSISDN flow is misconfigured": "„Add“ ja „bind“ meetodid MSISDN jaoks on valesti seadistatud", "The add / bind with MSISDN flow is misconfigured": "„Add“ ja „bind“ meetodid MSISDN jaoks on valesti seadistatud",
"No identity access token found": "Ei leidu tunnusluba isikutuvastusserveri jaoks", "No identity access token found": "Ei leidu tunnusluba isikutuvastusserveri jaoks",
"Identity server not set": "Isikutuvastusserver on määramata", "Identity server not set": "Isikutuvastusserver on määramata",
@ -3624,8 +3514,6 @@
"Next group of messages": "Järgmine sõnumite grupp", "Next group of messages": "Järgmine sõnumite grupp",
"Exported Data": "Eksporditud andmed", "Exported Data": "Eksporditud andmed",
"Notification Settings": "Teavituste seadistused", "Notification Settings": "Teavituste seadistused",
"Show current profile picture and name for users in message history": "Sõnumite ajaloos leiduvate kasutajate puhul näita kehtivat tunnuspilti ning nime",
"Show profile picture changes": "Näita tunnuspildi muudatusi",
"Ask to join": "Küsi võimalust liitumiseks", "Ask to join": "Küsi võimalust liitumiseks",
"People cannot join unless access is granted.": "Kasutajade ei saa liituda enne, kui selleks vastav luba on antud.", "People cannot join unless access is granted.": "Kasutajade ei saa liituda enne, kui selleks vastav luba on antud.",
"Email Notifications": "E-posti teel saadetavad teavitused", "Email Notifications": "E-posti teel saadetavad teavitused",
@ -3661,8 +3549,6 @@
"Anyone can request to join, but admins or moderators need to grant access. You can change this later.": "Kõik võivad liituda, kuid jututoa haldur või moderaator peab eelnevalt ligipääsu kinnitama. Sa saad seda hiljem muuta.", "Anyone can request to join, but admins or moderators need to grant access. You can change this later.": "Kõik võivad liituda, kuid jututoa haldur või moderaator peab eelnevalt ligipääsu kinnitama. Sa saad seda hiljem muuta.",
"Thread Root ID: %(threadRootId)s": "Jutulõnga esimese kirje tunnus: %(threadRootId)s", "Thread Root ID: %(threadRootId)s": "Jutulõnga esimese kirje tunnus: %(threadRootId)s",
"Upgrade room": "Uuenda jututoa versiooni", "Upgrade room": "Uuenda jututoa versiooni",
"User read up to (ignoreSynthetic): ": "Kasutaja luges kuni sõnumini (ignoreSynthetic): ",
"User read up to (m.read.private;ignoreSynthetic): ": "Kasutaja luges kuni sõnumini (m.read.private;ignoreSynthetic): ",
"This homeserver doesn't offer any login flows that are supported by this client.": "See koduserver ei paku ühtegi sisselogimislahendust, mida see klient toetab.", "This homeserver doesn't offer any login flows that are supported by this client.": "See koduserver ei paku ühtegi sisselogimislahendust, mida see klient toetab.",
"Enter keywords here, or use for spelling variations or nicknames": "Sisesta märksõnad siia ning ära unusta erinevaid kirjapilte ja hüüdnimesid", "Enter keywords here, or use for spelling variations or nicknames": "Sisesta märksõnad siia ning ära unusta erinevaid kirjapilte ja hüüdnimesid",
"Quick Actions": "Kiirtoimingud", "Quick Actions": "Kiirtoimingud",
@ -3672,8 +3558,6 @@
"other": "Kasutaja %(oneUser)s muutis oma tunnuspilti %(count)s korda", "other": "Kasutaja %(oneUser)s muutis oma tunnuspilti %(count)s korda",
"one": "%(oneUser)s muutis oma profiilipilti" "one": "%(oneUser)s muutis oma profiilipilti"
}, },
"User read up to (m.read.private): ": "Kasutaja luges kuni sõnumini (m.read.private): ",
"See history": "Vaata ajalugu",
"The exported file will allow anyone who can read it to decrypt any encrypted messages that you can see, so you should be careful to keep it secure. To help with this, you should enter a unique passphrase below, which will only be used to encrypt the exported data. It will only be possible to import the data by using the same passphrase.": "Kes iganes saab kätte selle ekspordifaili, saab ka lugeda sinu krüptitud sõnumeid, seega ole hoolikas selle faili talletamisel. Andmaks lisakihi turvalisust, peaksid sa alljärgnevalt sisestama unikaalse paroolifraasi, millega krüptitakse eksporditavad andmed. Faili hilisem importimine õnnestub vaid sama paroolifraasi sisestamisel.", "The exported file will allow anyone who can read it to decrypt any encrypted messages that you can see, so you should be careful to keep it secure. To help with this, you should enter a unique passphrase below, which will only be used to encrypt the exported data. It will only be possible to import the data by using the same passphrase.": "Kes iganes saab kätte selle ekspordifaili, saab ka lugeda sinu krüptitud sõnumeid, seega ole hoolikas selle faili talletamisel. Andmaks lisakihi turvalisust, peaksid sa alljärgnevalt sisestama unikaalse paroolifraasi, millega krüptitakse eksporditavad andmed. Faili hilisem importimine õnnestub vaid sama paroolifraasi sisestamisel.",
"Great! This passphrase looks strong enough": "Suurepärane! See paroolifraas on piisavalt kange", "Great! This passphrase looks strong enough": "Suurepärane! See paroolifraas on piisavalt kange",
"Other spaces you know": "Muud kogukonnad, mida sa tead", "Other spaces you know": "Muud kogukonnad, mida sa tead",
@ -3769,7 +3653,9 @@
"android": "Android", "android": "Android",
"trusted": "Usaldusväärne", "trusted": "Usaldusväärne",
"not_trusted": "Ei ole usaldusväärne", "not_trusted": "Ei ole usaldusväärne",
"accessibility": "Ligipääsetavus" "accessibility": "Ligipääsetavus",
"capabilities": "Funktsionaalsused ja võimed",
"server": "Server"
}, },
"action": { "action": {
"continue": "Jätka", "continue": "Jätka",
@ -3868,7 +3754,8 @@
"maximise": "Suurenda maksimaalseks", "maximise": "Suurenda maksimaalseks",
"mention": "Maini", "mention": "Maini",
"submit": "Saada", "submit": "Saada",
"send_report": "Saada veateade" "send_report": "Saada veateade",
"clear": "Eemalda"
}, },
"a11y": { "a11y": {
"user_menu": "Kasutajamenüü" "user_menu": "Kasutajamenüü"
@ -4002,5 +3889,122 @@
"you_did_it": "Valmis!", "you_did_it": "Valmis!",
"complete_these": "Kasutamaks kõiki %(brand)s'i võimalusi tee läbi alljärgnev", "complete_these": "Kasutamaks kõiki %(brand)s'i võimalusi tee läbi alljärgnev",
"community_messaging_description": "Halda ja kontrolli suhtlust oma kogukonnas.\nSobib ka miljonitele kasutajatele ning võimaldab mitmekesist modereerimist kui liidestust." "community_messaging_description": "Halda ja kontrolli suhtlust oma kogukonnas.\nSobib ka miljonitele kasutajatele ning võimaldab mitmekesist modereerimist kui liidestust."
},
"devtools": {
"send_custom_account_data_event": "Saada kohandatud kontoandmete päring",
"send_custom_room_account_data_event": "Saada kohandatud jututoa kontoandmete päring",
"event_type": "Sündmuse tüüp",
"state_key": "Oleku võti",
"invalid_json": "See ei tundu olema korrektse json-andmestikuna.",
"failed_to_send": "Päringu või sündmuse saatmine ei õnnestunud!",
"event_sent": "Sündmus on saadetud!",
"event_content": "Sündmuse sisu",
"user_read_up_to": "Kasutaja on lugenud kuni: ",
"no_receipt_found": "Lugemisteatist ei leidu",
"user_read_up_to_ignore_synthetic": "Kasutaja luges kuni sõnumini (ignoreSynthetic): ",
"user_read_up_to_private": "Kasutaja luges kuni sõnumini (m.read.private): ",
"user_read_up_to_private_ignore_synthetic": "Kasutaja luges kuni sõnumini (m.read.private;ignoreSynthetic): ",
"room_status": "Jututoa sõnumite olek",
"room_unread_status_count": {
"other": "Lugemata sõnumite olek jututoas: <strong>%(status)s</strong>, kokku: <strong>%(count)s</strong>"
},
"notification_state": "Teavituste olek: <strong>%(notificationState)s</strong>",
"room_encrypted": "Jututuba on <strong>krüptitud ✅</strong>",
"room_not_encrypted": "Jututuba on <strong>krüptimata 🚨</strong>",
"main_timeline": "Peamine ajajoon",
"threads_timeline": "Jutulõngade ajajoon",
"room_notifications_total": "Kokku: ",
"room_notifications_highlight": "Esiletõstetud: ",
"room_notifications_dot": "Punkt: ",
"room_notifications_last_event": "Viimane sündmus:",
"room_notifications_type": "Tüüp: ",
"room_notifications_sender": "Saatja: ",
"room_notifications_thread_id": "Jutulõnga tunnus: ",
"spaces": {
"other": "<%(count)s kogukonda>",
"one": "<kogukond>"
},
"empty_string": "<tühi string>",
"room_unread_status": "Lugemata sõnumite olek jututoas: <strong>%(status)s</strong>",
"id": "ID: ",
"send_custom_state_event": "Saada kohandatud olekusündmus",
"see_history": "Vaata ajalugu",
"failed_to_load": "Laadimine ei õnnestunud.",
"client_versions": "Klientrakenduste versioonid",
"server_versions": "Serveri versioonid",
"number_of_users": "Kasutajate arv",
"failed_to_save": "Seadistuste salvestamine ei õnnestunud.",
"save_setting_values": "Salvesta seadistuste väärtused",
"setting_colon": "Seadistus:",
"caution_colon": "Hoiatus:",
"use_at_own_risk": "See kasutajaliides ei oska kontrollida väärtuste tüüpi ja vormingut. Muudatusi teed omal vastutusel.",
"setting_definition": "Seadistuse määratlus:",
"level": "Tase",
"settable_global": "Seadistatav üldiselt",
"settable_room": "Seadistatav jututoa-kohaselt",
"values_explicit": "Väärtused konkreetsel tasemel",
"values_explicit_room": "Väärtused konkreetsel tasemel selles jututoas",
"edit_values": "Muuda väärtusi",
"value_colon": "Väärtus:",
"value_this_room_colon": "Väärtus selles jututoas:",
"values_explicit_colon": "Väärtused konkreetsel tasemel:",
"values_explicit_this_room_colon": "Väärtused konkreetsel tasemel selles jututoas:",
"setting_id": "Seadistuse tunnus",
"value": "Väärtus",
"value_in_this_room": "Väärtus selles jututoas",
"edit_setting": "Muuda seadistust",
"phase_requested": "Päring tehtud",
"phase_ready": "Valmis",
"phase_started": "Alustatud",
"phase_cancelled": "Katkestatud",
"phase_transaction": "Transaktsioon",
"phase": "Faas",
"timeout": "Aegumine",
"methods": "Meetodid",
"requester": "Päringu tegija",
"observe_only": "Ainult vaatle",
"no_verification_requests_found": "Verifitseerimispäringuid ei leidu",
"failed_to_find_widget": "Selle vidina leidmisel tekkis viga."
},
"settings": {
"show_breadcrumbs": "Näita viimati külastatud jututubade viiteid jututubade loendi kohal",
"all_rooms_home_description": "Kõik sinu jututoad on nähtavad avalehel.",
"use_command_f_search": "Ajajoonelt otsimiseks kasuta Command+F klahve",
"use_control_f_search": "Ajajoonelt otsimiseks kasuta Ctrl+F klahve",
"use_12_hour_format": "Näita ajatempleid 12-tunnises vormingus (näiteks 2:30pl)",
"always_show_message_timestamps": "Alati näita sõnumite ajatempleid",
"send_read_receipts": "Saada lugemisteatiseid",
"send_typing_notifications": "Anna märku teisele osapoolele, kui mina sõnumit kirjutan",
"replace_plain_emoji": "Automaatelt asenda vormindamata tekst emotikoniga",
"enable_markdown": "Kasuta Markdown-süntaksit",
"emoji_autocomplete": "Näita kirjutamise ajal emoji-soovitusi",
"use_command_enter_send_message": "Sõnumi saatmiseks vajuta Command + Enter klahve",
"use_control_enter_send_message": "Sõnumi saatmiseks vajuta Ctrl + Enter",
"all_rooms_home": "Näita kõiki jututubasid avalehel",
"enable_markdown_description": "Vormindamata teksti koostamiseks alusta sõnumeid <code>/plain</code> käsuga.",
"show_stickers_button": "Näita kleepsude nuppu",
"insert_trailing_colon_mentions": "Mainimiste järel näita sõnumi alguses koolonit",
"automatic_language_detection_syntax_highlight": "Kasuta süntaksi esiletõstmisel automaatset keeletuvastust",
"code_block_expand_default": "Vaikimisi kuva koodiblokid tervikuna",
"code_block_line_numbers": "Näita koodiblokkides reanumbreid",
"inline_url_previews_default": "Luba URL'ide vaikimisi eelvaated",
"autoplay_gifs": "Esita automaatselt liikuvaid pilte",
"autoplay_videos": "Esita automaatselt videosid",
"image_thumbnails": "Näita piltide eelvaateid või väikepilte",
"show_typing_notifications": "Anna märku, kui teine osapool sõnumit kirjutab",
"show_redaction_placeholder": "Näita kustutatud sõnumite asemel kohatäidet",
"show_read_receipts": "Näita teiste kasutajate lugemisteatiseid",
"show_join_leave": "Näita jututubade liitumise ja lahkumise teateid (ei käi kutsete, müksamiste ja keelamiste kohta)",
"show_displayname_changes": "Näita kuvatava nime muutusi",
"show_chat_effects": "Näita vestluses edevat graafikat (näiteks kui keegi on saatnud serpentiine)",
"show_avatar_changes": "Näita tunnuspildi muudatusi",
"big_emoji": "Kasuta vestlustes suuri emoji'sid",
"jump_to_bottom_on_send": "Sõnumi saatmiseks hüppa ajajoone lõppu",
"disable_historical_profile": "Sõnumite ajaloos leiduvate kasutajate puhul näita kehtivat tunnuspilti ning nime",
"show_nsfw_content": "Näita töökeskkonnas mittesobilikku sisu",
"prompt_invite": "Hoiata enne kutse saatmist võimalikule vigasele Matrix'i kasutajatunnusele",
"hardware_acceleration": "Kasuta riistvaralist kiirendust (jõustamine eeldab %(appName)s rakenduse uuesti käivitamist)",
"start_automatically": "Käivita Element automaatselt peale arvutisse sisselogimist",
"warn_quit": "Hoiata enne rakenduse töö lõpetamist"
} }
} }

View file

@ -29,7 +29,6 @@
"Phone": "Telefonoa", "Phone": "Telefonoa",
"Advanced": "Aurreratua", "Advanced": "Aurreratua",
"Cryptography": "Kriptografia", "Cryptography": "Kriptografia",
"Always show message timestamps": "Erakutsi beti mezuen denbora-zigilua",
"Authentication": "Autentifikazioa", "Authentication": "Autentifikazioa",
"Verification Pending": "Egiaztaketa egiteke", "Verification Pending": "Egiaztaketa egiteke",
"Please check your email and click on the link it contains. Once this is done, click continue.": "Irakurri zure e-maila eta egin klik dakarren estekan. Behin eginda, egin klik Jarraitu botoian.", "Please check your email and click on the link it contains. Once this is done, click continue.": "Irakurri zure e-maila eta egin klik dakarren estekan. Behin eginda, egin klik Jarraitu botoian.",
@ -137,7 +136,6 @@
"Server error": "Zerbitzari-errorea", "Server error": "Zerbitzari-errorea",
"Server may be unavailable, overloaded, or search timed out :(": "Zerbitzaria eskuraezin edo gainezka egon daiteke, edo bilaketaren denbora muga gainditu da :(", "Server may be unavailable, overloaded, or search timed out :(": "Zerbitzaria eskuraezin edo gainezka egon daiteke, edo bilaketaren denbora muga gainditu da :(",
"Server unavailable, overloaded, or something else went wrong.": "Zerbitzaria eskuraezin edo gainezka egon daiteke edo zerbaitek huts egin du.", "Server unavailable, overloaded, or something else went wrong.": "Zerbitzaria eskuraezin edo gainezka egon daiteke edo zerbaitek huts egin du.",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "Erakutsi denbora-zigiluak 12 ordutako formatuan (adib. 2:30pm)",
"Signed Out": "Saioa amaituta", "Signed Out": "Saioa amaituta",
"This email address was not found": "Ez da e-mail helbide hau aurkitu", "This email address was not found": "Ez da e-mail helbide hau aurkitu",
"This room is not recognised.": "Ez da gela hau ezagutzen.", "This room is not recognised.": "Ez da gela hau ezagutzen.",
@ -201,7 +199,6 @@
"other": "(~%(count)s emaitza)" "other": "(~%(count)s emaitza)"
}, },
"New Password": "Pasahitz berria", "New Password": "Pasahitz berria",
"Start automatically after system login": "Hasi automatikoki sisteman saioa hasi eta gero",
"Passphrases must match": "Pasaesaldiak bat etorri behar dira", "Passphrases must match": "Pasaesaldiak bat etorri behar dira",
"Passphrase must not be empty": "Pasaesaldia ezin da hutsik egon", "Passphrase must not be empty": "Pasaesaldia ezin da hutsik egon",
"File to import": "Inportatu beharreko fitxategia", "File to import": "Inportatu beharreko fitxategia",
@ -240,14 +237,12 @@
}, },
"Delete widget": "Ezabatu trepeta", "Delete widget": "Ezabatu trepeta",
"Define the power level of a user": "Zehaztu erabiltzaile baten botere maila", "Define the power level of a user": "Zehaztu erabiltzaile baten botere maila",
"Enable automatic language detection for syntax highlighting": "Antzeman programazio lengoaia automatikoki eta nabarmendu sintaxia",
"Publish this room to the public in %(domain)s's room directory?": "Argitaratu gela hau publikora %(domain)s domeinuko gelen direktorioan?", "Publish this room to the public in %(domain)s's room directory?": "Argitaratu gela hau publikora %(domain)s domeinuko gelen direktorioan?",
"AM": "AM", "AM": "AM",
"PM": "PM", "PM": "PM",
"Unable to create widget.": "Ezin izan da trepeta sortu.", "Unable to create widget.": "Ezin izan da trepeta sortu.",
"You are not in this room.": "Ez zaude gela honetan.", "You are not in this room.": "Ez zaude gela honetan.",
"You do not have permission to do that in this room.": "Ez duzu gela honetan hori egiteko baimenik.", "You do not have permission to do that in this room.": "Ez duzu gela honetan hori egiteko baimenik.",
"Automatically replace plain text Emoji": "Automatikoki ordezkatu Emoji testu soila",
"%(widgetName)s widget added by %(senderName)s": "%(widgetName)s trepeta gehitu du %(senderName)s erabiltzaileak", "%(widgetName)s widget added by %(senderName)s": "%(widgetName)s trepeta gehitu du %(senderName)s erabiltzaileak",
"%(widgetName)s widget removed by %(senderName)s": "%(widgetName)s trepeta kendu du %(senderName)s erabiltzaileak", "%(widgetName)s widget removed by %(senderName)s": "%(widgetName)s trepeta kendu du %(senderName)s erabiltzaileak",
"%(widgetName)s widget modified by %(senderName)s": "%(widgetName)s trepeta aldatu du %(senderName)s erabiltzaileak", "%(widgetName)s widget modified by %(senderName)s": "%(widgetName)s trepeta aldatu du %(senderName)s erabiltzaileak",
@ -266,7 +261,6 @@
"%(senderName)s changed the pinned messages for the room.": "%(senderName)s erabiltzaileak gelan finkatutako mezuak aldatu ditu.", "%(senderName)s changed the pinned messages for the room.": "%(senderName)s erabiltzaileak gelan finkatutako mezuak aldatu ditu.",
"Send": "Bidali", "Send": "Bidali",
"Mirror local video feed": "Bikoiztu tokiko bideo jarioa", "Mirror local video feed": "Bikoiztu tokiko bideo jarioa",
"Enable inline URL previews by default": "Gailu URL-en aurrebista lehenetsita",
"Enable URL previews for this room (only affects you)": "Gaitu URLen aurrebista gela honetan (zuretzat bakarrik aldatuko duzu)", "Enable URL previews for this room (only affects you)": "Gaitu URLen aurrebista gela honetan (zuretzat bakarrik aldatuko duzu)",
"Enable URL previews by default for participants in this room": "Gaitu URLen aurrebista lehenetsita gela honetako partaideentzat", "Enable URL previews by default for participants in this room": "Gaitu URLen aurrebista lehenetsita gela honetako partaideentzat",
"%(duration)ss": "%(duration)s s", "%(duration)ss": "%(duration)s s",
@ -415,7 +409,6 @@
"No update available.": "Ez dago eguneraketarik eskuragarri.", "No update available.": "Ez dago eguneraketarik eskuragarri.",
"Collecting app version information": "Aplikazioaren bertsio-informazioa biltzen", "Collecting app version information": "Aplikazioaren bertsio-informazioa biltzen",
"Tuesday": "Asteartea", "Tuesday": "Asteartea",
"Event sent!": "Gertaera bidalita!",
"Preparing to send logs": "Egunkariak bidaltzeko prestatzen", "Preparing to send logs": "Egunkariak bidaltzeko prestatzen",
"Saturday": "Larunbata", "Saturday": "Larunbata",
"Monday": "Astelehena", "Monday": "Astelehena",
@ -426,7 +419,6 @@
"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)",
"All messages": "Mezu guztiak", "All messages": "Mezu guztiak",
"Call invitation": "Dei gonbidapena", "Call invitation": "Dei gonbidapena",
"State Key": "Egoera gakoa",
"What's new?": "Zer dago berri?", "What's new?": "Zer dago berri?",
"When I'm invited to a room": "Gela batetara gonbidatzen nautenean", "When I'm invited to a room": "Gela batetara gonbidatzen nautenean",
"Invite to this room": "Gonbidatu gela honetara", "Invite to this room": "Gonbidatu gela honetara",
@ -439,9 +431,7 @@
"Error encountered (%(errorDetail)s).": "Errorea aurkitu da (%(errorDetail)s).", "Error encountered (%(errorDetail)s).": "Errorea aurkitu da (%(errorDetail)s).",
"Low Priority": "Lehentasun baxua", "Low Priority": "Lehentasun baxua",
"Off": "Ez", "Off": "Ez",
"Event Type": "Gertaera mota",
"Developer Tools": "Garatzaile-tresnak", "Developer Tools": "Garatzaile-tresnak",
"Event Content": "Gertaeraren edukia",
"Thank you!": "Eskerrik asko!", "Thank you!": "Eskerrik asko!",
"Missing roomId.": "Gelaren ID-a falta da.", "Missing roomId.": "Gelaren ID-a falta da.",
"Popout widget": "Laster-leiho trepeta", "Popout widget": "Laster-leiho trepeta",
@ -565,7 +555,6 @@
"Invalid identity server discovery response": "Baliogabeko erantzuna identitate zerbitzariaren bilaketan", "Invalid identity server discovery response": "Baliogabeko erantzuna identitate zerbitzariaren bilaketan",
"If you didn't set the new recovery method, an attacker may be trying to access your account. Change your account password and set a new recovery method immediately in Settings.": "Ez baduzu berreskuratze sistema berria ezarri, erasotzaile bat zure kontua atzitzen saiatzen egon daiteke. Aldatu zure kontuaren pasahitza eta ezarri berreskuratze metodo berria berehala ezarpenetan.", "If you didn't set the new recovery method, an attacker may be trying to access your account. Change your account password and set a new recovery method immediately in Settings.": "Ez baduzu berreskuratze sistema berria ezarri, erasotzaile bat zure kontua atzitzen saiatzen egon daiteke. Aldatu zure kontuaren pasahitza eta ezarri berreskuratze metodo berria berehala ezarpenetan.",
"Unrecognised address": "Helbide ezezaguna", "Unrecognised address": "Helbide ezezaguna",
"Prompt before sending invites to potentially invalid matrix IDs": "Galdetu baliogabeak izan daitezkeen matrix ID-eetara gonbidapenak bidali aurretik",
"The following users may not exist": "Hurrengo erabiltzaileak agian ez dira existitzen", "The following users may not exist": "Hurrengo erabiltzaileak agian ez dira existitzen",
"Unable to find profiles for the Matrix IDs listed below - would you like to invite them anyway?": "Ezin izan dira behean zerrendatutako Matrix ID-een profilak, berdin gonbidatu nahi dituzu?", "Unable to find profiles for the Matrix IDs listed below - would you like to invite them anyway?": "Ezin izan dira behean zerrendatutako Matrix ID-een profilak, berdin gonbidatu nahi dituzu?",
"Invite anyway and never warn me again": "Gonbidatu edonola ere eta ez abisatu inoiz gehiago", "Invite anyway and never warn me again": "Gonbidatu edonola ere eta ez abisatu inoiz gehiago",
@ -584,11 +573,6 @@
"one": "%(names)s eta beste bat idazten ari dira …" "one": "%(names)s eta beste bat idazten ari dira …"
}, },
"%(names)s and %(lastPerson)s are typing …": "%(names)s eta %(lastPerson)s idazten ari dira …", "%(names)s and %(lastPerson)s are typing …": "%(names)s eta %(lastPerson)s idazten ari dira …",
"Enable Emoji suggestions while typing": "Proposatu emojiak idatzi bitartean",
"Show a placeholder for removed messages": "Erakutsi kendutako mezuek utzitako hutsunea",
"Show display name changes": "Erakutsi pantaila-izenen aldaketak",
"Enable big emoji in chat": "Gaitu emoji handiak txatean",
"Send typing notifications": "Bidali idazte-jakinarazpenak",
"Messages containing my username": "Nire erabiltzaile-izena duten mezuak", "Messages containing my username": "Nire erabiltzaile-izena duten mezuak",
"The other party cancelled the verification.": "Beste parteak egiaztaketa ezeztatu du.", "The other party cancelled the verification.": "Beste parteak egiaztaketa ezeztatu du.",
"Verified!": "Egiaztatuta!", "Verified!": "Egiaztatuta!",
@ -732,7 +716,6 @@
"Changes your display nickname in the current room only": "Zure pantailako izena aldatzen du gela honetan bakarrik", "Changes your display nickname in the current room only": "Zure pantailako izena aldatzen du gela honetan bakarrik",
"Prepends ¯\\_(ツ)_/¯ to a plain-text message": "¯\\_(ツ)_/¯ jartzen du testu soileko mezu baten aurrean", "Prepends ¯\\_(ツ)_/¯ to a plain-text message": "¯\\_(ツ)_/¯ jartzen du testu soileko mezu baten aurrean",
"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.",
"Show read receipts sent by other users": "Erakutsi beste erabiltzaileek bidalitako irakurragiriak",
"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 avatar": "Aldatu gelaren abatarra",
@ -932,7 +915,6 @@
"Changes the avatar of the current room": "Uneko gelaren abatarra aldatzen du", "Changes the avatar of the current room": "Uneko gelaren abatarra aldatzen du",
"Use an identity server to invite by email. Click continue to use the default identity server (%(defaultIdentityServerName)s) or manage in Settings.": "Erabili identitate-zerbitzari bat e-mail bidez gonbidatzeko. Sakatu jarraitu lehenetsitakoa erabiltzeko (%(defaultIdentityServerName)s) edo aldatu ezarpenetan.", "Use an identity server to invite by email. Click continue to use the default identity server (%(defaultIdentityServerName)s) or manage in Settings.": "Erabili identitate-zerbitzari bat e-mail bidez gonbidatzeko. Sakatu jarraitu lehenetsitakoa erabiltzeko (%(defaultIdentityServerName)s) edo aldatu ezarpenetan.",
"Use an identity server to invite by email. Manage in Settings.": "Erabili identitate-zerbitzari bat e-mail bidez gonbidatzeko. Kudeatu ezarpenetan.", "Use an identity server to invite by email. Manage in Settings.": "Erabili identitate-zerbitzari bat e-mail bidez gonbidatzeko. Kudeatu ezarpenetan.",
"Show previews/thumbnails for images": "Erakutsi irudien aurrebista/iruditxoak",
"Change identity server": "Aldatu identitate-zerbitzaria", "Change identity server": "Aldatu identitate-zerbitzaria",
"Disconnect from the identity server <current /> and connect to <new /> instead?": "Deskonektatu <current /> identitate-zerbitzaritik eta konektatu <new /> zerbitzarira?", "Disconnect from the identity server <current /> and connect to <new /> instead?": "Deskonektatu <current /> identitate-zerbitzaritik eta konektatu <new /> zerbitzarira?",
"Identity server has no terms of service": "Identitate-zerbitzariak ez du erabilera baldintzarik", "Identity server has no terms of service": "Identitate-zerbitzariak ez du erabilera baldintzarik",
@ -1239,14 +1221,12 @@
"One of the following may be compromised:": "Hauetakoren bat konprometituta egon daiteke:", "One of the following may be compromised:": "Hauetakoren bat konprometituta egon daiteke:",
"Verify this device to mark it as trusted. Trusting this device gives you and other users extra peace of mind when using end-to-end encrypted messages.": "Egiztatu gailu hau fidagarri gisa markatzeko. Gailu hau fidagarritzat jotzeak lasaitasuna ematen du muturretik-muturrera zifratutako mezuak erabiltzean.", "Verify this device to mark it as trusted. Trusting this device gives you and other users extra peace of mind when using end-to-end encrypted messages.": "Egiztatu gailu hau fidagarri gisa markatzeko. Gailu hau fidagarritzat jotzeak lasaitasuna ematen du muturretik-muturrera zifratutako mezuak erabiltzean.",
"Verifying this device will mark it as trusted, and users who have verified with you will trust this device.": "Gailu hau egiaztatzean fidagarri gisa markatuko da, eta egiaztatu zaituzten erabiltzaileek fidagarri gisa ikusiko dute.", "Verifying this device will mark it as trusted, and users who have verified with you will trust this device.": "Gailu hau egiaztatzean fidagarri gisa markatuko da, eta egiaztatu zaituzten erabiltzaileek fidagarri gisa ikusiko dute.",
"Show typing notifications": "Erakutsi idazketa jakinarazpenak",
"Scan this unique code": "Eskaneatu kode bakan hau", "Scan this unique code": "Eskaneatu kode bakan hau",
"Compare unique emoji": "Konparatu emoji bakana", "Compare unique emoji": "Konparatu emoji bakana",
"Compare a unique set of emoji if you don't have a camera on either device": "Konparatu emoji sorta bakana gailuek kamerarik ez badute", "Compare a unique set of emoji if you don't have a camera on either device": "Konparatu emoji sorta bakana gailuek kamerarik ez badute",
"Sign In or Create Account": "Hasi saioa edo sortu kontua", "Sign In or Create Account": "Hasi saioa edo sortu kontua",
"Use your account or create a new one to continue.": "Erabili zure kontua edo sortu berri bat jarraitzeko.", "Use your account or create a new one to continue.": "Erabili zure kontua edo sortu berri bat jarraitzeko.",
"Create Account": "Sortu kontua", "Create Account": "Sortu kontua",
"Show shortcuts to recently viewed rooms above the room list": "Erakutsi ikusitako azken geletara lasterbideak gelen zerrendaren goialdean",
"Cancelling…": "Ezeztatzen…", "Cancelling…": "Ezeztatzen…",
"Your homeserver does not support cross-signing.": "Zure hasiera-zerbitzariak ez du zeharkako sinatzea onartzen.", "Your homeserver does not support cross-signing.": "Zure hasiera-zerbitzariak ez du zeharkako sinatzea onartzen.",
"Homeserver feature support:": "Hasiera-zerbitzariaren ezaugarrien euskarria:", "Homeserver feature support:": "Hasiera-zerbitzariaren ezaugarrien euskarria:",
@ -1653,5 +1633,29 @@
"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."
},
"devtools": {
"event_type": "Gertaera mota",
"state_key": "Egoera gakoa",
"event_sent": "Gertaera bidalita!",
"event_content": "Gertaeraren edukia"
},
"settings": {
"show_breadcrumbs": "Erakutsi ikusitako azken geletara lasterbideak gelen zerrendaren goialdean",
"use_12_hour_format": "Erakutsi denbora-zigiluak 12 ordutako formatuan (adib. 2:30pm)",
"always_show_message_timestamps": "Erakutsi beti mezuen denbora-zigilua",
"send_typing_notifications": "Bidali idazte-jakinarazpenak",
"replace_plain_emoji": "Automatikoki ordezkatu Emoji testu soila",
"emoji_autocomplete": "Proposatu emojiak idatzi bitartean",
"automatic_language_detection_syntax_highlight": "Antzeman programazio lengoaia automatikoki eta nabarmendu sintaxia",
"inline_url_previews_default": "Gailu URL-en aurrebista lehenetsita",
"image_thumbnails": "Erakutsi irudien aurrebista/iruditxoak",
"show_typing_notifications": "Erakutsi idazketa jakinarazpenak",
"show_redaction_placeholder": "Erakutsi kendutako mezuek utzitako hutsunea",
"show_read_receipts": "Erakutsi beste erabiltzaileek bidalitako irakurragiriak",
"show_displayname_changes": "Erakutsi pantaila-izenen aldaketak",
"big_emoji": "Gaitu emoji handiak txatean",
"prompt_invite": "Galdetu baliogabeak izan daitezkeen matrix ID-eetara gonbidapenak bidali aurretik",
"start_automatically": "Hasi automatikoki sisteman saioa hasi eta gero"
} }
} }

View file

@ -95,7 +95,6 @@
"An error has occurred.": "خطایی رخ داده است.", "An error has occurred.": "خطایی رخ داده است.",
"A new password must be entered.": "گذواژه جدید باید وارد شود.", "A new password must be entered.": "گذواژه جدید باید وارد شود.",
"Authentication": "احراز هویت", "Authentication": "احراز هویت",
"Always show message timestamps": "همیشه مهر زمان‌های پیام را نشان بده",
"Advanced": "پیشرفته", "Advanced": "پیشرفته",
"Default Device": "دستگاه پیشفرض", "Default Device": "دستگاه پیشفرض",
"No media permissions": "عدم مجوز رسانه", "No media permissions": "عدم مجوز رسانه",
@ -762,24 +761,6 @@
"Feedback sent": "بازخورد ارسال شد", "Feedback sent": "بازخورد ارسال شد",
"Developer Tools": "ابزارهای توسعه‌دهنده", "Developer Tools": "ابزارهای توسعه‌دهنده",
"Toolbox": "جعبه ابزار", "Toolbox": "جعبه ابزار",
"Values at explicit levels in this room:": "مقادیر در سطوح مشخص در این اتاق:",
"Values at explicit levels:": "مقدار در سطوح مشخص:",
"Value in this room:": "مقدار در این اتاق:",
"Value:": "مقدار:",
"Save setting values": "ذخیره مقادیر تنظیمات",
"Values at explicit levels in this room": "مقادیر در سطوح مشخص در این اتاق",
"Values at explicit levels": "مقادیر در سطوح مشخص",
"Settable at room": "قابل تنظیم در اتاق",
"Settable at global": "قابل تنظیم به شکل سراسری",
"Level": "سطح",
"Setting definition:": "تعریف تنظیم:",
"This UI does NOT check the types of the values. Use at your own risk.": "این واسط کاربری تایپ مقادیر را بررسی نمی‌کند. با مسئولیت خود استفاده کنید.",
"Caution:": "احتیاط:",
"Setting:": "تنظیم:",
"Value in this room": "مقدار در این اتاق",
"Value": "مقدار",
"Setting ID": "شناسه تنظیم",
"There was an error finding this widget.": "هنگام یافتن این ابزارک خطایی روی داد.",
"Active Widgets": "ابزارک‌های فعال", "Active Widgets": "ابزارک‌های فعال",
"Search names and descriptions": "جستجوی نام‌ها و توضیحات", "Search names and descriptions": "جستجوی نام‌ها و توضیحات",
"Failed to create initial space rooms": "ایجاد اتاق‌های اولیه در فضای کاری موفق نبود", "Failed to create initial space rooms": "ایجاد اتاق‌های اولیه در فضای کاری موفق نبود",
@ -952,10 +933,6 @@
"other": "%(count)s بار رفع تحریم شد" "other": "%(count)s بار رفع تحریم شد"
}, },
"Filter results": "پالایش نتایج", "Filter results": "پالایش نتایج",
"Event Content": "محتوای رخداد",
"State Key": "کلید حالت",
"Event Type": "نوع رخداد",
"Event sent!": "رخداد ارسال شد!",
"Server did not return valid authentication information.": "سرور اطلاعات احراز هویت معتبری را باز نگرداند.", "Server did not return valid authentication information.": "سرور اطلاعات احراز هویت معتبری را باز نگرداند.",
"Server did not require any authentication": "سرور به احراز هویت احتیاج نداشت", "Server did not require any authentication": "سرور به احراز هویت احتیاج نداشت",
"There was a problem communicating with the server. Please try again.": "مشکلی در برقراری ارتباط با سرور وجود داشت. لطفا دوباره تلاش کنید.", "There was a problem communicating with the server. Please try again.": "مشکلی در برقراری ارتباط با سرور وجود داشت. لطفا دوباره تلاش کنید.",
@ -1388,8 +1365,6 @@
"Read Marker lifetime (ms)": "مدت‌زمان نشانه‌ی خوانده‌شده (ms)", "Read Marker lifetime (ms)": "مدت‌زمان نشانه‌ی خوانده‌شده (ms)",
"Composer": "سازنده", "Composer": "سازنده",
"Always show the window menu bar": "همیشه نوار فهرست پنجره را نشان بده", "Always show the window menu bar": "همیشه نوار فهرست پنجره را نشان بده",
"Warn before quitting": "قبل از خروج هشدا بده",
"Start automatically after system login": "پس از ورود به سیستم به صورت خودکار آغاز کن",
"Room ID or address of ban list": "شناسه‌ی اتاق یا آدرس لیست تحریم", "Room ID or address of ban list": "شناسه‌ی اتاق یا آدرس لیست تحریم",
"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.": "اگر این چیزی نیست که شما می‌خواهید، از یک ابزار دیگر برای نادیده‌گرفتن کاربران استفاده نمائيد.",
"Subscribing to a ban list will cause you to join it!": "ثبت‌نام کردن در یک لیست تحریم باعث می‌شود شما هم عضو آن شوید!", "Subscribing to a ban list will cause you to join it!": "ثبت‌نام کردن در یک لیست تحریم باعث می‌شود شما هم عضو آن شوید!",
@ -1702,19 +1677,14 @@
"Messages containing my username": "پیام‌های حاوی نام کاربری من", "Messages containing my username": "پیام‌های حاوی نام کاربری من",
"Downloading logs": "در حال دریافت لاگ‌ها", "Downloading logs": "در حال دریافت لاگ‌ها",
"Uploading logs": "در حال بارگذاری لاگ‌ها", "Uploading logs": "در حال بارگذاری لاگ‌ها",
"Show chat effects (animations when receiving e.g. confetti)": "نمایش قابلیت‌های بصری (انیمیشن‌هایی مثل بارش برف یا کاغذ شادی هنگام دریافت پیام)",
"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.": "پیام‌ها باید چقدر سریع بارگیری شوند.",
"Enable message search in encrypted rooms": "فعال‌سازی قابلیت جستجو در اتاق‌های رمزشده", "Enable message search in encrypted rooms": "فعال‌سازی قابلیت جستجو در اتاق‌های رمزشده",
"Show previews/thumbnails for images": "پیش‌نمایش تصاویر را نشان بده",
"Show hidden events in timeline": "نمایش رخدادهای مخفی در گفتگو‌ها", "Show hidden events in timeline": "نمایش رخدادهای مخفی در گفتگو‌ها",
"Show shortcuts to recently viewed rooms above the room list": "نمایش میانبر در بالای لیست اتاق‌ها برای مشاهده‌ی اتاق‌هایی که اخیرا باز کرده‌اید",
"Prompt before sending invites to potentially invalid matrix IDs": "قبل از ارسال دعوت‌نامه برای کاربری که شناسه‌ی او احتمالا معتبر نیست، هشدا بده",
"Enable widget screenshots on supported widgets": "فعال‌سازی امکان اسکرین‌شات برای ویجت‌های پشتیبانی‌شده", "Enable widget screenshots on supported widgets": "فعال‌سازی امکان اسکرین‌شات برای ویجت‌های پشتیبانی‌شده",
"Enable URL previews by default for participants in this room": "امکان پیش‌نمایش URL را به صورت پیش‌فرض برای اعضای این اتاق فعال کن", "Enable URL previews by default for participants in this room": "امکان پیش‌نمایش URL را به صورت پیش‌فرض برای اعضای این اتاق فعال کن",
"Enable URL previews for this room (only affects you)": "فعال‌سازی پیش‌نمایش URL برای این اتاق (تنها شما را تحت تاثیر قرار می‌دهد)", "Enable URL previews for this room (only affects you)": "فعال‌سازی پیش‌نمایش URL برای این اتاق (تنها شما را تحت تاثیر قرار می‌دهد)",
"Enable inline URL previews by default": "فعال‌سازی پیش‌نمایش URL به صورت پیش‌فرض",
"Never send encrypted messages to unverified sessions in this room from this session": "هرگز از این نشست، پیام‌های رمزشده برای به نشست‌های تائید نشده در این اتاق ارسال مکن", "Never send encrypted messages to unverified sessions in this room from this session": "هرگز از این نشست، پیام‌های رمزشده برای به نشست‌های تائید نشده در این اتاق ارسال مکن",
"Never send encrypted messages to unverified sessions from this session": "هرگز از این نشست، پیام‌های رمزشده را به نشست‌های تائید نشده ارسال مکن", "Never send encrypted messages to unverified sessions from this session": "هرگز از این نشست، پیام‌های رمزشده را به نشست‌های تائید نشده ارسال مکن",
"Send analytics data": "ارسال داده‌های تجزیه و تحلیلی", "Send analytics data": "ارسال داده‌های تجزیه و تحلیلی",
@ -1722,12 +1692,6 @@
"Use a system font": "استفاده از یک فونت موجود بر روی سیستم شما", "Use a system font": "استفاده از یک فونت موجود بر روی سیستم شما",
"Match system theme": "با پوسته‌ی سیستم تطبیق پیدا کن", "Match system theme": "با پوسته‌ی سیستم تطبیق پیدا کن",
"Mirror local video feed": "تصویر خودتان را هنگام تماس تصویری برعکس (مثل آینه) نمایش بده", "Mirror local video feed": "تصویر خودتان را هنگام تماس تصویری برعکس (مثل آینه) نمایش بده",
"Automatically replace plain text Emoji": "متن ساده را به صورت خودکار با شکلک جایگزین کن",
"Use Ctrl + Enter to send a message": "استفاده از Ctrl + Enter برای ارسال پیام",
"Use Command + Enter to send a message": "استفاده از Command + Enter برای ارسال پیام",
"Show typing notifications": "نمایش اعلان «در حال نوشتن»",
"Send typing notifications": "ارسال اعلان «در حال نوشتن»",
"Enable big emoji in chat": "نمایش شکلک‌های بزرگ در گفتگوها را فعال کن",
"Space used:": "فضای مصرفی:", "Space used:": "فضای مصرفی:",
"Indexed messages:": "پیام‌های ایندکس‌شده:", "Indexed messages:": "پیام‌های ایندکس‌شده:",
"Send <b>%(eventType)s</b> events as you in this room": "رویدادهای <b>%(eventType)s</b> هنگامی که داخل این اتاق هستید ارسال شود", "Send <b>%(eventType)s</b> events as you in this room": "رویدادهای <b>%(eventType)s</b> هنگامی که داخل این اتاق هستید ارسال شود",
@ -1760,16 +1724,6 @@
"This event could not be displayed": "امکان نمایش این رخداد وجود ندارد", "This event could not be displayed": "امکان نمایش این رخداد وجود ندارد",
"Edit message": "ویرایش پیام", "Edit message": "ویرایش پیام",
"Send as message": "ارسال به عنوان پیام", "Send as message": "ارسال به عنوان پیام",
"Jump to the bottom of the timeline when you send a message": "زمانی که پیام ارسال می‌کنید، به صورت خودکار به آخرین پیام پرش کن",
"Show line numbers in code blocks": "شماره‌ی خط‌ها را در بلاک‌های کد نمایش بده",
"Expand code blocks by default": "بلاک‌های کد را به صورت پیش‌فرض کامل نشان بده",
"Enable automatic language detection for syntax highlighting": "فعال‌سازی تشخیص خودکار زبان برای پررنگ‌سازی نحوی",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "زمان را با فرمت ۱۲ ساعته نشان بده (مثلا ۲:۳۰ بعدازظهر)",
"Show read receipts sent by other users": "نشانه‌ی خوانده‌شدن پیام توسط دیگران را نشان بده",
"Show display name changes": "تغییرات نام کاربران را نشان بده",
"Show a placeholder for removed messages": "جای خالی پیام‌های پاک‌شده را نشان بده",
"Show stickers button": "نمایش دکمه‌ی استکیر",
"Enable Emoji suggestions while typing": "پیشنهاد دادن شکلک‌ها هنگام تایپ‌کردن را فعال کن",
"Use custom size": "از اندازه‌ی دلخواه استفاده کنید", "Use custom size": "از اندازه‌ی دلخواه استفاده کنید",
"Font size": "اندازه فونت", "Font size": "اندازه فونت",
"Repeats like \"abcabcabc\" are only slightly harder to guess than \"abc\"": "تکرارهایی مانند \"abcabcabc\" تنها مقداری سخت‌تر از \"abc\" قابل حدس‌زدن هستند", "Repeats like \"abcabcabc\" are only slightly harder to guess than \"abc\"": "تکرارهایی مانند \"abcabcabc\" تنها مقداری سخت‌تر از \"abc\" قابل حدس‌زدن هستند",
@ -2303,13 +2257,9 @@
"Jump to end of the composer": "پرش به انتهای نوشته", "Jump to end of the composer": "پرش به انتهای نوشته",
"Toggle Code Block": "تغییر بلاک کد", "Toggle Code Block": "تغییر بلاک کد",
"Toggle Link": "تغییر لینک", "Toggle Link": "تغییر لینک",
"Enable Markdown": "Markdown را فعال کن",
"Displaying time": "نمایش زمان", "Displaying time": "نمایش زمان",
"Use Ctrl + F to search timeline": "جهت جستجوی تایم لاین ترکیب کلیدهای Ctrl و F را بکار ببر",
"To view all keyboard shortcuts, <a>click here</a>.": "برای مشاهده تمام میانبرهای صفحه کلید <a>اینجا را کلیک کنید</a>.", "To view all keyboard shortcuts, <a>click here</a>.": "برای مشاهده تمام میانبرهای صفحه کلید <a>اینجا را کلیک کنید</a>.",
"All rooms you're in will appear in Home.": "تمام اتاق هایی که در آن ها عضو هستید در صفحه ی خانه ظاهر خواهند شد.",
"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.": "تمامی اتاق ها را در صفحه ی خانه نمایش بده، حتی آنهایی که در یک فضا هستند.",
"Show all rooms in Home": "تمامی اتاق ها را در صفحه ی خانه نشان بده",
"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": "منشن ها و کلمات کلیدی",
"New keyword": "کلمه کلیدی جدید", "New keyword": "کلمه کلیدی جدید",
@ -2651,5 +2601,59 @@
"short_hours": "%(value)sh", "short_hours": "%(value)sh",
"short_minutes": "%(value)sم", "short_minutes": "%(value)sم",
"short_seconds": "%(value)sس" "short_seconds": "%(value)sس"
},
"devtools": {
"event_type": "نوع رخداد",
"state_key": "کلید حالت",
"event_sent": "رخداد ارسال شد!",
"event_content": "محتوای رخداد",
"save_setting_values": "ذخیره مقادیر تنظیمات",
"setting_colon": "تنظیم:",
"caution_colon": "احتیاط:",
"use_at_own_risk": "این واسط کاربری تایپ مقادیر را بررسی نمی‌کند. با مسئولیت خود استفاده کنید.",
"setting_definition": "تعریف تنظیم:",
"level": "سطح",
"settable_global": "قابل تنظیم به شکل سراسری",
"settable_room": "قابل تنظیم در اتاق",
"values_explicit": "مقادیر در سطوح مشخص",
"values_explicit_room": "مقادیر در سطوح مشخص در این اتاق",
"value_colon": "مقدار:",
"value_this_room_colon": "مقدار در این اتاق:",
"values_explicit_colon": "مقدار در سطوح مشخص:",
"values_explicit_this_room_colon": "مقادیر در سطوح مشخص در این اتاق:",
"setting_id": "شناسه تنظیم",
"value": "مقدار",
"value_in_this_room": "مقدار در این اتاق",
"failed_to_find_widget": "هنگام یافتن این ابزارک خطایی روی داد."
},
"settings": {
"show_breadcrumbs": "نمایش میانبر در بالای لیست اتاق‌ها برای مشاهده‌ی اتاق‌هایی که اخیرا باز کرده‌اید",
"all_rooms_home_description": "تمام اتاق هایی که در آن ها عضو هستید در صفحه ی خانه ظاهر خواهند شد.",
"use_control_f_search": "جهت جستجوی تایم لاین ترکیب کلیدهای Ctrl و F را بکار ببر",
"use_12_hour_format": "زمان را با فرمت ۱۲ ساعته نشان بده (مثلا ۲:۳۰ بعدازظهر)",
"always_show_message_timestamps": "همیشه مهر زمان‌های پیام را نشان بده",
"send_typing_notifications": "ارسال اعلان «در حال نوشتن»",
"replace_plain_emoji": "متن ساده را به صورت خودکار با شکلک جایگزین کن",
"enable_markdown": "Markdown را فعال کن",
"emoji_autocomplete": "پیشنهاد دادن شکلک‌ها هنگام تایپ‌کردن را فعال کن",
"use_command_enter_send_message": "استفاده از Command + Enter برای ارسال پیام",
"use_control_enter_send_message": "استفاده از Ctrl + Enter برای ارسال پیام",
"all_rooms_home": "تمامی اتاق ها را در صفحه ی خانه نشان بده",
"show_stickers_button": "نمایش دکمه‌ی استکیر",
"automatic_language_detection_syntax_highlight": "فعال‌سازی تشخیص خودکار زبان برای پررنگ‌سازی نحوی",
"code_block_expand_default": "بلاک‌های کد را به صورت پیش‌فرض کامل نشان بده",
"code_block_line_numbers": "شماره‌ی خط‌ها را در بلاک‌های کد نمایش بده",
"inline_url_previews_default": "فعال‌سازی پیش‌نمایش URL به صورت پیش‌فرض",
"image_thumbnails": "پیش‌نمایش تصاویر را نشان بده",
"show_typing_notifications": "نمایش اعلان «در حال نوشتن»",
"show_redaction_placeholder": "جای خالی پیام‌های پاک‌شده را نشان بده",
"show_read_receipts": "نشانه‌ی خوانده‌شدن پیام توسط دیگران را نشان بده",
"show_displayname_changes": "تغییرات نام کاربران را نشان بده",
"show_chat_effects": "نمایش قابلیت‌های بصری (انیمیشن‌هایی مثل بارش برف یا کاغذ شادی هنگام دریافت پیام)",
"big_emoji": "نمایش شکلک‌های بزرگ در گفتگوها را فعال کن",
"jump_to_bottom_on_send": "زمانی که پیام ارسال می‌کنید، به صورت خودکار به آخرین پیام پرش کن",
"prompt_invite": "قبل از ارسال دعوت‌نامه برای کاربری که شناسه‌ی او احتمالا معتبر نیست، هشدا بده",
"start_automatically": "پس از ورود به سیستم به صورت خودکار آغاز کن",
"warn_quit": "قبل از خروج هشدا بده"
} }
} }

View file

@ -14,7 +14,6 @@
"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", "Advanced": "Lisäasetukset",
"Always show message timestamps": "Näytä aina viestien aikaleimat",
"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.",
@ -104,7 +103,6 @@
"other": "Lähetetään %(filename)s ja %(count)s muuta" "other": "Lähetetään %(filename)s ja %(count)s muuta"
}, },
"%(senderDisplayName)s changed the room name to %(roomName)s.": "%(senderDisplayName)s vaihtoi huoneen nimeksi %(roomName)s.", "%(senderDisplayName)s changed the room name to %(roomName)s.": "%(senderDisplayName)s vaihtoi huoneen nimeksi %(roomName)s.",
"Enable automatic language detection for syntax highlighting": "Ota automaattinen kielentunnistus käyttöön syntaksikorostusta varten",
"Hangup": "Lopeta", "Hangup": "Lopeta",
"Historical": "Vanhat", "Historical": "Vanhat",
"Home": "Etusivu", "Home": "Etusivu",
@ -145,7 +143,6 @@
"other": "(~%(count)s tulosta)" "other": "(~%(count)s tulosta)"
}, },
"New Password": "Uusi salasana", "New Password": "Uusi salasana",
"Start automatically after system login": "Käynnistä automaattisesti käyttöjärjestelmään kirjautumisen jälkeen",
"Passphrases must match": "Salasanojen on täsmättävä", "Passphrases must match": "Salasanojen on täsmättävä",
"Passphrase must not be empty": "Salasana ei saa olla tyhjä", "Passphrase must not be empty": "Salasana ei saa olla tyhjä",
"Export room keys": "Vie huoneen avaimet", "Export room keys": "Vie huoneen avaimet",
@ -172,7 +169,6 @@
"%(roomName)s is not accessible at this time.": "%(roomName)s ei ole saatavilla tällä hetkellä.", "%(roomName)s is not accessible at this time.": "%(roomName)s ei ole saatavilla tällä hetkellä.",
"%(senderDisplayName)s sent an image.": "%(senderDisplayName)s lähetti kuvan.", "%(senderDisplayName)s sent an image.": "%(senderDisplayName)s lähetti kuvan.",
"%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": "%(senderName)s kutsui käyttäjän %(targetDisplayName)s liittymään huoneeseen.", "%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": "%(senderName)s kutsui käyttäjän %(targetDisplayName)s liittymään huoneeseen.",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "Näytä aikaleimat 12 tunnin muodossa (esim. 2:30pm)",
"Signed Out": "Uloskirjautunut", "Signed Out": "Uloskirjautunut",
"Start authentication": "Aloita tunnistus", "Start authentication": "Aloita tunnistus",
"Unable to add email address": "Sähköpostiosoitteen lisääminen epäonnistui", "Unable to add email address": "Sähköpostiosoitteen lisääminen epäonnistui",
@ -235,9 +231,7 @@
"%(senderName)s made future room history visible to anyone.": "%(senderName)s teki tulevan huonehistorian näkyväksi kaikille.", "%(senderName)s made future room history visible to anyone.": "%(senderName)s teki tulevan huonehistorian näkyväksi kaikille.",
"%(senderName)s made future room history visible to unknown (%(visibility)s).": "%(senderName)s asetti tulevan huonehistorian näkyvyydeksi tuntemattoman arvon (%(visibility)s).", "%(senderName)s made future room history visible to unknown (%(visibility)s).": "%(senderName)s asetti tulevan huonehistorian näkyvyydeksi tuntemattoman arvon (%(visibility)s).",
"%(senderName)s changed the pinned messages for the room.": "%(senderName)s vaihtoi huoneen kiinnitettyjä viestejä.", "%(senderName)s changed the pinned messages for the room.": "%(senderName)s vaihtoi huoneen kiinnitettyjä viestejä.",
"Automatically replace plain text Emoji": "Korvaa automaattisesti teksimuotoiset emojit",
"Mirror local video feed": "Peilaa paikallinen videosyöte", "Mirror local video feed": "Peilaa paikallinen videosyöte",
"Enable inline URL previews by default": "Ota linkkien esikatselu käyttöön oletusarvoisesti",
"Enable URL previews for this room (only affects you)": "Ota linkkien esikatselut käyttöön tässä huoneessa (koskee ainoastaan sinua)", "Enable URL previews for this room (only affects you)": "Ota linkkien esikatselut käyttöön tässä huoneessa (koskee ainoastaan sinua)",
"Enable URL previews by default for participants in this room": "Ota linkkien esikatselu käyttöön kaikille huoneen jäsenille", "Enable URL previews by default for participants in this room": "Ota linkkien esikatselu käyttöön kaikille huoneen jäsenille",
"Unignore": "Huomioi käyttäjä jälleen", "Unignore": "Huomioi käyttäjä jälleen",
@ -409,7 +403,6 @@
"All messages": "Kaikki viestit", "All messages": "Kaikki viestit",
"Call invitation": "Puhelukutsu", "Call invitation": "Puhelukutsu",
"Messages containing my display name": "Viestit, jotka sisältävät näyttönimeni", "Messages containing my display name": "Viestit, jotka sisältävät näyttönimeni",
"State Key": "Tila-avain",
"What's new?": "Mitä uutta?", "What's new?": "Mitä uutta?",
"When I'm invited to a room": "Kun minut kutsutaan huoneeseen", "When I'm invited to a room": "Kun minut kutsutaan huoneeseen",
"Invite to this room": "Kutsu käyttäjiä", "Invite to this room": "Kutsu käyttäjiä",
@ -423,9 +416,6 @@
"Off": "Ei päällä", "Off": "Ei päällä",
"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",
"Event Type": "Tapahtuman tyyppi",
"Event sent!": "Tapahtuma lähetetty!",
"Event Content": "Tapahtuman sisältö",
"Thank you!": "Kiitos!", "Thank you!": "Kiitos!",
"Send an encrypted reply…": "Lähetä salattu vastaus…", "Send an encrypted reply…": "Lähetä salattu vastaus…",
"Send an encrypted message…": "Lähetä salattu viesti…", "Send an encrypted message…": "Lähetä salattu viesti…",
@ -547,8 +537,6 @@
"Send analytics data": "Lähetä analytiikkatietoja", "Send analytics data": "Lähetä analytiikkatietoja",
"No Audio Outputs detected": "Äänen ulostuloja ei havaittu", "No Audio Outputs detected": "Äänen ulostuloja ei havaittu",
"Audio Output": "Äänen ulostulo", "Audio Output": "Äänen ulostulo",
"Enable Emoji suggestions while typing": "Näytä emoji-ehdotuksia kirjoittaessa",
"Send typing notifications": "Lähetä kirjoitusilmoituksia",
"Room list": "Huoneluettelo", "Room list": "Huoneluettelo",
"Go to Settings": "Siirry asetuksiin", "Go to Settings": "Siirry asetuksiin",
"Success!": "Onnistui!", "Success!": "Onnistui!",
@ -634,9 +622,6 @@
"Common names and surnames are easy to guess": "Yleiset nimet ja sukunimet ovat helppoja arvata", "Common names and surnames are easy to guess": "Yleiset nimet ja sukunimet ovat helppoja arvata",
"Straight rows of keys are easy to guess": "Näppäimistössä peräkkäin olevat merkit ovat helppoja arvata", "Straight rows of keys are easy to guess": "Näppäimistössä peräkkäin olevat merkit ovat helppoja arvata",
"Short keyboard patterns are easy to guess": "Lyhyet näppäinsarjat ovat helppoja arvata", "Short keyboard patterns are easy to guess": "Lyhyet näppäinsarjat ovat helppoja arvata",
"Show display name changes": "Näytä näyttönimien muutokset",
"Enable big emoji in chat": "Ota käyttöön suuret emojit keskusteluissa",
"Prompt before sending invites to potentially invalid matrix IDs": "Kysy varmistus ennen kutsujen lähettämistä mahdollisesti epäkelpoihin Matrix ID:hin",
"Messages containing my username": "Viestit, jotka sisältävät käyttäjätunnukseni", "Messages containing my username": "Viestit, jotka sisältävät käyttäjätunnukseni",
"Messages containing @room": "Viestit, jotka sisältävät sanan ”@room”", "Messages containing @room": "Viestit, jotka sisältävät sanan ”@room”",
"Secure messages with this user are end-to-end encrypted and not able to be read by third parties.": "Turvalliset viestit tämän käyttäjän kanssa ovat salattuja päästä päähän, eivätkä kolmannet osapuolet voi lukea niitä.", "Secure messages with this user are end-to-end encrypted and not able to be read by third parties.": "Turvalliset viestit tämän käyttäjän kanssa ovat salattuja päästä päähän, eivätkä kolmannet osapuolet voi lukea niitä.",
@ -662,8 +647,6 @@
"Share Room Message": "Jaa huoneviesti", "Share Room Message": "Jaa huoneviesti",
"Use a longer keyboard pattern with more turns": "Käytä pidempiä näppäinyhdistelmiä, joissa on enemmän suunnanmuutoksia", "Use a longer keyboard pattern with more turns": "Käytä pidempiä näppäinyhdistelmiä, joissa on enemmän suunnanmuutoksia",
"Changes your display nickname in the current room only": "Vaihtaa näyttönimesi vain nykyisessä huoneessa", "Changes your display nickname in the current room only": "Vaihtaa näyttönimesi vain nykyisessä huoneessa",
"Show a placeholder for removed messages": "Näytä paikanpitäjä poistetuille viesteille",
"Show read receipts sent by other users": "Näytä muiden käyttäjien lukukuittaukset",
"Got It": "Ymmärretty", "Got It": "Ymmärretty",
"Scissors": "Sakset", "Scissors": "Sakset",
"%(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",
@ -960,7 +943,6 @@
"Create a public room": "Luo julkinen huone", "Create a public room": "Luo julkinen huone",
"Create a private room": "Luo yksityinen huone", "Create a private room": "Luo yksityinen huone",
"Topic (optional)": "Aihe (valinnainen)", "Topic (optional)": "Aihe (valinnainen)",
"Show previews/thumbnails for images": "Näytä kuvien esikatselut/pienoiskuvat",
"Clear cache and reload": "Tyhjennä välimuisti ja lataa uudelleen", "Clear cache and reload": "Tyhjennä välimuisti ja lataa uudelleen",
"%(count)s unread messages including mentions.": { "%(count)s unread messages including mentions.": {
"other": "%(count)s lukematonta viestiä, sisältäen maininnat.", "other": "%(count)s lukematonta viestiä, sisältäen maininnat.",
@ -1147,7 +1129,6 @@
"%(num)s hours ago": "%(num)s tuntia sitten", "%(num)s hours ago": "%(num)s tuntia sitten",
"about a day ago": "noin päivä sitten", "about a day ago": "noin päivä sitten",
"%(num)s days ago": "%(num)s päivää sitten", "%(num)s days ago": "%(num)s päivää sitten",
"Show typing notifications": "Näytä kirjoitusilmoitukset",
"To be secure, do this in person or use a trusted way to communicate.": "Turvallisuuden varmistamiseksi tee tämä kasvokkain tai käytä luotettua viestintätapaa.", "To be secure, do this in person or use a trusted way to communicate.": "Turvallisuuden varmistamiseksi tee tämä kasvokkain tai käytä luotettua viestintätapaa.",
"Later": "Myöhemmin", "Later": "Myöhemmin",
"Show less": "Näytä vähemmän", "Show less": "Näytä vähemmän",
@ -1226,7 +1207,6 @@
"%(senderName)s changed the main and alternative addresses for this room.": "%(senderName)s muutti tämän huoneen pää- sekä vaihtoehtoisia osoitteita.", "%(senderName)s changed the main and alternative addresses for this room.": "%(senderName)s muutti tämän huoneen pää- sekä vaihtoehtoisia osoitteita.",
"%(senderName)s changed the addresses for this room.": "%(senderName)s muutti tämän huoneen osoitteita.", "%(senderName)s changed the addresses for this room.": "%(senderName)s muutti tämän huoneen osoitteita.",
"%(name)s (%(userId)s) signed in to a new session without verifying it:": "%(name)s (%(userId)s) kirjautui uudella istunnolla varmentamatta sitä:", "%(name)s (%(userId)s) signed in to a new session without verifying it:": "%(name)s (%(userId)s) kirjautui uudella istunnolla varmentamatta sitä:",
"Show shortcuts to recently viewed rooms above the room list": "Näytä oikotiet viimeksi katsottuihin huoneisiin huoneluettelon yläpuolella",
"Enable message search in encrypted rooms": "Ota viestihaku salausta käyttävissä huoneissa käyttöön", "Enable message search in encrypted rooms": "Ota viestihaku salausta käyttävissä huoneissa käyttöön",
"How fast should messages be downloaded.": "Kuinka nopeasti viestit pitäisi ladata.", "How fast should messages be downloaded.": "Kuinka nopeasti viestit pitäisi ladata.",
"Scan this unique code": "Skannaa tämä uniikki koodi", "Scan this unique code": "Skannaa tämä uniikki koodi",
@ -1477,8 +1457,6 @@
"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", "Unknown caller": "Tuntematon soittaja",
"Use Ctrl + Enter to send a message": "Ctrl + Enter lähettää viestin",
"Use Command + Enter to send a message": "Komento + Enter lähettää viestin",
"%(senderName)s ended the call": "%(senderName)s lopetti puhelun", "%(senderName)s ended the call": "%(senderName)s lopetti puhelun",
"You ended the call": "Lopetit 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",
@ -1925,9 +1903,6 @@
"Converts the DM to a room": "Muuntaa yksityisviestin huoneeksi", "Converts the DM to a room": "Muuntaa yksityisviestin huoneeksi",
"Converts the room to a DM": "Muuntaa huoneen yksityisviestiksi", "Converts the room to a DM": "Muuntaa huoneen yksityisviestiksi",
"Add users and servers you want to ignore here. Use asterisks to have %(brand)s match any characters. For example, <code>@bot:*</code> would ignore all users that have the name 'bot' on any server.": "Lisää tähän käyttäjät ja palvelimet, jotka haluat sivuuttaa. Asteriski täsmää mihin tahansa merkkiin. Esimerkiksi <code>@bot:*</code> sivuuttaa kaikki käyttäjät, joiden nimessä on \"bot\".", "Add users and servers you want to ignore here. Use asterisks to have %(brand)s match any characters. For example, <code>@bot:*</code> would ignore all users that have the name 'bot' on any server.": "Lisää tähän käyttäjät ja palvelimet, jotka haluat sivuuttaa. Asteriski täsmää mihin tahansa merkkiin. Esimerkiksi <code>@bot:*</code> sivuuttaa kaikki käyttäjät, joiden nimessä on \"bot\".",
"Show stickers button": "Näytä tarrapainike",
"Expand code blocks by default": "Laajenna koodilohkot oletuksena",
"Show line numbers in code blocks": "Näytä rivinumerot koodilohkoissa",
"Recently visited rooms": "Hiljattain vieraillut huoneet", "Recently visited rooms": "Hiljattain vieraillut huoneet",
"You might disable this if the room will be used for collaborating with external teams who have their own homeserver. This cannot be changed later.": "Voi olla paikallaan poistaa tämä käytöstä, jos huonetta käyttävät myös ulkoiset tiimit joilla on oma kotipalvelimensa. Asetusta ei voi muuttaa myöhemmin.", "You might disable this if the room will be used for collaborating with external teams who have their own homeserver. This cannot be changed later.": "Voi olla paikallaan poistaa tämä käytöstä, jos huonetta käyttävät myös ulkoiset tiimit joilla on oma kotipalvelimensa. Asetusta ei voi muuttaa myöhemmin.",
"You might enable this if the room will only be used for collaborating with internal teams on your homeserver. This cannot be changed later.": "Voi olla paikallaan ottaa tämä käyttöön, jos huonetta käyttävät vain sisäiset tiimit kotipalvelimellasi. Asetusta ei voi muuttaa myöhemmin.", "You might enable this if the room will only be used for collaborating with internal teams on your homeserver. This cannot be changed later.": "Voi olla paikallaan ottaa tämä käyttöön, jos huonetta käyttävät vain sisäiset tiimit kotipalvelimellasi. Asetusta ei voi muuttaa myöhemmin.",
@ -1954,18 +1929,6 @@
"Remember this": "Muista tämä", "Remember this": "Muista tämä",
"Save Changes": "Tallenna muutokset", "Save Changes": "Tallenna muutokset",
"Invite to %(roomName)s": "Kutsu huoneeseen %(roomName)s", "Invite to %(roomName)s": "Kutsu huoneeseen %(roomName)s",
"Value in this room:": "Arvo tässä huoneessa:",
"Value:": "Arvo:",
"Save setting values": "Tallenna asetusarvot",
"Settable at room": "Asetettavissa huoneessa",
"Settable at global": "Asetettavissa globaalisti",
"Level": "Taso",
"Setting definition:": "Asetuksen määritelmä:",
"This UI does NOT check the types of the values. Use at your own risk.": "Tämä käyttöliittymä EI tarkista arvojen tyyppejä. Käytä omalla vastuullasi.",
"Caution:": "Varoitus:",
"Setting:": "Asetus:",
"Value in this room": "Arvo tässä huoneessa",
"Value": "Arvo",
"Create a new room": "Luo uusi huone", "Create a new room": "Luo uusi huone",
"Edit devices": "Muokkaa laitteita", "Edit devices": "Muokkaa laitteita",
"Empty room": "Tyhjä huone", "Empty room": "Tyhjä huone",
@ -1977,8 +1940,6 @@
"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.",
"Show chat effects (animations when receiving e.g. confetti)": "Näytä keskustelutehosteet (animaatiot, kun saat esim. konfettia)",
"Jump to the bottom of the timeline when you send a message": "Siirry aikajanan pohjalle, kun lähetät viestin",
"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.", "You're already in a call with this person.": "Olet jo puhelussa tämän henkilön kanssa.",
"Already in call": "Olet jo puhelussa", "Already in call": "Olet jo puhelussa",
@ -2022,7 +1983,6 @@
"Unable to access your microphone": "Mikrofonia ei voi käyttää", "Unable to access your microphone": "Mikrofonia ei voi käyttää",
"Failed to send": "Lähettäminen epäonnistui", "Failed to send": "Lähettäminen epäonnistui",
"You have no ignored users.": "Et ole sivuuttanut käyttäjiä.", "You have no ignored users.": "Et ole sivuuttanut käyttäjiä.",
"Warn before quitting": "Varoita ennen lopettamista",
"Manage & explore rooms": "Hallitse ja selaa huoneita", "Manage & explore rooms": "Hallitse ja selaa huoneita",
"Connecting": "Yhdistetään", "Connecting": "Yhdistetään",
"unknown person": "tuntematon henkilö", "unknown person": "tuntematon henkilö",
@ -2173,8 +2133,6 @@
"Private space": "Yksityinen avaruus", "Private space": "Yksityinen avaruus",
"Private space (invite only)": "Yksityinen avaruus (vain kutsulla)", "Private space (invite only)": "Yksityinen avaruus (vain kutsulla)",
"Visible to space members": "Näkyvissä avaruuden jäsenille", "Visible to space members": "Näkyvissä avaruuden jäsenille",
"Autoplay videos": "Toista videot automaattisesti",
"Autoplay GIFs": "Toista GIF-tiedostot automaattisesti",
"Images, GIFs and videos": "Kuvat, GIF:t ja videot", "Images, GIFs and videos": "Kuvat, GIF:t ja videot",
"Code blocks": "Koodilohkot", "Code blocks": "Koodilohkot",
"Keyboard shortcuts": "Pikanäppäimet", "Keyboard shortcuts": "Pikanäppäimet",
@ -2247,7 +2205,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ä",
"Use Ctrl + F to search timeline": "Ctrl + F hakee aikajanalta",
"%(senderName)s unpinned <a>a message</a> from this room. See all <b>pinned messages</b>.": "%(senderName)s poisti <a>viestin</a> kiinnityksen tästä huoneesta. Katso kaikki <b>kiinnitetyt viestit</b>.", "%(senderName)s unpinned <a>a message</a> from this room. See all <b>pinned messages</b>.": "%(senderName)s poisti <a>viestin</a> kiinnityksen tästä huoneesta. Katso kaikki <b>kiinnitetyt viestit</b>.",
"%(senderName)s pinned <a>a message</a> to this room. See all <b>pinned messages</b>.": "%(senderName)s kiinnitti <a>viestin</a> tähän huoneeseen. Katso kaikki <b>kiinnitetyt viestit</b>.", "%(senderName)s pinned <a>a message</a> to this room. See all <b>pinned messages</b>.": "%(senderName)s kiinnitti <a>viestin</a> tähän huoneeseen. Katso kaikki <b>kiinnitetyt viestit</b>.",
"Silence call": "Hiljennä puhelu", "Silence call": "Hiljennä puhelu",
@ -2300,7 +2257,6 @@
"Message search initialisation failed": "Viestihaun alustus epäonnistui", "Message search initialisation failed": "Viestihaun alustus epäonnistui",
"More": "Lisää", "More": "Lisää",
"Developer mode": "Kehittäjätila", "Developer mode": "Kehittäjätila",
"Use Command + F to search timeline": "Komento + F hakee aikajanalta",
"This is the start of export of <roomName/>. Exported by <exporterDetails/> at %(exportDate)s.": "Tämä on huoneen <roomName/> viennin alku. Vienyt <exporterDetails/> %(exportDate)s.", "This is the start of export of <roomName/>. Exported by <exporterDetails/> at %(exportDate)s.": "Tämä on huoneen <roomName/> viennin alku. Vienyt <exporterDetails/> %(exportDate)s.",
"Media omitted - file size limit exceeded": "Media jätetty pois tiedoston kokoraja ylitetty", "Media omitted - file size limit exceeded": "Media jätetty pois tiedoston kokoraja ylitetty",
"Media omitted": "Media jätetty pois", "Media omitted": "Media jätetty pois",
@ -2326,8 +2282,6 @@
"Add some details to help people recognise it.": "Lisää joitain tietoja, jotta ihmiset tunnistavat sen.", "Add some details to help people recognise it.": "Lisää joitain tietoja, jotta ihmiset tunnistavat sen.",
"Pin to sidebar": "Kiinnitä sivupalkkiin", "Pin to sidebar": "Kiinnitä sivupalkkiin",
"Quick settings": "Pika-asetukset", "Quick settings": "Pika-asetukset",
"All rooms you're in will appear in Home.": "Kaikki huoneet, joissa olet, näkyvät etusivulla.",
"Show all rooms in Home": "Näytä kaikki huoneet etusivulla",
"Use a more compact 'Modern' layout": "Käytä entistä kompaktimpaa, \"Modernia\", asettelua", "Use a more compact 'Modern' layout": "Käytä entistä kompaktimpaa, \"Modernia\", asettelua",
"Experimental": "Kokeellinen", "Experimental": "Kokeellinen",
"Themes": "Teemat", "Themes": "Teemat",
@ -2467,7 +2421,6 @@
"Access": "Pääsy", "Access": "Pääsy",
"sends rainfall": "lähettää vesisadetta", "sends rainfall": "lähettää vesisadetta",
"Sends the given message with rainfall": "Lähettää viestin vesisateen kera", "Sends the given message with rainfall": "Lähettää viestin vesisateen kera",
"Show join/leave messages (invites/removes/bans unaffected)": "Näytä liittymis- ja poistumisviestit (ei vaikutusta kutsuihin, poistamisiin ja porttikieltoihin)",
"Room members": "Huoneen jäsenet", "Room members": "Huoneen jäsenet",
"Back to chat": "Takaisin keskusteluun", "Back to chat": "Takaisin keskusteluun",
"Share anonymous data to help us identify issues. Nothing personal. No third parties. <LearnMoreLink>Learn More</LearnMoreLink>": "Jaa anonyymiä tietoa ongelmien tunnistamiseksi. Ei mitään henkilökohtaista. Ei kolmansia tahoja. <LearnMoreLink>Lue lisää</LearnMoreLink>", "Share anonymous data to help us identify issues. Nothing personal. No third parties. <LearnMoreLink>Learn More</LearnMoreLink>": "Jaa anonyymiä tietoa ongelmien tunnistamiseksi. Ei mitään henkilökohtaista. Ei kolmansia tahoja. <LearnMoreLink>Lue lisää</LearnMoreLink>",
@ -2556,7 +2509,6 @@
"No virtual room for this room": "Tällä huoneella ei ole virtuaalihuonetta", "No virtual room for this room": "Tällä huoneella ei ole virtuaalihuonetta",
"Switches to this room's virtual room, if it has one": "Vaihtaa tämän huoneen virtuaalihuoneeseen, mikäli huoneella sellainen on", "Switches to this room's virtual room, if it has one": "Vaihtaa tämän huoneen virtuaalihuoneeseen, mikäli huoneella sellainen on",
"Removes user with given id from this room": "Poistaa tunnuksen mukaisen käyttäjän tästä huoneesta", "Removes user with given id from this room": "Poistaa tunnuksen mukaisen käyttäjän tästä huoneesta",
"Failed to send event!": "Tapahtuman lähettäminen epäonnistui!",
"Recent searches": "Viimeaikaiset haut", "Recent searches": "Viimeaikaiset haut",
"Other searches": "Muut haut", "Other searches": "Muut haut",
"Public rooms": "Julkiset huoneet", "Public rooms": "Julkiset huoneet",
@ -2650,28 +2602,8 @@
"Start audio stream": "Käynnistä äänen suoratoisto", "Start audio stream": "Käynnistä äänen suoratoisto",
"Unable to start audio streaming.": "Äänen suoratoiston aloittaminen ei onnistu.", "Unable to start audio streaming.": "Äänen suoratoiston aloittaminen ei onnistu.",
"Open in OpenStreetMap": "Avaa OpenStreetMapissa", "Open in OpenStreetMap": "Avaa OpenStreetMapissa",
"No verification requests found": "Vahvistuspyyntöjä ei löytynyt",
"Observe only": "Tarkkaile ainoastaan",
"Requester": "Pyytäjä",
"Methods": "Menetelmät",
"Timeout": "Aikakatkaisu",
"Phase": "Vaihe",
"Transaction": "Transaktio",
"Cancelled": "Peruttu",
"Started": "Käynnistetty",
"Ready": "Valmis",
"Requested": "Pyydetty",
"Edit setting": "Muokkaa asetusta",
"Edit values": "Muokkaa arvoja",
"Failed to save settings.": "Asetusten tallentaminen epäonnistui.",
"Number of users": "Käyttäjämäärä",
"Server": "Palvelin",
"Failed to load.": "Lataaminen epäonnistui.",
"Capabilities": "Kyvykkyydet",
"Doesn't look like valid JSON.": "Ei vaikuta kelvolliselta JSON:ilta.",
"Verify other device": "Vahvista toinen laite", "Verify other device": "Vahvista toinen laite",
"Use <arrows/> to scroll": "Käytä <arrows/> vierittääksesi", "Use <arrows/> to scroll": "Käytä <arrows/> vierittääksesi",
"Clear": "Tyhjennä",
"Join %(roomAddress)s": "Liity %(roomAddress)s", "Join %(roomAddress)s": "Liity %(roomAddress)s",
"Link to room": "Linkitä huoneeseen", "Link to room": "Linkitä huoneeseen",
"Matrix.org is the biggest public homeserver in the world, so it's a good place for many.": "Matrix.org on maailman suurin julkinen kotipalvelin, joten se on hyvä valinta useimmille.", "Matrix.org is the biggest public homeserver in the world, so it's a good place for many.": "Matrix.org on maailman suurin julkinen kotipalvelin, joten se on hyvä valinta useimmille.",
@ -2725,7 +2657,6 @@
"%(members)s and %(last)s": "%(members)s ja %(last)s", "%(members)s and %(last)s": "%(members)s ja %(last)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>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.",
"Enable hardware acceleration (restart %(appName)s to take effect)": "Ota laitteistokiihdytys käyttöön (käynnistä %(appName)s uudelleen, jotta asetus tulee voimaan)",
"Your password was successfully changed.": "Salasanasi vaihtaminen onnistui.", "Your password was successfully changed.": "Salasanasi vaihtaminen onnistui.",
"Turn on camera": "Laita kamera päälle", "Turn on camera": "Laita kamera päälle",
"Turn off camera": "Sammuta kamera", "Turn off camera": "Sammuta kamera",
@ -2739,8 +2670,6 @@
}, },
"sends hearts": "lähettää sydämiä", "sends hearts": "lähettää sydämiä",
"Sends the given message with hearts": "Lähettää viestin sydämien kera", "Sends the given message with hearts": "Lähettää viestin sydämien kera",
"Enable Markdown": "Ota Markdown käyttöön",
"Insert a trailing colon after user mentions at the start of a message": "Lisää kaksoispiste käyttäjän maininnan perään viestin alussa",
"Developer": "Kehittäjä", "Developer": "Kehittäjä",
"Connection lost": "Yhteys menetettiin", "Connection lost": "Yhteys menetettiin",
"Sorry, your homeserver is too old to participate here.": "Kotipalvelimesi on liian vanha osallistumaan tänne.", "Sorry, your homeserver is too old to participate here.": "Kotipalvelimesi on liian vanha osallistumaan tänne.",
@ -2765,11 +2694,6 @@
"Cameras": "Kamerat", "Cameras": "Kamerat",
"Output devices": "Ulostulolaitteet", "Output devices": "Ulostulolaitteet",
"Input devices": "Sisääntulolaitteet", "Input devices": "Sisääntulolaitteet",
"Client Versions": "Asiakasversiot",
"Server Versions": "Palvelinversiot",
"<%(count)s spaces>": {
"other": "<%(count)s avaruutta>"
},
"Click the button below to confirm setting up encryption.": "Napsauta alla olevaa painiketta vahvistaaksesi salauksen asettamisen.", "Click the button below to confirm setting up encryption.": "Napsauta alla olevaa painiketta vahvistaaksesi salauksen asettamisen.",
"Forgotten or lost all recovery methods? <a>Reset all</a>": "Unohtanut tai kadottanut kaikki palautustavat? <a>Nollaa kaikki</a>", "Forgotten or lost all recovery methods? <a>Reset all</a>": "Unohtanut tai kadottanut kaikki palautustavat? <a>Nollaa kaikki</a>",
"Open room": "Avaa huone", "Open room": "Avaa huone",
@ -3003,7 +2927,6 @@
"Its what youre here for, so lets get to it": "Sen vuoksi olet täällä, joten aloitetaan", "Its what youre here for, so lets get to it": "Sen vuoksi olet täällä, joten aloitetaan",
"Find and invite your friends": "Etsi ja kutsu ystäviä", "Find and invite your friends": "Etsi ja kutsu ystäviä",
"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ä",
"Send read receipts": "Lähetä lukukuittaukset",
"Notifications silenced": "Ilmoitukset hiljennetty", "Notifications silenced": "Ilmoitukset hiljennetty",
"Video call started": "Videopuhelu aloitettu", "Video call started": "Videopuhelu aloitettu",
"Unknown room": "Tuntematon huone", "Unknown room": "Tuntematon huone",
@ -3213,7 +3136,6 @@
"Saving…": "Tallennetaan…", "Saving…": "Tallennetaan…",
"Creating…": "Luodaan…", "Creating…": "Luodaan…",
"Verify Session": "Vahvista istunto", "Verify Session": "Vahvista istunto",
"Show NSFW content": "Näytä NSFW-sisältö",
"unknown": "tuntematon", "unknown": "tuntematon",
"Red": "Punainen", "Red": "Punainen",
"Grey": "Harmaa", "Grey": "Harmaa",
@ -3236,9 +3158,6 @@
"Keep going…": "Jatka…", "Keep going…": "Jatka…",
"Connecting…": "Yhdistetään…", "Connecting…": "Yhdistetään…",
"Mute room": "Mykistä huone", "Mute room": "Mykistä huone",
"Sender: ": "Lähettäjä: ",
"No receipt found": "Kuittausta ei löytynyt",
"Main timeline": "Pääaikajana",
"Fetching keys from server…": "Noudetaan avaimia palvelimelta…", "Fetching keys from server…": "Noudetaan avaimia palvelimelta…",
"Checking…": "Tarkistetaan…", "Checking…": "Tarkistetaan…",
"Invites by email can only be sent one at a time": "Sähköpostikutsuja voi lähettää vain yhden kerrallaan", "Invites by email can only be sent one at a time": "Sähköpostikutsuja voi lähettää vain yhden kerrallaan",
@ -3388,7 +3307,9 @@
"android": "Android", "android": "Android",
"trusted": "Luotettu", "trusted": "Luotettu",
"not_trusted": "Ei-luotettu", "not_trusted": "Ei-luotettu",
"accessibility": "Saavutettavuus" "accessibility": "Saavutettavuus",
"capabilities": "Kyvykkyydet",
"server": "Palvelin"
}, },
"action": { "action": {
"continue": "Jatka", "continue": "Jatka",
@ -3486,7 +3407,8 @@
"maximise": "Suurenna", "maximise": "Suurenna",
"mention": "Mainitse", "mention": "Mainitse",
"submit": "Lähetä", "submit": "Lähetä",
"send_report": "Lähetä ilmoitus" "send_report": "Lähetä ilmoitus",
"clear": "Tyhjennä"
}, },
"a11y": { "a11y": {
"user_menu": "Käyttäjän valikko" "user_menu": "Käyttäjän valikko"
@ -3601,5 +3523,87 @@
}, },
"you_did_it": "Teit sen!", "you_did_it": "Teit sen!",
"community_messaging_description": "Pidä yhteisön keskustelu hallussa. Skaalautuu miljooniin käyttäjiin ja\ntarjoaa tehokkaan moderoinnin ja yhteentoimivuuden." "community_messaging_description": "Pidä yhteisön keskustelu hallussa. Skaalautuu miljooniin käyttäjiin ja\ntarjoaa tehokkaan moderoinnin ja yhteentoimivuuden."
},
"devtools": {
"event_type": "Tapahtuman tyyppi",
"state_key": "Tila-avain",
"invalid_json": "Ei vaikuta kelvolliselta JSON:ilta.",
"failed_to_send": "Tapahtuman lähettäminen epäonnistui!",
"event_sent": "Tapahtuma lähetetty!",
"event_content": "Tapahtuman sisältö",
"no_receipt_found": "Kuittausta ei löytynyt",
"main_timeline": "Pääaikajana",
"room_notifications_sender": "Lähettäjä: ",
"spaces": {
"other": "<%(count)s avaruutta>"
},
"failed_to_load": "Lataaminen epäonnistui.",
"client_versions": "Asiakasversiot",
"server_versions": "Palvelinversiot",
"number_of_users": "Käyttäjämäärä",
"failed_to_save": "Asetusten tallentaminen epäonnistui.",
"save_setting_values": "Tallenna asetusarvot",
"setting_colon": "Asetus:",
"caution_colon": "Varoitus:",
"use_at_own_risk": "Tämä käyttöliittymä EI tarkista arvojen tyyppejä. Käytä omalla vastuullasi.",
"setting_definition": "Asetuksen määritelmä:",
"level": "Taso",
"settable_global": "Asetettavissa globaalisti",
"settable_room": "Asetettavissa huoneessa",
"edit_values": "Muokkaa arvoja",
"value_colon": "Arvo:",
"value_this_room_colon": "Arvo tässä huoneessa:",
"value": "Arvo",
"value_in_this_room": "Arvo tässä huoneessa",
"edit_setting": "Muokkaa asetusta",
"phase_requested": "Pyydetty",
"phase_ready": "Valmis",
"phase_started": "Käynnistetty",
"phase_cancelled": "Peruttu",
"phase_transaction": "Transaktio",
"phase": "Vaihe",
"timeout": "Aikakatkaisu",
"methods": "Menetelmät",
"requester": "Pyytäjä",
"observe_only": "Tarkkaile ainoastaan",
"no_verification_requests_found": "Vahvistuspyyntöjä ei löytynyt"
},
"settings": {
"show_breadcrumbs": "Näytä oikotiet viimeksi katsottuihin huoneisiin huoneluettelon yläpuolella",
"all_rooms_home_description": "Kaikki huoneet, joissa olet, näkyvät etusivulla.",
"use_command_f_search": "Komento + F hakee aikajanalta",
"use_control_f_search": "Ctrl + F hakee aikajanalta",
"use_12_hour_format": "Näytä aikaleimat 12 tunnin muodossa (esim. 2:30pm)",
"always_show_message_timestamps": "Näytä aina viestien aikaleimat",
"send_read_receipts": "Lähetä lukukuittaukset",
"send_typing_notifications": "Lähetä kirjoitusilmoituksia",
"replace_plain_emoji": "Korvaa automaattisesti teksimuotoiset emojit",
"enable_markdown": "Ota Markdown käyttöön",
"emoji_autocomplete": "Näytä emoji-ehdotuksia kirjoittaessa",
"use_command_enter_send_message": "Komento + Enter lähettää viestin",
"use_control_enter_send_message": "Ctrl + Enter lähettää viestin",
"all_rooms_home": "Näytä kaikki huoneet etusivulla",
"show_stickers_button": "Näytä tarrapainike",
"insert_trailing_colon_mentions": "Lisää kaksoispiste käyttäjän maininnan perään viestin alussa",
"automatic_language_detection_syntax_highlight": "Ota automaattinen kielentunnistus käyttöön syntaksikorostusta varten",
"code_block_expand_default": "Laajenna koodilohkot oletuksena",
"code_block_line_numbers": "Näytä rivinumerot koodilohkoissa",
"inline_url_previews_default": "Ota linkkien esikatselu käyttöön oletusarvoisesti",
"autoplay_gifs": "Toista GIF-tiedostot automaattisesti",
"autoplay_videos": "Toista videot automaattisesti",
"image_thumbnails": "Näytä kuvien esikatselut/pienoiskuvat",
"show_typing_notifications": "Näytä kirjoitusilmoitukset",
"show_redaction_placeholder": "Näytä paikanpitäjä poistetuille viesteille",
"show_read_receipts": "Näytä muiden käyttäjien lukukuittaukset",
"show_join_leave": "Näytä liittymis- ja poistumisviestit (ei vaikutusta kutsuihin, poistamisiin ja porttikieltoihin)",
"show_displayname_changes": "Näytä näyttönimien muutokset",
"show_chat_effects": "Näytä keskustelutehosteet (animaatiot, kun saat esim. konfettia)",
"big_emoji": "Ota käyttöön suuret emojit keskusteluissa",
"jump_to_bottom_on_send": "Siirry aikajanan pohjalle, kun lähetät viestin",
"show_nsfw_content": "Näytä NSFW-sisältö",
"prompt_invite": "Kysy varmistus ennen kutsujen lähettämistä mahdollisesti epäkelpoihin Matrix ID:hin",
"hardware_acceleration": "Ota laitteistokiihdytys käyttöön (käynnistä %(appName)s uudelleen, jotta asetus tulee voimaan)",
"start_automatically": "Käynnistä automaattisesti käyttöjärjestelmään kirjautumisen jälkeen",
"warn_quit": "Varoita ennen lopettamista"
} }
} }

View file

@ -41,7 +41,6 @@
"Failed to reject invitation": "Échec du rejet de linvitation", "Failed to reject invitation": "Échec du rejet de linvitation",
"Failed to send request.": "Échec de lenvoi de la requête.", "Failed to send request.": "Échec de lenvoi de la requête.",
"Failed to set display name": "Échec de lenregistrement du nom daffichage", "Failed to set display name": "Échec de lenregistrement du nom daffichage",
"Always show message timestamps": "Toujours afficher lheure des messages",
"Authentication": "Authentification", "Authentication": "Authentification",
"An error has occurred.": "Une erreur est survenue.", "An error has occurred.": "Une erreur est survenue.",
"Email": "E-mail", "Email": "E-mail",
@ -105,7 +104,6 @@
"Server may be unavailable, overloaded, or you hit a bug.": "Le serveur semble être indisponible, surchargé ou vous êtes tombé sur un bug.", "Server may be unavailable, overloaded, or you hit a bug.": "Le serveur semble être indisponible, surchargé ou vous êtes tombé sur un bug.",
"Server unavailable, overloaded, or something else went wrong.": "Le serveur semble être inaccessible, surchargé ou quelque chose sest mal passé.", "Server unavailable, overloaded, or something else went wrong.": "Le serveur semble être inaccessible, surchargé ou quelque chose sest mal passé.",
"Session ID": "Identifiant de session", "Session ID": "Identifiant de session",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "Afficher lheure au format am/pm (par ex. 2:30pm)",
"Signed Out": "Déconnecté", "Signed Out": "Déconnecté",
"This email address is already in use": "Cette adresse e-mail est déjà utilisée", "This email address is already in use": "Cette adresse e-mail est déjà utilisée",
"This email address was not found": "Cette adresse e-mail na pas été trouvée", "This email address was not found": "Cette adresse e-mail na pas été trouvée",
@ -191,7 +189,6 @@
"URL Previews": "Aperçus des liens", "URL Previews": "Aperçus des liens",
"Drop file here to upload": "Glisser le fichier ici pour lenvoyer", "Drop file here to upload": "Glisser le fichier ici pour lenvoyer",
"Online": "En ligne", "Online": "En ligne",
"Start automatically after system login": "Démarrer automatiquement après la phase d'authentification du système",
"Idle": "Inactif", "Idle": "Inactif",
"Jump to first unread message.": "Aller au premier message non lu.", "Jump to first unread message.": "Aller au premier message non lu.",
"You are about to be taken to a third-party site so you can authenticate your account for use with %(integrationsUrl)s. Do you wish to continue?": "Vous êtes sur le point daccéder à un site tiers afin de pouvoir vous identifier pour utiliser %(integrationsUrl)s. Voulez-vous continuer ?", "You are about to be taken to a third-party site so you can authenticate your account for use with %(integrationsUrl)s. Do you wish to continue?": "Vous êtes sur le point daccéder à un site tiers afin de pouvoir vous identifier pour utiliser %(integrationsUrl)s. Voulez-vous continuer ?",
@ -239,11 +236,9 @@
"Check for update": "Rechercher une mise à jour", "Check for update": "Rechercher une mise à jour",
"Delete widget": "Supprimer le widget", "Delete widget": "Supprimer le widget",
"Define the power level of a user": "Définir le rang dun utilisateur", "Define the power level of a user": "Définir le rang dun utilisateur",
"Enable automatic language detection for syntax highlighting": "Activer la détection automatique du langage pour la coloration syntaxique",
"Unable to create widget.": "Impossible de créer le widget.", "Unable to create widget.": "Impossible de créer le widget.",
"You are not in this room.": "Vous nêtes pas dans ce salon.", "You are not in this room.": "Vous nêtes pas dans ce salon.",
"You do not have permission to do that in this room.": "Vous navez pas lautorisation deffectuer cette action dans ce salon.", "You do not have permission to do that in this room.": "Vous navez pas lautorisation deffectuer cette action dans ce salon.",
"Automatically replace plain text Emoji": "Remplacer automatiquement le texte par des émojis",
"%(widgetName)s widget added by %(senderName)s": "Widget %(widgetName)s ajouté par %(senderName)s", "%(widgetName)s widget added by %(senderName)s": "Widget %(widgetName)s ajouté par %(senderName)s",
"%(widgetName)s widget removed by %(senderName)s": "Widget %(widgetName)s supprimé par %(senderName)s", "%(widgetName)s widget removed by %(senderName)s": "Widget %(widgetName)s supprimé par %(senderName)s",
"Publish this room to the public in %(domain)s's room directory?": "Publier ce salon dans le répertoire de salons public de %(domain)s ?", "Publish this room to the public in %(domain)s's room directory?": "Publier ce salon dans le répertoire de salons public de %(domain)s ?",
@ -364,7 +359,6 @@
"Room Notification": "Notification du salon", "Room Notification": "Notification du salon",
"Please note you are logging into the %(hs)s server, not matrix.org.": "Veuillez noter que vous vous connectez au serveur %(hs)s, pas à matrix.org.", "Please note you are logging into the %(hs)s server, not matrix.org.": "Veuillez noter que vous vous connectez au serveur %(hs)s, pas à matrix.org.",
"Restricted": "Restreint", "Restricted": "Restreint",
"Enable inline URL previews by default": "Activer laperçu des URL par défaut",
"Enable URL previews for this room (only affects you)": "Activer laperçu des URL pour ce salon (naffecte que vous)", "Enable URL previews for this room (only affects you)": "Activer laperçu des URL pour ce salon (naffecte que vous)",
"Enable URL previews by default for participants in this room": "Activer laperçu des URL par défaut pour les participants de ce salon", "Enable URL previews by default for participants in this room": "Activer laperçu des URL par défaut pour les participants de ce salon",
"URL previews are enabled by default for participants in this room.": "Les aperçus d'URL sont activés par défaut pour les participants de ce salon.", "URL previews are enabled by default for participants in this room.": "Les aperçus d'URL sont activés par défaut pour les participants de ce salon.",
@ -425,7 +419,6 @@
"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)",
"All messages": "Tous les messages", "All messages": "Tous les messages",
"Call invitation": "Appel entrant", "Call invitation": "Appel entrant",
"State Key": "Clé détat",
"What's new?": "Nouveautés", "What's new?": "Nouveautés",
"All Rooms": "Tous les salons", "All Rooms": "Tous les salons",
"Thursday": "Jeudi", "Thursday": "Jeudi",
@ -435,9 +428,6 @@
"Error encountered (%(errorDetail)s).": "Erreur rencontrée (%(errorDetail)s).", "Error encountered (%(errorDetail)s).": "Erreur rencontrée (%(errorDetail)s).",
"Low Priority": "Priorité basse", "Low Priority": "Priorité basse",
"Off": "Désactivé", "Off": "Désactivé",
"Event Type": "Type dévènement",
"Event sent!": "Évènement envoyé !",
"Event Content": "Contenu de lévènement",
"Thank you!": "Merci !", "Thank you!": "Merci !",
"When I'm invited to a room": "Quand je suis invité dans un salon", "When I'm invited to a room": "Quand je suis invité dans un salon",
"Logs sent": "Journaux envoyés", "Logs sent": "Journaux envoyés",
@ -567,7 +557,6 @@
"Unable to load commit detail: %(msg)s": "Impossible de charger les détails de lenvoi : %(msg)s", "Unable to load commit detail: %(msg)s": "Impossible de charger les détails de lenvoi : %(msg)s",
"Unrecognised address": "Adresse non reconnue", "Unrecognised address": "Adresse non reconnue",
"The following users may not exist": "Les utilisateurs suivants pourraient ne pas exister", "The following users may not exist": "Les utilisateurs suivants pourraient ne pas exister",
"Prompt before sending invites to potentially invalid matrix IDs": "Demander avant denvoyer des invitations à des identifiants matrix potentiellement non valides",
"Unable to find profiles for the Matrix IDs listed below - would you like to invite them anyway?": "Impossible de trouver les profils pour les identifiants Matrix listés ci-dessous. Voulez-vous quand même les inviter ?", "Unable to find profiles for the Matrix IDs listed below - would you like to invite them anyway?": "Impossible de trouver les profils pour les identifiants Matrix listés ci-dessous. Voulez-vous quand même les inviter ?",
"Invite anyway and never warn me again": "Inviter quand même et ne plus me prévenir", "Invite anyway and never warn me again": "Inviter quand même et ne plus me prévenir",
"Invite anyway": "Inviter quand même", "Invite anyway": "Inviter quand même",
@ -580,11 +569,6 @@
"one": "%(names)s et un autre sont en train décrire…" "one": "%(names)s et un autre sont en train décrire…"
}, },
"%(names)s and %(lastPerson)s are typing …": "%(names)s et %(lastPerson)s sont en train décrire…", "%(names)s and %(lastPerson)s are typing …": "%(names)s et %(lastPerson)s sont en train décrire…",
"Enable Emoji suggestions while typing": "Activer la suggestion démojis lors de la saisie",
"Show a placeholder for removed messages": "Afficher les messages supprimés",
"Show display name changes": "Afficher les changements de nom daffichage",
"Enable big emoji in chat": "Activer les gros émojis dans les discussions",
"Send typing notifications": "Envoyer des notifications de saisie",
"Messages containing my username": "Messages contenant mon nom dutilisateur", "Messages containing my username": "Messages contenant mon nom dutilisateur",
"The other party cancelled the verification.": "Lautre personne a annulé la vérification.", "The other party cancelled the verification.": "Lautre personne a annulé la vérification.",
"Verified!": "Vérifié !", "Verified!": "Vérifié !",
@ -731,7 +715,6 @@
"Your keys are being backed up (the first backup could take a few minutes).": "Vous clés sont en cours de sauvegarde (la première sauvegarde peut prendre quelques minutes).", "Your keys are being backed up (the first backup could take a few minutes).": "Vous clés sont en cours de sauvegarde (la première sauvegarde peut prendre quelques minutes).",
"Success!": "Terminé !", "Success!": "Terminé !",
"Changes your display nickname in the current room only": "Modifie votre nom daffichage seulement dans le salon actuel", "Changes your display nickname in the current room only": "Modifie votre nom daffichage seulement dans le salon actuel",
"Show read receipts sent by other users": "Afficher les accusés de lecture envoyés par les autres utilisateurs",
"Scissors": "Ciseaux", "Scissors": "Ciseaux",
"Error updating main address": "Erreur lors de la mise à jour de ladresse principale", "Error updating main address": "Erreur lors de la mise à jour de ladresse principale",
"There was an error updating the room's main address. It may not be allowed by the server or a temporary failure occurred.": "Une erreur est survenue lors de la mise à jour de ladresse principale de salon. Ce nest peut-être pas autorisé par le serveur ou une erreur temporaire est survenue.", "There was an error updating the room's main address. It may not be allowed by the server or a temporary failure occurred.": "Une erreur est survenue lors de la mise à jour de ladresse principale de salon. Ce nest peut-être pas autorisé par le serveur ou une erreur temporaire est survenue.",
@ -984,7 +967,6 @@
"Notification Autocomplete": "Autocomplétion de notification", "Notification Autocomplete": "Autocomplétion de notification",
"Room Autocomplete": "Autocomplétion de salon", "Room Autocomplete": "Autocomplétion de salon",
"User Autocomplete": "Autocomplétion dutilisateur", "User Autocomplete": "Autocomplétion dutilisateur",
"Show previews/thumbnails for images": "Afficher les aperçus/vignettes pour les images",
"Show image": "Afficher limage", "Show image": "Afficher limage",
"Clear cache and reload": "Vider le cache et recharger", "Clear cache and reload": "Vider le cache et recharger",
"%(count)s unread messages including mentions.": { "%(count)s unread messages including mentions.": {
@ -1254,7 +1236,6 @@
"Message downloading sleep time(ms)": "Temps dattente de téléchargement des messages (ms)", "Message downloading sleep time(ms)": "Temps dattente de téléchargement des messages (ms)",
"Cancel entering passphrase?": "Annuler la saisie du mot de passe ?", "Cancel entering passphrase?": "Annuler la saisie du mot de passe ?",
"Indexed rooms:": "Salons indexés :", "Indexed rooms:": "Salons indexés :",
"Show typing notifications": "Afficher les notifications de saisie",
"Destroy cross-signing keys?": "Détruire les clés de signature croisée ?", "Destroy cross-signing keys?": "Détruire les clés de signature croisée ?",
"Deleting cross-signing keys is permanent. Anyone you have verified with will see security alerts. You almost certainly don't want to do this, unless you've lost every device you can cross-sign from.": "La suppression des clés de signature croisée est permanente. Tous ceux que vous avez vérifié vont voir des alertes de sécurité. Il est peu probable que ce soit ce que vous voulez faire, sauf si vous avez perdu tous les appareils vous permettant deffectuer une signature croisée.", "Deleting cross-signing keys is permanent. Anyone you have verified with will see security alerts. You almost certainly don't want to do this, unless you've lost every device you can cross-sign from.": "La suppression des clés de signature croisée est permanente. Tous ceux que vous avez vérifié vont voir des alertes de sécurité. Il est peu probable que ce soit ce que vous voulez faire, sauf si vous avez perdu tous les appareils vous permettant deffectuer une signature croisée.",
"Clear cross-signing keys": "Vider les clés de signature croisée", "Clear cross-signing keys": "Vider les clés de signature croisée",
@ -1275,7 +1256,6 @@
"Sign In or Create Account": "Se connecter ou créer un compte", "Sign In or Create Account": "Se connecter ou créer un compte",
"Use your account or create a new one to continue.": "Utilisez votre compte ou créez en un pour continuer.", "Use your account or create a new one to continue.": "Utilisez votre compte ou créez en un pour continuer.",
"Create Account": "Créer un compte", "Create Account": "Créer un compte",
"Show shortcuts to recently viewed rooms above the room list": "Afficher les raccourcis vers les salons vus récemment au-dessus de la liste des salons",
"Displays information about a user": "Affiche des informations à propos de lutilisateur", "Displays information about a user": "Affiche des informations à propos de lutilisateur",
"To report a Matrix-related security issue, please read the Matrix.org <a>Security Disclosure Policy</a>.": "Pour signaler un problème de sécurité lié à Matrix, consultez <a>la politique de divulgation de sécurité</a> de Matrix.org.", "To report a Matrix-related security issue, please read the Matrix.org <a>Security Disclosure Policy</a>.": "Pour signaler un problème de sécurité lié à Matrix, consultez <a>la politique de divulgation de sécurité</a> de Matrix.org.",
"Mark all as read": "Tout marquer comme lu", "Mark all as read": "Tout marquer comme lu",
@ -1596,7 +1576,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",
"Use Ctrl + Enter to send a message": "Utilisez Ctrl + Entrée pour envoyer un message",
"%(senderName)s ended the call": "%(senderName)s a terminé lappel", "%(senderName)s ended the call": "%(senderName)s a terminé lappel",
"You ended the call": "Vous avez 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.",
@ -1952,7 +1931,6 @@
"Sends the given message with fireworks": "Envoie le message donné avec des feux d'artifices", "Sends the given message with fireworks": "Envoie le message donné avec des feux d'artifices",
"sends confetti": "envoie des confettis", "sends confetti": "envoie des confettis",
"Sends the given message with confetti": "Envoie le message avec des confettis", "Sends the given message with confetti": "Envoie le message avec des confettis",
"Use Command + Enter to send a message": "Utilisez Ctrl + Entrée pour envoyer un message",
"New version of %(brand)s is available": "Nouvelle version de %(brand)s disponible", "New version of %(brand)s is available": "Nouvelle version de %(brand)s disponible",
"Update %(brand)s": "Mettre à jour %(brand)s", "Update %(brand)s": "Mettre à jour %(brand)s",
"Enable desktop notifications": "Activer les notifications sur le bureau", "Enable desktop notifications": "Activer les notifications sur le bureau",
@ -2002,7 +1980,6 @@
"Decline All": "Tout refuser", "Decline All": "Tout refuser",
"This widget would like to:": "Le widget voudrait :", "This widget would like to:": "Le widget voudrait :",
"Approve widget permissions": "Approuver les permissions du widget", "Approve widget permissions": "Approuver les permissions du widget",
"There was an error finding this widget.": "Erreur lors de la récupération de ce widget.",
"Set my room layout for everyone": "Définir ma disposition de salon pour tout le monde", "Set my room layout for everyone": "Définir ma disposition de salon pour tout le monde",
"Open dial pad": "Ouvrir le pavé de numérotation", "Open dial pad": "Ouvrir le pavé de numérotation",
"Recently visited rooms": "Salons visités récemment", "Recently visited rooms": "Salons visités récemment",
@ -2016,9 +1993,6 @@
"Dial pad": "Pavé de numérotation", "Dial pad": "Pavé de numérotation",
"There was an error looking up the phone number": "Erreur lors de la recherche de votre numéro de téléphone", "There was an error looking up the phone number": "Erreur lors de la recherche de votre numéro de téléphone",
"Unable to look up phone number": "Impossible de trouver votre numéro de téléphone", "Unable to look up phone number": "Impossible de trouver votre numéro de téléphone",
"Show line numbers in code blocks": "Afficher les numéros de ligne dans les blocs de code",
"Expand code blocks by default": "Développer les blocs de code par défaut",
"Show stickers button": "Afficher le bouton des autocollants",
"Use app": "Utiliser lapplication", "Use app": "Utiliser lapplication",
"Use app for a better experience": "Utilisez une application pour une meilleure expérience", "Use app for a better experience": "Utilisez une application pour une meilleure expérience",
"See text messages posted to your active room": "Voir les messages textuels dans le salon actif", "See text messages posted to your active room": "Voir les messages textuels dans le salon actif",
@ -2033,24 +2007,6 @@
"Converts the room to a DM": "Transforme le salon en conversation privée", "Converts the room to a DM": "Transforme le salon en conversation privée",
"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.": "Nous avons demandé à votre navigateur de mémoriser votre serveur daccueil, mais il semble lavoir oublié. Rendez-vous à la page de connexion et réessayez.", "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.": "Nous avons demandé à votre navigateur de mémoriser votre serveur daccueil, mais il semble lavoir oublié. Rendez-vous à la page de connexion et réessayez.",
"We couldn't log you in": "Nous navons pas pu vous connecter", "We couldn't log you in": "Nous navons pas pu vous connecter",
"Values at explicit levels in this room:": "Valeurs pour les rangs explicites de ce salon :",
"Values at explicit levels:": "Valeurs pour les rangs explicites :",
"Value in this room:": "Valeur pour ce salon :",
"Value:": "Valeur :",
"Save setting values": "Enregistrer les valeurs des paramètres",
"Values at explicit levels in this room": "Valeurs pour des rangs explicites dans ce salon",
"Values at explicit levels": "Valeurs pour des rangs explicites",
"Settable at room": "Définissable par salon",
"Settable at global": "Définissable de manière globale",
"Level": "Rang",
"Setting definition:": "Définition du paramètre :",
"This UI does NOT check the types of the values. Use at your own risk.": "Cette interface ne vérifie pas les types des valeurs. Utilisez la à vos propres risques.",
"Caution:": "Attention :",
"Setting:": "Paramètre :",
"Value in this room": "Valeur pour ce salon",
"Value": "Valeur",
"Setting ID": "Identifiant de paramètre",
"Show chat effects (animations when receiving e.g. confetti)": "Afficher les animations de conversation (animations lors de la réception par ex. de confettis)",
"Invite someone using their name, username (like <userId/>) or <a>share this space</a>.": "Invitez quelquun grâce à son nom, nom dutilisateur (tel que <userId/>) ou <a>partagez cet espace</a>.", "Invite someone using their name, username (like <userId/>) or <a>share this space</a>.": "Invitez quelquun grâce à son nom, nom dutilisateur (tel que <userId/>) ou <a>partagez cet espace</a>.",
"Invite someone using their name, email address, username (like <userId/>) or <a>share this space</a>.": "Invitez quelquun grâce à son nom, adresse e-mail, nom dutilisateur (tel que <userId/>) ou <a>partagez cet espace</a>.", "Invite someone using their name, email address, username (like <userId/>) or <a>share this space</a>.": "Invitez quelquun grâce à son nom, adresse e-mail, nom dutilisateur (tel que <userId/>) ou <a>partagez cet espace</a>.",
"Original event source": "Évènement source original", "Original event source": "Évènement source original",
@ -2102,7 +2058,6 @@
"Invite only, best for yourself or teams": "Sur invitation, idéal pour vous-même ou les équipes", "Invite only, best for yourself or teams": "Sur invitation, idéal pour vous-même ou les équipes",
"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",
"Jump to the bottom of the timeline when you send a message": "Sauter en bas du fil de discussion lorsque vous envoyez un message",
"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.", "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", "Already in call": "Déjà en cours dappel",
@ -2153,7 +2108,6 @@
"other": "%(count)s personnes que vous connaissez en font déjà partie" "other": "%(count)s personnes que vous connaissez en font déjà partie"
}, },
"Invite to just this room": "Inviter seulement dans ce salon", "Invite to just this room": "Inviter seulement dans ce salon",
"Warn before quitting": "Avertir avant de quitter",
"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>", "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",
@ -2276,7 +2230,6 @@
"e.g. my-space": "par ex. mon-espace", "e.g. my-space": "par ex. mon-espace",
"Silence call": "Mettre lappel en sourdine", "Silence call": "Mettre lappel en sourdine",
"Sound on": "Son activé", "Sound on": "Son activé",
"Show all rooms in Home": "Afficher tous les salons dans Accueil",
"%(senderName)s changed the <a>pinned messages</a> for the room.": "%(senderName)s a changé <a>les messages épinglés</a> du salon.", "%(senderName)s changed the <a>pinned messages</a> for the room.": "%(senderName)s a changé <a>les messages épinglés</a> du salon.",
"%(senderName)s withdrew %(targetName)s's invitation": "%(senderName)s a annulé linvitation de %(targetName)s", "%(senderName)s withdrew %(targetName)s's invitation": "%(senderName)s a annulé linvitation de %(targetName)s",
"%(senderName)s withdrew %(targetName)s's invitation: %(reason)s": "%(senderName)s a annulé linvitation de %(targetName)s : %(reason)s", "%(senderName)s withdrew %(targetName)s's invitation: %(reason)s": "%(senderName)s a annulé linvitation de %(targetName)s : %(reason)s",
@ -2328,8 +2281,6 @@
"An error occurred whilst saving your notification preferences.": "Une erreur est survenue lors de la sauvegarde de vos préférences de notification.", "An error occurred whilst saving your notification preferences.": "Une erreur est survenue lors de la sauvegarde de vos préférences de notification.",
"Error saving notification preferences": "Erreur lors de la sauvegarde des préférences de notification", "Error saving notification preferences": "Erreur lors de la sauvegarde des préférences de notification",
"Messages containing keywords": "Message contenant les mots-clés", "Messages containing keywords": "Message contenant les mots-clés",
"Use Ctrl + F to search timeline": "Utilisez Ctrl + F pour rechercher dans le fil de discussion",
"Use Command + F to search timeline": "Utilisez Commande + F pour rechercher dans le fil de discussion",
"Transfer Failed": "Échec du transfert", "Transfer Failed": "Échec du transfert",
"Unable to transfer call": "Impossible de transférer lappel", "Unable to transfer call": "Impossible de transférer lappel",
"Decide who can join %(roomName)s.": "Choisir qui peut rejoindre %(roomName)s.", "Decide who can join %(roomName)s.": "Choisir qui peut rejoindre %(roomName)s.",
@ -2356,7 +2307,6 @@
"Your camera is turned off": "Votre caméra est éteinte", "Your camera is turned off": "Votre caméra est éteinte",
"%(sharerName)s is presenting": "%(sharerName)s est à lécran", "%(sharerName)s is presenting": "%(sharerName)s est à lécran",
"You are presenting": "Vous êtes à lécran", "You are presenting": "Vous êtes à lécran",
"All rooms you're in will appear in Home.": "Tous les salons dans lesquels vous vous trouvez apparaîtront sur lAccueil.",
"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",
@ -2440,8 +2390,6 @@
"To avoid these issues, create a <a>new encrypted room</a> for the conversation you plan to have.": "Pour éviter ces problèmes, créez un <a>nouveau salon chiffré</a> pour la conversation que vous souhaitez avoir.", "To avoid these issues, create a <a>new encrypted room</a> for the conversation you plan to have.": "Pour éviter ces problèmes, créez un <a>nouveau salon chiffré</a> pour la conversation que vous souhaitez avoir.",
"Are you sure you want to add encryption to this public room?": "Êtes-vous sûr de vouloir ajouter le chiffrement dans ce salon public ?", "Are you sure you want to add encryption to this public room?": "Êtes-vous sûr de vouloir ajouter le chiffrement dans ce salon public ?",
"Cross-signing is ready but keys are not backed up.": "La signature croisée est prête mais les clés ne sont pas sauvegardées.", "Cross-signing is ready but keys are not backed up.": "La signature croisée est prête mais les clés ne sont pas sauvegardées.",
"Autoplay videos": "Jouer automatiquement les vidéos",
"Autoplay GIFs": "Jouer automatiquement les GIFs",
"The above, but in <Room /> as well": "Comme ci-dessus, mais également dans <Room />", "The above, but in <Room /> as well": "Comme ci-dessus, mais également dans <Room />",
"The above, but in any room you are joined or invited to as well": "Comme ci-dessus, mais également dans tous les salons dans lesquels vous avez été invité ou que vous avez rejoint", "The above, but in any room you are joined or invited to as well": "Comme ci-dessus, mais également dans tous les salons dans lesquels vous avez été invité ou que vous avez rejoint",
"%(senderName)s unpinned a message from this room. See all pinned messages.": "%(senderName)s a désépinglé un message de ce salon. Voir tous les messages épinglés.", "%(senderName)s unpinned a message from this room. See all pinned messages.": "%(senderName)s a désépinglé un message de ce salon. Voir tous les messages épinglés.",
@ -2623,7 +2571,6 @@
"sends rainfall": "envoie de la pluie", "sends rainfall": "envoie de la pluie",
"Sends the given message with rainfall": "Envoie le message avec de la pluie", "Sends the given message with rainfall": "Envoie le message avec de la pluie",
"%(senderName)s has updated the room layout": "%(senderName)s a mis à jour la mise en page du salon", "%(senderName)s has updated the room layout": "%(senderName)s a mis à jour la mise en page du salon",
"Clear": "Effacer",
"Spaces you know that contain this space": "Les espaces connus qui contiennent cet espace", "Spaces you know that contain this space": "Les espaces connus qui contiennent cet espace",
"You may contact me if you want to follow up or to let me test out upcoming ideas": "Vous pouvez me contacter si vous voulez un suivi ou me laisser tester de nouvelles idées", "You may contact me if you want to follow up or to let me test out upcoming ideas": "Vous pouvez me contacter si vous voulez un suivi ou me laisser tester de nouvelles idées",
"Sorry, the poll you tried to create was not posted.": "Désolé, le sondage que vous avez essayé de créer na pas été envoyé.", "Sorry, the poll you tried to create was not posted.": "Désolé, le sondage que vous avez essayé de créer na pas été envoyé.",
@ -2731,7 +2678,6 @@
"Verify this device": "Vérifier cet appareil", "Verify this device": "Vérifier cet appareil",
"Unable to verify this device": "Impossible de vérifier cet appareil", "Unable to verify this device": "Impossible de vérifier cet appareil",
"Verify other device": "Vérifier un autre appareil", "Verify other device": "Vérifier un autre appareil",
"Edit setting": "Modifier le paramètre",
"This address had invalid server or is already in use": "Cette adresse a un serveur invalide ou est déjà utilisée", "This address had invalid server or is already in use": "Cette adresse a un serveur invalide ou est déjà utilisée",
"Missing room name or separator e.g. (my-room:domain.org)": "Nom de salon ou séparateur manquant, par exemple (mon-salon:domain.org)", "Missing room name or separator e.g. (my-room:domain.org)": "Nom de salon ou séparateur manquant, par exemple (mon-salon:domain.org)",
"Missing domain separator e.g. (:domain.org)": "Séparateur de domaine manquant, par exemple (:domain.org)", "Missing domain separator e.g. (:domain.org)": "Séparateur de domaine manquant, par exemple (:domain.org)",
@ -2783,7 +2729,6 @@
"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 users": "Expulser des utilisateurs",
"Show join/leave messages (invites/removes/bans unaffected)": "Afficher les messages d'arrivée et de départ (les invitations/expulsions/bannissements ne sont pas concernés)",
"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",
"%(senderName)s removed %(targetName)s": "%(senderName)s a expulsé %(targetName)s", "%(senderName)s removed %(targetName)s": "%(senderName)s a expulsé %(targetName)s",
@ -2868,11 +2813,6 @@
"Use <arrows/> to scroll": "Utilisez <arrows/> pour faire défiler", "Use <arrows/> to scroll": "Utilisez <arrows/> pour faire défiler",
"Join %(roomAddress)s": "Rejoindre %(roomAddress)s", "Join %(roomAddress)s": "Rejoindre %(roomAddress)s",
"Export Cancelled": "Export annulé", "Export Cancelled": "Export annulé",
"<empty string>": "<chaîne de caractères vide>",
"<%(count)s spaces>": {
"one": "<espace>",
"other": "<%(count)s espaces>"
},
"Results are only revealed when you end the poll": "Les résultats ne sont révélés que lorsque vous terminez le sondage", "Results are only revealed when you end the poll": "Les résultats ne sont révélés que lorsque vous terminez le sondage",
"Voters see results as soon as they have voted": "Les participants voient les résultats dès qu'ils ont voté", "Voters see results as soon as they have voted": "Les participants voient les résultats dès qu'ils ont voté",
"Closed poll": "Sondage terminé", "Closed poll": "Sondage terminé",
@ -2895,7 +2835,6 @@
"Switch to space by number": "Basculer vers l'espace par numéro", "Switch to space by number": "Basculer vers l'espace par numéro",
"Match system": "Sadapter au système", "Match system": "Sadapter au système",
"Reply to an ongoing thread or use “%(replyInThread)s” when hovering over a message to start a new one.": "Répondez à un fil de discussion en cours ou utilisez \"%(replyInThread)s\" lorsque vous passez la souris sur un message pour en commencer un nouveau.", "Reply to an ongoing thread or use “%(replyInThread)s” when hovering over a message to start a new one.": "Répondez à un fil de discussion en cours ou utilisez \"%(replyInThread)s\" lorsque vous passez la souris sur un message pour en commencer un nouveau.",
"Insert a trailing colon after user mentions at the start of a message": "Insérer deux-points après les mentions de l'utilisateur au début d'un message",
"%(oneUser)schanged the <a>pinned messages</a> for the room %(count)s times": { "%(oneUser)schanged the <a>pinned messages</a> for the room %(count)s times": {
"one": "%(oneUser)s a changé les <a>messages épinglés</a> du salon", "one": "%(oneUser)s a changé les <a>messages épinglés</a> du salon",
"other": "%(oneUser)s a changé %(count)s fois les <a>messages épinglés</a> du salon" "other": "%(oneUser)s a changé %(count)s fois les <a>messages épinglés</a> du salon"
@ -2926,31 +2865,7 @@
"Event ID: %(eventId)s": "Identifiant dévénement : %(eventId)s", "Event ID: %(eventId)s": "Identifiant dévénement : %(eventId)s",
"%(timeRemaining)s left": "%(timeRemaining)s restant", "%(timeRemaining)s left": "%(timeRemaining)s restant",
"You are sharing your live location": "Vous partagez votre position en direct", "You are sharing your live location": "Vous partagez votre position en direct",
"No verification requests found": "Aucune demande de vérification trouvée",
"Observe only": "Observer uniquement",
"Requester": "Demandeur",
"Methods": "Méthodes",
"Timeout": "Temps dattente",
"Phase": "Phase",
"Transaction": "Transaction",
"Cancelled": "Annulé",
"Started": "Démarré",
"Ready": "Prêt",
"Requested": "Envoyé",
"Unsent": "Non envoyé", "Unsent": "Non envoyé",
"Edit values": "Modifier les valeurs",
"Failed to save settings.": "Échec lors de la sauvegarde des paramètres.",
"Number of users": "Nombre dutilisateurs",
"Server": "Serveur",
"Server Versions": "Versions des serveurs",
"Client Versions": "Versions des clients",
"Failed to load.": "Échec du chargement.",
"Capabilities": "Capacités",
"Send custom state event": "Envoyer des événements détat personnalisés",
"Failed to send event!": "Échec de lenvoi de lévénement !",
"Doesn't look like valid JSON.": "Ne semble pas être du JSON valide.",
"Send custom room account data event": "Envoyer des événements personnalisés de données du compte du salon",
"Send custom account data event": "Envoyer des événements personnalisés de données du compte",
"Room ID: %(roomId)s": "Identifiant du salon : %(roomId)s", "Room ID: %(roomId)s": "Identifiant du salon : %(roomId)s",
"Server info": "Infos du serveur", "Server info": "Infos du serveur",
"Settings explorer": "Explorateur de paramètres", "Settings explorer": "Explorateur de paramètres",
@ -3068,7 +2983,6 @@
"Unmute microphone": "Activer le microphone", "Unmute microphone": "Activer le microphone",
"Mute microphone": "Désactiver le microphone", "Mute microphone": "Désactiver le microphone",
"Audio devices": "Périphériques audio", "Audio devices": "Périphériques audio",
"Enable Markdown": "Activer Markdown",
"%(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",
@ -3100,7 +3014,6 @@
"Edit topic": "Modifier le sujet", "Edit topic": "Modifier le sujet",
"Joining…": "En train de rejoindre…", "Joining…": "En train de rejoindre…",
"Read receipts": "Accusés de réception", "Read receipts": "Accusés de réception",
"Enable hardware acceleration (restart %(appName)s to take effect)": "Activer laccélération matérielle (redémarrer %(appName)s pour appliquer)",
"%(count)s people joined": { "%(count)s people joined": {
"one": "%(count)s personne sest jointe", "one": "%(count)s personne sest jointe",
"other": "%(count)s personnes se sont jointes" "other": "%(count)s personnes se sont jointes"
@ -3192,7 +3105,6 @@
"We're creating a room with %(names)s": "Nous créons un salon avec %(names)s", "We're creating a room with %(names)s": "Nous créons un salon avec %(names)s",
"Your server doesn't support disabling sending read receipts.": "Votre serveur ne supporte pas la désactivation de lenvoi des accusés de réception.", "Your server doesn't support disabling sending read receipts.": "Votre serveur ne supporte pas la désactivation de lenvoi des accusés de réception.",
"Share your activity and status with others.": "Partager votre activité et votre statut avec les autres.", "Share your activity and status with others.": "Partager votre activité et votre statut avec les autres.",
"Send read receipts": "Envoyer les accusés de réception",
"Last activity": "Dernière activité", "Last activity": "Dernière activité",
"Current session": "Cette session", "Current session": "Cette session",
"Sessions": "Sessions", "Sessions": "Sessions",
@ -3444,19 +3356,6 @@
"All messages and invites from this user will be hidden. Are you sure you want to ignore them?": "Tous les messages et invitations de cette utilisateur seront cachés. Êtes-vous sûr de vouloir les ignorer ?", "All messages and invites from this user will be hidden. Are you sure you want to ignore them?": "Tous les messages et invitations de cette utilisateur seront cachés. Êtes-vous sûr de vouloir les ignorer ?",
"Ignore %(user)s": "Ignorer %(user)s", "Ignore %(user)s": "Ignorer %(user)s",
"Unable to decrypt voice broadcast": "Impossible de décrypter la diffusion audio", "Unable to decrypt voice broadcast": "Impossible de décrypter la diffusion audio",
"Thread Id: ": "Id du fil de discussion : ",
"Threads timeline": "Historique des fils de discussion",
"Sender: ": "Expéditeur : ",
"Type: ": "Type : ",
"ID: ": "ID : ",
"Last event:": "Dernier évènement :",
"No receipt found": "Aucun accusé disponible",
"User read up to: ": "Lutilisateur a lu jusquà : ",
"Dot: ": "Point : ",
"Highlight: ": "Mentions : ",
"Total: ": "Total : ",
"Main timeline": "Historique principal",
"Room status": "Statut du salon",
"Notifications debug": "Débogage des notifications", "Notifications debug": "Débogage des notifications",
"unknown": "inconnu", "unknown": "inconnu",
"Red": "Rouge", "Red": "Rouge",
@ -3516,14 +3415,6 @@
"Loading polls": "Chargement des sondages", "Loading polls": "Chargement des sondages",
"Identity server is <code>%(identityServerUrl)s</code>": "Le serveur didentité est <code>%(identityServerUrl)s</code>", "Identity server is <code>%(identityServerUrl)s</code>": "Le serveur didentité est <code>%(identityServerUrl)s</code>",
"Homeserver is <code>%(homeserverUrl)s</code>": "Le serveur daccueil est <code>%(homeserverUrl)s</code>", "Homeserver is <code>%(homeserverUrl)s</code>": "Le serveur daccueil est <code>%(homeserverUrl)s</code>",
"Show NSFW content": "Afficher le contenu sensible (NSFW)",
"Room is <strong>not encrypted 🚨</strong>": "Le salon <strong>nest pas chiffré 🚨</strong>",
"Room is <strong>encrypted ✅</strong>": "Le salon est <strong>chiffré ✅</strong>",
"Notification state is <strong>%(notificationState)s</strong>": "Létat des notifications est <strong>%(notificationState)s</strong>",
"Room unread status: <strong>%(status)s</strong>": "Statut non-lus du salon : <strong>%(status)s</strong>",
"Room unread status: <strong>%(status)s</strong>, count: <strong>%(count)s</strong>": {
"other": "Statut non-lus du salon : <strong>%(status)s</strong>, total : <strong>%(count)s</strong>"
},
"Ended a poll": "Sondage terminé", "Ended a poll": "Sondage terminé",
"Due to decryption errors, some votes may not be counted": "À cause derreurs de déchiffrement, certains votes pourraient ne pas avoir été pris en compte", "Due to decryption errors, some votes may not be counted": "À cause derreurs de déchiffrement, certains votes pourraient ne pas avoir été pris en compte",
"The sender has blocked you from receiving this message": "Lexpéditeur a bloqué la réception de votre message", "The sender has blocked you from receiving this message": "Lexpéditeur a bloqué la réception de votre message",
@ -3582,7 +3473,6 @@
"Can't find the old version of this room (room ID: %(roomId)s), and we have not been provided with 'via_servers' to look for it.": "Lancienne version de ce salon (identifiant : %(roomId)s) est introuvable, et 'via_servers' ne nous a pas été fourni pour le trouver.", "Can't find the old version of this room (room ID: %(roomId)s), and we have not been provided with 'via_servers' to look for it.": "Lancienne version de ce salon (identifiant : %(roomId)s) est introuvable, et 'via_servers' ne nous a pas été fourni pour le trouver.",
"Can't find the old version of this room (room ID: %(roomId)s), and we have not been provided with 'via_servers' to look for it. It's possible that guessing the server from the room ID will work. If you want to try, click this link:": "Lancienne version de ce salon (identifiant : %(roomId)s) est introuvable, et 'via_servers' ne nous a pas été fourni pour le trouver. Il est possible que déduire le serveur à partir de lidentifiant de salon puisse marcher. Si vous voulez essayer, cliquez sur ce lien :", "Can't find the old version of this room (room ID: %(roomId)s), and we have not been provided with 'via_servers' to look for it. It's possible that guessing the server from the room ID will work. If you want to try, click this link:": "Lancienne version de ce salon (identifiant : %(roomId)s) est introuvable, et 'via_servers' ne nous a pas été fourni pour le trouver. Il est possible que déduire le serveur à partir de lidentifiant de salon puisse marcher. Si vous voulez essayer, cliquez sur ce lien :",
"Formatting": "Formatage", "Formatting": "Formatage",
"Start messages with <code>/plain</code> to send without markdown.": "Commencez les messages avec <code>/plain</code> pour les envoyer sans markdown.",
"The add / bind with MSISDN flow is misconfigured": "Lajout / liaison avec le flux MSISDN est mal configuré", "The add / bind with MSISDN flow is misconfigured": "Lajout / liaison avec le flux MSISDN est mal configuré",
"No identity access token found": "Aucun jeton daccès didentité trouvé", "No identity access token found": "Aucun jeton daccès didentité trouvé",
"Identity server not set": "Serveur d'identité non défini", "Identity server not set": "Serveur d'identité non défini",
@ -3618,8 +3508,6 @@
"User is not logged in": "Lutilisateur nest pas identifié", "User is not logged in": "Lutilisateur nest pas identifié",
"Exported Data": "Données exportées", "Exported Data": "Données exportées",
"Views room with given address": "Affiche le salon avec cette adresse", "Views room with given address": "Affiche le salon avec cette adresse",
"Show current profile picture and name for users in message history": "Afficher limage de profil et le nom actuels des utilisateurs dans lhistorique des messages",
"Show profile picture changes": "Afficher les changements dimage de profil",
"Ask to join": "Demander à venir", "Ask to join": "Demander à venir",
"Notification Settings": "Paramètres de notification", "Notification Settings": "Paramètres de notification",
"Enable new native OIDC flows (Under active development)": "Active le nouveau processus OIDC natif (en cours de développement)", "Enable new native OIDC flows (Under active development)": "Active le nouveau processus OIDC natif (en cours de développement)",
@ -3651,16 +3539,12 @@
"Quick Actions": "Actions rapides", "Quick Actions": "Actions rapides",
"Unable to find user by email": "Impossible de trouver un utilisateur avec son courriel", "Unable to find user by email": "Impossible de trouver un utilisateur avec son courriel",
"Your profile picture URL": "Votre URL dimage de profil", "Your profile picture URL": "Votre URL dimage de profil",
"User read up to (ignoreSynthetic): ": "Lutilisateur a lu jusquà (ignoreSynthetic) : ",
"User read up to (m.read.private): ": "Lutilisateur a lu jusquà (m.read.private) : ",
"See history": "Afficher lhistorique",
"Select which emails you want to send summaries to. Manage your emails in <button>General</button>.": "Sélectionner les adresses auxquelles envoyer les résumés. Gérer vos courriels dans <button>Général</button>.", "Select which emails you want to send summaries to. Manage your emails in <button>General</button>.": "Sélectionner les adresses auxquelles envoyer les résumés. Gérer vos courriels dans <button>Général</button>.",
"Notify when someone mentions using @displayname or %(mxid)s": "Notifie lorsque quelquun utilise la mention @displayname ou %(mxid)s", "Notify when someone mentions using @displayname or %(mxid)s": "Notifie lorsque quelquun utilise la mention @displayname ou %(mxid)s",
"Enter keywords here, or use for spelling variations or nicknames": "Entrer des mots-clés ici, ou pour des orthographes alternatives ou des surnoms", "Enter keywords here, or use for spelling variations or nicknames": "Entrer des mots-clés ici, ou pour des orthographes alternatives ou des surnoms",
"Reset to default settings": "Réinitialiser aux paramètres par défaut", "Reset to default settings": "Réinitialiser aux paramètres par défaut",
"Are you sure you wish to remove (delete) this event?": "Êtes-vous sûr de vouloir supprimer cet évènement ?", "Are you sure you wish to remove (delete) this event?": "Êtes-vous sûr de vouloir supprimer cet évènement ?",
"Upgrade room": "Mettre à niveau le salon", "Upgrade room": "Mettre à niveau le salon",
"User read up to (m.read.private;ignoreSynthetic): ": "Lutilisateur a lu jusquà (m.read.private;ignoreSynthetic) : ",
"People, Mentions and Keywords": "Personnes, mentions et mots-clés", "People, Mentions and Keywords": "Personnes, mentions et mots-clés",
"Mentions and Keywords only": "Seulement les mentions et les mots-clés", "Mentions and Keywords only": "Seulement les mentions et les mots-clés",
"I want to be notified for (Default Setting)": "Je veux être notifié pour (réglage par défaut)", "I want to be notified for (Default Setting)": "Je veux être notifié pour (réglage par défaut)",
@ -3769,7 +3653,9 @@
"android": "Android", "android": "Android",
"trusted": "Fiable", "trusted": "Fiable",
"not_trusted": "Non fiable", "not_trusted": "Non fiable",
"accessibility": "Accessibilité" "accessibility": "Accessibilité",
"capabilities": "Capacités",
"server": "Serveur"
}, },
"action": { "action": {
"continue": "Continuer", "continue": "Continuer",
@ -3868,7 +3754,8 @@
"maximise": "Maximiser", "maximise": "Maximiser",
"mention": "Mentionner", "mention": "Mentionner",
"submit": "Soumettre", "submit": "Soumettre",
"send_report": "Envoyer le signalement" "send_report": "Envoyer le signalement",
"clear": "Effacer"
}, },
"a11y": { "a11y": {
"user_menu": "Menu utilisateur" "user_menu": "Menu utilisateur"
@ -4002,5 +3889,122 @@
"you_did_it": "Vous lavez fait !", "you_did_it": "Vous lavez fait !",
"complete_these": "Terminez-les pour obtenir le maximum de %(brand)s", "complete_these": "Terminez-les pour obtenir le maximum de %(brand)s",
"community_messaging_description": "Gardez le contrôle sur la discussion de votre communauté.\nPrend en charge des millions de messages, avec une interopérabilité et une modération efficace." "community_messaging_description": "Gardez le contrôle sur la discussion de votre communauté.\nPrend en charge des millions de messages, avec une interopérabilité et une modération efficace."
},
"devtools": {
"send_custom_account_data_event": "Envoyer des événements personnalisés de données du compte",
"send_custom_room_account_data_event": "Envoyer des événements personnalisés de données du compte du salon",
"event_type": "Type dévènement",
"state_key": "Clé détat",
"invalid_json": "Ne semble pas être du JSON valide.",
"failed_to_send": "Échec de lenvoi de lévénement !",
"event_sent": "Évènement envoyé !",
"event_content": "Contenu de lévènement",
"user_read_up_to": "Lutilisateur a lu jusquà : ",
"no_receipt_found": "Aucun accusé disponible",
"user_read_up_to_ignore_synthetic": "Lutilisateur a lu jusquà (ignoreSynthetic) : ",
"user_read_up_to_private": "Lutilisateur a lu jusquà (m.read.private) : ",
"user_read_up_to_private_ignore_synthetic": "Lutilisateur a lu jusquà (m.read.private;ignoreSynthetic) : ",
"room_status": "Statut du salon",
"room_unread_status_count": {
"other": "Statut non-lus du salon : <strong>%(status)s</strong>, total : <strong>%(count)s</strong>"
},
"notification_state": "Létat des notifications est <strong>%(notificationState)s</strong>",
"room_encrypted": "Le salon est <strong>chiffré ✅</strong>",
"room_not_encrypted": "Le salon <strong>nest pas chiffré 🚨</strong>",
"main_timeline": "Historique principal",
"threads_timeline": "Historique des fils de discussion",
"room_notifications_total": "Total : ",
"room_notifications_highlight": "Mentions : ",
"room_notifications_dot": "Point : ",
"room_notifications_last_event": "Dernier évènement :",
"room_notifications_type": "Type : ",
"room_notifications_sender": "Expéditeur : ",
"room_notifications_thread_id": "Id du fil de discussion : ",
"spaces": {
"one": "<espace>",
"other": "<%(count)s espaces>"
},
"empty_string": "<chaîne de caractères vide>",
"room_unread_status": "Statut non-lus du salon : <strong>%(status)s</strong>",
"id": "ID : ",
"send_custom_state_event": "Envoyer des événements détat personnalisés",
"see_history": "Afficher lhistorique",
"failed_to_load": "Échec du chargement.",
"client_versions": "Versions des clients",
"server_versions": "Versions des serveurs",
"number_of_users": "Nombre dutilisateurs",
"failed_to_save": "Échec lors de la sauvegarde des paramètres.",
"save_setting_values": "Enregistrer les valeurs des paramètres",
"setting_colon": "Paramètre :",
"caution_colon": "Attention :",
"use_at_own_risk": "Cette interface ne vérifie pas les types des valeurs. Utilisez la à vos propres risques.",
"setting_definition": "Définition du paramètre :",
"level": "Rang",
"settable_global": "Définissable de manière globale",
"settable_room": "Définissable par salon",
"values_explicit": "Valeurs pour des rangs explicites",
"values_explicit_room": "Valeurs pour des rangs explicites dans ce salon",
"edit_values": "Modifier les valeurs",
"value_colon": "Valeur :",
"value_this_room_colon": "Valeur pour ce salon :",
"values_explicit_colon": "Valeurs pour les rangs explicites :",
"values_explicit_this_room_colon": "Valeurs pour les rangs explicites de ce salon :",
"setting_id": "Identifiant de paramètre",
"value": "Valeur",
"value_in_this_room": "Valeur pour ce salon",
"edit_setting": "Modifier le paramètre",
"phase_requested": "Envoyé",
"phase_ready": "Prêt",
"phase_started": "Démarré",
"phase_cancelled": "Annulé",
"phase_transaction": "Transaction",
"phase": "Phase",
"timeout": "Temps dattente",
"methods": "Méthodes",
"requester": "Demandeur",
"observe_only": "Observer uniquement",
"no_verification_requests_found": "Aucune demande de vérification trouvée",
"failed_to_find_widget": "Erreur lors de la récupération de ce widget."
},
"settings": {
"show_breadcrumbs": "Afficher les raccourcis vers les salons vus récemment au-dessus de la liste des salons",
"all_rooms_home_description": "Tous les salons dans lesquels vous vous trouvez apparaîtront sur lAccueil.",
"use_command_f_search": "Utilisez Commande + F pour rechercher dans le fil de discussion",
"use_control_f_search": "Utilisez Ctrl + F pour rechercher dans le fil de discussion",
"use_12_hour_format": "Afficher lheure au format am/pm (par ex. 2:30pm)",
"always_show_message_timestamps": "Toujours afficher lheure des messages",
"send_read_receipts": "Envoyer les accusés de réception",
"send_typing_notifications": "Envoyer des notifications de saisie",
"replace_plain_emoji": "Remplacer automatiquement le texte par des émojis",
"enable_markdown": "Activer Markdown",
"emoji_autocomplete": "Activer la suggestion démojis lors de la saisie",
"use_command_enter_send_message": "Utilisez Ctrl + Entrée pour envoyer un message",
"use_control_enter_send_message": "Utilisez Ctrl + Entrée pour envoyer un message",
"all_rooms_home": "Afficher tous les salons dans Accueil",
"enable_markdown_description": "Commencez les messages avec <code>/plain</code> pour les envoyer sans markdown.",
"show_stickers_button": "Afficher le bouton des autocollants",
"insert_trailing_colon_mentions": "Insérer deux-points après les mentions de l'utilisateur au début d'un message",
"automatic_language_detection_syntax_highlight": "Activer la détection automatique du langage pour la coloration syntaxique",
"code_block_expand_default": "Développer les blocs de code par défaut",
"code_block_line_numbers": "Afficher les numéros de ligne dans les blocs de code",
"inline_url_previews_default": "Activer laperçu des URL par défaut",
"autoplay_gifs": "Jouer automatiquement les GIFs",
"autoplay_videos": "Jouer automatiquement les vidéos",
"image_thumbnails": "Afficher les aperçus/vignettes pour les images",
"show_typing_notifications": "Afficher les notifications de saisie",
"show_redaction_placeholder": "Afficher les messages supprimés",
"show_read_receipts": "Afficher les accusés de lecture envoyés par les autres utilisateurs",
"show_join_leave": "Afficher les messages d'arrivée et de départ (les invitations/expulsions/bannissements ne sont pas concernés)",
"show_displayname_changes": "Afficher les changements de nom daffichage",
"show_chat_effects": "Afficher les animations de conversation (animations lors de la réception par ex. de confettis)",
"show_avatar_changes": "Afficher les changements dimage de profil",
"big_emoji": "Activer les gros émojis dans les discussions",
"jump_to_bottom_on_send": "Sauter en bas du fil de discussion lorsque vous envoyez un message",
"disable_historical_profile": "Afficher limage de profil et le nom actuels des utilisateurs dans lhistorique des messages",
"show_nsfw_content": "Afficher le contenu sensible (NSFW)",
"prompt_invite": "Demander avant denvoyer des invitations à des identifiants matrix potentiellement non valides",
"hardware_acceleration": "Activer laccélération matérielle (redémarrer %(appName)s pour appliquer)",
"start_automatically": "Démarrer automatiquement après la phase d'authentification du système",
"warn_quit": "Avertir avant de quitter"
} }
} }

View file

@ -23,7 +23,6 @@
"An error has occurred.": "Dimigh earráid éigin.", "An error has occurred.": "Dimigh earráid éigin.",
"A new password must be entered.": "Caithfear focal faire nua a iontráil.", "A new password must be entered.": "Caithfear focal faire nua a iontráil.",
"%(items)s and %(lastItem)s": "%(items)s agus %(lastItem)s", "%(items)s and %(lastItem)s": "%(items)s agus %(lastItem)s",
"Always show message timestamps": "Taispeáin stampaí ama teachtaireachta i gcónaí",
"Default Device": "Gléas Réamhshocraithe", "Default Device": "Gléas Réamhshocraithe",
"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",
@ -61,11 +60,6 @@
"Permission Required": "Is Teastáil Cead", "Permission Required": "Is Teastáil Cead",
"Call Failed": "Chlis an glaoch", "Call Failed": "Chlis an glaoch",
"Spaces": "Spásanna", "Spaces": "Spásanna",
"Value:": "Luach:",
"Level": "Leibhéal",
"Caution:": "Faichill:",
"Setting:": "Socrú:",
"Value": "Luach",
"Transfer": "Aistrigh", "Transfer": "Aistrigh",
"Hold": "Fan", "Hold": "Fan",
"Resume": "Tosaigh arís", "Resume": "Tosaigh arís",
@ -750,5 +744,15 @@
"moderator": "Modhnóir", "moderator": "Modhnóir",
"admin": "Riarthóir", "admin": "Riarthóir",
"mod": "Mod" "mod": "Mod"
},
"devtools": {
"setting_colon": "Socrú:",
"caution_colon": "Faichill:",
"level": "Leibhéal",
"value_colon": "Luach:",
"value": "Luach"
},
"settings": {
"always_show_message_timestamps": "Taispeáin stampaí ama teachtaireachta i gcónaí"
} }
} }

View file

@ -81,11 +81,6 @@
"Your browser does not support the required cryptography extensions": "O seu navegador non soporta as extensións de criptografía necesarias", "Your browser does not support the required cryptography extensions": "O seu navegador non soporta as extensións de criptografía necesarias",
"Not a valid %(brand)s keyfile": "Non é un ficheiro de chaves %(brand)s válido", "Not a valid %(brand)s keyfile": "Non é un ficheiro de chaves %(brand)s válido",
"Authentication check failed: incorrect password?": "Fallou a comprobación de autenticación: contrasinal incorrecto?", "Authentication check failed: incorrect password?": "Fallou a comprobación de autenticación: contrasinal incorrecto?",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "Mostrar marcas de tempo con formato 12 horas (ex. 2:30pm)",
"Always show message timestamps": "Mostrar sempre marcas de tempo",
"Enable automatic language detection for syntax highlighting": "Activar a detección automática de idioma para o resalte da sintaxe",
"Automatically replace plain text Emoji": "Substituír automaticamente Emoji en texto plano",
"Enable inline URL previews by default": "Activar por defecto as vistas previas en liña de URL",
"Enable URL previews for this room (only affects you)": "Activar vista previa de URL nesta sala (só che afecta a ti)", "Enable URL previews for this room (only affects you)": "Activar vista previa de URL nesta sala (só che afecta a ti)",
"Enable URL previews by default for participants in this room": "Activar a vista previa de URL por defecto para as participantes nesta sala", "Enable URL previews by default for participants in this room": "Activar a vista previa de URL por defecto para as participantes nesta sala",
"Incorrect verification code": "Código de verificación incorrecto", "Incorrect verification code": "Código de verificación incorrecto",
@ -344,7 +339,6 @@
"Cryptography": "Criptografía", "Cryptography": "Criptografía",
"Check for update": "Comprobar actualización", "Check for update": "Comprobar actualización",
"Reject all %(invitedRooms)s invites": "Rexeitar todos os %(invitedRooms)s convites", "Reject all %(invitedRooms)s invites": "Rexeitar todos os %(invitedRooms)s convites",
"Start automatically after system login": "Iniciar automaticamente despois de iniciar sesión",
"No media permissions": "Sen permisos de medios", "No media permissions": "Sen permisos de medios",
"You may need to manually permit %(brand)s to access your microphone/webcam": "Igual ten que permitir manualmente a %(brand)s acceder ao seus micrófono e cámara", "You may need to manually permit %(brand)s to access your microphone/webcam": "Igual ten que permitir manualmente a %(brand)s acceder ao seus micrófono e cámara",
"No Microphones detected": "Non se detectaron micrófonos", "No Microphones detected": "Non se detectaron micrófonos",
@ -423,7 +417,6 @@
"Toolbox": "Ferramentas", "Toolbox": "Ferramentas",
"Collecting logs": "Obtendo rexistros", "Collecting logs": "Obtendo rexistros",
"All Rooms": "Todas as Salas", "All Rooms": "Todas as Salas",
"State Key": "Chave do estado",
"Wednesday": "Mércores", "Wednesday": "Mércores",
"All messages": "Todas as mensaxes", "All messages": "Todas as mensaxes",
"Call invitation": "Convite de chamada", "Call invitation": "Convite de chamada",
@ -439,9 +432,6 @@
"Error encountered (%(errorDetail)s).": "Houbo un erro (%(errorDetail)s).", "Error encountered (%(errorDetail)s).": "Houbo un erro (%(errorDetail)s).",
"Low Priority": "Baixa prioridade", "Low Priority": "Baixa prioridade",
"Off": "Off", "Off": "Off",
"Event Type": "Tipo de evento",
"Event sent!": "Evento enviado!",
"Event Content": "Contido do evento",
"Thank you!": "Grazas!", "Thank you!": "Grazas!",
"Missing roomId.": "Falta o ID da sala.", "Missing roomId.": "Falta o ID da sala.",
"Popout widget": "trebello emerxente", "Popout widget": "trebello emerxente",
@ -721,21 +711,11 @@
"Language and region": "Idioma e rexión", "Language and region": "Idioma e rexión",
"Your theme": "O teu decorado", "Your theme": "O teu decorado",
"Font size": "Tamaño da letra", "Font size": "Tamaño da letra",
"Enable Emoji suggestions while typing": "Activar suxestión de Emoji ao escribir",
"Show a placeholder for removed messages": "Resaltar o lugar das mensaxes eliminadas",
"Show display name changes": "Mostrar cambios do nome mostrado",
"Show read receipts sent by other users": "Mostrar resgardo de lectura enviados por outras usuarias",
"Enable big emoji in chat": "Activar Emojis grandes na conversa",
"Send typing notifications": "Enviar notificación de escritura",
"Show typing notifications": "Mostrar notificacións de escritura",
"Never send encrypted messages to unverified sessions from this session": "Non enviar nunca desde esta sesión mensaxes cifradas a sesións non verificadas", "Never send encrypted messages to unverified sessions from this session": "Non enviar nunca desde esta sesión mensaxes cifradas a sesións non verificadas",
"Never send encrypted messages to unverified sessions in this room from this session": "Non enviar mensaxes cifradas desde esta sesión a sesións non verificadas nesta sala", "Never send encrypted messages to unverified sessions in this room from this session": "Non enviar mensaxes cifradas desde esta sesión a sesións non verificadas nesta sala",
"Prompt before sending invites to potentially invalid matrix IDs": "Avisar antes de enviar convites a IDs de Matrix potencialmente incorrectos",
"Show shortcuts to recently viewed rooms above the room list": "Mostrar atallos a salas vistas recentemente enriba da lista de salas",
"Show hidden events in timeline": "Mostrar na cronoloxía eventos ocultos", "Show hidden events in timeline": "Mostrar na cronoloxía eventos ocultos",
"Straight rows of keys are easy to guess": "Palabras de letras contiguas son doadas de adiviñar", "Straight rows of keys are easy to guess": "Palabras de letras contiguas son doadas de adiviñar",
"Short keyboard patterns are easy to guess": "Patróns curtos de teclas son doados de adiviñar", "Short keyboard patterns are easy to guess": "Patróns curtos de teclas son doados de adiviñar",
"Show previews/thumbnails for images": "Mostrar miniaturas/vista previa das imaxes",
"Enable message search in encrypted rooms": "Activar a busca de mensaxes en salas cifradas", "Enable message search in encrypted rooms": "Activar a busca de mensaxes en salas cifradas",
"How fast should messages be downloaded.": "Velocidade á que deberían descargarse as mensaxes.", "How fast should messages be downloaded.": "Velocidade á que deberían descargarse as mensaxes.",
"Manually verify all remote sessions": "Verificar manualmente todas as sesións remotas", "Manually verify all remote sessions": "Verificar manualmente todas as sesións remotas",
@ -1875,8 +1855,6 @@
"Decline All": "Rexeitar todo", "Decline All": "Rexeitar todo",
"This widget would like to:": "O widget podería querer:", "This widget would like to:": "O widget podería querer:",
"Approve widget permissions": "Aprovar permisos do widget", "Approve widget permissions": "Aprovar permisos do widget",
"Use Ctrl + Enter to send a message": "Usar Ctrl + Enter para enviar unha mensaxe",
"Use Command + Enter to send a message": "Usar Command + Enter para enviar unha mensaxe",
"See <b>%(msgtype)s</b> messages posted to your active room": "Ver mensaxes <b>%(msgtype)s</b> publicados na túa sala activa", "See <b>%(msgtype)s</b> messages posted to your active room": "Ver mensaxes <b>%(msgtype)s</b> publicados na túa sala activa",
"See <b>%(msgtype)s</b> messages posted to this room": "Ver mensaxes <b>%(msgtype)s</b> publicados nesta sala", "See <b>%(msgtype)s</b> messages posted to this room": "Ver mensaxes <b>%(msgtype)s</b> publicados nesta sala",
"Send <b>%(msgtype)s</b> messages as you in your active room": "Enviar mensaxes <b>%(msgtype)s</b> no teu nome á túa sala activa", "Send <b>%(msgtype)s</b> messages as you in your active room": "Enviar mensaxes <b>%(msgtype)s</b> no teu nome á túa sala activa",
@ -1988,7 +1966,6 @@
"Transfer": "Transferir", "Transfer": "Transferir",
"Failed to transfer call": "Fallou a transferencia da chamada", "Failed to transfer call": "Fallou a transferencia da chamada",
"A call can only be transferred to a single user.": "Unha chamada só se pode transferir a unha única usuaria.", "A call can only be transferred to a single user.": "Unha chamada só se pode transferir a unha única usuaria.",
"There was an error finding this widget.": "Houbo un fallo ao buscar o widget.",
"Active Widgets": "Widgets activos", "Active Widgets": "Widgets activos",
"Open dial pad": "Abrir marcador", "Open dial pad": "Abrir marcador",
"Dial pad": "Marcador", "Dial pad": "Marcador",
@ -2029,28 +2006,7 @@
"Something went wrong in confirming your identity. Cancel and try again.": "Algo fallou ao intentar confirma a túa identidade. Cancela e inténtao outra vez.", "Something went wrong in confirming your identity. Cancel and try again.": "Algo fallou ao intentar confirma a túa identidade. Cancela e inténtao outra vez.",
"We asked the browser to remember which homeserver you use to let you sign in, but unfortunately your browser has forgotten it. Go to the sign in page and try again.": "Pedíramoslle ao teu navegador que lembrase o teu servidor de inicio para acceder, pero o navegador esqueceuno. Vaite á páxina de conexión e inténtao outra vez.", "We asked the browser to remember which homeserver you use to let you sign in, but unfortunately your browser has forgotten it. Go to the sign in page and try again.": "Pedíramoslle ao teu navegador que lembrase o teu servidor de inicio para acceder, pero o navegador esqueceuno. Vaite á páxina de conexión e inténtao outra vez.",
"We couldn't log you in": "Non puidemos conectarte", "We couldn't log you in": "Non puidemos conectarte",
"Show stickers button": "Mostrar botón dos adhesivos",
"Recently visited rooms": "Salas visitadas recentemente", "Recently visited rooms": "Salas visitadas recentemente",
"Show line numbers in code blocks": "Mostrar números de liña nos bloques de código",
"Expand code blocks by default": "Por defecto despregar bloques de código",
"Values at explicit levels in this room:": "Valores a niveis explícitos nesta sala:",
"Values at explicit levels:": "Valores a niveis explícitos:",
"Value in this room:": "Valor nesta sala:",
"Value:": "Valor:",
"Save setting values": "Gardar valores configurados",
"Values at explicit levels in this room": "Valores a niveis explícitos nesta sala",
"Values at explicit levels": "Valores e niveis explícitos",
"Settable at room": "Configurable na sala",
"Settable at global": "Configurable como global",
"Level": "Nivel",
"Setting definition:": "Definición do axuste:",
"This UI does NOT check the types of the values. Use at your own risk.": "Esta IU non comproba os tipos dos valores. Usa baixo a túa responsabilidade.",
"Caution:": "Aviso:",
"Setting:": "Axuste:",
"Value in this room": "Valor nesta sala",
"Value": "Valor",
"Setting ID": "ID do axuste",
"Show chat effects (animations when receiving e.g. confetti)": "Mostrar efectos no chat (animacións na recepción, ex. confetti)",
"Original event source": "Fonte orixinal do evento", "Original event source": "Fonte orixinal do evento",
"Decrypted event source": "Fonte descifrada do evento", "Decrypted event source": "Fonte descifrada do evento",
"Invite by username": "Convidar por nome de usuaria", "Invite by username": "Convidar por nome de usuaria",
@ -2103,7 +2059,6 @@
"Invite only, best for yourself or teams": "Só con convite, mellor para ti ou para equipos", "Invite only, best for yourself or teams": "Só con convite, mellor para ti ou para equipos",
"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",
"Jump to the bottom of the timeline when you send a message": "Ir ao final da cronoloxía cando envías unha mensaxe",
"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.", "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", "Already in call": "Xa estás nunha chamada",
@ -2137,7 +2092,6 @@
"Add some details to help people recognise it.": "Engade algún detalle para que sexa recoñecible.", "Add some details to help people recognise it.": "Engade algún detalle para que sexa recoñecible.",
"Sends the given message as a spoiler": "Envía a mensaxe dada como un spoiler", "Sends the given message as a spoiler": "Envía a mensaxe dada como un spoiler",
"Review to ensure your account is safe": "Revisa para asegurarte de que a túa conta está protexida", "Review to ensure your account is safe": "Revisa para asegurarte de que a túa conta está protexida",
"Warn before quitting": "Aviso antes de saír",
"Invite to just this room": "Convida só a esta sala", "Invite to just this room": "Convida só a esta sala",
"We couldn't create your DM.": "Non puidemos crear o teu MD.", "We couldn't create your DM.": "Non puidemos crear o teu MD.",
"Invited people will be able to read old messages.": "As persoas convidadas poderán ler as mensaxes antigas.", "Invited people will be able to read old messages.": "As persoas convidadas poderán ler as mensaxes antigas.",
@ -2295,9 +2249,6 @@
"e.g. my-space": "ex. o-meu-espazo", "e.g. my-space": "ex. o-meu-espazo",
"Silence call": "Acalar chamada", "Silence call": "Acalar chamada",
"Sound on": "Son activado", "Sound on": "Son activado",
"Use Ctrl + F to search timeline": "Usar Ctrl + F para buscar na cronoloxía",
"Use Command + F to search timeline": "Usar Command + F para buscar na cronoloxía",
"Show all rooms in Home": "Mostrar tódalas salas no Inicio",
"%(senderName)s changed the <a>pinned messages</a> for the room.": "%(senderName)s cambiou a <a>mensaxe fixada</a> da sala.", "%(senderName)s changed the <a>pinned messages</a> for the room.": "%(senderName)s cambiou a <a>mensaxe fixada</a> da sala.",
"%(senderName)s withdrew %(targetName)s's invitation": "%(senderName)s retirou o convite para %(targetName)s", "%(senderName)s withdrew %(targetName)s's invitation": "%(senderName)s retirou o convite para %(targetName)s",
"%(senderName)s withdrew %(targetName)s's invitation: %(reason)s": "%(senderName)s retirou o convite para %(targetName)s: %(reason)s", "%(senderName)s withdrew %(targetName)s's invitation: %(reason)s": "%(senderName)s retirou o convite para %(targetName)s: %(reason)s",
@ -2411,7 +2362,6 @@
"Search %(spaceName)s": "Buscar %(spaceName)s", "Search %(spaceName)s": "Buscar %(spaceName)s",
"Decrypting": "Descifrando", "Decrypting": "Descifrando",
"Show all rooms": "Mostar tódalas salas", "Show all rooms": "Mostar tódalas salas",
"All rooms you're in will appear in Home.": "Tódalas salas nas que estás aparecerán en Inicio.",
"Missed call": "Chamada perdida", "Missed call": "Chamada perdida",
"Call declined": "Chamada rexeitada", "Call declined": "Chamada rexeitada",
"Stop recording": "Deter a gravación", "Stop recording": "Deter a gravación",
@ -2440,8 +2390,6 @@
"To avoid these issues, create a <a>new encrypted room</a> for the conversation you plan to have.": "Para evitar estos problemas, crea unha <a>nova sala cifrada</a> para a conversa que pretendes manter.", "To avoid these issues, create a <a>new encrypted room</a> for the conversation you plan to have.": "Para evitar estos problemas, crea unha <a>nova sala cifrada</a> para a conversa que pretendes manter.",
"Are you sure you want to add encryption to this public room?": "Tes a certeza de querer engadir cifrado a esta sala pública?", "Are you sure you want to add encryption to this public room?": "Tes a certeza de querer engadir cifrado a esta sala pública?",
"Cross-signing is ready but keys are not backed up.": "A sinatura-cruzada está preparada pero non hai copia das chaves.", "Cross-signing is ready but keys are not backed up.": "A sinatura-cruzada está preparada pero non hai copia das chaves.",
"Autoplay GIFs": "Reprod. automática GIFs",
"Autoplay videos": "Reprod. automática vídeo",
"The above, but in <Room /> as well": "O de arriba, pero tamén en <Room />", "The above, but in <Room /> as well": "O de arriba, pero tamén en <Room />",
"The above, but in any room you are joined or invited to as well": "O de enriba, pero en calquera sala á que te uniches ou foches convidada", "The above, but in any room you are joined or invited to as well": "O de enriba, pero en calquera sala á que te uniches ou foches convidada",
"%(senderName)s unpinned a message from this room. See all pinned messages.": "%(senderName)s desafixou unha mensaxe desta sala. Mira tódalas mensaxes fixadas.", "%(senderName)s unpinned a message from this room. See all pinned messages.": "%(senderName)s desafixou unha mensaxe desta sala. Mira tódalas mensaxes fixadas.",
@ -2648,7 +2596,6 @@
"Quick settings": "Axustes rápidos", "Quick settings": "Axustes rápidos",
"Spaces you know that contain this space": "Espazos que sabes conteñen este espazo", "Spaces you know that contain this space": "Espazos que sabes conteñen este espazo",
"Chat": "Chat", "Chat": "Chat",
"Clear": "Limpar",
"You may contact me if you want to follow up or to let me test out upcoming ideas": "Podes contactar conmigo se queres estar ao día ou comentarme algunha suxestión", "You may contact me if you want to follow up or to let me test out upcoming ideas": "Podes contactar conmigo se queres estar ao día ou comentarme algunha suxestión",
"Home options": "Opcións de Incio", "Home options": "Opcións de Incio",
"%(spaceName)s menu": "Menú de %(spaceName)s", "%(spaceName)s menu": "Menú de %(spaceName)s",
@ -2778,7 +2725,6 @@
"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", "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",
"Show join/leave messages (invites/removes/bans unaffected)": "Mostrar unirse/saír (convites/eliminacións/vetos non afectados)",
"Back to thread": "Volver ao fío", "Back to thread": "Volver ao fío",
"Room members": "Membros da sala", "Room members": "Membros da sala",
"Back to chat": "Volver ao chat", "Back to chat": "Volver ao chat",
@ -2792,7 +2738,6 @@
"Verify other device": "Verificar outro dispositivo", "Verify other device": "Verificar outro dispositivo",
"This groups your chats with members of this space. Turning this off will hide those chats from your view of %(spaceName)s.": "Esto agrupa os teus chats cos membros deste espazo. Apagandoo ocultará estos chats da túa vista de %(spaceName)s.", "This groups your chats with members of this space. Turning this off will hide those chats from your view of %(spaceName)s.": "Esto agrupa os teus chats cos membros deste espazo. Apagandoo ocultará estos chats da túa vista de %(spaceName)s.",
"Sections to show": "Seccións a mostrar", "Sections to show": "Seccións a mostrar",
"Edit setting": "Editar axuste",
"This address had invalid server or is already in use": "Este enderezo ten un servidor non válido ou xa está en uso", "This address had invalid server or is already in use": "Este enderezo ten un servidor non válido ou xa está en uso",
"This address does not point at this room": "Este enderezo non dirixe a esta sala", "This address does not point at this room": "Este enderezo non dirixe a esta sala",
"Missing room name or separator e.g. (my-room:domain.org)": "Falta o nome da sala ou separador ex. (sala:dominio.org)", "Missing room name or separator e.g. (my-room:domain.org)": "Falta o nome da sala ou separador ex. (sala:dominio.org)",
@ -2845,11 +2790,6 @@
"Use <arrows/> to scroll": "Usa <arrows/> para desprazarte", "Use <arrows/> to scroll": "Usa <arrows/> para desprazarte",
"Feedback sent! Thanks, we appreciate it!": "Opinión enviada! Moitas grazas!", "Feedback sent! Thanks, we appreciate it!": "Opinión enviada! Moitas grazas!",
"%(space1Name)s and %(space2Name)s": "%(space1Name)s e %(space2Name)s", "%(space1Name)s and %(space2Name)s": "%(space1Name)s e %(space2Name)s",
"<empty string>": "<cadea baleira>",
"<%(count)s spaces>": {
"one": "<spazo>",
"other": "<%(count)s espazos>"
},
"%(oneUser)ssent %(count)s hidden messages": { "%(oneUser)ssent %(count)s hidden messages": {
"one": "%(oneUser)s enviou unha mensaxe oculta", "one": "%(oneUser)s enviou unha mensaxe oculta",
"other": "%(oneUser)s enviou %(count)s mensaxes ocultas" "other": "%(oneUser)s enviou %(count)s mensaxes ocultas"
@ -2906,7 +2846,6 @@
"Expand quotes": "Despregar as citas", "Expand quotes": "Despregar as citas",
"Collapse quotes": "Pregar as citas", "Collapse quotes": "Pregar as citas",
"Spaces are a new way to group rooms and people. What kind of Space do you want to create? You can change this later.": "Espazos é o novo xeito de agrupar salas e persoas. Que tipo de Espazo queres crear? Pódelo cambiar máis tarde.", "Spaces are a new way to group rooms and people. What kind of Space do you want to create? You can change this later.": "Espazos é o novo xeito de agrupar salas e persoas. Que tipo de Espazo queres crear? Pódelo cambiar máis tarde.",
"Insert a trailing colon after user mentions at the start of a message": "Inserir dous puntos tras mencionar a outra usuaria no inicio da mensaxe",
"Show polls button": "Mostrar botón de enquisas", "Show polls button": "Mostrar botón de enquisas",
"Switches to this room's virtual room, if it has one": "Cambia á sala virtual desta sala, se é que existe", "Switches to this room's virtual room, if it has one": "Cambia á sala virtual desta sala, se é que existe",
"Toggle Link": "Activar Ligazón", "Toggle Link": "Activar Ligazón",
@ -2938,31 +2877,7 @@
"Previous recently visited room or space": "Anterior sala ou espazo visitados recentemente", "Previous recently visited room or space": "Anterior sala ou espazo visitados recentemente",
"Event ID: %(eventId)s": "ID do evento: %(eventId)s", "Event ID: %(eventId)s": "ID do evento: %(eventId)s",
"%(timeRemaining)s left": "%(timeRemaining)s restante", "%(timeRemaining)s left": "%(timeRemaining)s restante",
"No verification requests found": "Non se atopan solicitudes de verificación",
"Observe only": "Só observar",
"Requester": "Solicitante",
"Methods": "Métodos",
"Timeout": "Caducidade",
"Phase": "Fase",
"Transaction": "Transacción",
"Cancelled": "Cancelado",
"Started": "Iniciado",
"Ready": "Preparado",
"Requested": "Solicitado",
"Unsent": "Sen enviar", "Unsent": "Sen enviar",
"Edit values": "Editar valores",
"Failed to save settings.": "Fallou o gardado dos axustes.",
"Number of users": "Número de usuarias",
"Server": "Servidor",
"Server Versions": "Versións do servidor",
"Client Versions": "Versións do cliente",
"Failed to load.": "Fallou a carga.",
"Capabilities": "Capacidades",
"Send custom state event": "Enviar evento de estado personalizado",
"Failed to send event!": "Fallou o envio do evento!",
"Doesn't look like valid JSON.": "Non semella un JSON válido.",
"Send custom room account data event": "Enviar evento de datos da sala personalizado",
"Send custom account data event": "Enviar evento de datos da conta personalizado",
"Room ID: %(roomId)s": "ID da sala: %(roomId)s", "Room ID: %(roomId)s": "ID da sala: %(roomId)s",
"Server info": "Info do servidor", "Server info": "Info do servidor",
"Settings explorer": "Explorar axustes", "Settings explorer": "Explorar axustes",
@ -3060,7 +2975,6 @@
"Unmute microphone": "Activar micrófono", "Unmute microphone": "Activar micrófono",
"Mute microphone": "Acalar micrófono", "Mute microphone": "Acalar micrófono",
"Audio devices": "Dispositivos de audio", "Audio devices": "Dispositivos de audio",
"Enable Markdown": "Activar Markdown",
"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.",
@ -3105,7 +3019,6 @@
}, },
"Failed to set direct message tag": "Non se estableceu a etiqueta de mensaxe directa", "Failed to set direct message tag": "Non se estableceu a etiqueta de mensaxe directa",
"Read receipts": "Resgados de lectura", "Read receipts": "Resgados de lectura",
"Enable hardware acceleration (restart %(appName)s to take effect)": "Activar aceleración por hardware (reiniciar %(appName)s para aplicar)",
"You were disconnected from the call. (Error: %(message)s)": "Desconectouse a chamada. (Erro: %(message)s)", "You were disconnected from the call. (Error: %(message)s)": "Desconectouse a chamada. (Erro: %(message)s)",
"Connection lost": "Perdeuse a conexión", "Connection lost": "Perdeuse a conexión",
"Deactivating your account is a permanent action — be careful!": "A desactivación da conta é unha acción permanente — coidado!", "Deactivating your account is a permanent action — be careful!": "A desactivación da conta é unha acción permanente — coidado!",
@ -3192,7 +3105,6 @@
"Download %(brand)s": "Descargar %(brand)s", "Download %(brand)s": "Descargar %(brand)s",
"Your server doesn't support disabling sending read receipts.": "O teu servidor non ten soporte para desactivar o envío de resgardos de lectura.", "Your server doesn't support disabling sending read receipts.": "O teu servidor non ten soporte para desactivar o envío de resgardos de lectura.",
"Share your activity and status with others.": "Comparte a túa actividade e estado con outras persoas.", "Share your activity and status with others.": "Comparte a túa actividade e estado con outras persoas.",
"Send read receipts": "Enviar resgardos de lectura",
"Inactive for %(inactiveAgeDays)s+ days": "Inactiva durante %(inactiveAgeDays)s+ días", "Inactive for %(inactiveAgeDays)s+ days": "Inactiva durante %(inactiveAgeDays)s+ días",
"Session details": "Detalles da sesión", "Session details": "Detalles da sesión",
"IP address": "Enderezo IP", "IP address": "Enderezo IP",
@ -3330,7 +3242,9 @@
"android": "Android", "android": "Android",
"trusted": "Confiable", "trusted": "Confiable",
"not_trusted": "Non confiable", "not_trusted": "Non confiable",
"accessibility": "Accesibilidade" "accessibility": "Accesibilidade",
"capabilities": "Capacidades",
"server": "Servidor"
}, },
"action": { "action": {
"continue": "Continuar", "continue": "Continuar",
@ -3426,7 +3340,8 @@
"maximise": "Maximizar", "maximise": "Maximizar",
"mention": "Mención", "mention": "Mención",
"submit": "Enviar", "submit": "Enviar",
"send_report": "Enviar denuncia" "send_report": "Enviar denuncia",
"clear": "Limpar"
}, },
"a11y": { "a11y": {
"user_menu": "Menú de usuaria" "user_menu": "Menú de usuaria"
@ -3524,5 +3439,94 @@
"you_did_it": "Xa está!", "you_did_it": "Xa está!",
"complete_these": "Completa esto para sacarlle partido a %(brand)s", "complete_these": "Completa esto para sacarlle partido a %(brand)s",
"community_messaging_description": "Mantén o control e a propiedade sobre as conversas da comunidade.\nPodendo xestionar millóns de contas, con ferramentas para a moderación e a interoperabilidade." "community_messaging_description": "Mantén o control e a propiedade sobre as conversas da comunidade.\nPodendo xestionar millóns de contas, con ferramentas para a moderación e a interoperabilidade."
},
"devtools": {
"send_custom_account_data_event": "Enviar evento de datos da conta personalizado",
"send_custom_room_account_data_event": "Enviar evento de datos da sala personalizado",
"event_type": "Tipo de evento",
"state_key": "Chave do estado",
"invalid_json": "Non semella un JSON válido.",
"failed_to_send": "Fallou o envio do evento!",
"event_sent": "Evento enviado!",
"event_content": "Contido do evento",
"spaces": {
"one": "<spazo>",
"other": "<%(count)s espazos>"
},
"empty_string": "<cadea baleira>",
"send_custom_state_event": "Enviar evento de estado personalizado",
"failed_to_load": "Fallou a carga.",
"client_versions": "Versións do cliente",
"server_versions": "Versións do servidor",
"number_of_users": "Número de usuarias",
"failed_to_save": "Fallou o gardado dos axustes.",
"save_setting_values": "Gardar valores configurados",
"setting_colon": "Axuste:",
"caution_colon": "Aviso:",
"use_at_own_risk": "Esta IU non comproba os tipos dos valores. Usa baixo a túa responsabilidade.",
"setting_definition": "Definición do axuste:",
"level": "Nivel",
"settable_global": "Configurable como global",
"settable_room": "Configurable na sala",
"values_explicit": "Valores e niveis explícitos",
"values_explicit_room": "Valores a niveis explícitos nesta sala",
"edit_values": "Editar valores",
"value_colon": "Valor:",
"value_this_room_colon": "Valor nesta sala:",
"values_explicit_colon": "Valores a niveis explícitos:",
"values_explicit_this_room_colon": "Valores a niveis explícitos nesta sala:",
"setting_id": "ID do axuste",
"value": "Valor",
"value_in_this_room": "Valor nesta sala",
"edit_setting": "Editar axuste",
"phase_requested": "Solicitado",
"phase_ready": "Preparado",
"phase_started": "Iniciado",
"phase_cancelled": "Cancelado",
"phase_transaction": "Transacción",
"phase": "Fase",
"timeout": "Caducidade",
"methods": "Métodos",
"requester": "Solicitante",
"observe_only": "Só observar",
"no_verification_requests_found": "Non se atopan solicitudes de verificación",
"failed_to_find_widget": "Houbo un fallo ao buscar o widget."
},
"settings": {
"show_breadcrumbs": "Mostrar atallos a salas vistas recentemente enriba da lista de salas",
"all_rooms_home_description": "Tódalas salas nas que estás aparecerán en Inicio.",
"use_command_f_search": "Usar Command + F para buscar na cronoloxía",
"use_control_f_search": "Usar Ctrl + F para buscar na cronoloxía",
"use_12_hour_format": "Mostrar marcas de tempo con formato 12 horas (ex. 2:30pm)",
"always_show_message_timestamps": "Mostrar sempre marcas de tempo",
"send_read_receipts": "Enviar resgardos de lectura",
"send_typing_notifications": "Enviar notificación de escritura",
"replace_plain_emoji": "Substituír automaticamente Emoji en texto plano",
"enable_markdown": "Activar Markdown",
"emoji_autocomplete": "Activar suxestión de Emoji ao escribir",
"use_command_enter_send_message": "Usar Command + Enter para enviar unha mensaxe",
"use_control_enter_send_message": "Usar Ctrl + Enter para enviar unha mensaxe",
"all_rooms_home": "Mostrar tódalas salas no Inicio",
"show_stickers_button": "Mostrar botón dos adhesivos",
"insert_trailing_colon_mentions": "Inserir dous puntos tras mencionar a outra usuaria no inicio da mensaxe",
"automatic_language_detection_syntax_highlight": "Activar a detección automática de idioma para o resalte da sintaxe",
"code_block_expand_default": "Por defecto despregar bloques de código",
"code_block_line_numbers": "Mostrar números de liña nos bloques de código",
"inline_url_previews_default": "Activar por defecto as vistas previas en liña de URL",
"autoplay_gifs": "Reprod. automática GIFs",
"autoplay_videos": "Reprod. automática vídeo",
"image_thumbnails": "Mostrar miniaturas/vista previa das imaxes",
"show_typing_notifications": "Mostrar notificacións de escritura",
"show_redaction_placeholder": "Resaltar o lugar das mensaxes eliminadas",
"show_read_receipts": "Mostrar resgardo de lectura enviados por outras usuarias",
"show_join_leave": "Mostrar unirse/saír (convites/eliminacións/vetos non afectados)",
"show_displayname_changes": "Mostrar cambios do nome mostrado",
"show_chat_effects": "Mostrar efectos no chat (animacións na recepción, ex. confetti)",
"big_emoji": "Activar Emojis grandes na conversa",
"jump_to_bottom_on_send": "Ir ao final da cronoloxía cando envías unha mensaxe",
"prompt_invite": "Avisar antes de enviar convites a IDs de Matrix potencialmente incorrectos",
"hardware_acceleration": "Activar aceleración por hardware (reiniciar %(appName)s para aplicar)",
"start_automatically": "Iniciar automaticamente despois de iniciar sesión",
"warn_quit": "Aviso antes de saír"
} }
} }

View file

@ -59,14 +59,12 @@
"No update available.": "אין עדכון זמין.", "No update available.": "אין עדכון זמין.",
"Collecting app version information": "אוסף מידע על גרסת היישום", "Collecting app version information": "אוסף מידע על גרסת היישום",
"Tuesday": "שלישי", "Tuesday": "שלישי",
"Event sent!": "ארוע נשלח!",
"Preparing to send logs": "מתכונן לשלוח יומנים", "Preparing to send logs": "מתכונן לשלוח יומנים",
"Saturday": "שבת", "Saturday": "שבת",
"Monday": "שני", "Monday": "שני",
"Toolbox": "תיבת כלים", "Toolbox": "תיבת כלים",
"Collecting logs": "אוסף יומנים לנפוי שגיאה (דבאג)", "Collecting logs": "אוסף יומנים לנפוי שגיאה (דבאג)",
"All Rooms": "כל החדרים", "All Rooms": "כל החדרים",
"State Key": "מקש מצב",
"Wednesday": "רביעי", "Wednesday": "רביעי",
"All messages": "כל ההודעות", "All messages": "כל ההודעות",
"Call invitation": "הזמנה לשיחה", "Call invitation": "הזמנה לשיחה",
@ -84,9 +82,7 @@
"Low Priority": "עדיפות נמוכה", "Low Priority": "עדיפות נמוכה",
"Off": "ללא", "Off": "ללא",
"Failed to remove tag %(tagName)s from room": "נכשל בעת נסיון הסרת תג %(tagName)s מהחדר", "Failed to remove tag %(tagName)s from room": "נכשל בעת נסיון הסרת תג %(tagName)s מהחדר",
"Event Type": "סוג ארוע",
"Developer Tools": "כלי מפתחים", "Developer Tools": "כלי מפתחים",
"Event Content": "תוכן הארוע",
"Thank you!": "רב תודות!", "Thank you!": "רב תודות!",
"Your %(brand)s is misconfigured": "ה %(brand)s שלך מוגדר באופן שגוי", "Your %(brand)s is misconfigured": "ה %(brand)s שלך מוגדר באופן שגוי",
"Add Phone Number": "הוסף מספר טלפון", "Add Phone Number": "הוסף מספר טלפון",
@ -809,14 +805,10 @@
"Manually verify all remote sessions": "אמת באופן ידני את כל ההתחברויות", "Manually verify all remote sessions": "אמת באופן ידני את כל ההתחברויות",
"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 previews/thumbnails for images": "הראה תצוגה מקדימה\\ממוזערת של תמונות",
"Show hidden events in timeline": "הצג ארועים מוסתרים בקו הזמן", "Show hidden events in timeline": "הצג ארועים מוסתרים בקו הזמן",
"Show shortcuts to recently viewed rooms above the room list": "הצג קיצורים אל חדרים שנצפו לאחרונה מעל לרשימת החדרים",
"Prompt before sending invites to potentially invalid matrix IDs": "שאלו אותי לפני שאתם שולחים הזמנה אל קוד זיהוי אפשרי של משתמש מערכת",
"Enable widget screenshots on supported widgets": "אפשר צילומי מסך של ישומונים עבור ישומונים נתמכים", "Enable widget screenshots on supported widgets": "אפשר צילומי מסך של ישומונים עבור ישומונים נתמכים",
"Enable URL previews by default for participants in this room": "אפשר לחברים בחדר זה לצפות בתצוגת קישורים", "Enable URL previews by default for participants in this room": "אפשר לחברים בחדר זה לצפות בתצוגת קישורים",
"Enable URL previews for this room (only affects you)": "הראה תצוגה מקדימה של קישורים בחדר זה (משפיע רק עליכם)", "Enable URL previews for this room (only affects you)": "הראה תצוגה מקדימה של קישורים בחדר זה (משפיע רק עליכם)",
"Enable inline URL previews by default": "אפשר צפייה של תצוגת קישורים בצאט כברירת מחדל",
"Never send encrypted messages to unverified sessions in this room from this session": "לעולם אל תשלח הודעות מוצפנות אל התחברות שאינה מאומתת בחדר זה, מהתחברות זו", "Never send encrypted messages to unverified sessions in this room from this session": "לעולם אל תשלח הודעות מוצפנות אל התחברות שאינה מאומתת בחדר זה, מהתחברות זו",
"Never send encrypted messages to unverified sessions from this session": "לעולם אל תשלח הודעות מוצפנות אל התחברות שאינה מאומתת מהתחברות זו", "Never send encrypted messages to unverified sessions from this session": "לעולם אל תשלח הודעות מוצפנות אל התחברות שאינה מאומתת מהתחברות זו",
"Send analytics data": "שלח מידע אנליטי", "Send analytics data": "שלח מידע אנליטי",
@ -824,19 +816,6 @@
"Use a system font": "השתמש בגופן מערכת", "Use a system font": "השתמש בגופן מערכת",
"Match system theme": "התאם לתבנית המערכת", "Match system theme": "התאם לתבנית המערכת",
"Mirror local video feed": "שקף זרימת וידאו מקומית", "Mirror local video feed": "שקף זרימת וידאו מקומית",
"Automatically replace plain text Emoji": "החלף טקסט עם סמל באופן אוטומטי",
"Use Ctrl + Enter to send a message": "השתמש ב Ctrl + Enter על מנת לשלוח הודעה",
"Use Command + Enter to send a message": "השתמש במקלדת Command + Enter על מנת לשלוח הודעה",
"Show typing notifications": "הצג התרעות כתיבה",
"Send typing notifications": "שלח התרעות כתיבה",
"Enable big emoji in chat": "החל סמלים גדולים בצאט",
"Enable automatic language detection for syntax highlighting": "החל זיהוי שפה אוטומטי עבור הדגשת מבנה הכתיבה",
"Always show message timestamps": "תמיד הצג חותמות זמן של הודעות",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "הצג חותמות זמן של 12 שעות (כלומר 2:30pm)",
"Show read receipts sent by other users": "הצג הודעות שנקראו בידי משתמשים אחרים",
"Show display name changes": "הצג שינויים של שמות",
"Show a placeholder for removed messages": "הצד מקום לתצוגת הודעות שהוסרו",
"Enable Emoji suggestions while typing": "החל הצעות לסמלים בזמן כתיבה",
"Use custom size": "השתמשו בגודל מותאם אישית", "Use custom size": "השתמשו בגודל מותאם אישית",
"Font size": "גודל אותיות", "Font size": "גודל אותיות",
"Change notification settings": "שינוי הגדרת התרעות", "Change notification settings": "שינוי הגדרת התרעות",
@ -1445,7 +1424,6 @@
"Composer": "כתבן", "Composer": "כתבן",
"Room list": "רשימת חדרים", "Room list": "רשימת חדרים",
"Always show the window menu bar": "הראה תמיד את שורת תפריט החלונות", "Always show the window menu bar": "הראה תמיד את שורת תפריט החלונות",
"Start automatically after system login": "התחל באופן אוטומטי לאחר הכניסה",
"Room ID or address of ban list": "זהות החדר או כתובת של רשימת החסומים", "Room ID or address of ban list": "זהות החדר או כתובת של רשימת החסומים",
"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.": "אם זה לא מה שאתה רוצה, השתמש בכלי אחר כדי להתעלם ממשתמשים.",
"Subscribing to a ban list will cause you to join it!": "הרשמה לרשימת איסורים תגרום לך להצטרף אליה!", "Subscribing to a ban list will cause you to join it!": "הרשמה לרשימת איסורים תגרום לך להצטרף אליה!",
@ -1989,7 +1967,6 @@
"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": "לא ניתן לחפש את מספר הטלפון",
"There was an error finding this widget.": "אירעה שגיאה במציאת היישומון הזה.",
"Active Widgets": "יישומונים פעילים", "Active Widgets": "יישומונים פעילים",
"Set my room layout for everyone": "הגדר את פריסת החדר שלי עבור כולם", "Set my room layout for everyone": "הגדר את פריסת החדר שלי עבור כולם",
"Open dial pad": "פתח לוח חיוג", "Open dial pad": "פתח לוח חיוג",
@ -2008,8 +1985,6 @@
"Allow this widget to verify your identity": "אפשר לווידג'ט זה לאמת את זהותך", "Allow this widget to verify your identity": "אפשר לווידג'ט זה לאמת את זהותך",
"Workspace: <networkLink/>": "סביבת עבודה: <networkLink/>", "Workspace: <networkLink/>": "סביבת עבודה: <networkLink/>",
"Change which room, message, or user you're viewing": "שנה את החדר, ההודעה או המשתמש שאתה צופה בו", "Change which room, message, or user you're viewing": "שנה את החדר, ההודעה או המשתמש שאתה צופה בו",
"Expand code blocks by default": "הרחב את בלוקי הקוד כברירת מחדל",
"Show stickers button": "הצג את לחצן המדבקות",
"Use app": "השתמש באפליקציה", "Use app": "השתמש באפליקציה",
"Use app for a better experience": "השתמש באפליקציה לחוויה טובה יותר", "Use app for a better experience": "השתמש באפליקציה לחוויה טובה יותר",
"Converts the DM to a room": "המר את השיחה הפרטית לחדר", "Converts the DM to a room": "המר את השיחה הפרטית לחדר",
@ -2075,8 +2050,6 @@
"Command error: Unable to handle slash command.": "שגיאת פקודה: לא ניתן לטפל בפקודת לוכסן.", "Command error: Unable to handle slash command.": "שגיאת פקודה: לא ניתן לטפל בפקודת לוכסן.",
"You cannot place calls without a connection to the server.": "אינך יכול לבצע שיחות ללא חיבור לשרת.", "You cannot place calls without a connection to the server.": "אינך יכול לבצע שיחות ללא חיבור לשרת.",
"Developer mode": "מצב מפתח", "Developer mode": "מצב מפתח",
"Show all rooms in Home": "הצג את כל החדרים בבית",
"Autoplay videos": "הפעלה אוטומטית של סרטונים",
"Developer": "מפתח", "Developer": "מפתח",
"Experimental": "נִסיוֹנִי", "Experimental": "נִסיוֹנִי",
"Spaces": "מרחבי עבודה", "Spaces": "מרחבי עבודה",
@ -2150,11 +2123,6 @@
"sends rainfall": "שלח גשם נופל", "sends rainfall": "שלח גשם נופל",
"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:": "ודא ואשר שהסמלים הבאים מופיעים בשני המכשירים ובאותו הסדר:",
"Show chat effects (animations when receiving e.g. confetti)": "הצג אפקטים בצ'אט (אנימציות, למשל קונפטי)",
"Use Ctrl + F to search timeline": "השתמש ב Ctrl + F כדי לחפש הודעות",
"Jump to the bottom of the timeline when you send a message": "קפוץ לתחתית השיחה בעת שליחת הודעה",
"Show line numbers in code blocks": "הצג מספרי שורות במקטעי קוד",
"Autoplay GIFs": "הפעלה אוטומטית של אנימציות GIF",
"Other rooms": "חדרים אחרים", "Other rooms": "חדרים אחרים",
"Silence call": "השתקת שיחה", "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.": "הסכמתם בעבר לשתף איתנו מידע אנונימי לגבי השימוש שלכם. אנחנו מעדכנים איך זה מתבצע.",
@ -2213,15 +2181,6 @@
"Previous room or DM": "חדר קודם או התכתבות ישירה", "Previous room or DM": "חדר קודם או התכתבות ישירה",
"Next room or DM": "חדר הבא או התכתבות ישירה", "Next room or DM": "חדר הבא או התכתבות ישירה",
"No unverified sessions found.": "לא נמצאו הפעלות לא מאומתות.", "No unverified sessions found.": "לא נמצאו הפעלות לא מאומתות.",
"Server Versions": "גירסאות שרת",
"Client Versions": "גירסאות",
"Failed to load.": "נכשל בטעינה.",
"Capabilities": "יכולות",
"Send custom state event": "שלח אירוע מצב מותאם אישית",
"<empty string>": "<מחרוזת ריקה>",
"<%(count)s spaces>": {
"one": "<רווח>"
},
"Friends and family": "חברים ומשפחה", "Friends and family": "חברים ומשפחה",
"An error occurred whilst sharing your live location, please try again": "אירעה שגיאה במהלך שיתוף המיקום החי שלכם, אנא נסו שוב", "An error occurred whilst sharing your live location, please try again": "אירעה שגיאה במהלך שיתוף המיקום החי שלכם, אנא נסו שוב",
"Only invited people can join.": "רק משתשים מוזמנים יכולים להצטרף.", "Only invited people can join.": "רק משתשים מוזמנים יכולים להצטרף.",
@ -2333,7 +2292,6 @@
"Unable to verify this device": "לא ניתן לאמת את מכשיר זה", "Unable to verify this device": "לא ניתן לאמת את מכשיר זה",
"Jump to last message": "קיפצו להודעה האחרונה", "Jump to last message": "קיפצו להודעה האחרונה",
"Jump to first message": "קיפצו להודעה הראשונה", "Jump to first message": "קיפצו להודעה הראשונה",
"Send read receipts": "שילחו אישורי קריאה",
"Messages in this chat will be end-to-end encrypted.": "הודעות בצ'אט זה יוצפו מקצה לקצה.", "Messages in this chat will be end-to-end encrypted.": "הודעות בצ'אט זה יוצפו מקצה לקצה.",
"Some encryption parameters have been changed.": "מספר פרמטרים של הצפנה שונו.", "Some encryption parameters have been changed.": "מספר פרמטרים של הצפנה שונו.",
"Decrypting": "מפענח", "Decrypting": "מפענח",
@ -2402,20 +2360,13 @@
"Jump to start of the composer": "עבור לתחילת ההתכתבות", "Jump to start of the composer": "עבור לתחילת ההתכתבות",
"Redo edit": "חזור על העריכה", "Redo edit": "חזור על העריכה",
"Undo edit": "בטל את העריכה", "Undo edit": "בטל את העריכה",
"Show join/leave messages (invites/removes/bans unaffected)": "הצג הודעות הצטרפות/עזיבה (הזמנות/הסרות/איסורים) לא מושפעים",
"Images, GIFs and videos": "תמונות, GIF ווידאו", "Images, GIFs and videos": "תמונות, GIF ווידאו",
"Code blocks": "מקטעי קוד", "Code blocks": "מקטעי קוד",
"Show polls button": "הצג את כפתור הסקרים", "Show polls button": "הצג את כפתור הסקרים",
"Insert a trailing colon after user mentions at the start of a message": "הוסף נקודתיים לאחר אזכור המשתמש בתחילת ההודעה",
"Surround selected text when typing special characters": "סמן טקסט כאשר מקלידים סמלים מיוחדים", "Surround selected text when typing special characters": "סמן טקסט כאשר מקלידים סמלים מיוחדים",
"To view all keyboard shortcuts, <a>click here</a>.": "כדי לצפות בכל קיצורי המקלדת , <a>לחצו כאן</a>.", "To view all keyboard shortcuts, <a>click here</a>.": "כדי לצפות בכל קיצורי המקלדת , <a>לחצו כאן</a>.",
"All rooms you're in will appear in Home.": "כל החדרים שבהם אתם נמצאים יופיעו בדף הבית.",
"Messages containing keywords": "הודעות המכילות מילות מפתח", "Messages containing keywords": "הודעות המכילות מילות מפתח",
"Access your secure message history and set up secure messaging by entering your Security Phrase.": "גש להיסטוריית ההודעות המאובטחת שלך והגדר הודעות מאובטחות על ידי הזנת ביטוי האבטחה שלך.", "Access your secure message history and set up secure messaging by entering your Security Phrase.": "גש להיסטוריית ההודעות המאובטחת שלך והגדר הודעות מאובטחות על ידי הזנת ביטוי האבטחה שלך.",
"Doesn't look like valid JSON.": "תבנית JSON לא חוקית",
"Server": "שרת",
"Value:": "ערך:",
"Phase": "שלב",
"@mentions & keywords": "אזכורים ומילות מפתח", "@mentions & keywords": "אזכורים ומילות מפתח",
"Mentions & keywords": "אזכורים ומילות מפתח", "Mentions & keywords": "אזכורים ומילות מפתח",
"Failed to invite users to %(roomName)s": "נכשל בהזמנת משתמשים לחדר - %(roomName)", "Failed to invite users to %(roomName)s": "נכשל בהזמנת משתמשים לחדר - %(roomName)",
@ -2577,9 +2528,7 @@
"Send email": "שלח אימייל", "Send email": "שלח אימייל",
"<b>%(homeserver)s</b> will send you a verification link to let you reset your password.": "<b>%(homeserver)s</b> ישלח אליך קישור לצורך איפוס הסיסמה שלך.", "<b>%(homeserver)s</b> will send you a verification link to let you reset your password.": "<b>%(homeserver)s</b> ישלח אליך קישור לצורך איפוס הסיסמה שלך.",
"Enter your email to reset password": "הקלד את כתובת הדואר האלקטרוני שלך לצורך איפוס סיסמה", "Enter your email to reset password": "הקלד את כתובת הדואר האלקטרוני שלך לצורך איפוס סיסמה",
"Show NSFW content": "הצג תוכן NSFW (תוכן שלא מתאים לצפיה במקום ציבורי)",
"Room directory": "רשימת חדרים", "Room directory": "רשימת חדרים",
"Enable Markdown": "אפשר Markdown",
"New room": "חדר חדש", "New room": "חדר חדש",
"common": { "common": {
"about": "אודות", "about": "אודות",
@ -2644,7 +2593,9 @@
"android": "אנדרויד", "android": "אנדרויד",
"trusted": "אמין", "trusted": "אמין",
"not_trusted": "לא אמין", "not_trusted": "לא אמין",
"accessibility": "נגישות" "accessibility": "נגישות",
"capabilities": "יכולות",
"server": "שרת"
}, },
"action": { "action": {
"continue": "המשך", "continue": "המשך",
@ -2795,5 +2746,58 @@
"short_hours": "%(value)s שעות", "short_hours": "%(value)s שעות",
"short_minutes": "%(value)s דקות", "short_minutes": "%(value)s דקות",
"short_seconds": "%(value)s שניות" "short_seconds": "%(value)s שניות"
},
"devtools": {
"event_type": "סוג ארוע",
"state_key": "מקש מצב",
"invalid_json": "תבנית JSON לא חוקית",
"event_sent": "ארוע נשלח!",
"event_content": "תוכן הארוע",
"spaces": {
"one": "<רווח>"
},
"empty_string": "<מחרוזת ריקה>",
"send_custom_state_event": "שלח אירוע מצב מותאם אישית",
"failed_to_load": "נכשל בטעינה.",
"client_versions": "גירסאות",
"server_versions": "גירסאות שרת",
"value_colon": "ערך:",
"phase": "שלב",
"failed_to_find_widget": "אירעה שגיאה במציאת היישומון הזה."
},
"settings": {
"show_breadcrumbs": "הצג קיצורים אל חדרים שנצפו לאחרונה מעל לרשימת החדרים",
"all_rooms_home_description": "כל החדרים שבהם אתם נמצאים יופיעו בדף הבית.",
"use_control_f_search": "השתמש ב Ctrl + F כדי לחפש הודעות",
"use_12_hour_format": "הצג חותמות זמן של 12 שעות (כלומר 2:30pm)",
"always_show_message_timestamps": "תמיד הצג חותמות זמן של הודעות",
"send_read_receipts": "שילחו אישורי קריאה",
"send_typing_notifications": "שלח התרעות כתיבה",
"replace_plain_emoji": "החלף טקסט עם סמל באופן אוטומטי",
"enable_markdown": "אפשר Markdown",
"emoji_autocomplete": "החל הצעות לסמלים בזמן כתיבה",
"use_command_enter_send_message": "השתמש במקלדת Command + Enter על מנת לשלוח הודעה",
"use_control_enter_send_message": "השתמש ב Ctrl + Enter על מנת לשלוח הודעה",
"all_rooms_home": "הצג את כל החדרים בבית",
"show_stickers_button": "הצג את לחצן המדבקות",
"insert_trailing_colon_mentions": "הוסף נקודתיים לאחר אזכור המשתמש בתחילת ההודעה",
"automatic_language_detection_syntax_highlight": "החל זיהוי שפה אוטומטי עבור הדגשת מבנה הכתיבה",
"code_block_expand_default": "הרחב את בלוקי הקוד כברירת מחדל",
"code_block_line_numbers": "הצג מספרי שורות במקטעי קוד",
"inline_url_previews_default": "אפשר צפייה של תצוגת קישורים בצאט כברירת מחדל",
"autoplay_gifs": "הפעלה אוטומטית של אנימציות GIF",
"autoplay_videos": "הפעלה אוטומטית של סרטונים",
"image_thumbnails": "הראה תצוגה מקדימה\\ממוזערת של תמונות",
"show_typing_notifications": "הצג התרעות כתיבה",
"show_redaction_placeholder": "הצד מקום לתצוגת הודעות שהוסרו",
"show_read_receipts": "הצג הודעות שנקראו בידי משתמשים אחרים",
"show_join_leave": "הצג הודעות הצטרפות/עזיבה (הזמנות/הסרות/איסורים) לא מושפעים",
"show_displayname_changes": "הצג שינויים של שמות",
"show_chat_effects": "הצג אפקטים בצ'אט (אנימציות, למשל קונפטי)",
"big_emoji": "החל סמלים גדולים בצאט",
"jump_to_bottom_on_send": "קפוץ לתחתית השיחה בעת שליחת הודעה",
"show_nsfw_content": "הצג תוכן NSFW (תוכן שלא מתאים לצפיה במקום ציבורי)",
"prompt_invite": "שאלו אותי לפני שאתם שולחים הזמנה אל קוד זיהוי אפשרי של משתמש מערכת",
"start_automatically": "התחל באופן אוטומטי לאחר הכניסה"
} }
} }

View file

@ -100,13 +100,8 @@
"Your browser does not support the required cryptography extensions": "आपका ब्राउज़र आवश्यक क्रिप्टोग्राफी एक्सटेंशन का समर्थन नहीं करता है", "Your browser does not support the required cryptography extensions": "आपका ब्राउज़र आवश्यक क्रिप्टोग्राफी एक्सटेंशन का समर्थन नहीं करता है",
"Authentication check failed: incorrect password?": "प्रमाणीकरण जांच विफल: गलत पासवर्ड?", "Authentication check failed: incorrect password?": "प्रमाणीकरण जांच विफल: गलत पासवर्ड?",
"Please contact your homeserver administrator.": "कृपया अपने होमसर्वर व्यवस्थापक से संपर्क करें।", "Please contact your homeserver administrator.": "कृपया अपने होमसर्वर व्यवस्थापक से संपर्क करें।",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "१२ घंटे प्रारूप में टाइमस्टैम्प दिखाएं (उदहारण:२:३० अपराह्न बजे)",
"Always show message timestamps": "हमेशा संदेश टाइमस्टैम्प दिखाएं",
"Enable automatic language detection for syntax highlighting": "वाक्यविन्यास हाइलाइटिंग के लिए स्वत: भाषा का पता प्रणाली सक्षम करें",
"Automatically replace plain text Emoji": "स्वचालित रूप से सादा पाठ इमोजी को प्रतिस्थापित करें",
"Mirror local video feed": "स्थानीय वीडियो फ़ीड को आईना करें", "Mirror local video feed": "स्थानीय वीडियो फ़ीड को आईना करें",
"Send analytics data": "विश्लेषण डेटा भेजें", "Send analytics data": "विश्लेषण डेटा भेजें",
"Enable inline URL previews by default": "डिफ़ॉल्ट रूप से इनलाइन यूआरएल पूर्वावलोकन सक्षम करें",
"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": "समर्थित विजेट्स पर विजेट स्क्रीनशॉट सक्षम करें",
@ -235,12 +230,6 @@
"Unrecognised address": "अपरिचित पता", "Unrecognised address": "अपरिचित पता",
"Straight rows of keys are easy to guess": "कुंजी की सीधी पंक्तियों का अनुमान लगाना आसान है", "Straight rows of keys are easy to guess": "कुंजी की सीधी पंक्तियों का अनुमान लगाना आसान है",
"Short keyboard patterns are easy to guess": "लघु कीबोर्ड पैटर्न का अनुमान लगाना आसान है", "Short keyboard patterns are easy to guess": "लघु कीबोर्ड पैटर्न का अनुमान लगाना आसान है",
"Enable Emoji suggestions while typing": "टाइप करते समय इमोजी सुझावों को सक्षम करें",
"Show a placeholder for removed messages": "हटाए गए संदेशों के लिए एक प्लेसहोल्डर दिखाएँ",
"Show display name changes": "प्रदर्शन नाम परिवर्तन दिखाएं",
"Enable big emoji in chat": "चैट में बड़े इमोजी सक्षम करें",
"Send typing notifications": "टाइपिंग सूचनाएं भेजें",
"Prompt before sending invites to potentially invalid matrix IDs": "संभावित अवैध मैट्रिक्स आईडी को निमंत्रण भेजने से पहले सूचित करें",
"Messages containing my username": "मेरे उपयोगकर्ता नाम वाले संदेश", "Messages containing my username": "मेरे उपयोगकर्ता नाम वाले संदेश",
"The other party cancelled the verification.": "दूसरे पक्ष ने सत्यापन रद्द कर दिया।", "The other party cancelled the verification.": "दूसरे पक्ष ने सत्यापन रद्द कर दिया।",
"Verified!": "सत्यापित!", "Verified!": "सत्यापित!",
@ -350,9 +339,7 @@
"Help & About": "सहायता और के बारे में", "Help & About": "सहायता और के बारे में",
"Versions": "संस्करण", "Versions": "संस्करण",
"Notifications": "सूचनाएं", "Notifications": "सूचनाएं",
"Start automatically after system login": "सिस्टम लॉगिन के बाद स्वचालित रूप से प्रारंभ करें",
"Changes your display nickname in the current room only": "केवल वर्तमान कमरे में अपना प्रदर्शन उपनाम बदलता है", "Changes your display nickname in the current room only": "केवल वर्तमान कमरे में अपना प्रदर्शन उपनाम बदलता है",
"Show read receipts sent by other users": "अन्य उपयोगकर्ताओं द्वारा भेजी गई रसीदें दिखाएं",
"Scissors": "कैंची", "Scissors": "कैंची",
"Room list": "कक्ष सूचि", "Room list": "कक्ष सूचि",
"Autocomplete delay (ms)": "स्वत: पूर्ण विलंब (ms)", "Autocomplete delay (ms)": "स्वत: पूर्ण विलंब (ms)",
@ -645,5 +632,20 @@
"short_hours": "%(value)s", "short_hours": "%(value)s",
"short_minutes": "%(value)sएम", "short_minutes": "%(value)sएम",
"short_seconds": "%(value)s एस" "short_seconds": "%(value)s एस"
},
"settings": {
"use_12_hour_format": "१२ घंटे प्रारूप में टाइमस्टैम्प दिखाएं (उदहारण:२:३० अपराह्न बजे)",
"always_show_message_timestamps": "हमेशा संदेश टाइमस्टैम्प दिखाएं",
"send_typing_notifications": "टाइपिंग सूचनाएं भेजें",
"replace_plain_emoji": "स्वचालित रूप से सादा पाठ इमोजी को प्रतिस्थापित करें",
"emoji_autocomplete": "टाइप करते समय इमोजी सुझावों को सक्षम करें",
"automatic_language_detection_syntax_highlight": "वाक्यविन्यास हाइलाइटिंग के लिए स्वत: भाषा का पता प्रणाली सक्षम करें",
"inline_url_previews_default": "डिफ़ॉल्ट रूप से इनलाइन यूआरएल पूर्वावलोकन सक्षम करें",
"show_redaction_placeholder": "हटाए गए संदेशों के लिए एक प्लेसहोल्डर दिखाएँ",
"show_read_receipts": "अन्य उपयोगकर्ताओं द्वारा भेजी गई रसीदें दिखाएं",
"show_displayname_changes": "प्रदर्शन नाम परिवर्तन दिखाएं",
"big_emoji": "चैट में बड़े इमोजी सक्षम करें",
"prompt_invite": "संभावित अवैध मैट्रिक्स आईडी को निमंत्रण भेजने से पहले सूचित करें",
"start_automatically": "सिस्टम लॉगिन के बाद स्वचालित रूप से प्रारंभ करें"
} }
} }

View file

@ -14,7 +14,6 @@
"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", "Advanced": "Speciális",
"Always show message timestamps": "Üzenetek időbélyegének megjelenítése mindig",
"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",
@ -124,7 +123,6 @@
"Server may be unavailable, overloaded, or you hit a bug.": "A kiszolgáló elérhetetlen, túlterhelt vagy hibára futott.", "Server may be unavailable, overloaded, or you hit a bug.": "A kiszolgáló elérhetetlen, túlterhelt vagy hibára futott.",
"Server unavailable, overloaded, or something else went wrong.": "A kiszolgáló nem érhető el, túlterhelt vagy valami más probléma van.", "Server unavailable, overloaded, or something else went wrong.": "A kiszolgáló nem érhető el, túlterhelt vagy valami más probléma van.",
"Session ID": "Kapcsolat azonosító", "Session ID": "Kapcsolat azonosító",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "Az időbélyegek megjelenítése 12 órás formátumban (például du. 2:30)",
"Signed Out": "Kijelentkezett", "Signed Out": "Kijelentkezett",
"Start authentication": "Hitelesítés indítása", "Start authentication": "Hitelesítés indítása",
"This email address is already in use": "Ez az e-mail-cím már használatban van", "This email address is already in use": "Ez az e-mail-cím már használatban van",
@ -199,7 +197,6 @@
"other": "(~%(count)s db eredmény)" "other": "(~%(count)s db eredmény)"
}, },
"New Password": "Új jelszó", "New Password": "Új jelszó",
"Start automatically after system login": "Automatikus indítás rendszerindítás után",
"Passphrases must match": "A jelmondatoknak meg kell egyezniük", "Passphrases must match": "A jelmondatoknak meg kell egyezniük",
"Passphrase must not be empty": "A jelmondat nem lehet üres", "Passphrase must not be empty": "A jelmondat nem lehet üres",
"Export room keys": "Szoba kulcsok mentése", "Export room keys": "Szoba kulcsok mentése",
@ -240,13 +237,11 @@
"Check for update": "Frissítések keresése", "Check for update": "Frissítések keresése",
"Delete widget": "Kisalkalmazás törlése", "Delete widget": "Kisalkalmazás törlése",
"Define the power level of a user": "A felhasználó szintjének meghatározása", "Define the power level of a user": "A felhasználó szintjének meghatározása",
"Enable automatic language detection for syntax highlighting": "Nyelv automatikus felismerése a szintaxiskiemeléshez",
"AM": "de.", "AM": "de.",
"PM": "du.", "PM": "du.",
"Unable to create widget.": "Nem lehet kisalkalmazást létrehozni.", "Unable to create widget.": "Nem lehet kisalkalmazást létrehozni.",
"You are not in this room.": "Nem tagja ennek a szobának.", "You are not in this room.": "Nem tagja ennek a szobának.",
"You do not have permission to do that in this room.": "Nincs jogosultsága ezt tenni ebben a szobában.", "You do not have permission to do that in this room.": "Nincs jogosultsága ezt tenni ebben a szobában.",
"Automatically replace plain text Emoji": "Egyszerű szöveg automatikus cseréje emodzsira",
"Publish this room to the public in %(domain)s's room directory?": "Publikálod a szobát a(z) %(domain)s szoba listájába?", "Publish this room to the public in %(domain)s's room directory?": "Publikálod a szobát a(z) %(domain)s szoba listájába?",
"%(widgetName)s widget added by %(senderName)s": "%(senderName)s hozzáadta a %(widgetName)s kisalkalmazást", "%(widgetName)s widget added by %(senderName)s": "%(senderName)s hozzáadta a %(widgetName)s kisalkalmazást",
"%(widgetName)s widget removed by %(senderName)s": "%(senderName)s eltávolította a %(widgetName)s kisalkalmazást", "%(widgetName)s widget removed by %(senderName)s": "%(senderName)s eltávolította a %(widgetName)s kisalkalmazást",
@ -364,7 +359,6 @@
"Room Notification": "Szoba értesítések", "Room Notification": "Szoba értesítések",
"Please note you are logging into the %(hs)s server, not matrix.org.": "Vegye figyelembe, hogy a(z) %(hs)s kiszolgálóra jelentkezik be, és nem a matrix.org-ra.", "Please note you are logging into the %(hs)s server, not matrix.org.": "Vegye figyelembe, hogy a(z) %(hs)s kiszolgálóra jelentkezik be, és nem a matrix.org-ra.",
"Restricted": "Korlátozott", "Restricted": "Korlátozott",
"Enable inline URL previews by default": "Beágyazott webcím-előnézetek alapértelmezett engedélyezése",
"Enable URL previews for this room (only affects you)": "Webcím-előnézetek engedélyezése ebben a szobában (csak Önt érinti)", "Enable URL previews for this room (only affects you)": "Webcím-előnézetek engedélyezése ebben a szobában (csak Önt érinti)",
"Enable URL previews by default for participants in this room": "Webcím-előnézetek alapértelmezett engedélyezése a szobatagok számára", "Enable URL previews by default for participants in this room": "Webcím-előnézetek alapértelmezett engedélyezése a szobatagok számára",
"URL previews are enabled by default for participants in this room.": "Az URL előnézetek alapértelmezetten engedélyezve vannak a szobában jelenlévőknek.", "URL previews are enabled by default for participants in this room.": "Az URL előnézetek alapértelmezetten engedélyezve vannak a szobában jelenlévőknek.",
@ -424,7 +418,6 @@
"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",
"Call invitation": "Hívásmeghívások", "Call invitation": "Hívásmeghívások",
"State Key": "Állapotkulcs",
"What's new?": "Mik az újdonságok?", "What's new?": "Mik az újdonságok?",
"When I'm invited to a room": "Amikor meghívják egy szobába", "When I'm invited to a room": "Amikor meghívják egy szobába",
"All Rooms": "Minden szobában", "All Rooms": "Minden szobában",
@ -439,9 +432,6 @@
"Low Priority": "Alacsony prioritás", "Low Priority": "Alacsony prioritás",
"Off": "Ki", "Off": "Ki",
"Wednesday": "Szerda", "Wednesday": "Szerda",
"Event Type": "Esemény típusa",
"Event sent!": "Az esemény elküldve!",
"Event Content": "Esemény tartalma",
"Thank you!": "Köszönjük!", "Thank you!": "Köszönjük!",
"Missing roomId.": "Hiányzó szobaazonosító.", "Missing roomId.": "Hiányzó szobaazonosító.",
"Popout widget": "Kiugró kisalkalmazás", "Popout widget": "Kiugró kisalkalmazás",
@ -567,7 +557,6 @@
"Unable to load commit detail: %(msg)s": "A véglegesítés részleteinek betöltése sikertelen: %(msg)s", "Unable to load commit detail: %(msg)s": "A véglegesítés részleteinek betöltése sikertelen: %(msg)s",
"Unrecognised address": "Ismeretlen cím", "Unrecognised address": "Ismeretlen cím",
"The following users may not exist": "Az alábbi felhasználók lehet, hogy nem léteznek", "The following users may not exist": "Az alábbi felhasználók lehet, hogy nem léteznek",
"Prompt before sending invites to potentially invalid matrix IDs": "Kérdés a vélhetően hibás Matrix-azonosítóknak küldött meghívók elküldése előtt",
"Unable to find profiles for the Matrix IDs listed below - would you like to invite them anyway?": "Az alábbi Matrix ID-koz nem sikerül megtalálni a profilokat - így is meghívod őket?", "Unable to find profiles for the Matrix IDs listed below - would you like to invite them anyway?": "Az alábbi Matrix ID-koz nem sikerül megtalálni a profilokat - így is meghívod őket?",
"Invite anyway and never warn me again": "Mindenképpen meghív és ne figyelmeztess többet", "Invite anyway and never warn me again": "Mindenképpen meghív és ne figyelmeztess többet",
"Invite anyway": "Meghívás mindenképp", "Invite anyway": "Meghívás mindenképp",
@ -580,11 +569,6 @@
"one": "%(names)s és még valaki gépel…" "one": "%(names)s és még valaki gépel…"
}, },
"%(names)s and %(lastPerson)s are typing …": "%(names)s és %(lastPerson)s gépelnek…", "%(names)s and %(lastPerson)s are typing …": "%(names)s és %(lastPerson)s gépelnek…",
"Enable Emoji suggestions while typing": "Emodzsik gépelés közbeni felajánlásának bekapcsolása",
"Show a placeholder for removed messages": "Helykitöltő megjelenítése a törölt szövegek helyett",
"Show display name changes": "Megjelenítendő nevek változásának megjelenítése",
"Enable big emoji in chat": "Nagy emodzsik engedélyezése a csevegésekben",
"Send typing notifications": "Gépelési visszajelzés küldése",
"Messages containing my username": "A saját felhasználónevét tartalmazó üzenetek", "Messages containing my username": "A saját felhasználónevét tartalmazó üzenetek",
"The other party cancelled the verification.": "A másik fél megszakította az ellenőrzést.", "The other party cancelled the verification.": "A másik fél megszakította az ellenőrzést.",
"Verified!": "Ellenőrizve!", "Verified!": "Ellenőrizve!",
@ -731,7 +715,6 @@
"Your keys are being backed up (the first backup could take a few minutes).": "A kulcsaid mentése folyamatban van (az első mentés több percig is eltarthat).", "Your keys are being backed up (the first backup could take a few minutes).": "A kulcsaid mentése folyamatban van (az első mentés több percig is eltarthat).",
"Success!": "Sikeres!", "Success!": "Sikeres!",
"Changes your display nickname in the current room only": "Csak ebben a szobában változtatja meg a megjelenítendő becenevét", "Changes your display nickname in the current room only": "Csak ebben a szobában változtatja meg a megjelenítendő becenevét",
"Show read receipts sent by other users": "Mások által küldött olvasási visszajelzések megjelenítése",
"Scissors": "Olló", "Scissors": "Olló",
"Error updating main address": "Az elsődleges cím frissítése sikertelen", "Error updating main address": "Az elsődleges cím frissítése sikertelen",
"There was an error updating the room's main address. It may not be allowed by the server or a temporary failure occurred.": "A szoba elsődleges címének frissítésénél hiba történt. Vagy nincs engedélyezve a szerveren vagy átmeneti hiba történt.", "There was an error updating the room's main address. It may not be allowed by the server or a temporary failure occurred.": "A szoba elsődleges címének frissítésénél hiba történt. Vagy nincs engedélyezve a szerveren vagy átmeneti hiba történt.",
@ -978,7 +961,6 @@
"Hide advanced": "Speciális beállítások elrejtése", "Hide advanced": "Speciális beállítások elrejtése",
"Show advanced": "Speciális beállítások megjelenítése", "Show advanced": "Speciális beállítások megjelenítése",
"Close dialog": "Ablak bezárása", "Close dialog": "Ablak bezárása",
"Show previews/thumbnails for images": "Előnézet/bélyegkép megjelenítése a képekhez",
"Clear cache and reload": "Gyorsítótár ürítése és újratöltés", "Clear cache and reload": "Gyorsítótár ürítése és újratöltés",
"%(count)s unread messages including mentions.": { "%(count)s unread messages including mentions.": {
"other": "%(count)s olvasatlan üzenet megemlítéssel.", "other": "%(count)s olvasatlan üzenet megemlítéssel.",
@ -1254,7 +1236,6 @@
"If you did this accidentally, you can setup Secure Messages on this session which will re-encrypt this session's message history with a new recovery method.": "Ha véletlenül tette, akkor beállíthatja a biztonságos üzeneteket ebben a munkamenetben, ami újra titkosítja a régi üzeneteket a helyreállítási móddal.", "If you did this accidentally, you can setup Secure Messages on this session which will re-encrypt this session's message history with a new recovery method.": "Ha véletlenül tette, akkor beállíthatja a biztonságos üzeneteket ebben a munkamenetben, ami újra titkosítja a régi üzeneteket a helyreállítási móddal.",
"Indexed rooms:": "Indexált szobák:", "Indexed rooms:": "Indexált szobák:",
"Message downloading sleep time(ms)": "Üzenetletöltés alvási ideje (ms)", "Message downloading sleep time(ms)": "Üzenetletöltés alvási ideje (ms)",
"Show typing notifications": "Gépelési visszajelzés megjelenítése",
"Scan this unique code": "Ennek az egyedi kódnak a beolvasása", "Scan this unique code": "Ennek az egyedi kódnak a beolvasása",
"Compare unique emoji": "Egyedi emodzsik összehasonlítása", "Compare unique emoji": "Egyedi emodzsik összehasonlítása",
"Compare a unique set of emoji if you don't have a camera on either device": "Hasonlítsd össze az egyedi emodzsikat ha valamelyik eszközön nincs kamera", "Compare a unique set of emoji if you don't have a camera on either device": "Hasonlítsd össze az egyedi emodzsikat ha valamelyik eszközön nincs kamera",
@ -1272,7 +1253,6 @@
"Homeserver feature support:": "A Matrix-kiszolgáló funkciótámogatása:", "Homeserver feature support:": "A Matrix-kiszolgáló funkciótámogatása:",
"exists": "létezik", "exists": "létezik",
"Accepting…": "Elfogadás…", "Accepting…": "Elfogadás…",
"Show shortcuts to recently viewed rooms above the room list": "Gyors elérési gombok megjelenítése a nemrég meglátogatott szobákhoz a szobalista felett",
"Sign In or Create Account": "Bejelentkezés vagy fiók létrehozása", "Sign In or Create Account": "Bejelentkezés vagy fiók létrehozása",
"Use your account or create a new one to continue.": "A folytatáshoz használja a fiókját, vagy hozzon létre egy újat.", "Use your account or create a new one to continue.": "A folytatáshoz használja a fiókját, vagy hozzon létre egy újat.",
"Create Account": "Fiók létrehozása", "Create Account": "Fiók létrehozása",
@ -1903,8 +1883,6 @@
"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",
"Sends the given message with confetti": "Konfettivel küldi el az üzenetet", "Sends the given message with confetti": "Konfettivel küldi el az üzenetet",
"Use Ctrl + Enter to send a message": "Ctrl + Enter használata az üzenet elküldéséhez",
"Use Command + Enter to send a message": "Command + Enter használata az üzenet küldéséhez",
"See <b>%(msgtype)s</b> messages posted to your active room": "Az aktív szobájába küldött <b>%(msgtype)s</b> üzenetek megjelenítése", "See <b>%(msgtype)s</b> messages posted to your active room": "Az aktív szobájába küldött <b>%(msgtype)s</b> üzenetek megjelenítése",
"See <b>%(msgtype)s</b> messages posted to this room": "Az ebbe a szobába küldött <b>%(msgtype)s</b> üzenetek megjelenítése", "See <b>%(msgtype)s</b> messages posted to this room": "Az ebbe a szobába küldött <b>%(msgtype)s</b> üzenetek megjelenítése",
"See general files posted to your active room": "Az aktív szobádba küldött fájlok megjelenítése", "See general files posted to your active room": "Az aktív szobádba küldött fájlok megjelenítése",
@ -1988,7 +1966,6 @@
"Transfer": "Átadás", "Transfer": "Átadás",
"Failed to transfer call": "A hívás átadása nem sikerült", "Failed to transfer call": "A hívás átadása nem sikerült",
"A call can only be transferred to a single user.": "Csak egy felhasználónak lehet átadni a hívást.", "A call can only be transferred to a single user.": "Csak egy felhasználónak lehet átadni a hívást.",
"There was an error finding this widget.": "Hiba történt a kisalkalmazás keresése során.",
"Active Widgets": "Aktív kisalkalmazások", "Active Widgets": "Aktív kisalkalmazások",
"Open dial pad": "Számlap megnyitása", "Open dial pad": "Számlap megnyitása",
"Dial pad": "Tárcsázó számlap", "Dial pad": "Tárcsázó számlap",
@ -2029,28 +2006,7 @@
"Remember this": "Emlékezzen erre", "Remember this": "Emlékezzen erre",
"The widget will verify your user ID, but won't be able to perform actions for you:": "A kisalkalmazás ellenőrizni fogja a felhasználói azonosítóját, de az alábbi tevékenységeket nem tudja végrehajtani:", "The widget will verify your user ID, but won't be able to perform actions for you:": "A kisalkalmazás ellenőrizni fogja a felhasználói azonosítóját, de az alábbi tevékenységeket nem tudja végrehajtani:",
"Allow this widget to verify your identity": "A kisalkalmazás ellenőrizheti a személyazonosságát", "Allow this widget to verify your identity": "A kisalkalmazás ellenőrizheti a személyazonosságát",
"Show stickers button": "Matricák gomb megjelenítése",
"Show line numbers in code blocks": "Sorszámok megjelenítése a kódblokkokban",
"Expand code blocks by default": "Kódblokkok kibontása alapértelmezetten",
"Recently visited rooms": "Nemrég meglátogatott szobák", "Recently visited rooms": "Nemrég meglátogatott szobák",
"Values at explicit levels in this room:": "Egyedi szinthez tartozó értékek ebben a szobában:",
"Values at explicit levels:": "Egyedi szinthez tartozó értékek:",
"Value in this room:": "Érték ebben a szobában:",
"Value:": "Érték:",
"Save setting values": "Beállított értékek mentése",
"Values at explicit levels in this room": "Egyedi szinthez tartozó értékek ebben a szobában",
"Values at explicit levels": "Egyedi szinthez tartozó értékek",
"Settable at room": "Szobára beállítható",
"Settable at global": "Általánosan beállítható",
"Level": "Szint",
"Setting definition:": "Beállítás leírása:",
"This UI does NOT check the types of the values. Use at your own risk.": "Ez a felület nem ellenőrzi az érték típusát. Csak saját felelősségére használja.",
"Caution:": "Figyelmeztetés:",
"Setting:": "Beállítás:",
"Value in this room": "Érték ebben a szobában",
"Value": "Érték",
"Setting ID": "Beállításazonosító",
"Show chat effects (animations when receiving e.g. confetti)": "Csevegési effektek (például a konfetti animáció) megjelenítése",
"Original event source": "Eredeti esemény forráskód", "Original event source": "Eredeti esemény forráskód",
"Decrypted event source": "Visszafejtett esemény forráskód", "Decrypted event source": "Visszafejtett esemény forráskód",
"Invite by username": "Meghívás felhasználónévvel", "Invite by username": "Meghívás felhasználónévvel",
@ -2103,7 +2059,6 @@
"Invite only, best for yourself or teams": "Csak meghívóval, saját célra és csoportok számára ideális", "Invite only, best for yourself or teams": "Csak meghívóval, saját célra és csoportok 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", "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",
"Jump to the bottom of the timeline when you send a message": "Üzenetküldés után az idővonal aljára ugrás",
"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.", "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", "Already in call": "A hívás már folyamatban van",
@ -2153,7 +2108,6 @@
"other": "%(count)s ismerős már csatlakozott" "other": "%(count)s ismerős már csatlakozott"
}, },
"Invite to just this room": "Meghívás csak ebbe a szobába", "Invite to just this room": "Meghívás csak ebbe a szobába",
"Warn before quitting": "Figyelmeztetés kilépés előtt",
"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>", "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",
@ -2230,7 +2184,6 @@
"Pinned messages": "Kitűzött üzenetek", "Pinned messages": "Kitűzött üzenetek",
"Nothing pinned, yet": "Még semmi sincs kitűzve", "Nothing pinned, yet": "Még semmi sincs kitűzve",
"End-to-end encryption isn't enabled": "Végpontok közötti titkosítás nincs engedélyezve", "End-to-end encryption isn't enabled": "Végpontok közötti titkosítás nincs engedélyezve",
"Show all rooms in Home": "Minden szoba megjelenítése a Kezdőlapon",
"%(senderName)s changed the <a>pinned messages</a> for the room.": "%(senderName)s megváltoztatta a szoba <a>kitűzött üzeneteit</a>.", "%(senderName)s changed the <a>pinned messages</a> for the room.": "%(senderName)s megváltoztatta a szoba <a>kitűzött üzeneteit</a>.",
"%(senderName)s withdrew %(targetName)s's invitation": "%(senderName)s visszavonta %(targetName)s meghívóját", "%(senderName)s withdrew %(targetName)s's invitation": "%(senderName)s visszavonta %(targetName)s meghívóját",
"%(senderName)s withdrew %(targetName)s's invitation: %(reason)s": "%(senderName)s visszavonta %(targetName)s meghívóját, ok: %(reason)s", "%(senderName)s withdrew %(targetName)s's invitation: %(reason)s": "%(senderName)s visszavonta %(targetName)s meghívóját, ok: %(reason)s",
@ -2299,7 +2252,6 @@
"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", "Silence call": "Hívás némítása",
"Sound on": "Hang be", "Sound on": "Hang be",
"Use Command + F to search timeline": "Command + F használata az idővonalon való kereséshez",
"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": {
@ -2310,7 +2262,6 @@
"Code blocks": "Kódblokkok", "Code blocks": "Kódblokkok",
"Displaying time": "Idő megjelenítése", "Displaying time": "Idő megjelenítése",
"Keyboard shortcuts": "Gyorsbillentyűk", "Keyboard shortcuts": "Gyorsbillentyűk",
"Use Ctrl + F to search timeline": "Ctrl + F használata az idővonalon való kereséshez",
"Integration manager": "Integrációkezelő", "Integration manager": "Integrációkezelő",
"Your %(brand)s doesn't allow you to use an integration manager to do this. Please contact an admin.": "A %(brand)s nem használhat Integrációs Menedzsert. Kérem vegye fel a kapcsolatot az adminisztrátorral.", "Your %(brand)s doesn't allow you to use an integration manager to do this. Please contact an admin.": "A %(brand)s nem használhat Integrációs Menedzsert. Kérem vegye fel a kapcsolatot az adminisztrátorral.",
"Using this widget may share data <helpIcon /> with %(widgetDomain)s & your integration manager.": "Ennek a kisalkalmazásnak a használata adatot oszthat meg <helpIcon /> a(z) %(widgetDomain)s oldallal és az integrációkezelőjével.", "Using this widget may share data <helpIcon /> with %(widgetDomain)s & your integration manager.": "Ennek a kisalkalmazásnak a használata adatot oszthat meg <helpIcon /> a(z) %(widgetDomain)s oldallal és az integrációkezelőjével.",
@ -2404,7 +2355,6 @@
"Add space": "Tér hozzáadása", "Add space": "Tér hozzáadása",
"These are likely ones other room admins are a part of.": "Ezek valószínűleg olyanok, amelyeknek más szoba adminok is tagjai.", "These are likely ones other room admins are a part of.": "Ezek valószínűleg olyanok, amelyeknek más szoba adminok is tagjai.",
"Show all rooms": "Minden szoba megjelenítése", "Show all rooms": "Minden szoba megjelenítése",
"All rooms you're in will appear in Home.": "Minden szoba, amelybe belépett, megjelenik a Kezdőlapon.",
"Leave %(spaceName)s": "Kilép innen: %(spaceName)s", "Leave %(spaceName)s": "Kilép innen: %(spaceName)s",
"You're the only admin of some of the rooms or spaces you wish to leave. Leaving them will leave them without any admins.": "Ön az adminisztrátora néhány szobának vagy térnek amiből ki szeretne lépni. Ha kilép belőlük akkor azok adminisztrátor nélkül maradnak.", "You're the only admin of some of the rooms or spaces you wish to leave. Leaving them will leave them without any admins.": "Ön az adminisztrátora néhány szobának vagy térnek amiből ki szeretne lépni. Ha kilép belőlük akkor azok adminisztrátor nélkül maradnak.",
"You're the only admin of this space. Leaving it will mean no one has control over it.": "Ön az egyetlen adminisztrátora a térnek. Ha kilép, senki nem tudja irányítani.", "You're the only admin of this space. Leaving it will mean no one has control over it.": "Ön az egyetlen adminisztrátora a térnek. Ha kilép, senki nem tudja irányítani.",
@ -2440,8 +2390,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>Titkosított szobát nem célszerű nyilvánossá tenni.</b> Bárki megtalálhatja és csatlakozhat nyilvános szobákhoz, így bárki elolvashatja az üzeneteket bennük. A titkosítás előnyeit így nem jelentkeznek és később ezt nem lehet kikapcsolni. Nyilvános szobákban a titkosított üzenetek az üzenetküldést és fogadást csak lassítják.", "<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>Titkosított szobát nem célszerű nyilvánossá tenni.</b> Bárki megtalálhatja és csatlakozhat nyilvános szobákhoz, így bárki elolvashatja az üzeneteket bennük. A titkosítás előnyeit így nem jelentkeznek és később ezt nem lehet kikapcsolni. Nyilvános szobákban a titkosított üzenetek az üzenetküldést és fogadást csak lassítják.",
"Are you sure you want to make this encrypted room public?": "Biztos, hogy nyilvánossá teszi ezt a titkosított szobát?", "Are you sure you want to make this encrypted room public?": "Biztos, hogy nyilvánossá teszi ezt a titkosított szobát?",
"To avoid these issues, create a <a>new encrypted room</a> for the conversation you plan to have.": "Az ehhez hasonló problémák elkerüléséhez készítsen <a>új titkosított szobát</a> a tervezett beszélgetésekhez.", "To avoid these issues, create a <a>new encrypted room</a> for the conversation you plan to have.": "Az ehhez hasonló problémák elkerüléséhez készítsen <a>új titkosított szobát</a> a tervezett beszélgetésekhez.",
"Autoplay videos": "Videók automatikus lejátszása",
"Autoplay GIFs": "GIF-ek automatikus lejátszása",
"The above, but in <Room /> as well": "A fentiek, de ebben a szobában is: <Room />", "The above, but in <Room /> as well": "A fentiek, de ebben a szobában is: <Room />",
"The above, but in any room you are joined or invited to as well": "A fentiek, de minden szobában, amelybe belépett vagy meghívták", "The above, but in any room you are joined or invited to as well": "A fentiek, de minden szobában, amelybe belépett vagy meghívták",
"%(senderName)s unpinned a message from this room. See all pinned messages.": "%(senderName)s levett egy kitűzött üzenetet ebben a szobában. Minden kitűzött üzenet megjelenítése.", "%(senderName)s unpinned a message from this room. See all pinned messages.": "%(senderName)s levett egy kitűzött üzenetet ebben a szobában. Minden kitűzött üzenet megjelenítése.",
@ -2646,7 +2594,6 @@
"Themes": "Témák", "Themes": "Témák",
"Moderation": "Moderálás", "Moderation": "Moderálás",
"Messaging": "Üzenetküldés", "Messaging": "Üzenetküldés",
"Clear": "Törlés",
"Spaces you know that contain this space": "Terek melyről tudja, hogy ezt a teret tartalmazzák", "Spaces you know that contain this space": "Terek melyről tudja, hogy ezt a teret tartalmazzák",
"Chat": "Csevegés", "Chat": "Csevegés",
"Home options": "Kezdőlap beállítások", "Home options": "Kezdőlap beállítások",
@ -2731,7 +2678,6 @@
"Verify this device": "Az eszköz ellenőrzése", "Verify this device": "Az eszköz ellenőrzése",
"Unable to verify this device": "Ennek az eszköznek az ellenőrzése nem lehetséges", "Unable to verify this device": "Ennek az eszköznek az ellenőrzése nem lehetséges",
"Verify other device": "Másik eszköz ellenőrzése", "Verify other device": "Másik eszköz ellenőrzése",
"Edit setting": "Beállítások szerkesztése",
"This address had invalid server or is already in use": "Ez a cím érvénytelen szervert tartalmaz vagy már használatban van", "This address had invalid server or is already in use": "Ez a cím érvénytelen szervert tartalmaz vagy már használatban van",
"Missing room name or separator e.g. (my-room:domain.org)": "Szoba név vagy elválasztó hiányzik, pl.: (szobam:domain.org)", "Missing room name or separator e.g. (my-room:domain.org)": "Szoba név vagy elválasztó hiányzik, pl.: (szobam:domain.org)",
"Missing domain separator e.g. (:domain.org)": "Domain elválasztás hiányzik, pl.: (:domain.org)", "Missing domain separator e.g. (:domain.org)": "Domain elválasztás hiányzik, pl.: (:domain.org)",
@ -2786,7 +2732,6 @@
"Remove users": "Felhasználók eltávolítása", "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",
"Show join/leave messages (invites/removes/bans unaffected)": "Be- és kilépési üzenetek megjelenítése (a meghívók/kirúgások/kitiltások üzeneteit nem érinti)",
"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",
"Remove, ban, or invite people to this room, and make you leave": "Eltávolítani, kitiltani vagy meghívni embereket ebbe a szobába és, hogy ön elhagyja a szobát", "Remove, ban, or invite people to this room, and make you leave": "Eltávolítani, kitiltani vagy meghívni embereket ebbe a szobába és, hogy ön elhagyja a szobát",
"%(senderName)s removed %(targetName)s": "%(senderName)s eltávolította a következőt: %(targetName)s", "%(senderName)s removed %(targetName)s": "%(senderName)s eltávolította a következőt: %(targetName)s",
@ -2863,11 +2808,6 @@
"other": "%(severalUsers)s %(count)s üzenetet törölt" "other": "%(severalUsers)s %(count)s üzenetet törölt"
}, },
"Automatically send debug logs when key backup is not functioning": "Hibakeresési naplók automatikus küldése, ha a kulcsmentés nem működik", "Automatically send debug logs when key backup is not functioning": "Hibakeresési naplók automatikus küldése, ha a kulcsmentés nem működik",
"<empty string>": "<üres karakterek>",
"<%(count)s spaces>": {
"other": "<%(count)s szóköz>",
"one": "<szóköz>"
},
"Edit poll": "Szavazás szerkesztése", "Edit poll": "Szavazás szerkesztése",
"Sorry, you can't edit a poll after votes have been cast.": "Sajnos a szavazás nem szerkeszthető miután szavazatok érkeztek.", "Sorry, you can't edit a poll after votes have been cast.": "Sajnos a szavazás nem szerkeszthető miután szavazatok érkeztek.",
"Can't edit poll": "A szavazás nem szerkeszthető", "Can't edit poll": "A szavazás nem szerkeszthető",
@ -2894,7 +2834,6 @@
"My current location": "Jelenlegi saját földrajzi helyzet", "My current location": "Jelenlegi saját földrajzi helyzet",
"%(brand)s could not send your location. Please try again later.": "Az %(brand)s nem tudja elküldeni a földrajzi helyzetét. Próbálja újra később.", "%(brand)s could not send your location. Please try again later.": "Az %(brand)s nem tudja elküldeni a földrajzi helyzetét. Próbálja újra később.",
"We couldn't send your location": "A földrajzi helyzetet nem sikerült elküldeni", "We couldn't send your location": "A földrajzi helyzetet nem sikerült elküldeni",
"Insert a trailing colon after user mentions at the start of a message": "Záró kettőspont beszúrása egy felhasználó üzenet elején való megemlítésekor",
"Reply to an ongoing thread or use “%(replyInThread)s” when hovering over a message to start a new one.": "Válaszoljon egy meglévő üzenetszálban, vagy új üzenetszál indításához használja a „%(replyInThread)s” lehetőséget az üzenet sarkában megjelenő menüben.", "Reply to an ongoing thread or use “%(replyInThread)s” when hovering over a message to start a new one.": "Válaszoljon egy meglévő üzenetszálban, vagy új üzenetszál indításához használja a „%(replyInThread)s” lehetőséget az üzenet sarkában megjelenő menüben.",
"%(oneUser)schanged the <a>pinned messages</a> for the room %(count)s times": { "%(oneUser)schanged the <a>pinned messages</a> for the room %(count)s times": {
"one": "%(oneUser)s módosította a szoba <a>kitűzött üzeneteit</a>", "one": "%(oneUser)s módosította a szoba <a>kitűzött üzeneteit</a>",
@ -2933,31 +2872,7 @@
"Previous recently visited room or space": "Előző, nemrég meglátogatott szoba vagy tér", "Previous recently visited room or space": "Előző, nemrég meglátogatott szoba vagy tér",
"Event ID: %(eventId)s": "Esemény azon.: %(eventId)s", "Event ID: %(eventId)s": "Esemény azon.: %(eventId)s",
"%(timeRemaining)s left": "Maradék idő: %(timeRemaining)s", "%(timeRemaining)s left": "Maradék idő: %(timeRemaining)s",
"No verification requests found": "Nem található ellenőrző kérés",
"Observe only": "Csak megfigyel",
"Requester": "Kérelmező",
"Methods": "Metódusok",
"Timeout": "Időtúllépés",
"Phase": "Fázis",
"Transaction": "Tranzakció",
"Cancelled": "Megszakítva",
"Started": "Elindult",
"Ready": "Kész",
"Requested": "Kérve",
"Unsent": "Elküldetlen", "Unsent": "Elküldetlen",
"Edit values": "Értékek szerkesztése",
"Failed to save settings.": "A beállítások elmentése nem sikerült.",
"Number of users": "Felhasználószám",
"Server": "Kiszolgáló",
"Server Versions": "Kiszolgálóverziók",
"Client Versions": "Kliensverziók",
"Failed to load.": "Betöltés sikertelen.",
"Capabilities": "Képességek",
"Send custom state event": "Egyedi állapotesemény küldése",
"Failed to send event!": "Az eseményt nem sikerült elküldeni!",
"Doesn't look like valid JSON.": "Nem tűnik érvényes JSON szövegnek.",
"Send custom room account data event": "Egyedi szoba fiókadat esemény küldése",
"Send custom account data event": "Egyedi fiókadat esemény küldése",
"Room ID: %(roomId)s": "Szoba azon.: %(roomId)s", "Room ID: %(roomId)s": "Szoba azon.: %(roomId)s",
"Server info": "Kiszolgálóinformációk", "Server info": "Kiszolgálóinformációk",
"Settings explorer": "Beállítás böngésző", "Settings explorer": "Beállítás böngésző",
@ -3048,7 +2963,6 @@
"Audio devices": "Hangeszközök", "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",
"Enable Markdown": "Markdown engedélyezése",
"Failed to join": "Csatlakozás sikertelen", "Failed to join": "Csatlakozás sikertelen",
"The person who invited you has already left, or their server is offline.": "Aki meghívta a szobába már távozott, vagy a kiszolgálója nem érhető el.", "The person who invited you has already left, or their server is offline.": "Aki meghívta a szobába már távozott, vagy a kiszolgálója nem érhető el.",
"The person who invited you has already left.": "A személy, aki meghívta, már távozott.", "The person who invited you has already left.": "A személy, aki meghívta, már távozott.",
@ -3104,7 +3018,6 @@
"Check if you want to hide all current and future messages from this user.": "Válaszd ki ha ennek a felhasználónak a jelenlegi és jövőbeli üzeneteit el szeretnéd rejteni.", "Check if you want to hide all current and future messages from this user.": "Válaszd ki ha ennek a felhasználónak a jelenlegi és jövőbeli üzeneteit el szeretnéd rejteni.",
"Ignore user": "Felhasználó mellőzése", "Ignore user": "Felhasználó mellőzése",
"Read receipts": "Olvasási visszajelzés", "Read receipts": "Olvasási visszajelzés",
"Enable hardware acceleration (restart %(appName)s to take effect)": "Hardveres gyorsítás bekapcsolása (a(z) %(appName)s alkalmazást újra kell indítani)",
"You were disconnected from the call. (Error: %(message)s)": "A híváskapcsolat megszakadt (Hiba: %(message)s)", "You were disconnected from the call. (Error: %(message)s)": "A híváskapcsolat megszakadt (Hiba: %(message)s)",
"Failed to set direct message tag": "Nem sikerült a közvetlen beszélgetés címkét beállítani", "Failed to set direct message tag": "Nem sikerült a közvetlen beszélgetés címkét beállítani",
"Connection lost": "A kapcsolat megszakadt", "Connection lost": "A kapcsolat megszakadt",
@ -3179,7 +3092,6 @@
"Its what youre here for, so lets get to it": "Kezdjünk neki, ezért van itt", "Its what youre here for, so lets get to it": "Kezdjünk neki, ezért van itt",
"Find and invite your friends": "Keresse meg és hívja meg barátait", "Find and invite your friends": "Keresse meg és hívja meg barátait",
"You made it!": "Megcsinálta!", "You made it!": "Megcsinálta!",
"Send read receipts": "Olvasási visszajelzés küldése",
"We're creating a room with %(names)s": "Szobát készítünk: %(names)s", "We're creating a room with %(names)s": "Szobát készítünk: %(names)s",
"Google Play and the Google Play logo are trademarks of Google LLC.": "A Google Play és a Google Play logó a Google LLC védjegye.", "Google Play and the Google Play logo are trademarks of Google LLC.": "A Google Play és a Google Play logó a Google LLC védjegye.",
"App Store® and the Apple logo® are trademarks of Apple Inc.": "Az App Store® és az Apple logo® az Apple Inc. védjegyei.", "App Store® and the Apple logo® are trademarks of Apple Inc.": "Az App Store® és az Apple logo® az Apple Inc. védjegyei.",
@ -3443,19 +3355,6 @@
"Ignore %(user)s": "%(user)s figyelmen kívül hagyása", "Ignore %(user)s": "%(user)s figyelmen kívül hagyása",
"Manage account": "Fiók kezelése", "Manage account": "Fiók kezelése",
"Your account details are managed separately at <code>%(hostname)s</code>.": "A fiókadatok külön vannak kezelve itt: <code>%(hostname)s</code>.", "Your account details are managed separately at <code>%(hostname)s</code>.": "A fiókadatok külön vannak kezelve itt: <code>%(hostname)s</code>.",
"Thread Id: ": "Üzenetszál-azonosító: ",
"Threads timeline": "Üzenetszálak idővonala",
"Sender: ": "Küldő: ",
"Type: ": "Típus: ",
"ID: ": "Azon.: ",
"Last event:": "Utolsó esemény:",
"No receipt found": "Nincs visszajelzés",
"User read up to: ": "A felhasználó eddig olvasta el: ",
"Dot: ": "Pont: ",
"Highlight: ": "Kiemelt: ",
"Total: ": "Összesen: ",
"Main timeline": "Fő idővonal",
"Room status": "Szoba állapota",
"Notifications debug": "Értesítések hibakeresése", "Notifications debug": "Értesítések hibakeresése",
"unknown": "ismeretlen", "unknown": "ismeretlen",
"Red": "Piros", "Red": "Piros",
@ -3514,20 +3413,12 @@
"Starting export…": "Exportálás kezdése…", "Starting export…": "Exportálás kezdése…",
"Unable to connect to Homeserver. Retrying…": "A Matrix-kiszolgálóval nem lehet felvenni a kapcsolatot. Újrapróbálkozás…", "Unable to connect to Homeserver. Retrying…": "A Matrix-kiszolgálóval nem lehet felvenni a kapcsolatot. Újrapróbálkozás…",
"Loading polls": "Szavazások betöltése", "Loading polls": "Szavazások betöltése",
"Room is <strong>not encrypted 🚨</strong>": "A szoba <strong>nincs titkosítva 🚨</strong>",
"Room is <strong>encrypted ✅</strong>": "A szoba <strong>titkosított ✅</strong>",
"Notification state is <strong>%(notificationState)s</strong>": "Értesítés állapot: <strong>%(notificationState)s</strong>",
"Room unread status: <strong>%(status)s</strong>": "Szoba olvasatlan állapota: <strong>%(status)s</strong>",
"Room unread status: <strong>%(status)s</strong>, count: <strong>%(count)s</strong>": {
"other": "Szoba olvasatlan állapota: <strong>%(status)s</strong>, darabszám: <strong>%(count)s</strong>"
},
"Ended a poll": "Lezárta a szavazást", "Ended a poll": "Lezárta a szavazást",
"Due to decryption errors, some votes may not be counted": "Visszafejtési hibák miatt néhány szavazat nem kerül beszámításra", "Due to decryption errors, some votes may not be counted": "Visszafejtési hibák miatt néhány szavazat nem kerül beszámításra",
"The sender has blocked you from receiving this message": "A feladó megtagadta az Ön hozzáférését ehhez az üzenethez", "The sender has blocked you from receiving this message": "A feladó megtagadta az Ön hozzáférését ehhez az üzenethez",
"Room directory": "Szobalista", "Room directory": "Szobalista",
"Identity server is <code>%(identityServerUrl)s</code>": "Azonosítási kiszolgáló: <code>%(identityServerUrl)s</code>", "Identity server is <code>%(identityServerUrl)s</code>": "Azonosítási kiszolgáló: <code>%(identityServerUrl)s</code>",
"Homeserver is <code>%(homeserverUrl)s</code>": "Matrix-kiszolgáló: <code>%(homeserverUrl)s</code>", "Homeserver is <code>%(homeserverUrl)s</code>": "Matrix-kiszolgáló: <code>%(homeserverUrl)s</code>",
"Show NSFW content": "Felnőtt tartalmak megjelenítése",
"Yes, it was me": "Igen, én voltam", "Yes, it was me": "Igen, én voltam",
"Answered elsewhere": "Máshol lett felvéve", "Answered elsewhere": "Máshol lett felvéve",
"There are no active polls for the past %(count)s days. Load more polls to view polls for previous months": { "There are no active polls for the past %(count)s days. Load more polls to view polls for previous months": {
@ -3582,7 +3473,6 @@
"Formatting": "Formázás", "Formatting": "Formázás",
"Can't find the old version of this room (room ID: %(roomId)s), and we have not been provided with 'via_servers' to look for it.": "A szoba régi verziója nem található (szobaazonosító: %(roomId)s), és a megkereséséhez nem lett megadva a „via_servers”.", "Can't find the old version of this room (room ID: %(roomId)s), and we have not been provided with 'via_servers' to look for it.": "A szoba régi verziója nem található (szobaazonosító: %(roomId)s), és a megkereséséhez nem lett megadva a „via_servers”.",
"Can't find the old version of this room (room ID: %(roomId)s), and we have not been provided with 'via_servers' to look for it. It's possible that guessing the server from the room ID will work. If you want to try, click this link:": "A szoba régi verziója nem található (szobaazonosító: %(roomId)s), és a megkereséséhez nem lett megadva a „via_servers”. Lehetséges, hogy a szobaazonosító kitalálása működni fog. Ha meg akarja próbálni, kattintson erre a hivatkozásra:", "Can't find the old version of this room (room ID: %(roomId)s), and we have not been provided with 'via_servers' to look for it. It's possible that guessing the server from the room ID will work. If you want to try, click this link:": "A szoba régi verziója nem található (szobaazonosító: %(roomId)s), és a megkereséséhez nem lett megadva a „via_servers”. Lehetséges, hogy a szobaazonosító kitalálása működni fog. Ha meg akarja próbálni, kattintson erre a hivatkozásra:",
"Start messages with <code>/plain</code> to send without markdown.": "Kezdje az üzenetet a <code>/plain</code> paranccsal, hogy markdown formázás nélkül küldje el.",
"The add / bind with MSISDN flow is misconfigured": "Az MSISDN folyamattal történő hozzáadás / kötés hibásan van beállítva", "The add / bind with MSISDN flow is misconfigured": "Az MSISDN folyamattal történő hozzáadás / kötés hibásan van beállítva",
"No identity access token found": "Nem található személyazonosság-hozzáférési kulcs", "No identity access token found": "Nem található személyazonosság-hozzáférési kulcs",
"Identity server not set": "Az azonosítási kiszolgáló nincs megadva", "Identity server not set": "Az azonosítási kiszolgáló nincs megadva",
@ -3679,7 +3569,9 @@
"android": "Android", "android": "Android",
"trusted": "Megbízható", "trusted": "Megbízható",
"not_trusted": "Megbízhatatlan", "not_trusted": "Megbízhatatlan",
"accessibility": "Akadálymentesség" "accessibility": "Akadálymentesség",
"capabilities": "Képességek",
"server": "Kiszolgáló"
}, },
"action": { "action": {
"continue": "Folytatás", "continue": "Folytatás",
@ -3777,7 +3669,8 @@
"maximise": "Teljes méret", "maximise": "Teljes méret",
"mention": "Megemlítés", "mention": "Megemlítés",
"submit": "Elküldés", "submit": "Elküldés",
"send_report": "Jelentés küldése" "send_report": "Jelentés küldése",
"clear": "Törlés"
}, },
"a11y": { "a11y": {
"user_menu": "Felhasználói menü" "user_menu": "Felhasználói menü"
@ -3906,5 +3799,116 @@
"you_did_it": "Kész!", "you_did_it": "Kész!",
"complete_these": "Ezen lépések befejezésével hozhatja ki a legtöbbet a(z) %(brand)s használatából", "complete_these": "Ezen lépések befejezésével hozhatja ki a legtöbbet a(z) %(brand)s használatából",
"community_messaging_description": "Tartsa meg a közösségi beszélgetések feletti irányítást.\nAkár milliók támogatásával, hatékony moderációs és együttműködési lehetőségekkel." "community_messaging_description": "Tartsa meg a közösségi beszélgetések feletti irányítást.\nAkár milliók támogatásával, hatékony moderációs és együttműködési lehetőségekkel."
},
"devtools": {
"send_custom_account_data_event": "Egyedi fiókadat esemény küldése",
"send_custom_room_account_data_event": "Egyedi szoba fiókadat esemény küldése",
"event_type": "Esemény típusa",
"state_key": "Állapotkulcs",
"invalid_json": "Nem tűnik érvényes JSON szövegnek.",
"failed_to_send": "Az eseményt nem sikerült elküldeni!",
"event_sent": "Az esemény elküldve!",
"event_content": "Esemény tartalma",
"user_read_up_to": "A felhasználó eddig olvasta el: ",
"no_receipt_found": "Nincs visszajelzés",
"room_status": "Szoba állapota",
"room_unread_status_count": {
"other": "Szoba olvasatlan állapota: <strong>%(status)s</strong>, darabszám: <strong>%(count)s</strong>"
},
"notification_state": "Értesítés állapot: <strong>%(notificationState)s</strong>",
"room_encrypted": "A szoba <strong>titkosított ✅</strong>",
"room_not_encrypted": "A szoba <strong>nincs titkosítva 🚨</strong>",
"main_timeline": "Fő idővonal",
"threads_timeline": "Üzenetszálak idővonala",
"room_notifications_total": "Összesen: ",
"room_notifications_highlight": "Kiemelt: ",
"room_notifications_dot": "Pont: ",
"room_notifications_last_event": "Utolsó esemény:",
"room_notifications_type": "Típus: ",
"room_notifications_sender": "Küldő: ",
"room_notifications_thread_id": "Üzenetszál-azonosító: ",
"spaces": {
"other": "<%(count)s szóköz>",
"one": "<szóköz>"
},
"empty_string": "<üres karakterek>",
"room_unread_status": "Szoba olvasatlan állapota: <strong>%(status)s</strong>",
"id": "Azon.: ",
"send_custom_state_event": "Egyedi állapotesemény küldése",
"failed_to_load": "Betöltés sikertelen.",
"client_versions": "Kliensverziók",
"server_versions": "Kiszolgálóverziók",
"number_of_users": "Felhasználószám",
"failed_to_save": "A beállítások elmentése nem sikerült.",
"save_setting_values": "Beállított értékek mentése",
"setting_colon": "Beállítás:",
"caution_colon": "Figyelmeztetés:",
"use_at_own_risk": "Ez a felület nem ellenőrzi az érték típusát. Csak saját felelősségére használja.",
"setting_definition": "Beállítás leírása:",
"level": "Szint",
"settable_global": "Általánosan beállítható",
"settable_room": "Szobára beállítható",
"values_explicit": "Egyedi szinthez tartozó értékek",
"values_explicit_room": "Egyedi szinthez tartozó értékek ebben a szobában",
"edit_values": "Értékek szerkesztése",
"value_colon": "Érték:",
"value_this_room_colon": "Érték ebben a szobában:",
"values_explicit_colon": "Egyedi szinthez tartozó értékek:",
"values_explicit_this_room_colon": "Egyedi szinthez tartozó értékek ebben a szobában:",
"setting_id": "Beállításazonosító",
"value": "Érték",
"value_in_this_room": "Érték ebben a szobában",
"edit_setting": "Beállítások szerkesztése",
"phase_requested": "Kérve",
"phase_ready": "Kész",
"phase_started": "Elindult",
"phase_cancelled": "Megszakítva",
"phase_transaction": "Tranzakció",
"phase": "Fázis",
"timeout": "Időtúllépés",
"methods": "Metódusok",
"requester": "Kérelmező",
"observe_only": "Csak megfigyel",
"no_verification_requests_found": "Nem található ellenőrző kérés",
"failed_to_find_widget": "Hiba történt a kisalkalmazás keresése során."
},
"settings": {
"show_breadcrumbs": "Gyors elérési gombok megjelenítése a nemrég meglátogatott szobákhoz a szobalista felett",
"all_rooms_home_description": "Minden szoba, amelybe belépett, megjelenik a Kezdőlapon.",
"use_command_f_search": "Command + F használata az idővonalon való kereséshez",
"use_control_f_search": "Ctrl + F használata az idővonalon való kereséshez",
"use_12_hour_format": "Az időbélyegek megjelenítése 12 órás formátumban (például du. 2:30)",
"always_show_message_timestamps": "Üzenetek időbélyegének megjelenítése mindig",
"send_read_receipts": "Olvasási visszajelzés küldése",
"send_typing_notifications": "Gépelési visszajelzés küldése",
"replace_plain_emoji": "Egyszerű szöveg automatikus cseréje emodzsira",
"enable_markdown": "Markdown engedélyezése",
"emoji_autocomplete": "Emodzsik gépelés közbeni felajánlásának bekapcsolása",
"use_command_enter_send_message": "Command + Enter használata az üzenet küldéséhez",
"use_control_enter_send_message": "Ctrl + Enter használata az üzenet elküldéséhez",
"all_rooms_home": "Minden szoba megjelenítése a Kezdőlapon",
"enable_markdown_description": "Kezdje az üzenetet a <code>/plain</code> paranccsal, hogy markdown formázás nélkül küldje el.",
"show_stickers_button": "Matricák gomb megjelenítése",
"insert_trailing_colon_mentions": "Záró kettőspont beszúrása egy felhasználó üzenet elején való megemlítésekor",
"automatic_language_detection_syntax_highlight": "Nyelv automatikus felismerése a szintaxiskiemeléshez",
"code_block_expand_default": "Kódblokkok kibontása alapértelmezetten",
"code_block_line_numbers": "Sorszámok megjelenítése a kódblokkokban",
"inline_url_previews_default": "Beágyazott webcím-előnézetek alapértelmezett engedélyezése",
"autoplay_gifs": "GIF-ek automatikus lejátszása",
"autoplay_videos": "Videók automatikus lejátszása",
"image_thumbnails": "Előnézet/bélyegkép megjelenítése a képekhez",
"show_typing_notifications": "Gépelési visszajelzés megjelenítése",
"show_redaction_placeholder": "Helykitöltő megjelenítése a törölt szövegek helyett",
"show_read_receipts": "Mások által küldött olvasási visszajelzések megjelenítése",
"show_join_leave": "Be- és kilépési üzenetek megjelenítése (a meghívók/kirúgások/kitiltások üzeneteit nem érinti)",
"show_displayname_changes": "Megjelenítendő nevek változásának megjelenítése",
"show_chat_effects": "Csevegési effektek (például a konfetti animáció) megjelenítése",
"big_emoji": "Nagy emodzsik engedélyezése a csevegésekben",
"jump_to_bottom_on_send": "Üzenetküldés után az idővonal aljára ugrás",
"show_nsfw_content": "Felnőtt tartalmak megjelenítése",
"prompt_invite": "Kérdés a vélhetően hibás Matrix-azonosítóknak küldött meghívók elküldése előtt",
"hardware_acceleration": "Hardveres gyorsítás bekapcsolása (a(z) %(appName)s alkalmazást újra kell indítani)",
"start_automatically": "Automatikus indítás rendszerindítás után",
"warn_quit": "Figyelmeztetés kilépés előtt"
} }
} }

View file

@ -69,7 +69,6 @@
"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", "Advanced": "Tingkat Lanjut",
"Always show message timestamps": "Selalu tampilkan stempel waktu pesan",
"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.",
@ -769,10 +768,6 @@
"Send Logs": "Kirim Catatan", "Send Logs": "Kirim Catatan",
"Developer Tools": "Alat Pengembang", "Developer Tools": "Alat Pengembang",
"Filter results": "Saring hasil", "Filter results": "Saring hasil",
"Event Content": "Konten Peristiwa",
"State Key": "Kunci Status",
"Event Type": "Tipe Peristiwa",
"Event sent!": "Peristiwa terkirim!",
"Logs sent": "Catatan terkirim", "Logs sent": "Catatan terkirim",
"was unbanned %(count)s times": { "was unbanned %(count)s times": {
"one": "dihilangkan cekalannya", "one": "dihilangkan cekalannya",
@ -851,11 +846,6 @@
"Hold": "Jeda", "Hold": "Jeda",
"Transfer": "Pindah", "Transfer": "Pindah",
"Sending": "Mengirim", "Sending": "Mengirim",
"Value:": "Nilai:",
"Level": "Tingkat",
"Caution:": "Peringatan:",
"Setting:": "Pengaturan:",
"Value": "Nilai",
"Spaces": "Space", "Spaces": "Space",
"Connecting": "Menghubungkan", "Connecting": "Menghubungkan",
"%(senderName)s removed the rule banning users matching %(glob)s": "%(senderName)s menghapus peraturan pencekalan pengguna yang berisi %(glob)s", "%(senderName)s removed the rule banning users matching %(glob)s": "%(senderName)s menghapus peraturan pencekalan pengguna yang berisi %(glob)s",
@ -1232,7 +1222,6 @@
"Delete avatar": "Hapus avatar", "Delete avatar": "Hapus avatar",
"Accept <policyLink /> to continue:": "Terima <policyLink /> untuk melanjutkan:", "Accept <policyLink /> to continue:": "Terima <policyLink /> untuk melanjutkan:",
"Your server isn't responding to some <a>requests</a>.": "Server Anda tidak menanggapi beberapa <a>permintaan</a>.", "Your server isn't responding to some <a>requests</a>.": "Server Anda tidak menanggapi beberapa <a>permintaan</a>.",
"Prompt before sending invites to potentially invalid matrix IDs": "Tanyakan sebelum mengirim undangan ke ID Matrix yang mungkin tidak absah",
"Update %(brand)s": "Perbarui %(brand)s", "Update %(brand)s": "Perbarui %(brand)s",
"This is the start of export of <roomName/>. Exported by <exporterDetails/> at %(exportDate)s.": "Ini adalah awalan dari ekspor <roomName/>. Diekspor oleh <exporterDetails/> di %(exportDate)s.", "This is the start of export of <roomName/>. Exported by <exporterDetails/> at %(exportDate)s.": "Ini adalah awalan dari ekspor <roomName/>. Diekspor oleh <exporterDetails/> di %(exportDate)s.",
"Waiting for %(displayName)s to verify…": "Menunggu %(displayName)s untuk memverifikasi…", "Waiting for %(displayName)s to verify…": "Menunggu %(displayName)s untuk memverifikasi…",
@ -1283,20 +1272,14 @@
"Uploading logs": "Mengunggah 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",
"All rooms you're in will appear in Home.": "Semua ruangan yang Anda bergabung akan ditampilkan di Beranda.",
"Show all rooms in Home": "Tampilkan semua ruangan di Beranda",
"Show chat effects (animations when receiving e.g. confetti)": "Tampilkan efek (animasi ketika menerima konfeti, misalnya)",
"IRC display name width": "Lebar nama tampilan IRC", "IRC display name width": "Lebar nama tampilan IRC",
"Manually verify all remote sessions": "Verifikasi semua sesi jarak jauh secara manual", "Manually verify all remote sessions": "Verifikasi semua sesi jarak jauh secara manual",
"How fast should messages be downloaded.": "Seberapa cepat pesan akan diunduh.", "How fast should messages be downloaded.": "Seberapa cepat pesan akan diunduh.",
"Enable message search in encrypted rooms": "Aktifkan pencarian pesan di ruangan terenkripsi", "Enable message search in encrypted rooms": "Aktifkan pencarian pesan di ruangan terenkripsi",
"Show previews/thumbnails for images": "Tampilkan gambar mini untuk gambar",
"Show hidden events in timeline": "Tampilkan peristiwa tersembunyi di lini masa", "Show hidden events in timeline": "Tampilkan peristiwa tersembunyi di lini masa",
"Show shortcuts to recently viewed rooms above the room list": "Tampilkan jalan pintas ke ruangan yang baru saja ditampilkan di atas daftar ruangan",
"Enable widget screenshots on supported widgets": "Aktifkan tangkapan layar widget di widget yang didukung", "Enable widget screenshots on supported widgets": "Aktifkan tangkapan layar widget di widget yang didukung",
"Enable URL previews by default for participants in this room": "Aktifkan tampilan URL secara bawaan untuk anggota di ruangan ini", "Enable URL previews by default for participants in this room": "Aktifkan tampilan URL secara bawaan untuk anggota di ruangan ini",
"Enable URL previews for this room (only affects you)": "Aktifkan tampilan URL secara bawaan (hanya memengaruhi Anda)", "Enable URL previews for this room (only affects you)": "Aktifkan tampilan URL secara bawaan (hanya memengaruhi Anda)",
"Enable inline URL previews by default": "Aktifkan tampilan URL secara bawaan",
"Never send encrypted messages to unverified sessions in this room from this session": "Jangan kirim pesan terenkripsi ke sesi yang belum diverifikasi di ruangan ini dari sesi ini", "Never send encrypted messages to unverified sessions in this room from this session": "Jangan kirim pesan terenkripsi ke sesi yang belum diverifikasi di ruangan ini dari sesi ini",
"Never send encrypted messages to unverified sessions from this session": "Jangan kirim pesan terenkripsi ke sesi yang belum diverifikasi dari sesi ini", "Never send encrypted messages to unverified sessions from this session": "Jangan kirim pesan terenkripsi ke sesi yang belum diverifikasi dari sesi ini",
"Send analytics data": "Kirim data analitik", "Send analytics data": "Kirim data analitik",
@ -1304,28 +1287,8 @@
"Use a system font": "Gunakan sebuah font sistem", "Use a system font": "Gunakan sebuah font sistem",
"Match system theme": "Sesuaikan dengan tema sistem", "Match system theme": "Sesuaikan dengan tema sistem",
"Mirror local video feed": "Balikkan saluran video lokal", "Mirror local video feed": "Balikkan saluran video lokal",
"Automatically replace plain text Emoji": "Ganti emoji teks biasa secara otomatis",
"Surround selected text when typing special characters": "Kelilingi teks yang dipilih saat mengetik karakter khusus", "Surround selected text when typing special characters": "Kelilingi teks yang dipilih saat mengetik karakter khusus",
"Use Ctrl + Enter to send a message": "Gunakan Ctrl + Enter untuk mengirim pesan",
"Use Command + Enter to send a message": "Gunakan ⌘ + Enter untuk mengirim pesan",
"Use Ctrl + F to search timeline": "Gunakan Ctrl + F untuk cari di lini masa",
"Use Command + F to search timeline": "Gunakan ⌘ + F untuk cari di lini masa",
"Show typing notifications": "Tampilkan notifikasi pengetikan",
"Send typing notifications": "Kirim notifikasi pengetikan",
"Enable big emoji in chat": "Aktifkan emoji besar di lini masa",
"Jump to the bottom of the timeline when you send a message": "Pergi ke bawah lini masa ketika Anda mengirim pesan",
"Show line numbers in code blocks": "Tampilkan nomor barisan di blok kode",
"Expand code blocks by default": "Buka blok kode secara bawaan",
"Enable automatic language detection for syntax highlighting": "Aktifkan deteksi bahasa otomatis untuk penyorotan sintaks",
"Autoplay videos": "Mainkan video secara otomatis",
"Autoplay GIFs": "Mainkan GIF secara otomatis",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "Tampilkan stempel waktu dalam format 12 jam (mis. 2:30pm)",
"Show read receipts sent by other users": "Tampilkan laporan dibaca terkirim oleh pengguna lain",
"Show display name changes": "Tampilkan perubahan nama tampilan",
"Show a placeholder for removed messages": "Tampilkan sebuah penampung untuk pesan terhapus",
"Use a more compact 'Modern' layout": "Gunakan tata letak 'Modern' yang lebih kecil", "Use a more compact 'Modern' layout": "Gunakan tata letak 'Modern' yang lebih kecil",
"Show stickers button": "Tampilkan tombol stiker",
"Enable Emoji suggestions while typing": "Aktifkan saran emoji saat mengetik",
"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",
@ -1428,8 +1391,6 @@
"Keyboard shortcuts": "Pintasan keyboard", "Keyboard shortcuts": "Pintasan keyboard",
"Show tray icon and minimise window to it on close": "Tampilkan ikon baki dan minimalkan window ke ikonnya jika ditutup", "Show tray icon and minimise window to it on close": "Tampilkan ikon baki dan minimalkan window ke ikonnya jika ditutup",
"Always show the window menu bar": "Selalu tampilkan bilah menu window", "Always show the window menu bar": "Selalu tampilkan bilah menu window",
"Warn before quitting": "Beri tahu sebelum keluar",
"Start automatically after system login": "Mulai setelah login sistem secara otomatis",
"Room ID or address of ban list": "ID ruangan atau alamat daftar larangan", "Room ID or address of ban list": "ID ruangan atau alamat daftar larangan",
"If this isn't what you want, please use a different tool to ignore users.": "Jika itu bukan yang Anda ingin, mohon pakai alat yang lain untuk mengabaikan pengguna.", "If this isn't what you want, please use a different tool to ignore users.": "Jika itu bukan yang Anda ingin, mohon pakai alat yang lain untuk mengabaikan pengguna.",
"Subscribing to a ban list will cause you to join it!": "Berlangganan sebuah daftar larangan akan membuat Anda bergabung!", "Subscribing to a ban list will cause you to join it!": "Berlangganan sebuah daftar larangan akan membuat Anda bergabung!",
@ -1867,19 +1828,6 @@
"Set my room layout for everyone": "Tetapkan tata letak ruangan saya untuk semuanya", "Set my room layout for everyone": "Tetapkan tata letak ruangan saya untuk semuanya",
"Size can only be a number between %(min)s MB and %(max)s MB": "Ukuran harus sebuah angka antara %(min)s MB dan %(max)s MB", "Size can only be a number between %(min)s MB and %(max)s MB": "Ukuran harus sebuah angka antara %(min)s MB dan %(max)s MB",
"Enter a number between %(min)s and %(max)s": "Masukkan sebuah angka antara %(min)s dan %(max)s", "Enter a number between %(min)s and %(max)s": "Masukkan sebuah angka antara %(min)s dan %(max)s",
"Values at explicit levels in this room:": "Nilai-nilai di tingkat ekspliksi di ruangan ini:",
"Values at explicit levels:": "Nilai-nilai di tingkat eksplisit:",
"Value in this room:": "Nilai-nilai di ruangan ini:",
"Save setting values": "Simpan pengaturan nilai",
"Values at explicit levels in this room": "Nilai-nilai di tingkat eksplisit di ruangan ini",
"Values at explicit levels": "Nilai-nilai di tingkat eksplisit",
"Settable at room": "Dapat diatur di ruangan",
"Settable at global": "Dapat diatur secara global",
"Setting definition:": "Definisi pengaturan:",
"This UI does NOT check the types of the values. Use at your own risk.": "UI ini TIDAK memeriksa tipe nilai. Gunakan dengan hati-hati.",
"Value in this room": "Nilai di ruangan ini",
"Setting ID": "ID Pengaturan",
"There was an error finding this widget.": "Terjadi sebuah kesalahan menemukan widget ini.",
"Active Widgets": "Widget Aktif", "Active Widgets": "Widget Aktif",
"Server did not return valid authentication information.": "Server tidak memberikan informasi autentikasi yang absah.", "Server did not return valid authentication information.": "Server tidak memberikan informasi autentikasi yang absah.",
"Server did not require any authentication": "Server tidak membutuhkan autentikasi apa pun", "Server did not require any authentication": "Server tidak membutuhkan autentikasi apa pun",
@ -2648,7 +2596,6 @@
"Quick settings": "Pengaturan cepat", "Quick settings": "Pengaturan cepat",
"Spaces you know that contain this space": "Space yang Anda tahu yang berisi space ini", "Spaces you know that contain this space": "Space yang Anda tahu yang berisi space ini",
"Chat": "Obrolan", "Chat": "Obrolan",
"Clear": "Hapus",
"You may contact me if you want to follow up or to let me test out upcoming ideas": "Anda mungkin hubungi saya jika Anda ingin menindaklanjuti atau memberi tahu saya untuk menguji ide baru", "You may contact me if you want to follow up or to let me test out upcoming ideas": "Anda mungkin hubungi saya jika Anda ingin menindaklanjuti atau memberi tahu saya untuk menguji ide baru",
"Home options": "Opsi Beranda", "Home options": "Opsi Beranda",
"%(spaceName)s menu": "Menu %(spaceName)s", "%(spaceName)s menu": "Menu %(spaceName)s",
@ -2749,7 +2696,6 @@
"Waiting for you to verify on your other device, %(deviceName)s (%(deviceId)s)…": "Menunggu Anda untuk memverifikasi perangkat Anda yang lain, %(deviceName)s (%(deviceId)s)…", "Waiting for you to verify on your other device, %(deviceName)s (%(deviceId)s)…": "Menunggu Anda untuk memverifikasi perangkat Anda yang lain, %(deviceName)s (%(deviceId)s)…",
"Verify this device by confirming the following number appears on its screen.": "Verifikasi perangkat ini dengan mengkonfirmasi nomor berikut ini yang ditampilkan di layarnya.", "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:",
"Edit setting": "Edit pengaturan",
"Expand map": "Buka peta", "Expand map": "Buka peta",
"Send reactions": "Kirim reaksi", "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",
@ -2783,7 +2729,6 @@
"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 users": "Keluarkan pengguna",
"Show join/leave messages (invites/removes/bans unaffected)": "Tampilkan pesan-pesan gabung/keluar (undangan/pengeluaran/cekalan tidak terpengaruh)",
"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",
"Removes user with given id from this room": "Mengeluarkan pengguna dengan id yang dicantumkan dari ruangan ini", "Removes user with given id from this room": "Mengeluarkan pengguna dengan id yang dicantumkan dari ruangan ini",
@ -2863,11 +2808,6 @@
"one": "%(oneUser)s mengirim sebuah pesan tersembunyi" "one": "%(oneUser)s mengirim sebuah pesan tersembunyi"
}, },
"Automatically send debug logs when key backup is not functioning": "Kirim catatan pengawakutu secara otomatis ketika pencadangan kunci tidak berfungsi", "Automatically send debug logs when key backup is not functioning": "Kirim catatan pengawakutu secara otomatis ketika pencadangan kunci tidak berfungsi",
"<empty string>": "<string kosong>",
"<%(count)s spaces>": {
"one": "<space>",
"other": "<%(count)s space>"
},
"Edit poll": "Edit pungutan suara", "Edit poll": "Edit pungutan suara",
"Sorry, you can't edit a poll after votes have been cast.": "Maaf, Anda tidak dapat mengedit sebuah poll setelah suara-suara diberikan.", "Sorry, you can't edit a poll after votes have been cast.": "Maaf, Anda tidak dapat mengedit sebuah poll setelah suara-suara diberikan.",
"Can't edit poll": "Tidak dapat mengedit poll", "Can't edit poll": "Tidak dapat mengedit poll",
@ -2895,7 +2835,6 @@
"We couldn't send your location": "Kami tidak dapat mengirimkan lokasi Anda", "We couldn't send your location": "Kami tidak dapat mengirimkan lokasi Anda",
"Match system": "Cocokkan dengan sistem", "Match system": "Cocokkan dengan sistem",
"Reply to an ongoing thread or use “%(replyInThread)s” when hovering over a message to start a new one.": "Balas ke utasan yang sedang terjadi atau gunakan “%(replyInThread)s” ketika kursor diletakkan pada pesan untuk memulai yang baru.", "Reply to an ongoing thread or use “%(replyInThread)s” when hovering over a message to start a new one.": "Balas ke utasan yang sedang terjadi atau gunakan “%(replyInThread)s” ketika kursor diletakkan pada pesan untuk memulai yang baru.",
"Insert a trailing colon after user mentions at the start of a message": "Tambahkan sebuah karakter titik dua sesudah sebutan pengguna dari awal pesan",
"Show polls button": "Tampilkan tombol pemungutan suara", "Show polls button": "Tampilkan tombol pemungutan suara",
"%(oneUser)schanged the <a>pinned messages</a> for the room %(count)s times": { "%(oneUser)schanged the <a>pinned messages</a> for the room %(count)s times": {
"one": "%(oneUser)s mengubah <a>pesan-pesan yang disematkan</a> di ruangan ini", "one": "%(oneUser)s mengubah <a>pesan-pesan yang disematkan</a> di ruangan ini",
@ -2942,31 +2881,7 @@
"Developer tools": "Alat pengembang", "Developer tools": "Alat pengembang",
"%(brand)s is experimental on a mobile web browser. For a better experience and the latest features, use our free native app.": "%(brand)s bersifat eksperimental pada peramban web ponsel. Untuk pengalaman yang lebih baik dan fitur-fitur terkini, gunakan aplikasi natif gratis kami.", "%(brand)s is experimental on a mobile web browser. For a better experience and the latest features, use our free native app.": "%(brand)s bersifat eksperimental pada peramban web ponsel. Untuk pengalaman yang lebih baik dan fitur-fitur terkini, gunakan aplikasi natif gratis kami.",
"Event ID: %(eventId)s": "ID peristiwa: %(eventId)s", "Event ID: %(eventId)s": "ID peristiwa: %(eventId)s",
"No verification requests found": "Tidak ada permintaan verifikasi yang ditemukan",
"Observe only": "Lihat saja",
"Requester": "Peminta",
"Methods": "Metode",
"Timeout": "Waktu habis",
"Phase": "Masa",
"Transaction": "Transaksi",
"Cancelled": "Dibatalkan",
"Started": "Dimulai",
"Ready": "Siap",
"Requested": "Diminta",
"Unsent": "Belum dikirim", "Unsent": "Belum dikirim",
"Edit values": "Edit nilai",
"Failed to save settings.": "Gagal menyimpan pengaturan.",
"Number of users": "Jumlah pengguna",
"Server": "Server",
"Server Versions": "Versi Server",
"Client Versions": "Versi Klien",
"Failed to load.": "Gagal untuk dimuat.",
"Capabilities": "Kemampuan",
"Send custom state event": "Kirim peristiwa status kustom",
"Failed to send event!": "Gagal mengirimkan pertistiwa!",
"Doesn't look like valid JSON.": "Tidak terlihat seperti JSON yang absah.",
"Send custom room account data event": "Kirim peristiwa data akun ruangan kustom",
"Send custom account data event": "Kirim peristiwa data akun kustom",
"Room ID: %(roomId)s": "ID ruangan: %(roomId)s", "Room ID: %(roomId)s": "ID ruangan: %(roomId)s",
"Server info": "Info server", "Server info": "Info server",
"Settings explorer": "Penelusur pengaturan", "Settings explorer": "Penelusur pengaturan",
@ -3041,7 +2956,6 @@
"Disinvite from space": "Batalkan undangan dari space", "Disinvite from space": "Batalkan undangan dari space",
"<b>Tip:</b> Use “%(replyInThread)s” when hovering over a message.": "<b>Tip:</b> Gunakan “%(replyInThread)s” ketika kursor di atas pesan.", "<b>Tip:</b> Use “%(replyInThread)s” when hovering over a message.": "<b>Tip:</b> Gunakan “%(replyInThread)s” ketika kursor di atas pesan.",
"No live locations": "Tidak ada lokasi langsung", "No live locations": "Tidak ada lokasi langsung",
"Enable Markdown": "Aktifkan Markdown",
"Close sidebar": "Tutup bilah samping", "Close sidebar": "Tutup bilah samping",
"View List": "Tampilkan Daftar", "View List": "Tampilkan Daftar",
"View list": "Tampilkan daftar", "View list": "Tampilkan daftar",
@ -3104,7 +3018,6 @@
"Ignore user": "Abaikan pengguna", "Ignore user": "Abaikan pengguna",
"View related event": "Tampilkan peristiwa terkait", "View related event": "Tampilkan peristiwa terkait",
"Read receipts": "Laporan dibaca", "Read receipts": "Laporan dibaca",
"Enable hardware acceleration (restart %(appName)s to take effect)": "Aktifkan akselerasi perangkat keras (mulai ulang %(appName)s untuk mengaktifkan)",
"Failed to set direct message tag": "Gagal menetapkan tanda pesan langsung", "Failed to set direct message tag": "Gagal menetapkan tanda pesan langsung",
"You were disconnected from the call. (Error: %(message)s)": "Anda terputus dari panggilan. (Terjadi kesalahan: %(message)s)", "You were disconnected from the call. (Error: %(message)s)": "Anda terputus dari panggilan. (Terjadi kesalahan: %(message)s)",
"Connection lost": "Koneksi putus", "Connection lost": "Koneksi putus",
@ -3192,7 +3105,6 @@
"Its what youre here for, so lets get to it": "Untuk itulah Anda di sini, jadi mari kita lakukan", "Its what youre here for, so lets get to it": "Untuk itulah Anda di sini, jadi mari kita lakukan",
"Find and invite your friends": "Temukan dan undang teman Anda", "Find and invite your friends": "Temukan dan undang teman Anda",
"You made it!": "Anda berhasil!", "You made it!": "Anda berhasil!",
"Send read receipts": "Kirim laporan dibaca",
"Last activity": "Aktivitas terakhir", "Last activity": "Aktivitas terakhir",
"Sessions": "Sesi", "Sessions": "Sesi",
"Current session": "Sesi saat ini", "Current session": "Sesi saat ini",
@ -3444,19 +3356,6 @@
"All messages and invites from this user will be hidden. Are you sure you want to ignore them?": "Semua pesan dan undangan dari pengguna ini akan disembunyikan. Apakah Anda yakin ingin mengabaikan?", "All messages and invites from this user will be hidden. Are you sure you want to ignore them?": "Semua pesan dan undangan dari pengguna ini akan disembunyikan. Apakah Anda yakin ingin mengabaikan?",
"Ignore %(user)s": "Abaikan %(user)s", "Ignore %(user)s": "Abaikan %(user)s",
"Unable to decrypt voice broadcast": "Tidak dapat mendekripsi siaran suara", "Unable to decrypt voice broadcast": "Tidak dapat mendekripsi siaran suara",
"Thread Id: ": "ID utasan: ",
"Threads timeline": "Lini masa utasan",
"Sender: ": "Pengirim: ",
"Type: ": "Jenis: ",
"ID: ": "ID: ",
"Last event:": "Peristiwa terakhir:",
"No receipt found": "Tidak ada laporan yang ditemukan",
"User read up to: ": "Pembacaan pengguna sampai: ",
"Dot: ": "Titik: ",
"Highlight: ": "Sorotan: ",
"Total: ": "Jumlah: ",
"Main timeline": "Lini masa utama",
"Room status": "Keadaan ruangan",
"Notifications debug": "Pengawakutuan notifikasi", "Notifications debug": "Pengawakutuan notifikasi",
"unknown": "tidak diketahui", "unknown": "tidak diketahui",
"Red": "Merah", "Red": "Merah",
@ -3514,20 +3413,12 @@
"Secure Backup successful": "Pencadangan Aman berhasil", "Secure Backup successful": "Pencadangan Aman berhasil",
"Your keys are now being backed up from this device.": "Kunci Anda sekarang dicadangkan dari perangkat ini.", "Your keys are now being backed up from this device.": "Kunci Anda sekarang dicadangkan dari perangkat ini.",
"Loading polls": "Memuat pemungutan suara", "Loading polls": "Memuat pemungutan suara",
"Room unread status: <strong>%(status)s</strong>": "Keadaan belum dibaca ruangan: <strong>%(status)s</strong>",
"Room unread status: <strong>%(status)s</strong>, count: <strong>%(count)s</strong>": {
"other": "Keadaan belum dibaca ruangan: <strong>%(status)s</strong>, jumlah: <strong>%(count)s</strong>"
},
"Ended a poll": "Mengakhiri sebuah pemungutan suara", "Ended a poll": "Mengakhiri sebuah pemungutan suara",
"Due to decryption errors, some votes may not be counted": "Karena kesalahan pendekripsian, beberapa suara tidak dihitung", "Due to decryption errors, some votes may not be counted": "Karena kesalahan pendekripsian, beberapa suara tidak dihitung",
"The sender has blocked you from receiving this message": "Pengirim telah memblokir Anda supaya tidak menerima pesan ini", "The sender has blocked you from receiving this message": "Pengirim telah memblokir Anda supaya tidak menerima pesan ini",
"Room directory": "Direktori ruangan", "Room directory": "Direktori ruangan",
"Identity server is <code>%(identityServerUrl)s</code>": "Server identitas adalah <code>%(identityServerUrl)s</code>", "Identity server is <code>%(identityServerUrl)s</code>": "Server identitas adalah <code>%(identityServerUrl)s</code>",
"Homeserver is <code>%(homeserverUrl)s</code>": "Homeserver adalah <code>%(homeserverUrl)s</code>", "Homeserver is <code>%(homeserverUrl)s</code>": "Homeserver adalah <code>%(homeserverUrl)s</code>",
"Show NSFW content": "Tampilkan konten NSFW",
"Room is <strong>not encrypted 🚨</strong>": "Ruangan <strong>tidak terenkripsi 🚨</strong>",
"Room is <strong>encrypted ✅</strong>": "Ruangan <strong>terenkripsi ✅</strong>",
"Notification state is <strong>%(notificationState)s</strong>": "Keadaan notifikasi adalah <strong>%(notificationState)s</strong>",
"Yes, it was me": "Ya, itu saya", "Yes, it was me": "Ya, itu saya",
"Answered elsewhere": "Dijawab di tempat lain", "Answered elsewhere": "Dijawab di tempat lain",
"If you know a room address, try joining through that instead.": "Jika Anda tahu sebuah alamat ruangan, coba bergabung melalui itu saja.", "If you know a room address, try joining through that instead.": "Jika Anda tahu sebuah alamat ruangan, coba bergabung melalui itu saja.",
@ -3582,7 +3473,6 @@
"Can't find the old version of this room (room ID: %(roomId)s), and we have not been provided with 'via_servers' to look for it.": "Tidak dapat mencari versi lama ruangan ini (ID ruangan: %(roomId)s), dan kami tidak disediakan dengan 'via_servers' untuk mencarinya.", "Can't find the old version of this room (room ID: %(roomId)s), and we have not been provided with 'via_servers' to look for it.": "Tidak dapat mencari versi lama ruangan ini (ID ruangan: %(roomId)s), dan kami tidak disediakan dengan 'via_servers' untuk mencarinya.",
"Can't find the old version of this room (room ID: %(roomId)s), and we have not been provided with 'via_servers' to look for it. It's possible that guessing the server from the room ID will work. If you want to try, click this link:": "Tidak dapat mencari versi lama ruangan ini (ID ruangan: %(roomId)s), dan kami tidak disediakan dengan 'via_servers' untuk mencarinya. Ini mungkin bahwa menebak server dari ID ruangan akan bekerja. Jika Anda ingin mencoba, klik tautan berikut:", "Can't find the old version of this room (room ID: %(roomId)s), and we have not been provided with 'via_servers' to look for it. It's possible that guessing the server from the room ID will work. If you want to try, click this link:": "Tidak dapat mencari versi lama ruangan ini (ID ruangan: %(roomId)s), dan kami tidak disediakan dengan 'via_servers' untuk mencarinya. Ini mungkin bahwa menebak server dari ID ruangan akan bekerja. Jika Anda ingin mencoba, klik tautan berikut:",
"Formatting": "Format", "Formatting": "Format",
"Start messages with <code>/plain</code> to send without markdown.": "Mulai pesan dengan <code>/plain</code> untuk mengirim tanpa Markdown.",
"The add / bind with MSISDN flow is misconfigured": "Aliran penambahan/pengaitan MSISDN tidak diatur dengan benar", "The add / bind with MSISDN flow is misconfigured": "Aliran penambahan/pengaitan MSISDN tidak diatur dengan benar",
"No identity access token found": "Tidak ada token akses identitas yang ditemukan", "No identity access token found": "Tidak ada token akses identitas yang ditemukan",
"Identity server not set": "Server identitas tidak diatur", "Identity server not set": "Server identitas tidak diatur",
@ -3657,10 +3547,6 @@
}, },
"Anyone can request to join, but admins or moderators need to grant access. You can change this later.": "Siapa pun dapat meminta untuk bergabung, tetapi admin atau administrator perlu memberikan akses. Anda dapat mengubah ini nanti.", "Anyone can request to join, but admins or moderators need to grant access. You can change this later.": "Siapa pun dapat meminta untuk bergabung, tetapi admin atau administrator perlu memberikan akses. Anda dapat mengubah ini nanti.",
"Upgrade room": "Tingkatkan ruangan", "Upgrade room": "Tingkatkan ruangan",
"User read up to (ignoreSynthetic): ": "Pengguna membaca sampai (ignoreSynthetic): ",
"User read up to (m.read.private): ": "Pengguna membaca sampai (m.read.private): ",
"User read up to (m.read.private;ignoreSynthetic): ": "Pengguna membaca sampai (m.read.private;ignoreSynthetic): ",
"See history": "Lihat riwayat",
"Something went wrong.": "Ada sesuatu yang salah.", "Something went wrong.": "Ada sesuatu yang salah.",
"Changes your profile picture in this current room only": "Mengubah foto profil Anda di ruangan saat ini saja", "Changes your profile picture in this current room only": "Mengubah foto profil Anda di ruangan saat ini saja",
"Changes your profile picture in all rooms": "Ubah foto profil Anda dalam semua ruangan", "Changes your profile picture in all rooms": "Ubah foto profil Anda dalam semua ruangan",
@ -3671,8 +3557,6 @@
"Exported Data": "Data Terekspor", "Exported Data": "Data Terekspor",
"Views room with given address": "Menampilkan ruangan dengan alamat yang ditentukan", "Views room with given address": "Menampilkan ruangan dengan alamat yang ditentukan",
"Notification Settings": "Pengaturan Notifikasi", "Notification Settings": "Pengaturan Notifikasi",
"Show current profile picture and name for users in message history": "Tampilkan foto profil dan nama saat ini untuk pengguna dalam riwayat pesan",
"Show profile picture changes": "Tampilkan perubahan foto profil",
"This homeserver doesn't offer any login flows that are supported by this client.": "Homeserver ini tidak menawarkan alur masuk yang tidak didukung oleh klien ini.", "This homeserver doesn't offer any login flows that are supported by this client.": "Homeserver ini tidak menawarkan alur masuk yang tidak didukung oleh klien ini.",
"The exported file will allow anyone who can read it to decrypt any encrypted messages that you can see, so you should be careful to keep it secure. To help with this, you should enter a unique passphrase below, which will only be used to encrypt the exported data. It will only be possible to import the data by using the same passphrase.": "Berkas yang diekspor akan memungkinkan siapa saja yang dapat membacanya untuk mendekripsi semua pesan terenkripsi yang dapat Anda lihat, jadi Anda harus berhati-hati untuk menjaganya tetap aman. Untuk mengamankannya, Anda harus memasukkan frasa sandi di bawah ini, yang akan digunakan untuk mengenkripsi data yang diekspor. Impor data hanya dapat dilakukan dengan menggunakan frasa sandi yang sama.", "The exported file will allow anyone who can read it to decrypt any encrypted messages that you can see, so you should be careful to keep it secure. To help with this, you should enter a unique passphrase below, which will only be used to encrypt the exported data. It will only be possible to import the data by using the same passphrase.": "Berkas yang diekspor akan memungkinkan siapa saja yang dapat membacanya untuk mendekripsi semua pesan terenkripsi yang dapat Anda lihat, jadi Anda harus berhati-hati untuk menjaganya tetap aman. Untuk mengamankannya, Anda harus memasukkan frasa sandi di bawah ini, yang akan digunakan untuk mengenkripsi data yang diekspor. Impor data hanya dapat dilakukan dengan menggunakan frasa sandi yang sama.",
"Great! This passphrase looks strong enough": "Hebat! Frasa keamanan ini kelihatannya kuat", "Great! This passphrase looks strong enough": "Hebat! Frasa keamanan ini kelihatannya kuat",
@ -3773,7 +3657,9 @@
"android": "Android", "android": "Android",
"trusted": "Dipercayai", "trusted": "Dipercayai",
"not_trusted": "Tidak dipercayai", "not_trusted": "Tidak dipercayai",
"accessibility": "Aksesibilitas" "accessibility": "Aksesibilitas",
"capabilities": "Kemampuan",
"server": "Server"
}, },
"action": { "action": {
"continue": "Lanjut", "continue": "Lanjut",
@ -3873,7 +3759,8 @@
"maximise": "Maksimalkan", "maximise": "Maksimalkan",
"mention": "Sebutkan", "mention": "Sebutkan",
"submit": "Kirim", "submit": "Kirim",
"send_report": "Kirimkan laporan" "send_report": "Kirimkan laporan",
"clear": "Hapus"
}, },
"a11y": { "a11y": {
"user_menu": "Menu pengguna" "user_menu": "Menu pengguna"
@ -4007,5 +3894,122 @@
"you_did_it": "Anda berhasil!", "you_did_it": "Anda berhasil!",
"complete_these": "Selesaikan untuk mendapatkan hasil yang maksimal dari %(brand)s", "complete_these": "Selesaikan untuk mendapatkan hasil yang maksimal dari %(brand)s",
"community_messaging_description": "Tetap miliki kemilikan dan kendali atas diskusi komunitas.\nBesar untuk mendukung jutaan anggota, dengan moderasi dan interoperabilitas berdaya." "community_messaging_description": "Tetap miliki kemilikan dan kendali atas diskusi komunitas.\nBesar untuk mendukung jutaan anggota, dengan moderasi dan interoperabilitas berdaya."
},
"devtools": {
"send_custom_account_data_event": "Kirim peristiwa data akun kustom",
"send_custom_room_account_data_event": "Kirim peristiwa data akun ruangan kustom",
"event_type": "Tipe Peristiwa",
"state_key": "Kunci Status",
"invalid_json": "Tidak terlihat seperti JSON yang absah.",
"failed_to_send": "Gagal mengirimkan pertistiwa!",
"event_sent": "Peristiwa terkirim!",
"event_content": "Konten Peristiwa",
"user_read_up_to": "Pembacaan pengguna sampai: ",
"no_receipt_found": "Tidak ada laporan yang ditemukan",
"user_read_up_to_ignore_synthetic": "Pengguna membaca sampai (ignoreSynthetic): ",
"user_read_up_to_private": "Pengguna membaca sampai (m.read.private): ",
"user_read_up_to_private_ignore_synthetic": "Pengguna membaca sampai (m.read.private;ignoreSynthetic): ",
"room_status": "Keadaan ruangan",
"room_unread_status_count": {
"other": "Keadaan belum dibaca ruangan: <strong>%(status)s</strong>, jumlah: <strong>%(count)s</strong>"
},
"notification_state": "Keadaan notifikasi adalah <strong>%(notificationState)s</strong>",
"room_encrypted": "Ruangan <strong>terenkripsi ✅</strong>",
"room_not_encrypted": "Ruangan <strong>tidak terenkripsi 🚨</strong>",
"main_timeline": "Lini masa utama",
"threads_timeline": "Lini masa utasan",
"room_notifications_total": "Jumlah: ",
"room_notifications_highlight": "Sorotan: ",
"room_notifications_dot": "Titik: ",
"room_notifications_last_event": "Peristiwa terakhir:",
"room_notifications_type": "Jenis: ",
"room_notifications_sender": "Pengirim: ",
"room_notifications_thread_id": "ID utasan: ",
"spaces": {
"one": "<space>",
"other": "<%(count)s space>"
},
"empty_string": "<string kosong>",
"room_unread_status": "Keadaan belum dibaca ruangan: <strong>%(status)s</strong>",
"id": "ID: ",
"send_custom_state_event": "Kirim peristiwa status kustom",
"see_history": "Lihat riwayat",
"failed_to_load": "Gagal untuk dimuat.",
"client_versions": "Versi Klien",
"server_versions": "Versi Server",
"number_of_users": "Jumlah pengguna",
"failed_to_save": "Gagal menyimpan pengaturan.",
"save_setting_values": "Simpan pengaturan nilai",
"setting_colon": "Pengaturan:",
"caution_colon": "Peringatan:",
"use_at_own_risk": "UI ini TIDAK memeriksa tipe nilai. Gunakan dengan hati-hati.",
"setting_definition": "Definisi pengaturan:",
"level": "Tingkat",
"settable_global": "Dapat diatur secara global",
"settable_room": "Dapat diatur di ruangan",
"values_explicit": "Nilai-nilai di tingkat eksplisit",
"values_explicit_room": "Nilai-nilai di tingkat eksplisit di ruangan ini",
"edit_values": "Edit nilai",
"value_colon": "Nilai:",
"value_this_room_colon": "Nilai-nilai di ruangan ini:",
"values_explicit_colon": "Nilai-nilai di tingkat eksplisit:",
"values_explicit_this_room_colon": "Nilai-nilai di tingkat ekspliksi di ruangan ini:",
"setting_id": "ID Pengaturan",
"value": "Nilai",
"value_in_this_room": "Nilai di ruangan ini",
"edit_setting": "Edit pengaturan",
"phase_requested": "Diminta",
"phase_ready": "Siap",
"phase_started": "Dimulai",
"phase_cancelled": "Dibatalkan",
"phase_transaction": "Transaksi",
"phase": "Masa",
"timeout": "Waktu habis",
"methods": "Metode",
"requester": "Peminta",
"observe_only": "Lihat saja",
"no_verification_requests_found": "Tidak ada permintaan verifikasi yang ditemukan",
"failed_to_find_widget": "Terjadi sebuah kesalahan menemukan widget ini."
},
"settings": {
"show_breadcrumbs": "Tampilkan jalan pintas ke ruangan yang baru saja ditampilkan di atas daftar ruangan",
"all_rooms_home_description": "Semua ruangan yang Anda bergabung akan ditampilkan di Beranda.",
"use_command_f_search": "Gunakan ⌘ + F untuk cari di lini masa",
"use_control_f_search": "Gunakan Ctrl + F untuk cari di lini masa",
"use_12_hour_format": "Tampilkan stempel waktu dalam format 12 jam (mis. 2:30pm)",
"always_show_message_timestamps": "Selalu tampilkan stempel waktu pesan",
"send_read_receipts": "Kirim laporan dibaca",
"send_typing_notifications": "Kirim notifikasi pengetikan",
"replace_plain_emoji": "Ganti emoji teks biasa secara otomatis",
"enable_markdown": "Aktifkan Markdown",
"emoji_autocomplete": "Aktifkan saran emoji saat mengetik",
"use_command_enter_send_message": "Gunakan ⌘ + Enter untuk mengirim pesan",
"use_control_enter_send_message": "Gunakan Ctrl + Enter untuk mengirim pesan",
"all_rooms_home": "Tampilkan semua ruangan di Beranda",
"enable_markdown_description": "Mulai pesan dengan <code>/plain</code> untuk mengirim tanpa Markdown.",
"show_stickers_button": "Tampilkan tombol stiker",
"insert_trailing_colon_mentions": "Tambahkan sebuah karakter titik dua sesudah sebutan pengguna dari awal pesan",
"automatic_language_detection_syntax_highlight": "Aktifkan deteksi bahasa otomatis untuk penyorotan sintaks",
"code_block_expand_default": "Buka blok kode secara bawaan",
"code_block_line_numbers": "Tampilkan nomor barisan di blok kode",
"inline_url_previews_default": "Aktifkan tampilan URL secara bawaan",
"autoplay_gifs": "Mainkan GIF secara otomatis",
"autoplay_videos": "Mainkan video secara otomatis",
"image_thumbnails": "Tampilkan gambar mini untuk gambar",
"show_typing_notifications": "Tampilkan notifikasi pengetikan",
"show_redaction_placeholder": "Tampilkan sebuah penampung untuk pesan terhapus",
"show_read_receipts": "Tampilkan laporan dibaca terkirim oleh pengguna lain",
"show_join_leave": "Tampilkan pesan-pesan gabung/keluar (undangan/pengeluaran/cekalan tidak terpengaruh)",
"show_displayname_changes": "Tampilkan perubahan nama tampilan",
"show_chat_effects": "Tampilkan efek (animasi ketika menerima konfeti, misalnya)",
"show_avatar_changes": "Tampilkan perubahan foto profil",
"big_emoji": "Aktifkan emoji besar di lini masa",
"jump_to_bottom_on_send": "Pergi ke bawah lini masa ketika Anda mengirim pesan",
"disable_historical_profile": "Tampilkan foto profil dan nama saat ini untuk pengguna dalam riwayat pesan",
"show_nsfw_content": "Tampilkan konten NSFW",
"prompt_invite": "Tanyakan sebelum mengirim undangan ke ID Matrix yang mungkin tidak absah",
"hardware_acceleration": "Aktifkan akselerasi perangkat keras (mulai ulang %(appName)s untuk mengaktifkan)",
"start_automatically": "Mulai setelah login sistem secara otomatis",
"warn_quit": "Beri tahu sebelum keluar"
} }
} }

View file

@ -47,10 +47,7 @@
"Reason": "Ástæða", "Reason": "Ástæða",
"Send": "Senda", "Send": "Senda",
"Unnamed Room": "Nafnlaus spjallrás", "Unnamed Room": "Nafnlaus spjallrás",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "Birta tímamerki á 12 stunda sniði (t.d. 2:30 fh)",
"Always show message timestamps": "Alltaf birta tímamerki skilaboða",
"Send analytics data": "Senda greiningargögn", "Send analytics data": "Senda greiningargögn",
"Enable inline URL previews by default": "Sjálfgefið virkja forskoðun innfelldra vefslóða",
"Collecting app version information": "Safna upplýsingum um útgáfu smáforrits", "Collecting app version information": "Safna upplýsingum um útgáfu smáforrits",
"Collecting logs": "Safna atvikaskrám", "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",
@ -207,8 +204,6 @@
"And %(count)s more...": { "And %(count)s more...": {
"other": "Og %(count)s til viðbótar..." "other": "Og %(count)s til viðbótar..."
}, },
"Event sent!": "Atburður sendur!",
"State Key": "Stöðulykill",
"Clear Storage and Sign Out": "Hreinsa gagnageymslu og skrá út", "Clear Storage and Sign Out": "Hreinsa gagnageymslu og skrá út",
"Unable to restore session": "Tókst ekki að endurheimta setu", "Unable to restore session": "Tókst ekki að endurheimta setu",
"This doesn't appear to be a valid email address": "Þetta lítur ekki út eins og gilt tölvupóstfang", "This doesn't appear to be a valid email address": "Þetta lítur ekki út eins og gilt tölvupóstfang",
@ -280,9 +275,6 @@
"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",
"Use Ctrl + Enter to send a message": "Notaðu Ctrl + Enter til að senda skilaboð",
"Use Command + Enter to send a message": "Notaðu Command + Enter til að senda skilaboð",
"Jump to the bottom of the timeline when you send a message": "Hoppa neðst á tímalínuna þegar þú sendir skilaboð",
"%(senderName)s: %(message)s": "%(senderName)s: %(message)s", "%(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",
@ -714,8 +706,6 @@
"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",
"Autoplay videos": "Spila myndskeið sjálfkrafa",
"Autoplay GIFs": "Spila GIF-myndir sjálfkrafa",
"Use custom size": "Nota sérsniðna stærð", "Use custom size": "Nota sérsniðna stærð",
"Font size": "Leturstærð", "Font size": "Leturstærð",
"Developer": "Forritari", "Developer": "Forritari",
@ -845,7 +835,6 @@
"Cancel All": "Hætta við allt", "Cancel All": "Hætta við allt",
"Upload all": "Senda allt inn", "Upload all": "Senda allt inn",
"Upload files": "Hlaða inn skrám", "Upload files": "Hlaða inn skrám",
"Clear": "Hreinsa",
"Recent searches": "Nýlegar leitir", "Recent searches": "Nýlegar leitir",
"Public rooms": "Almenningsspjallrásir", "Public rooms": "Almenningsspjallrásir",
"Other rooms in %(spaceName)s": "Aðrar spjallrásir í %(spaceName)s", "Other rooms in %(spaceName)s": "Aðrar spjallrásir í %(spaceName)s",
@ -876,17 +865,6 @@
"Format": "Snið", "Format": "Snið",
"Export Successful": "Útflutningur tókst", "Export Successful": "Útflutningur tókst",
"MB": "MB", "MB": "MB",
"Value:": "Gildi:",
"Level": "Stig",
"Caution:": "Varúð:",
"Setting:": "Stilling:",
"Edit setting": "Breyta stillingu",
"Value": "Gildi",
"<empty string>": "<auður strengur>",
"<%(count)s spaces>": {
"one": "<svæði>",
"other": "<%(count)s svæði>"
},
"Public space": "Opinbert svæði", "Public space": "Opinbert svæði",
"Private space (invite only)": "Einkasvæði (einungis gegn boði)", "Private space (invite only)": "Einkasvæði (einungis gegn boði)",
"Public room": "Almenningsspjallrás", "Public room": "Almenningsspjallrás",
@ -1037,10 +1015,7 @@
"Hide sidebar": "Fela hliðarspjald", "Hide sidebar": "Fela hliðarspjald",
"Dial": "Hringja", "Dial": "Hringja",
"Unknown Command": "Óþekkt skipun", "Unknown Command": "Óþekkt skipun",
"All rooms you're in will appear in Home.": "Allar spjallrásir sem þú ert í munu birtast á forsíðu.",
"Show all rooms in Home": "Sýna allar spjallrásir á forsíðu",
"Match system theme": "Samsvara þema kerfis", "Match system theme": "Samsvara þema kerfis",
"Show stickers button": "Birta límmerkjahnapp",
"Messaging": "Skilaboð", "Messaging": "Skilaboð",
"%(senderName)s: %(stickerName)s": "%(senderName)s: %(stickerName)s", "%(senderName)s: %(stickerName)s": "%(senderName)s: %(stickerName)s",
"File Attached": "Viðhengd skrá", "File Attached": "Viðhengd skrá",
@ -1117,8 +1092,6 @@
"Image size in the timeline": "Stærð myndar í tímalínunni", "Image size in the timeline": "Stærð myndar í tímalínunni",
"Hint: Begin your message with <code>//</code> to start it with a slash.": "Vísbending: Byrjaðu skilaboðin þín með <code>//</code> til að þau byrji með skástriki.", "Hint: Begin your message with <code>//</code> to start it with a slash.": "Vísbending: Byrjaðu skilaboðin þín með <code>//</code> til að þau byrji með skástriki.",
"Show hidden events in timeline": "Birta falda atburði í tímalínu", "Show hidden events in timeline": "Birta falda atburði í tímalínu",
"Use Ctrl + F to search timeline": "Notaðu Ctrl + F til að leita í tímalínu",
"Use Command + F to search timeline": "Notaðu Command + F til að leita í tímalínu",
"You are now ignoring %(userId)s": "Þú ert núna að hunsa %(userId)s", "You are now ignoring %(userId)s": "Þú ert núna að hunsa %(userId)s",
"Unbans user with given ID": "Tekur bann af notanda með uppgefið auðkenni", "Unbans user with given ID": "Tekur bann af notanda með uppgefið auðkenni",
"Bans user with given id": "Bannar notanda með uppgefið auðkenni", "Bans user with given id": "Bannar notanda með uppgefið auðkenni",
@ -1490,7 +1463,6 @@
"New passwords don't match": "Nýju lykilorðin eru ekki eins", "New passwords don't match": "Nýju lykilorðin eru ekki eins",
"No display name": "Ekkert birtingarnafn", "No display name": "Ekkert birtingarnafn",
"Access": "Aðgangur", "Access": "Aðgangur",
"Send typing notifications": "Senda skriftilkynningar",
"Back to thread": "Til baka í spjallþráð", "Back to thread": "Til baka í spjallþráð",
"Waiting for answer": "Bíð eftir svari", "Waiting for answer": "Bíð eftir svari",
"Verify this session": "Sannprófa þessa setu", "Verify this session": "Sannprófa þessa setu",
@ -1559,7 +1531,6 @@
"Disconnect from the identity server <idserver />?": "Aftengjast frá auðkennisþjóni <idserver />?", "Disconnect from the identity server <idserver />?": "Aftengjast frá auðkennisþjóni <idserver />?",
"Disconnect identity server": "Aftengja auðkennisþjón", "Disconnect identity server": "Aftengja auðkennisþjón",
"Mirror local video feed": "Spegla staðværu myndmerki", "Mirror local video feed": "Spegla staðværu myndmerki",
"Show typing notifications": "Sýna skriftilkynningar",
"Jump to last message": "Fara í síðustu skilaboðin", "Jump to last message": "Fara í síðustu skilaboðin",
"Jump to first message": "Fara í fyrstu skilaboðin", "Jump to first message": "Fara í fyrstu skilaboðin",
"Jump to end of the composer": "Hoppa á enda skrifreits", "Jump to end of the composer": "Hoppa á enda skrifreits",
@ -1585,14 +1556,6 @@
"Hey you. You're the best!": "Hæ þú. Þú ert algjört æði!", "Hey you. You're the best!": "Hæ þú. Þú ert algjört æði!",
"Jump to first invite.": "Fara í fyrsta boð.", "Jump to first invite.": "Fara í fyrsta boð.",
"Jump to first unread room.": "Fara í fyrstu ólesnu spjallrásIna.", "Jump to first unread room.": "Fara í fyrstu ólesnu spjallrásIna.",
"Show shortcuts to recently viewed rooms above the room list": "Sýna flýtileiðir í nýskoðaðar spjallrásir fyrir ofan listann yfir spjallrásir",
"Enable big emoji in chat": "Virkja stór tákn í spjalli",
"Show line numbers in code blocks": "Sýna línunúmer í kóðablokkum",
"Expand code blocks by default": "Fletta sjálfgefið út textablokkum með kóða",
"Enable automatic language detection for syntax highlighting": "Virkja greiningu á forritunarmálum fyrir málskipunarlitun",
"Show read receipts sent by other users": "Birta leskvittanir frá öðrum notendum",
"Show display name changes": "Sýna breytingar á birtingarnafni",
"Show a placeholder for removed messages": "Birta frátökutákn fyrir fjarlægð skilaboð",
"Use a more compact 'Modern' layout": "Nota þjappaðri 'nútímalegri' framsetningu", "Use a more compact 'Modern' layout": "Nota þjappaðri 'nútímalegri' framsetningu",
"Show polls button": "Birta hnapp fyrir kannanir", "Show polls button": "Birta hnapp fyrir kannanir",
"Force complete": "Þvinga klárun", "Force complete": "Þvinga klárun",
@ -1721,21 +1684,13 @@
"Autocomplete delay (ms)": "Töf við sjálfvirka klárun (ms)", "Autocomplete delay (ms)": "Töf við sjálfvirka klárun (ms)",
"Show tray icon and minimise window to it on close": "Sýna táknmynd í kerfisbakka og lágmarka forritið niður í hana þegar því er lokað", "Show tray icon and minimise window to it on close": "Sýna táknmynd í kerfisbakka og lágmarka forritið niður í hana þegar því er lokað",
"Always show the window menu bar": "Alltaf að sýna valmyndastiku glugga", "Always show the window menu bar": "Alltaf að sýna valmyndastiku glugga",
"Warn before quitting": "Aðvara áður en hætt er",
"Start automatically after system login": "Ræsa sjálfvirkt við innskráningu í kerfi",
"Enable email notifications for %(email)s": "Virkja tilkynningar í tölvupósti fyrir %(email)s", "Enable email notifications for %(email)s": "Virkja tilkynningar í tölvupósti fyrir %(email)s",
"Anyone in a space can find and join. You can select multiple spaces.": "Hver sem er í svæði getur fundið og tekið þátt. Þú getur valið mörg svæði.", "Anyone in a space can find and join. You can select multiple spaces.": "Hver sem er í svæði getur fundið og tekið þátt. Þú getur valið mörg svæði.",
"Anyone in <spaceName/> can find and join. You can select other spaces too.": "Hver sem er í <spaceName/> getur fundið og tekið þátt. Þú getur einnig valið önnur svæði.", "Anyone in <spaceName/> can find and join. You can select other spaces too.": "Hver sem er í <spaceName/> getur fundið og tekið þátt. Þú getur einnig valið önnur svæði.",
"Anyone in a space can find and join. <a>Edit which spaces can access here.</a>": "Hver sem er í svæði getur fundið og tekið þátt. <a>Breyttu hér því hvaða svæði hafa aðgang.</a>", "Anyone in a space can find and join. <a>Edit which spaces can access here.</a>": "Hver sem er í svæði getur fundið og tekið þátt. <a>Breyttu hér því hvaða svæði hafa aðgang.</a>",
"Enable guest access": "Leyfa aðgang gesta", "Enable guest access": "Leyfa aðgang gesta",
"Show chat effects (animations when receiving e.g. confetti)": "Sýna hreyfingar í spjalli (t.d. þegar tekið er við skrauti)",
"Show previews/thumbnails for images": "Birta forskoðun/smámyndir fyrir myndir",
"Prompt before sending invites to potentially invalid matrix IDs": "Spyrja áður en boð eru send á mögulega ógild matrix-auðkenni",
"Enable widget screenshots on supported widgets": "Virkja skjámyndir viðmótshluta í studdum viðmótshlutum", "Enable widget screenshots on supported widgets": "Virkja skjámyndir viðmótshluta í studdum viðmótshlutum",
"Automatically replace plain text Emoji": "Skipta sjálfkrafa út Emoji-táknum á hreinum texta",
"Surround selected text when typing special characters": "Umlykja valinn texta þegar sértákn eru skrifuð", "Surround selected text when typing special characters": "Umlykja valinn texta þegar sértákn eru skrifuð",
"Show join/leave messages (invites/removes/bans unaffected)": "Birta taka-þátt/hætta skilaboð (hefur ekki áhrif á boð/fjarlægingu/bönn)",
"Enable Emoji suggestions while typing": "Virkja uppástungur tákna á meðan skrifað er",
"Integrations are disabled": "Samþættingar eru óvirkar", "Integrations are disabled": "Samþættingar eru óvirkar",
"Integration manager": "Samþættingarstýring", "Integration manager": "Samþættingarstýring",
"%(creator)s created this DM.": "%(creator)s bjó til oþessi beinu skilaboð.", "%(creator)s created this DM.": "%(creator)s bjó til oþessi beinu skilaboð.",
@ -1805,7 +1760,6 @@
"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",
"Developer mode": "Forritarahamur", "Developer mode": "Forritarahamur",
"IRC display name width": "Breidd IRC-birtingarnafns", "IRC display name width": "Breidd IRC-birtingarnafns",
"Insert a trailing colon after user mentions at the start of a message": "Setja tvípunkt á eftir þar sem minnst er á notanda í upphafi skilaboða",
"%(brand)s URL": "%(brand)s URL", "%(brand)s URL": "%(brand)s URL",
"Cancel search": "Hætta við leitina", "Cancel search": "Hætta við leitina",
"Drop a Pin": "Sleppa pinna", "Drop a Pin": "Sleppa pinna",
@ -1907,13 +1861,7 @@
"Sorry, the poll did not end. Please try again.": "Því miður, könnuninni lauk ekki. Prófaðu aftur.", "Sorry, the poll did not end. Please try again.": "Því miður, könnuninni lauk ekki. Prófaðu aftur.",
"Failed to end poll": "Mistókst að ljúka könnun", "Failed to end poll": "Mistókst að ljúka könnun",
"The poll has ended. No votes were cast.": "Könnuninni er lokið. Engin atkvæði voru greidd.", "The poll has ended. No votes were cast.": "Könnuninni er lokið. Engin atkvæði voru greidd.",
"Value in this room:": "Gildi á þessari spjallrás:",
"Setting definition:": "Skilgreining stillingar:",
"Value in this room": "Gildi á þessari spjallrás",
"Setting ID": "Auðkenni stillingar",
"There was an error finding this widget.": "Það kom upp villa við að finna þennan viðmótshluta.",
"Active Widgets": "Virkir viðmótshlutar", "Active Widgets": "Virkir viðmótshlutar",
"Event Content": "Efni atburðar",
"Search for spaces": "Leita að svæðum", "Search for spaces": "Leita að svæðum",
"Want to add a new space instead?": "Viltu frekar bæta við nýju svæði?", "Want to add a new space instead?": "Viltu frekar bæta við nýju svæði?",
"Add existing space": "Bæta við fyrirliggjandi svæði", "Add existing space": "Bæta við fyrirliggjandi svæði",
@ -2200,7 +2148,6 @@
"Failed to upgrade room": "Mistókst að uppfæra spjallrás", "Failed to upgrade room": "Mistókst að uppfæra spjallrás",
"Export Chat": "Flytja út spjall", "Export Chat": "Flytja út spjall",
"Exporting your data": "Útflutningur gagnanna þinna", "Exporting your data": "Útflutningur gagnanna þinna",
"Event Type": "Tegund atburðar",
"Error - Mixed content": "Villa - blandað efni", "Error - Mixed content": "Villa - blandað efni",
"Error loading Widget": "Villa við að hlaða inn viðmótshluta", "Error loading Widget": "Villa við að hlaða inn viðmótshluta",
"Failed to fetch your location. Please try again later.": "Mistókst að sækja staðsetninguna þína. Reyndu aftur síðar.", "Failed to fetch your location. Please try again later.": "Mistókst að sækja staðsetninguna þína. Reyndu aftur síðar.",
@ -2233,27 +2180,7 @@
"Start audio stream": "Hefja hljóðstreymi", "Start audio stream": "Hefja hljóðstreymi",
"Unable to start audio streaming.": "Get ekki ræst hljóðstreymi.", "Unable to start audio streaming.": "Get ekki ræst hljóðstreymi.",
"Resend %(unsentCount)s reaction(s)": "Endursenda %(unsentCount)s reaction(s)", "Resend %(unsentCount)s reaction(s)": "Endursenda %(unsentCount)s reaction(s)",
"Requester": "Beiðandi",
"Methods": "Aðferðir",
"Timeout": "Tímamörk",
"Phase": "Fasi",
"Transaction": "Færsluaðgerð",
"Cancelled": "Hætt við",
"Started": "Hafið",
"Ready": "Tilbúið",
"Requested": "Umbeðið",
"Unsent": "Ósent", "Unsent": "Ósent",
"Edit values": "Breyta gildum",
"Failed to save settings.": "Mistókst að vista stillingar.",
"Number of users": "Fjöldi notenda",
"Server": "Netþjónn",
"Server Versions": "Útgáfur þjóna",
"Client Versions": "Útgáfur biðlaraforrita",
"Failed to load.": "Mistókst að hlaða inn.",
"Capabilities": "Geta",
"Send custom state event": "Senda sérsniðinn stöðuatburð",
"Failed to send event!": "Mistókst að senda atburð!",
"Doesn't look like valid JSON.": "Þetta lítur ekki út eins og gilt JSON.",
"Forgotten or lost all recovery methods? <a>Reset all</a>": "Gleymdirðu eða týndir öllum aðferðum til endurheimtu? <a>Endurstilla allt</a>", "Forgotten or lost all recovery methods? <a>Reset all</a>": "Gleymdirðu eða týndir öllum aðferðum til endurheimtu? <a>Endurstilla allt</a>",
"Wrong file type": "Röng skráartegund", "Wrong file type": "Röng skráartegund",
"This widget would like to:": "Þessi viðmótshluti vill:", "This widget would like to:": "Þessi viðmótshluti vill:",
@ -2436,16 +2363,6 @@
"You are the only person here. If you leave, no one will be able to join in the future, including you.": "Þú ert eini eintaklingurinn hérna. Ef þú ferð út, mun enginn framar geta tekið þátt, að þér meðtöldum.", "You are the only person here. If you leave, no one will be able to join in the future, including you.": "Þú ert eini eintaklingurinn hérna. Ef þú ferð út, mun enginn framar geta tekið þátt, að þér meðtöldum.",
"Add an email to be able to reset your password.": "Bættu við tölvupóstfangi til að geta endurstillt lykilorðið þitt.", "Add an email to be able to reset your password.": "Bættu við tölvupóstfangi til að geta endurstillt lykilorðið þitt.",
"Thread options": "Valkostir spjallþráðar", "Thread options": "Valkostir spjallþráðar",
"No verification requests found": "Engar staðfestingarbeiðnir fundust",
"Observe only": "Aðeins fylgjast með",
"Values at explicit levels in this room:": "Gildi á skilgreindum stigum í þessari spjallrás:",
"Values at explicit levels:": "Gildi á skilgreindum stigum:",
"Values at explicit levels in this room": "Gildi á skilgreindum stigum í þessari spjallrás",
"Values at explicit levels": "Gildi á skilgreindum stigum",
"Settable at room": "Stillanlegt fyrir hverja spjallrás",
"Settable at global": "Stillanlegt víðvært",
"This UI does NOT check the types of the values. Use at your own risk.": "Þetta viðmót athugar EKKI tegundir gildanna. Notist á eigin ábyrgð.",
"Save setting values": "Vista gildi valkosta",
"Unable to load backup status": "Tókst ekki að hlaða inn stöðu öryggisafritunar dulritunarlykla", "Unable to load backup status": "Tókst ekki að hlaða inn stöðu öryggisafritunar dulritunarlykla",
"%(completed)s of %(total)s keys restored": "%(completed)s af %(total)s lyklum endurheimtir", "%(completed)s of %(total)s keys restored": "%(completed)s af %(total)s lyklum endurheimtir",
"Restoring keys from backup": "Endurheimti lykla úr öryggisafriti", "Restoring keys from backup": "Endurheimti lykla úr öryggisafriti",
@ -2735,7 +2652,6 @@
"sends hearts": "sendir hjörtu", "sends hearts": "sendir hjörtu",
"Sends the given message with hearts": "Sendir skilaboðin með hjörtum", "Sends the given message with hearts": "Sendir skilaboðin með hjörtum",
"Enable hardware acceleration": "Virkja vélbúnaðarhröðun", "Enable hardware acceleration": "Virkja vélbúnaðarhröðun",
"Enable Markdown": "Virkja Markdown",
"Connection lost": "Tenging rofnaði", "Connection lost": "Tenging rofnaði",
"Jump to the given date in the timeline": "Hoppa í uppgefna dagsetningu á tímalínunni", "Jump to the given date in the timeline": "Hoppa í uppgefna dagsetningu á tímalínunni",
"Threads help keep your conversations on-topic and easy to track.": "Spjallþræðir hjálpa til við að halda samræðum við efnið og gerir auðveldara að rekja þær.", "Threads help keep your conversations on-topic and easy to track.": "Spjallþræðir hjálpa til við að halda samræðum við efnið og gerir auðveldara að rekja þær.",
@ -2857,14 +2773,12 @@
"Current session": "Núverandi seta", "Current session": "Núverandi seta",
"Other sessions": "Aðrar setur", "Other sessions": "Aðrar setur",
"Sessions": "Setur", "Sessions": "Setur",
"Enable hardware acceleration (restart %(appName)s to take effect)": "Virkja vélbúnaðarhröðun (endurræstu %(appName)s til að breytingar taki gildi)",
"Your server doesn't support disabling sending read receipts.": "Netþjónninn þinn styður ekki að sending leskvittana sé gerð óvirk.", "Your server doesn't support disabling sending read receipts.": "Netþjónninn þinn styður ekki að sending leskvittana sé gerð óvirk.",
"Share your activity and status with others.": "Deila virkni og stöðu þinni með öðrum.", "Share your activity and status with others.": "Deila virkni og stöðu þinni með öðrum.",
"Deactivating your account is a permanent action — be careful!": "Að gera aðganginn þinn óvirkan er endanleg aðgerð - farðu varlega!", "Deactivating your account is a permanent action — be careful!": "Að gera aðganginn þinn óvirkan er endanleg aðgerð - farðu varlega!",
"Your password was successfully changed.": "Það tókst að breyta lykilorðinu þínu.", "Your password was successfully changed.": "Það tókst að breyta lykilorðinu þínu.",
"Find and invite your friends": "Finndu og bjóddu vinum þínum", "Find and invite your friends": "Finndu og bjóddu vinum þínum",
"You made it!": "Þú hafðir það!", "You made it!": "Þú hafðir það!",
"Send read receipts": "Senda leskvittanir",
"Mapbox logo": "Mapbox-táknmerki", "Mapbox logo": "Mapbox-táknmerki",
"Location not available": "Staðsetning ekki tiltæk", "Location not available": "Staðsetning ekki tiltæk",
"Find my location": "Finna staðsetningu mína", "Find my location": "Finna staðsetningu mína",
@ -3187,7 +3101,9 @@
"android": "Android", "android": "Android",
"trusted": "Treyst", "trusted": "Treyst",
"not_trusted": "Ekki treyst", "not_trusted": "Ekki treyst",
"accessibility": "Auðveldað aðgengi" "accessibility": "Auðveldað aðgengi",
"capabilities": "Geta",
"server": "Netþjónn"
}, },
"action": { "action": {
"continue": "Halda áfram", "continue": "Halda áfram",
@ -3284,7 +3200,8 @@
"maximise": "Hámarka", "maximise": "Hámarka",
"mention": "Minnst á", "mention": "Minnst á",
"submit": "Senda inn", "submit": "Senda inn",
"send_report": "Senda kæru" "send_report": "Senda kæru",
"clear": "Hreinsa"
}, },
"a11y": { "a11y": {
"user_menu": "Valmynd notandans" "user_menu": "Valmynd notandans"
@ -3391,5 +3308,92 @@
}, },
"you_did_it": "Þú kláraðir þetta!", "you_did_it": "Þú kláraðir þetta!",
"complete_these": "Kláraðu þetta til að fá sem mest út úr %(brand)s" "complete_these": "Kláraðu þetta til að fá sem mest út úr %(brand)s"
},
"devtools": {
"event_type": "Tegund atburðar",
"state_key": "Stöðulykill",
"invalid_json": "Þetta lítur ekki út eins og gilt JSON.",
"failed_to_send": "Mistókst að senda atburð!",
"event_sent": "Atburður sendur!",
"event_content": "Efni atburðar",
"spaces": {
"one": "<svæði>",
"other": "<%(count)s svæði>"
},
"empty_string": "<auður strengur>",
"send_custom_state_event": "Senda sérsniðinn stöðuatburð",
"failed_to_load": "Mistókst að hlaða inn.",
"client_versions": "Útgáfur biðlaraforrita",
"server_versions": "Útgáfur þjóna",
"number_of_users": "Fjöldi notenda",
"failed_to_save": "Mistókst að vista stillingar.",
"save_setting_values": "Vista gildi valkosta",
"setting_colon": "Stilling:",
"caution_colon": "Varúð:",
"use_at_own_risk": "Þetta viðmót athugar EKKI tegundir gildanna. Notist á eigin ábyrgð.",
"setting_definition": "Skilgreining stillingar:",
"level": "Stig",
"settable_global": "Stillanlegt víðvært",
"settable_room": "Stillanlegt fyrir hverja spjallrás",
"values_explicit": "Gildi á skilgreindum stigum",
"values_explicit_room": "Gildi á skilgreindum stigum í þessari spjallrás",
"edit_values": "Breyta gildum",
"value_colon": "Gildi:",
"value_this_room_colon": "Gildi á þessari spjallrás:",
"values_explicit_colon": "Gildi á skilgreindum stigum:",
"values_explicit_this_room_colon": "Gildi á skilgreindum stigum í þessari spjallrás:",
"setting_id": "Auðkenni stillingar",
"value": "Gildi",
"value_in_this_room": "Gildi á þessari spjallrás",
"edit_setting": "Breyta stillingu",
"phase_requested": "Umbeðið",
"phase_ready": "Tilbúið",
"phase_started": "Hafið",
"phase_cancelled": "Hætt við",
"phase_transaction": "Færsluaðgerð",
"phase": "Fasi",
"timeout": "Tímamörk",
"methods": "Aðferðir",
"requester": "Beiðandi",
"observe_only": "Aðeins fylgjast með",
"no_verification_requests_found": "Engar staðfestingarbeiðnir fundust",
"failed_to_find_widget": "Það kom upp villa við að finna þennan viðmótshluta."
},
"settings": {
"show_breadcrumbs": "Sýna flýtileiðir í nýskoðaðar spjallrásir fyrir ofan listann yfir spjallrásir",
"all_rooms_home_description": "Allar spjallrásir sem þú ert í munu birtast á forsíðu.",
"use_command_f_search": "Notaðu Command + F til að leita í tímalínu",
"use_control_f_search": "Notaðu Ctrl + F til að leita í tímalínu",
"use_12_hour_format": "Birta tímamerki á 12 stunda sniði (t.d. 2:30 fh)",
"always_show_message_timestamps": "Alltaf birta tímamerki skilaboða",
"send_read_receipts": "Senda leskvittanir",
"send_typing_notifications": "Senda skriftilkynningar",
"replace_plain_emoji": "Skipta sjálfkrafa út Emoji-táknum á hreinum texta",
"enable_markdown": "Virkja Markdown",
"emoji_autocomplete": "Virkja uppástungur tákna á meðan skrifað er",
"use_command_enter_send_message": "Notaðu Command + Enter til að senda skilaboð",
"use_control_enter_send_message": "Notaðu Ctrl + Enter til að senda skilaboð",
"all_rooms_home": "Sýna allar spjallrásir á forsíðu",
"show_stickers_button": "Birta límmerkjahnapp",
"insert_trailing_colon_mentions": "Setja tvípunkt á eftir þar sem minnst er á notanda í upphafi skilaboða",
"automatic_language_detection_syntax_highlight": "Virkja greiningu á forritunarmálum fyrir málskipunarlitun",
"code_block_expand_default": "Fletta sjálfgefið út textablokkum með kóða",
"code_block_line_numbers": "Sýna línunúmer í kóðablokkum",
"inline_url_previews_default": "Sjálfgefið virkja forskoðun innfelldra vefslóða",
"autoplay_gifs": "Spila GIF-myndir sjálfkrafa",
"autoplay_videos": "Spila myndskeið sjálfkrafa",
"image_thumbnails": "Birta forskoðun/smámyndir fyrir myndir",
"show_typing_notifications": "Sýna skriftilkynningar",
"show_redaction_placeholder": "Birta frátökutákn fyrir fjarlægð skilaboð",
"show_read_receipts": "Birta leskvittanir frá öðrum notendum",
"show_join_leave": "Birta taka-þátt/hætta skilaboð (hefur ekki áhrif á boð/fjarlægingu/bönn)",
"show_displayname_changes": "Sýna breytingar á birtingarnafni",
"show_chat_effects": "Sýna hreyfingar í spjalli (t.d. þegar tekið er við skrauti)",
"big_emoji": "Virkja stór tákn í spjalli",
"jump_to_bottom_on_send": "Hoppa neðst á tímalínuna þegar þú sendir skilaboð",
"prompt_invite": "Spyrja áður en boð eru send á mögulega ógild matrix-auðkenni",
"hardware_acceleration": "Virkja vélbúnaðarhröðun (endurræstu %(appName)s til að breytingar taki gildi)",
"start_automatically": "Ræsa sjálfvirkt við innskráningu í kerfi",
"warn_quit": "Aðvara áður en hætt er"
} }
} }

View file

@ -15,7 +15,6 @@
"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", "Advanced": "Avanzato",
"Always show message timestamps": "Mostra sempre l'orario dei messaggi",
"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",
@ -99,10 +98,6 @@
"Your browser does not support the required cryptography extensions": "Il tuo browser non supporta l'estensione crittografica richiesta", "Your browser does not support the required cryptography extensions": "Il tuo browser non supporta l'estensione crittografica richiesta",
"Not a valid %(brand)s keyfile": "Non è una chiave di %(brand)s valida", "Not a valid %(brand)s keyfile": "Non è una chiave di %(brand)s valida",
"Authentication check failed: incorrect password?": "Controllo di autenticazione fallito: password sbagliata?", "Authentication check failed: incorrect password?": "Controllo di autenticazione fallito: password sbagliata?",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "Mostra gli orari nel formato 12 ore (es. 2:30pm)",
"Enable automatic language detection for syntax highlighting": "Attiva la rilevazione automatica della lingua per l'evidenziazione della sintassi",
"Automatically replace plain text Emoji": "Sostituisci automaticamente le emoji testuali",
"Enable inline URL previews by default": "Attiva le anteprime URL in modo predefinito",
"Enable URL previews for this room (only affects you)": "Attiva le anteprime URL in questa stanza (riguarda solo te)", "Enable URL previews for this room (only affects you)": "Attiva le anteprime URL in questa stanza (riguarda solo te)",
"Enable URL previews by default for participants in this room": "Attiva le anteprime URL in modo predefinito per i partecipanti in questa stanza", "Enable URL previews by default for participants in this room": "Attiva le anteprime URL in modo predefinito per i partecipanti in questa stanza",
"Incorrect verification code": "Codice di verifica sbagliato", "Incorrect verification code": "Codice di verifica sbagliato",
@ -351,7 +346,6 @@
"Cryptography": "Crittografia", "Cryptography": "Crittografia",
"Check for update": "Controlla aggiornamenti", "Check for update": "Controlla aggiornamenti",
"Reject all %(invitedRooms)s invites": "Rifiuta tutti gli inviti da %(invitedRooms)s", "Reject all %(invitedRooms)s invites": "Rifiuta tutti gli inviti da %(invitedRooms)s",
"Start automatically after system login": "Esegui automaticamente all'avvio del sistema",
"No media permissions": "Nessuna autorizzazione per i media", "No media permissions": "Nessuna autorizzazione per i media",
"Email": "Email", "Email": "Email",
"Profile": "Profilo", "Profile": "Profilo",
@ -424,7 +418,6 @@
"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)",
"All messages": "Tutti i messaggi", "All messages": "Tutti i messaggi",
"Call invitation": "Invito ad una chiamata", "Call invitation": "Invito ad una chiamata",
"State Key": "Chiave dello stato",
"What's new?": "Cosa c'è di nuovo?", "What's new?": "Cosa c'è di nuovo?",
"When I'm invited to a room": "Quando vengo invitato/a in una stanza", "When I'm invited to a room": "Quando vengo invitato/a in una stanza",
"Invite to this room": "Invita in questa stanza", "Invite to this room": "Invita in questa stanza",
@ -437,10 +430,7 @@
"Low Priority": "Priorità bassa", "Low Priority": "Priorità bassa",
"What's New": "Novità", "What's New": "Novità",
"Off": "Spento", "Off": "Spento",
"Event Type": "Tipo di Evento",
"Thank you!": "Grazie!", "Thank you!": "Grazie!",
"Event sent!": "Evento inviato!",
"Event Content": "Contenuto dell'Evento",
"Missing roomId.": "ID stanza mancante.", "Missing roomId.": "ID stanza mancante.",
"Enable widget screenshots on supported widgets": "Attiva le schermate dei widget sui widget supportati", "Enable widget screenshots on supported widgets": "Attiva le schermate dei widget sui widget supportati",
"Unable to load event that was replied to, it either does not exist or you do not have permission to view it.": "Impossibile caricare l'evento a cui si è risposto, o non esiste o non hai il permesso di visualizzarlo.", "Unable to load event that was replied to, it either does not exist or you do not have permission to view it.": "Impossibile caricare l'evento a cui si è risposto, o non esiste o non hai il permesso di visualizzarlo.",
@ -566,7 +556,6 @@
"Set up Secure Messages": "Imposta i messaggi sicuri", "Set up Secure Messages": "Imposta i messaggi sicuri",
"Go to Settings": "Vai alle impostazioni", "Go to Settings": "Vai alle impostazioni",
"Unrecognised address": "Indirizzo non riconosciuto", "Unrecognised address": "Indirizzo non riconosciuto",
"Prompt before sending invites to potentially invalid matrix IDs": "Chiedi prima di inviare inviti a possibili ID matrix non validi",
"The following users may not exist": "I seguenti utenti potrebbero non esistere", "The following users may not exist": "I seguenti utenti potrebbero non esistere",
"Unable to find profiles for the Matrix IDs listed below - would you like to invite them anyway?": "Impossibile trovare profili per gli ID Matrix elencati sotto - vuoi comunque invitarli?", "Unable to find profiles for the Matrix IDs listed below - would you like to invite them anyway?": "Impossibile trovare profili per gli ID Matrix elencati sotto - vuoi comunque invitarli?",
"Invite anyway and never warn me again": "Invitali lo stesso e non avvisarmi più", "Invite anyway and never warn me again": "Invitali lo stesso e non avvisarmi più",
@ -592,12 +581,6 @@
}, },
"%(names)s and %(lastPerson)s are typing …": "%(names)s e %(lastPerson)s stanno scrivendo …", "%(names)s and %(lastPerson)s are typing …": "%(names)s e %(lastPerson)s stanno scrivendo …",
"The user must be unbanned before they can be invited.": "L'utente non deve essere bandito per essere invitato.", "The user must be unbanned before they can be invited.": "L'utente non deve essere bandito per essere invitato.",
"Enable Emoji suggestions while typing": "Attiva suggerimenti Emoji durante la digitazione",
"Show a placeholder for removed messages": "Mostra un segnaposto per i messaggi rimossi",
"Show display name changes": "Mostra i cambi di nomi visualizzati",
"Show read receipts sent by other users": "Mostra ricevute di lettura inviate da altri utenti",
"Enable big emoji in chat": "Attiva gli emoji grandi in chat",
"Send typing notifications": "Invia notifiche di scrittura",
"Messages containing my username": "Messaggi contenenti il mio nome utente", "Messages containing my username": "Messaggi contenenti il mio nome utente",
"The other party cancelled the verification.": "L'altra parte ha annullato la verifica.", "The other party cancelled the verification.": "L'altra parte ha annullato la verifica.",
"Verified!": "Verificato!", "Verified!": "Verificato!",
@ -976,7 +959,6 @@
"Report Content to Your Homeserver Administrator": "Segnala il contenuto all'amministratore dell'homeserver", "Report Content to Your Homeserver Administrator": "Segnala il contenuto all'amministratore dell'homeserver",
"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.": "La segnalazione di questo messaggio invierà il suo 'ID evento' univoco all'amministratore del tuo homeserver. Se i messaggi della stanza sono cifrati, l'amministratore non potrà leggere il messaggio o vedere file e immagini.", "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.": "La segnalazione di questo messaggio invierà il suo 'ID evento' univoco all'amministratore del tuo homeserver. Se i messaggi della stanza sono cifrati, l'amministratore non potrà leggere il messaggio o vedere file e immagini.",
"Explore rooms": "Esplora stanze", "Explore rooms": "Esplora stanze",
"Show previews/thumbnails for images": "Mostra anteprime/miniature per le immagini",
"Clear cache and reload": "Svuota la cache e ricarica", "Clear cache and reload": "Svuota la cache e ricarica",
"%(count)s unread messages including mentions.": { "%(count)s unread messages including mentions.": {
"other": "%(count)s messaggi non letti incluse le citazioni.", "other": "%(count)s messaggi non letti incluse le citazioni.",
@ -1255,7 +1237,6 @@
"Message downloading sleep time(ms)": "Tempo di attesa scaricamento messaggi (ms)", "Message downloading sleep time(ms)": "Tempo di attesa scaricamento messaggi (ms)",
"Cancel entering passphrase?": "Annullare l'inserimento della password?", "Cancel entering passphrase?": "Annullare l'inserimento della password?",
"Indexed rooms:": "Stanze indicizzate:", "Indexed rooms:": "Stanze indicizzate:",
"Show typing notifications": "Mostra notifiche di scrittura",
"Scan this unique code": "Scansiona questo codice univoco", "Scan this unique code": "Scansiona questo codice univoco",
"Compare unique emoji": "Confronta emoji univoci", "Compare unique emoji": "Confronta emoji univoci",
"Compare a unique set of emoji if you don't have a camera on either device": "Confrontate un set di emoji univoci se non avete una fotocamera sui dispositivi", "Compare a unique set of emoji if you don't have a camera on either device": "Confrontate un set di emoji univoci se non avete una fotocamera sui dispositivi",
@ -1275,7 +1256,6 @@
"Use your account or create a new one to continue.": "Usa il tuo account o creane uno nuovo per continuare.", "Use your account or create a new one to continue.": "Usa il tuo account o creane uno nuovo per continuare.",
"Create Account": "Crea account", "Create Account": "Crea account",
"Displays information about a user": "Mostra le informazioni di un utente", "Displays information about a user": "Mostra le informazioni di un utente",
"Show shortcuts to recently viewed rooms above the room list": "Mostra scorciatoie per le stanze viste di recente sopra l'elenco stanze",
"Cancelling…": "Annullamento…", "Cancelling…": "Annullamento…",
"To report a Matrix-related security issue, please read the Matrix.org <a>Security Disclosure Policy</a>.": "Per segnalare un problema di sicurezza relativo a Matrix, leggi la <a>Politica di divulgazione della sicurezza</a> di Matrix.org .", "To report a Matrix-related security issue, please read the Matrix.org <a>Security Disclosure Policy</a>.": "Per segnalare un problema di sicurezza relativo a Matrix, leggi la <a>Politica di divulgazione della sicurezza</a> di Matrix.org .",
"Mark all as read": "Segna tutto come letto", "Mark all as read": "Segna tutto come letto",
@ -1947,8 +1927,6 @@
"Return to call": "Torna alla chiamata", "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",
"Use Ctrl + Enter to send a message": "Usa Ctrl + Invio per inviare un messaggio",
"Use Command + Enter to send a message": "Usa Comando + Invio per inviare un messaggio",
"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",
"See <b>%(msgtype)s</b> messages posted to this room": "Vedi messaggi <b>%(msgtype)s</b> inviati a questa stanza", "See <b>%(msgtype)s</b> messages posted to this room": "Vedi messaggi <b>%(msgtype)s</b> inviati a questa stanza",
"Send <b>%(msgtype)s</b> messages as you in your active room": "Invia messaggi <b>%(msgtype)s</b> a tuo nome nella tua stanza attiva", "Send <b>%(msgtype)s</b> messages as you in your active room": "Invia messaggi <b>%(msgtype)s</b> a tuo nome nella tua stanza attiva",
@ -1988,7 +1966,6 @@
"Transfer": "Trasferisci", "Transfer": "Trasferisci",
"Failed to transfer call": "Trasferimento chiamata fallito", "Failed to transfer call": "Trasferimento chiamata fallito",
"A call can only be transferred to a single user.": "Una chiamata può essere trasferita solo ad un singolo utente.", "A call can only be transferred to a single user.": "Una chiamata può essere trasferita solo ad un singolo utente.",
"There was an error finding this widget.": "Si è verificato un errore trovando i widget.",
"Active Widgets": "Widget attivi", "Active Widgets": "Widget attivi",
"Open dial pad": "Apri tastierino", "Open dial pad": "Apri tastierino",
"Dial pad": "Tastierino", "Dial pad": "Tastierino",
@ -2030,27 +2007,6 @@
"We asked the browser to remember which homeserver you use to let you sign in, but unfortunately your browser has forgotten it. Go to the sign in page and try again.": "Abbiamo chiesto al browser di ricordare quale homeserver usi per farti accedere, ma sfortunatamente l'ha dimenticato. Vai alla pagina di accesso e riprova.", "We asked the browser to remember which homeserver you use to let you sign in, but unfortunately your browser has forgotten it. Go to the sign in page and try again.": "Abbiamo chiesto al browser di ricordare quale homeserver usi per farti accedere, ma sfortunatamente l'ha dimenticato. Vai alla pagina di accesso e riprova.",
"We couldn't log you in": "Non abbiamo potuto farti accedere", "We couldn't log you in": "Non abbiamo potuto farti accedere",
"Recently visited rooms": "Stanze visitate di recente", "Recently visited rooms": "Stanze visitate di recente",
"Show line numbers in code blocks": "Mostra numeri di riga nei blocchi di codice",
"Expand code blocks by default": "Espandi blocchi di codice in modo predefinito",
"Show stickers button": "Mostra pulsante adesivi",
"Values at explicit levels in this room:": "Valori a livelli espliciti in questa stanza:",
"Values at explicit levels:": "Valori a livelli espliciti:",
"Value in this room:": "Valore in questa stanza:",
"Value:": "Valore:",
"Save setting values": "Salva valori impostazione",
"Values at explicit levels in this room": "Valori a livelli espliciti in questa stanza",
"Values at explicit levels": "Valori a livelli espliciti",
"Settable at room": "Impostabile per stanza",
"Settable at global": "Impostabile globalmente",
"Level": "Livello",
"Setting definition:": "Definizione impostazione:",
"This UI does NOT check the types of the values. Use at your own risk.": "Questa interfaccia NON controlla i tipi dei valori. Usa a tuo rischio.",
"Caution:": "Attenzione:",
"Setting:": "Impostazione:",
"Value in this room": "Valore in questa stanza",
"Value": "Valore",
"Setting ID": "ID impostazione",
"Show chat effects (animations when receiving e.g. confetti)": "Mostra effetti chat (animazioni quando si ricevono ad es. coriandoli)",
"Original event source": "Sorgente dell'evento originale", "Original event source": "Sorgente dell'evento originale",
"Decrypted event source": "Sorgente dell'evento decifrato", "Decrypted event source": "Sorgente dell'evento decifrato",
"Invite by username": "Invita per nome utente", "Invite by username": "Invita per nome utente",
@ -2103,7 +2059,6 @@
"Invite only, best for yourself or teams": "Solo su invito, la scelta migliore per te o i team", "Invite only, best for yourself or teams": "Solo su invito, la scelta migliore per te o i team",
"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",
"Jump to the bottom of the timeline when you send a message": "Salta in fondo alla linea temporale quando invii un messaggio",
"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.", "You're already in a call with this person.": "Sei già in una chiamata con questa persona.",
"Already in call": "Già in una chiamata", "Already in call": "Già in una chiamata",
@ -2147,7 +2102,6 @@
"one": "%(count)s persona che conosci è già entrata" "one": "%(count)s persona che conosci è già entrata"
}, },
"Add existing rooms": "Aggiungi stanze esistenti", "Add existing rooms": "Aggiungi stanze esistenti",
"Warn before quitting": "Avvisa prima di uscire",
"Invited people will be able to read old messages.": "Le persone invitate potranno leggere i vecchi messaggi.", "Invited people will be able to read old messages.": "Le persone invitate potranno leggere i vecchi messaggi.",
"You most likely do not want to reset your event index store": "Probabilmente non hai bisogno di reinizializzare il tuo archivio indice degli eventi", "You most likely do not want to reset your event index store": "Probabilmente non hai bisogno di reinizializzare il tuo archivio indice degli eventi",
"Avatar": "Avatar", "Avatar": "Avatar",
@ -2252,7 +2206,6 @@
"e.g. my-space": "es. mio-spazio", "e.g. my-space": "es. mio-spazio",
"Silence call": "Silenzia la chiamata", "Silence call": "Silenzia la chiamata",
"Sound on": "Audio attivo", "Sound on": "Audio attivo",
"Show all rooms in Home": "Mostra tutte le stanze nella pagina principale",
"%(senderName)s changed the <a>pinned messages</a> for the room.": "%(senderName)s ha cambiato i <a>messaggi ancorati</a> della stanza.", "%(senderName)s changed the <a>pinned messages</a> for the room.": "%(senderName)s ha cambiato i <a>messaggi ancorati</a> della stanza.",
"%(senderName)s withdrew %(targetName)s's invitation": "%(senderName)s ha revocato l'invito per %(targetName)s", "%(senderName)s withdrew %(targetName)s's invitation": "%(senderName)s ha revocato l'invito per %(targetName)s",
"%(senderName)s withdrew %(targetName)s's invitation: %(reason)s": "%(senderName)s ha revocato l'invito per %(targetName)s: %(reason)s", "%(senderName)s withdrew %(targetName)s's invitation: %(reason)s": "%(senderName)s ha revocato l'invito per %(targetName)s: %(reason)s",
@ -2330,8 +2283,6 @@
"An error occurred whilst saving your notification preferences.": "Si è verificato un errore durante il salvataggio delle tue preferenze di notifica.", "An error occurred whilst saving your notification preferences.": "Si è verificato un errore durante il salvataggio delle tue preferenze di notifica.",
"Error saving notification preferences": "Errore nel salvataggio delle preferenze di notifica", "Error saving notification preferences": "Errore nel salvataggio delle preferenze di notifica",
"Messages containing keywords": "Messaggi contenenti parole chiave", "Messages containing keywords": "Messaggi contenenti parole chiave",
"Use Ctrl + F to search timeline": "Usa Ctrl + F per cercare nella linea temporale",
"Use Command + F to search timeline": "Usa Comando + F per cercare nella linea temporale",
"Transfer Failed": "Trasferimento fallito", "Transfer Failed": "Trasferimento fallito",
"Unable to transfer call": "Impossibile trasferire la chiamata", "Unable to transfer call": "Impossibile trasferire la chiamata",
"Error downloading audio": "Errore di scaricamento dell'audio", "Error downloading audio": "Errore di scaricamento dell'audio",
@ -2409,7 +2360,6 @@
"Your camera is turned off": "La tua fotocamera è spenta", "Your camera is turned off": "La tua fotocamera è spenta",
"%(sharerName)s is presenting": "%(sharerName)s sta presentando", "%(sharerName)s is presenting": "%(sharerName)s sta presentando",
"You are presenting": "Stai presentando", "You are presenting": "Stai presentando",
"All rooms you're in will appear in Home.": "Tutte le stanze in cui sei appariranno nella pagina principale.",
"Decrypting": "Decifrazione", "Decrypting": "Decifrazione",
"Missed call": "Chiamata persa", "Missed call": "Chiamata persa",
"Call declined": "Chiamata rifiutata", "Call declined": "Chiamata rifiutata",
@ -2441,8 +2391,6 @@
"Are you sure you want to add encryption to this public room?": "Vuoi veramente aggiungere la crittografia a questa stanza pubblica?", "Are you sure you want to add encryption to this public room?": "Vuoi veramente aggiungere la crittografia a questa stanza pubblica?",
"The above, but in any room you are joined or invited to as well": "Quanto sopra, ma anche in qualsiasi stanza tu sia entrato/a o invitato/a", "The above, but in any room you are joined or invited to as well": "Quanto sopra, ma anche in qualsiasi stanza tu sia entrato/a o invitato/a",
"The above, but in <Room /> as well": "Quanto sopra, ma anche in <Room />", "The above, but in <Room /> as well": "Quanto sopra, ma anche in <Room />",
"Autoplay videos": "Auto-riproduci i video",
"Autoplay GIFs": "Auto-riproduci le GIF",
"%(senderName)s unpinned a message from this room. See all pinned messages.": "%(senderName)s ha tolto un messaggio ancorato da questa stanza. Vedi tutti i messaggi ancorati.", "%(senderName)s unpinned a message from this room. See all pinned messages.": "%(senderName)s ha tolto un messaggio ancorato da questa stanza. Vedi tutti i messaggi ancorati.",
"%(senderName)s unpinned <a>a message</a> from this room. See all <b>pinned messages</b>.": "%(senderName)s ha tolto un <a>messaggio ancorato</a> da questa stanza. Vedi tutti i <b>messaggi ancorati</b>.", "%(senderName)s unpinned <a>a message</a> from this room. See all <b>pinned messages</b>.": "%(senderName)s ha tolto un <a>messaggio ancorato</a> da questa stanza. Vedi tutti i <b>messaggi ancorati</b>.",
"%(senderName)s pinned a message to this room. See all pinned messages.": "%(senderName)s ha ancorato un messaggio a questa stanza. Vedi tutti i messaggi ancorati.", "%(senderName)s pinned a message to this room. See all pinned messages.": "%(senderName)s ha ancorato un messaggio a questa stanza. Vedi tutti i messaggi ancorati.",
@ -2647,7 +2595,6 @@
"Spaces you know that contain this space": "Spazi di cui sai che contengono questo spazio", "Spaces you know that contain this space": "Spazi di cui sai che contengono questo spazio",
"Pin to sidebar": "Fissa nella barra laterale", "Pin to sidebar": "Fissa nella barra laterale",
"Quick settings": "Impostazioni rapide", "Quick settings": "Impostazioni rapide",
"Clear": "Svuota",
"You may contact me if you want to follow up or to let me test out upcoming ideas": "Potete contattarmi se volete rispondermi o per farmi provare nuove idee in arrivo", "You may contact me if you want to follow up or to let me test out upcoming ideas": "Potete contattarmi se volete rispondermi o per farmi provare nuove idee in arrivo",
"Chat": "Chat", "Chat": "Chat",
"Home options": "Opzioni pagina iniziale", "Home options": "Opzioni pagina iniziale",
@ -2737,7 +2684,6 @@
"Verify this device": "Verifica questo dispositivo", "Verify this device": "Verifica questo dispositivo",
"Unable to verify this device": "Impossibile verificare questo dispositivo", "Unable to verify this device": "Impossibile verificare questo dispositivo",
"Verify other device": "Verifica altro dispositivo", "Verify other device": "Verifica altro dispositivo",
"Edit setting": "Modifica impostazione",
"Expand map": "Espandi mappa", "Expand map": "Espandi mappa",
"You cancelled verification on your other device.": "Hai annullato la verifica nell'altro dispositivo.", "You cancelled verification on your other device.": "Hai annullato la verifica nell'altro dispositivo.",
"Almost there! Is your other device showing the same shield?": "Quasi fatto! L'altro dispositivo sta mostrando lo stesso scudo?", "Almost there! Is your other device showing the same shield?": "Quasi fatto! L'altro dispositivo sta mostrando lo stesso scudo?",
@ -2783,7 +2729,6 @@
"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", "Remove users": "Rimuovi utenti",
"Keyboard": "Tastiera", "Keyboard": "Tastiera",
"Show join/leave messages (invites/removes/bans unaffected)": "Mostra messaggi di entrata/uscita (non influenza inviti/rimozioni/ban)",
"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",
"%(senderName)s removed %(targetName)s": "%(senderName)s ha rimosso %(targetName)s", "%(senderName)s removed %(targetName)s": "%(senderName)s ha rimosso %(targetName)s",
@ -2863,11 +2808,6 @@
"other": "%(severalUsers)shanno rimosso %(count)s messaggi" "other": "%(severalUsers)shanno rimosso %(count)s messaggi"
}, },
"Automatically send debug logs when key backup is not functioning": "Invia automaticamente log di debug quando il backup delle chiavi non funziona", "Automatically send debug logs when key backup is not functioning": "Invia automaticamente log di debug quando il backup delle chiavi non funziona",
"<empty string>": "<stringa vuota>",
"<%(count)s spaces>": {
"one": "<spazio>",
"other": "<%(count)s spazi>"
},
"Join %(roomAddress)s": "Entra in %(roomAddress)s", "Join %(roomAddress)s": "Entra in %(roomAddress)s",
"Edit poll": "Modifica sondaggio", "Edit poll": "Modifica sondaggio",
"Sorry, you can't edit a poll after votes have been cast.": "Spiacenti, non puoi modificare un sondaggio dopo che sono stati inviati voti.", "Sorry, you can't edit a poll after votes have been cast.": "Spiacenti, non puoi modificare un sondaggio dopo che sono stati inviati voti.",
@ -2903,7 +2843,6 @@
"one": "%(severalUsers)shanno cambiato i <a>messaggi ancorati</a> della stanza", "one": "%(severalUsers)shanno cambiato i <a>messaggi ancorati</a> della stanza",
"other": "%(severalUsers)shanno cambiato i <a>messaggi ancorati</a> della stanza %(count)s volte" "other": "%(severalUsers)shanno cambiato i <a>messaggi ancorati</a> della stanza %(count)s volte"
}, },
"Insert a trailing colon after user mentions at the start of a message": "Inserisci dei due punti dopo le citazioni degli utenti all'inizio di un messaggio",
"Show polls button": "Mostra pulsante sondaggi", "Show polls button": "Mostra pulsante sondaggi",
"We'll create rooms for each of them.": "Creeremo stanze per ognuno di essi.", "We'll create rooms for each of them.": "Creeremo stanze per ognuno di essi.",
"Click to drop a pin": "Clicca per lasciare una puntina", "Click to drop a pin": "Clicca per lasciare una puntina",
@ -2938,31 +2877,7 @@
"Next recently visited room or space": "Successiva stanza o spazio visitati di recente", "Next recently visited room or space": "Successiva stanza o spazio visitati di recente",
"Previous recently visited room or space": "Precedente stanza o spazio visitati di recente", "Previous recently visited room or space": "Precedente stanza o spazio visitati di recente",
"Event ID: %(eventId)s": "ID evento: %(eventId)s", "Event ID: %(eventId)s": "ID evento: %(eventId)s",
"No verification requests found": "Nessuna richiesta di verifica trovata",
"Observe only": "Osserva solo",
"Requester": "Richiedente",
"Methods": "Metodi",
"Timeout": "Scadenza",
"Phase": "Fase",
"Transaction": "Transazione",
"Cancelled": "Annullato",
"Started": "Iniziato",
"Ready": "Pronto",
"Requested": "Richiesto",
"Unsent": "Non inviato", "Unsent": "Non inviato",
"Edit values": "Modifica valori",
"Failed to save settings.": "Salvataggio impostazioni fallito.",
"Number of users": "Numero di utenti",
"Server": "Server",
"Server Versions": "Versioni server",
"Client Versions": "Versioni client",
"Failed to load.": "Caricamento fallito.",
"Capabilities": "Capacità",
"Send custom state event": "Invia evento di stato personalizzato",
"Failed to send event!": "Invio dell'evento fallito!",
"Doesn't look like valid JSON.": "Non sembra essere un JSON valido.",
"Send custom room account data event": "Invia evento dati di account della stanza personalizzato",
"Send custom account data event": "Invia evento dati di account personalizzato",
"Room ID: %(roomId)s": "ID stanza: %(roomId)s", "Room ID: %(roomId)s": "ID stanza: %(roomId)s",
"Server info": "Info server", "Server info": "Info server",
"Settings explorer": "Esploratore di impostazioni", "Settings explorer": "Esploratore di impostazioni",
@ -3043,7 +2958,6 @@
}, },
"sends hearts": "invia cuori", "sends hearts": "invia cuori",
"Sends the given message with hearts": "Invia il messaggio con cuori", "Sends the given message with hearts": "Invia il messaggio con cuori",
"Enable Markdown": "Attiva markdown",
"Jump to the given date in the timeline": "Salta alla data scelta nella linea temporale", "Jump to the given date in the timeline": "Salta alla data scelta nella linea temporale",
"Updated %(humanizedUpdateTime)s": "Aggiornato %(humanizedUpdateTime)s", "Updated %(humanizedUpdateTime)s": "Aggiornato %(humanizedUpdateTime)s",
"Hide my messages from new joiners": "Nascondi i miei messaggi ai nuovi membri", "Hide my messages from new joiners": "Nascondi i miei messaggi ai nuovi membri",
@ -3104,7 +3018,6 @@
"Check if you want to hide all current and future messages from this user.": "Seleziona se vuoi nascondere tutti i messaggi attuali e futuri di questo utente.", "Check if you want to hide all current and future messages from this user.": "Seleziona se vuoi nascondere tutti i messaggi attuali e futuri di questo utente.",
"Ignore user": "Ignora utente", "Ignore user": "Ignora utente",
"Read receipts": "Ricevuta di lettura", "Read receipts": "Ricevuta di lettura",
"Enable hardware acceleration (restart %(appName)s to take effect)": "Attiva accelerazione hardware (riavvia %(appName)s per applicare)",
"Failed to set direct message tag": "Impostazione etichetta chat diretta fallita", "Failed to set direct message tag": "Impostazione etichetta chat diretta fallita",
"You were disconnected from the call. (Error: %(message)s)": "Sei stato disconnesso dalla chiamata. (Errore: %(message)s)", "You were disconnected from the call. (Error: %(message)s)": "Sei stato disconnesso dalla chiamata. (Errore: %(message)s)",
"Connection lost": "Connessione persa", "Connection lost": "Connessione persa",
@ -3195,7 +3108,6 @@
"Sessions": "Sessioni", "Sessions": "Sessioni",
"Your server doesn't support disabling sending read receipts.": "Il tuo server non supporta la disattivazione delle conferme di lettura.", "Your server doesn't support disabling sending read receipts.": "Il tuo server non supporta la disattivazione delle conferme di lettura.",
"Share your activity and status with others.": "Condividi la tua attività e lo stato con gli altri.", "Share your activity and status with others.": "Condividi la tua attività e lo stato con gli altri.",
"Send read receipts": "Invia le conferme di lettura",
"Inactive for %(inactiveAgeDays)s+ days": "Inattivo da %(inactiveAgeDays)s+ giorni", "Inactive for %(inactiveAgeDays)s+ days": "Inattivo da %(inactiveAgeDays)s+ giorni",
"Session details": "Dettagli sessione", "Session details": "Dettagli sessione",
"IP address": "Indirizzo IP", "IP address": "Indirizzo IP",
@ -3444,19 +3356,6 @@
"Manage account": "Gestisci account", "Manage account": "Gestisci account",
"Your account details are managed separately at <code>%(hostname)s</code>.": "I dettagli del tuo account sono gestiti separatamente su <code>%(hostname)s</code>.", "Your account details are managed separately at <code>%(hostname)s</code>.": "I dettagli del tuo account sono gestiti separatamente su <code>%(hostname)s</code>.",
"Unable to decrypt voice broadcast": "Impossibile decifrare la trasmissione vocale", "Unable to decrypt voice broadcast": "Impossibile decifrare la trasmissione vocale",
"Thread Id: ": "ID conversazione: ",
"Threads timeline": "Linea temporale conversazioni",
"Sender: ": "Mittente: ",
"Type: ": "Tipo: ",
"ID: ": "ID: ",
"Last event:": "Ultimo evento:",
"No receipt found": "Nessuna ricevuta trovata",
"User read up to: ": "L'utente ha letto fino: ",
"Dot: ": "Punto: ",
"Highlight: ": "Evidenziazione: ",
"Total: ": "Totale: ",
"Main timeline": "Linea temporale principale",
"Room status": "Stato della stanza",
"Notifications debug": "Debug notifiche", "Notifications debug": "Debug notifiche",
"unknown": "sconosciuto", "unknown": "sconosciuto",
"Red": "Rosso", "Red": "Rosso",
@ -3514,13 +3413,6 @@
"Secure Backup successful": "Backup Sicuro completato", "Secure Backup successful": "Backup Sicuro completato",
"Your keys are now being backed up from this device.": "Viene ora fatto il backup delle tue chiavi da questo dispositivo.", "Your keys are now being backed up from this device.": "Viene ora fatto il backup delle tue chiavi da questo dispositivo.",
"Loading polls": "Caricamento sondaggi", "Loading polls": "Caricamento sondaggi",
"Room is <strong>not encrypted 🚨</strong>": "La stanza <strong>non è crittografata 🚨</strong>",
"Room is <strong>encrypted ✅</strong>": "La stanza è <strong>crittografata ✅</strong>",
"Notification state is <strong>%(notificationState)s</strong>": "Lo stato di notifica è <strong>%(notificationState)s</strong>",
"Room unread status: <strong>%(status)s</strong>": "Stato \"non letto\" nella stanza: <strong>%(status)s</strong>",
"Room unread status: <strong>%(status)s</strong>, count: <strong>%(count)s</strong>": {
"other": "Stato \"non letto\" nella stanza: <strong>%(status)s</strong>, conteggio: <strong>%(count)s</strong>"
},
"Ended a poll": "Terminato un sondaggio", "Ended a poll": "Terminato un sondaggio",
"Due to decryption errors, some votes may not be counted": "A causa di errori di decifrazione, alcuni voti potrebbero non venire contati", "Due to decryption errors, some votes may not be counted": "A causa di errori di decifrazione, alcuni voti potrebbero non venire contati",
"Answered elsewhere": "Risposto altrove", "Answered elsewhere": "Risposto altrove",
@ -3528,7 +3420,6 @@
"Room directory": "Elenco delle stanze", "Room directory": "Elenco delle stanze",
"Identity server is <code>%(identityServerUrl)s</code>": "Il server d'identità è <code>%(identityServerUrl)s</code>", "Identity server is <code>%(identityServerUrl)s</code>": "Il server d'identità è <code>%(identityServerUrl)s</code>",
"Homeserver is <code>%(homeserverUrl)s</code>": "L'homeserver è <code>%(homeserverUrl)s</code>", "Homeserver is <code>%(homeserverUrl)s</code>": "L'homeserver è <code>%(homeserverUrl)s</code>",
"Show NSFW content": "Mostra contenuti per adulti",
"If you know a room address, try joining through that instead.": "Se conosci un indirizzo della stanza, prova ad entrare tramite quello.", "If you know a room address, try joining through that instead.": "Se conosci un indirizzo della stanza, prova ad entrare tramite quello.",
"You attempted to join using a room ID without providing a list of servers to join through. Room IDs are internal identifiers and cannot be used to join a room without additional information.": "Hai provato ad entrare usando un ID stanza senza fornire una lista di server attraverso cui entrare. Gli ID stanza sono identificativi interni e non possono essere usati per entrare in una stanza senza informazioni aggiuntive.", "You attempted to join using a room ID without providing a list of servers to join through. Room IDs are internal identifiers and cannot be used to join a room without additional information.": "Hai provato ad entrare usando un ID stanza senza fornire una lista di server attraverso cui entrare. Gli ID stanza sono identificativi interni e non possono essere usati per entrare in una stanza senza informazioni aggiuntive.",
"Yes, it was me": "Sì, ero io", "Yes, it was me": "Sì, ero io",
@ -3582,7 +3473,6 @@
"Can't find the old version of this room (room ID: %(roomId)s), and we have not been provided with 'via_servers' to look for it.": "Impossibile trovare la vecchia versione della stanza (ID stanza: %(roomId)s) e non ci è stato fornito 'via_servers' per cercarla.", "Can't find the old version of this room (room ID: %(roomId)s), and we have not been provided with 'via_servers' to look for it.": "Impossibile trovare la vecchia versione della stanza (ID stanza: %(roomId)s) e non ci è stato fornito 'via_servers' per cercarla.",
"Can't find the old version of this room (room ID: %(roomId)s), and we have not been provided with 'via_servers' to look for it. It's possible that guessing the server from the room ID will work. If you want to try, click this link:": "Impossibile trovare la vecchia versione della stanza (ID stanza: %(roomId)s) e non ci è stato fornito 'via_servers' per cercarla. È possibile che indovinare il server dall'ID della stanza possa funzionare. Se vuoi provare, clicca questo link:", "Can't find the old version of this room (room ID: %(roomId)s), and we have not been provided with 'via_servers' to look for it. It's possible that guessing the server from the room ID will work. If you want to try, click this link:": "Impossibile trovare la vecchia versione della stanza (ID stanza: %(roomId)s) e non ci è stato fornito 'via_servers' per cercarla. È possibile che indovinare il server dall'ID della stanza possa funzionare. Se vuoi provare, clicca questo link:",
"Formatting": "Formattazione", "Formatting": "Formattazione",
"Start messages with <code>/plain</code> to send without markdown.": "Inizia i messaggi con <code>/plain</code> per inviarli senza markdown.",
"No identity access token found": "Nessun token di accesso d'identità trovato", "No identity access token found": "Nessun token di accesso d'identità trovato",
"Identity server not set": "Server d'identità non impostato", "Identity server not set": "Server d'identità non impostato",
"The add / bind with MSISDN flow is misconfigured": "L'aggiunta / bind con il flusso MSISDN è mal configurata", "The add / bind with MSISDN flow is misconfigured": "L'aggiunta / bind con il flusso MSISDN è mal configurata",
@ -3628,9 +3518,6 @@
"Messages here are end-to-end encrypted. Verify %(displayName)s in their profile - tap on their profile picture.": "Qui i messaggi sono cifrati end-to-end. Verifica %(displayName)s nel suo profilo - tocca la sua immagine.", "Messages here are end-to-end encrypted. Verify %(displayName)s in their profile - tap on their profile picture.": "Qui i messaggi sono cifrati end-to-end. Verifica %(displayName)s nel suo profilo - tocca la sua immagine.",
"Anyone can request to join, but admins or moderators need to grant access. You can change this later.": "Chiunque può chiedere di entrare, ma gli admin o i moderatori devono concedere l'accesso. Puoi cambiarlo in seguito.", "Anyone can request to join, but admins or moderators need to grant access. You can change this later.": "Chiunque può chiedere di entrare, ma gli admin o i moderatori devono concedere l'accesso. Puoi cambiarlo in seguito.",
"Thread Root ID: %(threadRootId)s": "ID root del thread: %(threadRootId)s", "Thread Root ID: %(threadRootId)s": "ID root del thread: %(threadRootId)s",
"User read up to (ignoreSynthetic): ": "L'utente ha letto fino a (ignoreSynthetic): ",
"User read up to (m.read.private): ": "L'utente ha letto fino a (m.read.private): ",
"See history": "Vedi cronologia",
"This homeserver doesn't offer any login flows that are supported by this client.": "Questo homeserver non offre alcuna procedura di accesso supportata da questo client.", "This homeserver doesn't offer any login flows that are supported by this client.": "Questo homeserver non offre alcuna procedura di accesso supportata da questo client.",
"Something went wrong.": "Qualcosa è andato storto.", "Something went wrong.": "Qualcosa è andato storto.",
"Changes your profile picture in this current room only": "Cambia la tua immagine del profilo solo nella stanza attuale", "Changes your profile picture in this current room only": "Cambia la tua immagine del profilo solo nella stanza attuale",
@ -3640,7 +3527,6 @@
"Next group of messages": "Gruppo di messaggi successivo", "Next group of messages": "Gruppo di messaggi successivo",
"Exported Data": "Dati esportati", "Exported Data": "Dati esportati",
"Notification Settings": "Impostazioni di notifica", "Notification Settings": "Impostazioni di notifica",
"Show current profile picture and name for users in message history": "Mostra immagine del profilo e nomi attuali degli utenti nella cronologia dei messaggi",
"Email Notifications": "Notifiche email", "Email Notifications": "Notifiche email",
"Email summary": "Riepilogo email", "Email summary": "Riepilogo email",
"I want to be notified for (Default Setting)": "Voglio ricevere una notifica per (impostazione predefinita)", "I want to be notified for (Default Setting)": "Voglio ricevere una notifica per (impostazione predefinita)",
@ -3664,7 +3550,6 @@
"one": "%(oneUser)sha cambiato la propria immagine del profilo" "one": "%(oneUser)sha cambiato la propria immagine del profilo"
}, },
"Views room with given address": "Visualizza la stanza con l'indirizzo dato", "Views room with given address": "Visualizza la stanza con l'indirizzo dato",
"Show profile picture changes": "Mostra cambiamenti dell'immagine del profilo",
"Ask to join": "Chiedi di entrare", "Ask to join": "Chiedi di entrare",
"Select which emails you want to send summaries to. Manage your emails in <button>General</button>.": "Seleziona a quali email vuoi inviare i riepiloghi. Gestisci le email in <button>Generale</button>.", "Select which emails you want to send summaries to. Manage your emails in <button>General</button>.": "Seleziona a quali email vuoi inviare i riepiloghi. Gestisci le email in <button>Generale</button>.",
"Show message preview in desktop notification": "Mostra l'anteprima dei messaggi nelle notifiche desktop", "Show message preview in desktop notification": "Mostra l'anteprima dei messaggi nelle notifiche desktop",
@ -3674,7 +3559,6 @@
"Upgrade room": "Aggiorna stanza", "Upgrade room": "Aggiorna stanza",
"The exported file will allow anyone who can read it to decrypt any encrypted messages that you can see, so you should be careful to keep it secure. To help with this, you should enter a unique passphrase below, which will only be used to encrypt the exported data. It will only be possible to import the data by using the same passphrase.": "Il file esportato permetterà a chiunque possa leggerlo di decifrare tutti i messaggi criptati che vedi, quindi dovresti conservarlo in modo sicuro. Per aiutarti, potresti inserire una password dedicata sotto, che verrà usata per criptare i dati esportati. Sarà possibile importare i dati solo usando la stessa password.", "The exported file will allow anyone who can read it to decrypt any encrypted messages that you can see, so you should be careful to keep it secure. To help with this, you should enter a unique passphrase below, which will only be used to encrypt the exported data. It will only be possible to import the data by using the same passphrase.": "Il file esportato permetterà a chiunque possa leggerlo di decifrare tutti i messaggi criptati che vedi, quindi dovresti conservarlo in modo sicuro. Per aiutarti, potresti inserire una password dedicata sotto, che verrà usata per criptare i dati esportati. Sarà possibile importare i dati solo usando la stessa password.",
"People cannot join unless access is granted.": "Nessuno può entrare previo consenso di accesso.", "People cannot join unless access is granted.": "Nessuno può entrare previo consenso di accesso.",
"User read up to (m.read.private;ignoreSynthetic): ": "L'utente ha letto fino a (m.read.private;ignoreSynthetic): ",
"%(senderDisplayName)s changed the join rule to ask to join.": "%(senderDisplayName)s ha cambiato la regola di accesso in \"Chiedi di entrare\".", "%(senderDisplayName)s changed the join rule to ask to join.": "%(senderDisplayName)s ha cambiato la regola di accesso in \"Chiedi di entrare\".",
"You need to be granted access to this room in order to view or participate in the conversation. You can send a request to join below.": "Ti deve venire dato l'accesso alla stanza per potere vedere o partecipare alla conversazione. Puoi inviare una richiesta di accesso sotto.", "You need to be granted access to this room in order to view or participate in the conversation. You can send a request to join below.": "Ti deve venire dato l'accesso alla stanza per potere vedere o partecipare alla conversazione. Puoi inviare una richiesta di accesso sotto.",
"Ask to join %(roomName)s?": "Chiedi di entrare in %(roomName)s?", "Ask to join %(roomName)s?": "Chiedi di entrare in %(roomName)s?",
@ -3773,7 +3657,9 @@
"android": "Android", "android": "Android",
"trusted": "Fidato", "trusted": "Fidato",
"not_trusted": "Non fidato", "not_trusted": "Non fidato",
"accessibility": "Accessibilità" "accessibility": "Accessibilità",
"capabilities": "Capacità",
"server": "Server"
}, },
"action": { "action": {
"continue": "Continua", "continue": "Continua",
@ -3873,7 +3759,8 @@
"maximise": "Espandi", "maximise": "Espandi",
"mention": "Cita", "mention": "Cita",
"submit": "Invia", "submit": "Invia",
"send_report": "Invia segnalazione" "send_report": "Invia segnalazione",
"clear": "Svuota"
}, },
"a11y": { "a11y": {
"user_menu": "Menu utente" "user_menu": "Menu utente"
@ -4007,5 +3894,122 @@
"you_did_it": "Ce l'hai fatta!", "you_did_it": "Ce l'hai fatta!",
"complete_these": "Completa questi per ottenere il meglio da %(brand)s", "complete_these": "Completa questi per ottenere il meglio da %(brand)s",
"community_messaging_description": "Mantieni il possesso e il controllo delle discussioni nella comunità.\nScalabile per supportarne milioni, con solida moderazione e interoperabilità." "community_messaging_description": "Mantieni il possesso e il controllo delle discussioni nella comunità.\nScalabile per supportarne milioni, con solida moderazione e interoperabilità."
},
"devtools": {
"send_custom_account_data_event": "Invia evento dati di account personalizzato",
"send_custom_room_account_data_event": "Invia evento dati di account della stanza personalizzato",
"event_type": "Tipo di Evento",
"state_key": "Chiave dello stato",
"invalid_json": "Non sembra essere un JSON valido.",
"failed_to_send": "Invio dell'evento fallito!",
"event_sent": "Evento inviato!",
"event_content": "Contenuto dell'Evento",
"user_read_up_to": "L'utente ha letto fino: ",
"no_receipt_found": "Nessuna ricevuta trovata",
"user_read_up_to_ignore_synthetic": "L'utente ha letto fino a (ignoreSynthetic): ",
"user_read_up_to_private": "L'utente ha letto fino a (m.read.private): ",
"user_read_up_to_private_ignore_synthetic": "L'utente ha letto fino a (m.read.private;ignoreSynthetic): ",
"room_status": "Stato della stanza",
"room_unread_status_count": {
"other": "Stato \"non letto\" nella stanza: <strong>%(status)s</strong>, conteggio: <strong>%(count)s</strong>"
},
"notification_state": "Lo stato di notifica è <strong>%(notificationState)s</strong>",
"room_encrypted": "La stanza è <strong>crittografata ✅</strong>",
"room_not_encrypted": "La stanza <strong>non è crittografata 🚨</strong>",
"main_timeline": "Linea temporale principale",
"threads_timeline": "Linea temporale conversazioni",
"room_notifications_total": "Totale: ",
"room_notifications_highlight": "Evidenziazione: ",
"room_notifications_dot": "Punto: ",
"room_notifications_last_event": "Ultimo evento:",
"room_notifications_type": "Tipo: ",
"room_notifications_sender": "Mittente: ",
"room_notifications_thread_id": "ID conversazione: ",
"spaces": {
"one": "<spazio>",
"other": "<%(count)s spazi>"
},
"empty_string": "<stringa vuota>",
"room_unread_status": "Stato \"non letto\" nella stanza: <strong>%(status)s</strong>",
"id": "ID: ",
"send_custom_state_event": "Invia evento di stato personalizzato",
"see_history": "Vedi cronologia",
"failed_to_load": "Caricamento fallito.",
"client_versions": "Versioni client",
"server_versions": "Versioni server",
"number_of_users": "Numero di utenti",
"failed_to_save": "Salvataggio impostazioni fallito.",
"save_setting_values": "Salva valori impostazione",
"setting_colon": "Impostazione:",
"caution_colon": "Attenzione:",
"use_at_own_risk": "Questa interfaccia NON controlla i tipi dei valori. Usa a tuo rischio.",
"setting_definition": "Definizione impostazione:",
"level": "Livello",
"settable_global": "Impostabile globalmente",
"settable_room": "Impostabile per stanza",
"values_explicit": "Valori a livelli espliciti",
"values_explicit_room": "Valori a livelli espliciti in questa stanza",
"edit_values": "Modifica valori",
"value_colon": "Valore:",
"value_this_room_colon": "Valore in questa stanza:",
"values_explicit_colon": "Valori a livelli espliciti:",
"values_explicit_this_room_colon": "Valori a livelli espliciti in questa stanza:",
"setting_id": "ID impostazione",
"value": "Valore",
"value_in_this_room": "Valore in questa stanza",
"edit_setting": "Modifica impostazione",
"phase_requested": "Richiesto",
"phase_ready": "Pronto",
"phase_started": "Iniziato",
"phase_cancelled": "Annullato",
"phase_transaction": "Transazione",
"phase": "Fase",
"timeout": "Scadenza",
"methods": "Metodi",
"requester": "Richiedente",
"observe_only": "Osserva solo",
"no_verification_requests_found": "Nessuna richiesta di verifica trovata",
"failed_to_find_widget": "Si è verificato un errore trovando i widget."
},
"settings": {
"show_breadcrumbs": "Mostra scorciatoie per le stanze viste di recente sopra l'elenco stanze",
"all_rooms_home_description": "Tutte le stanze in cui sei appariranno nella pagina principale.",
"use_command_f_search": "Usa Comando + F per cercare nella linea temporale",
"use_control_f_search": "Usa Ctrl + F per cercare nella linea temporale",
"use_12_hour_format": "Mostra gli orari nel formato 12 ore (es. 2:30pm)",
"always_show_message_timestamps": "Mostra sempre l'orario dei messaggi",
"send_read_receipts": "Invia le conferme di lettura",
"send_typing_notifications": "Invia notifiche di scrittura",
"replace_plain_emoji": "Sostituisci automaticamente le emoji testuali",
"enable_markdown": "Attiva markdown",
"emoji_autocomplete": "Attiva suggerimenti Emoji durante la digitazione",
"use_command_enter_send_message": "Usa Comando + Invio per inviare un messaggio",
"use_control_enter_send_message": "Usa Ctrl + Invio per inviare un messaggio",
"all_rooms_home": "Mostra tutte le stanze nella pagina principale",
"enable_markdown_description": "Inizia i messaggi con <code>/plain</code> per inviarli senza markdown.",
"show_stickers_button": "Mostra pulsante adesivi",
"insert_trailing_colon_mentions": "Inserisci dei due punti dopo le citazioni degli utenti all'inizio di un messaggio",
"automatic_language_detection_syntax_highlight": "Attiva la rilevazione automatica della lingua per l'evidenziazione della sintassi",
"code_block_expand_default": "Espandi blocchi di codice in modo predefinito",
"code_block_line_numbers": "Mostra numeri di riga nei blocchi di codice",
"inline_url_previews_default": "Attiva le anteprime URL in modo predefinito",
"autoplay_gifs": "Auto-riproduci le GIF",
"autoplay_videos": "Auto-riproduci i video",
"image_thumbnails": "Mostra anteprime/miniature per le immagini",
"show_typing_notifications": "Mostra notifiche di scrittura",
"show_redaction_placeholder": "Mostra un segnaposto per i messaggi rimossi",
"show_read_receipts": "Mostra ricevute di lettura inviate da altri utenti",
"show_join_leave": "Mostra messaggi di entrata/uscita (non influenza inviti/rimozioni/ban)",
"show_displayname_changes": "Mostra i cambi di nomi visualizzati",
"show_chat_effects": "Mostra effetti chat (animazioni quando si ricevono ad es. coriandoli)",
"show_avatar_changes": "Mostra cambiamenti dell'immagine del profilo",
"big_emoji": "Attiva gli emoji grandi in chat",
"jump_to_bottom_on_send": "Salta in fondo alla linea temporale quando invii un messaggio",
"disable_historical_profile": "Mostra immagine del profilo e nomi attuali degli utenti nella cronologia dei messaggi",
"show_nsfw_content": "Mostra contenuti per adulti",
"prompt_invite": "Chiedi prima di inviare inviti a possibili ID matrix non validi",
"hardware_acceleration": "Attiva accelerazione hardware (riavvia %(appName)s per applicare)",
"start_automatically": "Esegui automaticamente all'avvio del sistema",
"warn_quit": "Avvisa prima di uscire"
} }
} }

View file

@ -9,9 +9,7 @@
"Create new room": "新しいルームを作成", "Create new room": "新しいルームを作成",
"New Password": "新しいパスワード", "New Password": "新しいパスワード",
"Failed to change password. Is your password correct?": "パスワードの変更に失敗しました。パスワードは正しいですか?", "Failed to change password. Is your password correct?": "パスワードの変更に失敗しました。パスワードは正しいですか?",
"Always show message timestamps": "メッセージの時刻を常に表示",
"Filter room members": "ルームのメンバーを絞り込む", "Filter room members": "ルームのメンバーを絞り込む",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "発言時刻を12時間形式で表示2:30午後",
"Upload avatar": "アバターをアップロード", "Upload avatar": "アバターをアップロード",
"No Microphones detected": "マイクが検出されません", "No Microphones detected": "マイクが検出されません",
"No Webcams detected": "Webカメラが検出されません", "No Webcams detected": "Webカメラが検出されません",
@ -60,19 +58,15 @@
"Source URL": "ソースのURL", "Source URL": "ソースのURL",
"Filter results": "結果を絞り込む", "Filter results": "結果を絞り込む",
"Noisy": "音量大", "Noisy": "音量大",
"Event sent!": "イベントを送信しました!",
"Preparing to send logs": "ログを送信する準備をしています", "Preparing to send logs": "ログを送信する準備をしています",
"Toolbox": "ツールボックス", "Toolbox": "ツールボックス",
"State Key": "ステートキー",
"What's new?": "新着", "What's new?": "新着",
"Logs sent": "ログが送信されました", "Logs sent": "ログが送信されました",
"Show message in desktop notification": "デスクトップ通知にメッセージの内容を表示", "Show message in desktop notification": "デスクトップ通知にメッセージの内容を表示",
"Error encountered (%(errorDetail)s).": "エラーが発生しました(%(errorDetail)s。", "Error encountered (%(errorDetail)s).": "エラーが発生しました(%(errorDetail)s。",
"Event Type": "イベントの種類",
"What's New": "新着", "What's New": "新着",
"Thank you!": "ありがとうございます!", "Thank you!": "ありがとうございます!",
"Developer Tools": "開発者ツール", "Developer Tools": "開発者ツール",
"Event Content": "イベントの内容",
"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": "このルームでグループ通話を開始する権限がありません",
@ -167,10 +161,8 @@
"Not a valid %(brand)s keyfile": "有効な%(brand)sキーファイルではありません", "Not a valid %(brand)s keyfile": "有効な%(brand)sキーファイルではありません",
"Authentication check failed: incorrect password?": "認証に失敗しました:間違ったパスワード?", "Authentication check failed: incorrect password?": "認証に失敗しました:間違ったパスワード?",
"Please contact your homeserver administrator.": "ホームサーバー管理者に連絡してください。", "Please contact your homeserver administrator.": "ホームサーバー管理者に連絡してください。",
"Enable automatic language detection for syntax highlighting": "構文強調表示の自動言語検出を有効にする",
"Mirror local video feed": "ビデオ映像のミラー効果(反転)を有効にする", "Mirror local video feed": "ビデオ映像のミラー効果(反転)を有効にする",
"Send analytics data": "分析データを送信", "Send analytics data": "分析データを送信",
"Enable inline URL previews by default": "既定でインラインURLプレビューを有効にする",
"Enable URL previews for this room (only affects you)": "このルームのURLプレビューを有効にするあなたにのみ適用", "Enable URL previews for this room (only affects you)": "このルームのURLプレビューを有効にするあなたにのみ適用",
"Enable URL previews by default for participants in this room": "このルームの参加者のために既定でURLプレビューを有効にする", "Enable URL previews by default for participants in this room": "このルームの参加者のために既定でURLプレビューを有効にする",
"Enable widget screenshots on supported widgets": "サポートされているウィジェットで、ウィジェットのスクリーンショットを有効にする", "Enable widget screenshots on supported widgets": "サポートされているウィジェットで、ウィジェットのスクリーンショットを有効にする",
@ -190,7 +182,6 @@
"Drop file here to upload": "アップロードするファイルをここにドロップしてください", "Drop file here to upload": "アップロードするファイルをここにドロップしてください",
"This event could not be displayed": "このイベントは表示できませんでした", "This event could not be displayed": "このイベントは表示できませんでした",
"Call Failed": "呼び出しに失敗しました", "Call Failed": "呼び出しに失敗しました",
"Automatically replace plain text Emoji": "自動的にプレーンテキストの絵文字を置き換える",
"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": "降格する",
@ -469,7 +460,6 @@
"Cryptography": "暗号", "Cryptography": "暗号",
"Check for update": "更新を確認", "Check for update": "更新を確認",
"Reject all %(invitedRooms)s invites": "%(invitedRooms)sの全ての招待を拒否", "Reject all %(invitedRooms)s invites": "%(invitedRooms)sの全ての招待を拒否",
"Start automatically after system login": "システムログイン後に自動的に起動",
"No media permissions": "メディア権限がありません", "No media permissions": "メディア権限がありません",
"You may need to manually permit %(brand)s to access your microphone/webcam": "マイクまたはWebカメラにアクセスするために、手動で%(brand)sを許可する必要があるかもしれません", "You may need to manually permit %(brand)s to access your microphone/webcam": "マイクまたはWebカメラにアクセスするために、手動で%(brand)sを許可する必要があるかもしれません",
"No Audio Outputs detected": "音声出力が検出されません", "No Audio Outputs detected": "音声出力が検出されません",
@ -582,11 +572,6 @@
"This is a very common password": "これはとてもよく使われるパスワードです", "This is a very common password": "これはとてもよく使われるパスワードです",
"This is similar to a commonly used password": "これはよく使われるパスワードに似ています", "This is similar to a commonly used password": "これはよく使われるパスワードに似ています",
"A word by itself is easy to guess": "単語1つだけだと簡単に推測されます", "A word by itself is easy to guess": "単語1つだけだと簡単に推測されます",
"Enable Emoji suggestions while typing": "入力中に絵文字を提案",
"Show display name changes": "表示名の変更を表示",
"Show read receipts sent by other users": "他のユーザーの開封確認メッセージを表示",
"Enable big emoji in chat": "チャットで大きな絵文字を有効にする",
"Send typing notifications": "入力中通知を送信",
"Phone numbers": "電話番号", "Phone numbers": "電話番号",
"Language and region": "言語と地域", "Language and region": "言語と地域",
"General": "一般", "General": "一般",
@ -734,7 +719,6 @@
"Recent Conversations": "最近会話したユーザー", "Recent Conversations": "最近会話したユーザー",
"Session already verified!": "このセッションは認証済です!", "Session already verified!": "このセッションは認証済です!",
"WARNING: KEY VERIFICATION FAILED! The signing key for %(userId)s and session %(deviceId)s is \"%(fprint)s\" which does not match the provided key \"%(fingerprint)s\". This could mean your communications are being intercepted!": "警告:鍵の認証に失敗しました!提供された鍵「%(fingerprint)s」は、%(userId)sおよびセッション %(deviceId)s の署名鍵「%(fprint)s」と一致しません。通信が傍受されているおそれがあります", "WARNING: KEY VERIFICATION FAILED! The signing key for %(userId)s and session %(deviceId)s is \"%(fprint)s\" which does not match the provided key \"%(fingerprint)s\". This could mean your communications are being intercepted!": "警告:鍵の認証に失敗しました!提供された鍵「%(fingerprint)s」は、%(userId)sおよびセッション %(deviceId)s の署名鍵「%(fprint)s」と一致しません。通信が傍受されているおそれがあります",
"Show typing notifications": "入力中通知を表示",
"Your homeserver does not support cross-signing.": "あなたのホームサーバーはクロス署名に対応していません。", "Your homeserver does not support cross-signing.": "あなたのホームサーバーはクロス署名に対応していません。",
"in memory": "メモリー内", "in memory": "メモリー内",
"not found": "ありません", "not found": "ありません",
@ -789,10 +773,6 @@
"Summary": "概要", "Summary": "概要",
"Document": "ドキュメント", "Document": "ドキュメント",
"Other users may not trust it": "他のユーザーはこのセッションを信頼しない可能性があります", "Other users may not trust it": "他のユーザーはこのセッションを信頼しない可能性があります",
"Show a placeholder for removed messages": "削除されたメッセージに関する通知を表示",
"Prompt before sending invites to potentially invalid matrix IDs": "不正の可能性があるMatrix IDに招待を送信する前に確認",
"Show shortcuts to recently viewed rooms above the room list": "ルームの一覧の上に、最近表示したルームのショートカットを表示",
"Show previews/thumbnails for images": "画像のプレビューまたはサムネイルを表示",
"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.": "あなたのアカウントではクロス署名の認証情報が機密ストレージに保存されていますが、このセッションでは信頼されていません。",
"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.": "このセッションでは<b>鍵をバックアップしていません</b>が、復元に使用したり、今後鍵を追加したりできるバックアップがあります。", "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.": "このセッションでは<b>鍵をバックアップしていません</b>が、復元に使用したり、今後鍵を追加したりできるバックアップがあります。",
"Connect this session to key backup before signing out to avoid losing any keys that may only be on this session.": "サインアウトする前に、このセッションにだけある鍵を失わないよう、セッションを鍵のバックアップに接続しましょう。", "Connect this session to key backup before signing out to avoid losing any keys that may only be on this session.": "サインアウトする前に、このセッションにだけある鍵を失わないよう、セッションを鍵のバックアップに接続しましょう。",
@ -932,7 +912,6 @@
"Integrations are disabled": "インテグレーションが無効になっています", "Integrations are disabled": "インテグレーションが無効になっています",
"Manage integrations": "インテグレーションを管理", "Manage integrations": "インテグレーションを管理",
"Enter a new identity server": "新しいIDサーバーを入力", "Enter a new identity server": "新しいIDサーバーを入力",
"Use Ctrl + Enter to send a message": "Ctrl+Enterでメッセージを送信",
"Backup key cached:": "バックアップキーのキャッシュ:", "Backup key cached:": "バックアップキーのキャッシュ:",
"Backup key stored:": "バックアップキーの保存:", "Backup key stored:": "バックアップキーの保存:",
"Algorithm:": "アルゴリズム:", "Algorithm:": "アルゴリズム:",
@ -1604,15 +1583,10 @@
"My Ban List": "マイブロックリスト", "My Ban List": "マイブロックリスト",
"Downloading logs": "ログをダウンロードしています", "Downloading logs": "ログをダウンロードしています",
"Uploading logs": "ログをアップロードしています", "Uploading logs": "ログをアップロードしています",
"Show chat effects (animations when receiving e.g. confetti)": "チャットのエフェクトを表示(紙吹雪などを受け取ったときのアニメーション)",
"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": "タイムラインで非表示のイベントを表示",
"Use Command + Enter to send a message": "Command+Enterでメッセージを送信",
"Show line numbers in code blocks": "コードのブロックに行番号を表示",
"Expand code blocks by default": "コードのブロックを既定で展開",
"Show stickers button": "ステッカーボタンを表示",
"Change notification settings": "通知設定を変更", "Change notification settings": "通知設定を変更",
"%(senderName)s: %(stickerName)s": "%(senderName)s%(stickerName)s", "%(senderName)s: %(stickerName)s": "%(senderName)s%(stickerName)s",
"%(senderName)s: %(message)s": "%(senderName)s%(message)s", "%(senderName)s: %(message)s": "%(senderName)s%(message)s",
@ -1724,7 +1698,6 @@
"Invite only, best for yourself or teams": "招待者のみ参加可能。個人やチーム向け", "Invite only, best for yourself or teams": "招待者のみ参加可能。個人やチーム向け",
"Open space for anyone, best for communities": "誰でも参加できる公開スペース。コミュニティー向け", "Open space for anyone, best for communities": "誰でも参加できる公開スペース。コミュニティー向け",
"Create a space": "スペースを作成", "Create a space": "スペースを作成",
"Jump to the bottom of the timeline when you send a message": "メッセージを送信する際にタイムラインの最下部に移動",
"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.": "既にこの人と通話中です。", "You're already in a call with this person.": "既にこの人と通話中です。",
"Already in call": "既に通話中です", "Already in call": "既に通話中です",
@ -1776,12 +1749,8 @@
"Failed to save space settings.": "スペースの設定を保存できませんでした。", "Failed to save space settings.": "スペースの設定を保存できませんでした。",
"Transfer Failed": "転送に失敗しました", "Transfer Failed": "転送に失敗しました",
"Unable to transfer call": "通話を転送できません", "Unable to transfer call": "通話を転送できません",
"All rooms you're in will appear in Home.": "あなたが参加している全てのルームがホームに表示されます。",
"Show all rooms in Home": "ホームに全てのルームを表示",
"Images, GIFs and videos": "画像・GIF・動画", "Images, GIFs and videos": "画像・GIF・動画",
"Displaying time": "表示時刻", "Displaying time": "表示時刻",
"Use Command + F to search timeline": "Command+Fでタイムラインを検索",
"Use Ctrl + F to search timeline": "Ctrl+Fでタイムラインを検索",
"Keyboard shortcuts": "キーボードショートカット", "Keyboard shortcuts": "キーボードショートカット",
"Messages containing keywords": "指定のキーワードを含むメッセージ", "Messages containing keywords": "指定のキーワードを含むメッセージ",
"Mentions & keywords": "メンションとキーワード", "Mentions & keywords": "メンションとキーワード",
@ -1921,7 +1890,6 @@
"Add option": "選択肢を追加", "Add option": "選択肢を追加",
"Write an option": "選択肢を記入", "Write an option": "選択肢を記入",
"Use <arrows/> to scroll": "<arrows/>でスクロール", "Use <arrows/> to scroll": "<arrows/>でスクロール",
"Clear": "消去",
"Public rooms": "公開ルーム", "Public rooms": "公開ルーム",
"Use \"%(query)s\" to search": "「%(query)s」のキーワードで検索", "Use \"%(query)s\" to search": "「%(query)s」のキーワードで検索",
"Join %(roomAddress)s": "%(roomAddress)sに参加", "Join %(roomAddress)s": "%(roomAddress)sに参加",
@ -1986,9 +1954,6 @@
"Submit logs": "ログを提出", "Submit logs": "ログを提出",
"Click to view edits": "クリックすると変更履歴を表示", "Click to view edits": "クリックすると変更履歴を表示",
"Can't load this message": "このメッセージを読み込めません", "Can't load this message": "このメッセージを読み込めません",
"Show join/leave messages (invites/removes/bans unaffected)": "参加/退出のメッセージを表示(招待/削除/ブロックには影響しません)",
"Autoplay videos": "動画を自動再生",
"Autoplay GIFs": "GIFアニメーションを自動再生",
"Use a more compact 'Modern' layout": "よりコンパクトな「モダン」レイアウトを使用", "Use a more compact 'Modern' layout": "よりコンパクトな「モダン」レイアウトを使用",
"Large": "大", "Large": "大",
"Image size in the timeline": "タイムライン上での画像のサイズ", "Image size in the timeline": "タイムライン上での画像のサイズ",
@ -2204,7 +2169,6 @@
}, },
"Feedback sent! Thanks, we appreciate it!": "フィードバックを送信しました!ありがとうございました!", "Feedback sent! Thanks, we appreciate it!": "フィードバックを送信しました!ありがとうございました!",
"This is a beta feature": "この機能はベータ版です", "This is a beta feature": "この機能はベータ版です",
"<empty string>": "<空の文字列>",
"Can't edit poll": "アンケートは編集できません", "Can't edit poll": "アンケートは編集できません",
"Poll type": "アンケートの種類", "Poll type": "アンケートの種類",
"Open poll": "投票の際に結果を公開", "Open poll": "投票の際に結果を公開",
@ -2249,10 +2213,6 @@
"one": "%(oneUser)sは変更を加えませんでした", "one": "%(oneUser)sは変更を加えませんでした",
"other": "%(oneUser)sが%(count)s回変更を加えませんでした" "other": "%(oneUser)sが%(count)s回変更を加えませんでした"
}, },
"<%(count)s spaces>": {
"one": "<スペース>",
"other": "<%(count)s個のスペース>"
},
"Results will be visible when the poll is ended": "アンケートが終了するまで結果は表示できません", "Results will be visible when the poll is ended": "アンケートが終了するまで結果は表示できません",
"Open thread": "スレッドを開く", "Open thread": "スレッドを開く",
"Pinned": "固定メッセージ", "Pinned": "固定メッセージ",
@ -2273,10 +2233,6 @@
"Share %(name)s": "%(name)sを共有", "Share %(name)s": "%(name)sを共有",
"Application window": "アプリケーションのウィンドウ", "Application window": "アプリケーションのウィンドウ",
"Verification Request": "認証の要求", "Verification Request": "認証の要求",
"Value:": "値:",
"Value": "値",
"Setting ID": "設定のID",
"Level": "レベル",
"Exporting your data": "データをエクスポートしています", "Exporting your data": "データをエクスポートしています",
"Feedback sent": "フィードバックを送信しました", "Feedback sent": "フィードバックを送信しました",
"You may contact me if you want to follow up or to let me test out upcoming ideas": "追加で確認が必要な事項や、テストすべき新しいアイデアがある場合は、連絡可", "You may contact me if you want to follow up or to let me test out upcoming ideas": "追加で確認が必要な事項や、テストすべき新しいアイデアがある場合は、連絡可",
@ -2438,9 +2394,6 @@
"Your export was successful. Find it in your Downloads folder.": "エクスポートに成功しました。ダウンロード先のフォルダーを確認してください。", "Your export was successful. Find it in your Downloads folder.": "エクスポートに成功しました。ダウンロード先のフォルダーを確認してください。",
"Enter a number between %(min)s and %(max)s": "%(min)sから%(max)sまでの間の数字を入力してください", "Enter a number between %(min)s and %(max)s": "%(min)sから%(max)sまでの間の数字を入力してください",
"Export Cancelled": "エクスポートをキャンセルしました", "Export Cancelled": "エクスポートをキャンセルしました",
"Caution:": "注意:",
"Setting:": "設定:",
"Edit setting": "設定を編集",
"Are you sure you want to deactivate your account? This is irreversible.": "アカウントを無効化してよろしいですか?この操作は元に戻すことができません。", "Are you sure you want to deactivate your account? This is irreversible.": "アカウントを無効化してよろしいですか?この操作は元に戻すことができません。",
"Want to add an existing space instead?": "代わりに既存のスペースを追加しますか?", "Want to add an existing space instead?": "代わりに既存のスペースを追加しますか?",
"Space visibility": "スペースの見え方", "Space visibility": "スペースの見え方",
@ -2574,7 +2527,6 @@
"Confirm your account deactivation by using Single Sign On to prove your identity.": "シングルサインオンを使用して本人確認を行い、アカウントの無効化を承認してください。", "Confirm your account deactivation by using Single Sign On to prove your identity.": "シングルサインオンを使用して本人確認を行い、アカウントの無効化を承認してください。",
"The poll has ended. Top answer: %(topAnswer)s": "アンケートが終了しました。最も多い投票数を獲得した選択肢:%(topAnswer)s", "The poll has ended. Top answer: %(topAnswer)s": "アンケートが終了しました。最も多い投票数を獲得した選択肢:%(topAnswer)s",
"The poll has ended. No votes were cast.": "アンケートが終了しました。投票はありませんでした。", "The poll has ended. No votes were cast.": "アンケートが終了しました。投票はありませんでした。",
"Value in this room:": "このルームでの値:",
"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.": {
"one": "シングルサインオンを使用して本人確認を行い、端末からのログアウトを承認してください。", "one": "シングルサインオンを使用して本人確認を行い、端末からのログアウトを承認してください。",
"other": "シングルサインオンを使用して本人確認を行い、端末からのログアウトを承認してください。" "other": "シングルサインオンを使用して本人確認を行い、端末からのログアウトを承認してください。"
@ -2633,7 +2585,6 @@
"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.": "マイクにアクセスできませんでした。ブラウザーの設定を確認して、もう一度やり直してください。",
"Unable to access your microphone": "マイクを使用できません", "Unable to access your microphone": "マイクを使用できません",
"Are you sure you want to add encryption to this public room?": "公開ルームに暗号化を追加してよろしいですか?", "Are you sure you want to add encryption to this public room?": "公開ルームに暗号化を追加してよろしいですか?",
"Warn before quitting": "終了する際に警告",
"Olm version:": "Olmのバージョン", "Olm version:": "Olmのバージョン",
"There was an error loading your notification settings.": "通知設定を読み込む際にエラーが発生しました。", "There was an error loading your notification settings.": "通知設定を読み込む際にエラーが発生しました。",
"Error saving notification preferences": "通知の設定を保存する際にエラーが発生しました", "Error saving notification preferences": "通知の設定を保存する際にエラーが発生しました",
@ -2661,7 +2612,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.": "セキュリティーキーもしくは認証可能な端末が設定されていません。この端末では、以前暗号化されたメッセージにアクセスすることができません。この端末で本人確認を行うには、認証用の鍵を再設定する必要があります。",
"<inviter/> invites you": "<inviter/>があなたを招待しています", "<inviter/> invites you": "<inviter/>があなたを招待しています",
"Decrypted event source": "復号化したイベントのソースコード", "Decrypted event source": "復号化したイベントのソースコード",
"Save setting values": "設定の値を保存",
"Signature upload failed": "署名のアップロードに失敗しました", "Signature upload failed": "署名のアップロードに失敗しました",
"Remove for everyone": "全員から削除", "Remove for everyone": "全員から削除",
"Failed to re-authenticate": "再認証に失敗しました", "Failed to re-authenticate": "再認証に失敗しました",
@ -2708,7 +2658,6 @@
"a new master key signature": "新しいマスターキーの署名", "a new master key signature": "新しいマスターキーの署名",
"This widget may use cookies.": "このウィジェットはクッキーを使用する可能性があります。", "This widget may use cookies.": "このウィジェットはクッキーを使用する可能性があります。",
"Report the entire room": "ルーム全体を報告", "Report the entire room": "ルーム全体を報告",
"Value in this room": "このルームでの値",
"Visible to space members": "スペースの参加者に表示", "Visible to space members": "スペースの参加者に表示",
"Search names and descriptions": "名前と説明文を検索", "Search names and descriptions": "名前と説明文を検索",
"Currently joining %(count)s rooms": { "Currently joining %(count)s rooms": {
@ -2723,12 +2672,10 @@
"You'll need to authenticate with the server to confirm the upgrade.": "サーバーをアップグレードするには認証が必要です。", "You'll need to authenticate with the server to confirm the upgrade.": "サーバーをアップグレードするには認証が必要です。",
"Unable to query secret storage status": "機密ストレージの状態を読み込めません", "Unable to query secret storage status": "機密ストレージの状態を読み込めません",
"If you didn't remove the recovery method, an attacker may be trying to access your account. Change your account password and set a new recovery method immediately in Settings.": "復元方法を削除しなかった場合、攻撃者があなたのアカウントにアクセスしようとしている可能性があります。設定画面でアカウントのパスワードを至急変更し、新しい復元方法を設定してください。", "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.": "復元方法を削除しなかった場合、攻撃者があなたのアカウントにアクセスしようとしている可能性があります。設定画面でアカウントのパスワードを至急変更し、新しい復元方法を設定してください。",
"Insert a trailing colon after user mentions at the start of a message": "ユーザーをメンションする際にコロンを挿入",
"Your browser likely removed this data when running low on disk space.": "ディスクの空き容量が少なかったため、ブラウザーはこのデータを削除しました。", "Your browser likely removed this data when running low on disk space.": "ディスクの空き容量が少なかったため、ブラウザーはこのデータを削除しました。",
"You are about to leave <spaceName/>.": "<spaceName/>から退出しようとしています。", "You are about to leave <spaceName/>.": "<spaceName/>から退出しようとしています。",
"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.": "あなたは、退出しようとしているいくつかのルームとスペースの唯一の管理者です。退出すると、誰もそれらを管理できなくなります。",
"You're the only admin of this space. Leaving it will mean no one has control over it.": "あなたはこのスペースの唯一の管理者です。退出すると、誰もそれを管理できなくなります。", "You're the only admin of this space. Leaving it will mean no one has control over it.": "あなたはこのスペースの唯一の管理者です。退出すると、誰もそれを管理できなくなります。",
"There was an error finding this widget.": "このウィジェットを発見する際にエラーが発生しました。",
"Server did not return valid authentication information.": "サーバーは正しい認証情報を返しませんでした。", "Server did not return valid authentication information.": "サーバーは正しい認証情報を返しませんでした。",
"Server did not require any authentication": "サーバーは認証を要求しませんでした", "Server did not require any authentication": "サーバーは認証を要求しませんでした",
"Some session data, including encrypted message keys, is missing. Sign out and sign in to fix this, restoring keys from backup.": "暗号化されたメッセージの鍵を含むセッションのデータが見つかりません。サインアウトして改めてサインインすると、バックアップから鍵を回復します。", "Some session data, including encrypted message keys, is missing. Sign out and sign in to fix this, restoring keys from backup.": "暗号化されたメッセージの鍵を含むセッションのデータが見つかりません。サインアウトして改めてサインインすると、バックアップから鍵を回復します。",
@ -2759,7 +2706,6 @@
"one": "%(oneUser)sがこのルームの<a>固定メッセージ</a>を変更しました" "one": "%(oneUser)sがこのルームの<a>固定メッセージ</a>を変更しました"
}, },
"They'll still be able to access whatever you're not an admin of.": "あなたが管理者ではないスペースやルームには、引き続きアクセスできます。", "They'll still be able to access whatever you're not an admin of.": "あなたが管理者ではないスペースやルームには、引き続きアクセスできます。",
"Setting definition:": "設定の定義:",
"Restore your key backup to upgrade your encryption": "鍵のバックアップを復元し、暗号化をアップグレードしてください", "Restore your key backup to upgrade your encryption": "鍵のバックアップを復元し、暗号化をアップグレードしてください",
"This session has detected that your Security Phrase and key for Secure Messages have been removed.": "セキュリティーフレーズと、セキュアメッセージの鍵が削除されました。", "This session has detected that your Security Phrase and key for Secure Messages have been removed.": "セキュリティーフレーズと、セキュアメッセージの鍵が削除されました。",
"If you did this accidentally, you can setup Secure Messages on this session which will re-encrypt this session's message history with a new recovery method.": "偶然削除してしまった場合は、このセッションで、メッセージの暗号化を設定することができます。設定すると、新しい復元方法でセッションのデータを改めて暗号化します。", "If you did this accidentally, you can setup Secure Messages on this session which will re-encrypt this session's message history with a new recovery method.": "偶然削除してしまった場合は、このセッションで、メッセージの暗号化を設定することができます。設定すると、新しい復元方法でセッションのデータを改めて暗号化します。",
@ -2900,20 +2846,6 @@
"You can use the custom server options to sign into other Matrix servers by specifying a different homeserver URL. This allows you to use %(brand)s with an existing Matrix account on a different homeserver.": "異なるホームサーバーのURLを設定すると、他のMatrixのサーバーにサインインできます。それにより、異なるホームサーバーにある既存のMatrixのアカウントを%(brand)sで使用できます。", "You can use the custom server options to sign into other Matrix servers by specifying a different homeserver URL. This allows you to use %(brand)s with an existing Matrix account on a different homeserver.": "異なるホームサーバーのURLを設定すると、他のMatrixのサーバーにサインインできます。それにより、異なるホームサーバーにある既存のMatrixのアカウントを%(brand)sで使用できます。",
"Server info": "サーバーの情報", "Server info": "サーバーの情報",
"Room ID: %(roomId)s": "ルームID%(roomId)s", "Room ID: %(roomId)s": "ルームID%(roomId)s",
"Send custom room account data event": "ルームアカウントのユーザー定義のデータイベントを送信",
"Send custom account data event": "アカウントのユーザー定義のデータイベントを送信",
"Doesn't look like valid JSON.": "正しいJSONではありません。",
"Failed to send event!": "イベントの送信に失敗しました!",
"Send custom state event": "ユーザー定義のステートイベントを送信",
"Failed to load.": "読み込みに失敗しました。",
"Client Versions": "クライアントのバージョン",
"Server Versions": "サーバーのバージョン",
"Server": "サーバー",
"Number of users": "ユーザー数",
"Failed to save settings.": "設定の保存に失敗しました。",
"Timeout": "タイムアウト",
"Methods": "方法",
"No verification requests found": "認証リクエストがありません",
"Event ID: %(eventId)s": "イベントID%(eventId)s", "Event ID: %(eventId)s": "イベントID%(eventId)s",
"Upgrade this space to the recommended room version": "このスペースを推奨のバージョンにアップグレード", "Upgrade this space to the recommended room version": "このスペースを推奨のバージョンにアップグレード",
"View older version of %(spaceName)s.": "%(spaceName)sの以前のバージョンを表示。", "View older version of %(spaceName)s.": "%(spaceName)sの以前のバージョンを表示。",
@ -2930,7 +2862,6 @@
"Disinvite from room": "ルームへの招待を取り消す", "Disinvite from room": "ルームへの招待を取り消す",
"<b>Tip:</b> Use “%(replyInThread)s” when hovering over a message.": "<b>ヒント:</b>メッセージの「%(replyInThread)s」機能を使用すると新しいスレッドを開始できます。", "<b>Tip:</b> Use “%(replyInThread)s” when hovering over a message.": "<b>ヒント:</b>メッセージの「%(replyInThread)s」機能を使用すると新しいスレッドを開始できます。",
"No live locations": "位置情報(ライブ)がありません", "No live locations": "位置情報(ライブ)がありません",
"Enable Markdown": "マークダウンを有効にする",
"View list": "一覧を表示", "View list": "一覧を表示",
"View List": "一覧を表示", "View List": "一覧を表示",
"Mute microphone": "マイクをミュート", "Mute microphone": "マイクをミュート",
@ -2968,10 +2899,8 @@
}, },
"Remember my selection for this widget": "このウィジェットに関する選択を記憶", "Remember my selection for this widget": "このウィジェットに関する選択を記憶",
"Unable to load commit detail: %(msg)s": "コミットの詳細を読み込めません:%(msg)s", "Unable to load commit detail: %(msg)s": "コミットの詳細を読み込めません:%(msg)s",
"Capabilities": "機能",
"Toggle Code Block": "コードブロックの表示を切り替える", "Toggle Code Block": "コードブロックの表示を切り替える",
"Toggle Link": "リンクを切り替える", "Toggle Link": "リンクを切り替える",
"Send read receipts": "開封確認メッセージを送信",
"Explore public spaces in the new search dialog": "新しい検索ダイアログで公開スペースを探す", "Explore public spaces in the new search dialog": "新しい検索ダイアログで公開スペースを探す",
"You were disconnected from the call. (Error: %(message)s)": "通話から切断されました。(エラー:%(message)s", "You were disconnected from the call. (Error: %(message)s)": "通話から切断されました。(エラー:%(message)s",
"Connection lost": "接続が切断されました", "Connection lost": "接続が切断されました",
@ -3024,7 +2953,6 @@
"one": "%(count)s人の参加者" "one": "%(count)s人の参加者"
}, },
"%(securityKey)s or %(recoveryFile)s": "%(securityKey)sまたは%(recoveryFile)s", "%(securityKey)s or %(recoveryFile)s": "%(securityKey)sまたは%(recoveryFile)s",
"Edit values": "値の編集",
"Input devices": "入力装置", "Input devices": "入力装置",
"Output devices": "出力装置", "Output devices": "出力装置",
"Cameras": "カメラ", "Cameras": "カメラ",
@ -3122,11 +3050,7 @@
"Show formatting": "フォーマットを表示", "Show formatting": "フォーマットを表示",
"Updated %(humanizedUpdateTime)s": "%(humanizedUpdateTime)sに更新", "Updated %(humanizedUpdateTime)s": "%(humanizedUpdateTime)sに更新",
"Joining the beta will reload %(brand)s.": "ベータ版に参加すると%(brand)sをリロードします。", "Joining the beta will reload %(brand)s.": "ベータ版に参加すると%(brand)sをリロードします。",
"Phase": "フェーズ",
"Transaction": "トランザクション",
"Unsent": "未送信", "Unsent": "未送信",
"Settable at global": "全体で設定可能",
"Settable at room": "ルームの中で設定可能",
"Google Play and the Google Play logo are trademarks of Google LLC.": "Google PlayとGoogle PlayロゴはGoogle LLC.の商標です。", "Google Play and the Google Play logo are trademarks of Google LLC.": "Google PlayとGoogle PlayロゴはGoogle LLC.の商標です。",
"App Store® and the Apple logo® are trademarks of Apple Inc.": "App Store®とAppleロゴ®はApple Incの商標です。", "App Store® and the Apple logo® are trademarks of Apple Inc.": "App Store®とAppleロゴ®はApple Incの商標です。",
"Get it on F-Droid": "F-Droidで入手", "Get it on F-Droid": "F-Droidで入手",
@ -3180,7 +3104,6 @@
"other": "%(count)s個のセッションからサインアウトしてよろしいですか" "other": "%(count)s個のセッションからサインアウトしてよろしいですか"
}, },
"Bulk options": "一括オプション", "Bulk options": "一括オプション",
"Enable hardware acceleration (restart %(appName)s to take effect)": "ハードウェアアクセラレーションを有効にする(%(appName)sを再起動すると有効になります",
"Your server doesn't support disabling sending read receipts.": "あなたのサーバーは開封確認メッセージの送信防止をサポートしていません。", "Your server doesn't support disabling sending read receipts.": "あなたのサーバーは開封確認メッセージの送信防止をサポートしていません。",
"Change input device": "入力端末を変更", "Change input device": "入力端末を変更",
"Yes, end my recording": "はい、録音を終了してください", "Yes, end my recording": "はい、録音を終了してください",
@ -3219,7 +3142,6 @@
"30s forward": "30秒進める", "30s forward": "30秒進める",
"30s backward": "30秒戻す", "30s backward": "30秒戻す",
"Change layout": "レイアウトを変更", "Change layout": "レイアウトを変更",
"Cancelled": "キャンセル済",
"Create a link": "リンクを作成", "Create a link": "リンクを作成",
"Edit link": "リンクを編集", "Edit link": "リンクを編集",
"Unable to decrypt message": "メッセージを復号化できません", "Unable to decrypt message": "メッセージを復号化できません",
@ -3250,8 +3172,6 @@
"Verified sessions": "認証済のセッション", "Verified sessions": "認証済のセッション",
"Search for": "検索", "Search for": "検索",
"%(timeRemaining)s left": "残り%(timeRemaining)s", "%(timeRemaining)s left": "残り%(timeRemaining)s",
"Started": "開始済",
"Requested": "要求済",
"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.": "探しているルームが見つからない場合、招待を要求するか新しいルームを作成してください。",
"If you can't see who you're looking for, send them your invite link.": "探している相手が見つからなければ、招待リンクを送信してください。", "If you can't see who you're looking for, send them your invite link.": "探している相手が見つからなければ、招待リンクを送信してください。",
"View servers in room": "ルームでサーバーを表示", "View servers in room": "ルームでサーバーを表示",
@ -3375,7 +3295,6 @@
"Sign in instead": "サインイン", "Sign in instead": "サインイン",
"Ignore %(user)s": "%(user)sを無視", "Ignore %(user)s": "%(user)sを無視",
"Join the room to participate": "ルームに参加", "Join the room to participate": "ルームに参加",
"Threads timeline": "スレッドのタイムライン",
"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.": "ライブ配信を終了してよろしいですか?配信を終了し、録音をこのルームで利用できるよう設定します。", "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.": "ライブ配信を終了してよろしいですか?配信を終了し、録音をこのルームで利用できるよう設定します。",
"Consult first": "初めに相談", "Consult first": "初めに相談",
"Notifications debug": "通知のデバッグ", "Notifications debug": "通知のデバッグ",
@ -3390,16 +3309,10 @@
"Red": "赤色", "Red": "赤色",
"Grey": "灰色", "Grey": "灰色",
"Unable to decrypt voice broadcast": "音声配信を復号化できません", "Unable to decrypt voice broadcast": "音声配信を復号化できません",
"Sender: ": "送信者: ",
"Room status": "ルームの状態",
"Too many attempts in a short time. Retry after %(timeout)s.": "再試行の数が多すぎます。%(timeout)s後に再度試してください。", "Too many attempts in a short time. Retry after %(timeout)s.": "再試行の数が多すぎます。%(timeout)s後に再度試してください。",
"Start at the sign in screen": "サインインの画面で開始", "Start at the sign in screen": "サインインの画面で開始",
"Linking with this device is not supported.": "この端末とのリンクはサポートしていません。", "Linking with this device is not supported.": "この端末とのリンクはサポートしていません。",
"The linking wasn't completed in the required time.": "時間内にリンクが完了しませんでした。", "The linking wasn't completed in the required time.": "時間内にリンクが完了しませんでした。",
"Values at explicit levels in this room:": "このルーム内の明示的なレベルでの値:",
"Values at explicit levels:": "明示的なレベルでの値:",
"Values at explicit levels in this room": "このルーム内の明示的なレベルでの値",
"Values at explicit levels": "明示的なレベルでの値",
"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": "メッセージは削除されませんが、インデックスを再構成している間、検索のパフォーマンスが低下します",
"Recent changes that have not yet been received": "まだ受信していない最近の変更", "Recent changes that have not yet been received": "まだ受信していない最近の変更",
"Your server isn't responding to some of your requests. Below are some of the most likely reasons.": "サーバーはいくつかのリクエストに応答していません。以下に考えられる理由を表示します。", "Your server isn't responding to some of your requests. Below are some of the most likely reasons.": "サーバーはいくつかのリクエストに応答していません。以下に考えられる理由を表示します。",
@ -3420,20 +3333,9 @@
"This widget would like to:": "ウィジェットによる要求:", "This widget would like to:": "ウィジェットによる要求:",
"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>してください。",
"Sliding Sync configuration": "スライド式同期の設定", "Sliding Sync configuration": "スライド式同期の設定",
"Thread Id: ": "スレッドID ",
"Type: ": "種類: ",
"ID: ": "ID ",
"Last event:": "最新のイベント:",
"Dot: ": "ドット: ",
"Highlight: ": "ハイライト: ",
"Total: ": "合計: ",
"Main timeline": "メインのタイムライン",
"Remove search filter for %(filter)s": "%(filter)sの検索フィルターを削除", "Remove search filter for %(filter)s": "%(filter)sの検索フィルターを削除",
"Some results may be hidden": "いくつかの結果が表示されていない可能性があります", "Some results may be hidden": "いくつかの結果が表示されていない可能性があります",
"Check if you want to hide all current and future messages from this user.": "このユーザーのメッセージを非表示にするかどうか確認してください。", "Check if you want to hide all current and future messages from this user.": "このユーザーのメッセージを非表示にするかどうか確認してください。",
"Observe only": "観察のみ",
"Ready": "準備ができました",
"This UI does NOT check the types of the values. Use at your own risk.": "このユーザーインターフェースは、値の種類を確認しません。自己責任で使用してください。",
"The widget will verify your user ID, but won't be able to perform actions for you:": "ウィジェットはあなたのユーザーIDを認証しますが、操作を行うことはできません", "The widget will verify your user ID, but won't be able to perform actions for you:": "ウィジェットはあなたのユーザーIDを認証しますが、操作を行うことはできません",
"In %(spaceName)s.": "スペース %(spaceName)s内。", "In %(spaceName)s.": "スペース %(spaceName)s内。",
"In spaces %(space1Name)s and %(space2Name)s.": "スペース %(space1Name)sと%(space2Name)s内。", "In spaces %(space1Name)s and %(space2Name)s.": "スペース %(space1Name)sと%(space2Name)s内。",
@ -3454,10 +3356,7 @@
"Your server lacks native support, you must specify a proxy": "あなたのサーバーはネイティブでサポートしていません。プロクシーを指定してください", "Your server lacks native support, you must specify a proxy": "あなたのサーバーはネイティブでサポートしていません。プロクシーを指定してください",
"Your server lacks native support": "あなたのサーバーはネイティブでサポートしていません", "Your server lacks native support": "あなたのサーバーはネイティブでサポートしていません",
"Your server has native support": "あなたのサーバーはネイティブでサポートしています", "Your server has native support": "あなたのサーバーはネイティブでサポートしています",
"No receipt found": "開封確認が見つかりません",
"User read up to: ": "ユーザーの既読状況: ",
"Declining…": "拒否しています…", "Declining…": "拒否しています…",
"Requester": "リクエストしたユーザー",
"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をこのルームの追加の通話手段として有効にする",
"This session is backing up your keys.": "このセッションは鍵をバックアップしています。", "This session is backing up your keys.": "このセッションは鍵をバックアップしています。",
"There are no past polls in this room": "このルームに過去のアンケートはありません", "There are no past polls in this room": "このルームに過去のアンケートはありません",
@ -3584,7 +3483,9 @@
"android": "Android", "android": "Android",
"trusted": "信頼済", "trusted": "信頼済",
"not_trusted": "信頼されていません", "not_trusted": "信頼されていません",
"accessibility": "アクセシビリティー" "accessibility": "アクセシビリティー",
"capabilities": "機能",
"server": "サーバー"
}, },
"action": { "action": {
"continue": "続行", "continue": "続行",
@ -3681,7 +3582,8 @@
"maximise": "最大化", "maximise": "最大化",
"mention": "メンション", "mention": "メンション",
"submit": "送信", "submit": "送信",
"send_report": "報告を送信" "send_report": "報告を送信",
"clear": "消去"
}, },
"a11y": { "a11y": {
"user_menu": "ユーザーメニュー" "user_menu": "ユーザーメニュー"
@ -3802,5 +3704,107 @@
"you_did_it": "完了しました!", "you_did_it": "完了しました!",
"complete_these": "以下を完了し、%(brand)sを最大限に活用しましょう", "complete_these": "以下を完了し、%(brand)sを最大限に活用しましょう",
"community_messaging_description": "コミュニティーの会話の所有権とコントロールを維持しましょう。\n強力なモデレートと相互運用性で、数百万人のユーザーまでサポートできます。" "community_messaging_description": "コミュニティーの会話の所有権とコントロールを維持しましょう。\n強力なモデレートと相互運用性で、数百万人のユーザーまでサポートできます。"
},
"devtools": {
"send_custom_account_data_event": "アカウントのユーザー定義のデータイベントを送信",
"send_custom_room_account_data_event": "ルームアカウントのユーザー定義のデータイベントを送信",
"event_type": "イベントの種類",
"state_key": "ステートキー",
"invalid_json": "正しいJSONではありません。",
"failed_to_send": "イベントの送信に失敗しました!",
"event_sent": "イベントを送信しました!",
"event_content": "イベントの内容",
"user_read_up_to": "ユーザーの既読状況: ",
"no_receipt_found": "開封確認が見つかりません",
"room_status": "ルームの状態",
"main_timeline": "メインのタイムライン",
"threads_timeline": "スレッドのタイムライン",
"room_notifications_total": "合計: ",
"room_notifications_highlight": "ハイライト: ",
"room_notifications_dot": "ドット: ",
"room_notifications_last_event": "最新のイベント:",
"room_notifications_type": "種類: ",
"room_notifications_sender": "送信者: ",
"room_notifications_thread_id": "スレッドID ",
"spaces": {
"one": "<スペース>",
"other": "<%(count)s個のスペース>"
},
"empty_string": "<空の文字列>",
"id": "ID ",
"send_custom_state_event": "ユーザー定義のステートイベントを送信",
"failed_to_load": "読み込みに失敗しました。",
"client_versions": "クライアントのバージョン",
"server_versions": "サーバーのバージョン",
"number_of_users": "ユーザー数",
"failed_to_save": "設定の保存に失敗しました。",
"save_setting_values": "設定の値を保存",
"setting_colon": "設定:",
"caution_colon": "注意:",
"use_at_own_risk": "このユーザーインターフェースは、値の種類を確認しません。自己責任で使用してください。",
"setting_definition": "設定の定義:",
"level": "レベル",
"settable_global": "全体で設定可能",
"settable_room": "ルームの中で設定可能",
"values_explicit": "明示的なレベルでの値",
"values_explicit_room": "このルーム内の明示的なレベルでの値",
"edit_values": "値の編集",
"value_colon": "値:",
"value_this_room_colon": "このルームでの値:",
"values_explicit_colon": "明示的なレベルでの値:",
"values_explicit_this_room_colon": "このルーム内の明示的なレベルでの値:",
"setting_id": "設定のID",
"value": "値",
"value_in_this_room": "このルームでの値",
"edit_setting": "設定を編集",
"phase_requested": "要求済",
"phase_ready": "準備ができました",
"phase_started": "開始済",
"phase_cancelled": "キャンセル済",
"phase_transaction": "トランザクション",
"phase": "フェーズ",
"timeout": "タイムアウト",
"methods": "方法",
"requester": "リクエストしたユーザー",
"observe_only": "観察のみ",
"no_verification_requests_found": "認証リクエストがありません",
"failed_to_find_widget": "このウィジェットを発見する際にエラーが発生しました。"
},
"settings": {
"show_breadcrumbs": "ルームの一覧の上に、最近表示したルームのショートカットを表示",
"all_rooms_home_description": "あなたが参加している全てのルームがホームに表示されます。",
"use_command_f_search": "Command+Fでタイムラインを検索",
"use_control_f_search": "Ctrl+Fでタイムラインを検索",
"use_12_hour_format": "発言時刻を12時間形式で表示2:30午後",
"always_show_message_timestamps": "メッセージの時刻を常に表示",
"send_read_receipts": "開封確認メッセージを送信",
"send_typing_notifications": "入力中通知を送信",
"replace_plain_emoji": "自動的にプレーンテキストの絵文字を置き換える",
"enable_markdown": "マークダウンを有効にする",
"emoji_autocomplete": "入力中に絵文字を提案",
"use_command_enter_send_message": "Command+Enterでメッセージを送信",
"use_control_enter_send_message": "Ctrl+Enterでメッセージを送信",
"all_rooms_home": "ホームに全てのルームを表示",
"show_stickers_button": "ステッカーボタンを表示",
"insert_trailing_colon_mentions": "ユーザーをメンションする際にコロンを挿入",
"automatic_language_detection_syntax_highlight": "構文強調表示の自動言語検出を有効にする",
"code_block_expand_default": "コードのブロックを既定で展開",
"code_block_line_numbers": "コードのブロックに行番号を表示",
"inline_url_previews_default": "既定でインラインURLプレビューを有効にする",
"autoplay_gifs": "GIFアニメーションを自動再生",
"autoplay_videos": "動画を自動再生",
"image_thumbnails": "画像のプレビューまたはサムネイルを表示",
"show_typing_notifications": "入力中通知を表示",
"show_redaction_placeholder": "削除されたメッセージに関する通知を表示",
"show_read_receipts": "他のユーザーの開封確認メッセージを表示",
"show_join_leave": "参加/退出のメッセージを表示(招待/削除/ブロックには影響しません)",
"show_displayname_changes": "表示名の変更を表示",
"show_chat_effects": "チャットのエフェクトを表示(紙吹雪などを受け取ったときのアニメーション)",
"big_emoji": "チャットで大きな絵文字を有効にする",
"jump_to_bottom_on_send": "メッセージを送信する際にタイムラインの最下部に移動",
"prompt_invite": "不正の可能性があるMatrix IDに招待を送信する前に確認",
"hardware_acceleration": "ハードウェアアクセラレーションを有効にする(%(appName)sを再起動すると有効になります",
"start_automatically": "システムログイン後に自動的に起動",
"warn_quit": "終了する際に警告"
} }
} }

View file

@ -97,13 +97,8 @@
"Your browser does not support the required cryptography extensions": ".i le kibrbrauzero na ka'e pilno le mifra ciste poi jai sarcu", "Your browser does not support the required cryptography extensions": ".i le kibrbrauzero na ka'e pilno le mifra ciste poi jai sarcu",
"Authentication check failed: incorrect password?": ".i pu fliba lo nu birti lo du'u curmi lo nu do jonse .i na'e drani xu japyvla", "Authentication check failed: incorrect password?": ".i pu fliba lo nu birti lo du'u curmi lo nu do jonse .i na'e drani xu japyvla",
"Please contact your homeserver administrator.": ".i .e'o ko tavla lo admine be le samtcise'u", "Please contact your homeserver administrator.": ".i .e'o ko tavla lo admine be le samtcise'u",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "lo du'u xu kau lo tcika cu se tarmi mu'a lu ti'u li re pi'e ci no su'i pa re li'u",
"Always show message timestamps": "lo du'u xu kau do ro roi viska ka'e lo tcika be tu'a lo notci",
"Enable automatic language detection for syntax highlighting": "lo du'u xu kau zmiku facki lo du'u ma kau bangu ku te zu'e lo nu skari ba'argau lo gensu'a",
"Automatically replace plain text Emoji": "lo du'u xu kau zmiku basti lo cinmo lerpoi",
"Mirror local video feed": "lo du'u xu kau minra lo diklo vidvi", "Mirror local video feed": "lo du'u xu kau minra lo diklo vidvi",
"Send analytics data": "lo du'u xu kau benji lo se lanli datni", "Send analytics data": "lo du'u xu kau benji lo se lanli datni",
"Enable inline URL previews by default": "lo zmiselcu'a pe lo du'u xu kau zmiku purzga lo se urli",
"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",
@ -404,5 +399,12 @@
"moderator": "vlipa so'o da", "moderator": "vlipa so'o da",
"admin": "vlipa so'i da", "admin": "vlipa so'i da",
"custom": "drata (%(level)s)" "custom": "drata (%(level)s)"
},
"settings": {
"use_12_hour_format": "lo du'u xu kau lo tcika cu se tarmi mu'a lu ti'u li re pi'e ci no su'i pa re li'u",
"always_show_message_timestamps": "lo du'u xu kau do ro roi viska ka'e lo tcika be tu'a lo notci",
"replace_plain_emoji": "lo du'u xu kau zmiku basti lo cinmo lerpoi",
"automatic_language_detection_syntax_highlight": "lo du'u xu kau zmiku facki lo du'u ma kau bangu ku te zu'e lo nu skari ba'argau lo gensu'a",
"inline_url_previews_default": "lo zmiselcu'a pe lo du'u xu kau zmiku purzga lo se urli"
} }
} }

View file

@ -223,8 +223,6 @@
"What's new?": "D acu-t umaynut?", "What's new?": "D acu-t umaynut?",
"Please contact your homeserver administrator.": "Ttxil-k/m nermes anedbal-ik/im n usebter agejdan.", "Please contact your homeserver administrator.": "Ttxil-k/m nermes anedbal-ik/im n usebter agejdan.",
"Use custom size": "Seqdec teɣzi tudmawant", "Use custom size": "Seqdec teɣzi tudmawant",
"Send typing notifications": "Azen ilɣa yettuszemlen",
"Show typing notifications": "Azen ilɣa yettuszemlen",
"Unable to load! Check your network connectivity and try again.": "Yegguma ad d-yali! Senqed tuqqna-inek.inem ɣer uzeṭṭa syen tεerḍeḍ tikkelt-nniḍen.", "Unable to load! Check your network connectivity and try again.": "Yegguma ad d-yali! Senqed tuqqna-inek.inem ɣer uzeṭṭa syen tεerḍeḍ tikkelt-nniḍen.",
"Failure to create room": "Timerna n texxamt ur teddi ara", "Failure to create room": "Timerna n texxamt ur teddi ara",
"Call failed due to misconfigured server": "Ur yeddi ara usiwel ssebba n uqeddac ur nettuswel ara akken iwata", "Call failed due to misconfigured server": "Ur yeddi ara usiwel ssebba n uqeddac ur nettuswel ara akken iwata",
@ -670,7 +668,6 @@
"Continue With Encryption Disabled": "Kemmel s uwgelhen yensan", "Continue With Encryption Disabled": "Kemmel s uwgelhen yensan",
"Confirm your account deactivation by using Single Sign On to prove your identity.": "Sentem asensi n umiḍan s useqdec n unekcum asuf i ubeggen n timagit-ik·im.", "Confirm your account deactivation by using Single Sign On to prove your identity.": "Sentem asensi n umiḍan s useqdec n unekcum asuf i ubeggen n timagit-ik·im.",
"Confirm account deactivation": "Sentem asensi n umiḍan", "Confirm account deactivation": "Sentem asensi n umiḍan",
"Event sent!": "Tadyant tettwazen!",
"Filter results": "Igmaḍ n usizdeg", "Filter results": "Igmaḍ n usizdeg",
"Incoming Verification Request": "Tuttra n usenqed i d-ikecmen", "Incoming Verification Request": "Tuttra n usenqed i d-ikecmen",
"Confirm to continue": "Sentem i wakken ad tkemmleḍ", "Confirm to continue": "Sentem i wakken ad tkemmleḍ",
@ -950,10 +947,6 @@
"%(brand)s is securely caching encrypted messages locally for them to appear in search results:": "%(brand)s iteffer iznan iwgelhanen idiganen s wudem aɣelsan i wakken ad d-banen deg yigmaḍ n unadi:", "%(brand)s is securely caching encrypted messages locally for them to appear in search results:": "%(brand)s iteffer iznan iwgelhanen idiganen s wudem aɣelsan i wakken ad d-banen deg yigmaḍ n unadi:",
"Message downloading sleep time(ms)": "Akud n usgunfu n usali n yiznan (ms)", "Message downloading sleep time(ms)": "Akud n usgunfu n usali n yiznan (ms)",
"Dismiss read marker and jump to bottom": "Zgel ticreḍt n tɣuri, tɛeddiḍ d akessar", "Dismiss read marker and jump to bottom": "Zgel ticreḍt n tɣuri, tɛeddiḍ d akessar",
"Show display name changes": "Sken isnifal n yisem yettwaskanen",
"Show read receipts sent by other users": "Sken awwaḍen n tɣuri yettwaznen sɣur yiseqdacen-nniḍen",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "Sken azemzakud s umasal 12 yisragen (am. 14:30)",
"Always show message timestamps": "Sken yal tikkelt azemzakud n yiznan",
"When I'm invited to a room": "Mi ara d-ttunecdeɣ ɣer texxamt", "When I'm invited to a room": "Mi ara d-ttunecdeɣ ɣer texxamt",
"This is your list of users/servers you have blocked - don't leave the room!": "Tagi d tabdart-ik·im n yiseqdacen/yiqeddacen i tesweḥleḍ - ur teffeɣ ara seg texxamt!", "This is your list of users/servers you have blocked - don't leave the room!": "Tagi d tabdart-ik·im n yiseqdacen/yiqeddacen i tesweḥleḍ - ur teffeɣ ara seg texxamt!",
"Verified!": "Yettwasenqed!", "Verified!": "Yettwasenqed!",
@ -1034,8 +1027,6 @@
"Your homeserver has exceeded its user limit.": "Aqeddac-inek·inem agejdan yewweḍ ɣer talast n useqdac.", "Your homeserver has exceeded its user limit.": "Aqeddac-inek·inem agejdan yewweḍ ɣer talast n useqdac.",
"Your homeserver has exceeded one of its resource limits.": "Aqeddac-inek·inem agejdan iɛedda yiwet seg tlisa-ines tiɣbula.", "Your homeserver has exceeded one of its resource limits.": "Aqeddac-inek·inem agejdan iɛedda yiwet seg tlisa-ines tiɣbula.",
"Contact your <a>server admin</a>.": "Nermes anedbal-inek·inem <a>n uqeddac</a>.", "Contact your <a>server admin</a>.": "Nermes anedbal-inek·inem <a>n uqeddac</a>.",
"Enable big emoji in chat": "Rmed imujit ameqqran deg udiwenni",
"Automatically replace plain text Emoji": "Semselsi iujit n uḍris aččuran s wudem awurman",
"Use a system font": "Seqdec tasefsit n unagraw", "Use a system font": "Seqdec tasefsit n unagraw",
"Size must be a number": "Teɣzi ilaq ad tili d uṭṭun", "Size must be a number": "Teɣzi ilaq ad tili d uṭṭun",
"Discovery": "Tagrut", "Discovery": "Tagrut",
@ -1180,12 +1171,8 @@
"You can register, but some features will be unavailable until the identity server is back online. If you keep seeing this warning, check your configuration or contact a server admin.": "Tzemreḍ ad tjerrdeḍ, maca kra n tmahilin ur ttilint ara almi yuɣal-d uqeddac n tmagit. Ma mazal tettwaliḍ alɣu-a, senqed tawila-inek•inem neɣ nermes anedbal n uqeddac.", "You can register, but some features will be unavailable until the identity server is back online. If you keep seeing this warning, check your configuration or contact a server admin.": "Tzemreḍ ad tjerrdeḍ, maca kra n tmahilin ur ttilint ara almi yuɣal-d uqeddac n tmagit. Ma mazal tettwaliḍ alɣu-a, senqed tawila-inek•inem neɣ nermes anedbal n uqeddac.",
"You can reset your password, but some features will be unavailable until the identity server is back online. If you keep seeing this warning, check your configuration or contact a server admin.": "Tzemreḍ ad talseḍ awennez i wawal-ik•im uffir, maca kra n tmahilin ur ttilint ara almi yuɣal-d uqeddac n tmagit. Ma mazal tettwaliḍ alɣu-a, senqed tawila-inek•inem neɣ nermes anedbal n uqeddac.", "You can reset your password, but some features will be unavailable until the identity server is back online. If you keep seeing this warning, check your configuration or contact a server admin.": "Tzemreḍ ad talseḍ awennez i wawal-ik•im uffir, maca kra n tmahilin ur ttilint ara almi yuɣal-d uqeddac n tmagit. Ma mazal tettwaliḍ alɣu-a, senqed tawila-inek•inem neɣ nermes anedbal n uqeddac.",
"You can log in, but some features will be unavailable until the identity server is back online. If you keep seeing this warning, check your configuration or contact a server admin.": "Tzemreḍ ad teqqneḍ, maca kra n tmahilin ur ttilint ara almi yuɣal-d uqeddac n tmagit. Ma mazal tettwaliḍ alɣu-a senqed tawila-inek•inem neɣ nermes anedbal n uqeddac.", "You can log in, but some features will be unavailable until the identity server is back online. If you keep seeing this warning, check your configuration or contact a server admin.": "Tzemreḍ ad teqqneḍ, maca kra n tmahilin ur ttilint ara almi yuɣal-d uqeddac n tmagit. Ma mazal tettwaliḍ alɣu-a senqed tawila-inek•inem neɣ nermes anedbal n uqeddac.",
"Enable Emoji suggestions while typing": "Rmed asumer n yimujiten deg wakud n tira",
"Show a placeholder for removed messages": "Sken-d iznan yettwakksen",
"Enable automatic language detection for syntax highlighting": "Rmed tifin tawurmant n tutlayt i useɣti n tira",
"Never send encrypted messages to unverified sessions in this room 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 in this room from this session": "Ur ttazen ara akk iznan yettwawgelhen ɣer tɣimiyin ur nettusenqad ara seg tɣimit-a",
"Enable URL previews by default for participants in this room": "Rmed tiskanin n URL s wudem amezwer i yimttekkiyen deg texxamt-a", "Enable URL previews by default for participants in this room": "Rmed tiskanin n URL s wudem amezwer i yimttekkiyen deg texxamt-a",
"Enable inline URL previews by default": "Rmed tiskanin n URL srid s wudem amezwer",
"Enable URL previews for this room (only affects you)": "Rmed tiskanin n URL i texxamt-a (i ak·akem-yeɛnan kan)", "Enable URL previews for this room (only affects you)": "Rmed tiskanin n URL i texxamt-a (i ak·akem-yeɛnan kan)",
"Enable widget screenshots on supported widgets": "Rmed tuṭṭfiwin n ugdil n uwiǧit deg yiwiǧiten yettwasferken", "Enable widget screenshots on supported widgets": "Rmed tuṭṭfiwin n ugdil n uwiǧit deg yiwiǧiten yettwasferken",
"Enter a new identity server": "Sekcem aqeddac n timagit amaynut", "Enter a new identity server": "Sekcem aqeddac n timagit amaynut",
@ -1227,9 +1214,6 @@
"Thumbs up": "Adebbuz d asawen", "Thumbs up": "Adebbuz d asawen",
"Forces the current outbound group session in an encrypted room to be discarded": "Ḥettem tiɣimit n ugraw ara d-yeffɣen akka tura deg texxamt tawgelhant ad tettwakkes", "Forces the current outbound group session in an encrypted room to be discarded": "Ḥettem tiɣimit n ugraw ara d-yeffɣen akka tura deg texxamt tawgelhant ad tettwakkes",
"Unexpected server error trying to leave the room": "Tuccḍa n uqeddac ur nettwaṛǧa ara lawan n tuffɣa seg texxamt", "Unexpected server error trying to leave the room": "Tuccḍa n uqeddac ur nettwaṛǧa ara lawan n tuffɣa seg texxamt",
"Prompt before sending invites to potentially invalid matrix IDs": "Suter send tuzna n tnubgiwin i yisulayen i izmren ad ilin d arimeɣta",
"Show shortcuts to recently viewed rooms above the room list": "Sken inegzumen i texxamin i d-ibanen melmi kan nnig tebdart n texxamt",
"Show previews/thumbnails for images": "Sken tiskanin/tinfulin i tugniwin",
"How fast should messages be downloaded.": "Acḥal i ilaq ad yili urured i wakken ad d-adren yiznan.", "How fast should messages be downloaded.": "Acḥal i ilaq ad yili urured i wakken ad d-adren yiznan.",
"Waiting for %(displayName)s to verify…": "Aṛaǧu n %(displayName)s i usenqed…", "Waiting for %(displayName)s to verify…": "Aṛaǧu n %(displayName)s i usenqed…",
"Securely cache encrypted messages locally for them to appear in search results.": "Ḥrez iznan iwgelhanen idiganen s wudem awurman i wakken ad d-banen deg yigmaḍ n unadi.", "Securely cache encrypted messages locally for them to appear in search results.": "Ḥrez iznan iwgelhanen idiganen s wudem awurman i wakken ad d-banen deg yigmaḍ n unadi.",
@ -1239,9 +1223,6 @@
"On": "Yermed", "On": "Yermed",
"Noisy": "Sɛan ṣṣut", "Noisy": "Sɛan ṣṣut",
"wait and try again later": "ṛǧu syen ɛreḍ tikkelt-nniḍen", "wait and try again later": "ṛǧu syen ɛreḍ tikkelt-nniḍen",
"Event Type": "Anaw n tedyant",
"State Key": "Tasarut n waddad",
"Event Content": "Agbur n tedyant",
"Please fill why you're reporting.": "Ttxil-k·m ini-aɣ-d ayɣer i d-tettazneḍ alɣu.", "Please fill why you're reporting.": "Ttxil-k·m ini-aɣ-d ayɣer i d-tettazneḍ alɣu.",
"Report Content to Your Homeserver Administrator": "Ttxil-k·m azen aneqqis i unedbal-ik·im n usebter agejdan", "Report Content to Your Homeserver Administrator": "Ttxil-k·m azen aneqqis i unedbal-ik·im n usebter agejdan",
"Security Phrase": "Tafyirt n tɣellist", "Security Phrase": "Tafyirt n tɣellist",
@ -1303,7 +1284,6 @@
"Subscribing to a ban list will cause you to join it!": "Amulteɣ ɣer tebdart n tegtin ad ak·akem-yawi ad tettekkiḍ deg-s!", "Subscribing to a ban list will cause you to join it!": "Amulteɣ ɣer tebdart n tegtin ad ak·akem-yawi ad tettekkiḍ deg-s!",
"If this isn't what you want, please use a different tool to ignore users.": "Ma yella ayagi mačči d ayen i tebɣiḍ, ttxil-k·m seqdec afecku-nniḍen i wakken ad tzegleḍ iseqdacen.", "If this isn't what you want, please use a different tool to ignore users.": "Ma yella ayagi mačči d ayen i tebɣiḍ, ttxil-k·m seqdec afecku-nniḍen i wakken ad tzegleḍ iseqdacen.",
"Room ID or address of ban list": "Asulay n texxamt neɣ tansa n tebdart n tegtin", "Room ID or address of ban list": "Asulay n texxamt neɣ tansa n tebdart n tegtin",
"Start automatically after system login": "Bdu s wudem awurman seld tuqqna ɣer unagraw",
"Always show the window menu bar": "Afeggag n wumuɣ n usfaylu eǧǧ-it yettban", "Always show the window menu bar": "Afeggag n wumuɣ n usfaylu eǧǧ-it yettban",
"Read Marker lifetime (ms)": "Ɣer tanzagt n tudert n tecreḍt (ms)", "Read Marker lifetime (ms)": "Ɣer tanzagt n tudert n tecreḍt (ms)",
"Read Marker off-screen lifetime (ms)": "Ɣer tanzagt n tudert n tecreḍt beṛṛa n ugdil (ms)", "Read Marker off-screen lifetime (ms)": "Ɣer tanzagt n tudert n tecreḍt beṛṛa n ugdil (ms)",
@ -2025,5 +2005,29 @@
"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."
},
"devtools": {
"event_type": "Anaw n tedyant",
"state_key": "Tasarut n waddad",
"event_sent": "Tadyant tettwazen!",
"event_content": "Agbur n tedyant"
},
"settings": {
"show_breadcrumbs": "Sken inegzumen i texxamin i d-ibanen melmi kan nnig tebdart n texxamt",
"use_12_hour_format": "Sken azemzakud s umasal 12 yisragen (am. 14:30)",
"always_show_message_timestamps": "Sken yal tikkelt azemzakud n yiznan",
"send_typing_notifications": "Azen ilɣa yettuszemlen",
"replace_plain_emoji": "Semselsi iujit n uḍris aččuran s wudem awurman",
"emoji_autocomplete": "Rmed asumer n yimujiten deg wakud n tira",
"automatic_language_detection_syntax_highlight": "Rmed tifin tawurmant n tutlayt i useɣti n tira",
"inline_url_previews_default": "Rmed tiskanin n URL srid s wudem amezwer",
"image_thumbnails": "Sken tiskanin/tinfulin i tugniwin",
"show_typing_notifications": "Azen ilɣa yettuszemlen",
"show_redaction_placeholder": "Sken-d iznan yettwakksen",
"show_read_receipts": "Sken awwaḍen n tɣuri yettwaznen sɣur yiseqdacen-nniḍen",
"show_displayname_changes": "Sken isnifal n yisem yettwaskanen",
"big_emoji": "Rmed imujit ameqqran deg udiwenni",
"prompt_invite": "Suter send tuzna n tnubgiwin i yisulayen i izmren ad ilin d arimeɣta",
"start_automatically": "Bdu s wudem awurman seld tuqqna ɣer unagraw"
} }
} }

View file

@ -11,7 +11,6 @@
"No media permissions": "미디어 권한 없음", "No media permissions": "미디어 권한 없음",
"Default Device": "기본 기기", "Default Device": "기본 기기",
"Advanced": "고급", "Advanced": "고급",
"Always show message timestamps": "항상 메시지의 시간을 보이기",
"Authentication": "인증", "Authentication": "인증",
"A new password must be entered.": "새 비밀번호를 입력해주세요.", "A new password must be entered.": "새 비밀번호를 입력해주세요.",
"An error has occurred.": "오류가 발생했습니다.", "An error has occurred.": "오류가 발생했습니다.",
@ -128,7 +127,6 @@
"Server may be unavailable, overloaded, or you hit a bug.": "서버를 쓸 수 없거나 과부하거나, 오류입니다.", "Server may be unavailable, overloaded, or you hit a bug.": "서버를 쓸 수 없거나 과부하거나, 오류입니다.",
"Server unavailable, overloaded, or something else went wrong.": "서버를 쓸 수 없거나 과부하거나, 다른 문제가 있습니다.", "Server unavailable, overloaded, or something else went wrong.": "서버를 쓸 수 없거나 과부하거나, 다른 문제가 있습니다.",
"Session ID": "세션 ID", "Session ID": "세션 ID",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "시간을 12시간제로 보이기(예: 오후 2:30)",
"Signed Out": "로그아웃함", "Signed Out": "로그아웃함",
"Start authentication": "인증 시작", "Start authentication": "인증 시작",
"This email address is already in use": "이 이메일 주소는 이미 사용 중입니다", "This email address is already in use": "이 이메일 주소는 이미 사용 중입니다",
@ -201,7 +199,6 @@
"other": "(~%(count)s개의 결과)" "other": "(~%(count)s개의 결과)"
}, },
"New Password": "새 비밀번호", "New Password": "새 비밀번호",
"Start automatically after system login": "컴퓨터를 시작할 때 자동으로 실행하기",
"Passphrases must match": "암호가 일치해야 함", "Passphrases must match": "암호가 일치해야 함",
"Passphrase must not be empty": "암호를 입력해야 함", "Passphrase must not be empty": "암호를 입력해야 함",
"Export room keys": "방 키 내보내기", "Export room keys": "방 키 내보내기",
@ -315,9 +312,6 @@
"%(widgetName)s widget added by %(senderName)s": "%(senderName)s님이 추가한 %(widgetName)s 위젯", "%(widgetName)s widget added by %(senderName)s": "%(senderName)s님이 추가한 %(widgetName)s 위젯",
"%(widgetName)s widget removed by %(senderName)s": "%(senderName)s님이 제거한 %(widgetName)s 위젯", "%(widgetName)s widget removed by %(senderName)s": "%(senderName)s님이 제거한 %(widgetName)s 위젯",
"Send analytics data": "정보 분석 데이터 보내기", "Send analytics data": "정보 분석 데이터 보내기",
"Enable inline URL previews by default": "기본으로 인라인 URL 미리 보기 사용하기",
"Enable automatic language detection for syntax highlighting": "구문 강조를 위해 자동 언어 감지 사용하기",
"Automatically replace plain text Emoji": "일반 문자로 된 이모지 자동으로 변환하기",
"Mirror local video feed": "보고 있는 비디오 전송 상태 비추기", "Mirror local video feed": "보고 있는 비디오 전송 상태 비추기",
"URL previews are enabled by default for participants in this room.": "기본으로 URL 미리 보기가 이 방에 참여한 사람들 모두에게 켜졌습니다.", "URL previews are enabled by default for participants in this room.": "기본으로 URL 미리 보기가 이 방에 참여한 사람들 모두에게 켜졌습니다.",
"URL previews are disabled by default for participants in this room.": "기본으로 URL 미리 보기가 이 방에 참여한 사람들 모두에게 꺼졌습니다.", "URL previews are disabled by default for participants in this room.": "기본으로 URL 미리 보기가 이 방에 참여한 사람들 모두에게 꺼졌습니다.",
@ -423,9 +417,6 @@
"other": "%(count)s번 초대했습니다", "other": "%(count)s번 초대했습니다",
"one": "초대했습니다" "one": "초대했습니다"
}, },
"Event Content": "이벤트 내용",
"Event Type": "이벤트 종류",
"Event sent!": "이벤트를 보냈습니다!",
"Unable to load event that was replied to, it either does not exist or you do not have permission to view it.": "응답한 이벤트를 불러오지 못했습니다, 존재하지 않거나 볼 수 있는 권한이 없습니다.", "Unable to load event that was replied to, it either does not exist or you do not have permission to view it.": "응답한 이벤트를 불러오지 못했습니다, 존재하지 않거나 볼 수 있는 권한이 없습니다.",
"A text message has been sent to %(msisdn)s": "%(msisdn)s님에게 문자 메시지를 보냈습니다", "A text message has been sent to %(msisdn)s": "%(msisdn)s님에게 문자 메시지를 보냈습니다",
"was invited %(count)s times": { "was invited %(count)s times": {
@ -452,7 +443,6 @@
"Room Notification": "방 알림", "Room Notification": "방 알림",
"Notify the whole room": "방 전체에 알림", "Notify the whole room": "방 전체에 알림",
"To continue using the %(homeserverDomain)s homeserver you must review and agree to our terms and conditions.": "홈서버 %(homeserverDomain)s을(를) 계속 사용하기 위해서는 저희 이용 약관을 검토하고 동의해주세요.", "To continue using the %(homeserverDomain)s homeserver you must review and agree to our terms and conditions.": "홈서버 %(homeserverDomain)s을(를) 계속 사용하기 위해서는 저희 이용 약관을 검토하고 동의해주세요.",
"State Key": "상태 키",
"Clear Storage and Sign Out": "저장소를 지우고 로그아웃", "Clear Storage and Sign Out": "저장소를 지우고 로그아웃",
"Send Logs": "로그 보내기", "Send Logs": "로그 보내기",
"We encountered an error trying to restore your previous session.": "이전 활동을 복구하는 중 에러가 발생했습니다.", "We encountered an error trying to restore your previous session.": "이전 활동을 복구하는 중 에러가 발생했습니다.",
@ -629,13 +619,6 @@
"Straight rows of keys are easy to guess": "키의 한 줄은 추측하기 쉽습니다", "Straight rows of keys are easy to guess": "키의 한 줄은 추측하기 쉽습니다",
"Short keyboard patterns are easy to guess": "짧은 키보드 패턴은 추측하기 쉽습니다", "Short keyboard patterns are easy to guess": "짧은 키보드 패턴은 추측하기 쉽습니다",
"You do not have the required permissions to use this command.": "이 명령어를 사용하기 위해 필요한 권한이 없습니다.", "You do not have the required permissions to use this command.": "이 명령어를 사용하기 위해 필요한 권한이 없습니다.",
"Enable Emoji suggestions while typing": "입력 중 이모지 제안 켜기",
"Show a placeholder for removed messages": "감춘 메시지의 자리 표시하기",
"Show display name changes": "표시 이름 변경 사항 보이기",
"Show read receipts sent by other users": "다른 사용자가 읽은 기록 보이기",
"Enable big emoji in chat": "대화에서 큰 이모지 켜기",
"Send typing notifications": "입력 알림 보내기",
"Prompt before sending invites to potentially invalid matrix IDs": "잠재적으로 올바르지 않은 Matrix ID로 초대를 보내기 전에 확인",
"Show hidden events in timeline": "타임라인에서 숨겨진 이벤트 보이기", "Show hidden events in timeline": "타임라인에서 숨겨진 이벤트 보이기",
"Messages containing my username": "내 사용자 이름이 있는 메시지", "Messages containing my username": "내 사용자 이름이 있는 메시지",
"Messages containing @room": "@room이(가) 있는 메시지", "Messages containing @room": "@room이(가) 있는 메시지",
@ -983,7 +966,6 @@
"Notification Autocomplete": "알림 자동 완성", "Notification Autocomplete": "알림 자동 완성",
"Room Autocomplete": "방 자동 완성", "Room Autocomplete": "방 자동 완성",
"User Autocomplete": "사용자 자동 완성", "User Autocomplete": "사용자 자동 완성",
"Show previews/thumbnails for images": "이미지로 미리 보기/썸네일 보이기",
"Show image": "이미지 보이기", "Show image": "이미지 보이기",
"Clear cache and reload": "캐시 지우기 및 새로고침", "Clear cache and reload": "캐시 지우기 및 새로고침",
"%(count)s unread messages including mentions.": { "%(count)s unread messages including mentions.": {
@ -1130,7 +1112,6 @@
"Explore Public Rooms": "공개 방 살펴보기", "Explore Public Rooms": "공개 방 살펴보기",
"Manage & explore rooms": "관리 및 방 목록 보기", "Manage & explore rooms": "관리 및 방 목록 보기",
"Space home": "스페이스 홈", "Space home": "스페이스 홈",
"Clear": "지우기",
"Search for": "검색 기준", "Search for": "검색 기준",
"Search for rooms or people": "방 또는 사람 검색", "Search for rooms or people": "방 또는 사람 검색",
"Search for rooms": "방 검색", "Search for rooms": "방 검색",
@ -1164,7 +1145,6 @@
"Send feedback": "피드백 보내기", "Send feedback": "피드백 보내기",
"Feedback sent": "피드백 보내기", "Feedback sent": "피드백 보내기",
"Feedback": "피드백", "Feedback": "피드백",
"Show all rooms in Home": "모든 방을 홈에서 보기",
"Leave all rooms": "모든 방에서 떠나기", "Leave all rooms": "모든 방에서 떠나기",
"Show all rooms": "모든 방 목록 보기", "Show all rooms": "모든 방 목록 보기",
"All rooms": "모든 방 목록", "All rooms": "모든 방 목록",
@ -1265,7 +1245,6 @@
"Spell check": "맞춤법 검사", "Spell check": "맞춤법 검사",
"Unverified sessions": "검증되지 않은 세션들", "Unverified sessions": "검증되지 않은 세션들",
"Match system theme": "시스템 테마 사용", "Match system theme": "시스템 테마 사용",
"Threads timeline": "스레드 타임라인",
"Sessions": "세션목록", "Sessions": "세션목록",
"Unverified session": "검증되지 않은 세션", "Unverified session": "검증되지 않은 세션",
"Favourited": "즐겨찾기 됨", "Favourited": "즐겨찾기 됨",
@ -1383,7 +1362,8 @@
"refresh": "새로고침", "refresh": "새로고침",
"mention": "언급", "mention": "언급",
"submit": "제출", "submit": "제출",
"send_report": "신고 보내기" "send_report": "신고 보내기",
"clear": "지우기"
}, },
"labs": { "labs": {
"pinning": "메시지 고정", "pinning": "메시지 고정",
@ -1414,5 +1394,29 @@
"send_logs": "로그 보내기", "send_logs": "로그 보내기",
"github_issue": "GitHub 이슈", "github_issue": "GitHub 이슈",
"before_submitting": "로그를 전송하기 전에, 문제를 설명하는 <a>GitHub 이슈를 만들어야 합니다</a>." "before_submitting": "로그를 전송하기 전에, 문제를 설명하는 <a>GitHub 이슈를 만들어야 합니다</a>."
},
"devtools": {
"event_type": "이벤트 종류",
"state_key": "상태 키",
"event_sent": "이벤트를 보냈습니다!",
"event_content": "이벤트 내용",
"threads_timeline": "스레드 타임라인"
},
"settings": {
"use_12_hour_format": "시간을 12시간제로 보이기(예: 오후 2:30)",
"always_show_message_timestamps": "항상 메시지의 시간을 보이기",
"send_typing_notifications": "입력 알림 보내기",
"replace_plain_emoji": "일반 문자로 된 이모지 자동으로 변환하기",
"emoji_autocomplete": "입력 중 이모지 제안 켜기",
"all_rooms_home": "모든 방을 홈에서 보기",
"automatic_language_detection_syntax_highlight": "구문 강조를 위해 자동 언어 감지 사용하기",
"inline_url_previews_default": "기본으로 인라인 URL 미리 보기 사용하기",
"image_thumbnails": "이미지로 미리 보기/썸네일 보이기",
"show_redaction_placeholder": "감춘 메시지의 자리 표시하기",
"show_read_receipts": "다른 사용자가 읽은 기록 보이기",
"show_displayname_changes": "표시 이름 변경 사항 보이기",
"big_emoji": "대화에서 큰 이모지 켜기",
"prompt_invite": "잠재적으로 올바르지 않은 Matrix ID로 초대를 보내기 전에 확인",
"start_automatically": "컴퓨터를 시작할 때 자동으로 실행하기"
} }
} }

View file

@ -522,8 +522,6 @@
"Room list": "ລາຍຊື່ຫ້ອງ", "Room list": "ລາຍຊື່ຫ້ອງ",
"Show tray icon and minimise window to it on close": "ສະແດງໄອຄອນ ແລະ ຫຍໍ້ຫນ້າຕ່າງໃຫ້ມັນຢູ່ໃກ້", "Show tray icon and minimise window to it on close": "ສະແດງໄອຄອນ ແລະ ຫຍໍ້ຫນ້າຕ່າງໃຫ້ມັນຢູ່ໃກ້",
"Always show the window menu bar": "ສະແດງແຖບເມນູໜ້າຕ່າງສະເໝີ", "Always show the window menu bar": "ສະແດງແຖບເມນູໜ້າຕ່າງສະເໝີ",
"Warn before quitting": "ເຕືອນກ່ອນຢຸດຕິ",
"Start automatically after system login": "ເລີ່ມອັດຕະໂນມັດຫຼັງຈາກເຂົ້າສູ່ລະບົບ",
"Room ID or address of ban list": "IDຫ້ອງ ຫຼື ທີ່ຢູ່ຂອງລາຍການຫ້າມ", "Room ID or address of ban list": "IDຫ້ອງ ຫຼື ທີ່ຢູ່ຂອງລາຍການຫ້າມ",
"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.": "ຖ້າສິ່ງນີ້ບໍ່ແມ່ນສິ່ງທີ່ທ່ານຕ້ອງການ, ກະລຸນາໃຊ້ເຄື່ອງມືອື່ນເພື່ອລະເວັ້ນຜູ້ໃຊ້.",
"Subscribed lists": "ລາຍຊື່ທີ່ສະໝັກແລ້ວ", "Subscribed lists": "ລາຍຊື່ທີ່ສະໝັກແລ້ວ",
@ -656,7 +654,6 @@
"Umbrella": "ຄັນຮົ່ມ", "Umbrella": "ຄັນຮົ່ມ",
"Thumbs up": "ຍົກໂປ້", "Thumbs up": "ຍົກໂປ້",
"Santa": "ຊານຕາ", "Santa": "ຊານຕາ",
"Ready": "ຄວາມພ້ອມ/ພ້ອມ",
"Italics": "ໂຕໜັງສືອຽງ", "Italics": "ໂຕໜັງສືອຽງ",
"Home options": "ຕົວເລືອກໜ້າຫຼັກ", "Home options": "ຕົວເລືອກໜ້າຫຼັກ",
"%(spaceName)s menu": "ເມນູ %(spaceName)s", "%(spaceName)s menu": "ເມນູ %(spaceName)s",
@ -699,36 +696,7 @@
"Open in OpenStreetMap": "ເປີດໃນ OpenStreetMap", "Open in OpenStreetMap": "ເປີດໃນ OpenStreetMap",
"Hold": "ຖື", "Hold": "ຖື",
"Resume": "ປະຫວັດຫຍໍ້", "Resume": "ປະຫວັດຫຍໍ້",
"There was an error finding this widget.": "ມີຄວາມຜິດພາດໃນການຊອກຫາວິດເຈັດນີ້.",
"No verification requests found": "ບໍ່ພົບການຮ້ອງຂໍການຢັ້ງຢືນ",
"Observe only": "ສັງເກດເທົ່ານັ້ນ",
"Requester": "ຜູ້ຮ້ອງຂໍ",
"Methods": "ວິທີການ",
"Timeout": "ຫມົດເວລາ",
"Phase": "ໄລຍະ",
"Transaction": "ທຸລະກໍາ",
"Cancelled": "ຍົກເລີກ",
"Started": "ໄດ້ເລີ່ມແລ້ວ",
"Requested": "ຮ້ອງຂໍ",
"Unsent": "ຍັງບໍ່ໄດ້ສົ່ງ", "Unsent": "ຍັງບໍ່ໄດ້ສົ່ງ",
"Edit setting": "ແກ້ໄຂການຕັ້ງຄ່າ",
"Value in this room": "ຄ່າໃນຫ້ອງນີ້",
"Value": "ຄ່າ",
"Setting ID": "ການຕັ້ງຄ່າ ID",
"Values at explicit levels in this room:": "ຄ່າໃນລະດັບທີ່ຊັດເຈນຢູ່ໃນຫ້ອງນີ້:",
"Values at explicit levels:": "ຄ່າໃນລະດັບທີ່ຊັດເຈນ:",
"Value in this room:": "ຄ່າໃນຫ້ອງນີ້:",
"Value:": "ມູນຄ່າ:",
"Edit values": "ແກ້ໄຂຄ່າ",
"Values at explicit levels in this room": "ປະເມີນຄ່າໃນລະດັບທີ່ຊັດເຈນຢູ່ໃນຫ້ອງນີ້",
"Values at explicit levels": "ຄຸນຄ່າໃນລະດັບທີ່ຊັດເຈນ",
"Settable at room": "ຕັ້ງຄ່າໄດ້ຢູ່ທີ່ຫ້ອງ",
"Settable at global": "ຕັ້ງຄ່າໄດ້ໃນທົ່ວໂລກ",
"Level": "ລະດັບ",
"Setting definition:": "ຄໍານິຍາມການຕັ້ງຄ່າ:",
"This UI does NOT check the types of the values. Use at your own risk.": "UI ນີ້ບໍ່ໄດ້ກວດເບິ່ງປະເພດຂອງຄ່າ. ໃຊ້ຢູ່ໃນຄວາມສ່ຽງຂອງທ່ານເອງ.",
"Caution:": "ຂໍ້ຄວນລະວັງ:",
"Setting:": "ການຕັ້ງຄ່າ:",
"%(oneUser)schanged their name %(count)s times": { "%(oneUser)schanged their name %(count)s times": {
"one": "%(oneUser)sໄດ້ປ່ຽນຊື່ຂອງເຂົາເຈົ້າ", "one": "%(oneUser)sໄດ້ປ່ຽນຊື່ຂອງເຂົາເຈົ້າ",
"other": "%(oneUser)sປ່ຽນຊື່ຂອງເຂົາເຈົ້າ %(count)sຄັ້ງ" "other": "%(oneUser)sປ່ຽນຊື່ຂອງເຂົາເຈົ້າ %(count)sຄັ້ງ"
@ -1630,25 +1598,8 @@
"Updated %(humanizedUpdateTime)s": "ອັບເດດ %(humanizedUpdateTime)s", "Updated %(humanizedUpdateTime)s": "ອັບເດດ %(humanizedUpdateTime)s",
"Space home": "ພຶ້ນທີ່ home", "Space home": "ພຶ້ນທີ່ home",
"Resend %(unsentCount)s reaction(s)": "ສົ່ງການໂຕ້ຕອບ %(unsentCount)s ຄືນໃໝ່", "Resend %(unsentCount)s reaction(s)": "ສົ່ງການໂຕ້ຕອບ %(unsentCount)s ຄືນໃໝ່",
"Save setting values": "ບັນທຶກຄ່າການຕັ້ງຄ່າ",
"Failed to save settings.": "ການບັນທຶກການຕັ້ງຄ່າບໍ່ສຳເລັດ.",
"Number of users": "ຈໍານວນຜູ້ໃຊ້",
"Server": "ເຊີບເວີ",
"Server Versions": "ເວີຊັ່ນເຊີບເວີ",
"Client Versions": "ລຸ້ນຂອງລູກຄ້າ",
"Failed to load.": "ໂຫຼດບໍ່ສຳເລັດ.",
"Capabilities": "ຄວາມສາມາດ",
"Send custom state event": "ສົ່ງທາງລັດແບບກຳນົດເອງ",
"No results found": "ບໍ່ພົບຜົນການຊອກຫາ", "No results found": "ບໍ່ພົບຜົນການຊອກຫາ",
"Filter results": "ການກັ່ນຕອງຜົນຮັບ", "Filter results": "ການກັ່ນຕອງຜົນຮັບ",
"Event Content": "ເນື້ອໃນວຽກ",
"Event sent!": "ສົ່ງວຽກແລ້ວ!",
"Failed to send event!": "ສົ່ງນັດໝາຍບໍ່ສຳເລັດ!",
"Doesn't look like valid JSON.": "ເບິ່ງຄືວ່າ JSON ບໍ່ຖືກຕ້ອງ.",
"State Key": "ປຸມລັດ",
"Event Type": "ປະເພດວຽກ",
"Send custom room account data event": "ສົ່ງຂໍ້ມູນບັນຊີຫ້ອງແບບກຳນົດເອງ",
"Send custom account data event": "ສົ່ງຂໍ້ມູນບັນຊີແບບກຳນົດເອງທຸກເຫດການ",
"If you've forgotten your Security Key you can <button>set up new recovery options</button>": "ຖ້າທ່ານລືມກະແຈຄວາມປອດໄພຂອງທ່ານ ທ່ານສາມາດ <button>ຕັ້ງຄ່າຕົວເລືອກການຟື້ນຕົວໃຫມ່</button>", "If you've forgotten your Security Key you can <button>set up new recovery options</button>": "ຖ້າທ່ານລືມກະແຈຄວາມປອດໄພຂອງທ່ານ ທ່ານສາມາດ <button>ຕັ້ງຄ່າຕົວເລືອກການຟື້ນຕົວໃຫມ່</button>",
"Access your secure message history and set up secure messaging by entering your Security Key.": "ເຂົ້າເຖິງປະຫວັດຂໍ້ຄວາມທີ່ປອດໄພຂອງທ່ານ ແລະ ຕັ້ງຄ່າການສົ່ງຂໍ້ຄວາມທີ່ປອດໄພໂດຍການໃສ່ກະແຈຄວາມປອດໄພຂອງທ່ານ.", "Access your secure message history and set up secure messaging by entering your Security Key.": "ເຂົ້າເຖິງປະຫວັດຂໍ້ຄວາມທີ່ປອດໄພຂອງທ່ານ ແລະ ຕັ້ງຄ່າການສົ່ງຂໍ້ຄວາມທີ່ປອດໄພໂດຍການໃສ່ກະແຈຄວາມປອດໄພຂອງທ່ານ.",
"Not a valid Security Key": "ກະແຈຄວາມປອດໄພບໍ່ຖືກຕ້ອງ", "Not a valid Security Key": "ກະແຈຄວາມປອດໄພບໍ່ຖືກຕ້ອງ",
@ -1728,7 +1679,6 @@
"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>.",
"Search Dialog": "ຊອກຫາ ກ່ອງໂຕ້ຕອບ", "Search Dialog": "ຊອກຫາ ກ່ອງໂຕ້ຕອບ",
"Use <arrows/> to scroll": "ໃຊ້ <arrows/> ເພື່ອເລື່ອນ", "Use <arrows/> to scroll": "ໃຊ້ <arrows/> ເພື່ອເລື່ອນ",
"Clear": "ຈະແຈ້ງ",
"Recent searches": "ການຄົ້ນຫາທີ່ຜ່ານມາ", "Recent searches": "ການຄົ້ນຫາທີ່ຜ່ານມາ",
"To search messages, look for this icon at the top of a room <icon/>": "ເພື່ອຊອກຫາຂໍ້ຄວາມ, ຊອກຫາໄອຄອນນີ້ຢູ່ເທິງສຸດຂອງຫ້ອງ <icon/>", "To search messages, look for this icon at the top of a room <icon/>": "ເພື່ອຊອກຫາຂໍ້ຄວາມ, ຊອກຫາໄອຄອນນີ້ຢູ່ເທິງສຸດຂອງຫ້ອງ <icon/>",
"Other searches": "ການຄົ້ນຫາອື່ນໆ", "Other searches": "ການຄົ້ນຫາອື່ນໆ",
@ -2091,21 +2041,14 @@
"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": "ສົ່ງບັນທຶກ ບັນຫາບັກ ໂດຍອັດຕະໂນມັດກ່ຽວກັບຂໍ້ຜິດພາດໃດໆ",
"Developer mode": "ຮູບແບບນັກພັດທະນາ", "Developer mode": "ຮູບແບບນັກພັດທະນາ",
"All rooms you're in will appear in Home.": "ຫ້ອງທັງໝົດທີ່ທ່ານຢູ່ຈະປາກົດຢູ່ໃນໜ້າ Home.",
"Show all rooms in Home": "ສະແດງຫ້ອງທັງໝົດໃນໜ້າ Home",
"Show chat effects (animations when receiving e.g. confetti)": "ສະແດງຜົນກະທົບການສົນທະນາ (ພາບເຄື່ອນໄຫວໃນເວລາທີ່ໄດ້ຮັບເຊັ່ນ: confetti)",
"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.": "ຂໍ້ຄວາມຄວນຖືກດາວໂຫຼດໄວເທົ່າໃດ.",
"Enable message search in encrypted rooms": "ເປີດໃຊ້ການຊອກຫາຂໍ້ຄວາມຢູ່ໃນຫ້ອງທີ່ຖືກເຂົ້າລະຫັດ", "Enable message search in encrypted rooms": "ເປີດໃຊ້ການຊອກຫາຂໍ້ຄວາມຢູ່ໃນຫ້ອງທີ່ຖືກເຂົ້າລະຫັດ",
"Show previews/thumbnails for images": "ສະແດງຕົວຢ່າງ/ຮູບຕົວຢ່າງສຳລັບຮູບພາບ",
"Show hidden events in timeline": "ສະແດງເຫດການທີ່ເຊື່ອງໄວ້ໃນທາມລາຍ", "Show hidden events in timeline": "ສະແດງເຫດການທີ່ເຊື່ອງໄວ້ໃນທາມລາຍ",
"Show shortcuts to recently viewed rooms above the room list": "ສະແດງທາງລັດໄປຫາຫ້ອງທີ່ເບິ່ງເມື່ອບໍ່ດົນມານີ້ຂ້າງເທິງລາຍການຫ້ອງ",
"Prompt before sending invites to potentially invalid matrix IDs": "ເຕືອນກ່ອນທີ່ຈະສົ່ງຄໍາເຊີນໄປຫາ ID matrix ທີ່ອາດຈະບໍ່ຖືກຕ້ອງ",
"Enable widget screenshots on supported widgets": "ເປີດໃຊ້ widget ຖ່າຍໜ້າຈໍໃນ widget ທີ່ຮອງຮັບ", "Enable widget screenshots on supported widgets": "ເປີດໃຊ້ widget ຖ່າຍໜ້າຈໍໃນ widget ທີ່ຮອງຮັບ",
"Enable URL previews by default for participants in this room": "ເປີດໃຊ້ການສະແດງຕົວຢ່າງ URL ໂດຍຄ່າເລີ່ມຕົ້ນສໍາລັບຜູ້ເຂົ້າຮ່ວມໃນຫ້ອງນີ້", "Enable URL previews by default for participants in this room": "ເປີດໃຊ້ການສະແດງຕົວຢ່າງ URL ໂດຍຄ່າເລີ່ມຕົ້ນສໍາລັບຜູ້ເຂົ້າຮ່ວມໃນຫ້ອງນີ້",
"Enable URL previews for this room (only affects you)": "ເປີດໃຊ້ຕົວຢ່າງ URL ສໍາລັບຫ້ອງນີ້ (ມີຜົນຕໍ່ທ່ານເທົ່ານັ້ນ)", "Enable URL previews for this room (only affects you)": "ເປີດໃຊ້ຕົວຢ່າງ URL ສໍາລັບຫ້ອງນີ້ (ມີຜົນຕໍ່ທ່ານເທົ່ານັ້ນ)",
"Enable inline URL previews by default": "ເປີດໃຊ້ການສະແດງຕົວຢ່າງ URL ໃນແຖວຕາມຄ່າເລີ່ມຕົ້ນ",
"Never send encrypted messages to unverified sessions in this room from this session": "ບໍ່ສົ່ງຂໍ້ຄວາມເຂົ້າລະຫັດໄປຫາລະບົບທີ່ບໍ່ໄດ້ຢືນຢັນໃນຫ້ອງນີ້ຈາກລະບົບນີ້", "Never send encrypted messages to unverified sessions in this room from this session": "ບໍ່ສົ່ງຂໍ້ຄວາມເຂົ້າລະຫັດໄປຫາລະບົບທີ່ບໍ່ໄດ້ຢືນຢັນໃນຫ້ອງນີ້ຈາກລະບົບນີ້",
"Never send encrypted messages to unverified sessions from this session": "ບໍ່ສົ່ງຂໍ້ຄວາມເຂົ້າລະຫັດໄປຫາລະບົບທີ່ບໍ່ໄດ້ຢືນຢັນຈາກລະບົບນີ້", "Never send encrypted messages to unverified sessions from this session": "ບໍ່ສົ່ງຂໍ້ຄວາມເຂົ້າລະຫັດໄປຫາລະບົບທີ່ບໍ່ໄດ້ຢືນຢັນຈາກລະບົບນີ້",
"Send analytics data": "ສົ່ງຂໍ້ມູນການວິເຄາະ", "Send analytics data": "ສົ່ງຂໍ້ມູນການວິເຄາະ",
@ -2113,33 +2056,9 @@
"Use a system font": "ໃຊ້ຕົວອັກສອນຂອງລະບົບ", "Use a system font": "ໃຊ້ຕົວອັກສອນຂອງລະບົບ",
"Match system theme": "ລະບົບຈັບຄູ່ຫົວຂໍ້", "Match system theme": "ລະບົບຈັບຄູ່ຫົວຂໍ້",
"Mirror local video feed": "ເບິ່ງຟີດວິດີໂອທ້ອງຖິ່ນ", "Mirror local video feed": "ເບິ່ງຟີດວິດີໂອທ້ອງຖິ່ນ",
"Enable Markdown": "ເປີດໃຊ້ Markdown",
"Automatically replace plain text Emoji": "ປ່ຽນແທນ Emoji ຂໍ້ຄວາມທຳມະດາໂດຍອັດຕະໂນມັດ",
"Surround selected text when typing special characters": "ອ້ອມຮອບຂໍ້ຄວາມທີ່ເລືອກໃນເວລາພິມຕົວອັກສອນພິເສດ", "Surround selected text when typing special characters": "ອ້ອມຮອບຂໍ້ຄວາມທີ່ເລືອກໃນເວລາພິມຕົວອັກສອນພິເສດ",
"Use Ctrl + Enter to send a message": "ໃຊ້ Ctrl + Enter ເພື່ອສົ່ງຂໍ້ຄວາມ",
"Use Command + Enter to send a message": "ໃຊ້ Command + Enter ເພື່ອສົ່ງຂໍ້ຄວາມ",
"Use Ctrl + F to search timeline": "ໃຊ້ Ctrl + F ເພື່ອຊອກຫາເສັ້ນເວລາ",
"Use Command + F to search timeline": "ໃຊ້ຄໍາສັ່ງ + F ເພື່ອຊອກຫາເສັ້ນເວລາ",
"Show typing notifications": "ສະແດງການແຈ້ງເຕືອນການພິມ",
"Send typing notifications": "ສົ່ງການແຈ້ງເຕືອນການພິມ",
"Enable big emoji in chat": "ເປີດໃຊ້ emoji ໃຫຍ່ໃນການສົນທະນາ",
"Jump to the bottom of the timeline when you send a message": "ໄປຫາລຸ່ມສຸດຂອງທາມລາຍເມື່ອທ່ານສົ່ງຂໍ້ຄວາມ",
"Show line numbers in code blocks": "ສະແດງຕົວເລກແຖວຢູ່ໃນບລັອກລະຫັດ",
"Expand code blocks by default": "ຂະຫຍາຍບລັອກລະຫັດຕາມຄ່າເລີ່ມຕົ້ນ",
"Enable automatic language detection for syntax highlighting": "ເປີດໃຊ້ການກວດຫາພາສາອັດຕະໂນມັດສຳລັບການເນັ້ນໄວຍະກອນ",
"Autoplay videos": "ຫຼິ້ນວິດີໂອອັດຕະໂນມັດ",
"Autoplay GIFs": "ຫຼິ້ນ GIFs ອັດຕະໂນມັດ",
"Always show message timestamps": "ສະແດງເວລາຂອງຂໍ້ຄວາມສະເໝີ",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "ສະແດງເວລາໃນຮູບແບບ 12 ຊົ່ວໂມງ (ເຊັ່ນ: 2:30 ໂມງແລງ)",
"Show read receipts sent by other users": "ສະແດງໃບຮັບຮອງການອ່ານທີ່ສົ່ງໂດຍຜູ້ໃຊ້ອື່ນ",
"Show display name changes": "ສະແດງການປ່ຽນແປງຊື່",
"Show join/leave messages (invites/removes/bans unaffected)": "ສະແດງໃຫ້ເຫັນການເຂົ້າຮ່ວມ / ອອກຈາກຂໍ້ຄວາມ (ການເຊື້ອເຊີນ / ເອົາ / ຫ້າມ ບໍ່ໄຫ້ມີຜົນກະທົບ)",
"Show a placeholder for removed messages": "ສະແດງຕົວຍຶດຕຳແໜ່ງສໍາລັບຂໍ້ຄວາມທີ່ຖືກລົບອອກ",
"Use a more compact 'Modern' layout": "ໃຊ້ຮູບແບບ 'ທັນສະໄຫມ' ທີ່ກະທັດຮັດກວ່າ", "Use a more compact 'Modern' layout": "ໃຊ້ຮູບແບບ 'ທັນສະໄຫມ' ທີ່ກະທັດຮັດກວ່າ",
"Insert a trailing colon after user mentions at the start of a message": "ຈໍ້າສອງເມັດພາຍຫຼັງຈາກຜູ້ໃຊ້ກ່າວເຖິງໃນຕອນເລີ່ມຕົ້ນຂອງຂໍ້ຄວາມ",
"Show polls button": "ສະແດງປຸ່ມແບບສຳຫຼວດ", "Show polls button": "ສະແດງປຸ່ມແບບສຳຫຼວດ",
"Show stickers button": "ສະແດງປຸ່ມສະຕິກເກີ",
"Enable Emoji suggestions while typing": "ເປີດໃຊ້ການແນະນຳອີໂມຈິໃນຂະນະທີ່ພິມ",
"Use custom size": "ໃຊ້ຂະຫນາດທີ່ກໍາຫນົດເອງ", "Use custom size": "ໃຊ້ຂະຫນາດທີ່ກໍາຫນົດເອງ",
"Font size": "ຂະໜາດຕົວອັກສອນ", "Font size": "ຂະໜາດຕົວອັກສອນ",
"Leave the beta": "ອອກຈາກເບຕ້າ", "Leave the beta": "ອອກຈາກເບຕ້າ",
@ -2996,11 +2915,6 @@
"a new cross-signing key signature": "ການລົງລາຍເຊັນ cross-signing ແບບໃໝ່", "a new cross-signing key signature": "ການລົງລາຍເຊັນ cross-signing ແບບໃໝ່",
"Thank you!": "ຂອບໃຈ!", "Thank you!": "ຂອບໃຈ!",
"Please pick a nature and describe what makes this message abusive.": "ກະລຸນາເລືອກລັກສະນະ ແລະ ການອະທິບາຍຂອງຂໍ້ຄວາມໃດໜຶ່ງທີ່ສຸພາບ.", "Please pick a nature and describe what makes this message abusive.": "ກະລຸນາເລືອກລັກສະນະ ແລະ ການອະທິບາຍຂອງຂໍ້ຄວາມໃດໜຶ່ງທີ່ສຸພາບ.",
"<empty string>": "<Empty string>",
"<%(count)s spaces>": {
"one": "<space>",
"other": "<%(count)s spaces>"
},
"Link to room": "ເຊື່ອມຕໍ່ທີ່ຫ້ອງ", "Link to room": "ເຊື່ອມຕໍ່ທີ່ຫ້ອງ",
"Link to selected message": "ເຊື່ອມຕໍ່ກັບຂໍ້ຄວາມທີ່ເລືອກ", "Link to selected message": "ເຊື່ອມຕໍ່ກັບຂໍ້ຄວາມທີ່ເລືອກ",
"Share Room Message": "ແບ່ງປັນຂໍ້ຄວາມໃນຫ້ອງ", "Share Room Message": "ແບ່ງປັນຂໍ້ຄວາມໃນຫ້ອງ",
@ -3104,7 +3018,6 @@
}, },
"View related event": "ເບິ່ງເຫດການທີ່ກ່ຽວຂ້ອງ", "View related event": "ເບິ່ງເຫດການທີ່ກ່ຽວຂ້ອງ",
"Read receipts": "ຢັ້ງຢືນອ່ານແລ້ວ", "Read receipts": "ຢັ້ງຢືນອ່ານແລ້ວ",
"Enable hardware acceleration (restart %(appName)s to take effect)": "ເພີ່ມຂີດຄວາມສາມາດຂອງອຸປະກອນ (ບູສແອັບ %(appName)s ນີ້ໃໝ່ເພື່ອເຫັນຜົນ)",
"common": { "common": {
"about": "ກ່ຽວກັບ", "about": "ກ່ຽວກັບ",
"analytics": "ວິເຄາະ", "analytics": "ວິເຄາະ",
@ -3170,7 +3083,9 @@
"matrix": "Matrix", "matrix": "Matrix",
"trusted": "ເຊື່ອຖືໄດ້", "trusted": "ເຊື່ອຖືໄດ້",
"not_trusted": "ເຊື່ອຖືບໍ່ໄດ້", "not_trusted": "ເຊື່ອຖືບໍ່ໄດ້",
"accessibility": "ການເຂົ້າເຖິງ" "accessibility": "ການເຂົ້າເຖິງ",
"capabilities": "ຄວາມສາມາດ",
"server": "ເຊີບເວີ"
}, },
"action": { "action": {
"continue": "ສືບຕໍ່", "continue": "ສືບຕໍ່",
@ -3263,7 +3178,8 @@
"maximise": "ສູງສຸດ", "maximise": "ສູງສຸດ",
"mention": "ກ່າວເຖິງ", "mention": "ກ່າວເຖິງ",
"submit": "ສົ່ງ", "submit": "ສົ່ງ",
"send_report": "ສົ່ງບົດລາຍງານ" "send_report": "ສົ່ງບົດລາຍງານ",
"clear": "ຈະແຈ້ງ"
}, },
"a11y": { "a11y": {
"user_menu": "ເມນູຜູ້ໃຊ້" "user_menu": "ເມນູຜູ້ໃຊ້"
@ -3329,5 +3245,93 @@
"short_seconds": "%(value)ss", "short_seconds": "%(value)ss",
"last_week": "ອາທິດທີ່ແລ້ວ", "last_week": "ອາທິດທີ່ແລ້ວ",
"last_month": "ເດືອນທີ່ແລ້ວ" "last_month": "ເດືອນທີ່ແລ້ວ"
},
"devtools": {
"send_custom_account_data_event": "ສົ່ງຂໍ້ມູນບັນຊີແບບກຳນົດເອງທຸກເຫດການ",
"send_custom_room_account_data_event": "ສົ່ງຂໍ້ມູນບັນຊີຫ້ອງແບບກຳນົດເອງ",
"event_type": "ປະເພດວຽກ",
"state_key": "ປຸມລັດ",
"invalid_json": "ເບິ່ງຄືວ່າ JSON ບໍ່ຖືກຕ້ອງ.",
"failed_to_send": "ສົ່ງນັດໝາຍບໍ່ສຳເລັດ!",
"event_sent": "ສົ່ງວຽກແລ້ວ!",
"event_content": "ເນື້ອໃນວຽກ",
"spaces": {
"one": "<space>",
"other": "<%(count)s spaces>"
},
"empty_string": "<Empty string>",
"send_custom_state_event": "ສົ່ງທາງລັດແບບກຳນົດເອງ",
"failed_to_load": "ໂຫຼດບໍ່ສຳເລັດ.",
"client_versions": "ລຸ້ນຂອງລູກຄ້າ",
"server_versions": "ເວີຊັ່ນເຊີບເວີ",
"number_of_users": "ຈໍານວນຜູ້ໃຊ້",
"failed_to_save": "ການບັນທຶກການຕັ້ງຄ່າບໍ່ສຳເລັດ.",
"save_setting_values": "ບັນທຶກຄ່າການຕັ້ງຄ່າ",
"setting_colon": "ການຕັ້ງຄ່າ:",
"caution_colon": "ຂໍ້ຄວນລະວັງ:",
"use_at_own_risk": "UI ນີ້ບໍ່ໄດ້ກວດເບິ່ງປະເພດຂອງຄ່າ. ໃຊ້ຢູ່ໃນຄວາມສ່ຽງຂອງທ່ານເອງ.",
"setting_definition": "ຄໍານິຍາມການຕັ້ງຄ່າ:",
"level": "ລະດັບ",
"settable_global": "ຕັ້ງຄ່າໄດ້ໃນທົ່ວໂລກ",
"settable_room": "ຕັ້ງຄ່າໄດ້ຢູ່ທີ່ຫ້ອງ",
"values_explicit": "ຄຸນຄ່າໃນລະດັບທີ່ຊັດເຈນ",
"values_explicit_room": "ປະເມີນຄ່າໃນລະດັບທີ່ຊັດເຈນຢູ່ໃນຫ້ອງນີ້",
"edit_values": "ແກ້ໄຂຄ່າ",
"value_colon": "ມູນຄ່າ:",
"value_this_room_colon": "ຄ່າໃນຫ້ອງນີ້:",
"values_explicit_colon": "ຄ່າໃນລະດັບທີ່ຊັດເຈນ:",
"values_explicit_this_room_colon": "ຄ່າໃນລະດັບທີ່ຊັດເຈນຢູ່ໃນຫ້ອງນີ້:",
"setting_id": "ການຕັ້ງຄ່າ ID",
"value": "ຄ່າ",
"value_in_this_room": "ຄ່າໃນຫ້ອງນີ້",
"edit_setting": "ແກ້ໄຂການຕັ້ງຄ່າ",
"phase_requested": "ຮ້ອງຂໍ",
"phase_ready": "ຄວາມພ້ອມ/ພ້ອມ",
"phase_started": "ໄດ້ເລີ່ມແລ້ວ",
"phase_cancelled": "ຍົກເລີກ",
"phase_transaction": "ທຸລະກໍາ",
"phase": "ໄລຍະ",
"timeout": "ຫມົດເວລາ",
"methods": "ວິທີການ",
"requester": "ຜູ້ຮ້ອງຂໍ",
"observe_only": "ສັງເກດເທົ່ານັ້ນ",
"no_verification_requests_found": "ບໍ່ພົບການຮ້ອງຂໍການຢັ້ງຢືນ",
"failed_to_find_widget": "ມີຄວາມຜິດພາດໃນການຊອກຫາວິດເຈັດນີ້."
},
"settings": {
"show_breadcrumbs": "ສະແດງທາງລັດໄປຫາຫ້ອງທີ່ເບິ່ງເມື່ອບໍ່ດົນມານີ້ຂ້າງເທິງລາຍການຫ້ອງ",
"all_rooms_home_description": "ຫ້ອງທັງໝົດທີ່ທ່ານຢູ່ຈະປາກົດຢູ່ໃນໜ້າ Home.",
"use_command_f_search": "ໃຊ້ຄໍາສັ່ງ + F ເພື່ອຊອກຫາເສັ້ນເວລາ",
"use_control_f_search": "ໃຊ້ Ctrl + F ເພື່ອຊອກຫາເສັ້ນເວລາ",
"use_12_hour_format": "ສະແດງເວລາໃນຮູບແບບ 12 ຊົ່ວໂມງ (ເຊັ່ນ: 2:30 ໂມງແລງ)",
"always_show_message_timestamps": "ສະແດງເວລາຂອງຂໍ້ຄວາມສະເໝີ",
"send_typing_notifications": "ສົ່ງການແຈ້ງເຕືອນການພິມ",
"replace_plain_emoji": "ປ່ຽນແທນ Emoji ຂໍ້ຄວາມທຳມະດາໂດຍອັດຕະໂນມັດ",
"enable_markdown": "ເປີດໃຊ້ Markdown",
"emoji_autocomplete": "ເປີດໃຊ້ການແນະນຳອີໂມຈິໃນຂະນະທີ່ພິມ",
"use_command_enter_send_message": "ໃຊ້ Command + Enter ເພື່ອສົ່ງຂໍ້ຄວາມ",
"use_control_enter_send_message": "ໃຊ້ Ctrl + Enter ເພື່ອສົ່ງຂໍ້ຄວາມ",
"all_rooms_home": "ສະແດງຫ້ອງທັງໝົດໃນໜ້າ Home",
"show_stickers_button": "ສະແດງປຸ່ມສະຕິກເກີ",
"insert_trailing_colon_mentions": "ຈໍ້າສອງເມັດພາຍຫຼັງຈາກຜູ້ໃຊ້ກ່າວເຖິງໃນຕອນເລີ່ມຕົ້ນຂອງຂໍ້ຄວາມ",
"automatic_language_detection_syntax_highlight": "ເປີດໃຊ້ການກວດຫາພາສາອັດຕະໂນມັດສຳລັບການເນັ້ນໄວຍະກອນ",
"code_block_expand_default": "ຂະຫຍາຍບລັອກລະຫັດຕາມຄ່າເລີ່ມຕົ້ນ",
"code_block_line_numbers": "ສະແດງຕົວເລກແຖວຢູ່ໃນບລັອກລະຫັດ",
"inline_url_previews_default": "ເປີດໃຊ້ການສະແດງຕົວຢ່າງ URL ໃນແຖວຕາມຄ່າເລີ່ມຕົ້ນ",
"autoplay_gifs": "ຫຼິ້ນ GIFs ອັດຕະໂນມັດ",
"autoplay_videos": "ຫຼິ້ນວິດີໂອອັດຕະໂນມັດ",
"image_thumbnails": "ສະແດງຕົວຢ່າງ/ຮູບຕົວຢ່າງສຳລັບຮູບພາບ",
"show_typing_notifications": "ສະແດງການແຈ້ງເຕືອນການພິມ",
"show_redaction_placeholder": "ສະແດງຕົວຍຶດຕຳແໜ່ງສໍາລັບຂໍ້ຄວາມທີ່ຖືກລົບອອກ",
"show_read_receipts": "ສະແດງໃບຮັບຮອງການອ່ານທີ່ສົ່ງໂດຍຜູ້ໃຊ້ອື່ນ",
"show_join_leave": "ສະແດງໃຫ້ເຫັນການເຂົ້າຮ່ວມ / ອອກຈາກຂໍ້ຄວາມ (ການເຊື້ອເຊີນ / ເອົາ / ຫ້າມ ບໍ່ໄຫ້ມີຜົນກະທົບ)",
"show_displayname_changes": "ສະແດງການປ່ຽນແປງຊື່",
"show_chat_effects": "ສະແດງຜົນກະທົບການສົນທະນາ (ພາບເຄື່ອນໄຫວໃນເວລາທີ່ໄດ້ຮັບເຊັ່ນ: confetti)",
"big_emoji": "ເປີດໃຊ້ emoji ໃຫຍ່ໃນການສົນທະນາ",
"jump_to_bottom_on_send": "ໄປຫາລຸ່ມສຸດຂອງທາມລາຍເມື່ອທ່ານສົ່ງຂໍ້ຄວາມ",
"prompt_invite": "ເຕືອນກ່ອນທີ່ຈະສົ່ງຄໍາເຊີນໄປຫາ ID matrix ທີ່ອາດຈະບໍ່ຖືກຕ້ອງ",
"hardware_acceleration": "ເພີ່ມຂີດຄວາມສາມາດຂອງອຸປະກອນ (ບູສແອັບ %(appName)s ນີ້ໃໝ່ເພື່ອເຫັນຜົນ)",
"start_automatically": "ເລີ່ມອັດຕະໂນມັດຫຼັງຈາກເຂົ້າສູ່ລະບົບ",
"warn_quit": "ເຕືອນກ່ອນຢຸດຕິ"
} }
} }

View file

@ -27,7 +27,6 @@
"When I'm invited to a room": "Kai mane pakviečia į kambarį", "When I'm invited to a room": "Kai mane pakviečia į kambarį",
"Tuesday": "Antradienis", "Tuesday": "Antradienis",
"Search…": "Paieška…", "Search…": "Paieška…",
"Event sent!": "Įvykis išsiųstas!",
"Unnamed room": "Kambarys be pavadinimo", "Unnamed room": "Kambarys be pavadinimo",
"Saturday": "Šeštadienis", "Saturday": "Šeštadienis",
"Online": "Prisijungęs", "Online": "Prisijungęs",
@ -43,7 +42,6 @@
"unknown error code": "nežinomas klaidos kodas", "unknown error code": "nežinomas klaidos kodas",
"Call invitation": "Skambučio pakvietimas", "Call invitation": "Skambučio pakvietimas",
"Messages containing my display name": "Žinutės, kuriose yra mano rodomas vardas", "Messages containing my display name": "Žinutės, kuriose yra mano rodomas vardas",
"State Key": "Būklės raktas",
"What's new?": "Kas naujo?", "What's new?": "Kas naujo?",
"Invite to this room": "Pakviesti į šį kambarį", "Invite to this room": "Pakviesti į šį kambarį",
"You cannot delete this message. (%(code)s)": "Jūs negalite trinti šios žinutės. (%(code)s)", "You cannot delete this message. (%(code)s)": "Jūs negalite trinti šios žinutės. (%(code)s)",
@ -54,9 +52,7 @@
"Error encountered (%(errorDetail)s).": "Susidurta su klaida (%(errorDetail)s).", "Error encountered (%(errorDetail)s).": "Susidurta su klaida (%(errorDetail)s).",
"Low Priority": "Žemo prioriteto", "Low Priority": "Žemo prioriteto",
"Off": "Išjungta", "Off": "Išjungta",
"Event Type": "Įvykio tipas",
"Developer Tools": "Programuotojo Įrankiai", "Developer Tools": "Programuotojo Įrankiai",
"Event Content": "Įvykio turinys",
"Thank you!": "Ačiū!", "Thank you!": "Ačiū!",
"Call Failed": "Skambutis Nepavyko", "Call Failed": "Skambutis Nepavyko",
"Permission Required": "Reikalingas Leidimas", "Permission Required": "Reikalingas Leidimas",
@ -110,8 +106,6 @@
"%(senderDisplayName)s changed the room name to %(roomName)s.": "%(senderDisplayName)s pakeitė kambario pavadinimą į %(roomName)s.", "%(senderDisplayName)s changed the room name to %(roomName)s.": "%(senderDisplayName)s pakeitė kambario pavadinimą į %(roomName)s.",
"%(senderDisplayName)s sent an image.": "%(senderDisplayName)s išsiuntė vaizdą.", "%(senderDisplayName)s sent an image.": "%(senderDisplayName)s išsiuntė vaizdą.",
"Unnamed Room": "Bevardis Kambarys", "Unnamed Room": "Bevardis Kambarys",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "Rodyti laiko žymes 12 valandų formatu (pvz. 2:30pm)",
"Always show message timestamps": "Visada rodyti žinučių laiko žymes",
"Incorrect verification code": "Neteisingas patvirtinimo kodas", "Incorrect verification code": "Neteisingas patvirtinimo kodas",
"Phone": "Telefonas", "Phone": "Telefonas",
"No display name": "Nėra rodomo vardo", "No display name": "Nėra rodomo vardo",
@ -243,7 +237,6 @@
"Usage": "Naudojimas", "Usage": "Naudojimas",
"%(senderName)s changed the pinned messages for the room.": "%(senderName)s pakeitė prisegtas kambario žinutes.", "%(senderName)s changed the pinned messages for the room.": "%(senderName)s pakeitė prisegtas kambario žinutes.",
"Please contact your homeserver administrator.": "Susisiekite su savo serverio administratoriumi.", "Please contact your homeserver administrator.": "Susisiekite su savo serverio administratoriumi.",
"Enable inline URL previews by default": "Įjungti URL nuorodų peržiūras kaip numatytasias",
"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",
"Confirm password": "Patvirtinkite slaptažodį", "Confirm password": "Patvirtinkite slaptažodį",
@ -596,8 +589,6 @@
"Autocomplete": "Autorašymas", "Autocomplete": "Autorašymas",
"Verify this session": "Patvirtinti šį seansą", "Verify this session": "Patvirtinti šį seansą",
"%(senderDisplayName)s changed the room name from %(oldRoomName)s to %(newRoomName)s.": "%(senderDisplayName)s pakeitė kambario pavadinimą iš %(oldRoomName)s į %(newRoomName)s.", "%(senderDisplayName)s changed the room name from %(oldRoomName)s to %(newRoomName)s.": "%(senderDisplayName)s pakeitė kambario pavadinimą iš %(oldRoomName)s į %(newRoomName)s.",
"Show display name changes": "Rodyti rodomo vardo pakeitimus",
"Show read receipts sent by other users": "Rodyti kitų vartotojų siųstus perskaitymo kvitus",
"The other party cancelled the verification.": "Kita šalis atšaukė patvirtinimą.", "The other party cancelled the verification.": "Kita šalis atšaukė patvirtinimą.",
"Encrypted messages are secured with end-to-end encryption. Only you and the recipient(s) have the keys to read these messages.": "Užšifruotos žinutės yra apsaugotos visapusiu šifravimu. Tik jūs ir gavėjas(-ai) turi raktus šioms žinutėms perskaityti.", "Encrypted messages are secured with end-to-end encryption. Only you and the recipient(s) have the keys to read these messages.": "Užšifruotos žinutės yra apsaugotos visapusiu šifravimu. Tik jūs ir gavėjas(-ai) turi raktus šioms žinutėms perskaityti.",
"Back up your keys before signing out to avoid losing them.": "Prieš atsijungdami sukurkite atsarginę savo raktų kopiją, kad išvengtumėte jų praradimo.", "Back up your keys before signing out to avoid losing them.": "Prieš atsijungdami sukurkite atsarginę savo raktų kopiją, kad išvengtumėte jų praradimo.",
@ -760,9 +751,6 @@
"Invalid identity server discovery response": "Klaidingas tapatybės serverio radimo atsakas", "Invalid identity server discovery response": "Klaidingas tapatybės serverio radimo atsakas",
"Double check that your server supports the room version chosen and try again.": "Dar kartą įsitikinkite, kad jūsų serveris palaiko pasirinktą kambario versiją ir bandykite iš naujo.", "Double check that your server supports the room version chosen and try again.": "Dar kartą įsitikinkite, kad jūsų serveris palaiko pasirinktą kambario versiją ir bandykite iš naujo.",
"Session already verified!": "Seansas jau patvirtintas!", "Session already verified!": "Seansas jau patvirtintas!",
"Enable Emoji suggestions while typing": "Įjungti Jaustukų pasiūlymus rašant",
"Enable automatic language detection for syntax highlighting": "Įjungti automatinį kalbos aptikimą sintaksės paryškinimui",
"Enable big emoji in chat": "Įjungti didelius jaustukus pokalbiuose",
"Enable message search in encrypted rooms": "Įjungti žinučių paiešką užšifruotuose kambariuose", "Enable message search in encrypted rooms": "Įjungti žinučių paiešką užšifruotuose kambariuose",
"Verified!": "Patvirtinta!", "Verified!": "Patvirtinta!",
"You've successfully verified this user.": "Jūs sėkmingai patvirtinote šį vartotoją.", "You've successfully verified this user.": "Jūs sėkmingai patvirtinote šį vartotoją.",
@ -879,13 +867,7 @@
"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>.": "Neįmanoma prisijungti prie serverio per HTTP, kai naršyklės juostoje yra HTTPS URL. Naudokite HTTPS arba <a>įjunkite nesaugias rašmenas</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>.": "Neįmanoma prisijungti prie serverio per HTTP, kai naršyklės juostoje yra HTTPS URL. Naudokite HTTPS arba <a>įjunkite nesaugias rašmenas</a>.",
"No media permissions": "Nėra medijos leidimų", "No media permissions": "Nėra medijos leidimų",
"Almost there! Is %(displayName)s showing the same shield?": "Beveik atlikta! Ar %(displayName)s rodo tokį patį skydą?", "Almost there! Is %(displayName)s showing the same shield?": "Beveik atlikta! Ar %(displayName)s rodo tokį patį skydą?",
"Show a placeholder for removed messages": "Rodyti pašalintų žinučių žymeklį",
"Send typing notifications": "Siųsti spausdinimo pranešimus",
"Automatically replace plain text Emoji": "Automatiškai pakeisti paprasto teksto Jaustukus",
"Mirror local video feed": "Atkartoti lokalų video tiekimą", "Mirror local video feed": "Atkartoti lokalų video tiekimą",
"Prompt before sending invites to potentially invalid matrix IDs": "Klausti prieš siunčiant pakvietimus galimai netinkamiems matrix ID",
"Show shortcuts to recently viewed rooms above the room list": "Rodyti neseniai peržiūrėtų kambarių nuorodas virš kambarių sąrašo",
"Show previews/thumbnails for images": "Rodyti vaizdų peržiūras/miniatiūras",
"IRC display name width": "IRC rodomo vardo plotis", "IRC display name width": "IRC rodomo vardo plotis",
"Encrypted messages in one-to-one chats": "Šifruotos žinutės privačiuose pokalbiuose", "Encrypted messages in one-to-one chats": "Šifruotos žinutės privačiuose pokalbiuose",
"When rooms are upgraded": "Kai atnaujinami kambariai", "When rooms are upgraded": "Kai atnaujinami kambariai",
@ -943,7 +925,6 @@
"Click the button below to confirm setting up encryption.": "Paspauskite mygtuką žemiau, kad patvirtintumėte šifravimo nustatymą.", "Click the button below to confirm setting up encryption.": "Paspauskite mygtuką žemiau, kad patvirtintumėte šifravimo nustatymą.",
"Restore your key backup to upgrade your encryption": "Atkurkite savo atsarginę raktų kopiją, kad atnaujintumėte šifravimą", "Restore your key backup to upgrade your encryption": "Atkurkite savo atsarginę raktų kopiją, kad atnaujintumėte šifravimą",
"Upgrade your encryption": "Atnaujinkite savo šifravimą", "Upgrade your encryption": "Atnaujinkite savo šifravimą",
"Show typing notifications": "Rodyti spausdinimo pranešimus",
"Show hidden events in timeline": "Rodyti paslėptus įvykius laiko juostoje", "Show hidden events in timeline": "Rodyti paslėptus įvykius laiko juostoje",
"Unable to load key backup status": "Nepavyko įkelti atsarginės raktų kopijos būklės", "Unable to load key backup status": "Nepavyko įkelti atsarginės raktų kopijos būklės",
"Connect this session to key backup before signing out to avoid losing any keys that may only be on this session.": "Prieš atsijungdami prijunkite šį seansą prie atsarginės raktų kopijos, kad neprarastumėte raktų, kurie gali būti tik šiame seanse.", "Connect this session to key backup before signing out to avoid losing any keys that may only be on this session.": "Prieš atsijungdami prijunkite šį seansą prie atsarginės raktų kopijos, kad neprarastumėte raktų, kurie gali būti tik šiame seanse.",
@ -1194,7 +1175,6 @@
"Video conference started by %(senderName)s": "%(senderName)s pradėjo video konferenciją", "Video conference started by %(senderName)s": "%(senderName)s pradėjo video konferenciją",
"Video conference updated by %(senderName)s": "%(senderName)s atnaujino video konferenciją", "Video conference updated by %(senderName)s": "%(senderName)s atnaujino video konferenciją",
"Video conference ended by %(senderName)s": "%(senderName)s užbaigė video konferenciją", "Video conference ended by %(senderName)s": "%(senderName)s užbaigė video konferenciją",
"Start automatically after system login": "Pradėti automatiškai prisijungus prie sistemos",
"Room ID or address of ban list": "Kambario ID arba draudimų sąrašo adresas", "Room ID or address of ban list": "Kambario ID arba draudimų sąrašo adresas",
"If this isn't what you want, please use a different tool to ignore users.": "Jei tai nėra ko jūs norite, naudokite kitą įrankį vartotojams ignoruoti.", "If this isn't what you want, please use a different tool to ignore users.": "Jei tai nėra ko jūs norite, naudokite kitą įrankį vartotojams ignoruoti.",
"Subscribed lists": "Prenumeruojami sąrašai", "Subscribed lists": "Prenumeruojami sąrašai",
@ -1570,11 +1550,6 @@
"You don't have permission to do this": "Jūs neturite leidimo tai daryti", "You don't have permission to do this": "Jūs neturite leidimo tai daryti",
"Comment": "Komentaras", "Comment": "Komentaras",
"Feedback sent": "Atsiliepimas išsiųstas", "Feedback sent": "Atsiliepimas išsiųstas",
"Level": "Lygis",
"Setting:": "Nustatymas:",
"Value": "Reikšmė",
"Setting ID": "Nustatymo ID",
"There was an error finding this widget.": "Įvyko klaida ieškant šio valdiklio.",
"Active Widgets": "Aktyvūs Valdikliai", "Active Widgets": "Aktyvūs Valdikliai",
"Server did not return valid authentication information.": "Serveris negrąžino galiojančios autentifikavimo informacijos.", "Server did not return valid authentication information.": "Serveris negrąžino galiojančios autentifikavimo informacijos.",
"Server did not require any authentication": "Serveris nereikalavo jokio autentifikavimo", "Server did not require any authentication": "Serveris nereikalavo jokio autentifikavimo",
@ -1728,8 +1703,6 @@
"More": "Daugiau", "More": "Daugiau",
"Connecting": "Jungiamasi", "Connecting": "Jungiamasi",
"sends fireworks": "nusiunčia fejerverkus", "sends fireworks": "nusiunčia fejerverkus",
"All rooms you're in will appear in Home.": "Visi kambariai kuriuose esate, bus matomi Pradžioje.",
"Show all rooms in Home": "Rodyti visus kambarius Pradžioje",
"Their device couldn't start the camera or microphone": "Jų įrenginys negalėjo įjungti kameros arba mikrofono", "Their device couldn't start the camera or microphone": "Jų įrenginys negalėjo įjungti kameros arba mikrofono",
"Connection failed": "Nepavyko prisijungti", "Connection failed": "Nepavyko prisijungti",
"Could not connect media": "Nepavyko prijungti medijos", "Could not connect media": "Nepavyko prijungti medijos",
@ -1943,7 +1916,6 @@
"Sessions": "Sesijos", "Sessions": "Sesijos",
"Share anonymous data to help us identify issues. Nothing personal. No third parties.": "Bendrinti anoniminius duomenis, kurie padės mums nustatyti problemas. Nieko asmeniško. Jokių trečiųjų šalių.", "Share anonymous data to help us identify issues. Nothing personal. No third parties.": "Bendrinti anoniminius duomenis, kurie padės mums nustatyti problemas. Nieko asmeniško. Jokių trečiųjų šalių.",
"You have no ignored users.": "Nėra ignoruojamų naudotojų.", "You have no ignored users.": "Nėra ignoruojamų naudotojų.",
"Enable hardware acceleration (restart %(appName)s to take effect)": "Įjungti aparatinį pagreitinimą (kad įsigaliotų, iš naujo paleiskite %(appName)s)",
"Images, GIFs and videos": "Paveikslėliai, GIF ir vaizdo įrašai", "Images, GIFs and videos": "Paveikslėliai, GIF ir vaizdo įrašai",
"Code blocks": "Kodo blokai", "Code blocks": "Kodo blokai",
"Your server doesn't support disabling sending read receipts.": "Jūsų serveris nepalaiko skaitymo kvitų siuntimo išjungimo.", "Your server doesn't support disabling sending read receipts.": "Jūsų serveris nepalaiko skaitymo kvitų siuntimo išjungimo.",
@ -1989,23 +1961,9 @@
"Space options": "Erdvės parinktys", "Space options": "Erdvės parinktys",
"Recommended for public spaces.": "Rekomenduojama viešosiose erdvėse.", "Recommended for public spaces.": "Rekomenduojama viešosiose erdvėse.",
"Allow people to preview your space before they join.": "Leisti žmonėms peržiūrėti jūsų erdvę prieš prisijungiant.", "Allow people to preview your space before they join.": "Leisti žmonėms peržiūrėti jūsų erdvę prieš prisijungiant.",
"Enable Markdown": "Įjungti Markdown",
"Surround selected text when typing special characters": "Apvesti pasirinktą tekstą rašant specialiuosius simbolius", "Surround selected text when typing special characters": "Apvesti pasirinktą tekstą rašant specialiuosius simbolius",
"Use Command + F to search timeline": "Naudokite Command + F ieškojimui laiko juostoje",
"Use Ctrl + Enter to send a message": "Naudokite Ctrl + Enter žinutės išsiuntimui",
"Use Command + Enter to send a message": "Naudokite Command + Enter žinutės išsiuntimui",
"Use Ctrl + F to search timeline": "Naudokite Ctrl + F ieškojimui laiko juostoje",
"Jump to the bottom of the timeline when you send a message": "Peršokti į laiko juostos apačią, kai siunčiate žinutę",
"Show line numbers in code blocks": "Rodyti eilučių numerius kodo blokuose",
"Expand code blocks by default": "Išplėsti kodo blokus pagal nutylėjimą",
"Autoplay videos": "Automatinis vaizdo įrašų paleidimas",
"Autoplay GIFs": "Automatinis GIF failų paleidimas",
"Show join/leave messages (invites/removes/bans unaffected)": "Rodyti prisijungimo/išėjimo žinutes (kvietimai/pašalinimai/blokavimai neturi įtakos)",
"Use a more compact 'Modern' layout": "Naudoti kompaktiškesnį 'Modernų' išdėstymą", "Use a more compact 'Modern' layout": "Naudoti kompaktiškesnį 'Modernų' išdėstymą",
"Insert a trailing colon after user mentions at the start of a message": "Įterpti dvitaškį po naudotojo paminėjimų žinutės pradžioje",
"Show polls button": "Rodyti apklausų mygtuką", "Show polls button": "Rodyti apklausų mygtuką",
"Show stickers button": "Rodyti lipdukų mygtuką",
"Send read receipts": "Siųsti skaitymo kvitus",
"Explore public spaces in the new search dialog": "Tyrinėkite viešas erdves naujajame paieškos lange", "Explore public spaces in the new search dialog": "Tyrinėkite viešas erdves naujajame paieškos lange",
"Leave the beta": "Palikti beta versiją", "Leave the beta": "Palikti beta versiją",
"Reply in thread": "Atsakyti temoje", "Reply in thread": "Atsakyti temoje",
@ -2143,12 +2101,10 @@
"You made it!": "Jums pavyko!", "You made it!": "Jums pavyko!",
"Enable hardware acceleration": "Įjungti aparatinį spartinimą", "Enable hardware acceleration": "Įjungti aparatinį spartinimą",
"Show tray icon and minimise window to it on close": "Rodyti dėklo piktogramą ir uždarius langą jį sumažinti į ją", "Show tray icon and minimise window to it on close": "Rodyti dėklo piktogramą ir uždarius langą jį sumažinti į ją",
"Warn before quitting": "Įspėti prieš išeinant",
"Automatically send debug logs when key backup is not functioning": "Automatiškai siųsti derinimo žurnalus, kai neveikia atsarginė raktų kopija", "Automatically send debug logs when key backup is not functioning": "Automatiškai siųsti derinimo žurnalus, kai neveikia atsarginė raktų kopija",
"Automatically send debug logs on decryption errors": "Automatiškai siųsti derinimo žurnalus apie iššifravimo klaidas", "Automatically send debug logs on decryption errors": "Automatiškai siųsti derinimo žurnalus apie iššifravimo klaidas",
"Automatically send debug logs on any error": "Automatiškai siųsti derinimo žurnalus esant bet kokiai klaidai", "Automatically send debug logs on any error": "Automatiškai siųsti derinimo žurnalus esant bet kokiai klaidai",
"Developer mode": "Kūrėjo režimas", "Developer mode": "Kūrėjo režimas",
"Show chat effects (animations when receiving e.g. confetti)": "Rodyti pokalbių efektus (animaciją, kai gaunate, pvz., konfeti)",
"%(senderName)s removed %(targetName)s": "%(senderName)s pašalino %(targetName)s", "%(senderName)s removed %(targetName)s": "%(senderName)s pašalino %(targetName)s",
"%(senderName)s removed %(targetName)s: %(reason)s": "%(senderName)s pašalino %(targetName)s: %(reason)s", "%(senderName)s removed %(targetName)s: %(reason)s": "%(senderName)s pašalino %(targetName)s: %(reason)s",
"Vietnam": "Vietnamas", "Vietnam": "Vietnamas",
@ -2544,5 +2500,53 @@
"you_did_it": "Jums pavyko!", "you_did_it": "Jums pavyko!",
"complete_these": "Užbaikite šiuos žingsnius, kad gautumėte daugiausiai iš %(brand)s", "complete_these": "Užbaikite šiuos žingsnius, kad gautumėte daugiausiai iš %(brand)s",
"community_messaging_description": "Išlaikykite bendruomenės diskusijų nuosavybę ir kontrolę.\nPlėskitės ir palaikykite milijonus žmonių, naudodami galingą moderavimą ir sąveiką." "community_messaging_description": "Išlaikykite bendruomenės diskusijų nuosavybę ir kontrolę.\nPlėskitės ir palaikykite milijonus žmonių, naudodami galingą moderavimą ir sąveiką."
},
"devtools": {
"event_type": "Įvykio tipas",
"state_key": "Būklės raktas",
"event_sent": "Įvykis išsiųstas!",
"event_content": "Įvykio turinys",
"setting_colon": "Nustatymas:",
"level": "Lygis",
"setting_id": "Nustatymo ID",
"value": "Reikšmė",
"failed_to_find_widget": "Įvyko klaida ieškant šio valdiklio."
},
"settings": {
"show_breadcrumbs": "Rodyti neseniai peržiūrėtų kambarių nuorodas virš kambarių sąrašo",
"all_rooms_home_description": "Visi kambariai kuriuose esate, bus matomi Pradžioje.",
"use_command_f_search": "Naudokite Command + F ieškojimui laiko juostoje",
"use_control_f_search": "Naudokite Ctrl + F ieškojimui laiko juostoje",
"use_12_hour_format": "Rodyti laiko žymes 12 valandų formatu (pvz. 2:30pm)",
"always_show_message_timestamps": "Visada rodyti žinučių laiko žymes",
"send_read_receipts": "Siųsti skaitymo kvitus",
"send_typing_notifications": "Siųsti spausdinimo pranešimus",
"replace_plain_emoji": "Automatiškai pakeisti paprasto teksto Jaustukus",
"enable_markdown": "Įjungti Markdown",
"emoji_autocomplete": "Įjungti Jaustukų pasiūlymus rašant",
"use_command_enter_send_message": "Naudokite Command + Enter žinutės išsiuntimui",
"use_control_enter_send_message": "Naudokite Ctrl + Enter žinutės išsiuntimui",
"all_rooms_home": "Rodyti visus kambarius Pradžioje",
"show_stickers_button": "Rodyti lipdukų mygtuką",
"insert_trailing_colon_mentions": "Įterpti dvitaškį po naudotojo paminėjimų žinutės pradžioje",
"automatic_language_detection_syntax_highlight": "Įjungti automatinį kalbos aptikimą sintaksės paryškinimui",
"code_block_expand_default": "Išplėsti kodo blokus pagal nutylėjimą",
"code_block_line_numbers": "Rodyti eilučių numerius kodo blokuose",
"inline_url_previews_default": "Įjungti URL nuorodų peržiūras kaip numatytasias",
"autoplay_gifs": "Automatinis GIF failų paleidimas",
"autoplay_videos": "Automatinis vaizdo įrašų paleidimas",
"image_thumbnails": "Rodyti vaizdų peržiūras/miniatiūras",
"show_typing_notifications": "Rodyti spausdinimo pranešimus",
"show_redaction_placeholder": "Rodyti pašalintų žinučių žymeklį",
"show_read_receipts": "Rodyti kitų vartotojų siųstus perskaitymo kvitus",
"show_join_leave": "Rodyti prisijungimo/išėjimo žinutes (kvietimai/pašalinimai/blokavimai neturi įtakos)",
"show_displayname_changes": "Rodyti rodomo vardo pakeitimus",
"show_chat_effects": "Rodyti pokalbių efektus (animaciją, kai gaunate, pvz., konfeti)",
"big_emoji": "Įjungti didelius jaustukus pokalbiuose",
"jump_to_bottom_on_send": "Peršokti į laiko juostos apačią, kai siunčiate žinutę",
"prompt_invite": "Klausti prieš siunčiant pakvietimus galimai netinkamiems matrix ID",
"hardware_acceleration": "Įjungti aparatinį pagreitinimą (kad įsigaliotų, iš naujo paleiskite %(appName)s)",
"start_automatically": "Pradėti automatiškai prisijungus prie sistemos",
"warn_quit": "Įspėti prieš išeinant"
} }
} }

View file

@ -8,7 +8,6 @@
"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", "Advanced": "Papildu",
"Always show message timestamps": "Vienmēr rādīt ziņas laika zīmogu",
"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.",
@ -138,7 +137,6 @@
"Server may be unavailable, overloaded, or you hit a bug.": "Serveris ir nesasniedzams, pārslogots, vai arī esat saskārties ar kļūdu programmā.", "Server may be unavailable, overloaded, or you hit a bug.": "Serveris ir nesasniedzams, pārslogots, vai arī esat saskārties ar kļūdu programmā.",
"Server unavailable, overloaded, or something else went wrong.": "Serveris ir nesasniedzams, pārslogots, vai arī esi uzdūries kļūdai.", "Server unavailable, overloaded, or something else went wrong.": "Serveris ir nesasniedzams, pārslogots, vai arī esi uzdūries kļūdai.",
"Session ID": "Sesijas ID", "Session ID": "Sesijas ID",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "Rādīt laiku 12 stundu formātā (piemēram 2:30pm)",
"Signed Out": "Izrakstījās", "Signed Out": "Izrakstījās",
"Start authentication": "Sākt autentifikāciju", "Start authentication": "Sākt autentifikāciju",
"This email address is already in use": "Šī epasta adrese jau tiek izmantota", "This email address is already in use": "Šī epasta adrese jau tiek izmantota",
@ -201,7 +199,6 @@
"Connectivity to the server has been lost.": "Savienojums ar serveri pārtrūka.", "Connectivity to the server has been lost.": "Savienojums ar serveri pārtrūka.",
"Sent messages will be stored until your connection has returned.": "Sūtītās ziņas tiks saglabātas līdz brīdim, kad savienojums tiks atjaunots.", "Sent messages will be stored until your connection has returned.": "Sūtītās ziņas tiks saglabātas līdz brīdim, kad savienojums tiks atjaunots.",
"New Password": "Jaunā parole", "New Password": "Jaunā parole",
"Start automatically after system login": "Startēt pie ierīces ielādes",
"Passphrases must match": "Frāzveida parolēm ir jāsakrīt", "Passphrases must match": "Frāzveida parolēm ir jāsakrīt",
"Passphrase must not be empty": "Frāzveida parole nevar būt tukša", "Passphrase must not be empty": "Frāzveida parole nevar būt tukša",
"Export room keys": "Eksportēt istabas atslēgas", "Export room keys": "Eksportēt istabas atslēgas",
@ -240,14 +237,12 @@
}, },
"Delete widget": "Dzēst vidžetu", "Delete widget": "Dzēst vidžetu",
"Define the power level of a user": "Definē lietotāja statusu", "Define the power level of a user": "Definē lietotāja statusu",
"Enable automatic language detection for syntax highlighting": "Iespējot automātisko valodas noteikšanu sintakses iezīmējumiem",
"Publish this room to the public in %(domain)s's room directory?": "Publicēt šo istabu publiskajā %(domain)s katalogā?", "Publish this room to the public in %(domain)s's room directory?": "Publicēt šo istabu publiskajā %(domain)s katalogā?",
"AM": "AM", "AM": "AM",
"PM": "PM", "PM": "PM",
"Unable to create widget.": "Neizdevās izveidot widžetu.", "Unable to create widget.": "Neizdevās izveidot widžetu.",
"You are not in this room.": "Tu neatrodies šajā istabā.", "You are not in this room.": "Tu neatrodies šajā istabā.",
"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ā.",
"Automatically replace plain text Emoji": "Automātiski aizstāt vienkāršā teksta emocijzīmes",
"%(widgetName)s widget added by %(senderName)s": "%(senderName)s pievienoja %(widgetName)s vidžetu", "%(widgetName)s widget added by %(senderName)s": "%(senderName)s pievienoja %(widgetName)s vidžetu",
"%(widgetName)s widget removed by %(senderName)s": "%(senderName)s dzēsa vidžetu %(widgetName)s", "%(widgetName)s widget removed by %(senderName)s": "%(senderName)s dzēsa vidžetu %(widgetName)s",
"Send": "Sūtīt", "Send": "Sūtīt",
@ -262,7 +257,6 @@
"%(senderName)s changed the pinned messages for the room.": "%(senderName)s nomainīja šajā istabā piespraustās ziņas.", "%(senderName)s changed the pinned messages for the room.": "%(senderName)s nomainīja šajā istabā piespraustās ziņas.",
"%(widgetName)s widget modified by %(senderName)s": "%(widgetName)s vidžets, kuru mainīja %(senderName)s", "%(widgetName)s widget modified by %(senderName)s": "%(widgetName)s vidžets, kuru mainīja %(senderName)s",
"Mirror local video feed": "Rādīt spoguļskatā kameras video", "Mirror local video feed": "Rādīt spoguļskatā kameras video",
"Enable inline URL previews by default": "Iespējot URL priekšskatījumus pēc noklusējuma",
"Enable URL previews for this room (only affects you)": "Iespējot URL priekšskatījumus šajā istabā (ietekmē tikai jūs pašu)", "Enable URL previews for this room (only affects you)": "Iespējot URL priekšskatījumus šajā istabā (ietekmē tikai jūs pašu)",
"Enable URL previews by default for participants in this room": "Iespējot URL priekšskatījumus pēc noklusējuma visiem šīs istabas dalībniekiem", "Enable URL previews by default for participants in this room": "Iespējot URL priekšskatījumus pēc noklusējuma visiem šīs istabas dalībniekiem",
"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.",
@ -414,7 +408,6 @@
"Collecting app version information": "Tiek iegūta programmas versijas informācija", "Collecting app version information": "Tiek iegūta programmas versijas informācija",
"Tuesday": "Otrdiena", "Tuesday": "Otrdiena",
"Search…": "Meklēt…", "Search…": "Meklēt…",
"Event sent!": "Notikums nosūtīts!",
"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",
@ -425,7 +418,6 @@
"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)",
"All messages": "Visas ziņas", "All messages": "Visas ziņas",
"Call invitation": "Uzaicinājuma zvans", "Call invitation": "Uzaicinājuma zvans",
"State Key": "Stāvokļa atslēga",
"What's new?": "Kas jauns?", "What's new?": "Kas jauns?",
"When I'm invited to a room": "Kad esmu uzaicināts/a istabā", "When I'm invited to a room": "Kad esmu uzaicināts/a istabā",
"Invite to this room": "Uzaicināt uz šo istabu", "Invite to this room": "Uzaicināt uz šo istabu",
@ -437,9 +429,7 @@
"Error encountered (%(errorDetail)s).": "Gadījās kļūda (%(errorDetail)s).", "Error encountered (%(errorDetail)s).": "Gadījās kļūda (%(errorDetail)s).",
"Low Priority": "Zema prioritāte", "Low Priority": "Zema prioritāte",
"Off": "Izslēgt", "Off": "Izslēgt",
"Event Type": "Notikuma tips",
"Developer Tools": "Izstrādātāja rīki", "Developer Tools": "Izstrādātāja rīki",
"Event Content": "Notikuma saturs",
"Thank you!": "Tencinam!", "Thank you!": "Tencinam!",
"Permission Required": "Nepieciešama atļauja", "Permission Required": "Nepieciešama atļauja",
"You do not have permission to start a conference call in this room": "Šajā istabā nav atļaujas sākt konferences zvanu", "You do not have permission to start a conference call in this room": "Šajā istabā nav atļaujas sākt konferences zvanu",
@ -461,9 +451,6 @@
"one": "%(names)s un vēl viens raksta…" "one": "%(names)s un vēl viens raksta…"
}, },
"%(names)s and %(lastPerson)s are typing …": "%(names)s un %(lastPerson)s raksta…", "%(names)s and %(lastPerson)s are typing …": "%(names)s un %(lastPerson)s raksta…",
"Enable Emoji suggestions while typing": "Iespējot emocijzīmju ieteikumus rakstīšanas laikā",
"Show typing notifications": "Rādīt paziņojumus par rakstīšanu",
"Send typing notifications": "Sūtīt paziņojumus par rakstīšanu",
"Philippines": "Filipīnas", "Philippines": "Filipīnas",
"%(displayName)s is typing …": "%(displayName)s raksta…", "%(displayName)s is typing …": "%(displayName)s raksta…",
"Got It": "Sapratu", "Got It": "Sapratu",
@ -639,7 +626,6 @@
"Messages containing my username": "Ziņas, kuras satur manu lietotājvārdu", "Messages containing my username": "Ziņas, kuras satur manu lietotājvārdu",
"%(displayName)s created this room.": "%(displayName)s izveidoja šo istabu.", "%(displayName)s created this room.": "%(displayName)s izveidoja šo istabu.",
"IRC display name width": "IRC parādāmā vārda platums", "IRC display name width": "IRC parādāmā vārda platums",
"Show display name changes": "Rādīt parādāmā vārda izmaiņas",
"%(displayName)s cancelled verification.": "%(displayName)s atcēla verificēšanu.", "%(displayName)s cancelled verification.": "%(displayName)s atcēla verificēšanu.",
"Your display name": "Jūsu parādāmais vārds", "Your display name": "Jūsu parādāmais vārds",
"Enable audible notifications for this session": "Iespējot dzirdamus paziņojumus šai sesijai", "Enable audible notifications for this session": "Iespējot dzirdamus paziņojumus šai sesijai",
@ -846,7 +832,6 @@
"Compare unique emoji": "Salīdziniet unikālās emocijzīmes", "Compare unique emoji": "Salīdziniet unikālās emocijzīmes",
"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.",
"Show shortcuts to recently viewed rooms above the room list": "Rādīt saīsnes uz nesen skatītajām istabām istabu saraksta augšpusē",
"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: %(stickerName)s": "%(senderName)s: %(stickerName)s",
"%(senderName)s: %(message)s": "%(senderName)s: %(message)s", "%(senderName)s: %(message)s": "%(senderName)s: %(message)s",
@ -1500,22 +1485,9 @@
"Invite people": "Uzaicināt cilvēkus", "Invite people": "Uzaicināt cilvēkus",
"Show all rooms": "Rādīt visas istabas", "Show all rooms": "Rādīt visas istabas",
"Corn": "Kukurūza", "Corn": "Kukurūza",
"Show previews/thumbnails for images": "Rādīt attēlu priekšskatījumus/sīktēlus",
"Show hidden events in timeline": "Rādīt slēptos notikumus laika skalā", "Show hidden events in timeline": "Rādīt slēptos notikumus laika skalā",
"Match system theme": "Pielāgoties sistēmas tēmai", "Match system theme": "Pielāgoties sistēmas tēmai",
"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 Ctrl + Enter to send a message": "Lietot Ctrl + Enter ziņas nosūtīšanai",
"Use Command + Enter to send a message": "Lietot Command + Enter ziņas nosūtīšanai",
"Use Ctrl + F to search timeline": "Lietot Ctrl + F meklēšanai laika skalā",
"Use Command + F to search timeline": "Lietot Command + F meklēšanai laika skalā",
"Enable big emoji in chat": "Iespējot lielas emocijzīmes čatā",
"Jump to the bottom of the timeline when you send a message": "Nosūtot ziņu, pāriet uz laika skalas beigām",
"Show line numbers in code blocks": "Rādīt rindu numurus koda blokos",
"Expand code blocks by default": "Izvērst koda blokus pēc noklusējuma",
"Autoplay videos": "Automātski atskaņot videoklipus",
"Autoplay GIFs": "Automātiski atskaņot GIF",
"Show read receipts sent by other users": "Rādīt izlasīšanas apliecinājumus no citiem lietotājiem",
"Show a placeholder for removed messages": "Rādīt dzēstu ziņu vietturus",
"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", "Call ended": "Zvans beidzās",
@ -1666,7 +1638,6 @@
"New video room": "Jauna video istaba", "New video room": "Jauna video istaba",
"Loading new room": "Ielādē jaunu istabu", "Loading new room": "Ielādē jaunu istabu",
"New room": "Jauna istaba", "New room": "Jauna istaba",
"Clear": "Notīrīt",
"Clearing your browser's storage may fix the problem, but will sign you out and cause any encrypted chat history to become unreadable.": "Pārlūkprogrammas krātuves dzēšana var atrisināt problēmu, taču tas nozīmē, ka jūs izrakstīsieties un šifrēto čata vēsturi vairs nebūs iespējams nolasīt.", "Clearing your browser's storage may fix the problem, but will sign you out and cause any encrypted chat history to become unreadable.": "Pārlūkprogrammas krātuves dzēšana var atrisināt problēmu, taču tas nozīmē, ka jūs izrakstīsieties un šifrēto čata vēsturi vairs nebūs iespējams nolasīt.",
"Clear Storage and Sign Out": "Iztīrīt krātuvi un izrakstīties", "Clear Storage and Sign Out": "Iztīrīt krātuvi un izrakstīties",
"Clear cache and resync": "Iztīrīt kešatmiņu un atkārtoti sinhronizēt", "Clear cache and resync": "Iztīrīt kešatmiņu un atkārtoti sinhronizēt",
@ -1819,7 +1790,8 @@
"export": "Eksportēt", "export": "Eksportēt",
"mention": "Pieminēt", "mention": "Pieminēt",
"submit": "Iesniegt", "submit": "Iesniegt",
"send_report": "Nosūtīt ziņojumu" "send_report": "Nosūtīt ziņojumu",
"clear": "Notīrīt"
}, },
"a11y": { "a11y": {
"user_menu": "Lietotāja izvēlne" "user_menu": "Lietotāja izvēlne"
@ -1851,5 +1823,37 @@
}, },
"onboarding": { "onboarding": {
"personal_messaging_action": "Sāciet savu pirmo čatu" "personal_messaging_action": "Sāciet savu pirmo čatu"
},
"devtools": {
"event_type": "Notikuma tips",
"state_key": "Stāvokļa atslēga",
"event_sent": "Notikums nosūtīts!",
"event_content": "Notikuma saturs"
},
"settings": {
"show_breadcrumbs": "Rādīt saīsnes uz nesen skatītajām istabām istabu saraksta augšpusē",
"use_command_f_search": "Lietot Command + F meklēšanai laika skalā",
"use_control_f_search": "Lietot Ctrl + F meklēšanai laika skalā",
"use_12_hour_format": "Rādīt laiku 12 stundu formātā (piemēram 2:30pm)",
"always_show_message_timestamps": "Vienmēr rādīt ziņas laika zīmogu",
"send_typing_notifications": "Sūtīt paziņojumus par rakstīšanu",
"replace_plain_emoji": "Automātiski aizstāt vienkāršā teksta emocijzīmes",
"emoji_autocomplete": "Iespējot emocijzīmju ieteikumus rakstīšanas laikā",
"use_command_enter_send_message": "Lietot Command + Enter ziņas nosūtīšanai",
"use_control_enter_send_message": "Lietot Ctrl + Enter ziņas nosūtīšanai",
"automatic_language_detection_syntax_highlight": "Iespējot automātisko valodas noteikšanu sintakses iezīmējumiem",
"code_block_expand_default": "Izvērst koda blokus pēc noklusējuma",
"code_block_line_numbers": "Rādīt rindu numurus koda blokos",
"inline_url_previews_default": "Iespējot URL priekšskatījumus pēc noklusējuma",
"autoplay_gifs": "Automātiski atskaņot GIF",
"autoplay_videos": "Automātski atskaņot videoklipus",
"image_thumbnails": "Rādīt attēlu priekšskatījumus/sīktēlus",
"show_typing_notifications": "Rādīt paziņojumus par rakstīšanu",
"show_redaction_placeholder": "Rādīt dzēstu ziņu vietturus",
"show_read_receipts": "Rādīt izlasīšanas apliecinājumus no citiem lietotājiem",
"show_displayname_changes": "Rādīt parādāmā vārda izmaiņas",
"big_emoji": "Iespējot lielas emocijzīmes čatā",
"jump_to_bottom_on_send": "Nosūtot ziņu, pāriet uz laika skalas beigām",
"start_automatically": "Startēt pie ierīces ielādes"
} }
} }

View file

@ -266,25 +266,10 @@
"Success!": "Suksess!", "Success!": "Suksess!",
"Set up": "Sett opp", "Set up": "Sett opp",
"Identity server has no terms of service": "Identitetstjeneren har ingen brukervilkår", "Identity server has no terms of service": "Identitetstjeneren har ingen brukervilkår",
"Enable Emoji suggestions while typing": "Skru på emoji-forslag mens du skriver",
"Show a placeholder for removed messages": "Vis en stattholder for fjernede meldinger",
"Show display name changes": "Vis visningsnavnendringer",
"Show read receipts sent by other users": "Vis lesekvitteringer sendt av andre brukere",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "Vis tidsstempler i 12-timersformat (f.eks. 2:30pm)",
"Always show message timestamps": "Alltid vis meldingenes tidsstempler",
"Enable automatic language detection for syntax highlighting": "Skru på automatisk kodespråkoppdagelse for syntaksfremheving",
"Enable big emoji in chat": "Skru på store emojier i chatrom",
"Send typing notifications": "Send varsler om at du skriver",
"Show typing notifications": "Vis varsler om at det skrives",
"Automatically replace plain text Emoji": "Bytt automatisk ut råtekst-emojier",
"Mirror local video feed": "Speil den lokale videostrømmen", "Mirror local video feed": "Speil den lokale videostrømmen",
"Match system theme": "Bind fast til systemtemaet", "Match system theme": "Bind fast til systemtemaet",
"Send analytics data": "Send analytiske data", "Send analytics data": "Send analytiske data",
"Enable inline URL previews by default": "Skru på URL-forhåndsvisninger inni meldinger som standard",
"Prompt before sending invites to potentially invalid matrix IDs": "Si ifra før det sendes invitasjoner til potensielt ugyldige Matrix-ID-er",
"Show shortcuts to recently viewed rooms above the room list": "Vis snarveier til de nyligst viste rommene ovenfor romlisten",
"Show hidden events in timeline": "Vis skjulte hendelser i tidslinjen", "Show hidden events in timeline": "Vis skjulte hendelser i tidslinjen",
"Show previews/thumbnails for images": "Vis forhåndsvisninger for bilder",
"Messages containing my username": "Meldinger som nevner brukernavnet mitt", "Messages containing my username": "Meldinger som nevner brukernavnet mitt",
"Messages containing @room": "Medlinger som inneholder @room", "Messages containing @room": "Medlinger som inneholder @room",
"Encrypted messages in one-to-one chats": "Krypterte meldinger i samtaler under fire øyne", "Encrypted messages in one-to-one chats": "Krypterte meldinger i samtaler under fire øyne",
@ -596,7 +581,6 @@
"Topic (optional)": "Tema (valgfritt)", "Topic (optional)": "Tema (valgfritt)",
"Hide advanced": "Skjul avansert", "Hide advanced": "Skjul avansert",
"Show advanced": "Vis avansert", "Show advanced": "Vis avansert",
"Event Type": "Hendelsestype",
"Developer Tools": "Utviklerverktøy", "Developer Tools": "Utviklerverktøy",
"Recent Conversations": "Nylige samtaler", "Recent Conversations": "Nylige samtaler",
"Room Settings - %(roomName)s": "Rominnstillinger - %(roomName)s", "Room Settings - %(roomName)s": "Rominnstillinger - %(roomName)s",
@ -835,7 +819,6 @@
"This address is available to use": "Denne adressen er allerede i bruk", "This address is available to use": "Denne adressen er allerede i bruk",
"Failed to send logs: ": "Mislyktes i å sende loggbøker: ", "Failed to send logs: ": "Mislyktes i å sende loggbøker: ",
"Incompatible Database": "Inkompatibel database", "Incompatible Database": "Inkompatibel database",
"Event Content": "Hendelsesinnhold",
"Integrations are disabled": "Integreringer er skrudd av", "Integrations are disabled": "Integreringer er skrudd av",
"Integrations not allowed": "Integreringer er ikke tillatt", "Integrations not allowed": "Integreringer er ikke tillatt",
"Confirm to continue": "Bekreft for å fortsette", "Confirm to continue": "Bekreft for å fortsette",
@ -928,7 +911,6 @@
"Use custom size": "Bruk tilpasset størrelse", "Use custom size": "Bruk tilpasset størrelse",
"Use Single Sign On to continue": "Bruk Single Sign On for å fortsette", "Use Single Sign On to continue": "Bruk Single Sign On for å fortsette",
"Appearance Settings only affect this %(brand)s session.": "Stilendringer gjelder kun i denne %(brand)s sesjonen.", "Appearance Settings only affect this %(brand)s session.": "Stilendringer gjelder kun i denne %(brand)s sesjonen.",
"Use Ctrl + Enter to send a message": "Bruk Ctrl + Enter for å sende en melding",
"Belgium": "Belgia", "Belgium": "Belgia",
"American Samoa": "Amerikansk Samoa", "American Samoa": "Amerikansk Samoa",
"United States": "USA", "United States": "USA",
@ -979,7 +961,6 @@
"Single Sign On": "Single Sign On", "Single Sign On": "Single Sign On",
"Confirm adding this phone number by using Single Sign On to prove your identity.": "Bekreft dette telefonnummeret ved å bruke Single Sign On for å bevise din identitet.", "Confirm adding this phone number by using Single Sign On to prove your identity.": "Bekreft dette telefonnummeret ved å bruke Single Sign On for å bevise din identitet.",
"Confirm adding this email address by using Single Sign On to prove your identity.": "Befrekt denne e-postadressen ved å bruke Single Sign On for å bevise din identitet.", "Confirm adding this email address by using Single Sign On to prove your identity.": "Befrekt denne e-postadressen ved å bruke Single Sign On for å bevise din identitet.",
"Show stickers button": "Vis klistremerkeknappen",
"Recently visited rooms": "Nylig besøkte rom", "Recently visited rooms": "Nylig besøkte rom",
"Edit devices": "Rediger enheter", "Edit devices": "Rediger enheter",
"Add existing room": "Legg til et eksisterende rom", "Add existing room": "Legg til et eksisterende rom",
@ -1000,7 +981,6 @@
"Private space": "Privat område", "Private space": "Privat område",
"Suggested": "Anbefalte", "Suggested": "Anbefalte",
"%(deviceId)s from %(ip)s": "%(deviceId)s fra %(ip)s", "%(deviceId)s from %(ip)s": "%(deviceId)s fra %(ip)s",
"Value:": "Verdi:",
"Leave Space": "Forlat området", "Leave Space": "Forlat området",
"Save Changes": "Lagre endringer", "Save Changes": "Lagre endringer",
"You don't have permission": "Du har ikke tillatelse", "You don't have permission": "Du har ikke tillatelse",
@ -1016,16 +996,11 @@
"Click to copy": "Klikk for å kopiere", "Click to copy": "Klikk for å kopiere",
"Share invite link": "Del invitasjonslenke", "Share invite link": "Del invitasjonslenke",
"Leave space": "Forlat området", "Leave space": "Forlat området",
"Warn before quitting": "Advar før avslutning",
"%(count)s people you know have already joined": { "%(count)s people you know have already joined": {
"other": "%(count)s personer du kjenner har allerede blitt med" "other": "%(count)s personer du kjenner har allerede blitt med"
}, },
"Add existing rooms": "Legg til eksisterende rom", "Add existing rooms": "Legg til eksisterende rom",
"Create a new room": "Opprett et nytt rom", "Create a new room": "Opprett et nytt rom",
"Value": "Verdi",
"Setting:": "Innstilling:",
"Caution:": "Advarsel:",
"Level": "Nivå",
"Skip for now": "Hopp over for nå", "Skip for now": "Hopp over for nå",
"Share %(name)s": "Del %(name)s", "Share %(name)s": "Del %(name)s",
"Just me": "Bare meg selv", "Just me": "Bare meg selv",
@ -1609,5 +1584,34 @@
}, },
"time": { "time": {
"date_at_time": "%(date)s klokken %(time)s" "date_at_time": "%(date)s klokken %(time)s"
},
"devtools": {
"event_type": "Hendelsestype",
"event_content": "Hendelsesinnhold",
"setting_colon": "Innstilling:",
"caution_colon": "Advarsel:",
"level": "Nivå",
"value_colon": "Verdi:",
"value": "Verdi"
},
"settings": {
"show_breadcrumbs": "Vis snarveier til de nyligst viste rommene ovenfor romlisten",
"use_12_hour_format": "Vis tidsstempler i 12-timersformat (f.eks. 2:30pm)",
"always_show_message_timestamps": "Alltid vis meldingenes tidsstempler",
"send_typing_notifications": "Send varsler om at du skriver",
"replace_plain_emoji": "Bytt automatisk ut råtekst-emojier",
"emoji_autocomplete": "Skru på emoji-forslag mens du skriver",
"use_control_enter_send_message": "Bruk Ctrl + Enter for å sende en melding",
"show_stickers_button": "Vis klistremerkeknappen",
"automatic_language_detection_syntax_highlight": "Skru på automatisk kodespråkoppdagelse for syntaksfremheving",
"inline_url_previews_default": "Skru på URL-forhåndsvisninger inni meldinger som standard",
"image_thumbnails": "Vis forhåndsvisninger for bilder",
"show_typing_notifications": "Vis varsler om at det skrives",
"show_redaction_placeholder": "Vis en stattholder for fjernede meldinger",
"show_read_receipts": "Vis lesekvitteringer sendt av andre brukere",
"show_displayname_changes": "Vis visningsnavnendringer",
"big_emoji": "Skru på store emojier i chatrom",
"prompt_invite": "Si ifra før det sendes invitasjoner til potensielt ugyldige Matrix-ID-er",
"warn_quit": "Advar før avslutning"
} }
} }

View file

@ -2,7 +2,6 @@
"Account": "Account", "Account": "Account",
"Admin": "Beheerder", "Admin": "Beheerder",
"Advanced": "Geavanceerd", "Advanced": "Geavanceerd",
"Always show message timestamps": "Altijd tijdstempels van berichten tonen",
"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...": {
@ -148,7 +147,6 @@
"Server may be unavailable, overloaded, or you hit a bug.": "De server is misschien onbereikbaar of overbelast, of je bent een bug tegengekomen.", "Server may be unavailable, overloaded, or you hit a bug.": "De server is misschien onbereikbaar of overbelast, of je bent een bug tegengekomen.",
"Server unavailable, overloaded, or something else went wrong.": "De server is onbereikbaar of overbelast, of er is iets anders foutgegaan.", "Server unavailable, overloaded, or something else went wrong.": "De server is onbereikbaar of overbelast, of er is iets anders foutgegaan.",
"Session ID": "Sessie-ID", "Session ID": "Sessie-ID",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "Tijd in 12-uursformaat tonen (bv. 2:30pm)",
"Signed Out": "Uitgelogd", "Signed Out": "Uitgelogd",
"This email address is already in use": "Dit e-mailadres is al in gebruik", "This email address is already in use": "Dit e-mailadres is al in gebruik",
"This email address was not found": "Dit e-mailadres is niet gevonden", "This email address was not found": "Dit e-mailadres is niet gevonden",
@ -200,7 +198,6 @@
"other": "(~%(count)s resultaten)" "other": "(~%(count)s resultaten)"
}, },
"New Password": "Nieuw wachtwoord", "New Password": "Nieuw wachtwoord",
"Start automatically after system login": "Automatisch starten na systeemlogin",
"Passphrases must match": "Wachtwoorden moeten overeenkomen", "Passphrases must match": "Wachtwoorden moeten overeenkomen",
"Passphrase must not be empty": "Wachtwoord mag niet leeg zijn", "Passphrase must not be empty": "Wachtwoord mag niet leeg zijn",
"Export room keys": "Kamersleutels exporteren", "Export room keys": "Kamersleutels exporteren",
@ -240,14 +237,12 @@
"This will allow you to reset your password and receive notifications.": "Zo kan je een nieuw wachtwoord instellen en meldingen ontvangen.", "This will allow you to reset your password and receive notifications.": "Zo kan je een nieuw wachtwoord instellen en meldingen ontvangen.",
"Define the power level of a user": "Bepaal het machtsniveau van een persoon", "Define the power level of a user": "Bepaal het machtsniveau van een persoon",
"Delete widget": "Widget verwijderen", "Delete widget": "Widget verwijderen",
"Enable automatic language detection for syntax highlighting": "Automatische taaldetectie voor zinsbouwmarkeringen inschakelen",
"Publish this room to the public in %(domain)s's room directory?": "Deze kamer vermelden in de publieke kamersgids van %(domain)s?", "Publish this room to the public in %(domain)s's room directory?": "Deze kamer vermelden in de publieke kamersgids van %(domain)s?",
"AM": "AM", "AM": "AM",
"PM": "PM", "PM": "PM",
"Unable to create widget.": "Kan widget niet aanmaken.", "Unable to create widget.": "Kan widget niet aanmaken.",
"You are not in this room.": "Je maakt geen deel uit van deze kamer.", "You are not in this room.": "Je maakt geen deel uit van deze kamer.",
"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.",
"Automatically replace plain text Emoji": "Tekst automatisch vervangen door emoji",
"%(widgetName)s widget added by %(senderName)s": "%(widgetName)s-widget toegevoegd door %(senderName)s", "%(widgetName)s widget added by %(senderName)s": "%(widgetName)s-widget toegevoegd door %(senderName)s",
"%(widgetName)s widget removed by %(senderName)s": "%(widgetName)s-widget verwijderd door %(senderName)s", "%(widgetName)s widget removed by %(senderName)s": "%(widgetName)s-widget verwijderd door %(senderName)s",
"%(widgetName)s widget modified by %(senderName)s": "%(widgetName)s-widget aangepast door %(senderName)s", "%(widgetName)s widget modified by %(senderName)s": "%(widgetName)s-widget aangepast door %(senderName)s",
@ -264,7 +259,6 @@
"%(senderName)s changed the pinned messages for the room.": "%(senderName)s heeft de vastgeprikte boodschappen voor de kamer gewijzigd.", "%(senderName)s changed the pinned messages for the room.": "%(senderName)s heeft de vastgeprikte boodschappen voor de kamer gewijzigd.",
"Send": "Versturen", "Send": "Versturen",
"%(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",
"Enable inline URL previews by default": "Inline URL-voorvertoning standaard inschakelen",
"Enable URL previews for this room (only affects you)": "URL-voorvertoning in dit kamer inschakelen (geldt alleen voor jou)", "Enable URL previews for this room (only affects you)": "URL-voorvertoning in dit kamer inschakelen (geldt alleen voor jou)",
"Enable URL previews by default for participants in this room": "URL-voorvertoning voor alle deelnemers aan deze kamer standaard inschakelen", "Enable URL previews by default for participants in this room": "URL-voorvertoning voor alle deelnemers aan deze kamer standaard inschakelen",
"Mirror local video feed": "Lokale videoaanvoer ook elders opslaan (spiegelen)", "Mirror local video feed": "Lokale videoaanvoer ook elders opslaan (spiegelen)",
@ -423,7 +417,6 @@
"Invite to this room": "Uitnodigen voor deze kamer", "Invite to this room": "Uitnodigen voor deze kamer",
"All messages": "Alle berichten", "All messages": "Alle berichten",
"Call invitation": "Oproep-uitnodiging", "Call invitation": "Oproep-uitnodiging",
"State Key": "Toestandssleutel",
"What's new?": "Wat is er nieuw?", "What's new?": "Wat is er nieuw?",
"When I'm invited to a room": "Wanneer ik uitgenodigd word in een kamer", "When I'm invited to a room": "Wanneer ik uitgenodigd word in een kamer",
"All Rooms": "Alle kamers", "All Rooms": "Alle kamers",
@ -436,9 +429,6 @@
"Low Priority": "Lage prioriteit", "Low Priority": "Lage prioriteit",
"Off": "Uit", "Off": "Uit",
"Wednesday": "Woensdag", "Wednesday": "Woensdag",
"Event Type": "Gebeurtenistype",
"Event sent!": "Gebeurtenis verstuurd!",
"Event Content": "Gebeurtenisinhoud",
"Thank you!": "Bedankt!", "Thank you!": "Bedankt!",
"Logs sent": "Logs verstuurd", "Logs sent": "Logs verstuurd",
"Failed to send logs: ": "Versturen van logs mislukt: ", "Failed to send logs: ": "Versturen van logs mislukt: ",
@ -535,13 +525,6 @@
"Straight rows of keys are easy to guess": "Zon aaneengesloten rijtje toetsen is eenvoudig te raden", "Straight rows of keys are easy to guess": "Zon aaneengesloten rijtje toetsen is eenvoudig te raden",
"Short keyboard patterns are easy to guess": "Korte patronen op het toetsenbord worden gemakkelijk geraden", "Short keyboard patterns are easy to guess": "Korte patronen op het toetsenbord worden gemakkelijk geraden",
"Please contact your homeserver administrator.": "Gelieve contact op te nemen met de beheerder van jouw homeserver.", "Please contact your homeserver administrator.": "Gelieve contact op te nemen met de beheerder van jouw homeserver.",
"Enable Emoji suggestions while typing": "Emoticons voorstellen tijdens het typen",
"Show a placeholder for removed messages": "Verwijderde berichten vulling tonen",
"Show display name changes": "Veranderingen van weergavenamen tonen",
"Show read receipts sent by other users": "Door andere personen verstuurde leesbevestigingen tonen",
"Enable big emoji in chat": "Grote emoji in kamers inschakelen",
"Send typing notifications": "Typmeldingen versturen",
"Prompt before sending invites to potentially invalid matrix IDs": "Uitnodigingen naar mogelijk ongeldige Matrix-IDs bevestigen",
"Messages containing my username": "Berichten die mijn inlognaam bevatten", "Messages containing my username": "Berichten die mijn inlognaam bevatten",
"Messages containing @room": "Berichten die @room bevatten", "Messages containing @room": "Berichten die @room bevatten",
"Encrypted messages in one-to-one chats": "Versleutelde berichten in één-op-één chats", "Encrypted messages in one-to-one chats": "Versleutelde berichten in één-op-één chats",
@ -970,7 +953,6 @@
"Report Content to Your Homeserver Administrator": "Inhoud melden aan de beheerder van jouw homeserver", "Report Content to Your Homeserver Administrator": "Inhoud melden aan de beheerder van jouw homeserver",
"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.": "Dit bericht melden zal zijn unieke gebeurtenis-ID versturen naar de beheerder van jouw homeserver. Als de berichten in deze kamer versleuteld zijn, zal de beheerder van jouw homeserver het bericht niet kunnen lezen, noch enige bestanden of afbeeldingen zien.", "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.": "Dit bericht melden zal zijn unieke gebeurtenis-ID versturen naar de beheerder van jouw homeserver. Als de berichten in deze kamer versleuteld zijn, zal de beheerder van jouw homeserver het bericht niet kunnen lezen, noch enige bestanden of afbeeldingen zien.",
"Explore rooms": "Kamers ontdekken", "Explore rooms": "Kamers ontdekken",
"Show previews/thumbnails for images": "Miniaturen voor afbeeldingen tonen",
"Clear cache and reload": "Cache wissen en herladen", "Clear cache and reload": "Cache wissen en herladen",
"%(count)s unread messages including mentions.": { "%(count)s unread messages including mentions.": {
"other": "%(count)s ongelezen berichten, inclusief vermeldingen.", "other": "%(count)s ongelezen berichten, inclusief vermeldingen.",
@ -1070,7 +1052,6 @@
"in memory": "in het geheugen", "in memory": "in het geheugen",
"not found": "niet gevonden", "not found": "niet gevonden",
"Cancel entering passphrase?": "Wachtwoord annuleren?", "Cancel entering passphrase?": "Wachtwoord annuleren?",
"Show typing notifications": "Typmeldingen weergeven",
"Scan this unique code": "Scan deze unieke code", "Scan this unique code": "Scan deze unieke code",
"Compare unique emoji": "Vergelijk unieke emoji", "Compare unique emoji": "Vergelijk unieke emoji",
"Compare a unique set of emoji if you don't have a camera on either device": "Vergelijk een unieke lijst met emoji als geen van beide apparaten een camera heeft", "Compare a unique set of emoji if you don't have a camera on either device": "Vergelijk een unieke lijst met emoji als geen van beide apparaten een camera heeft",
@ -1141,7 +1122,6 @@
"Use your account or create a new one to continue.": "Gebruik je bestaande account of maak een nieuwe aan om verder te gaan.", "Use your account or create a new one to continue.": "Gebruik je bestaande account of maak een nieuwe aan om verder te gaan.",
"Create Account": "Registreren", "Create Account": "Registreren",
"Displays information about a user": "Geeft informatie weer over een persoon", "Displays information about a user": "Geeft informatie weer over een persoon",
"Show shortcuts to recently viewed rooms above the room list": "Snelkoppelingen naar de kamers die je recent hebt bekeken bovenaan de kamerlijst weergeven",
"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.",
@ -1659,8 +1639,6 @@
"sends fireworks": "stuurt vuurwerk", "sends fireworks": "stuurt vuurwerk",
"Downloading logs": "Logs downloaden", "Downloading logs": "Logs downloaden",
"Uploading logs": "Logs uploaden", "Uploading logs": "Logs uploaden",
"Use Ctrl + Enter to send a message": "Gebruik Ctrl + Enter om een bericht te sturen",
"Use Command + Enter to send a message": "Gebruik Command (⌘) + Enter om een bericht te sturen",
"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",
@ -1746,9 +1724,6 @@
"Manually verify all remote sessions": "Handmatig alle externe sessies verifiëren", "Manually verify all remote sessions": "Handmatig alle externe sessies verifiëren",
"System font name": "Systeemlettertypenaam", "System font name": "Systeemlettertypenaam",
"Use a system font": "Gebruik een systeemlettertype", "Use a system font": "Gebruik een systeemlettertype",
"Show line numbers in code blocks": "Regelnummers in codeblokken tonen",
"Expand code blocks by default": "Standaard codeblokken uitvouwen",
"Show stickers button": "Stickers-knop tonen",
"Safeguard against losing access to encrypted messages & data": "Beveiliging tegen verlies van toegang tot versleutelde berichten en gegevens", "Safeguard against losing access to encrypted messages & data": "Beveiliging tegen verlies van toegang tot versleutelde berichten en gegevens",
"Set up Secure Backup": "Beveiligde back-up instellen", "Set up Secure Backup": "Beveiligde back-up instellen",
"Contact your <a>server admin</a>.": "Neem contact op met je <a>serverbeheerder</a>.", "Contact your <a>server admin</a>.": "Neem contact op met je <a>serverbeheerder</a>.",
@ -1962,7 +1937,6 @@
"Failed to transfer call": "Oproep niet doorverbonden", "Failed to transfer call": "Oproep niet doorverbonden",
"A call can only be transferred to a single user.": "Een oproep kan slechts naar één personen worden doorverbonden.", "A call can only be transferred to a single user.": "Een oproep kan slechts naar één personen worden doorverbonden.",
"PRO TIP: If you start a bug, please submit <debugLogsLink>debug logs</debugLogsLink> to help us track down the problem.": "PRO TIP: Als je een nieuwe bug maakt, stuur ons dan je <debugLogsLink>foutenlogboek</debugLogsLink> om ons te helpen het probleem op te sporen.", "PRO TIP: If you start a bug, please submit <debugLogsLink>debug logs</debugLogsLink> to help us track down the problem.": "PRO TIP: Als je een nieuwe bug maakt, stuur ons dan je <debugLogsLink>foutenlogboek</debugLogsLink> om ons te helpen het probleem op te sporen.",
"There was an error finding this widget.": "Er is een fout opgetreden bij het vinden van deze widget.",
"Server did not return valid authentication information.": "Server heeft geen geldige verificatiegegevens teruggestuurd.", "Server did not return valid authentication information.": "Server heeft geen geldige verificatiegegevens teruggestuurd.",
"Server did not require any authentication": "Server heeft geen authenticatie nodig", "Server did not require any authentication": "Server heeft geen authenticatie nodig",
"There was a problem communicating with the server. Please try again.": "Er was een communicatie probleem met de server. Probeer het opnieuw.", "There was a problem communicating with the server. Please try again.": "Er was een communicatie probleem met de server. Probeer het opnieuw.",
@ -2031,25 +2005,6 @@
"Send a Direct Message": "Start een direct gesprek", "Send a Direct Message": "Start een direct gesprek",
"Welcome to %(appName)s": "Welkom bij %(appName)s", "Welcome to %(appName)s": "Welkom bij %(appName)s",
"<a>Add a topic</a> to help people know what it is about.": "<a>Stel een kameronderwerp in</a> zodat de personen weten waar het over gaat.", "<a>Add a topic</a> to help people know what it is about.": "<a>Stel een kameronderwerp in</a> zodat de personen weten waar het over gaat.",
"Values at explicit levels in this room:": "Waarde op expliciete niveaus in deze kamer:",
"Values at explicit levels:": "Waardes op expliciete niveaus:",
"Value in this room:": "Waarde in deze kamer:",
"Value:": "Waarde:",
"Save setting values": "Instelling waardes opslaan",
"Values at explicit levels in this room": "Waardes op expliciete niveaus in deze kamer",
"Values at explicit levels": "Waardes op expliciete niveaus",
"Settable at room": "Instelbaar per kamer",
"Settable at global": "Instelbaar op globaal",
"Level": "Niveau",
"Setting definition:": "Instelling definitie:",
"This UI does NOT check the types of the values. Use at your own risk.": "De UI heeft GEEN controle op het type van de waardes. Gebruik op eigen risico.",
"Caution:": "Opgelet:",
"Setting:": "Instelling:",
"Value in this room": "Waarde van deze kamer",
"Value": "Waarde",
"Setting ID": "Instellingen-ID",
"Show chat effects (animations when receiving e.g. confetti)": "Effecten tonen (animaties bij ontvangst bijv. confetti)",
"Jump to the bottom of the timeline when you send a message": "Naar de onderkant van de tijdlijn springen wanneer je een bericht verstuurd",
"Original event source": "Originele gebeurtenisbron", "Original event source": "Originele gebeurtenisbron",
"Decrypted event source": "Ontsleutel de gebeurtenisbron", "Decrypted event source": "Ontsleutel de gebeurtenisbron",
"Invite by username": "Op inlognaam uitnodigen", "Invite by username": "Op inlognaam uitnodigen",
@ -2151,7 +2106,6 @@
"other": "%(count)s personen die je kent hebben zich al geregistreerd" "other": "%(count)s personen die je kent hebben zich al geregistreerd"
}, },
"Invite to just this room": "Uitnodigen voor alleen deze kamer", "Invite to just this room": "Uitnodigen voor alleen deze kamer",
"Warn before quitting": "Waarschuwen voordat je afsluit",
"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>", "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",
@ -2276,7 +2230,6 @@
"e.g. my-space": "v.b. mijn-Space", "e.g. my-space": "v.b. mijn-Space",
"Silence call": "Oproep dempen", "Silence call": "Oproep dempen",
"Sound on": "Geluid aan", "Sound on": "Geluid aan",
"Show all rooms in Home": "Alle kamers in Home tonen",
"%(senderName)s changed the <a>pinned messages</a> for the room.": "%(senderName)s heeft de <a>vastgeprikte berichten</a> voor de kamer gewijzigd.", "%(senderName)s changed the <a>pinned messages</a> for the room.": "%(senderName)s heeft de <a>vastgeprikte berichten</a> voor de kamer gewijzigd.",
"%(senderName)s withdrew %(targetName)s's invitation": "%(senderName)s heeft de uitnodiging van %(targetName)s ingetrokken", "%(senderName)s withdrew %(targetName)s's invitation": "%(senderName)s heeft de uitnodiging van %(targetName)s ingetrokken",
"%(senderName)s withdrew %(targetName)s's invitation: %(reason)s": "%(senderName)s heeft de uitnodiging van %(targetName)s ingetrokken: %(reason)s", "%(senderName)s withdrew %(targetName)s's invitation: %(reason)s": "%(senderName)s heeft de uitnodiging van %(targetName)s ingetrokken: %(reason)s",
@ -2309,8 +2262,6 @@
"Code blocks": "Codeblokken", "Code blocks": "Codeblokken",
"Displaying time": "Tijdsweergave", "Displaying time": "Tijdsweergave",
"Keyboard shortcuts": "Sneltoetsen", "Keyboard shortcuts": "Sneltoetsen",
"Use Ctrl + F to search timeline": "Gebruik Ctrl +F om te zoeken in de tijdlijn",
"Use Command + F to search timeline": "Gebruik Command + F om te zoeken in de tijdlijn",
"Integration manager": "Integratiebeheerder", "Integration manager": "Integratiebeheerder",
"Your %(brand)s doesn't allow you to use an integration manager to do this. Please contact an admin.": "Jouw %(brand)s laat je geen integratiebeheerder gebruiken om dit te doen. Neem contact op met een beheerder.", "Your %(brand)s doesn't allow you to use an integration manager to do this. Please contact an admin.": "Jouw %(brand)s laat je geen integratiebeheerder gebruiken om dit te doen. Neem contact op met een beheerder.",
"Using this widget may share data <helpIcon /> with %(widgetDomain)s & your integration manager.": "Met het gebruik van deze widget deel je mogelijk gegevens <helpIcon /> met %(widgetDomain)s & je integratiebeheerder.", "Using this widget may share data <helpIcon /> with %(widgetDomain)s & your integration manager.": "Met het gebruik van deze widget deel je mogelijk gegevens <helpIcon /> met %(widgetDomain)s & je integratiebeheerder.",
@ -2390,7 +2341,6 @@
"Your camera is turned off": "Je camera staat uit", "Your camera is turned off": "Je camera staat uit",
"%(sharerName)s is presenting": "%(sharerName)s is aan het presenteren", "%(sharerName)s is presenting": "%(sharerName)s is aan het presenteren",
"You are presenting": "Je bent aan het presenteren", "You are presenting": "Je bent aan het presenteren",
"All rooms you're in will appear in Home.": "Alle kamers waar je in bent zullen in Home verschijnen.",
"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.",
@ -2442,8 +2392,6 @@
"Cross-signing is ready but keys are not backed up.": "Kruiselings ondertekenen is klaar, maar de sleutels zijn nog niet geback-upt.", "Cross-signing is ready but keys are not backed up.": "Kruiselings ondertekenen is klaar, maar de sleutels zijn nog niet geback-upt.",
"The above, but in <Room /> as well": "Het bovenstaande, maar ook in <Room />", "The above, but in <Room /> as well": "Het bovenstaande, maar ook in <Room />",
"The above, but in any room you are joined or invited to as well": "Het bovenstaande, maar in elke kamer waar je aan deelneemt en voor uitgenodigd bent", "The above, but in any room you are joined or invited to as well": "Het bovenstaande, maar in elke kamer waar je aan deelneemt en voor uitgenodigd bent",
"Autoplay videos": "Videos automatisch afspelen",
"Autoplay GIFs": "GIF's automatisch afspelen",
"%(senderName)s unpinned a message from this room. See all pinned messages.": "%(senderName)s maakte een vastgeprikt bericht los van deze kamer. Bekijk alle vastgeprikte berichten.", "%(senderName)s unpinned a message from this room. See all pinned messages.": "%(senderName)s maakte een vastgeprikt bericht los van deze kamer. Bekijk alle vastgeprikte berichten.",
"%(senderName)s unpinned <a>a message</a> from this room. See all <b>pinned messages</b>.": "%(senderName)s maakte <a>een vastgeprikt bericht</a> los van deze kamer. Bekijk alle <b>vastgeprikte berichten</b>.", "%(senderName)s unpinned <a>a message</a> from this room. See all <b>pinned messages</b>.": "%(senderName)s maakte <a>een vastgeprikt bericht</a> los van deze kamer. Bekijk alle <b>vastgeprikte berichten</b>.",
"%(senderName)s pinned a message to this room. See all pinned messages.": "%(senderName)s prikte een bericht vast aan deze kamer. Bekijk alle vastgeprikte berichten.", "%(senderName)s pinned a message to this room. See all pinned messages.": "%(senderName)s prikte een bericht vast aan deze kamer. Bekijk alle vastgeprikte berichten.",
@ -2648,7 +2596,6 @@
"Messaging": "Messaging", "Messaging": "Messaging",
"Spaces you know that contain this space": "Spaces die je kent met deze Space", "Spaces you know that contain this space": "Spaces die je kent met deze Space",
"Chat": "Chat", "Chat": "Chat",
"Clear": "Wis",
"You may contact me if you want to follow up or to let me test out upcoming ideas": "Je kan contact met mij opnemen als je updates wil van of wilt deelnemen aan nieuwe ideeën", "You may contact me if you want to follow up or to let me test out upcoming ideas": "Je kan contact met mij opnemen als je updates wil van of wilt deelnemen aan nieuwe ideeën",
"Home options": "Home-opties", "Home options": "Home-opties",
"%(spaceName)s menu": "%(spaceName)s-menu", "%(spaceName)s menu": "%(spaceName)s-menu",
@ -2749,7 +2696,6 @@
"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",
"Edit setting": "Instelling bewerken",
"Expand map": "Map uitvouwen", "Expand map": "Map uitvouwen",
"Send reactions": "Reacties versturen", "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",
@ -2790,7 +2736,6 @@
"Remove users": "Personen verwijderen", "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",
"Show join/leave messages (invites/removes/bans unaffected)": "Toon deelname/laat berichten (uitnodigingen/verwijderingen/bans onaangetast)",
"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",
"Remove, ban, or invite people to this room, and make you leave": "Verwijder, verbied of nodig mensen uit voor deze kamer en zorg ervoor dat je weggaat", "Remove, ban, or invite people to this room, and make you leave": "Verwijder, verbied of nodig mensen uit voor deze kamer en zorg ervoor dat je weggaat",
"%(senderName)s has ended a poll": "%(senderName)s heeft een poll beëindigd", "%(senderName)s has ended a poll": "%(senderName)s heeft een poll beëindigd",
@ -2844,11 +2789,6 @@
"This is a beta feature": "Dit is een bètafunctie", "This is a beta feature": "Dit is een bètafunctie",
"Use <arrows/> to scroll": "Gebruik <arrows/> om te scrollen", "Use <arrows/> to scroll": "Gebruik <arrows/> om te scrollen",
"Feedback sent! Thanks, we appreciate it!": "Reactie verzonden! Bedankt, we waarderen het!", "Feedback sent! Thanks, we appreciate it!": "Reactie verzonden! Bedankt, we waarderen het!",
"<empty string>": "<empty string>",
"<%(count)s spaces>": {
"one": "<space>",
"other": "<%(count)s spaces>"
},
"%(oneUser)ssent %(count)s hidden messages": { "%(oneUser)ssent %(count)s hidden messages": {
"one": "%(oneUser)sverzond een verborgen bericht", "one": "%(oneUser)sverzond een verborgen bericht",
"other": "%(oneUser)sverzond %(count)s verborgen berichten" "other": "%(oneUser)sverzond %(count)s verborgen berichten"
@ -2872,30 +2812,7 @@
"No virtual room for this room": "Geen virtuele ruimte voor deze ruimte", "No virtual room for this room": "Geen virtuele ruimte voor deze ruimte",
"Switches to this room's virtual room, if it has one": "Schakelt over naar de virtuele kamer van deze kamer, als die er is", "Switches to this room's virtual room, if it has one": "Schakelt over naar de virtuele kamer van deze kamer, als die er is",
"Failed to invite users to %(roomName)s": "Kan personen niet uitnodigen voor %(roomName)s", "Failed to invite users to %(roomName)s": "Kan personen niet uitnodigen voor %(roomName)s",
"Observe only": "Alleen observeren",
"Requester": "Aanvrager",
"Methods": "Methoden",
"Timeout": "Time-out",
"Phase": "Fase",
"Transaction": "Transactie",
"Cancelled": "Geannuleerd",
"Started": "Begonnen",
"Ready": "Gereed",
"Requested": "Aangevraagd",
"Unsent": "niet verstuurd", "Unsent": "niet verstuurd",
"Edit values": "Bewerk waarden",
"Failed to save settings.": "Kan instellingen niet opslaan.",
"Number of users": "Aantal personen",
"Server": "Server",
"Server Versions": "Serverversies",
"Client Versions": "cliëntversies",
"Failed to load.": "Laden mislukt.",
"Capabilities": "Mogelijkheden",
"Send custom state event": "Aangepaste statusgebeurtenis versturen",
"Failed to send event!": "Kan gebeurtenis niet versturen!",
"Doesn't look like valid JSON.": "Lijkt niet op geldige JSON.",
"Send custom room account data event": "Gegevensgebeurtenis van aangepaste kamer account versturen",
"Send custom account data event": "Aangepaste accountgegevens gebeurtenis versturen",
"Search Dialog": "Dialoogvenster Zoeken", "Search Dialog": "Dialoogvenster Zoeken",
"Join %(roomAddress)s": "%(roomAddress)s toetreden", "Join %(roomAddress)s": "%(roomAddress)s toetreden",
"Export Cancelled": "Export geannuleerd", "Export Cancelled": "Export geannuleerd",
@ -2991,7 +2908,6 @@
"Developer tools": "Ontwikkelaarstools", "Developer tools": "Ontwikkelaarstools",
"sends hearts": "stuurt hartjes", "sends hearts": "stuurt hartjes",
"Sends the given message with hearts": "Stuurt het bericht met hartjes", "Sends the given message with hearts": "Stuurt het bericht met hartjes",
"Insert a trailing colon after user mentions at the start of a message": "Voeg een dubbele punt in nadat de persoon het aan het begin van een bericht heeft vermeld",
"Show polls button": "Toon polls-knop", "Show polls button": "Toon polls-knop",
"Failed to join": "Kan niet deelnemen", "Failed to join": "Kan niet deelnemen",
"The person who invited you has already left, or their server is offline.": "De persoon die je heeft uitgenodigd is al vertrokken, of zijn server is offline.", "The person who invited you has already left, or their server is offline.": "De persoon die je heeft uitgenodigd is al vertrokken, of zijn server is offline.",
@ -3017,7 +2933,6 @@
"An error occurred while stopping your live location, please try again": "Er is een fout opgetreden bij het stoppen van je live locatie, probeer het opnieuw", "An error occurred while stopping your live location, please try again": "Er is een fout opgetreden bij het stoppen van je live locatie, probeer het opnieuw",
"%(timeRemaining)s left": "%(timeRemaining)s over", "%(timeRemaining)s left": "%(timeRemaining)s over",
"You are sharing your live location": "Je deelt je live locatie", "You are sharing your live location": "Je deelt je live locatie",
"No verification requests found": "Geen verificatieverzoeken gevonden",
"Open user settings": "Open persooninstellingen", "Open user settings": "Open persooninstellingen",
"Switch to space by number": "Overschakelen naar space op nummer", "Switch to space by number": "Overschakelen naar space op nummer",
"Next recently visited room or space": "Volgende recent bezochte kamer of space", "Next recently visited room or space": "Volgende recent bezochte kamer of space",
@ -3068,7 +2983,6 @@
"Unmute microphone": "Microfoon inschakelen", "Unmute microphone": "Microfoon inschakelen",
"Mute microphone": "Microfoon dempen", "Mute microphone": "Microfoon dempen",
"Audio devices": "Audio-apparaten", "Audio devices": "Audio-apparaten",
"Enable Markdown": "Markdown inschakelen",
"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.",
@ -3100,7 +3014,6 @@
"Edit topic": "Bewerk onderwerp", "Edit topic": "Bewerk onderwerp",
"Joining…": "Deelnemen…", "Joining…": "Deelnemen…",
"Read receipts": "Leesbevestigingen", "Read receipts": "Leesbevestigingen",
"Enable hardware acceleration (restart %(appName)s to take effect)": "Schakel hardwareversnelling in (start %(appName)s opnieuw op)",
"%(count)s people joined": { "%(count)s people joined": {
"one": "%(count)s persoon toegetreden", "one": "%(count)s persoon toegetreden",
"other": "%(count)s mensen toegetreden" "other": "%(count)s mensen toegetreden"
@ -3225,7 +3138,6 @@
"Share your activity and status with others.": "Deel je activiteit en status met anderen.", "Share your activity and status with others.": "Deel je activiteit en status met anderen.",
"Dont miss a thing by taking %(brand)s with you": "Mis niets door %(brand)s mee te nemen", "Dont miss a thing by taking %(brand)s with you": "Mis niets door %(brand)s mee te nemen",
"Show shortcut to welcome checklist above the room list": "Toon snelkoppeling naar welkomstchecklist boven de kamer gids", "Show shortcut to welcome checklist above the room list": "Toon snelkoppeling naar welkomstchecklist boven de kamer gids",
"Send read receipts": "Stuur leesbevestigingen",
"Empty room (was %(oldName)s)": "Lege ruimte (was %(oldName)s)", "Empty room (was %(oldName)s)": "Lege ruimte (was %(oldName)s)",
"Inviting %(user)s and %(count)s others": { "Inviting %(user)s and %(count)s others": {
"one": "%(user)s en 1 andere uitnodigen", "one": "%(user)s en 1 andere uitnodigen",
@ -3415,7 +3327,9 @@
"android": "Android", "android": "Android",
"trusted": "Vertrouwd", "trusted": "Vertrouwd",
"not_trusted": "Niet vertrouwd", "not_trusted": "Niet vertrouwd",
"accessibility": "Toegankelijkheid" "accessibility": "Toegankelijkheid",
"capabilities": "Mogelijkheden",
"server": "Server"
}, },
"action": { "action": {
"continue": "Doorgaan", "continue": "Doorgaan",
@ -3511,7 +3425,8 @@
"maximise": "Maximaliseren", "maximise": "Maximaliseren",
"mention": "Vermelden", "mention": "Vermelden",
"submit": "Bevestigen", "submit": "Bevestigen",
"send_report": "Rapport versturen" "send_report": "Rapport versturen",
"clear": "Wis"
}, },
"a11y": { "a11y": {
"user_menu": "Persoonsmenu" "user_menu": "Persoonsmenu"
@ -3607,5 +3522,94 @@
"you_did_it": "Het is je gelukt!", "you_did_it": "Het is je gelukt!",
"complete_these": "Voltooi deze om het meeste uit %(brand)s te halen", "complete_these": "Voltooi deze om het meeste uit %(brand)s te halen",
"community_messaging_description": "Houd het eigendom en de controle over de discussie in de gemeenschap.\nSchaal om miljoenen te ondersteunen, met krachtige beheersbaarheid en interoperabiliteit." "community_messaging_description": "Houd het eigendom en de controle over de discussie in de gemeenschap.\nSchaal om miljoenen te ondersteunen, met krachtige beheersbaarheid en interoperabiliteit."
},
"devtools": {
"send_custom_account_data_event": "Aangepaste accountgegevens gebeurtenis versturen",
"send_custom_room_account_data_event": "Gegevensgebeurtenis van aangepaste kamer account versturen",
"event_type": "Gebeurtenistype",
"state_key": "Toestandssleutel",
"invalid_json": "Lijkt niet op geldige JSON.",
"failed_to_send": "Kan gebeurtenis niet versturen!",
"event_sent": "Gebeurtenis verstuurd!",
"event_content": "Gebeurtenisinhoud",
"spaces": {
"one": "<space>",
"other": "<%(count)s spaces>"
},
"empty_string": "<empty string>",
"send_custom_state_event": "Aangepaste statusgebeurtenis versturen",
"failed_to_load": "Laden mislukt.",
"client_versions": "cliëntversies",
"server_versions": "Serverversies",
"number_of_users": "Aantal personen",
"failed_to_save": "Kan instellingen niet opslaan.",
"save_setting_values": "Instelling waardes opslaan",
"setting_colon": "Instelling:",
"caution_colon": "Opgelet:",
"use_at_own_risk": "De UI heeft GEEN controle op het type van de waardes. Gebruik op eigen risico.",
"setting_definition": "Instelling definitie:",
"level": "Niveau",
"settable_global": "Instelbaar op globaal",
"settable_room": "Instelbaar per kamer",
"values_explicit": "Waardes op expliciete niveaus",
"values_explicit_room": "Waardes op expliciete niveaus in deze kamer",
"edit_values": "Bewerk waarden",
"value_colon": "Waarde:",
"value_this_room_colon": "Waarde in deze kamer:",
"values_explicit_colon": "Waardes op expliciete niveaus:",
"values_explicit_this_room_colon": "Waarde op expliciete niveaus in deze kamer:",
"setting_id": "Instellingen-ID",
"value": "Waarde",
"value_in_this_room": "Waarde van deze kamer",
"edit_setting": "Instelling bewerken",
"phase_requested": "Aangevraagd",
"phase_ready": "Gereed",
"phase_started": "Begonnen",
"phase_cancelled": "Geannuleerd",
"phase_transaction": "Transactie",
"phase": "Fase",
"timeout": "Time-out",
"methods": "Methoden",
"requester": "Aanvrager",
"observe_only": "Alleen observeren",
"no_verification_requests_found": "Geen verificatieverzoeken gevonden",
"failed_to_find_widget": "Er is een fout opgetreden bij het vinden van deze widget."
},
"settings": {
"show_breadcrumbs": "Snelkoppelingen naar de kamers die je recent hebt bekeken bovenaan de kamerlijst weergeven",
"all_rooms_home_description": "Alle kamers waar je in bent zullen in Home verschijnen.",
"use_command_f_search": "Gebruik Command + F om te zoeken in de tijdlijn",
"use_control_f_search": "Gebruik Ctrl +F om te zoeken in de tijdlijn",
"use_12_hour_format": "Tijd in 12-uursformaat tonen (bv. 2:30pm)",
"always_show_message_timestamps": "Altijd tijdstempels van berichten tonen",
"send_read_receipts": "Stuur leesbevestigingen",
"send_typing_notifications": "Typmeldingen versturen",
"replace_plain_emoji": "Tekst automatisch vervangen door emoji",
"enable_markdown": "Markdown inschakelen",
"emoji_autocomplete": "Emoticons voorstellen tijdens het typen",
"use_command_enter_send_message": "Gebruik Command (⌘) + Enter om een bericht te sturen",
"use_control_enter_send_message": "Gebruik Ctrl + Enter om een bericht te sturen",
"all_rooms_home": "Alle kamers in Home tonen",
"show_stickers_button": "Stickers-knop tonen",
"insert_trailing_colon_mentions": "Voeg een dubbele punt in nadat de persoon het aan het begin van een bericht heeft vermeld",
"automatic_language_detection_syntax_highlight": "Automatische taaldetectie voor zinsbouwmarkeringen inschakelen",
"code_block_expand_default": "Standaard codeblokken uitvouwen",
"code_block_line_numbers": "Regelnummers in codeblokken tonen",
"inline_url_previews_default": "Inline URL-voorvertoning standaard inschakelen",
"autoplay_gifs": "GIF's automatisch afspelen",
"autoplay_videos": "Videos automatisch afspelen",
"image_thumbnails": "Miniaturen voor afbeeldingen tonen",
"show_typing_notifications": "Typmeldingen weergeven",
"show_redaction_placeholder": "Verwijderde berichten vulling tonen",
"show_read_receipts": "Door andere personen verstuurde leesbevestigingen tonen",
"show_join_leave": "Toon deelname/laat berichten (uitnodigingen/verwijderingen/bans onaangetast)",
"show_displayname_changes": "Veranderingen van weergavenamen tonen",
"show_chat_effects": "Effecten tonen (animaties bij ontvangst bijv. confetti)",
"big_emoji": "Grote emoji in kamers inschakelen",
"jump_to_bottom_on_send": "Naar de onderkant van de tijdlijn springen wanneer je een bericht verstuurd",
"prompt_invite": "Uitnodigingen naar mogelijk ongeldige Matrix-IDs bevestigen",
"hardware_acceleration": "Schakel hardwareversnelling in (start %(appName)s opnieuw op)",
"start_automatically": "Automatisch starten na systeemlogin",
"warn_quit": "Waarschuwen voordat je afsluit"
} }
} }

View file

@ -93,9 +93,6 @@
"Your browser does not support the required cryptography extensions": "Nettlesaren din støttar ikkje dei naudsynte kryptografiske utvidingane", "Your browser does not support the required cryptography extensions": "Nettlesaren din støttar ikkje dei naudsynte kryptografiske utvidingane",
"Not a valid %(brand)s keyfile": "Ikkje ei gyldig %(brand)s-nykelfil", "Not a valid %(brand)s keyfile": "Ikkje ei gyldig %(brand)s-nykelfil",
"Authentication check failed: incorrect password?": "Authentiseringsforsøk mislukkast: feil passord?", "Authentication check failed: incorrect password?": "Authentiseringsforsøk mislukkast: feil passord?",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "Vis tidspunkt i 12-timarsform (t.d. 2:30pm)",
"Always show message timestamps": "Vis alltid meldingstidspunkt",
"Automatically replace plain text Emoji": "Erstatt Emojiar i klartekst av seg sjølv",
"Mirror local video feed": "Spegl den lokale videofeeden", "Mirror local video feed": "Spegl den lokale videofeeden",
"Send analytics data": "Send statistikkdata", "Send analytics data": "Send statistikkdata",
"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)",
@ -140,7 +137,6 @@
"You will not be able to undo this change as you are promoting the user to have the same power level as yourself.": "Du kan ikkje angre denne endringa, fordi brukaren du forfremmar vil få same tilgangsnivå som du har no.", "You will not be able to undo this change as you are promoting the user to have the same power level as yourself.": "Du kan ikkje angre denne endringa, fordi brukaren du forfremmar vil få same tilgangsnivå som du har no.",
"Are you sure?": "Er du sikker?", "Are you sure?": "Er du sikker?",
"Unignore": "Slutt å ignorer", "Unignore": "Slutt å ignorer",
"Enable inline URL previews by default": "Skru URL-førehandsvising i tekstfeltet på",
"Share Link to User": "Del ei lenke til brukaren", "Share Link to User": "Del ei lenke til brukaren",
"Admin Tools": "Administratorverktøy", "Admin Tools": "Administratorverktøy",
"and %(count)s others...": { "and %(count)s others...": {
@ -353,9 +349,6 @@
"Unknown error": "Noko ukjend gjekk galt", "Unknown error": "Noko ukjend gjekk galt",
"Incorrect password": "Urett passord", "Incorrect password": "Urett passord",
"Deactivate Account": "Avliv Brukaren", "Deactivate Account": "Avliv Brukaren",
"Event sent!": "Hending send!",
"Event Type": "Hendingsort",
"Event Content": "Hendingsinnhald",
"Toolbox": "Verktøykasse", "Toolbox": "Verktøykasse",
"Developer Tools": "Utviklarverktøy", "Developer Tools": "Utviklarverktøy",
"An error has occurred.": "Noko gjekk gale.", "An error has occurred.": "Noko gjekk gale.",
@ -422,7 +415,6 @@
"Cryptography": "Kryptografi", "Cryptography": "Kryptografi",
"Check for update": "Sjå etter oppdateringar", "Check for update": "Sjå etter oppdateringar",
"Reject all %(invitedRooms)s invites": "Kanseller alle invitasjonar frå %(invitedRooms)s", "Reject all %(invitedRooms)s invites": "Kanseller alle invitasjonar frå %(invitedRooms)s",
"Start automatically after system login": "Start automatisk etter systeminnlogging",
"No media permissions": "Ingen mediatilgang", "No media permissions": "Ingen mediatilgang",
"You may need to manually permit %(brand)s to access your microphone/webcam": "Det kan henda at du må gje %(brand)s tilgang til mikrofonen/nettkameraet for hand", "You may need to manually permit %(brand)s to access your microphone/webcam": "Det kan henda at du må gje %(brand)s tilgang til mikrofonen/nettkameraet for hand",
"No Audio Outputs detected": "Ingen ljodavspelingseiningar funne", "No Audio Outputs detected": "Ingen ljodavspelingseiningar funne",
@ -451,7 +443,6 @@
"Passphrase must not be empty": "Passfrasefeltet kan ikkje stå tomt", "Passphrase must not be empty": "Passfrasefeltet kan ikkje stå tomt",
"Enter passphrase": "Skriv inn passfrase", "Enter passphrase": "Skriv inn passfrase",
"Confirm passphrase": "Stadfest passfrase", "Confirm passphrase": "Stadfest passfrase",
"Enable automatic language detection for syntax highlighting": "Skru automatisk måloppdaging på for syntax-understreking",
"Export E2E room keys": "Hent E2E-romnøklar ut", "Export E2E room keys": "Hent E2E-romnøklar ut",
"Jump to read receipt": "Hopp til lesen-lappen", "Jump to read receipt": "Hopp til lesen-lappen",
"Filter room members": "Filtrer rommedlemmar", "Filter room members": "Filtrer rommedlemmar",
@ -464,7 +455,6 @@
"%(nameList)s %(transitionList)s": "%(nameList)s %(transitionList)s", "%(nameList)s %(transitionList)s": "%(nameList)s %(transitionList)s",
"Custom level": "Tilpassa nivå", "Custom level": "Tilpassa nivå",
"Unable to load event that was replied to, it either does not exist or you do not have permission to view it.": "Klarte ikkje å lasta handlinga som vert svara til. Anten finst ho ikkje elles har du ikkje tilgang til å sjå ho.", "Unable to load event that was replied to, it either does not exist or you do not have permission to view it.": "Klarte ikkje å lasta handlinga som vert svara til. Anten finst ho ikkje elles har du ikkje tilgang til å sjå ho.",
"State Key": "Tilstandsnykel",
"Filter results": "Filtrer resultat", "Filter results": "Filtrer resultat",
"Server may be unavailable, overloaded, or search timed out :(": "Tenaren er kanskje utilgjengeleg, overlasta, elles så vart søket tidsavbrote :(", "Server may be unavailable, overloaded, or search timed out :(": "Tenaren er kanskje utilgjengeleg, overlasta, elles så vart søket tidsavbrote :(",
"Profile": "Brukar", "Profile": "Brukar",
@ -593,7 +583,6 @@
"Sends the given emote coloured as a rainbow": "Sendar emojien med regnbogefargar", "Sends the given emote coloured as a rainbow": "Sendar emojien med regnbogefargar",
"You do not have permission to invite people to this room.": "Du har ikkje lov til å invitera andre til dette rommet.", "You do not have permission to invite people to this room.": "Du har ikkje lov til å invitera andre til dette rommet.",
"The user must be unbanned before they can be invited.": "Blokkeringa av brukaren må fjernast før dei kan bli inviterte.", "The user must be unbanned before they can be invited.": "Blokkeringa av brukaren må fjernast før dei kan bli inviterte.",
"Prompt before sending invites to potentially invalid matrix IDs": "Spør før utsending av invitasjonar til potensielle ugyldige Matrix-IDar",
"Disconnecting from your identity server will mean you won't be discoverable by other users and you won't be able to invite others by email or phone.": "Ved å fjerne koplinga mot din identitetstenar, vil ikkje brukaren din bli oppdaga av andre brukarar, og du kan heller ikkje invitera andre med e-post eller telefonnummer.", "Disconnecting from your identity server will mean you won't be discoverable by other users and you won't be able to invite others by email or phone.": "Ved å fjerne koplinga mot din identitetstenar, vil ikkje brukaren din bli oppdaga av andre brukarar, og du kan heller ikkje invitera andre med e-post eller telefonnummer.",
"Using an identity server is optional. If you choose not to use an identity server, you won't be discoverable by other users and you won't be able to invite others by email or phone.": "Å bruka ein identitetstenar er frivillig. Om du vel å ikkje bruka dette, vil ikkje brukaren din bli oppdaga av andre brukarar, og du kan ikkje invitera andre med e-post eller telefonnummer.", "Using an identity server is optional. If you choose not to use an identity server, you won't be discoverable by other users and you won't be able to invite others by email or phone.": "Å bruka ein identitetstenar er frivillig. Om du vel å ikkje bruka dette, vil ikkje brukaren din bli oppdaga av andre brukarar, og du kan ikkje invitera andre med e-post eller telefonnummer.",
"Error downloading theme information.": "Feil under nedlasting av temainformasjon.", "Error downloading theme information.": "Feil under nedlasting av temainformasjon.",
@ -681,9 +670,7 @@
"Room avatar": "Rom-avatar", "Room avatar": "Rom-avatar",
"Power level": "Tilgangsnivå", "Power level": "Tilgangsnivå",
"Voice & Video": "Tale og video", "Voice & Video": "Tale og video",
"Show display name changes": "Vis endringar for visningsnamn",
"Match system theme": "Følg systemtema", "Match system theme": "Følg systemtema",
"Show shortcuts to recently viewed rooms above the room list": "Vis snarvegar til sist synte rom over romkatalogen",
"Show hidden events in timeline": "Vis skjulte hendelsar i historikken", "Show hidden events in timeline": "Vis skjulte hendelsar i historikken",
"This is your list of users/servers you have blocked - don't leave the room!": "Dette er di liste over brukarar/tenarar du har blokkert - ikkje forlat rommet!", "This is your list of users/servers you have blocked - don't leave the room!": "Dette er di liste over brukarar/tenarar du har blokkert - ikkje forlat rommet!",
"Show less": "Vis mindre", "Show less": "Vis mindre",
@ -731,13 +718,6 @@
"one": "%(names)s og ein annan skriv…" "one": "%(names)s og ein annan skriv…"
}, },
"%(names)s and %(lastPerson)s are typing …": "%(names)s og %(lastPerson)s skriv…", "%(names)s and %(lastPerson)s are typing …": "%(names)s og %(lastPerson)s skriv…",
"Enable Emoji suggestions while typing": "Aktiver Emoji-forslag under skriving",
"Show a placeholder for removed messages": "Vis ein plassholdar for sletta meldingar",
"Show read receipts sent by other users": "Vis lese-rapportar sendt av andre brukarar",
"Enable big emoji in chat": "Aktiver store emolji-ar i samtalen",
"Send typing notifications": "Kringkast \"skriv...\"-status til andre",
"Show typing notifications": "Vis \"skriv...\"-status frå andre",
"Show previews/thumbnails for images": "Vis førehandsvisningar/thumbnails for bilete",
"Manually verify all remote sessions": "Manuelt verifiser alle eksterne økter", "Manually verify all remote sessions": "Manuelt verifiser alle eksterne økter",
"Messages containing my username": "Meldingar som inneheld mitt brukarnamn", "Messages containing my username": "Meldingar som inneheld mitt brukarnamn",
"Messages containing @room": "Meldingar som inneheld @room", "Messages containing @room": "Meldingar som inneheld @room",
@ -838,7 +818,6 @@
"Delete Backup": "Slett sikkerheitskopi", "Delete Backup": "Slett sikkerheitskopi",
"Restore from Backup": "Gjenopprett frå sikkerheitskopi", "Restore from Backup": "Gjenopprett frå sikkerheitskopi",
"Encryption": "Kryptografi", "Encryption": "Kryptografi",
"Use Ctrl + Enter to send a message": "Bruk Ctrl + Enter for å sende meldingar",
"Set the name of a font installed on your system & %(brand)s will attempt to use it.": "Skriv namnet på skrifttypen(fonten) og %(brand)s forsøka å henta den frå operativsystemet.", "Set the name of a font installed on your system & %(brand)s will attempt to use it.": "Skriv namnet på skrifttypen(fonten) og %(brand)s forsøka å henta den frå operativsystemet.",
"Use a system font": "Bruk tilpassa skrifttype henta frå operativsystemet", "Use a system font": "Bruk tilpassa skrifttype henta frå operativsystemet",
"System font name": "Namn på skrifttype", "System font name": "Namn på skrifttype",
@ -919,8 +898,6 @@
"IRC (Experimental)": "IRC (eksperimentell)", "IRC (Experimental)": "IRC (eksperimentell)",
"Keyboard shortcuts": "Tastatursnarvegar", "Keyboard shortcuts": "Tastatursnarvegar",
"Keyboard": "Tastatur", "Keyboard": "Tastatur",
"Use Ctrl + F to search timeline": "Bruk Ctrl + F for å søka på tidslinja",
"Use Command + F to search timeline": "Bruk Command + F for å søka på tidslinja",
"Image size in the timeline": "Storleik for bilete på tidslinja", "Image size in the timeline": "Storleik for bilete på tidslinja",
"Large": "Stor", "Large": "Stor",
"Use between %(min)s pt and %(max)s pt": "Må vere mellom %(min)s og %(max)s punkt", "Use between %(min)s pt and %(max)s pt": "Må vere mellom %(min)s og %(max)s punkt",
@ -932,18 +909,12 @@
"Review to ensure your account is safe": "Undersøk dette for å gjere kontoen trygg", "Review to ensure your account is safe": "Undersøk dette for å gjere kontoen trygg",
"Results are only revealed when you end the poll": "Resultatet blir synleg når du avsluttar røystinga", "Results are only revealed when you end the poll": "Resultatet blir synleg når du avsluttar røystinga",
"Results will be visible when the poll is ended": "Resultata vil bli synlege når røystinga er ferdig", "Results will be visible when the poll is ended": "Resultata vil bli synlege når røystinga er ferdig",
"Enable Markdown": "Aktiver Markdown",
"Hide sidebar": "Gøym sidestolpen", "Hide sidebar": "Gøym sidestolpen",
"Show sidebar": "Vis sidestolpen", "Show sidebar": "Vis sidestolpen",
"Close sidebar": "Lat att sidestolpen", "Close sidebar": "Lat att sidestolpen",
"Sidebar": "Sidestolpe", "Sidebar": "Sidestolpe",
"Jump to the bottom of the timeline when you send a message": "Hopp til botn av tidslinja når du sender ei melding",
"Autoplay videos": "Spel av video automatisk",
"Autoplay GIFs": "Spel av GIF-ar automatisk",
"Expand map": "Utvid kart", "Expand map": "Utvid kart",
"Expand quotes": "Utvid sitat", "Expand quotes": "Utvid sitat",
"Expand code blocks by default": "Utvid kodeblokker til vanleg",
"All rooms you're in will appear in Home.": "Alle romma du er i vil vere synlege i Heim.",
"To view all keyboard shortcuts, <a>click here</a>.": "For å sjå alle tastatursnarvegane, <a>klikk her</a>.", "To view all keyboard shortcuts, <a>click here</a>.": "For å sjå alle tastatursnarvegane, <a>klikk her</a>.",
"Deactivate account": "Avliv brukarkontoen", "Deactivate account": "Avliv brukarkontoen",
"Enter a new identity server": "Skriv inn ein ny identitetstenar", "Enter a new identity server": "Skriv inn ein ny identitetstenar",
@ -1116,5 +1087,38 @@
"short_days_hours_minutes_seconds": "%(days)sd %(hours)st %(minutes)sm %(seconds)ss", "short_days_hours_minutes_seconds": "%(days)sd %(hours)st %(minutes)sm %(seconds)ss",
"short_hours_minutes_seconds": "%(hours)st %(minutes)sm %(seconds)ss", "short_hours_minutes_seconds": "%(hours)st %(minutes)sm %(seconds)ss",
"short_minutes_seconds": "%(minutes)sm %(seconds)ss" "short_minutes_seconds": "%(minutes)sm %(seconds)ss"
},
"devtools": {
"event_type": "Hendingsort",
"state_key": "Tilstandsnykel",
"event_sent": "Hending send!",
"event_content": "Hendingsinnhald"
},
"settings": {
"show_breadcrumbs": "Vis snarvegar til sist synte rom over romkatalogen",
"all_rooms_home_description": "Alle romma du er i vil vere synlege i Heim.",
"use_command_f_search": "Bruk Command + F for å søka på tidslinja",
"use_control_f_search": "Bruk Ctrl + F for å søka på tidslinja",
"use_12_hour_format": "Vis tidspunkt i 12-timarsform (t.d. 2:30pm)",
"always_show_message_timestamps": "Vis alltid meldingstidspunkt",
"send_typing_notifications": "Kringkast \"skriv...\"-status til andre",
"replace_plain_emoji": "Erstatt Emojiar i klartekst av seg sjølv",
"enable_markdown": "Aktiver Markdown",
"emoji_autocomplete": "Aktiver Emoji-forslag under skriving",
"use_control_enter_send_message": "Bruk Ctrl + Enter for å sende meldingar",
"automatic_language_detection_syntax_highlight": "Skru automatisk måloppdaging på for syntax-understreking",
"code_block_expand_default": "Utvid kodeblokker til vanleg",
"inline_url_previews_default": "Skru URL-førehandsvising i tekstfeltet på",
"autoplay_gifs": "Spel av GIF-ar automatisk",
"autoplay_videos": "Spel av video automatisk",
"image_thumbnails": "Vis førehandsvisningar/thumbnails for bilete",
"show_typing_notifications": "Vis \"skriv...\"-status frå andre",
"show_redaction_placeholder": "Vis ein plassholdar for sletta meldingar",
"show_read_receipts": "Vis lese-rapportar sendt av andre brukarar",
"show_displayname_changes": "Vis endringar for visningsnamn",
"big_emoji": "Aktiver store emolji-ar i samtalen",
"jump_to_bottom_on_send": "Hopp til botn av tidslinja når du sender ei melding",
"prompt_invite": "Spør før utsending av invitasjonar til potensielle ugyldige Matrix-IDar",
"start_automatically": "Start automatisk etter systeminnlogging"
} }
} }

View file

@ -52,7 +52,6 @@
"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", "Advanced": "Zaawansowane",
"Always show message timestamps": "Zawsze pokazuj znaczniki czasu wiadomości",
"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.",
@ -84,7 +83,6 @@
"Download %(text)s": "Pobierz %(text)s", "Download %(text)s": "Pobierz %(text)s",
"Email": "E-mail", "Email": "E-mail",
"Email address": "Adres e-mail", "Email address": "Adres e-mail",
"Enable automatic language detection for syntax highlighting": "Włącz automatyczne rozpoznawanie języka dla podświetlania składni",
"Enter passphrase": "Wpisz frazę", "Enter passphrase": "Wpisz frazę",
"Error decrypting attachment": "Błąd odszyfrowywania załącznika", "Error decrypting attachment": "Błąd odszyfrowywania załącznika",
"Export E2E room keys": "Eksportuj klucze E2E pokojów", "Export E2E room keys": "Eksportuj klucze E2E pokojów",
@ -161,7 +159,6 @@
"Server may be unavailable, overloaded, or you hit a bug.": "Serwer może być niedostępny, przeciążony, lub trafiłeś na błąd.", "Server may be unavailable, overloaded, or you hit a bug.": "Serwer może być niedostępny, przeciążony, lub trafiłeś na błąd.",
"Server unavailable, overloaded, or something else went wrong.": "Serwer może być niedostępny, przeciążony, lub coś innego poszło źle.", "Server unavailable, overloaded, or something else went wrong.": "Serwer może być niedostępny, przeciążony, lub coś innego poszło źle.",
"Session ID": "Identyfikator sesji", "Session ID": "Identyfikator sesji",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "Pokaż czas w formacie 12-sto godzinnym (np. 2:30pm)",
"Signed Out": "Wylogowano", "Signed Out": "Wylogowano",
"Start authentication": "Rozpocznij uwierzytelnienie", "Start authentication": "Rozpocznij uwierzytelnienie",
"This email address is already in use": "Podany adres e-mail jest już w użyciu", "This email address is already in use": "Podany adres e-mail jest już w użyciu",
@ -214,7 +211,6 @@
"one": "(~%(count)s wynik)", "one": "(~%(count)s wynik)",
"other": "(~%(count)s wyników)" "other": "(~%(count)s wyników)"
}, },
"Start automatically after system login": "Uruchom automatycznie po zalogowaniu się do systemu",
"Passphrases must match": "Hasła szyfrujące muszą być identyczne", "Passphrases must match": "Hasła szyfrujące muszą być identyczne",
"Passphrase must not be empty": "Hasło szyfrujące nie może być puste", "Passphrase must not be empty": "Hasło szyfrujące nie może być puste",
"Export room keys": "Eksportuj klucze pokoju", "Export room keys": "Eksportuj klucze pokoju",
@ -245,7 +241,6 @@
"Authentication check failed: incorrect password?": "Próba autentykacji nieudana: nieprawidłowe hasło?", "Authentication check failed: incorrect password?": "Próba autentykacji nieudana: nieprawidłowe hasło?",
"Do you want to set an email address?": "Czy chcesz ustawić adres e-mail?", "Do you want to set an email address?": "Czy chcesz ustawić adres e-mail?",
"Drop file here to upload": "Upuść plik tutaj, aby go przesłać", "Drop file here to upload": "Upuść plik tutaj, aby go przesłać",
"Automatically replace plain text Emoji": "Automatycznie zastępuj tekstowe emotikony",
"You are about to be taken to a third-party site so you can authenticate your account for use with %(integrationsUrl)s. Do you wish to continue?": "Za chwilę zostaniesz przekierowany/a na zewnętrzną stronę w celu powiązania Twojego konta z %(integrationsUrl)s. Czy chcesz kontynuować?", "You are about to be taken to a third-party site so you can authenticate your account for use with %(integrationsUrl)s. Do you wish to continue?": "Za chwilę zostaniesz przekierowany/a na zewnętrzną stronę w celu powiązania Twojego konta z %(integrationsUrl)s. Czy chcesz kontynuować?",
"URL Previews": "Podglądy linków", "URL Previews": "Podglądy linków",
"%(widgetName)s widget added by %(senderName)s": "Widżet %(widgetName)s został dodany przez %(senderName)s", "%(widgetName)s widget added by %(senderName)s": "Widżet %(widgetName)s został dodany przez %(senderName)s",
@ -259,7 +254,6 @@
"%(senderName)s changed the pinned messages for the room.": "%(senderName)s zmienił przypiętą wiadomość dla tego pokoju.", "%(senderName)s changed the pinned messages for the room.": "%(senderName)s zmienił przypiętą wiadomość dla tego pokoju.",
"Send": "Wyślij", "Send": "Wyślij",
"Mirror local video feed": "Lustrzane odbicie wideo", "Mirror local video feed": "Lustrzane odbicie wideo",
"Enable inline URL previews by default": "Włącz domyślny podgląd URL w tekście",
"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ć.",
@ -303,7 +297,6 @@
"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)",
"All messages": "Wszystkie wiadomości", "All messages": "Wszystkie wiadomości",
"Call invitation": "Zaproszenie do rozmowy", "Call invitation": "Zaproszenie do rozmowy",
"State Key": "Klucz stanu",
"What's new?": "Co nowego?", "What's new?": "Co nowego?",
"When I'm invited to a room": "Kiedy zostanę zaproszony do pokoju", "When I'm invited to a room": "Kiedy zostanę zaproszony do pokoju",
"Invite to this room": "Zaproś do tego pokoju", "Invite to this room": "Zaproś do tego pokoju",
@ -317,9 +310,6 @@
"Low Priority": "Niski priorytet", "Low Priority": "Niski priorytet",
"Off": "Wyłącz", "Off": "Wyłącz",
"Failed to remove tag %(tagName)s from room": "Nie udało się usunąć tagu %(tagName)s z pokoju", "Failed to remove tag %(tagName)s from room": "Nie udało się usunąć tagu %(tagName)s z pokoju",
"Event Type": "Typ wydarzenia",
"Event sent!": "Wydarzenie wysłane!",
"Event Content": "Zawartość wydarzenia",
"Thank you!": "Dziękujemy!", "Thank you!": "Dziękujemy!",
"Send analytics data": "Wysyłaj dane analityczne", "Send analytics data": "Wysyłaj dane analityczne",
"%(duration)ss": "%(duration)ss", "%(duration)ss": "%(duration)ss",
@ -533,11 +523,8 @@
}, },
"Unrecognised address": "Nierozpoznany adres", "Unrecognised address": "Nierozpoznany adres",
"Short keyboard patterns are easy to guess": "Krótkie wzory klawiszowe są łatwe do odgadnięcia", "Short keyboard patterns are easy to guess": "Krótkie wzory klawiszowe są łatwe do odgadnięcia",
"Enable Emoji suggestions while typing": "Włącz podpowiedzi Emoji podczas pisania",
"This room has no topic.": "Ten pokój nie ma tematu.", "This room has no topic.": "Ten pokój nie ma tematu.",
"%(senderDisplayName)s upgraded this room.": "%(senderDisplayName)s ulepszył ten pokój.", "%(senderDisplayName)s upgraded this room.": "%(senderDisplayName)s ulepszył ten pokój.",
"Show display name changes": "Pokaż zmiany wyświetlanej nazwy",
"Send typing notifications": "Wyślij powiadomienia o pisaniu",
"I don't want my encrypted messages": "Nie chcę moich zaszyfrowanych wiadomości", "I don't want my encrypted messages": "Nie chcę moich zaszyfrowanych wiadomości",
"You'll lose access to your encrypted messages": "Utracisz dostęp do zaszyfrowanych wiadomości", "You'll lose access to your encrypted messages": "Utracisz dostęp do zaszyfrowanych wiadomości",
"Verified!": "Zweryfikowano!", "Verified!": "Zweryfikowano!",
@ -691,10 +678,6 @@
"No need for symbols, digits, or uppercase letters": "Nie są wymagane symbole, cyfry lub wielkie litery", "No need for symbols, digits, or uppercase letters": "Nie są wymagane symbole, cyfry lub wielkie litery",
"All-uppercase is almost as easy to guess as all-lowercase": "Same wielkie litery w haśle powodują, iż są one łatwe do zgadnięcia, podobnie jak w przypadku samych małych", "All-uppercase is almost as easy to guess as all-lowercase": "Same wielkie litery w haśle powodują, iż są one łatwe do zgadnięcia, podobnie jak w przypadku samych małych",
"Straight rows of keys are easy to guess": "Proste rzędy klawiszy są łatwe do odgadnięcia", "Straight rows of keys are easy to guess": "Proste rzędy klawiszy są łatwe do odgadnięcia",
"Show a placeholder for removed messages": "Pokaż symbol zastępczy dla usuniętych wiadomości",
"Show read receipts sent by other users": "Pokaż potwierdzenia odczytania wysyłane przez innych użytkowników",
"Enable big emoji in chat": "Aktywuj duże emoji na czacie",
"Prompt before sending invites to potentially invalid matrix IDs": "Powiadamiaj przed wysłaniem zaproszenia do potencjalnie nieprawidłowych ID matrix",
"Show hidden events in timeline": "Pokaż ukryte wydarzenia na linii czasowej", "Show hidden events in timeline": "Pokaż ukryte wydarzenia na linii czasowej",
"Messages containing my username": "Wiadomości zawierające moją nazwę użytkownika", "Messages containing my username": "Wiadomości zawierające moją nazwę użytkownika",
"Encrypted messages in one-to-one chats": "Zaszyfrowane wiadomości w rozmowach jeden-do-jednego", "Encrypted messages in one-to-one chats": "Zaszyfrowane wiadomości w rozmowach jeden-do-jednego",
@ -741,7 +724,6 @@
"You do not have the required permissions to use this command.": "Nie posiadasz wymaganych uprawnień do użycia tego polecenia.", "You do not have the required permissions to use this command.": "Nie posiadasz wymaganych uprawnień do użycia tego polecenia.",
"Changes the avatar of the current room": "Zmienia awatar dla obecnego pokoju", "Changes the avatar of the current room": "Zmienia awatar dla obecnego pokoju",
"Use an identity server": "Użyj serwera tożsamości", "Use an identity server": "Użyj serwera tożsamości",
"Show previews/thumbnails for images": "Pokaż podgląd/miniatury obrazów",
"Use an identity server to invite by email. Click continue to use the default identity server (%(defaultIdentityServerName)s) or manage in Settings.": "Użyj serwera tożsamości, by zaprosić z użyciem adresu e-mail. Kliknij dalej, żeby użyć domyślnego serwera tożsamości (%(defaultIdentityServerName)s), lub zmień w Ustawieniach.", "Use an identity server to invite by email. Click continue to use the default identity server (%(defaultIdentityServerName)s) or manage in Settings.": "Użyj serwera tożsamości, by zaprosić z użyciem adresu e-mail. Kliknij dalej, żeby użyć domyślnego serwera tożsamości (%(defaultIdentityServerName)s), lub zmień w Ustawieniach.",
"Use an identity server to invite by email. Manage in Settings.": "Użyj serwera tożsamości, by zaprosić za pomocą adresu e-mail. Zarządzaj w ustawieniach.", "Use an identity server to invite by email. Manage in Settings.": "Użyj serwera tożsamości, by zaprosić za pomocą adresu e-mail. Zarządzaj w ustawieniach.",
"%(name)s (%(userId)s)": "%(name)s (%(userId)s)", "%(name)s (%(userId)s)": "%(name)s (%(userId)s)",
@ -814,7 +796,6 @@
"Unable to load event that was replied to, it either does not exist or you do not have permission to view it.": "Nie zdołano wczytać zdarzenia, na które odpowiedziano, może ono nie istnieć lub nie masz uprawnienia, by je zobaczyć.", "Unable to load event that was replied to, it either does not exist or you do not have permission to view it.": "Nie zdołano wczytać zdarzenia, na które odpowiedziano, może ono nie istnieć lub nie masz uprawnienia, by je zobaczyć.",
"e.g. my-room": "np. mój-pokój", "e.g. my-room": "np. mój-pokój",
"Some characters not allowed": "Niektóre znaki niedozwolone", "Some characters not allowed": "Niektóre znaki niedozwolone",
"Show typing notifications": "Pokazuj powiadomienia o pisaniu",
"Match system theme": "Dopasuj do motywu systemowego", "Match system theme": "Dopasuj do motywu systemowego",
"They match": "Pasują do siebie", "They match": "Pasują do siebie",
"They don't match": "Nie pasują do siebie", "They don't match": "Nie pasują do siebie",
@ -1496,8 +1477,6 @@
"Return to call": "Wróć do połączenia", "Return to call": "Wróć do połączenia",
"Uploading logs": "Wysyłanie logów", "Uploading logs": "Wysyłanie logów",
"Downloading logs": "Pobieranie logów", "Downloading logs": "Pobieranie logów",
"Use Command + Enter to send a message": "Użyj Command + Enter, aby wysłać wiadomość",
"Use Ctrl + Enter to send a message": "Użyj Ctrl + Enter, aby wysłać wiadomość",
"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ń",
@ -1559,7 +1538,6 @@
"<b>Warning</b>: you should only set up key backup from a trusted computer.": "<b>Ostrzeżenie</b>: kopia zapasowa klucza powinna być konfigurowana tylko z zaufanego komputera.", "<b>Warning</b>: you should only set up key backup from a trusted computer.": "<b>Ostrzeżenie</b>: kopia zapasowa klucza powinna być konfigurowana tylko z zaufanego komputera.",
"Discovery options will appear once you have added an email above.": "Opcje odkrywania pojawią się, gdy dodasz adres e-mail powyżej.", "Discovery options will appear once you have added an email above.": "Opcje odkrywania pojawią się, gdy dodasz adres e-mail powyżej.",
"Discovery options will appear once you have added a phone number above.": "Opcje odkrywania pojawią się, gdy dodasz numer telefonu powyżej.", "Discovery options will appear once you have added a phone number above.": "Opcje odkrywania pojawią się, gdy dodasz numer telefonu powyżej.",
"Show shortcuts to recently viewed rooms above the room list": "Pokazuj skróty do ostatnio wyświetlonych pokojów nad listą pokojów",
"Signature upload failed": "Wysłanie podpisu nie powiodło się", "Signature upload failed": "Wysłanie podpisu nie powiodło się",
"Signature upload success": "Wysłanie podpisu udało się", "Signature upload success": "Wysłanie podpisu udało się",
"Manually export keys": "Ręcznie eksportuj klucze", "Manually export keys": "Ręcznie eksportuj klucze",
@ -1574,7 +1552,6 @@
"PRO TIP: If you start a bug, please submit <debugLogsLink>debug logs</debugLogsLink> to help us track down the problem.": "PRO TIP: Jeżeli zgłaszasz błąd, wyślij <debugLogsLink>dzienniki debugowania</debugLogsLink>, aby pomóc nam znaleźć problem.", "PRO TIP: If you start a bug, please submit <debugLogsLink>debug logs</debugLogsLink> to help us track down the problem.": "PRO TIP: Jeżeli zgłaszasz błąd, wyślij <debugLogsLink>dzienniki debugowania</debugLogsLink>, aby pomóc nam znaleźć problem.",
"Please view <existingIssuesLink>existing bugs on Github</existingIssuesLink> first. No match? <newIssueLink>Start a new one</newIssueLink>.": "Najpierw zobacz <existingIssuesLink>istniejące zgłoszenia na GitHubie</existingIssuesLink>. Nic nie znalazłeś? <newIssueLink>Utwórz nowe</newIssueLink>.", "Please view <existingIssuesLink>existing bugs on Github</existingIssuesLink> first. No match? <newIssueLink>Start a new one</newIssueLink>.": "Najpierw zobacz <existingIssuesLink>istniejące zgłoszenia na GitHubie</existingIssuesLink>. Nic nie znalazłeś? <newIssueLink>Utwórz nowe</newIssueLink>.",
"Comment": "Komentarz", "Comment": "Komentarz",
"There was an error finding this widget.": "Wystąpił błąd podczas próby odnalezienia tego widżetu.",
"Active Widgets": "Aktywne widżety", "Active Widgets": "Aktywne widżety",
"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.",
@ -1618,10 +1595,6 @@
"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", "Secure Backup": "Bezpieczna kopia zapasowa",
"Jump to the bottom of the timeline when you send a message": "Przejdź na dół osi czasu po wysłaniu wiadomości",
"Show line numbers in code blocks": "Pokazuj numery wierszy w blokach kodu",
"Expand code blocks by default": "Domyślnie rozwijaj bloki kodu",
"Show stickers button": "Pokaż przycisk naklejek",
"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ą",
"Sends the given message as a spoiler": "Wysyła podaną wiadomość jako spoiler", "Sends the given message as a spoiler": "Wysyła podaną wiadomość jako spoiler",
@ -1827,7 +1800,6 @@
"other": "Dodawanie pokojów... (%(progress)s z %(count)s)", "other": "Dodawanie pokojów... (%(progress)s z %(count)s)",
"one": "Dodawanie pokoju..." "one": "Dodawanie pokoju..."
}, },
"Autoplay GIFs": "Auto odtwarzanie GIF'ów",
"No virtual room for this room": "Brak wirtualnego pokoju dla tego pokoju", "No virtual room for this room": "Brak wirtualnego pokoju dla tego pokoju",
"Switches to this room's virtual room, if it has one": "Przełącza do wirtualnego pokoju tego pokoju, jeśli taki istnieje", "Switches to this room's virtual room, if it has one": "Przełącza do wirtualnego pokoju tego pokoju, jeśli taki istnieje",
"%(space1Name)s and %(space2Name)s": "%(space1Name)s i %(space2Name)s", "%(space1Name)s and %(space2Name)s": "%(space1Name)s i %(space2Name)s",
@ -1838,13 +1810,10 @@
"Toxic Behaviour": "Toksyczne zachowanie", "Toxic Behaviour": "Toksyczne zachowanie",
"Please pick a nature and describe what makes this message abusive.": "Wybierz powód oraz opisz dlaczego ta wiadomość jest niestosowna.", "Please pick a nature and describe what makes this message abusive.": "Wybierz powód oraz opisz dlaczego ta wiadomość jest niestosowna.",
"Include Attachments": "Dodaj załączniki", "Include Attachments": "Dodaj załączniki",
"This UI does NOT check the types of the values. Use at your own risk.": "Ten interfejs nie sprawdza typów wartości. Używaj na własne ryzyko.",
"Caution:": "Ostrzeżenie:",
"Stop recording": "Skończ nagrywanie", "Stop recording": "Skończ nagrywanie",
"We didn't find a microphone on your device. Please check your settings and try again.": "Nie udało się znaleźć żadnego mikrofonu w twoim urządzeniu. Sprawdź ustawienia i spróbuj ponownie.", "We didn't find a microphone on your device. Please check your settings and try again.": "Nie udało się znaleźć żadnego mikrofonu w twoim urządzeniu. Sprawdź ustawienia i spróbuj ponownie.",
"No microphone found": "Nie znaleziono mikrofonu", "No microphone found": "Nie znaleziono mikrofonu",
"Rooms outside of a space": "Pokoje poza przestrzenią", "Rooms outside of a space": "Pokoje poza przestrzenią",
"Autoplay videos": "Auto odtwarzanie filmów",
"Connect this session to Key Backup": "Połącz tę sesję z kopią zapasową kluczy", "Connect this session to Key Backup": "Połącz tę sesję z kopią zapasową kluczy",
"Connect this session to key backup before signing out to avoid losing any keys that may only be on this session.": "Połącz tę sesję z kopią zapasową kluczy przed wylogowaniem, aby uniknąć utraty kluczy które mogą istnieć tylko w tej sesji.", "Connect this session to key backup before signing out to avoid losing any keys that may only be on this session.": "Połącz tę sesję z kopią zapasową kluczy przed wylogowaniem, aby uniknąć utraty kluczy które mogą istnieć tylko w tej sesji.",
"This session is <b>not backing up your keys</b>, but you do have an existing backup you can restore from and add to going forward.": "Ta sesja <b>nie wykonuje kopii zapasowej twoich kluczy</b>, ale masz istniejącą kopię którą możesz przywrócić i uzupełniać w przyszłości.", "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.": "Ta sesja <b>nie wykonuje kopii zapasowej twoich kluczy</b>, ale masz istniejącą kopię którą możesz przywrócić i uzupełniać w przyszłości.",
@ -1925,7 +1894,6 @@
"In spaces %(space1Name)s and %(space2Name)s.": "W przestrzeniach %(space1Name)s i %(space2Name)s.", "In spaces %(space1Name)s and %(space2Name)s.": "W przestrzeniach %(space1Name)s i %(space2Name)s.",
"Jump to the given date in the timeline": "Przeskocz do podanej daty w linii czasu", "Jump to the given date in the timeline": "Przeskocz do podanej daty w linii czasu",
"Failed to invite users to %(roomName)s": "Nie udało się zaprosić użytkowników do %(roomName)s", "Failed to invite users to %(roomName)s": "Nie udało się zaprosić użytkowników do %(roomName)s",
"Insert a trailing colon after user mentions at the start of a message": "Wstawiaj dwukropek po wzmiance użytkownika na początku wiadomości",
"Mapbox logo": "Logo Mapbox", "Mapbox logo": "Logo Mapbox",
"Map feedback": "Opinia o mapie", "Map feedback": "Opinia o mapie",
"Empty room (was %(oldName)s)": "Pusty pokój (poprzednio %(oldName)s)", "Empty room (was %(oldName)s)": "Pusty pokój (poprzednio %(oldName)s)",
@ -2073,23 +2041,14 @@
"You made it!": "Udało ci się!", "You made it!": "Udało ci się!",
"Enable hardware acceleration": "Włącz przyspieszenie sprzętowe", "Enable hardware acceleration": "Włącz przyspieszenie sprzętowe",
"Show tray icon and minimise window to it on close": "Pokaż ikonę w zasobniku systemowym i zminimalizuj okno do niej zamiast zamknięcia", "Show tray icon and minimise window to it on close": "Pokaż ikonę w zasobniku systemowym i zminimalizuj okno do niej zamiast zamknięcia",
"Warn before quitting": "Ostrzeż przed wyjściem",
"Automatically send debug logs when key backup is not functioning": "Automatycznie wysyłaj logi debugowania gdy kopia zapasowa kluczy nie działa", "Automatically send debug logs when key backup is not functioning": "Automatycznie wysyłaj logi debugowania gdy kopia zapasowa kluczy nie działa",
"Automatically send debug logs on decryption errors": "Automatycznie wysyłaj logi debugowania po wystąpieniu błędów deszyfrowania", "Automatically send debug logs on decryption errors": "Automatycznie wysyłaj logi debugowania po wystąpieniu błędów deszyfrowania",
"Automatically send debug logs on any error": "Automatycznie wysyłaj logi debugowania po wystąpieniu jakiegokolwiek błędu", "Automatically send debug logs on any error": "Automatycznie wysyłaj logi debugowania po wystąpieniu jakiegokolwiek błędu",
"Developer mode": "Tryb programisty", "Developer mode": "Tryb programisty",
"All rooms you're in will appear in Home.": "Wszystkie pokoje w których jesteś zostaną pokazane na ekranie głównym.",
"Show all rooms in Home": "Pokaż wszystkie pokoje na ekranie głównym",
"Show chat effects (animations when receiving e.g. confetti)": "Pokaż efekty czatu (animacje po odebraniu np. confetti)",
"Show shortcut to welcome checklist above the room list": "Pokaż skrót do listy powitalnej nad listą pokojów", "Show shortcut to welcome checklist above the room list": "Pokaż skrót do listy powitalnej nad listą pokojów",
"Enable Markdown": "Włącz Markdown",
"Surround selected text when typing special characters": "Otocz zaznaczony tekst podczas wpisywania specjalnych znaków", "Surround selected text when typing special characters": "Otocz zaznaczony tekst podczas wpisywania specjalnych znaków",
"Use Ctrl + F to search timeline": "Użyj Ctrl + F aby przeszukać oś czasu",
"Use Command + F to search timeline": "Użyj Command + F aby przeszukać oś czasu",
"Show join/leave messages (invites/removes/bans unaffected)": "Pokaż wiadomości dołączenia/opuszczenia pokoju (nie dotyczy wiadomości zaproszenia/wyrzucenia/banów)",
"Use a more compact 'Modern' layout": "Użyj bardziej kompaktowego, \"nowoczesnego\" wyglądu", "Use a more compact 'Modern' layout": "Użyj bardziej kompaktowego, \"nowoczesnego\" wyglądu",
"Show polls button": "Pokaż przycisk ankiet", "Show polls button": "Pokaż przycisk ankiet",
"Send read receipts": "Wysyłaj potwierdzenia przeczytania",
"Reply in thread": "Odpowiedz w wątku", "Reply in thread": "Odpowiedz w wątku",
"Explore public spaces in the new search dialog": "Odkrywaj publiczne przestrzenie w nowym oknie wyszukiwania", "Explore public spaces in the new search dialog": "Odkrywaj publiczne przestrzenie w nowym oknie wyszukiwania",
"Send a sticker": "Wyślij naklejkę", "Send a sticker": "Wyślij naklejkę",
@ -2215,7 +2174,6 @@
"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>", "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",
"Show NSFW content": "Pokaż zawartość NSFW",
"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",
"unknown": "nieznane", "unknown": "nieznane",
@ -2293,7 +2251,6 @@
"Automatic gain control": "Automatyczna regulacja głośności", "Automatic gain control": "Automatyczna regulacja głośności",
"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",
"Start messages with <code>/plain</code> to send without markdown.": "Rozpocznij wiadomość z <code>/plain</code>, aby była bez markdownu.",
"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", "Remove users": "Usuń użytkowników",
"Connection": "Połączenie", "Connection": "Połączenie",
@ -2385,7 +2342,6 @@
}, },
"Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "Twój administrator serwera wyłączył szyfrowanie end-to-end domyślnie w pokojach prywatnych i wiadomościach bezpośrednich.", "Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "Twój administrator serwera wyłączył szyfrowanie end-to-end domyślnie w pokojach prywatnych i wiadomościach bezpośrednich.",
"You have no ignored users.": "Nie posiadasz ignorowanych użytkowników.", "You have no ignored users.": "Nie posiadasz ignorowanych użytkowników.",
"Enable hardware acceleration (restart %(appName)s to take effect)": "Włącz akceleracje sprzętową (uruchom ponownie %(appName)s, aby zastosować zmiany)",
"Room directory": "Katalog pokoju", "Room directory": "Katalog pokoju",
"Images, GIFs and videos": "Obrazy, GIFy i wideo", "Images, GIFs and videos": "Obrazy, GIFy i wideo",
"Code blocks": "Bloki kodu", "Code blocks": "Bloki kodu",
@ -3150,7 +3106,6 @@
"%(featureName)s Beta feedback": "%(featureName)s opinia Beta", "%(featureName)s Beta feedback": "%(featureName)s opinia Beta",
"If you cancel now, you may lose encrypted messages & data if you lose access to your logins.": "Jeśli anulujesz teraz, możesz stracić wiadomości szyfrowane i dane, jeśli stracisz dostęp do loginu i hasła.", "If you cancel now, you may lose encrypted messages & data if you lose access to your logins.": "Jeśli anulujesz teraz, możesz stracić wiadomości szyfrowane i dane, jeśli stracisz dostęp do loginu i hasła.",
"The request was cancelled.": "Żądanie zostało anulowane.", "The request was cancelled.": "Żądanie zostało anulowane.",
"Cancelled": "Anulowano",
"Cancelled signature upload": "Przesyłanie sygnatury zostało anulowane", "Cancelled signature upload": "Przesyłanie sygnatury zostało anulowane",
"The export was cancelled successfully": "Eksport został anulowany pomyślnie", "The export was cancelled successfully": "Eksport został anulowany pomyślnie",
"Export Cancelled": "Eksport został anulowany", "Export Cancelled": "Eksport został anulowany",
@ -3208,7 +3163,6 @@
"Remove search filter for %(filter)s": "Usuń filtr wyszukiwania dla %(filter)s", "Remove search filter for %(filter)s": "Usuń filtr wyszukiwania dla %(filter)s",
"Search Dialog": "Pasek wyszukiwania", "Search Dialog": "Pasek wyszukiwania",
"Use <arrows/> to scroll": "Użyj <arrows/>, aby przewijać", "Use <arrows/> to scroll": "Użyj <arrows/>, aby przewijać",
"Clear": "Wyczyść",
"Recent searches": "Ostatnie wyszukania", "Recent searches": "Ostatnie wyszukania",
"To search messages, look for this icon at the top of a room <icon/>": "Aby szukać wiadomości, poszukaj tej ikony na górze pokoju <icon/>", "To search messages, look for this icon at the top of a room <icon/>": "Aby szukać wiadomości, poszukaj tej ikony na górze pokoju <icon/>",
"Other searches": "Inne wyszukiwania", "Other searches": "Inne wyszukiwania",
@ -3361,70 +3315,6 @@
"Cameras": "Kamery", "Cameras": "Kamery",
"Output devices": "Urządzenia wyjściowe", "Output devices": "Urządzenia wyjściowe",
"Input devices": "Urządzenia wejściowe", "Input devices": "Urządzenia wejściowe",
"No verification requests found": "Nie znaleziono żądań weryfikacji",
"Observe only": "Tylko obserwuj",
"Requester": "Żądający",
"Methods": "Metody",
"Timeout": "Czas oczekiwania",
"Phase": "Etap",
"Transaction": "Transakcja",
"Started": "Rozpoczęto",
"Ready": "Gotowe",
"Requested": "Żądane",
"Edit setting": "Edytuj ustawienie",
"Value in this room": "Wartość w tym pokoju",
"Value": "Wartość",
"Setting ID": "ID ustawienia",
"Values at explicit levels in this room:": "Wartości w ścisłych poziomach w tym pokoju:",
"Values at explicit levels:": "Wartości w ścisłych poziomach:",
"Value in this room:": "Wartość w tym pokoju:",
"Value:": "Wartość:",
"Edit values": "Edytuj wartości",
"Values at explicit levels in this room": "Wartości w ścisłych poziomach w tym pokoju",
"Values at explicit levels": "Wartości w ścisłych poziomach",
"Settable at room": "Możliwe do ustawienia w pokoju",
"Settable at global": "Możliwe do ustawienia globalnie",
"Level": "Poziom",
"Setting definition:": "Definicja ustawienia:",
"Setting:": "Ustawienie:",
"Save setting values": "Zapisz ustawione wartości",
"Failed to save settings.": "Nie udało się zapisać ustawień.",
"Number of users": "Liczba użytkowników",
"Server": "Serwer",
"Server Versions": "Wersje serwera",
"Client Versions": "Wersje klientów",
"Failed to load.": "Nie udało się wczytać.",
"Capabilities": "Możliwości",
"Send custom state event": "Wyślij własne wydarzenie stanu",
"<empty string>": "<empty string>",
"<%(count)s spaces>": {
"one": "<space>",
"other": "<%(count)s spacji>"
},
"Thread Id: ": "ID wątku: ",
"Threads timeline": "Oś czasu wątków",
"Sender: ": "Nadawca: ",
"Type: ": "Typ: ",
"ID: ": "ID: ",
"Last event:": "Ostatnie wydarzenie:",
"No receipt found": "Nie znaleziono potwierdzenia",
"User read up to: ": "Użytkownik czyta do: ",
"Dot: ": "Kropka: ",
"Highlight: ": "Wyróżnienie: ",
"Total: ": "Łącznie: ",
"Main timeline": "Główna oś czasu",
"Room is <strong>not encrypted 🚨</strong>": "Pokój nie jest <strong>szyfrowany 🚨</strong>",
"Room is <strong>encrypted ✅</strong>": "Pokój jest <strong>szyfrowany ✅</strong>",
"Notification state is <strong>%(notificationState)s</strong>": "Status powiadomień <strong>%(notificationState)s</strong>",
"Room unread status: <strong>%(status)s</strong>": "Status nieprzeczytanych wiadomości pokoju: <strong>%(status)s</strong>",
"Room unread status: <strong>%(status)s</strong>, count: <strong>%(count)s</strong>": {
"other": "Status nieprzeczytanych wiadomości pokoju: <strong>%(status)s</strong>, ilość: <strong>%(count)s</strong>"
},
"Room status": "Status pokoju",
"Failed to send event!": "Nie udało się wysłać wydarzenia!",
"Doesn't look like valid JSON.": "Nie wygląda to na prawidłowy JSON.",
"Send custom room account data event": "Wyślij własne wydarzenie danych konta pokoju",
"Send custom account data event": "Wyślij własne wydarzenie danych konta",
"Access your secure message history and set up secure messaging by entering your Security Phrase.": "Uzyskaj dostęp do swojej bezpiecznej historii wiadomości i skonfiguruj bezpieczne wiadomości, wprowadzając Hasło bezpieczeństwa.", "Access your secure message history and set up secure messaging by entering your Security Phrase.": "Uzyskaj dostęp do swojej bezpiecznej historii wiadomości i skonfiguruj bezpieczne wiadomości, wprowadzając Hasło bezpieczeństwa.",
"Enter Security Phrase": "Wprowadź hasło bezpieczeństwa", "Enter Security Phrase": "Wprowadź hasło bezpieczeństwa",
"Successfully restored %(sessionCount)s keys": "Przywrócono pomyślnie %(sessionCount)s kluczy", "Successfully restored %(sessionCount)s keys": "Przywrócono pomyślnie %(sessionCount)s kluczy",
@ -3627,8 +3517,6 @@
"Exported Data": "Eksportowane dane", "Exported Data": "Eksportowane dane",
"Views room with given address": "Przegląda pokój z podanym adresem", "Views room with given address": "Przegląda pokój z podanym adresem",
"Notification Settings": "Ustawienia powiadomień", "Notification Settings": "Ustawienia powiadomień",
"Show current profile picture and name for users in message history": "Pokaż bieżące zdjęcie i nazwę użytkowników w historii wiadomości",
"Show profile picture changes": "Pokaż zmiany zdjęcia profilowego",
"Mentions and Keywords only": "Wyłącznie wzmianki i słowa kluczowe", "Mentions and Keywords only": "Wyłącznie wzmianki i słowa kluczowe",
"Play a sound for": "Odtwórz dźwięk dla", "Play a sound for": "Odtwórz dźwięk dla",
"Notify when someone mentions using @room": "Powiadom mnie, gdy ktoś użyje wzmianki @room", "Notify when someone mentions using @room": "Powiadom mnie, gdy ktoś użyje wzmianki @room",
@ -3664,15 +3552,11 @@
"Show a badge <badge/> when keywords are used in a room.": "Wyświetl plakietkę <badge/>, gdy słowa kluczowe są używane w pokoju.", "Show a badge <badge/> when keywords are used in a room.": "Wyświetl plakietkę <badge/>, gdy słowa kluczowe są używane w pokoju.",
"Notify when someone mentions using @displayname or %(mxid)s": "Powiadom mnie, gdy ktoś użyje wzmianki @displayname lub %(mxid)s", "Notify when someone mentions using @displayname or %(mxid)s": "Powiadom mnie, gdy ktoś użyje wzmianki @displayname lub %(mxid)s",
"Anyone can request to join, but admins or moderators need to grant access. You can change this later.": "Każdy może poprosić o dołączenie, lecz administratorzy lub moderacja muszą przyznać zezwolenie. Można zmienić to później.", "Anyone can request to join, but admins or moderators need to grant access. You can change this later.": "Każdy może poprosić o dołączenie, lecz administratorzy lub moderacja muszą przyznać zezwolenie. Można zmienić to później.",
"User read up to (ignoreSynthetic): ": "Użytkownik przeczytał do (ignoreSynthetic): ",
"This homeserver doesn't offer any login flows that are supported by this client.": "Serwer domowy nie oferuje żadnego procesu logowania, który wspierałby ten klient.", "This homeserver doesn't offer any login flows that are supported by this client.": "Serwer domowy nie oferuje żadnego procesu logowania, który wspierałby ten klient.",
"Thread Root ID: %(threadRootId)s": "ID Root Wątku:%(threadRootId)s", "Thread Root ID: %(threadRootId)s": "ID Root Wątku:%(threadRootId)s",
"Other things we think you might be interested in:": "Inne rzeczy, które mogą Cię zainteresować:", "Other things we think you might be interested in:": "Inne rzeczy, które mogą Cię zainteresować:",
"Enter keywords here, or use for spelling variations or nicknames": "Wprowadź tutaj słowa kluczowe lub użyj odmian pisowni lub nicków", "Enter keywords here, or use for spelling variations or nicknames": "Wprowadź tutaj słowa kluczowe lub użyj odmian pisowni lub nicków",
"User read up to (m.read.private): ": "Użytkownik przeczytał do (m.read.private): ",
"User read up to (m.read.private;ignoreSynthetic): ": "Użytkownik przeczytał do (m.read.private;ignoreSynthetic): ",
"Upgrade room": "Ulepsz pokój", "Upgrade room": "Ulepsz pokój",
"See history": "Pokaż historię",
"common": { "common": {
"about": "Informacje", "about": "Informacje",
"analytics": "Analityka", "analytics": "Analityka",
@ -3751,7 +3635,9 @@
"android": "Android", "android": "Android",
"trusted": "Zaufane", "trusted": "Zaufane",
"not_trusted": "Nie zaufane", "not_trusted": "Nie zaufane",
"accessibility": "Ułatwienia dostępu" "accessibility": "Ułatwienia dostępu",
"capabilities": "Możliwości",
"server": "Serwer"
}, },
"action": { "action": {
"continue": "Kontynuuj", "continue": "Kontynuuj",
@ -3850,7 +3736,8 @@
"maximise": "Maksymalizuj", "maximise": "Maksymalizuj",
"mention": "Wzmianka", "mention": "Wzmianka",
"submit": "Wyślij", "submit": "Wyślij",
"send_report": "Wyślij zgłoszenie" "send_report": "Wyślij zgłoszenie",
"clear": "Wyczyść"
}, },
"a11y": { "a11y": {
"user_menu": "Menu użytkownika" "user_menu": "Menu użytkownika"
@ -3984,5 +3871,122 @@
"you_did_it": "Udało ci się!", "you_did_it": "Udało ci się!",
"complete_these": "Wykonaj je, aby jak najlepiej wykorzystać %(brand)s", "complete_these": "Wykonaj je, aby jak najlepiej wykorzystać %(brand)s",
"community_messaging_description": "Zatrzymaj własność i kontroluj dyskusję społeczności.\nRozwijaj się, aby wspierać miliony za pomocą potężnych narzędzi moderatorskich i interoperacyjnością." "community_messaging_description": "Zatrzymaj własność i kontroluj dyskusję społeczności.\nRozwijaj się, aby wspierać miliony za pomocą potężnych narzędzi moderatorskich i interoperacyjnością."
},
"devtools": {
"send_custom_account_data_event": "Wyślij własne wydarzenie danych konta",
"send_custom_room_account_data_event": "Wyślij własne wydarzenie danych konta pokoju",
"event_type": "Typ wydarzenia",
"state_key": "Klucz stanu",
"invalid_json": "Nie wygląda to na prawidłowy JSON.",
"failed_to_send": "Nie udało się wysłać wydarzenia!",
"event_sent": "Wydarzenie wysłane!",
"event_content": "Zawartość wydarzenia",
"user_read_up_to": "Użytkownik czyta do: ",
"no_receipt_found": "Nie znaleziono potwierdzenia",
"user_read_up_to_ignore_synthetic": "Użytkownik przeczytał do (ignoreSynthetic): ",
"user_read_up_to_private": "Użytkownik przeczytał do (m.read.private): ",
"user_read_up_to_private_ignore_synthetic": "Użytkownik przeczytał do (m.read.private;ignoreSynthetic): ",
"room_status": "Status pokoju",
"room_unread_status_count": {
"other": "Status nieprzeczytanych wiadomości pokoju: <strong>%(status)s</strong>, ilość: <strong>%(count)s</strong>"
},
"notification_state": "Status powiadomień <strong>%(notificationState)s</strong>",
"room_encrypted": "Pokój jest <strong>szyfrowany ✅</strong>",
"room_not_encrypted": "Pokój nie jest <strong>szyfrowany 🚨</strong>",
"main_timeline": "Główna oś czasu",
"threads_timeline": "Oś czasu wątków",
"room_notifications_total": "Łącznie: ",
"room_notifications_highlight": "Wyróżnienie: ",
"room_notifications_dot": "Kropka: ",
"room_notifications_last_event": "Ostatnie wydarzenie:",
"room_notifications_type": "Typ: ",
"room_notifications_sender": "Nadawca: ",
"room_notifications_thread_id": "ID wątku: ",
"spaces": {
"one": "<space>",
"other": "<%(count)s spacji>"
},
"empty_string": "<empty string>",
"room_unread_status": "Status nieprzeczytanych wiadomości pokoju: <strong>%(status)s</strong>",
"id": "ID: ",
"send_custom_state_event": "Wyślij własne wydarzenie stanu",
"see_history": "Pokaż historię",
"failed_to_load": "Nie udało się wczytać.",
"client_versions": "Wersje klientów",
"server_versions": "Wersje serwera",
"number_of_users": "Liczba użytkowników",
"failed_to_save": "Nie udało się zapisać ustawień.",
"save_setting_values": "Zapisz ustawione wartości",
"setting_colon": "Ustawienie:",
"caution_colon": "Ostrzeżenie:",
"use_at_own_risk": "Ten interfejs nie sprawdza typów wartości. Używaj na własne ryzyko.",
"setting_definition": "Definicja ustawienia:",
"level": "Poziom",
"settable_global": "Możliwe do ustawienia globalnie",
"settable_room": "Możliwe do ustawienia w pokoju",
"values_explicit": "Wartości w ścisłych poziomach",
"values_explicit_room": "Wartości w ścisłych poziomach w tym pokoju",
"edit_values": "Edytuj wartości",
"value_colon": "Wartość:",
"value_this_room_colon": "Wartość w tym pokoju:",
"values_explicit_colon": "Wartości w ścisłych poziomach:",
"values_explicit_this_room_colon": "Wartości w ścisłych poziomach w tym pokoju:",
"setting_id": "ID ustawienia",
"value": "Wartość",
"value_in_this_room": "Wartość w tym pokoju",
"edit_setting": "Edytuj ustawienie",
"phase_requested": "Żądane",
"phase_ready": "Gotowe",
"phase_started": "Rozpoczęto",
"phase_cancelled": "Anulowano",
"phase_transaction": "Transakcja",
"phase": "Etap",
"timeout": "Czas oczekiwania",
"methods": "Metody",
"requester": "Żądający",
"observe_only": "Tylko obserwuj",
"no_verification_requests_found": "Nie znaleziono żądań weryfikacji",
"failed_to_find_widget": "Wystąpił błąd podczas próby odnalezienia tego widżetu."
},
"settings": {
"show_breadcrumbs": "Pokazuj skróty do ostatnio wyświetlonych pokojów nad listą pokojów",
"all_rooms_home_description": "Wszystkie pokoje w których jesteś zostaną pokazane na ekranie głównym.",
"use_command_f_search": "Użyj Command + F aby przeszukać oś czasu",
"use_control_f_search": "Użyj Ctrl + F aby przeszukać oś czasu",
"use_12_hour_format": "Pokaż czas w formacie 12-sto godzinnym (np. 2:30pm)",
"always_show_message_timestamps": "Zawsze pokazuj znaczniki czasu wiadomości",
"send_read_receipts": "Wysyłaj potwierdzenia przeczytania",
"send_typing_notifications": "Wyślij powiadomienia o pisaniu",
"replace_plain_emoji": "Automatycznie zastępuj tekstowe emotikony",
"enable_markdown": "Włącz Markdown",
"emoji_autocomplete": "Włącz podpowiedzi Emoji podczas pisania",
"use_command_enter_send_message": "Użyj Command + Enter, aby wysłać wiadomość",
"use_control_enter_send_message": "Użyj Ctrl + Enter, aby wysłać wiadomość",
"all_rooms_home": "Pokaż wszystkie pokoje na ekranie głównym",
"enable_markdown_description": "Rozpocznij wiadomość z <code>/plain</code>, aby była bez markdownu.",
"show_stickers_button": "Pokaż przycisk naklejek",
"insert_trailing_colon_mentions": "Wstawiaj dwukropek po wzmiance użytkownika na początku wiadomości",
"automatic_language_detection_syntax_highlight": "Włącz automatyczne rozpoznawanie języka dla podświetlania składni",
"code_block_expand_default": "Domyślnie rozwijaj bloki kodu",
"code_block_line_numbers": "Pokazuj numery wierszy w blokach kodu",
"inline_url_previews_default": "Włącz domyślny podgląd URL w tekście",
"autoplay_gifs": "Auto odtwarzanie GIF'ów",
"autoplay_videos": "Auto odtwarzanie filmów",
"image_thumbnails": "Pokaż podgląd/miniatury obrazów",
"show_typing_notifications": "Pokazuj powiadomienia o pisaniu",
"show_redaction_placeholder": "Pokaż symbol zastępczy dla usuniętych wiadomości",
"show_read_receipts": "Pokaż potwierdzenia odczytania wysyłane przez innych użytkowników",
"show_join_leave": "Pokaż wiadomości dołączenia/opuszczenia pokoju (nie dotyczy wiadomości zaproszenia/wyrzucenia/banów)",
"show_displayname_changes": "Pokaż zmiany wyświetlanej nazwy",
"show_chat_effects": "Pokaż efekty czatu (animacje po odebraniu np. confetti)",
"show_avatar_changes": "Pokaż zmiany zdjęcia profilowego",
"big_emoji": "Aktywuj duże emoji na czacie",
"jump_to_bottom_on_send": "Przejdź na dół osi czasu po wysłaniu wiadomości",
"disable_historical_profile": "Pokaż bieżące zdjęcie i nazwę użytkowników w historii wiadomości",
"show_nsfw_content": "Pokaż zawartość NSFW",
"prompt_invite": "Powiadamiaj przed wysłaniem zaproszenia do potencjalnie nieprawidłowych ID matrix",
"hardware_acceleration": "Włącz akceleracje sprzętową (uruchom ponownie %(appName)s, aby zastosować zmiany)",
"start_automatically": "Uruchom automatycznie po zalogowaniu się do systemu",
"warn_quit": "Ostrzeż przed wyjściem"
} }
} }

View file

@ -152,7 +152,6 @@
"You seem to be in a call, are you sure you want to quit?": "Parece que você está em uma chamada. Tem certeza que quer sair?", "You seem to be in a call, are you sure you want to quit?": "Parece que você está em uma chamada. Tem certeza que quer sair?",
"You seem to be uploading files, are you sure you want to quit?": "Parece que você está enviando arquivos. Tem certeza que quer sair?", "You seem to be uploading files, are you sure you want to quit?": "Parece que você está enviando arquivos. Tem certeza que quer sair?",
"You will not be able to undo this change as you are promoting the user to have the same power level as yourself.": "Você não poderá desfazer esta mudança, pois estará dando a este(a) usuário(a) o mesmo nível de permissões que você.", "You will not be able to undo this change as you are promoting the user to have the same power level as yourself.": "Você não poderá desfazer esta mudança, pois estará dando a este(a) usuário(a) o mesmo nível de permissões que você.",
"Always show message timestamps": "Sempre mostrar as datas das mensagens",
"Authentication": "Autenticação", "Authentication": "Autenticação",
"An error has occurred.": "Ocorreu um erro.", "An error has occurred.": "Ocorreu um erro.",
"Email": "Email", "Email": "Email",
@ -161,7 +160,6 @@
"Invalid file%(extra)s": "Arquivo inválido %(extra)s", "Invalid file%(extra)s": "Arquivo inválido %(extra)s",
"Operation failed": "A operação falhou", "Operation failed": "A operação falhou",
"%(brand)s version:": "versão do %(brand)s:", "%(brand)s version:": "versão do %(brand)s:",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "Mostrar os horários em formato de 12h (p.ex: 2:30pm)",
"Warning!": "Atenção!", "Warning!": "Atenção!",
"%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s apagou o nome da sala.", "%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s apagou o nome da sala.",
"Passphrases must match": "As frases-passe devem coincidir", "Passphrases must match": "As frases-passe devem coincidir",
@ -192,7 +190,6 @@
"Online": "Online", "Online": "Online",
"Idle": "Ocioso", "Idle": "Ocioso",
"This process allows you to import encryption keys that you had previously exported from another Matrix client. You will then be able to decrypt any messages that the other client could decrypt.": "Este processo faz com que você possa importar as chaves de criptografia que tinha previamente exportado de outro cliente Matrix. Você poderá então descriptografar todas as mensagens que o outro cliente pôde criptografar.", "This process allows you to import encryption keys that you had previously exported from another Matrix client. You will then be able to decrypt any messages that the other client could decrypt.": "Este processo faz com que você possa importar as chaves de criptografia que tinha previamente exportado de outro cliente Matrix. Você poderá então descriptografar todas as mensagens que o outro cliente pôde criptografar.",
"Start automatically after system login": "Iniciar automaticamente ao iniciar o sistema",
"You are about to be taken to a third-party site so you can authenticate your account for use with %(integrationsUrl)s. Do you wish to continue?": "Você será levado agora a um site de terceiros para poder autenticar a sua conta para uso com o serviço %(integrationsUrl)s. Você quer continuar?", "You are about to be taken to a third-party site so you can authenticate your account for use with %(integrationsUrl)s. Do you wish to continue?": "Você será levado agora a um site de terceiros para poder autenticar a sua conta para uso com o serviço %(integrationsUrl)s. Você quer continuar?",
"Incorrect username and/or password.": "Nome de utilizador e/ou palavra-passe incorreta.", "Incorrect username and/or password.": "Nome de utilizador e/ou palavra-passe incorreta.",
"Invited": "Convidada(o)", "Invited": "Convidada(o)",
@ -234,7 +231,6 @@
"%(roomName)s is not accessible at this time.": "%(roomName)s não está acessível neste momento.", "%(roomName)s is not accessible at this time.": "%(roomName)s não está acessível neste momento.",
"Delete widget": "Apagar widget", "Delete widget": "Apagar widget",
"Define the power level of a user": "Definir o nível de privilégios de um utilizador", "Define the power level of a user": "Definir o nível de privilégios de um utilizador",
"Enable automatic language detection for syntax highlighting": "Ativar deteção automática da linguagem para realce da sintaxe",
"Publish this room to the public in %(domain)s's room directory?": "Publicar esta sala ao público no diretório de salas de %(domain)s's?", "Publish this room to the public in %(domain)s's room directory?": "Publicar esta sala ao público no diretório de salas de %(domain)s's?",
"AM": "AM", "AM": "AM",
"PM": "PM", "PM": "PM",
@ -249,7 +245,6 @@
"Authentication check failed: incorrect password?": "Erro de autenticação: palavra-passe incorreta?", "Authentication check failed: incorrect password?": "Erro de autenticação: palavra-passe incorreta?",
"Do you want to set an email address?": "Deseja definir um endereço de e-mail?", "Do you want to set an email address?": "Deseja definir um endereço de e-mail?",
"This will allow you to reset your password and receive notifications.": "Isto irá permitir-lhe redefinir a sua palavra-passe e receber notificações.", "This will allow you to reset your password and receive notifications.": "Isto irá permitir-lhe redefinir a sua palavra-passe e receber notificações.",
"Automatically replace plain text Emoji": "Substituir Emoji de texto automaticamente",
"%(widgetName)s widget added by %(senderName)s": "Widget %(widgetName)s adicionado por %(senderName)s", "%(widgetName)s widget added by %(senderName)s": "Widget %(widgetName)s adicionado por %(senderName)s",
"%(widgetName)s widget removed by %(senderName)s": "Widget %(widgetName)s removido por %(senderName)s", "%(widgetName)s widget removed by %(senderName)s": "Widget %(widgetName)s removido por %(senderName)s",
"%(widgetName)s widget modified by %(senderName)s": "Widget %(widgetName)s modificado por %(senderName)s", "%(widgetName)s widget modified by %(senderName)s": "Widget %(widgetName)s modificado por %(senderName)s",
@ -289,7 +284,6 @@
"Monday": "Segunda-feira", "Monday": "Segunda-feira",
"Collecting logs": "A recolher logs", "Collecting logs": "A recolher logs",
"Invite to this room": "Convidar para esta sala", "Invite to this room": "Convidar para esta sala",
"State Key": "Chave de estado",
"Send": "Enviar", "Send": "Enviar",
"All messages": "Todas as mensagens", "All messages": "Todas as mensagens",
"Call invitation": "Convite para chamada", "Call invitation": "Convite para chamada",
@ -305,9 +299,6 @@
"Off": "Desativado", "Off": "Desativado",
"Failed to remove tag %(tagName)s from room": "Não foi possível remover a marcação %(tagName)s desta sala", "Failed to remove tag %(tagName)s from room": "Não foi possível remover a marcação %(tagName)s desta sala",
"Wednesday": "Quarta-feira", "Wednesday": "Quarta-feira",
"Event Type": "Tipo de evento",
"Event sent!": "Evento enviado!",
"Event Content": "Conteúdo do evento",
"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",
@ -781,5 +772,18 @@
"short_days_hours_minutes_seconds": "%(days)sd %(hours)sh %(minutes)sm %(seconds)ss", "short_days_hours_minutes_seconds": "%(days)sd %(hours)sh %(minutes)sm %(seconds)ss",
"short_hours_minutes_seconds": "%(hours)sh %(minutes)sm %(seconds)ss", "short_hours_minutes_seconds": "%(hours)sh %(minutes)sm %(seconds)ss",
"short_minutes_seconds": "%(minutes)sm %(seconds)ss" "short_minutes_seconds": "%(minutes)sm %(seconds)ss"
},
"devtools": {
"event_type": "Tipo de evento",
"state_key": "Chave de estado",
"event_sent": "Evento enviado!",
"event_content": "Conteúdo do evento"
},
"settings": {
"use_12_hour_format": "Mostrar os horários em formato de 12h (p.ex: 2:30pm)",
"always_show_message_timestamps": "Sempre mostrar as datas das mensagens",
"replace_plain_emoji": "Substituir Emoji de texto automaticamente",
"automatic_language_detection_syntax_highlight": "Ativar deteção automática da linguagem para realce da sintaxe",
"start_automatically": "Iniciar automaticamente ao iniciar o sistema"
} }
} }

View file

@ -152,7 +152,6 @@
"You seem to be in a call, are you sure you want to quit?": "Parece que você está em uma chamada. Tem certeza que quer sair?", "You seem to be in a call, are you sure you want to quit?": "Parece que você está em uma chamada. Tem certeza que quer sair?",
"You seem to be uploading files, are you sure you want to quit?": "Parece que você está enviando arquivos. Tem certeza que quer sair?", "You seem to be uploading files, are you sure you want to quit?": "Parece que você está enviando arquivos. Tem certeza que quer sair?",
"You will not be able to undo this change as you are promoting the user to have the same power level as yourself.": "Você não poderá desfazer essa alteração, pois está promovendo o usuário ao mesmo nível de permissão que você.", "You will not be able to undo this change as you are promoting the user to have the same power level as yourself.": "Você não poderá desfazer essa alteração, pois está promovendo o usuário ao mesmo nível de permissão que você.",
"Always show message timestamps": "Sempre mostrar as datas das mensagens",
"Authentication": "Autenticação", "Authentication": "Autenticação",
"An error has occurred.": "Ocorreu um erro.", "An error has occurred.": "Ocorreu um erro.",
"Email": "E-mail", "Email": "E-mail",
@ -161,7 +160,6 @@
"Invalid file%(extra)s": "Arquivo inválido %(extra)s", "Invalid file%(extra)s": "Arquivo inválido %(extra)s",
"Operation failed": "A operação falhou", "Operation failed": "A operação falhou",
"%(brand)s version:": "versão do %(brand)s:", "%(brand)s version:": "versão do %(brand)s:",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "Mostrar os horários em formato de 12h (p.ex: 2:30pm)",
"Warning!": "Atenção!", "Warning!": "Atenção!",
"%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s apagou o nome da sala.", "%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s apagou o nome da sala.",
"Passphrases must match": "As senhas têm que ser iguais", "Passphrases must match": "As senhas têm que ser iguais",
@ -192,7 +190,6 @@
"Online": "Conectada/o", "Online": "Conectada/o",
"Idle": "Ocioso", "Idle": "Ocioso",
"This process allows you to import encryption keys that you had previously exported from another Matrix client. You will then be able to decrypt any messages that the other client could decrypt.": "Este processo faz com que você possa importar as chaves de criptografia que tinha previamente exportado de outro cliente Matrix. Você poderá então descriptografar todas as mensagens que o outro cliente pôde criptografar.", "This process allows you to import encryption keys that you had previously exported from another Matrix client. You will then be able to decrypt any messages that the other client could decrypt.": "Este processo faz com que você possa importar as chaves de criptografia que tinha previamente exportado de outro cliente Matrix. Você poderá então descriptografar todas as mensagens que o outro cliente pôde criptografar.",
"Start automatically after system login": "Iniciar automaticamente ao iniciar o sistema",
"You are about to be taken to a third-party site so you can authenticate your account for use with %(integrationsUrl)s. Do you wish to continue?": "Você será redirecionado para um site de terceiros para poder autenticar a sua conta, tendo em vista usar o serviço %(integrationsUrl)s. Deseja prosseguir?", "You are about to be taken to a third-party site so you can authenticate your account for use with %(integrationsUrl)s. Do you wish to continue?": "Você será redirecionado para um site de terceiros para poder autenticar a sua conta, tendo em vista usar o serviço %(integrationsUrl)s. Deseja prosseguir?",
"Incorrect username and/or password.": "Nome de usuário e/ou senha incorreto.", "Incorrect username and/or password.": "Nome de usuário e/ou senha incorreto.",
"Invited": "Convidada(o)", "Invited": "Convidada(o)",
@ -254,10 +251,7 @@
"%(widgetName)s widget added by %(senderName)s": "O widget %(widgetName)s foi criado por %(senderName)s", "%(widgetName)s widget added by %(senderName)s": "O widget %(widgetName)s foi criado por %(senderName)s",
"%(widgetName)s widget removed by %(senderName)s": "O widget %(widgetName)s foi removido por %(senderName)s", "%(widgetName)s widget removed by %(senderName)s": "O widget %(widgetName)s foi removido por %(senderName)s",
"Send": "Enviar", "Send": "Enviar",
"Enable automatic language detection for syntax highlighting": "Ativar detecção automática de idioma para ressaltar erros de ortografia",
"Automatically replace plain text Emoji": "Substituir automaticamente os emojis em texto",
"Mirror local video feed": "Espelhar o feed de vídeo local", "Mirror local video feed": "Espelhar o feed de vídeo local",
"Enable inline URL previews by default": "Ativar, por padrão, a visualização de resumo de links",
"Enable URL previews for this room (only affects you)": "Ativar, para esta sala, a visualização de links (só afeta você)", "Enable URL previews for this room (only affects you)": "Ativar, para esta sala, a visualização de links (só afeta você)",
"Enable URL previews by default for participants in this room": "Ativar, para todos os participantes desta sala, a visualização de links", "Enable URL previews by default for participants in this room": "Ativar, para todos os participantes desta sala, a visualização de links",
"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.",
@ -419,7 +413,6 @@
"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",
"Call invitation": "Recebendo chamada", "Call invitation": "Recebendo chamada",
"State Key": "Chave do Estado",
"What's new?": "O que há de novidades?", "What's new?": "O que há de novidades?",
"When I'm invited to a room": "Quando eu for convidada(o) a uma sala", "When I'm invited to a room": "Quando eu for convidada(o) a uma sala",
"All Rooms": "Todas as salas", "All Rooms": "Todas as salas",
@ -432,9 +425,6 @@
"Low Priority": "Baixa prioridade", "Low Priority": "Baixa prioridade",
"Off": "Desativado", "Off": "Desativado",
"Wednesday": "Quarta-feira", "Wednesday": "Quarta-feira",
"Event Type": "Tipo do Evento",
"Event sent!": "Evento enviado!",
"Event Content": "Conteúdo do Evento",
"Thank you!": "Obrigado!", "Thank you!": "Obrigado!",
"Permission Required": "Permissão necessária", "Permission Required": "Permissão necessária",
"You do not have permission to start a conference call in this room": "Você não tem permissão para iniciar uma chamada em grupo nesta sala", "You do not have permission to start a conference call in this room": "Você não tem permissão para iniciar uma chamada em grupo nesta sala",
@ -566,7 +556,6 @@
"Go to Settings": "Ir para as configurações", "Go to Settings": "Ir para as configurações",
"Unrecognised address": "Endereço não reconhecido", "Unrecognised address": "Endereço não reconhecido",
"The following users may not exist": "Os seguintes usuários podem não existir", "The following users may not exist": "Os seguintes usuários podem não existir",
"Prompt before sending invites to potentially invalid matrix IDs": "Avisar antes de enviar convites para IDs da Matrix potencialmente inválidas",
"Unable to find profiles for the Matrix IDs listed below - would you like to invite them anyway?": "Não é possível encontrar perfis para os IDs da Matrix listados abaixo - você gostaria de convidá-los mesmo assim?", "Unable to find profiles for the Matrix IDs listed below - would you like to invite them anyway?": "Não é possível encontrar perfis para os IDs da Matrix listados abaixo - você gostaria de convidá-los mesmo assim?",
"Invite anyway and never warn me again": "Convide mesmo assim e nunca mais me avise", "Invite anyway and never warn me again": "Convide mesmo assim e nunca mais me avise",
"Invite anyway": "Convide mesmo assim", "Invite anyway": "Convide mesmo assim",
@ -574,8 +563,6 @@
"Gets or sets the room topic": "Consulta ou altera a descrição da sala", "Gets or sets the room topic": "Consulta ou altera a descrição da sala",
"This room has no topic.": "Esta sala não tem descrição.", "This room has no topic.": "Esta sala não tem descrição.",
"Sets the room name": "Altera o nome da sala", "Sets the room name": "Altera o nome da sala",
"Enable Emoji suggestions while typing": "Ativar sugestões de emojis ao digitar",
"Show a placeholder for removed messages": "Mostrar um marcador para as mensagens removidas",
"The file '%(fileName)s' exceeds this homeserver's size limit for uploads": "O arquivo '%(fileName)s' excede o limite de tamanho deste homeserver para uploads", "The file '%(fileName)s' exceeds this homeserver's size limit for uploads": "O arquivo '%(fileName)s' excede o limite de tamanho deste homeserver para uploads",
"Changes your display nickname in the current room only": "Altera o seu nome e sobrenome apenas nesta sala", "Changes your display nickname in the current room only": "Altera o seu nome e sobrenome apenas nesta sala",
"%(senderDisplayName)s upgraded this room.": "%(senderDisplayName)s atualizou esta sala.", "%(senderDisplayName)s upgraded this room.": "%(senderDisplayName)s atualizou esta sala.",
@ -591,9 +578,6 @@
"one": "%(names)s e outra pessoa estão digitando…" "one": "%(names)s e outra pessoa estão digitando…"
}, },
"%(names)s and %(lastPerson)s are typing …": "%(names)s e %(lastPerson)s estão digitando…", "%(names)s and %(lastPerson)s are typing …": "%(names)s e %(lastPerson)s estão digitando…",
"Show read receipts sent by other users": "Mostrar confirmações de leitura dos outros usuários",
"Enable big emoji in chat": "Ativar emojis grandes no bate-papo",
"Send typing notifications": "Permitir que saibam quando eu estiver digitando",
"Messages containing my username": "Mensagens contendo meu nome de usuário", "Messages containing my username": "Mensagens contendo meu nome de usuário",
"The other party cancelled the verification.": "Seu contato cancelou a confirmação.", "The other party cancelled the verification.": "Seu contato cancelou a confirmação.",
"Verified!": "Confirmado!", "Verified!": "Confirmado!",
@ -639,7 +623,6 @@
"Santa": "Papai-noel", "Santa": "Papai-noel",
"Prepends ¯\\_(ツ)_/¯ to a plain-text message": "Adiciona ¯ \\ _ (ツ) _ / ¯ a uma mensagem de texto", "Prepends ¯\\_(ツ)_/¯ to a plain-text message": "Adiciona ¯ \\ _ (ツ) _ / ¯ a uma mensagem de texto",
"The user must be unbanned before they can be invited.": "O banimento do usuário precisa ser removido antes de ser convidado.", "The user must be unbanned before they can be invited.": "O banimento do usuário precisa ser removido antes de ser convidado.",
"Show display name changes": "Mostrar alterações de nome e sobrenome",
"Verify this user by confirming the following emoji appear on their screen.": "Confirme este usuário confirmando os emojis a seguir exibidos na tela dele.", "Verify this user by confirming the following emoji appear on their screen.": "Confirme este usuário confirmando os emojis a seguir exibidos na tela dele.",
"Verify this user by confirming the following number appears on their screen.": "Confirme este usuário, comparando os números a seguir que serão exibidos na sua e na tela dele.", "Verify this user by confirming the following number appears on their screen.": "Confirme este usuário, comparando os números a seguir que serão exibidos na sua e na tela dele.",
"Thumbs up": "Joinha", "Thumbs up": "Joinha",
@ -853,15 +836,12 @@
"%(senderName)s: %(stickerName)s": "%(senderName)s: %(stickerName)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",
"Show typing notifications": "Mostrar quando alguém estiver digitando",
"Match system theme": "Se adaptar ao tema do sistema", "Match system theme": "Se adaptar ao tema do sistema",
"Use a system font": "Usar uma fonte do sistema", "Use a system font": "Usar uma fonte do sistema",
"System font name": "Nome da fonte do sistema", "System font name": "Nome da fonte do sistema",
"Never send encrypted messages to unverified sessions from this session": "Nunca envie mensagens criptografadas a partir desta sessão para sessões não confirmadas", "Never send encrypted messages to unverified sessions from this session": "Nunca envie mensagens criptografadas a partir desta sessão para sessões não confirmadas",
"Never send encrypted messages to unverified sessions in this room from this session": "Nunca envie mensagens criptografadas a partir desta sessão para sessões não confirmadas nessa sala", "Never send encrypted messages to unverified sessions in this room from this session": "Nunca envie mensagens criptografadas a partir desta sessão para sessões não confirmadas nessa sala",
"Show shortcuts to recently viewed rooms above the room list": "Mostrar atalhos para salas recentemente visualizadas acima da lista de salas",
"Show hidden events in timeline": "Mostrar eventos ocultos nas conversas", "Show hidden events in timeline": "Mostrar eventos ocultos nas conversas",
"Show previews/thumbnails for images": "Mostrar miniaturas e resumos para imagens",
"Enable message search in encrypted rooms": "Ativar busca de mensagens em salas criptografadas", "Enable message search in encrypted rooms": "Ativar busca de mensagens em salas criptografadas",
"How fast should messages be downloaded.": "Com qual rapidez as mensagens devem ser baixadas.", "How fast should messages be downloaded.": "Com qual rapidez as mensagens devem ser baixadas.",
"Manually verify all remote sessions": "Verificar manualmente todas as sessões remotas", "Manually verify all remote sessions": "Verificar manualmente todas as sessões remotas",
@ -1873,14 +1853,12 @@
"Remain on your screen when viewing another room, when running": "Permaneça na tela ao visualizar outra sala, quando executar", "Remain on your screen when viewing another room, when running": "Permaneça na tela ao visualizar outra sala, quando executar",
"New here? <a>Create an account</a>": "Novo por aqui? <a>Crie uma conta</a>", "New here? <a>Create an account</a>": "Novo por aqui? <a>Crie uma conta</a>",
"Got an account? <a>Sign in</a>": "Já tem uma conta? <a>Login</a>", "Got an account? <a>Sign in</a>": "Já tem uma conta? <a>Login</a>",
"Use Command + Enter to send a message": "Usar Command + Enter para enviar uma mensagem",
"Enter phone number": "Digite o número de telefone", "Enter phone number": "Digite o número de telefone",
"Enter email address": "Digite o endereço de e-mail", "Enter email address": "Digite o endereço de e-mail",
"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", "Return to call": "Retornar para a chamada",
"Use Ctrl + Enter to send a message": "Usar Ctrl + Enter para enviar uma mensagem",
"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",
@ -2005,7 +1983,6 @@
"Transfer": "Transferir", "Transfer": "Transferir",
"Failed to transfer call": "Houve uma falha ao transferir a chamada", "Failed to transfer call": "Houve uma falha ao transferir a chamada",
"A call can only be transferred to a single user.": "Uma chamada só pode ser transferida para um único usuário.", "A call can only be transferred to a single user.": "Uma chamada só pode ser transferida para um único usuário.",
"There was an error finding this widget.": "Ocorreu um erro ao encontrar este widget.",
"Active Widgets": "Widgets ativados", "Active Widgets": "Widgets ativados",
"Set my room layout for everyone": "Definir a minha aparência da sala para todos", "Set my room layout for everyone": "Definir a minha aparência da sala para todos",
"Open dial pad": "Abrir o teclado de discagem", "Open dial pad": "Abrir o teclado de discagem",
@ -2022,33 +1999,12 @@
"The widget will verify your user ID, but won't be able to perform actions for you:": "O widget verificará o seu ID de usuário, mas não poderá realizar ações para você:", "The widget will verify your user ID, but won't be able to perform actions for you:": "O widget verificará o seu ID de usuário, mas não poderá realizar ações para você:",
"Allow this widget to verify your identity": "Permitir que este widget verifique a sua identidade", "Allow this widget to verify your identity": "Permitir que este widget verifique a sua identidade",
"Recently visited rooms": "Salas visitadas recentemente", "Recently visited rooms": "Salas visitadas recentemente",
"Show line numbers in code blocks": "Mostrar o número da linha em blocos de código",
"Expand code blocks by default": "Expandir blocos de código por padrão",
"Show stickers button": "Mostrar o botão de figurinhas",
"Use app": "Usar o aplicativo", "Use app": "Usar o aplicativo",
"Use app for a better experience": "Use o aplicativo para ter uma experiência melhor", "Use app for a better experience": "Use o aplicativo para ter uma experiência melhor",
"Converts the DM to a room": "Converte a conversa para uma sala", "Converts the DM to a room": "Converte a conversa para uma sala",
"Converts the room to a DM": "Converte a sala para uma conversa", "Converts the room to a DM": "Converte a sala para uma conversa",
"We couldn't log you in": "Não foi possível fazer login", "We couldn't log you in": "Não foi possível fazer login",
"Settable at room": "Definido em cada sala",
"Settable at global": "Definido globalmente",
"Level": "Nível",
"Setting definition:": "Definição da configuração:",
"Setting ID": "ID da configuração",
"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.": "Anteriormente, pedimos ao seu navegador para lembrar qual servidor local você usa para fazer login, mas infelizmente o navegador se esqueceu disso. Vá para a página de login e tente novamente.", "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.": "Anteriormente, pedimos ao seu navegador para lembrar qual servidor local você usa para fazer login, mas infelizmente o navegador se esqueceu disso. Vá para a página de login e tente novamente.",
"Values at explicit levels in this room:": "Valores em níveis explícitos nessa sala:",
"Values at explicit levels:": "Valores em níveis explícitos:",
"Value in this room:": "Valor nessa sala:",
"Value:": "Valor:",
"Save setting values": "Salvar valores de configuração",
"Values at explicit levels in this room": "Valores em níveis explícitos nessa sala",
"Values at explicit levels": "Valores em níveis explícitos",
"This UI does NOT check the types of the values. Use at your own risk.": "Esta interface de usuário NÃO verifica os tipos de valores. Use por sua conta e risco.",
"Caution:": "Atenção:",
"Setting:": "Configuração:",
"Value in this room": "Valor nessa sala",
"Value": "Valor",
"Show chat effects (animations when receiving e.g. confetti)": "Mostrar efeitos na conversa (por exemplo: animações ao receber confetes)",
"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",
@ -2088,7 +2044,6 @@
"Your public space": "O seu espaço público", "Your public space": "O seu espaço público",
"Open space for anyone, best for communities": "Abra espaços para todos, especialmente para comunidades", "Open space for anyone, best for communities": "Abra espaços para todos, especialmente para comunidades",
"Create a space": "Criar um espaço", "Create a space": "Criar um espaço",
"Jump to the bottom of the timeline when you send a message": "Vá para o final da linha do tempo ao enviar uma mensagem",
"Decrypted event source": "Fonte de evento descriptografada", "Decrypted event source": "Fonte de evento descriptografada",
"Invite by username": "Convidar por nome de usuário", "Invite by username": "Convidar por nome de usuário",
"Original event source": "Fonte do evento original", "Original event source": "Fonte do evento original",
@ -2141,7 +2096,6 @@
"Images, GIFs and videos": "Imagens, GIFs e vídeos", "Images, GIFs and videos": "Imagens, GIFs e vídeos",
"Code blocks": "Blocos de código", "Code blocks": "Blocos de código",
"Keyboard shortcuts": "Teclas de atalho do teclado", "Keyboard shortcuts": "Teclas de atalho do teclado",
"Warn before quitting": "Avisar antes de sair",
"Message bubbles": "Balões de mensagem", "Message bubbles": "Balões de mensagem",
"Mentions & keywords": "Menções e palavras-chave", "Mentions & keywords": "Menções e palavras-chave",
"Global": "Global", "Global": "Global",
@ -2167,10 +2121,6 @@
"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",
"All rooms you're in will appear in Home.": "Todas as salas que você estiver presente aparecerão no Início.",
"Show all rooms in Home": "Mostrar todas as salas no Início",
"Use Ctrl + F to search timeline": "Use Ctrl + F para pesquisar a linha de tempo",
"Use Command + F to search timeline": "Use Command + F para pesquisar a linha de tempo",
"%(deviceId)s from %(ip)s": "%(deviceId)s de %(ip)s", "%(deviceId)s from %(ip)s": "%(deviceId)s de %(ip)s",
"Silence call": "Silenciar chamado", "Silence call": "Silenciar chamado",
"Sound on": "Som ligado", "Sound on": "Som ligado",
@ -2219,8 +2169,6 @@
"Stop sharing your screen": "Parar de compartilhar sua tela", "Stop sharing your screen": "Parar de compartilhar sua tela",
"Stop the camera": "Desligar a câmera", "Stop the camera": "Desligar a câmera",
"Start the camera": "Ativar a câmera", "Start the camera": "Ativar a câmera",
"Autoplay videos": "Reproduzir vídeos automaticamente",
"Autoplay GIFs": "Reproduzir GIFs automaticamente",
"%(senderName)s pinned a message to this room. See all pinned messages.": "%(senderName)s fixou uma mensagem nesta sala. Veja todas as mensagens fixadas.", "%(senderName)s pinned a message to this room. See all pinned messages.": "%(senderName)s fixou uma mensagem nesta sala. Veja todas as mensagens fixadas.",
"%(senderName)s pinned <a>a message</a> to this room. See all <b>pinned messages</b>.": "%(senderName)s fixou <a>uma mensagens</a> nesta sala. Veja todas as <b>mensagens fixadas</b>.", "%(senderName)s pinned <a>a message</a> to this room. See all <b>pinned messages</b>.": "%(senderName)s fixou <a>uma mensagens</a> nesta sala. Veja todas as <b>mensagens fixadas</b>.",
"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",
@ -2570,7 +2518,6 @@
"Your profile": "Seu perfil", "Your profile": "Seu perfil",
"Find people": "Encontrar pessoas", "Find people": "Encontrar pessoas",
"Enable hardware acceleration": "Habilitar aceleração de hardware", "Enable hardware acceleration": "Habilitar aceleração de hardware",
"Enable Markdown": "Habilitar markdown",
"Export successful!": "Exportação realizada com sucesso!", "Export successful!": "Exportação realizada com sucesso!",
"Generating a ZIP": "Gerando um ZIP", "Generating a ZIP": "Gerando um ZIP",
"User is already in the space": "O usuário já está no espaço", "User is already in the space": "O usuário já está no espaço",
@ -2922,5 +2869,62 @@
}, },
"onboarding": { "onboarding": {
"welcome_to_brand": "Bem-vindo a %(brand)s" "welcome_to_brand": "Bem-vindo a %(brand)s"
},
"devtools": {
"event_type": "Tipo do Evento",
"state_key": "Chave do Estado",
"event_sent": "Evento enviado!",
"event_content": "Conteúdo do Evento",
"save_setting_values": "Salvar valores de configuração",
"setting_colon": "Configuração:",
"caution_colon": "Atenção:",
"use_at_own_risk": "Esta interface de usuário NÃO verifica os tipos de valores. Use por sua conta e risco.",
"setting_definition": "Definição da configuração:",
"level": "Nível",
"settable_global": "Definido globalmente",
"settable_room": "Definido em cada sala",
"values_explicit": "Valores em níveis explícitos",
"values_explicit_room": "Valores em níveis explícitos nessa sala",
"value_colon": "Valor:",
"value_this_room_colon": "Valor nessa sala:",
"values_explicit_colon": "Valores em níveis explícitos:",
"values_explicit_this_room_colon": "Valores em níveis explícitos nessa sala:",
"setting_id": "ID da configuração",
"value": "Valor",
"value_in_this_room": "Valor nessa sala",
"failed_to_find_widget": "Ocorreu um erro ao encontrar este widget."
},
"settings": {
"show_breadcrumbs": "Mostrar atalhos para salas recentemente visualizadas acima da lista de salas",
"all_rooms_home_description": "Todas as salas que você estiver presente aparecerão no Início.",
"use_command_f_search": "Use Command + F para pesquisar a linha de tempo",
"use_control_f_search": "Use Ctrl + F para pesquisar a linha de tempo",
"use_12_hour_format": "Mostrar os horários em formato de 12h (p.ex: 2:30pm)",
"always_show_message_timestamps": "Sempre mostrar as datas das mensagens",
"send_typing_notifications": "Permitir que saibam quando eu estiver digitando",
"replace_plain_emoji": "Substituir automaticamente os emojis em texto",
"enable_markdown": "Habilitar markdown",
"emoji_autocomplete": "Ativar sugestões de emojis ao digitar",
"use_command_enter_send_message": "Usar Command + Enter para enviar uma mensagem",
"use_control_enter_send_message": "Usar Ctrl + Enter para enviar uma mensagem",
"all_rooms_home": "Mostrar todas as salas no Início",
"show_stickers_button": "Mostrar o botão de figurinhas",
"automatic_language_detection_syntax_highlight": "Ativar detecção automática de idioma para ressaltar erros de ortografia",
"code_block_expand_default": "Expandir blocos de código por padrão",
"code_block_line_numbers": "Mostrar o número da linha em blocos de código",
"inline_url_previews_default": "Ativar, por padrão, a visualização de resumo de links",
"autoplay_gifs": "Reproduzir GIFs automaticamente",
"autoplay_videos": "Reproduzir vídeos automaticamente",
"image_thumbnails": "Mostrar miniaturas e resumos para imagens",
"show_typing_notifications": "Mostrar quando alguém estiver digitando",
"show_redaction_placeholder": "Mostrar um marcador para as mensagens removidas",
"show_read_receipts": "Mostrar confirmações de leitura dos outros usuários",
"show_displayname_changes": "Mostrar alterações de nome e sobrenome",
"show_chat_effects": "Mostrar efeitos na conversa (por exemplo: animações ao receber confetes)",
"big_emoji": "Ativar emojis grandes no bate-papo",
"jump_to_bottom_on_send": "Vá para o final da linha do tempo ao enviar uma mensagem",
"prompt_invite": "Avisar antes de enviar convites para IDs da Matrix potencialmente inválidas",
"start_automatically": "Iniciar automaticamente ao iniciar o sistema",
"warn_quit": "Avisar antes de sair"
} }
} }

View file

@ -103,7 +103,6 @@
"Failed to ban user": "Не удалось заблокировать пользователя", "Failed to ban user": "Не удалось заблокировать пользователя",
"Failed to change power level": "Не удалось изменить уровень прав", "Failed to change power level": "Не удалось изменить уровень прав",
"Failed to forget room %(errCode)s": "Не удалось забыть комнату: %(errCode)s", "Failed to forget room %(errCode)s": "Не удалось забыть комнату: %(errCode)s",
"Always show message timestamps": "Всегда показывать время отправки сообщений",
"Authentication": "Аутентификация", "Authentication": "Аутентификация",
"%(items)s and %(lastItem)s": "%(items)s и %(lastItem)s", "%(items)s and %(lastItem)s": "%(items)s и %(lastItem)s",
"An error has occurred.": "Произошла ошибка.", "An error has occurred.": "Произошла ошибка.",
@ -147,9 +146,7 @@
"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>.": "Не удается подключиться к домашнему серверу через HTTP, так как в адресной строке браузера указан адрес HTTPS. Используйте 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>.": "Не удается подключиться к домашнему серверу через HTTP, так как в адресной строке браузера указан адрес HTTPS. Используйте HTTPS или <a>включите небезопасные скрипты</a>.",
"Operation failed": "Сбой операции", "Operation failed": "Сбой операции",
"powered by Matrix": "основано на Matrix", "powered by Matrix": "основано на Matrix",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "Отображать время в 12-часовом формате (напр. 2:30 ПП)",
"No Microphones detected": "Микрофоны не обнаружены", "No Microphones detected": "Микрофоны не обнаружены",
"Start automatically after system login": "Автозапуск при входе в систему",
"Default Device": "Устройство по умолчанию", "Default Device": "Устройство по умолчанию",
"No Webcams detected": "Веб-камера не обнаружена", "No Webcams detected": "Веб-камера не обнаружена",
"No media permissions": "Нет разрешённых носителей", "No media permissions": "Нет разрешённых носителей",
@ -240,13 +237,11 @@
"Check for update": "Проверить наличие обновлений", "Check for update": "Проверить наличие обновлений",
"Delete widget": "Удалить виджет", "Delete widget": "Удалить виджет",
"Define the power level of a user": "Определить уровень прав пользователя", "Define the power level of a user": "Определить уровень прав пользователя",
"Enable automatic language detection for syntax highlighting": "Автоопределение языка подсветки синтаксиса",
"AM": "ДП", "AM": "ДП",
"PM": "ПП", "PM": "ПП",
"Unable to create widget.": "Не удалось создать виджет.", "Unable to create widget.": "Не удалось создать виджет.",
"You are not in this room.": "Вас сейчас нет в этой комнате.", "You are not in this room.": "Вас сейчас нет в этой комнате.",
"You do not have permission to do that in this room.": "У вас нет разрешения на это в данной комнате.", "You do not have permission to do that in this room.": "У вас нет разрешения на это в данной комнате.",
"Automatically replace plain text Emoji": "Автоматически заменять текстовые смайлики на графические",
"%(widgetName)s widget added by %(senderName)s": "Виджет %(widgetName)s был добавлен %(senderName)s", "%(widgetName)s widget added by %(senderName)s": "Виджет %(widgetName)s был добавлен %(senderName)s",
"%(widgetName)s widget removed by %(senderName)s": "Виджет %(widgetName)s был удален %(senderName)s", "%(widgetName)s widget removed by %(senderName)s": "Виджет %(widgetName)s был удален %(senderName)s",
"Publish this room to the public in %(domain)s's room directory?": "Опубликовать эту комнату в каталоге комнат %(domain)s?", "Publish this room to the public in %(domain)s's room directory?": "Опубликовать эту комнату в каталоге комнат %(domain)s?",
@ -346,7 +341,6 @@
}, },
"Room Notification": "Уведомления комнаты", "Room Notification": "Уведомления комнаты",
"Notify the whole room": "Уведомить всю комнату", "Notify the whole room": "Уведомить всю комнату",
"Enable inline URL previews by default": "Предпросмотр ссылок по умолчанию",
"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": "Включить предпросмотр ссылок для участников этой комнаты по умолчанию",
"Restricted": "Ограниченный пользователь", "Restricted": "Ограниченный пользователь",
@ -424,7 +418,6 @@
"Invite to this room": "Пригласить в комнату", "Invite to this room": "Пригласить в комнату",
"All messages": "Все сообщения", "All messages": "Все сообщения",
"Call invitation": "Звонки", "Call invitation": "Звонки",
"State Key": "Ключ состояния",
"What's new?": "Что нового?", "What's new?": "Что нового?",
"When I'm invited to a room": "Приглашения в комнаты", "When I'm invited to a room": "Приглашения в комнаты",
"All Rooms": "Везде", "All Rooms": "Везде",
@ -438,9 +431,6 @@
"Low Priority": "Маловажные", "Low Priority": "Маловажные",
"Off": "Выключить", "Off": "Выключить",
"Wednesday": "Среда", "Wednesday": "Среда",
"Event Type": "Тип события",
"Event sent!": "Событие отправлено!",
"Event Content": "Содержимое события",
"Thank you!": "Спасибо!", "Thank you!": "Спасибо!",
"Missing roomId.": "Отсутствует идентификатор комнаты.", "Missing roomId.": "Отсутствует идентификатор комнаты.",
"You don't currently have any stickerpacks enabled": "У вас ещё нет наклеек", "You don't currently have any stickerpacks enabled": "У вас ещё нет наклеек",
@ -529,11 +519,6 @@
"Straight rows of keys are easy to guess": "Прямые ряды клавиш легко угадываемы", "Straight rows of keys are easy to guess": "Прямые ряды клавиш легко угадываемы",
"Short keyboard patterns are easy to guess": "Короткие клавиатурные шаблоны легко угадываемы", "Short keyboard patterns are easy to guess": "Короткие клавиатурные шаблоны легко угадываемы",
"Please contact your homeserver administrator.": "Пожалуйста, свяжитесь с администратором вашего сервера.", "Please contact your homeserver administrator.": "Пожалуйста, свяжитесь с администратором вашего сервера.",
"Enable Emoji suggestions while typing": "Предлагать смайлики при наборе",
"Show a placeholder for removed messages": "Плашки вместо удалённых сообщений",
"Show display name changes": "Изменения отображаемого имени",
"Enable big emoji in chat": "Большие смайлики",
"Send typing notifications": "Уведомлять о наборе текста",
"Messages containing my username": "Сообщения, содержащие имя моего пользователя", "Messages containing my username": "Сообщения, содержащие имя моего пользователя",
"Messages containing @room": "Сообщения, содержащие @room", "Messages containing @room": "Сообщения, содержащие @room",
"Encrypted messages in one-to-one chats": "Зашифрованные сообщения в персональных чатах", "Encrypted messages in one-to-one chats": "Зашифрованные сообщения в персональных чатах",
@ -576,7 +561,6 @@
"Click here to see older messages.": "Нажмите, чтобы увидеть старые сообщения.", "Click here to see older messages.": "Нажмите, чтобы увидеть старые сообщения.",
"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>обратитесь к администратору службы</a>, чтобы продолжить использование службы.", "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>обратитесь к администратору службы</a>, чтобы продолжить использование службы.",
"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.": "Ваше сообщение не было отправлено, потому что этот домашний сервер превысил лимит ресурсов. <a>обратитесь к администратору службы</a>, чтобы продолжить использование службы.", "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.": "Ваше сообщение не было отправлено, потому что этот домашний сервер превысил лимит ресурсов. <a>обратитесь к администратору службы</a>, чтобы продолжить использование службы.",
"Prompt before sending invites to potentially invalid matrix IDs": "Подтверждать отправку приглашений на потенциально недействительные matrix ID",
"All keys backed up": "Все ключи сохранены", "All keys backed up": "Все ключи сохранены",
"General": "Общие", "General": "Общие",
"Room avatar": "Аватар комнаты", "Room avatar": "Аватар комнаты",
@ -719,7 +703,6 @@
"No homeserver URL provided": "URL-адрес домашнего сервера не указан", "No homeserver URL provided": "URL-адрес домашнего сервера не указан",
"Unexpected error resolving homeserver configuration": "Неожиданная ошибка в настройках домашнего сервера", "Unexpected error resolving homeserver configuration": "Неожиданная ошибка в настройках домашнего сервера",
"The user's homeserver does not support the version of the room.": "Домашний сервер пользователя не поддерживает версию комнаты.", "The user's homeserver does not support the version of the room.": "Домашний сервер пользователя не поддерживает версию комнаты.",
"Show read receipts sent by other users": "Уведомления о прочтении другими пользователями",
"Show hidden events in timeline": "Показывать скрытые события в ленте сообщений", "Show hidden events in timeline": "Показывать скрытые события в ленте сообщений",
"When rooms are upgraded": "При обновлении комнат", "When rooms are upgraded": "При обновлении комнат",
"Bulk options": "Основные опции", "Bulk options": "Основные опции",
@ -917,7 +900,6 @@
"Create a public room": "Создать публичную комнату", "Create a public room": "Создать публичную комнату",
"Create a private room": "Создать приватную комнату", "Create a private room": "Создать приватную комнату",
"Topic (optional)": "Тема (опционально)", "Topic (optional)": "Тема (опционально)",
"Show previews/thumbnails for images": "Предпросмотр/миниатюры для изображений",
"Disconnect from the identity server <current /> and connect to <new /> instead?": "Отключиться от сервера идентификации <current /> и вместо этого подключиться к <new />?", "Disconnect from the identity server <current /> and connect to <new /> instead?": "Отключиться от сервера идентификации <current /> и вместо этого подключиться к <new />?",
"Disconnect identity server": "Отключить идентификационный сервер", "Disconnect identity server": "Отключить идентификационный сервер",
"You are still <b>sharing your personal data</b> on the identity server <idserver />.": "Вы все еще <b> делитесь своими личными данными </b> на сервере идентификации <idserver />.", "You are still <b>sharing your personal data</b> on the identity server <idserver />.": "Вы все еще <b> делитесь своими личными данными </b> на сервере идентификации <idserver />.",
@ -1035,7 +1017,6 @@
"Error subscribing to list": "Ошибка при подписке на список", "Error subscribing to list": "Ошибка при подписке на список",
"Error upgrading room": "Ошибка обновления комнаты", "Error upgrading room": "Ошибка обновления комнаты",
"Match system theme": "Тема системы", "Match system theme": "Тема системы",
"Show typing notifications": "Уведомлять о наборе текста",
"Enable desktop notifications for this session": "Показывать уведомления на рабочем столе для этого сеанса", "Enable desktop notifications for this session": "Показывать уведомления на рабочем столе для этого сеанса",
"Enable audible notifications for this session": "Звуковые уведомления для этого сеанса", "Enable audible notifications for this session": "Звуковые уведомления для этого сеанса",
"Manage integrations": "Управление интеграциями", "Manage integrations": "Управление интеграциями",
@ -1132,7 +1113,6 @@
"Not Trusted": "Недоверенное", "Not Trusted": "Недоверенное",
"%(name)s (%(userId)s) signed in to a new session without verifying it:": "%(name)s (%(userId)s) произвел(а) вход через новый сеанс без подтверждения:", "%(name)s (%(userId)s) signed in to a new session without verifying it:": "%(name)s (%(userId)s) произвел(а) вход через новый сеанс без подтверждения:",
"Ask this user to verify their session, or manually verify it below.": "Попросите этого пользователя подтвердить сеанс или подтвердите его вручную ниже.", "Ask this user to verify their session, or manually verify it below.": "Попросите этого пользователя подтвердить сеанс или подтвердите его вручную ниже.",
"Show shortcuts to recently viewed rooms above the room list": "Показывать ссылки на недавние комнаты над списком комнат",
"Manually verify all remote sessions": "Подтверждать вручную все сеансы на других устройствах", "Manually verify all remote sessions": "Подтверждать вручную все сеансы на других устройствах",
"Your homeserver does not support cross-signing.": "Ваш домашний сервер не поддерживает кросс-подписи.", "Your homeserver does not support cross-signing.": "Ваш домашний сервер не поддерживает кросс-подписи.",
"Cross-signing public keys:": "Публичные ключи для кросс-подписи:", "Cross-signing public keys:": "Публичные ключи для кросс-подписи:",
@ -1594,8 +1574,6 @@
"%(senderName)s ended the call": "%(senderName)s завершил(а) звонок", "%(senderName)s ended the call": "%(senderName)s завершил(а) звонок",
"You ended the call": "Вы закончили звонок", "You ended the call": "Вы закончили звонок",
"Send stickers into this room": "Отправить стикеры в эту комнату", "Send stickers into this room": "Отправить стикеры в эту комнату",
"Use Ctrl + Enter to send a message": "Используйте Ctrl + Enter, чтобы отправить сообщение",
"Use Command + Enter to send a message": "Cmd + Enter, чтобы отправить сообщение",
"Go to Home View": "Перейти на Главную", "Go to Home View": "Перейти на Главную",
"This is the start of <roomName/>.": "Это начало <roomName/>.", "This is the start of <roomName/>.": "Это начало <roomName/>.",
"Add a photo, so people can easily spot your room.": "Добавьте фото, чтобы люди могли легко заметить вашу комнату.", "Add a photo, so people can easily spot your room.": "Добавьте фото, чтобы люди могли легко заметить вашу комнату.",
@ -1987,7 +1965,6 @@
"Transfer": "Перевод", "Transfer": "Перевод",
"Failed to transfer call": "Не удалось перевести звонок", "Failed to transfer call": "Не удалось перевести звонок",
"A call can only be transferred to a single user.": "Вызов может быть передан только одному пользователю.", "A call can only be transferred to a single user.": "Вызов может быть передан только одному пользователю.",
"There was an error finding this widget.": "При обнаружении этого виджета произошла ошибка.",
"Active Widgets": "Активные виджеты", "Active Widgets": "Активные виджеты",
"Open dial pad": "Открыть панель набора номера", "Open dial pad": "Открыть панель набора номера",
"Dial pad": "Панель набора номера", "Dial pad": "Панель набора номера",
@ -2023,28 +2000,12 @@
"Set my room layout for everyone": "Установить мой макет комнаты для всех", "Set my room layout for everyone": "Установить мой макет комнаты для всех",
"Recently visited rooms": "Недавно посещённые комнаты", "Recently visited rooms": "Недавно посещённые комнаты",
"Back up your encryption keys with your account data in case you lose access to your sessions. Your keys will be secured with a unique Security Key.": "Сделайте резервную копию ключей шифрования с данными вашей учетной записи на случай, если вы потеряете доступ к своим сеансам. Ваши ключи будут защищены уникальным ключом безопасности.", "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.": "Сделайте резервную копию ключей шифрования с данными вашей учетной записи на случай, если вы потеряете доступ к своим сеансам. Ваши ключи будут защищены уникальным ключом безопасности.",
"Show line numbers in code blocks": "Показывать номера строк в блоках кода",
"Expand code blocks by default": "По умолчанию отображать блоки кода целиком",
"Show stickers button": "Показывать кнопку наклеек",
"Use app": "Использовать приложение", "Use app": "Использовать приложение",
"Use app for a better experience": "Используйте приложение для лучшего опыта", "Use app for a better experience": "Используйте приложение для лучшего опыта",
"Converts the DM to a room": "Преобразовать ЛС в комнату", "Converts the DM to a room": "Преобразовать ЛС в комнату",
"Converts the room to a DM": "Преобразовывает комнату в ЛС", "Converts the room to a DM": "Преобразовывает комнату в ЛС",
"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.": "Мы попросили браузер запомнить, какой домашний сервер вы используете для входа в систему, но, к сожалению, ваш браузер забыл об этом. Перейдите на страницу входа и попробуйте ещё раз.",
"We couldn't log you in": "Нам не удалось войти в систему", "We couldn't log you in": "Нам не удалось войти в систему",
"Value in this room:": "Значение в этой комнате:",
"Value:": "Значение:",
"Setting:": "Настройки:",
"Setting ID": "ID настроек",
"Save setting values": "Сохранить значения настроек",
"Settable at room": "Устанавливается для комнаты",
"Settable at global": "Устанавливается на глобальном уровне",
"Level": "Уровень",
"This UI does NOT check the types of the values. Use at your own risk.": "Этот пользовательский интерфейс НЕ проверяет типы значений. Используйте на свой страх и риск.",
"Value in this room": "Значение в этой комнате",
"Value": "Значение",
"Show chat effects (animations when receiving e.g. confetti)": "Эффекты (анимация при получении, например, конфетти)",
"Caution:": "Предупреждение:",
"Suggested": "Рекомендуется", "Suggested": "Рекомендуется",
"This room is suggested as a good one to join": "Эта комната рекомендуется, чтобы присоединиться", "This room is suggested as a good one to join": "Эта комната рекомендуется, чтобы присоединиться",
"%(count)s rooms": { "%(count)s rooms": {
@ -2071,7 +2032,6 @@
"Invite to %(roomName)s": "Пригласить в %(roomName)s", "Invite to %(roomName)s": "Пригласить в %(roomName)s",
"Unnamed Space": "Безымянное пространство", "Unnamed Space": "Безымянное пространство",
"Invite to %(spaceName)s": "Пригласить в %(spaceName)s", "Invite to %(spaceName)s": "Пригласить в %(spaceName)s",
"Setting definition:": "Установка определения:",
"Create a new room": "Создать новую комнату", "Create a new room": "Создать новую комнату",
"Spaces": "Пространства", "Spaces": "Пространства",
"Space selection": "Выбор пространства", "Space selection": "Выбор пространства",
@ -2099,16 +2059,11 @@
"Invite only, best for yourself or teams": "Только по приглашениям, лучший вариант для себя или команды", "Invite only, best for yourself or teams": "Только по приглашениям, лучший вариант для себя или команды",
"Open space for anyone, best for communities": "Открытое пространство для всех, лучший вариант для сообществ", "Open space for anyone, best for communities": "Открытое пространство для всех, лучший вариант для сообществ",
"Create a space": "Создать пространство", "Create a space": "Создать пространство",
"Jump to the bottom of the timeline when you send a message": "Перейти к нижней части временной шкалы, когда вы отправляете сообщение",
"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.": "Вы уже разговариваете с этим человеком.", "You're already in a call with this person.": "Вы уже разговариваете с этим человеком.",
"Already in call": "Уже в вызове", "Already in call": "Уже в вызове",
"Original event source": "Оригинальный исходный код", "Original event source": "Оригинальный исходный код",
"Decrypted event source": "Расшифрованный исходный код", "Decrypted event source": "Расшифрованный исходный код",
"Values at explicit levels in this room:": "Значения на явных уровнях:",
"Values at explicit levels:": "Значения на явных уровнях:",
"Values at explicit levels in this room": "Значения на явных уровнях в этой комнате",
"Values at explicit levels": "Значения на явных уровнях",
"Invite by username": "Пригласить по имени пользователя", "Invite by username": "Пригласить по имени пользователя",
"Make sure the right people have access. You can invite more later.": "Убедитесь, что правильные люди имеют доступ. Вы можете пригласить больше людей позже.", "Make sure the right people have access. You can invite more later.": "Убедитесь, что правильные люди имеют доступ. Вы можете пригласить больше людей позже.",
"Invite your teammates": "Пригласите своих товарищей по команде", "Invite your teammates": "Пригласите своих товарищей по команде",
@ -2348,7 +2303,6 @@
"Code blocks": "Блоки кода", "Code blocks": "Блоки кода",
"Displaying time": "Отображение времени", "Displaying time": "Отображение времени",
"Keyboard shortcuts": "Горячие клавиши", "Keyboard shortcuts": "Горячие клавиши",
"Warn before quitting": "Предупредить перед выходом",
"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 bubbles": "Пузыри сообщений", "Message bubbles": "Пузыри сообщений",
"There was an error loading your notification settings.": "Произошла ошибка при загрузке настроек уведомлений.", "There was an error loading your notification settings.": "Произошла ошибка при загрузке настроек уведомлений.",
@ -2393,11 +2347,7 @@
"Start 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": "Отправить данное сообщение с эффектом космоса",
"All rooms you're in will appear in Home.": "Все комнаты, в которых вы находитесь, будут отображаться на Главной.",
"Show all rooms in Home": "Показывать все комнаты на Главной",
"Surround selected text when typing special characters": "Обводить выделенный текст при вводе специальных символов", "Surround selected text when typing special characters": "Обводить выделенный текст при вводе специальных символов",
"Use Ctrl + F to search timeline": "Используйте Ctrl + F для поиска в ленте сообщений",
"Use Command + F to search timeline": "Используйте Command + F для поиска в ленте сообщений",
"Silence call": "Тихий вызов", "Silence call": "Тихий вызов",
"Sound on": "Звук включен", "Sound on": "Звук включен",
"Review to ensure your account is safe": "Проверьте, чтобы убедиться, что ваша учётная запись в безопасности", "Review to ensure your account is safe": "Проверьте, чтобы убедиться, что ваша учётная запись в безопасности",
@ -2451,8 +2401,6 @@
"Change space avatar": "Изменить аватар пространства", "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.": "Кросс-подпись готова, но ключи не резервируются.",
"Autoplay videos": "Автовоспроизведение видео",
"Autoplay GIFs": "Автовоспроизведение GIF",
"The above, but in <Room /> as well": "Вышеописанное, но также в <Room />", "The above, but in <Room /> as well": "Вышеописанное, но также в <Room />",
"The above, but in any room you are joined or invited to as well": "Вышеперечисленное, но также в любой комнате, в которую вы вошли или приглашены", "The above, but in any room you are joined or invited to as well": "Вышеперечисленное, но также в любой комнате, в которую вы вошли или приглашены",
"%(senderName)s unpinned a message from this room. See all pinned messages.": "%(senderName)s открепил(а) сообщение в этой комнате. Посмотрите все закреплённые сообщения.", "%(senderName)s unpinned a message from this room. See all pinned messages.": "%(senderName)s открепил(а) сообщение в этой комнате. Посмотрите все закреплённые сообщения.",
@ -2604,7 +2552,6 @@
"Forget": "Забыть", "Forget": "Забыть",
"Open in OpenStreetMap": "Открыть в OpenStreetMap", "Open in OpenStreetMap": "Открыть в OpenStreetMap",
"Verify other device": "Проверить другое устройство", "Verify other device": "Проверить другое устройство",
"Clear": "Очистить",
"Recent searches": "Недавние поиски", "Recent searches": "Недавние поиски",
"To search messages, look for this icon at the top of a room <icon/>": "Для поиска сообщений найдите этот значок <icon/> в верхней части комнаты", "To search messages, look for this icon at the top of a room <icon/>": "Для поиска сообщений найдите этот значок <icon/> в верхней части комнаты",
"Other searches": "Другие поиски", "Other searches": "Другие поиски",
@ -2626,7 +2573,6 @@
"Failed to end poll": "Не удалось завершить опрос", "Failed to end poll": "Не удалось завершить опрос",
"The poll has ended. Top answer: %(topAnswer)s": "Опрос завершен. Победил ответ: %(topAnswer)s", "The poll has ended. Top answer: %(topAnswer)s": "Опрос завершен. Победил ответ: %(topAnswer)s",
"The poll has ended. No votes were cast.": "Опрос завершен. Ни одного голоса не было.", "The poll has ended. No votes were cast.": "Опрос завершен. Ни одного голоса не было.",
"Edit setting": "Изменить настройки",
"You can't disable this later. Bridges & most bots won't work yet.": "Вы не сможете отключить это позже. Мосты и большинство ботов пока не будут работать.", "You can't disable this later. Bridges & most bots won't work yet.": "Вы не сможете отключить это позже. Мосты и большинство ботов пока не будут работать.",
"You can turn this off anytime in settings": "Вы можете отключить это в любое время в настройках", "You can turn this off anytime in settings": "Вы можете отключить это в любое время в настройках",
"We <Bold>don't</Bold> share information with third parties": "Мы <Bold>не</Bold> передаем информацию третьим лицам", "We <Bold>don't</Bold> share information with third parties": "Мы <Bold>не</Bold> передаем информацию третьим лицам",
@ -2780,7 +2726,6 @@
"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": "Автоматическая отправка журналов отладки при ошибках расшифровки",
"Automatically send debug logs on any error": "Автоматическая отправка журналов отладки при любой ошибке", "Automatically send debug logs on any error": "Автоматическая отправка журналов отладки при любой ошибке",
"Show join/leave messages (invites/removes/bans unaffected)": "Сообщения о присоединении/покидании (приглашения/удаления/блокировки не затрагиваются)",
"Use a more compact 'Modern' layout": "Использовать более компактный \"Современный\" макет", "Use a more compact 'Modern' layout": "Использовать более компактный \"Современный\" макет",
"Developer": "Разработка", "Developer": "Разработка",
"Experimental": "Экспериментально", "Experimental": "Экспериментально",
@ -2851,11 +2796,6 @@
"Join %(roomAddress)s": "Присоединиться к %(roomAddress)s", "Join %(roomAddress)s": "Присоединиться к %(roomAddress)s",
"Feedback sent! Thanks, we appreciate it!": "Отзыв отправлен! Спасибо, мы ценим это!", "Feedback sent! Thanks, we appreciate it!": "Отзыв отправлен! Спасибо, мы ценим это!",
"Export Cancelled": "Экспорт отменён", "Export Cancelled": "Экспорт отменён",
"<empty string>": "<пустая строка>",
"<%(count)s spaces>": {
"one": "<пространство>",
"other": "<%(count)s пространств>"
},
"Results are only revealed when you end the poll": "Результаты отображаются только после завершения опроса", "Results are only revealed when you end the poll": "Результаты отображаются только после завершения опроса",
"Voters see results as soon as they have voted": "Голосующие увидят результаты сразу после голосования", "Voters see results as soon as they have voted": "Голосующие увидят результаты сразу после голосования",
"Closed poll": "Закрытый опрос", "Closed poll": "Закрытый опрос",
@ -2913,7 +2853,6 @@
"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": "Автоматически отправлять журналы отладки, когда резервное копирование ключей не работает",
"Insert a trailing colon after user mentions at the start of a message": "Вставлять двоеточие после упоминания пользователя в начале сообщения",
"Show polls button": "Показывать кнопку опроса", "Show polls button": "Показывать кнопку опроса",
"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": "Переключается на виртуальную комнату, если ваша комната её имеет",
@ -2925,7 +2864,6 @@
"User is already in the room": "Пользователь уже в комнате", "User is already in the room": "Пользователь уже в комнате",
"User is already invited to the room": "Пользователь уже приглашён в комнату", "User is already invited to the room": "Пользователь уже приглашён в комнату",
"Failed to invite users to %(roomName)s": "Не удалось пригласить пользователей в %(roomName)s", "Failed to invite users to %(roomName)s": "Не удалось пригласить пользователей в %(roomName)s",
"Enable Markdown": "Использовать Markdown",
"The person who invited you has already left.": "Человек, который вас пригласил, уже ушёл.", "The person who invited you has already left.": "Человек, который вас пригласил, уже ушёл.",
"There was an error joining.": "Ошибка при вступлении.", "There was an error joining.": "Ошибка при вступлении.",
"The user's homeserver does not support the version of the space.": "Домашний сервер пользователя не поддерживает версию пространства.", "The user's homeserver does not support the version of the space.": "Домашний сервер пользователя не поддерживает версию пространства.",
@ -2958,7 +2896,6 @@
"Read receipts": "Отчёты о прочтении", "Read receipts": "Отчёты о прочтении",
"%(members)s and %(last)s": "%(members)s и %(last)s", "%(members)s and %(last)s": "%(members)s и %(last)s",
"%(members)s and more": "%(members)s и многие другие", "%(members)s and more": "%(members)s и многие другие",
"Enable hardware acceleration (restart %(appName)s to take effect)": "Включить аппаратное ускорение (перезапустите %(appName)s, чтобы изменение вступило в силу)",
"Busy": "Занят(а)", "Busy": "Занят(а)",
"View older version of %(spaceName)s.": "Посмотреть предыдущую версию %(spaceName)s.", "View older version of %(spaceName)s.": "Посмотреть предыдущую версию %(spaceName)s.",
"Deactivating your account is a permanent action — be careful!": "Деактивация вашей учётной записи является необратимым действием — будьте осторожны!", "Deactivating your account is a permanent action — be careful!": "Деактивация вашей учётной записи является необратимым действием — будьте осторожны!",
@ -3016,30 +2953,7 @@
"Cameras": "Камеры", "Cameras": "Камеры",
"Output devices": "Устройства вывода", "Output devices": "Устройства вывода",
"Input devices": "Устройства ввода", "Input devices": "Устройства ввода",
"Observe only": "Только наблюдать",
"Requester": "Адресат",
"Methods": "Методы",
"Timeout": "Тайм-аут",
"Phase": "Фаза",
"Transaction": "Транзакция",
"Cancelled": "Отменено",
"Started": "Начато",
"Ready": "Готово",
"Requested": "Запрошено",
"Unsent": "Не отправлено", "Unsent": "Не отправлено",
"Edit values": "Редактировать значения",
"Failed to save settings.": "Не удалось сохранить настройки.",
"Number of users": "Количество пользователей",
"Server": "Сервер",
"Server Versions": "Версия сервера",
"Client Versions": "Версия клиента",
"Failed to load.": "Не удалось загрузить.",
"Capabilities": "Возможности",
"Send custom state event": "Оправить пользовательское событие состояния",
"Failed to send event!": "Не удалось отправить событие!",
"Doesn't look like valid JSON.": "Не похоже на действующий JSON.",
"Send custom room account data event": "Отправить пользовательское событие данных учётной записи комнаты",
"Send custom account data event": "Отправить пользовательское событие данных учётной записи",
"Remove search filter for %(filter)s": "Удалить фильтр поиска для %(filter)s", "Remove search filter for %(filter)s": "Удалить фильтр поиска для %(filter)s",
"Start a group chat": "Начать групповой чат", "Start a group chat": "Начать групповой чат",
"Other options": "Другие опции", "Other options": "Другие опции",
@ -3134,7 +3048,6 @@
"Live location enabled": "Трансляция местоположения включена", "Live location enabled": "Трансляция местоположения включена",
"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.": "Если не можете найти нужную комнату, просто попросите пригласить вас или создайте новую комнату.",
"Send custom timeline event": "Отправить пользовательское событие ленты сообщений", "Send custom timeline event": "Отправить пользовательское событие ленты сообщений",
"No verification requests found": "Запросов проверки не найдено",
"Verification explorer": "Посмотреть проверки", "Verification explorer": "Посмотреть проверки",
"Coworkers and teams": "Коллеги и команды", "Coworkers and teams": "Коллеги и команды",
"Friends and family": "Друзья и семья", "Friends and family": "Друзья и семья",
@ -3201,7 +3114,6 @@
"Find and invite your friends": "Найдите и пригласите своих друзей", "Find and invite your friends": "Найдите и пригласите своих друзей",
"You made it!": "Вы сделали это!", "You made it!": "Вы сделали это!",
"Show shortcut to welcome checklist above the room list": "Показывать ярлык приветственного проверенного списка над списком комнат", "Show shortcut to welcome checklist above the room list": "Показывать ярлык приветственного проверенного списка над списком комнат",
"Send read receipts": "Уведомлять о прочтении",
"Reset bearing to north": "Сбросить пеленг на север", "Reset bearing to north": "Сбросить пеленг на север",
"Toggle attribution": "Переключить атрибуцию", "Toggle attribution": "Переключить атрибуцию",
"Developer command: Discards the current outbound group session and sets up new Olm sessions": "Команда разработчика: Отменить текущий сеанс исходящей группы и настроить новые сеансы Olm", "Developer command: Discards the current outbound group session and sets up new Olm sessions": "Команда разработчика: Отменить текущий сеанс исходящей группы и настроить новые сеансы Olm",
@ -3379,9 +3291,7 @@
"Checking for an update…": "Проверка наличия обновлений…", "Checking for an update…": "Проверка наличия обновлений…",
"Formatting": "Форматирование", "Formatting": "Форматирование",
"%(oldDisplayName)s changed their display name and profile picture": "%(oldDisplayName)s изменил(а) имя и аватар", "%(oldDisplayName)s changed their display name and profile picture": "%(oldDisplayName)s изменил(а) имя и аватар",
"Last event:": "Последнее событие:",
"WARNING: session already verified, but keys do NOT MATCH!": "ВНИМАНИЕ: сеанс уже заверен, но ключи НЕ СОВПАДАЮТ!", "WARNING: session already verified, but keys do NOT MATCH!": "ВНИМАНИЕ: сеанс уже заверен, но ключи НЕ СОВПАДАЮТ!",
"ID: ": "ID: ",
"Edit link": "Изменить ссылку", "Edit link": "Изменить ссылку",
"Signing In…": "Выполняется вход…", "Signing In…": "Выполняется вход…",
"%(sender)s reacted %(reaction)s to %(message)s": "%(sender)s отреагировал(а) %(reaction)s на %(message)s", "%(sender)s reacted %(reaction)s to %(message)s": "%(sender)s отреагировал(а) %(reaction)s на %(message)s",
@ -3393,7 +3303,6 @@
"Your language": "Ваш язык", "Your language": "Ваш язык",
"Message in %(room)s": "Сообщение в %(room)s", "Message in %(room)s": "Сообщение в %(room)s",
"Message from %(user)s": "Сообщение от %(user)s", "Message from %(user)s": "Сообщение от %(user)s",
"Thread Id: ": "Id обсуждения: ",
"Creating rooms…": "Создание комнат…", "Creating rooms…": "Создание комнат…",
"Sign out of all devices": "Выйти из всех сеансов", "Sign out of all devices": "Выйти из всех сеансов",
"Set a new account password…": "Установите новый пароль…", "Set a new account password…": "Установите новый пароль…",
@ -3476,7 +3385,9 @@
"android": "Android", "android": "Android",
"trusted": "Заверенный", "trusted": "Заверенный",
"not_trusted": "Незаверенный", "not_trusted": "Незаверенный",
"accessibility": "Доступность" "accessibility": "Доступность",
"capabilities": "Возможности",
"server": "Сервер"
}, },
"action": { "action": {
"continue": "Продолжить", "continue": "Продолжить",
@ -3573,7 +3484,8 @@
"maximise": "Развернуть", "maximise": "Развернуть",
"mention": "Упомянуть", "mention": "Упомянуть",
"submit": "Отправить", "submit": "Отправить",
"send_report": "Отослать отчёт" "send_report": "Отослать отчёт",
"clear": "Очистить"
}, },
"a11y": { "a11y": {
"user_menu": "Меню пользователя" "user_menu": "Меню пользователя"
@ -3689,5 +3601,97 @@
"you_did_it": "Вы сделали это!", "you_did_it": "Вы сделали это!",
"complete_these": "Выполните их, чтобы получить максимальную отдачу от %(brand)s", "complete_these": "Выполните их, чтобы получить максимальную отдачу от %(brand)s",
"community_messaging_description": "Сохраняйте право над владением и контроль над обсуждением в сообществе.\nМасштабируйте, чтобы поддерживать миллионы, с мощной модерацией и функциональной совместимостью." "community_messaging_description": "Сохраняйте право над владением и контроль над обсуждением в сообществе.\nМасштабируйте, чтобы поддерживать миллионы, с мощной модерацией и функциональной совместимостью."
},
"devtools": {
"send_custom_account_data_event": "Отправить пользовательское событие данных учётной записи",
"send_custom_room_account_data_event": "Отправить пользовательское событие данных учётной записи комнаты",
"event_type": "Тип события",
"state_key": "Ключ состояния",
"invalid_json": "Не похоже на действующий JSON.",
"failed_to_send": "Не удалось отправить событие!",
"event_sent": "Событие отправлено!",
"event_content": "Содержимое события",
"room_notifications_last_event": "Последнее событие:",
"room_notifications_thread_id": "Id обсуждения: ",
"spaces": {
"one": "<пространство>",
"other": "<%(count)s пространств>"
},
"empty_string": "<пустая строка>",
"id": "ID: ",
"send_custom_state_event": "Оправить пользовательское событие состояния",
"failed_to_load": "Не удалось загрузить.",
"client_versions": "Версия клиента",
"server_versions": "Версия сервера",
"number_of_users": "Количество пользователей",
"failed_to_save": "Не удалось сохранить настройки.",
"save_setting_values": "Сохранить значения настроек",
"setting_colon": "Настройки:",
"caution_colon": "Предупреждение:",
"use_at_own_risk": "Этот пользовательский интерфейс НЕ проверяет типы значений. Используйте на свой страх и риск.",
"setting_definition": "Установка определения:",
"level": "Уровень",
"settable_global": "Устанавливается на глобальном уровне",
"settable_room": "Устанавливается для комнаты",
"values_explicit": "Значения на явных уровнях",
"values_explicit_room": "Значения на явных уровнях в этой комнате",
"edit_values": "Редактировать значения",
"value_colon": "Значение:",
"value_this_room_colon": "Значение в этой комнате:",
"values_explicit_colon": "Значения на явных уровнях:",
"values_explicit_this_room_colon": "Значения на явных уровнях:",
"setting_id": "ID настроек",
"value": "Значение",
"value_in_this_room": "Значение в этой комнате",
"edit_setting": "Изменить настройки",
"phase_requested": "Запрошено",
"phase_ready": "Готово",
"phase_started": "Начато",
"phase_cancelled": "Отменено",
"phase_transaction": "Транзакция",
"phase": "Фаза",
"timeout": "Тайм-аут",
"methods": "Методы",
"requester": "Адресат",
"observe_only": "Только наблюдать",
"no_verification_requests_found": "Запросов проверки не найдено",
"failed_to_find_widget": "При обнаружении этого виджета произошла ошибка."
},
"settings": {
"show_breadcrumbs": "Показывать ссылки на недавние комнаты над списком комнат",
"all_rooms_home_description": "Все комнаты, в которых вы находитесь, будут отображаться на Главной.",
"use_command_f_search": "Используйте Command + F для поиска в ленте сообщений",
"use_control_f_search": "Используйте Ctrl + F для поиска в ленте сообщений",
"use_12_hour_format": "Отображать время в 12-часовом формате (напр. 2:30 ПП)",
"always_show_message_timestamps": "Всегда показывать время отправки сообщений",
"send_read_receipts": "Уведомлять о прочтении",
"send_typing_notifications": "Уведомлять о наборе текста",
"replace_plain_emoji": "Автоматически заменять текстовые смайлики на графические",
"enable_markdown": "Использовать Markdown",
"emoji_autocomplete": "Предлагать смайлики при наборе",
"use_command_enter_send_message": "Cmd + Enter, чтобы отправить сообщение",
"use_control_enter_send_message": "Используйте Ctrl + Enter, чтобы отправить сообщение",
"all_rooms_home": "Показывать все комнаты на Главной",
"show_stickers_button": "Показывать кнопку наклеек",
"insert_trailing_colon_mentions": "Вставлять двоеточие после упоминания пользователя в начале сообщения",
"automatic_language_detection_syntax_highlight": "Автоопределение языка подсветки синтаксиса",
"code_block_expand_default": "По умолчанию отображать блоки кода целиком",
"code_block_line_numbers": "Показывать номера строк в блоках кода",
"inline_url_previews_default": "Предпросмотр ссылок по умолчанию",
"autoplay_gifs": "Автовоспроизведение GIF",
"autoplay_videos": "Автовоспроизведение видео",
"image_thumbnails": "Предпросмотр/миниатюры для изображений",
"show_typing_notifications": "Уведомлять о наборе текста",
"show_redaction_placeholder": "Плашки вместо удалённых сообщений",
"show_read_receipts": "Уведомления о прочтении другими пользователями",
"show_join_leave": "Сообщения о присоединении/покидании (приглашения/удаления/блокировки не затрагиваются)",
"show_displayname_changes": "Изменения отображаемого имени",
"show_chat_effects": "Эффекты (анимация при получении, например, конфетти)",
"big_emoji": "Большие смайлики",
"jump_to_bottom_on_send": "Перейти к нижней части временной шкалы, когда вы отправляете сообщение",
"prompt_invite": "Подтверждать отправку приглашений на потенциально недействительные matrix ID",
"hardware_acceleration": "Включить аппаратное ускорение (перезапустите %(appName)s, чтобы изменение вступило в силу)",
"start_automatically": "Автозапуск при входе в систему",
"warn_quit": "Предупредить перед выходом"
} }
} }

View file

@ -307,10 +307,6 @@
"one": "Nahrávanie %(filename)s a %(count)s ďalší súbor" "one": "Nahrávanie %(filename)s a %(count)s ďalší súbor"
}, },
"Uploading %(filename)s": "Nahrávanie %(filename)s", "Uploading %(filename)s": "Nahrávanie %(filename)s",
"Always show message timestamps": "Vždy zobrazovať časovú značku správ",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "Pri zobrazovaní časových značiek používať 12 hodinový formát (napr. 2:30pm)",
"Enable automatic language detection for syntax highlighting": "Povoliť automatickú detekciu jazyka pre zvýraznenie syntaxe",
"Automatically replace plain text Emoji": "Automaticky nahrádzať textové emotikony modernými",
"Mirror local video feed": "Zrkadliť lokálne video", "Mirror local video feed": "Zrkadliť lokálne video",
"Failed to change password. Is your password correct?": "Nepodarilo sa zmeniť heslo. Zadali ste správne heslo?", "Failed to change password. Is your password correct?": "Nepodarilo sa zmeniť heslo. Zadali ste správne heslo?",
"Unable to remove contact information": "Nie je možné odstrániť kontaktné informácie", "Unable to remove contact information": "Nie je možné odstrániť kontaktné informácie",
@ -319,7 +315,6 @@
"Cryptography": "Kryptografia", "Cryptography": "Kryptografia",
"Check for update": "Skontrolovať dostupnosť aktualizácie", "Check for update": "Skontrolovať dostupnosť aktualizácie",
"Reject all %(invitedRooms)s invites": "Odmietnuť všetky %(invitedRooms)s pozvania", "Reject all %(invitedRooms)s invites": "Odmietnuť všetky %(invitedRooms)s pozvania",
"Start automatically after system login": "Spustiť automaticky po prihlásení do systému",
"No media permissions": "Nepovolený prístup k médiám", "No media permissions": "Nepovolený prístup k médiám",
"You may need to manually permit %(brand)s to access your microphone/webcam": "Mali by ste aplikácii %(brand)s ručne udeliť právo pristupovať k mikrofónu a kamere", "You may need to manually permit %(brand)s to access your microphone/webcam": "Mali by ste aplikácii %(brand)s ručne udeliť právo pristupovať k mikrofónu a kamere",
"No Microphones detected": "Neboli rozpoznané žiadne mikrofóny", "No Microphones detected": "Neboli rozpoznané žiadne mikrofóny",
@ -363,7 +358,6 @@
"File to import": "Importovať zo súboru", "File to import": "Importovať zo súboru",
"Please note you are logging into the %(hs)s server, not matrix.org.": "Všimnite si: Práve sa prihlasujete na server %(hs)s, nie na server matrix.org.", "Please note you are logging into the %(hs)s server, not matrix.org.": "Všimnite si: Práve sa prihlasujete na server %(hs)s, nie na server matrix.org.",
"Restricted": "Obmedzené", "Restricted": "Obmedzené",
"Enable inline URL previews by default": "Predvolene povoliť náhľady URL adries",
"Enable URL previews for this room (only affects you)": "Povoliť náhľady URL adries pre túto miestnosť (ovplyvňuje len vás)", "Enable URL previews for this room (only affects you)": "Povoliť náhľady URL adries pre túto miestnosť (ovplyvňuje len vás)",
"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.",
@ -412,14 +406,12 @@
"Collecting app version information": "Získavajú sa informácie o verzii aplikácii", "Collecting app version information": "Získavajú sa informácie o verzii aplikácii",
"Search…": "Hľadať…", "Search…": "Hľadať…",
"Tuesday": "Utorok", "Tuesday": "Utorok",
"Event sent!": "Udalosť odoslaná!",
"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",
"Toolbox": "Nástroje", "Toolbox": "Nástroje",
"Collecting logs": "Získavajú sa záznamy", "Collecting logs": "Získavajú sa záznamy",
"All Rooms": "Vo všetkých miestnostiach", "All Rooms": "Vo všetkých miestnostiach",
"State Key": "Stavový kľúč",
"Wednesday": "Streda", "Wednesday": "Streda",
"All messages": "Všetky správy", "All messages": "Všetky správy",
"Call invitation": "Pozvánka na telefonát", "Call invitation": "Pozvánka na telefonát",
@ -434,12 +426,10 @@
"Messages in group chats": "Správy v skupinových konverzáciách", "Messages in group chats": "Správy v skupinových konverzáciách",
"Yesterday": "Včera", "Yesterday": "Včera",
"Error encountered (%(errorDetail)s).": "Vyskytla sa chyba (%(errorDetail)s).", "Error encountered (%(errorDetail)s).": "Vyskytla sa chyba (%(errorDetail)s).",
"Event Type": "Typ Udalosti",
"Low Priority": "Nízka priorita", "Low Priority": "Nízka priorita",
"What's New": "Čo Je Nové", "What's New": "Čo Je Nové",
"Off": "Zakázané", "Off": "Zakázané",
"Developer Tools": "Vývojárske nástroje", "Developer Tools": "Vývojárske nástroje",
"Event Content": "Obsah Udalosti",
"Thank you!": "Ďakujeme!", "Thank you!": "Ďakujeme!",
"Popout widget": "Otvoriť widget v novom okne", "Popout widget": "Otvoriť widget v novom okne",
"Missing roomId.": "Chýba ID miestnosti.", "Missing roomId.": "Chýba ID miestnosti.",
@ -552,7 +542,6 @@
"Unable to restore backup": "Nie je možné obnoviť zo zálohy", "Unable to restore backup": "Nie je možné obnoviť zo zálohy",
"No backup found!": "Nebola nájdená žiadna záloha!", "No backup found!": "Nebola nájdená žiadna záloha!",
"Failed to decrypt %(failedCount)s sessions!": "Nepodarilo sa dešifrovať %(failedCount)s relácií!", "Failed to decrypt %(failedCount)s sessions!": "Nepodarilo sa dešifrovať %(failedCount)s relácií!",
"Prompt before sending invites to potentially invalid matrix IDs": "Upozorniť pred odoslaním pozvánok na potenciálne neplatné Matrix ID",
"Unable to find profiles for the Matrix IDs listed below - would you like to invite them anyway?": "Nie je možné nájsť používateľský profil pre Matrix ID zobrazené nižšie. Chcete ich napriek tomu pozvať?", "Unable to find profiles for the Matrix IDs listed below - would you like to invite them anyway?": "Nie je možné nájsť používateľský profil pre Matrix ID zobrazené nižšie. Chcete ich napriek tomu pozvať?",
"Invite anyway and never warn me again": "Napriek tomu pozvať a viac neupozorňovať", "Invite anyway and never warn me again": "Napriek tomu pozvať a viac neupozorňovať",
"Invite anyway": "Napriek tomu pozvať", "Invite anyway": "Napriek tomu pozvať",
@ -590,12 +579,6 @@
}, },
"%(names)s and %(lastPerson)s are typing …": "%(names)s a %(lastPerson)s píšu …", "%(names)s and %(lastPerson)s are typing …": "%(names)s a %(lastPerson)s píšu …",
"The user must be unbanned before they can be invited.": "Tomuto používateľovi musíte pred odoslaním pozvania povoliť vstup.", "The user must be unbanned before they can be invited.": "Tomuto používateľovi musíte pred odoslaním pozvania povoliť vstup.",
"Enable Emoji suggestions while typing": "Umožniť automatické návrhy emotikonov počas písania",
"Show a placeholder for removed messages": "Zobrazovať náhrady za odstránené správy",
"Show display name changes": "Zobrazovať zmeny zobrazovaného mena",
"Show read receipts sent by other users": "Zobrazovať potvrdenia o prečítaní od ostatných používateľov",
"Enable big emoji in chat": "Povoliť veľké emotikony v konverzáciách",
"Send typing notifications": "Posielať oznámenia, keď píšete",
"Messages containing my username": "Správy obsahujúce moje meno používateľa", "Messages containing my username": "Správy obsahujúce moje meno používateľa",
"The other party cancelled the verification.": "Proti strana zrušila overovanie.", "The other party cancelled the verification.": "Proti strana zrušila overovanie.",
"Verified!": "Overený!", "Verified!": "Overený!",
@ -823,7 +806,6 @@
"%(senderName)s updated a ban rule that was matching %(oldGlob)s to matching %(newGlob)s for %(reason)s": "%(senderName)s aktualizoval pravidlo zakázať vstúpiť pôvodne sa zhodujúce s %(oldGlob)s na %(newGlob)s, dôvod: %(reason)s", "%(senderName)s updated a ban rule that was matching %(oldGlob)s to matching %(newGlob)s for %(reason)s": "%(senderName)s aktualizoval pravidlo zakázať vstúpiť pôvodne sa zhodujúce s %(oldGlob)s na %(newGlob)s, dôvod: %(reason)s",
"%(name)s (%(userId)s)": "%(name)s (%(userId)s)", "%(name)s (%(userId)s)": "%(name)s (%(userId)s)",
"Match system theme": "Prispôsobiť sa vzhľadu systému", "Match system theme": "Prispôsobiť sa vzhľadu systému",
"Show previews/thumbnails for images": "Zobrazovať ukážky/náhľady obrázkov",
"My Ban List": "Môj zoznam zákazov", "My Ban List": "Môj zoznam zákazov",
"This is your list of users/servers you have blocked - don't leave the room!": "Toto je zoznam používateľov / serverov, ktorých ste zablokovali - neopúšťajte miestnosť!", "This is your list of users/servers you have blocked - don't leave the room!": "Toto je zoznam používateľov / serverov, ktorých ste zablokovali - neopúšťajte miestnosť!",
"Cross-signing public keys:": "Verejné kľúče krížového podpisovania:", "Cross-signing public keys:": "Verejné kľúče krížového podpisovania:",
@ -934,10 +916,8 @@
"Failed to re-authenticate due to a homeserver problem": "Opätovná autentifikácia zlyhala kvôli problému domovského servera", "Failed to re-authenticate due to a homeserver problem": "Opätovná autentifikácia zlyhala kvôli problému domovského servera",
"Failed to re-authenticate": "Nepodarilo sa opätovne overiť", "Failed to re-authenticate": "Nepodarilo sa opätovne overiť",
"Font size": "Veľkosť písma", "Font size": "Veľkosť písma",
"Show typing notifications": "Zobrazovať oznámenia, keď ostatní používatelia píšu",
"Never send encrypted messages to unverified sessions from this session": "Nikdy neposielať šifrované správy neovereným reláciám z tejto relácie", "Never send encrypted messages to unverified sessions from this session": "Nikdy neposielať šifrované správy neovereným reláciám z tejto relácie",
"Never send encrypted messages to unverified sessions in this room from this session": "Nikdy neposielať šifrované správy neovereným reláciám v tejto miestnosti z tejto relácie", "Never send encrypted messages to unverified sessions in this room from this session": "Nikdy neposielať šifrované správy neovereným reláciám v tejto miestnosti z tejto relácie",
"Show shortcuts to recently viewed rooms above the room list": "Zobraziť skratky nedávno zobrazených miestnosti nad zoznamom miestností",
"Enable message search in encrypted rooms": "Povoliť vyhľadávanie správ v šifrovaných miestnostiach", "Enable message search in encrypted rooms": "Povoliť vyhľadávanie správ v šifrovaných miestnostiach",
"How fast should messages be downloaded.": "Ako rýchlo sa majú správy sťahovať.", "How fast should messages be downloaded.": "Ako rýchlo sa majú správy sťahovať.",
"Manually verify all remote sessions": "Manuálne overiť všetky relácie", "Manually verify all remote sessions": "Manuálne overiť všetky relácie",
@ -1426,7 +1406,6 @@
"Messages containing keywords": "Správy obsahujúce kľúčové slová", "Messages containing keywords": "Správy obsahujúce kľúčové slová",
"@mentions & keywords": "@zmienky a kľúčové slová", "@mentions & keywords": "@zmienky a kľúčové slová",
"Mentions & keywords": "Zmienky a kľúčové slová", "Mentions & keywords": "Zmienky a kľúčové slová",
"Settable at global": "Nastaviteľné v celosystémovom",
"Global": "Celosystémové", "Global": "Celosystémové",
"Access": "Prístup", "Access": "Prístup",
"You do not have permissions to invite people to this space": "Nemáte povolenie pozývať ľudí do tohto priestoru", "You do not have permissions to invite people to this space": "Nemáte povolenie pozývať ľudí do tohto priestoru",
@ -1466,7 +1445,6 @@
"Messages in this room are not end-to-end encrypted.": "Správy v tejto miestnosti nie sú šifrované od vás až k príjemcovi.", "Messages in this room are not end-to-end encrypted.": "Správy v tejto miestnosti nie sú šifrované od vás až k príjemcovi.",
"Messages in this room are end-to-end encrypted.": "Správy v tejto miestnosti sú šifrované od vás až k príjemcovi.", "Messages in this room are end-to-end encrypted.": "Správy v tejto miestnosti sú šifrované od vás až k príjemcovi.",
"Show all your rooms in Home, even if they're in a space.": "Zobrazte všetky miestnosti v časti Domov, aj keď sú v priestore.", "Show all your rooms in Home, even if they're in a space.": "Zobrazte všetky miestnosti v časti Domov, aj keď sú v priestore.",
"Show all rooms in Home": "Zobraziť všetky miestnosti v časti Domov",
"Sign out and remove encryption keys?": "Odhlásiť sa a odstrániť šifrovacie kľúče?", "Sign out and remove encryption keys?": "Odhlásiť sa a odstrániť šifrovacie kľúče?",
"Sign out devices": { "Sign out devices": {
"one": "Odhlásiť zariadenie", "one": "Odhlásiť zariadenie",
@ -1514,12 +1492,8 @@
"Cross-signing is ready for use.": "Krížové podpisovanie je pripravené na použitie.", "Cross-signing is ready for use.": "Krížové podpisovanie je pripravené na použitie.",
"Back up your encryption keys with your account data in case you lose access to your sessions. Your keys will be secured with a unique Security Key.": "Zálohujte si šifrovacie kľúče s údajmi o účte pre prípad, že stratíte prístup k reláciám. Vaše kľúče budú zabezpečené jedinečným bezpečnostným kľúčom.", "Back up your encryption keys with your account data in case you lose access to your sessions. Your keys will be secured with a unique Security Key.": "Zálohujte si šifrovacie kľúče s údajmi o účte pre prípad, že stratíte prístup k reláciám. Vaše kľúče budú zabezpečené jedinečným bezpečnostným kľúčom.",
"The authenticity of this encrypted message can't be guaranteed on this device.": "Vierohodnosť tejto zašifrovanej správy nie je možné na tomto zariadení zaručiť.", "The authenticity of this encrypted message can't be guaranteed on this device.": "Vierohodnosť tejto zašifrovanej správy nie je možné na tomto zariadení zaručiť.",
"Autoplay videos": "Automaticky prehrať videá",
"Autoplay GIFs": "Automaticky prehrať GIF animácie",
"Surround selected text when typing special characters": "Obklopiť vybraný text pri písaní špeciálnych znakov", "Surround selected text when typing special characters": "Obklopiť vybraný text pri písaní špeciálnych znakov",
"Use Ctrl + Enter to send a message": "Použiť Ctrl + Enter na odoslanie správy",
"Displaying time": "Zobrazovanie času", "Displaying time": "Zobrazovanie času",
"All rooms you're in will appear in Home.": "Všetky miestnosti, v ktorých sa nachádzate, sa zobrazia na domovskej obrazovke.",
"Large": "Veľký", "Large": "Veľký",
"You're all caught up": "Všetko ste už stihli", "You're all caught up": "Všetko ste už stihli",
"You're all caught up.": "Všetko ste už stihli.", "You're all caught up.": "Všetko ste už stihli.",
@ -1593,9 +1567,6 @@
"Sending": "Odosielanie", "Sending": "Odosielanie",
"Avatar": "Obrázok", "Avatar": "Obrázok",
"Suggested": "Navrhované", "Suggested": "Navrhované",
"Value:": "Hodnota:",
"Level": "Úroveň",
"Setting:": "Nastavenie:",
"Comment": "Komentár", "Comment": "Komentár",
"Away": "Preč", "Away": "Preč",
"A-Z": "A-Z", "A-Z": "A-Z",
@ -1770,15 +1741,8 @@
"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", "Secure Backup": "Bezpečné zálohovanie",
"Set up Secure Backup": "Nastaviť bezpečné zálohovanie", "Set up Secure Backup": "Nastaviť bezpečné zálohovanie",
"Warn before quitting": "Upozorniť pred ukončením",
"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",
"Jump to the bottom of the timeline when you send a message": "Skok na koniec časovej osi pri odosielaní správy",
"Show chat effects (animations when receiving e.g. confetti)": "Zobraziť efekty konverzácie (animácie pri prijímaní napr. konfety)",
"Code blocks": "Bloky kódu", "Code blocks": "Bloky kódu",
"Show line numbers in code blocks": "Zobrazenie čísel riadkov v blokoch kódu",
"Expand code blocks by default": "Rozšíriť bloky kódu predvolene",
"Show stickers button": "Zobraziť tlačidlo nálepiek",
"Use Ctrl + F to search timeline": "Na vyhľadávanie na časovej osi použite klávesovú skratku Ctrl + F",
"To view all keyboard shortcuts, <a>click here</a>.": "Ak chcete zobraziť všetky klávesové skratky, <a>kliknite sem</a>.", "To view all keyboard shortcuts, <a>click here</a>.": "Ak chcete zobraziť všetky klávesové skratky, <a>kliknite sem</a>.",
"Keyboard shortcuts": "Klávesové skratky", "Keyboard shortcuts": "Klávesové skratky",
"View all %(count)s members": { "View all %(count)s members": {
@ -1914,7 +1878,6 @@
"From the beginning": "Od začiatku", "From the beginning": "Od začiatku",
"See room timeline (devtools)": "Pozrite si časovú os miestnosti (devtools)", "See room timeline (devtools)": "Pozrite si časovú os miestnosti (devtools)",
"Try scrolling up in the timeline to see if there are any earlier ones.": "Skúste sa posunúť nahor na časovej osi a pozrite sa, či tam nie sú nejaké skoršie.", "Try scrolling up in the timeline to see if there are any earlier ones.": "Skúste sa posunúť nahor na časovej osi a pozrite sa, či tam nie sú nejaké skoršie.",
"Use Command + F to search timeline": "Na vyhľadávanie na časovej osi použite klávesovú skratku Command + F",
"Current Timeline": "Aktuálna časová os", "Current Timeline": "Aktuálna časová os",
"Upgrade required": "Vyžaduje sa aktualizácia", "Upgrade required": "Vyžaduje sa aktualizácia",
"Automatically invite members from this room to the new one": "Automaticky pozvať členov z tejto miestnosti do novej", "Automatically invite members from this room to the new one": "Automaticky pozvať členov z tejto miestnosti do novej",
@ -1927,7 +1890,6 @@
"Change the topic of this room": "Zmeniť tému tejto miestnosti", "Change the topic of this room": "Zmeniť tému tejto miestnosti",
"%(name)s cancelled": "%(name)s zrušil/a", "%(name)s cancelled": "%(name)s zrušil/a",
"The poll has ended. No votes were cast.": "Anketa sa skončila. Nebol odovzdaný žiadny hlas.", "The poll has ended. No votes were cast.": "Anketa sa skončila. Nebol odovzdaný žiadny hlas.",
"Value": "Hodnota",
"There was a problem communicating with the server. Please try again.": "Nastal problém pri komunikácii so serverom. Skúste to prosím znova.", "There was a problem communicating with the server. Please try again.": "Nastal problém pri komunikácii so serverom. Skúste to prosím znova.",
"Are you sure you want to deactivate your account? This is irreversible.": "Ste si istí, že chcete deaktivovať svoje konto? Je to nezvratné.", "Are you sure you want to deactivate your account? This is irreversible.": "Ste si istí, že chcete deaktivovať svoje konto? Je to nezvratné.",
"Anyone in <SpaceName/> will be able to find and join.": "Ktokoľvek v <SpaceName/> bude môcť nájsť a pripojiť sa.", "Anyone in <SpaceName/> will be able to find and join.": "Ktokoľvek v <SpaceName/> bude môcť nájsť a pripojiť sa.",
@ -2074,7 +2036,6 @@
"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é",
"Start audio stream": "Spustiť zvukový prenos", "Start audio stream": "Spustiť zvukový prenos",
"Save setting values": "Uložiť hodnoty nastavenia",
"Recently visited rooms": "Nedávno navštívené miestnosti", "Recently visited rooms": "Nedávno navštívené miestnosti",
"Enter Security Key": "Zadajte bezpečnostný kľúč", "Enter Security Key": "Zadajte bezpečnostný kľúč",
"Enter Security Phrase": "Zadať bezpečnostnú frázu", "Enter Security Phrase": "Zadať bezpečnostnú frázu",
@ -2089,7 +2050,6 @@
"Take a picture": "Urobiť fotografiu", "Take a picture": "Urobiť fotografiu",
"Error leaving room": "Chyba pri odchode z miestnosti", "Error leaving room": "Chyba pri odchode z miestnosti",
"Wrong file type": "Nesprávny typ súboru", "Wrong file type": "Nesprávny typ súboru",
"Edit setting": "Upraviť nastavenie",
"Welcome %(name)s": "Vitajte %(name)s", "Welcome %(name)s": "Vitajte %(name)s",
"Device verified": "Zariadenie overené", "Device verified": "Zariadenie overené",
"Room members": "Členovia miestnosti", "Room members": "Členovia miestnosti",
@ -2137,11 +2097,9 @@
"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",
"Clear": "Vyčistiť",
"Forget": "Zabudnúť", "Forget": "Zabudnúť",
"Dialpad": "Číselník", "Dialpad": "Číselník",
"Disagree": "Nesúhlasím", "Disagree": "Nesúhlasím",
"Caution:": "Upozornenie:",
"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ť?",
"No microphone found": "Nenašiel sa žiadny mikrofón", "No microphone found": "Nenašiel sa žiadny mikrofón",
@ -2312,7 +2270,6 @@
"Enter your Security Phrase or <button>use your Security Key</button> to continue.": "Zadajte svoju bezpečnostnú frázu alebo <button>použite svoj bezpečnostný kľúč</button> pre pokračovanie.", "Enter your Security Phrase or <button>use your Security Key</button> to continue.": "Zadajte svoju bezpečnostnú frázu alebo <button>použite svoj bezpečnostný kľúč</button> pre pokračovanie.",
"Enter a number between %(min)s and %(max)s": "Zadajte číslo medzi %(min)s a %(max)s", "Enter a number between %(min)s and %(max)s": "Zadajte číslo medzi %(min)s a %(max)s",
"Please enter a name for the room": "Zadajte prosím názov miestnosti", "Please enter a name for the room": "Zadajte prosím názov miestnosti",
"Use Command + Enter to send a message": "Použite Command + Enter na odoslanie správy",
"You can turn this off anytime in settings": "Túto funkciu môžete kedykoľvek vypnúť v nastaveniach", "You can turn this off anytime in settings": "Túto funkciu môžete kedykoľvek vypnúť v nastaveniach",
"Help improve %(analyticsOwner)s": "Pomôžte zlepšiť %(analyticsOwner)s", "Help improve %(analyticsOwner)s": "Pomôžte zlepšiť %(analyticsOwner)s",
"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.",
@ -2605,7 +2562,6 @@
"Cross-signing is ready but keys are not backed up.": "Krížové podpisovanie je pripravené, ale kľúče nie sú zálohované.", "Cross-signing is ready but keys are not backed up.": "Krížové podpisovanie je pripravené, ale kľúče nie sú zálohované.",
"No active call in this room": "V tejto miestnosti nie je aktívny žiadny hovor", "No active call in this room": "V tejto miestnosti nie je aktívny žiadny hovor",
"Remove, ban, or invite people to your active room, and make you leave": "Odstráňte, zakážte alebo pozvite ľudí do svojej aktívnej miestnosti and make you leave", "Remove, ban, or invite people to your active room, and make you leave": "Odstráňte, zakážte alebo pozvite ľudí do svojej aktívnej miestnosti and make you leave",
"Show join/leave messages (invites/removes/bans unaffected)": "Zobraziť správy o pripojení/odchode (pozvania/odstránenia/zákazy nie sú ovplyvnené)",
"If you cancel now, you may lose encrypted messages & data if you lose access to your logins.": "Ak to teraz zrušíte, môžete prísť o zašifrované správy a údaje, ak stratíte prístup k svojim prihlasovacím údajom.", "If you cancel now, you may lose encrypted messages & data if you lose access to your logins.": "Ak to teraz zrušíte, môžete prísť o zašifrované správy a údaje, ak stratíte prístup k svojim prihlasovacím údajom.",
"What this user is writing is wrong.\nThis will be reported to the room moderators.": "To, čo tento používateľ napísal, je nesprávne.\nBude to nahlásené moderátorom miestnosti.", "What this user is writing is wrong.\nThis will be reported to the room moderators.": "To, čo tento používateľ napísal, je nesprávne.\nBude to nahlásené moderátorom miestnosti.",
"Please fill why you're reporting.": "Vyplňte prosím, prečo podávate hlásenie.", "Please fill why you're reporting.": "Vyplňte prosím, prečo podávate hlásenie.",
@ -2657,11 +2613,6 @@
"%(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ý", "%(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.",
"Settable at room": "Nastaviteľné v miestnosti",
"Setting definition:": "Definícia nastavenia:",
"This UI does NOT check the types of the values. Use at your own risk.": "Toto používateľské rozhranie nekontroluje typy hodnôt. Používajte ho na vlastné riziko.",
"Setting ID": "ID nastavenia",
"There was an error finding this widget.": "Pri hľadaní tohto widgetu došlo k chybe.",
"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",
"Your %(brand)s doesn't allow you to use an integration manager to do this. Please contact an admin.": "Vaša aplikácia %(brand)s vám na to neumožňuje použiť správcu integrácie. Obráťte sa na administrátora.", "Your %(brand)s doesn't allow you to use an integration manager to do this. Please contact an admin.": "Vaša aplikácia %(brand)s vám na to neumožňuje použiť správcu integrácie. Obráťte sa na administrátora.",
@ -2697,8 +2648,6 @@
"sends fireworks": "pošle ohňostroj", "sends fireworks": "pošle ohňostroj",
"Sends the given message with snowfall": "Odošle danú správu so snežením", "Sends the given message with snowfall": "Odošle danú správu so snežením",
"sends snowfall": "pošle sneženie", "sends snowfall": "pošle sneženie",
"Value in this room": "Hodnota v tejto miestnosti",
"Value in this room:": "Hodnota v tejto miestnosti:",
"Your server does not support showing space hierarchies.": "Váš server nepodporuje zobrazovanie hierarchií priestoru.", "Your server does not support showing space hierarchies.": "Váš server nepodporuje zobrazovanie hierarchií priestoru.",
"Failed to remove some rooms. Try again later": "Nepodarilo sa odstrániť niektoré miestnosti. Skúste to neskôr", "Failed to remove some rooms. Try again later": "Nepodarilo sa odstrániť niektoré miestnosti. Skúste to neskôr",
"Mark as not suggested": "Označiť ako neodporúčaný", "Mark as not suggested": "Označiť ako neodporúčaný",
@ -2735,11 +2684,6 @@
"Move left": "Presun doľava", "Move left": "Presun doľava",
"The export was cancelled successfully": "Export bol úspešne zrušený", "The export was cancelled successfully": "Export bol úspešne zrušený",
"Size can only be a number between %(min)s MB and %(max)s MB": "Veľkosť môže byť len medzi %(min)s MB a %(max)s MB", "Size can only be a number between %(min)s MB and %(max)s MB": "Veľkosť môže byť len medzi %(min)s MB a %(max)s MB",
"<empty string>": "<prázdny reťazec>",
"<%(count)s spaces>": {
"one": "<priestor>",
"other": "<%(count)s priestorov>"
},
"Fetched %(count)s events in %(seconds)ss": { "Fetched %(count)s events in %(seconds)ss": {
"one": "Načítaná %(count)s udalosť za %(seconds)ss", "one": "Načítaná %(count)s udalosť za %(seconds)ss",
"other": "Načítaných %(count)s udalostí za %(seconds)ss" "other": "Načítaných %(count)s udalostí za %(seconds)ss"
@ -2863,7 +2807,6 @@
"What location type do you want to share?": "Aký typ polohy chcete zdieľať?", "What location type do you want to share?": "Aký typ polohy chcete zdieľať?",
"We couldn't send your location": "Nepodarilo sa nám odoslať vašu polohu", "We couldn't send your location": "Nepodarilo sa nám odoslať vašu polohu",
"%(brand)s could not send your location. Please try again later.": "%(brand)s nemohol odoslať vašu polohu. Skúste to prosím neskôr.", "%(brand)s could not send your location. Please try again later.": "%(brand)s nemohol odoslať vašu polohu. Skúste to prosím neskôr.",
"Insert a trailing colon after user mentions at the start of a message": "Vložiť na koniec dvojbodku za zmienkou používateľa na začiatku správy",
"Reply to an ongoing thread or use “%(replyInThread)s” when hovering over a message to start a new one.": "Odpovedzte na prebiehajúce vlákno alebo použite \"%(replyInThread)s\", keď prejdete nad správu a začnete novú.", "Reply to an ongoing thread or use “%(replyInThread)s” when hovering over a message to start a new one.": "Odpovedzte na prebiehajúce vlákno alebo použite \"%(replyInThread)s\", keď prejdete nad správu a začnete novú.",
"Show polls button": "Zobraziť tlačidlo ankiet", "Show polls button": "Zobraziť tlačidlo ankiet",
"%(severalUsers)schanged the <a>pinned messages</a> for the room %(count)s times": { "%(severalUsers)schanged the <a>pinned messages</a> for the room %(count)s times": {
@ -2904,10 +2847,6 @@
"Joined": "Ste pripojený", "Joined": "Ste pripojený",
"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ť",
"Values at explicit levels in this room:": "Hodnoty na explicitných úrovniach v tejto miestnosti:",
"Values at explicit levels:": "Hodnoty na explicitných úrovniach:",
"Values at explicit levels in this room": "Hodnoty na explicitných úrovniach v tejto miestnosti",
"Values at explicit levels": "Hodnoty na explicitných úrovniach",
"Disinvite from %(roomName)s": "Zrušenie pozvania z %(roomName)s", "Disinvite from %(roomName)s": "Zrušenie pozvania z %(roomName)s",
"You are presenting": "Prezentujete", "You are presenting": "Prezentujete",
"Consulting with %(transferTarget)s. <a>Transfer to %(transferee)s</a>": "Konzultovanie s %(transferTarget)s. <a>Presmerovanie na %(transferee)s</a>", "Consulting with %(transferTarget)s. <a>Transfer to %(transferee)s</a>": "Konzultovanie s %(transferTarget)s. <a>Presmerovanie na %(transferee)s</a>",
@ -2938,31 +2877,7 @@
"Next recently visited room or space": "Ďalšia nedávno navštívená miestnosť alebo priestor", "Next recently visited room or space": "Ďalšia nedávno navštívená miestnosť alebo priestor",
"Previous recently visited room or space": "Predchádzajúca nedávno navštívená miestnosť alebo priestor", "Previous recently visited room or space": "Predchádzajúca nedávno navštívená miestnosť alebo priestor",
"Event ID: %(eventId)s": "ID udalosti: %(eventId)s", "Event ID: %(eventId)s": "ID udalosti: %(eventId)s",
"No verification requests found": "Nenašli sa žiadne žiadosti o overenie",
"Observe only": "Iba pozorovať",
"Requester": "Žiadateľ",
"Methods": "Metódy",
"Timeout": "Časový limit",
"Phase": "Fáza",
"Transaction": "Transakcia",
"Cancelled": "Zrušené",
"Started": "Spustené",
"Ready": "Pripravené",
"Requested": "Vyžiadané",
"Unsent": "Neodoslané", "Unsent": "Neodoslané",
"Edit values": "Upraviť hodnoty",
"Failed to save settings.": "Nepodarilo sa uložiť nastavenia.",
"Number of users": "Počet používateľov",
"Server": "Server",
"Server Versions": "Verzie servera",
"Client Versions": "Verzie klienta",
"Failed to load.": "Nepodarilo sa načítať.",
"Capabilities": "Schopnosti",
"Send custom state event": "Odoslať vlastnú udalosť stavu",
"Failed to send event!": "Nepodarilo sa odoslať udalosť!",
"Doesn't look like valid JSON.": "Nevyzerá to ako platný JSON.",
"Send custom room account data event": "Odoslať vlastnú udalosť s údajmi o účte miestnosti",
"Send custom account data event": "Odoslať vlastnú udalosť s údajmi o účte",
"Room ID: %(roomId)s": "ID miestnosti: %(roomId)s", "Room ID: %(roomId)s": "ID miestnosti: %(roomId)s",
"Server info": "Informácie o serveri", "Server info": "Informácie o serveri",
"Settings explorer": "Prieskumník nastavení", "Settings explorer": "Prieskumník nastavení",
@ -3041,7 +2956,6 @@
"Disinvite from space": "Zrušiť pozvánku z priestoru", "Disinvite from space": "Zrušiť pozvánku z priestoru",
"<b>Tip:</b> Use “%(replyInThread)s” when hovering over a message.": "<b>Tip:</b> Použite položku “%(replyInThread)s”, keď prejdete ponad správu.", "<b>Tip:</b> Use “%(replyInThread)s” when hovering over a message.": "<b>Tip:</b> Použite položku “%(replyInThread)s”, keď prejdete ponad správu.",
"No live locations": "Žiadne polohy v reálnom čase", "No live locations": "Žiadne polohy v reálnom čase",
"Enable Markdown": "Povoliť funkciu Markdown",
"Close sidebar": "Zatvoriť bočný panel", "Close sidebar": "Zatvoriť bočný panel",
"View List": "Zobraziť zoznam", "View List": "Zobraziť zoznam",
"View list": "Zobraziť zoznam", "View list": "Zobraziť zoznam",
@ -3104,7 +3018,6 @@
"Ignore user": "Ignorovať používateľa", "Ignore user": "Ignorovať používateľa",
"View related event": "Zobraziť súvisiacu udalosť", "View related event": "Zobraziť súvisiacu udalosť",
"Read receipts": "Potvrdenia o prečítaní", "Read receipts": "Potvrdenia o prečítaní",
"Enable hardware acceleration (restart %(appName)s to take effect)": "Povoliť hardvérovú akceleráciu (reštartujte %(appName)s, aby sa to prejavilo)",
"Failed to set direct message tag": "Nepodarilo sa nastaviť značku priamej správy", "Failed to set direct message tag": "Nepodarilo sa nastaviť značku priamej správy",
"You were disconnected from the call. (Error: %(message)s)": "Boli ste odpojení od hovoru. (Chyba: %(message)s)", "You were disconnected from the call. (Error: %(message)s)": "Boli ste odpojení od hovoru. (Chyba: %(message)s)",
"Connection lost": "Strata spojenia", "Connection lost": "Strata spojenia",
@ -3192,7 +3105,6 @@
"Download %(brand)s": "Stiahnuť %(brand)s", "Download %(brand)s": "Stiahnuť %(brand)s",
"Your server doesn't support disabling sending read receipts.": "Váš server nepodporuje vypnutie odosielania potvrdení o prečítaní.", "Your server doesn't support disabling sending read receipts.": "Váš server nepodporuje vypnutie odosielania potvrdení o prečítaní.",
"Share your activity and status with others.": "Zdieľajte svoju aktivitu a stav s ostatnými.", "Share your activity and status with others.": "Zdieľajte svoju aktivitu a stav s ostatnými.",
"Send read receipts": "Odosielať potvrdenia o prečítaní",
"Last activity": "Posledná aktivita", "Last activity": "Posledná aktivita",
"Sessions": "Relácie", "Sessions": "Relácie",
"Current session": "Aktuálna relácia", "Current session": "Aktuálna relácia",
@ -3444,19 +3356,6 @@
"All messages and invites from this user will be hidden. Are you sure you want to ignore them?": "Všetky správy a pozvánky od tohto používateľa budú skryté. Ste si istí, že ich chcete ignorovať?", "All messages and invites from this user will be hidden. Are you sure you want to ignore them?": "Všetky správy a pozvánky od tohto používateľa budú skryté. Ste si istí, že ich chcete ignorovať?",
"Ignore %(user)s": "Ignorovať %(user)s", "Ignore %(user)s": "Ignorovať %(user)s",
"Unable to decrypt voice broadcast": "Hlasové vysielanie sa nedá dešifrovať", "Unable to decrypt voice broadcast": "Hlasové vysielanie sa nedá dešifrovať",
"No receipt found": "Nenašlo sa žiadne potvrdenie",
"User read up to: ": "Používateľ sa dočítal až do: ",
"Dot: ": "Bodka: ",
"Thread Id: ": "ID vlákna: ",
"Threads timeline": "Časová os vlákien",
"Sender: ": "Odosielateľ: ",
"ID: ": "ID: ",
"Type: ": "Typ: ",
"Last event:": "Posledná udalosť:",
"Highlight: ": "Zvýraznené: ",
"Total: ": "Celkom: ",
"Main timeline": "Hlavná časová os",
"Room status": "Stav miestnosti",
"Notifications debug": "Ladenie oznámení", "Notifications debug": "Ladenie oznámení",
"unknown": "neznáme", "unknown": "neznáme",
"Red": "Červená", "Red": "Červená",
@ -3514,20 +3413,12 @@
"Secure Backup successful": "Bezpečné zálohovanie bolo úspešné", "Secure Backup successful": "Bezpečné zálohovanie bolo úspešné",
"Your keys are now being backed up from this device.": "Kľúče sa teraz zálohujú z tohto zariadenia.", "Your keys are now being backed up from this device.": "Kľúče sa teraz zálohujú z tohto zariadenia.",
"Loading polls": "Načítavanie ankiet", "Loading polls": "Načítavanie ankiet",
"Room is <strong>not encrypted 🚨</strong>": "Miestnosť <strong>nie je šifrovaná 🚨</strong>",
"Room is <strong>encrypted ✅</strong>": "Miestnosť je <strong>šifrovaná ✅</strong>",
"Notification state is <strong>%(notificationState)s</strong>": "Stav oznámenia je <strong>%(notificationState)s</strong>",
"Room unread status: <strong>%(status)s</strong>": "Stav neprečítaných v miestnosti: <strong>%(status)s</strong>",
"Room unread status: <strong>%(status)s</strong>, count: <strong>%(count)s</strong>": {
"other": "Stav neprečítaných v miestnosti: <strong>%(status)s</strong>, počet: <strong>%(count)s</strong>"
},
"Ended a poll": "Ukončil anketu", "Ended a poll": "Ukončil anketu",
"Due to decryption errors, some votes may not be counted": "Z dôvodu chýb v dešifrovaní sa niektoré hlasy nemusia započítať", "Due to decryption errors, some votes may not be counted": "Z dôvodu chýb v dešifrovaní sa niektoré hlasy nemusia započítať",
"The sender has blocked you from receiving this message": "Odosielateľ vám zablokoval príjem tejto správy", "The sender has blocked you from receiving this message": "Odosielateľ vám zablokoval príjem tejto správy",
"Room directory": "Adresár miestností", "Room directory": "Adresár miestností",
"Identity server is <code>%(identityServerUrl)s</code>": "Server identity je <code>%(identityServerUrl)s</code>", "Identity server is <code>%(identityServerUrl)s</code>": "Server identity je <code>%(identityServerUrl)s</code>",
"Homeserver is <code>%(homeserverUrl)s</code>": "Domovský server je <code>%(homeserverUrl)s</code>", "Homeserver is <code>%(homeserverUrl)s</code>": "Domovský server je <code>%(homeserverUrl)s</code>",
"Show NSFW content": "Zobraziť obsah NSFW",
"Yes, it was me": "Áno, bol som to ja", "Yes, it was me": "Áno, bol som to ja",
"Answered elsewhere": "Hovor prijatý inde", "Answered elsewhere": "Hovor prijatý inde",
"If you know a room address, try joining through that instead.": "Ak poznáte adresu miestnosti, skúste sa pripojiť prostredníctvom nej.", "If you know a room address, try joining through that instead.": "Ak poznáte adresu miestnosti, skúste sa pripojiť prostredníctvom nej.",
@ -3582,7 +3473,6 @@
"Can't find the old version of this room (room ID: %(roomId)s), and we have not been provided with 'via_servers' to look for it.": "Nie je možné nájsť starú verziu tejto miestnosti (ID miestnosti: %(roomId)s) a nebol nám poskytnutý parameter 'via_servers' na jej vyhľadanie.", "Can't find the old version of this room (room ID: %(roomId)s), and we have not been provided with 'via_servers' to look for it.": "Nie je možné nájsť starú verziu tejto miestnosti (ID miestnosti: %(roomId)s) a nebol nám poskytnutý parameter 'via_servers' na jej vyhľadanie.",
"Can't find the old version of this room (room ID: %(roomId)s), and we have not been provided with 'via_servers' to look for it. It's possible that guessing the server from the room ID will work. If you want to try, click this link:": "Nie je možné nájsť starú verziu tejto miestnosti (ID miestnosti: %(roomId)s) a nebol nám poskytnutý parameter 'via_servers' na jej vyhľadanie. Je možné, že uhádnutie servera na základe ID miestnosti bude fungovať. Ak to chcete skúsiť, kliknite na tento odkaz:", "Can't find the old version of this room (room ID: %(roomId)s), and we have not been provided with 'via_servers' to look for it. It's possible that guessing the server from the room ID will work. If you want to try, click this link:": "Nie je možné nájsť starú verziu tejto miestnosti (ID miestnosti: %(roomId)s) a nebol nám poskytnutý parameter 'via_servers' na jej vyhľadanie. Je možné, že uhádnutie servera na základe ID miestnosti bude fungovať. Ak to chcete skúsiť, kliknite na tento odkaz:",
"Formatting": "Formátovanie", "Formatting": "Formátovanie",
"Start messages with <code>/plain</code> to send without markdown.": "Začnite správy s <code>/plain</code> na odoslanie bez použitia markdown.",
"The add / bind with MSISDN flow is misconfigured": "Pridanie / prepojenie s MSISDN je nesprávne nakonfigurované", "The add / bind with MSISDN flow is misconfigured": "Pridanie / prepojenie s MSISDN je nesprávne nakonfigurované",
"No identity access token found": "Nenašiel sa prístupový token totožnosti", "No identity access token found": "Nenašiel sa prístupový token totožnosti",
"Identity server not set": "Server totožnosti nie je nastavený", "Identity server not set": "Server totožnosti nie je nastavený",
@ -3631,8 +3521,6 @@
"Exported Data": "Exportované údaje", "Exported Data": "Exportované údaje",
"Views room with given address": "Zobrazí miestnosti s danou adresou", "Views room with given address": "Zobrazí miestnosti s danou adresou",
"Notification Settings": "Nastavenia oznámení", "Notification Settings": "Nastavenia oznámení",
"Show current profile picture and name for users in message history": "Zobraziť aktuálny profilový obrázok a meno používateľov v histórii správ",
"Show profile picture changes": "Zobraziť zmeny profilového obrázka",
"Ask to join": "Požiadať o pripojenie", "Ask to join": "Požiadať o pripojenie",
"People cannot join unless access is granted.": "Ľudia sa nemôžu pripojiť, pokiaľ im nebude udelený prístup.", "People cannot join unless access is granted.": "Ľudia sa nemôžu pripojiť, pokiaľ im nebude udelený prístup.",
"Email summary": "Emailový súhrn", "Email summary": "Emailový súhrn",
@ -3658,8 +3546,6 @@
"Anyone can request to join, but admins or moderators need to grant access. You can change this later.": "O pripojenie môže požiadať ktokoľvek, ale administrátori alebo moderátori musia udeliť prístup. Toto môžete neskôr zmeniť.", "Anyone can request to join, but admins or moderators need to grant access. You can change this later.": "O pripojenie môže požiadať ktokoľvek, ale administrátori alebo moderátori musia udeliť prístup. Toto môžete neskôr zmeniť.",
"Thread Root ID: %(threadRootId)s": "ID koreňového vlákna: %(threadRootId)s", "Thread Root ID: %(threadRootId)s": "ID koreňového vlákna: %(threadRootId)s",
"Upgrade room": "Aktualizovať miestnosť", "Upgrade room": "Aktualizovať miestnosť",
"User read up to (ignoreSynthetic): ": "Používateľ prečíta až do (ignoreSynthetic): ",
"User read up to (m.read.private;ignoreSynthetic): ": "Používateľ prečíta až do (m.read.private;ignoreSynthetic): ",
"This homeserver doesn't offer any login flows that are supported by this client.": "Tento domovský server neponúka žiadne prihlasovacie toky podporované týmto klientom.", "This homeserver doesn't offer any login flows that are supported by this client.": "Tento domovský server neponúka žiadne prihlasovacie toky podporované týmto klientom.",
"Notify when someone mentions using @room": "Upozorniť, keď sa niekto zmieni použitím @miestnosť", "Notify when someone mentions using @room": "Upozorniť, keď sa niekto zmieni použitím @miestnosť",
"Notify when someone mentions using @displayname or %(mxid)s": "Upozorniť, keď sa niekto zmieni použitím @zobrazovanemeno alebo %(mxid)s", "Notify when someone mentions using @displayname or %(mxid)s": "Upozorniť, keď sa niekto zmieni použitím @zobrazovanemeno alebo %(mxid)s",
@ -3672,8 +3558,6 @@
"other": "%(oneUser)s si zmenil svoj profilový obrázok %(count)s-krát", "other": "%(oneUser)s si zmenil svoj profilový obrázok %(count)s-krát",
"one": "%(oneUser)s zmenil/a svoj profilový obrázok" "one": "%(oneUser)s zmenil/a svoj profilový obrázok"
}, },
"User read up to (m.read.private): ": "Používateľ prečíta až do (m.read.private): ",
"See history": "Pozrieť históriu",
"Great! This passphrase looks strong enough": "Skvelé! Táto bezpečnostná fráza vyzerá dostatočne silná", "Great! This passphrase looks strong enough": "Skvelé! Táto bezpečnostná fráza vyzerá dostatočne silná",
"The exported file will allow anyone who can read it to decrypt any encrypted messages that you can see, so you should be careful to keep it secure. To help with this, you should enter a unique passphrase below, which will only be used to encrypt the exported data. It will only be possible to import the data by using the same passphrase.": "Exportovaný súbor umožní každému, kto si ho môže prečítať, dešifrovať všetky zašifrované správy, ktoré môžete vidieť, preto by ste mali dbať na jeho zabezpečenie. Na pomoc by ste mali nižšie zadať jedinečnú prístupovú frázu, ktorá sa použije len na zašifrovanie exportovaných údajov. Údaje bude možné importovať len pomocou rovnakej prístupovej frázy.", "The exported file will allow anyone who can read it to decrypt any encrypted messages that you can see, so you should be careful to keep it secure. To help with this, you should enter a unique passphrase below, which will only be used to encrypt the exported data. It will only be possible to import the data by using the same passphrase.": "Exportovaný súbor umožní každému, kto si ho môže prečítať, dešifrovať všetky zašifrované správy, ktoré môžete vidieť, preto by ste mali dbať na jeho zabezpečenie. Na pomoc by ste mali nižšie zadať jedinečnú prístupovú frázu, ktorá sa použije len na zašifrovanie exportovaných údajov. Údaje bude možné importovať len pomocou rovnakej prístupovej frázy.",
"Other spaces you know": "Ďalšie priestory, ktoré poznáte", "Other spaces you know": "Ďalšie priestory, ktoré poznáte",
@ -3769,7 +3653,9 @@
"android": "Android", "android": "Android",
"trusted": "Dôveryhodné", "trusted": "Dôveryhodné",
"not_trusted": "Nedôveryhodné", "not_trusted": "Nedôveryhodné",
"accessibility": "Prístupnosť" "accessibility": "Prístupnosť",
"capabilities": "Schopnosti",
"server": "Server"
}, },
"action": { "action": {
"continue": "Pokračovať", "continue": "Pokračovať",
@ -3868,7 +3754,8 @@
"maximise": "Maximalizovať", "maximise": "Maximalizovať",
"mention": "Zmieniť sa", "mention": "Zmieniť sa",
"submit": "Odoslať", "submit": "Odoslať",
"send_report": "Odoslať hlásenie" "send_report": "Odoslať hlásenie",
"clear": "Vyčistiť"
}, },
"a11y": { "a11y": {
"user_menu": "Používateľské menu" "user_menu": "Používateľské menu"
@ -4002,5 +3889,122 @@
"you_did_it": "Dokázali ste to!", "you_did_it": "Dokázali ste to!",
"complete_these": "Dokončite to, aby ste získali čo najviac z aplikácie %(brand)s", "complete_these": "Dokončite to, aby ste získali čo najviac z aplikácie %(brand)s",
"community_messaging_description": "Zachovajte si vlastníctvo a kontrolu nad komunitnou diskusiou.\nPodpora pre milióny ľudí s výkonným moderovaním a interoperabilitou." "community_messaging_description": "Zachovajte si vlastníctvo a kontrolu nad komunitnou diskusiou.\nPodpora pre milióny ľudí s výkonným moderovaním a interoperabilitou."
},
"devtools": {
"send_custom_account_data_event": "Odoslať vlastnú udalosť s údajmi o účte",
"send_custom_room_account_data_event": "Odoslať vlastnú udalosť s údajmi o účte miestnosti",
"event_type": "Typ Udalosti",
"state_key": "Stavový kľúč",
"invalid_json": "Nevyzerá to ako platný JSON.",
"failed_to_send": "Nepodarilo sa odoslať udalosť!",
"event_sent": "Udalosť odoslaná!",
"event_content": "Obsah Udalosti",
"user_read_up_to": "Používateľ sa dočítal až do: ",
"no_receipt_found": "Nenašlo sa žiadne potvrdenie",
"user_read_up_to_ignore_synthetic": "Používateľ prečíta až do (ignoreSynthetic): ",
"user_read_up_to_private": "Používateľ prečíta až do (m.read.private): ",
"user_read_up_to_private_ignore_synthetic": "Používateľ prečíta až do (m.read.private;ignoreSynthetic): ",
"room_status": "Stav miestnosti",
"room_unread_status_count": {
"other": "Stav neprečítaných v miestnosti: <strong>%(status)s</strong>, počet: <strong>%(count)s</strong>"
},
"notification_state": "Stav oznámenia je <strong>%(notificationState)s</strong>",
"room_encrypted": "Miestnosť je <strong>šifrovaná ✅</strong>",
"room_not_encrypted": "Miestnosť <strong>nie je šifrovaná 🚨</strong>",
"main_timeline": "Hlavná časová os",
"threads_timeline": "Časová os vlákien",
"room_notifications_total": "Celkom: ",
"room_notifications_highlight": "Zvýraznené: ",
"room_notifications_dot": "Bodka: ",
"room_notifications_last_event": "Posledná udalosť:",
"room_notifications_type": "Typ: ",
"room_notifications_sender": "Odosielateľ: ",
"room_notifications_thread_id": "ID vlákna: ",
"spaces": {
"one": "<priestor>",
"other": "<%(count)s priestorov>"
},
"empty_string": "<prázdny reťazec>",
"room_unread_status": "Stav neprečítaných v miestnosti: <strong>%(status)s</strong>",
"id": "ID: ",
"send_custom_state_event": "Odoslať vlastnú udalosť stavu",
"see_history": "Pozrieť históriu",
"failed_to_load": "Nepodarilo sa načítať.",
"client_versions": "Verzie klienta",
"server_versions": "Verzie servera",
"number_of_users": "Počet používateľov",
"failed_to_save": "Nepodarilo sa uložiť nastavenia.",
"save_setting_values": "Uložiť hodnoty nastavenia",
"setting_colon": "Nastavenie:",
"caution_colon": "Upozornenie:",
"use_at_own_risk": "Toto používateľské rozhranie nekontroluje typy hodnôt. Používajte ho na vlastné riziko.",
"setting_definition": "Definícia nastavenia:",
"level": "Úroveň",
"settable_global": "Nastaviteľné v celosystémovom",
"settable_room": "Nastaviteľné v miestnosti",
"values_explicit": "Hodnoty na explicitných úrovniach",
"values_explicit_room": "Hodnoty na explicitných úrovniach v tejto miestnosti",
"edit_values": "Upraviť hodnoty",
"value_colon": "Hodnota:",
"value_this_room_colon": "Hodnota v tejto miestnosti:",
"values_explicit_colon": "Hodnoty na explicitných úrovniach:",
"values_explicit_this_room_colon": "Hodnoty na explicitných úrovniach v tejto miestnosti:",
"setting_id": "ID nastavenia",
"value": "Hodnota",
"value_in_this_room": "Hodnota v tejto miestnosti",
"edit_setting": "Upraviť nastavenie",
"phase_requested": "Vyžiadané",
"phase_ready": "Pripravené",
"phase_started": "Spustené",
"phase_cancelled": "Zrušené",
"phase_transaction": "Transakcia",
"phase": "Fáza",
"timeout": "Časový limit",
"methods": "Metódy",
"requester": "Žiadateľ",
"observe_only": "Iba pozorovať",
"no_verification_requests_found": "Nenašli sa žiadne žiadosti o overenie",
"failed_to_find_widget": "Pri hľadaní tohto widgetu došlo k chybe."
},
"settings": {
"show_breadcrumbs": "Zobraziť skratky nedávno zobrazených miestnosti nad zoznamom miestností",
"all_rooms_home_description": "Všetky miestnosti, v ktorých sa nachádzate, sa zobrazia na domovskej obrazovke.",
"use_command_f_search": "Na vyhľadávanie na časovej osi použite klávesovú skratku Command + F",
"use_control_f_search": "Na vyhľadávanie na časovej osi použite klávesovú skratku Ctrl + F",
"use_12_hour_format": "Pri zobrazovaní časových značiek používať 12 hodinový formát (napr. 2:30pm)",
"always_show_message_timestamps": "Vždy zobrazovať časovú značku správ",
"send_read_receipts": "Odosielať potvrdenia o prečítaní",
"send_typing_notifications": "Posielať oznámenia, keď píšete",
"replace_plain_emoji": "Automaticky nahrádzať textové emotikony modernými",
"enable_markdown": "Povoliť funkciu Markdown",
"emoji_autocomplete": "Umožniť automatické návrhy emotikonov počas písania",
"use_command_enter_send_message": "Použite Command + Enter na odoslanie správy",
"use_control_enter_send_message": "Použiť Ctrl + Enter na odoslanie správy",
"all_rooms_home": "Zobraziť všetky miestnosti v časti Domov",
"enable_markdown_description": "Začnite správy s <code>/plain</code> na odoslanie bez použitia markdown.",
"show_stickers_button": "Zobraziť tlačidlo nálepiek",
"insert_trailing_colon_mentions": "Vložiť na koniec dvojbodku za zmienkou používateľa na začiatku správy",
"automatic_language_detection_syntax_highlight": "Povoliť automatickú detekciu jazyka pre zvýraznenie syntaxe",
"code_block_expand_default": "Rozšíriť bloky kódu predvolene",
"code_block_line_numbers": "Zobrazenie čísel riadkov v blokoch kódu",
"inline_url_previews_default": "Predvolene povoliť náhľady URL adries",
"autoplay_gifs": "Automaticky prehrať GIF animácie",
"autoplay_videos": "Automaticky prehrať videá",
"image_thumbnails": "Zobrazovať ukážky/náhľady obrázkov",
"show_typing_notifications": "Zobrazovať oznámenia, keď ostatní používatelia píšu",
"show_redaction_placeholder": "Zobrazovať náhrady za odstránené správy",
"show_read_receipts": "Zobrazovať potvrdenia o prečítaní od ostatných používateľov",
"show_join_leave": "Zobraziť správy o pripojení/odchode (pozvania/odstránenia/zákazy nie sú ovplyvnené)",
"show_displayname_changes": "Zobrazovať zmeny zobrazovaného mena",
"show_chat_effects": "Zobraziť efekty konverzácie (animácie pri prijímaní napr. konfety)",
"show_avatar_changes": "Zobraziť zmeny profilového obrázka",
"big_emoji": "Povoliť veľké emotikony v konverzáciách",
"jump_to_bottom_on_send": "Skok na koniec časovej osi pri odosielaní správy",
"disable_historical_profile": "Zobraziť aktuálny profilový obrázok a meno používateľov v histórii správ",
"show_nsfw_content": "Zobraziť obsah NSFW",
"prompt_invite": "Upozorniť pred odoslaním pozvánok na potenciálne neplatné Matrix ID",
"hardware_acceleration": "Povoliť hardvérovú akceleráciu (reštartujte %(appName)s, aby sa to prejavilo)",
"start_automatically": "Spustiť automaticky po prihlásení do systému",
"warn_quit": "Upozorniť pred ukončením"
} }
} }

View file

@ -80,7 +80,6 @@
"Collecting app version information": "Po grumbullohen të dhëna versioni aplikacioni", "Collecting app version information": "Po grumbullohen të dhëna versioni aplikacioni",
"Search…": "Kërkoni…", "Search…": "Kërkoni…",
"Tuesday": "E martë", "Tuesday": "E martë",
"Event sent!": "Akti u dërgua!",
"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ë",
@ -95,7 +94,6 @@
"Call invitation": "Ftesë për thirrje", "Call invitation": "Ftesë për thirrje",
"Thank you!": "Faleminderit!", "Thank you!": "Faleminderit!",
"Messages containing my display name": "Mesazhe që përmbajnë emrin tim të ekranit", "Messages containing my display name": "Mesazhe që përmbajnë emrin tim të ekranit",
"State Key": "Kyç Gjendjesh",
"What's new?": ka të re?", "What's new?": ka të re?",
"When I'm invited to a room": "Kur ftohem në një dhomë", "When I'm invited to a room": "Kur ftohem në një dhomë",
"Invite to this room": "Ftojeni te kjo dhomë", "Invite to this room": "Ftojeni te kjo dhomë",
@ -106,12 +104,10 @@
"Messages in group chats": "Mesazhe në fjalosje në grup", "Messages in group chats": "Mesazhe në fjalosje në grup",
"Yesterday": "Dje", "Yesterday": "Dje",
"Error encountered (%(errorDetail)s).": "U has gabim (%(errorDetail)s).", "Error encountered (%(errorDetail)s).": "U has gabim (%(errorDetail)s).",
"Event Type": "Lloj Akti",
"Low Priority": "Përparësi e Ulët", "Low Priority": "Përparësi e Ulët",
"What's New": ka të Re", "What's New": ka të Re",
"Off": "Off", "Off": "Off",
"Developer Tools": "Mjete Zhvilluesi", "Developer Tools": "Mjete Zhvilluesi",
"Event Content": "Lëndë Akti",
"Rooms": "Dhoma", "Rooms": "Dhoma",
"PM": "PM", "PM": "PM",
"AM": "AM", "AM": "AM",
@ -121,7 +117,6 @@
"%(senderName)s made future room history visible to all room members, from the point they joined.": "%(senderName)s e bëri historikun e ardhshëm të dhomës të dukshëm për krejt anëtarët e dhomës, prej çastit kur morën pjesë.", "%(senderName)s made future room history visible to all room members, from the point they joined.": "%(senderName)s e bëri historikun e ardhshëm të dhomës të dukshëm për krejt anëtarët e dhomës, prej çastit kur morën pjesë.",
"%(senderName)s made future room history visible to all room members.": "%(senderName)s e bëri historikun e ardhshëm të dhomës të dukshëm për krejt anëtarët e dhomës.", "%(senderName)s made future room history visible to all room members.": "%(senderName)s e bëri historikun e ardhshëm të dhomës të dukshëm për krejt anëtarët e dhomës.",
"%(senderName)s made future room history visible to anyone.": "%(senderName)s e bëri historikun e ardhshëm të dhomës të dukshëm për këdo.", "%(senderName)s made future room history visible to anyone.": "%(senderName)s e bëri historikun e ardhshëm të dhomës të dukshëm për këdo.",
"Always show message timestamps": "Shfaq përherë vula kohore për mesazhet",
"Incorrect verification code": "Kod verifikimi i pasaktë", "Incorrect verification code": "Kod verifikimi i pasaktë",
"Phone": "Telefon", "Phone": "Telefon",
"No display name": "Ska emër shfaqjeje", "No display name": "Ska emër shfaqjeje",
@ -436,8 +431,6 @@
"%(userId)s from %(fromPowerLevel)s to %(toPowerLevel)s": "%(userId)s nga %(fromPowerLevel)s në %(toPowerLevel)s", "%(userId)s from %(fromPowerLevel)s to %(toPowerLevel)s": "%(userId)s nga %(fromPowerLevel)s në %(toPowerLevel)s",
"%(senderName)s changed the power level of %(powerLevelDiffText)s.": "%(senderName)s ndryshoi shkallën e pushtetit të %(powerLevelDiffText)s.", "%(senderName)s changed the power level of %(powerLevelDiffText)s.": "%(senderName)s ndryshoi shkallën e pushtetit të %(powerLevelDiffText)s.",
"%(senderName)s changed the pinned messages for the room.": "%(senderName)s ndryshoi mesazhin e fiksuar për këtë dhomë.", "%(senderName)s changed the pinned messages for the room.": "%(senderName)s ndryshoi mesazhin e fiksuar për këtë dhomë.",
"Enable automatic language detection for syntax highlighting": "Aktivizo pikasje të vetvetishme të gjuhës për theksim sintakse",
"Automatically replace plain text Emoji": "Zëvendëso automatikisht emotikone tekst të thjeshtë me Emoji",
"Enable URL previews for this room (only affects you)": "Aktivizo paraparje URL-sh për këtë dhomë (prek vetëm ju)", "Enable URL previews for this room (only affects you)": "Aktivizo paraparje URL-sh për këtë dhomë (prek vetëm ju)",
"Enable URL previews by default for participants in this room": "Aktivizo, si parazgjedhje, paraparje URL-sh për pjesëmarrësit në këtë dhomë", "Enable URL previews by default for participants in this room": "Aktivizo, si parazgjedhje, paraparje URL-sh për pjesëmarrësit në këtë dhomë",
"A text message has been sent to %(msisdn)s": "Te %(msisdn)s u dërgua një mesazh tekst", "A text message has been sent to %(msisdn)s": "Te %(msisdn)s u dërgua një mesazh tekst",
@ -473,8 +466,6 @@
"Please note you are logging into the %(hs)s server, not matrix.org.": "Ju lutemi, kini parasysh se jeni futur te shërbyesi %(hs)s, jo te matrix.org.", "Please note you are logging into the %(hs)s server, not matrix.org.": "Ju lutemi, kini parasysh se jeni futur te shërbyesi %(hs)s, jo te matrix.org.",
"Stops ignoring a user, showing their messages going forward": "Resht shpërfilljen e një përdoruesi, duke i shfaqur mesazhet e tij të dërgohen", "Stops ignoring a user, showing their messages going forward": "Resht shpërfilljen e një përdoruesi, duke i shfaqur mesazhet e tij të dërgohen",
"Your browser does not support the required cryptography extensions": "Shfletuesi juaj nuk mbulon zgjerimet kriptografike të domosdoshme", "Your browser does not support the required cryptography extensions": "Shfletuesi juaj nuk mbulon zgjerimet kriptografike të domosdoshme",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "Vulat kohore shfaqi në formatin 12 orësh (p.sh. 2:30pm)",
"Enable inline URL previews by default": "Aktivizo, si parazgjedhje, paraparje URL-sh brendazi",
"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",
"Unknown for %(duration)s": "I panjohur për %(duration)s", "Unknown for %(duration)s": "I panjohur për %(duration)s",
@ -499,7 +490,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.": "Mesazhi juaj su dërgua, ngaqë ky shërbyes Home ka mbërritur në Kufirin Mujor të Përdoruesve Aktivë. Ju lutemi, që të vazhdoni ta përdorni këtë shërbim, <a>lidhuni me përgjegjësin e shërbimit tuaj</a>.", "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.": "Mesazhi juaj su dërgua, ngaqë ky shërbyes Home ka mbërritur në Kufirin Mujor të Përdoruesve Aktivë. Ju lutemi, që të vazhdoni ta përdorni këtë shërbim, <a>lidhuni me përgjegjësin e shërbimit tuaj</a>.",
"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.": "Mesazhi juaj su dërgua, ngaqë ky shërbyes Home ka tejkaluar kufirin e një burimi. Ju lutemi, që të vazhdoni ta përdorni këtë shërbim, <a>lidhuni me përgjegjësin e shërbimit tuaj</a>.", "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.": "Mesazhi juaj su dërgua, ngaqë ky shërbyes Home ka tejkaluar kufirin e një burimi. Ju lutemi, që të vazhdoni ta përdorni këtë shërbim, <a>lidhuni me përgjegjësin e shërbimit tuaj</a>.",
"Tried to load a specific point in this room's timeline, but you do not have permission to view the message in question.": "U provua të ngarkohej një pikë e caktuar në kronologjinë e kësaj dhome, por nuk keni leje për ta parë mesazhin në fjalë.", "Tried to load a specific point in this room's timeline, but you do not have permission to view the message in question.": "U provua të ngarkohej një pikë e caktuar në kronologjinë e kësaj dhome, por nuk keni leje për ta parë mesazhin në fjalë.",
"Start automatically after system login": "Nisu vetvetiu pas hyrjes në sistem",
"You may need to manually permit %(brand)s to access your microphone/webcam": "Lypset të lejoni dorazi %(brand)s-in të përdorë mikrofonin/kamerën tuaj web", "You may need to manually permit %(brand)s to access your microphone/webcam": "Lypset të lejoni dorazi %(brand)s-in të përdorë mikrofonin/kamerën tuaj web",
"No Audio Outputs detected": "Su pikasën Sinjale Audio Në Dalje", "No Audio Outputs detected": "Su pikasën Sinjale Audio Në Dalje",
"Not a valid %(brand)s keyfile": "Sështë kartelë kyçesh %(brand)s e vlefshme", "Not a valid %(brand)s keyfile": "Sështë kartelë kyçesh %(brand)s e vlefshme",
@ -563,7 +553,6 @@
"Short keyboard patterns are easy to guess": "Kombinime të shkurtra tastiere janë lehtësisht të hamendësueshme", "Short keyboard patterns are easy to guess": "Kombinime të shkurtra tastiere janë lehtësisht të hamendësueshme",
"Unable to load commit detail: %(msg)s": "Sarrihet të ngarkohen hollësi depozitimi: %(msg)s", "Unable to load commit detail: %(msg)s": "Sarrihet të ngarkohen hollësi depozitimi: %(msg)s",
"Unrecognised address": "Adresë jo e pranuar", "Unrecognised address": "Adresë jo e pranuar",
"Prompt before sending invites to potentially invalid matrix IDs": "Pyet, përpara se të dërgohen ftesa te ID Matrix potencialisht të pavlefshme",
"The following users may not exist": "Përdoruesit vijues mund të mos ekzistojnë", "The following users may not exist": "Përdoruesit vijues mund të mos ekzistojnë",
"Unable to find profiles for the Matrix IDs listed below - would you like to invite them anyway?": "Sarrihet të gjenden profile për ID-të Matrix të treguara më poshtë - do të donit të ftohet, sido qoftë?", "Unable to find profiles for the Matrix IDs listed below - would you like to invite them anyway?": "Sarrihet të gjenden profile për ID-të Matrix të treguara më poshtë - do të donit të ftohet, sido qoftë?",
"Invite anyway and never warn me again": "Ftoji sido që të jetë dhe mos më sinjalizo më kurrë", "Invite anyway and never warn me again": "Ftoji sido që të jetë dhe mos më sinjalizo më kurrë",
@ -577,11 +566,6 @@
"one": "%(names)s dhe një tjetër po shtypin …" "one": "%(names)s dhe një tjetër po shtypin …"
}, },
"%(names)s and %(lastPerson)s are typing …": "%(names)s dhe %(lastPerson)s të tjerë po shtypin …", "%(names)s and %(lastPerson)s are typing …": "%(names)s dhe %(lastPerson)s të tjerë po shtypin …",
"Enable Emoji suggestions while typing": "Aktivizo sugjerime emoji-sh teksa shtypet",
"Show a placeholder for removed messages": "Shfaq një vendmbajtëse për mesazhe të hequr",
"Show display name changes": "Shfaq ndryshime emrash ekrani",
"Enable big emoji in chat": "Aktivizo emoji-t e mëdhenj në fjalosje",
"Send typing notifications": "Dërgo njoftime shtypjesh",
"Messages containing my username": "Mesazhe që përmbajnë emrin tim të përdoruesit", "Messages containing my username": "Mesazhe që përmbajnë emrin tim të përdoruesit",
"The other party cancelled the verification.": "Pala tjetër e anuloi verifikimin.", "The other party cancelled the verification.": "Pala tjetër e anuloi verifikimin.",
"Verified!": "U verifikua!", "Verified!": "U verifikua!",
@ -728,7 +712,6 @@
"Your keys are being backed up (the first backup could take a few minutes).": "Kyçet tuaj po kopjeruhen (kopjeruajtja e parë mund të hajë disa minuta).", "Your keys are being backed up (the first backup could take a few minutes).": "Kyçet tuaj po kopjeruhen (kopjeruajtja e parë mund të hajë disa minuta).",
"Success!": "Sukses!", "Success!": "Sukses!",
"Changes your display nickname in the current room only": "Bën ndryshimin e emrit tuaj në ekran vetëm në dhomën e tanishme", "Changes your display nickname in the current room only": "Bën ndryshimin e emrit tuaj në ekran vetëm në dhomën e tanishme",
"Show read receipts sent by other users": "Shfaq dëftesa leximi dërguar nga përdorues të tjerë",
"Scissors": "Gërshërë", "Scissors": "Gërshërë",
"Error updating main address": "Gabim gjatë përditësimit të adresës kryesore", "Error updating main address": "Gabim gjatë përditësimit të adresës kryesore",
"There was an error updating the room's main address. It may not be allowed by the server or a temporary failure occurred.": "Pati një gabim në përditësimin e adresës kryesore të dhomës. Mund të mos lejohet nga shërbyesi ose mund të ketë ndodhur një gabim i përkohshëm.", "There was an error updating the room's main address. It may not be allowed by the server or a temporary failure occurred.": "Pati një gabim në përditësimin e adresës kryesore të dhomës. Mund të mos lejohet nga shërbyesi ose mund të ketë ndodhur një gabim i përkohshëm.",
@ -981,7 +964,6 @@
"Document": "Dokument", "Document": "Dokument",
"Add Email Address": "Shtoni Adresë Email", "Add Email Address": "Shtoni Adresë Email",
"Add Phone Number": "Shtoni Numër Telefoni", "Add Phone Number": "Shtoni Numër Telefoni",
"Show previews/thumbnails for images": "Shfaq për figurat paraparje/miniatura",
"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.": "Përpara shkëputjes, duhet <b>të hiqni të dhënat tuaja personale</b> nga shërbyesi i identiteteve <idserver />. Mjerisht, shërbyesi i identiteteve <idserver /> hëpërhë është jashtë funksionimi dhe smund të kapet.", "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.": "Përpara shkëputjes, duhet <b>të hiqni të dhënat tuaja personale</b> nga shërbyesi i identiteteve <idserver />. Mjerisht, shërbyesi i identiteteve <idserver /> hëpërhë është jashtë funksionimi dhe smund të kapet.",
"You should:": "Duhet:", "You should:": "Duhet:",
"check your browser plugins for anything that might block the identity server (such as Privacy Badger)": "të kontrolloni shtojcat e shfletuesit tuaj për çfarëdo që mund të bllokojë shërbyesin e identiteteve (bie fjala, Privacy Badger)", "check your browser plugins for anything that might block the identity server (such as Privacy Badger)": "të kontrolloni shtojcat e shfletuesit tuaj për çfarëdo që mund të bllokojë shërbyesin e identiteteve (bie fjala, Privacy Badger)",
@ -1251,7 +1233,6 @@
"If you did this accidentally, you can setup Secure Messages on this session which will re-encrypt this session's message history with a new recovery method.": "Nëse këtë e keni bërë pa dashje, mund të ujdisni Mesazhe të Sigurt në këtë sesion, gjë që do të sjellë rifshehtëzimin e historikut të mesazheve të sesionit me një metodë të re rimarrjesh.", "If you did this accidentally, you can setup Secure Messages on this session which will re-encrypt this session's message history with a new recovery method.": "Nëse këtë e keni bërë pa dashje, mund të ujdisni Mesazhe të Sigurt në këtë sesion, gjë që do të sjellë rifshehtëzimin e historikut të mesazheve të sesionit me një metodë të re rimarrjesh.",
"Indexed rooms:": "Dhoma të indeksuara:", "Indexed rooms:": "Dhoma të indeksuara:",
"Message downloading sleep time(ms)": "Kohë fjetjeje shkarkimi mesazhi(ms)", "Message downloading sleep time(ms)": "Kohë fjetjeje shkarkimi mesazhi(ms)",
"Show typing notifications": "Shfaq njoftime shtypjeje",
"Destroy cross-signing keys?": "Të shkatërrohen kyçet <em>cross-signing</em>?", "Destroy cross-signing keys?": "Të shkatërrohen kyçet <em>cross-signing</em>?",
"Deleting cross-signing keys is permanent. Anyone you have verified with will see security alerts. You almost certainly don't want to do this, unless you've lost every device you can cross-sign from.": "Fshirja e kyçeve <em>cross-signing</em> është e përhershme. Cilido që keni verifikuar me to, do të shohë një sinjalizim sigurie. Thuajse e sigurt që skeni pse ta bëni një gjë të tillë, veç në paçi humbur çdo pajisje prej nga mund të bëni <em>cross-sign</em>.", "Deleting cross-signing keys is permanent. Anyone you have verified with will see security alerts. You almost certainly don't want to do this, unless you've lost every device you can cross-sign from.": "Fshirja e kyçeve <em>cross-signing</em> është e përhershme. Cilido që keni verifikuar me to, do të shohë një sinjalizim sigurie. Thuajse e sigurt që skeni pse ta bëni një gjë të tillë, veç në paçi humbur çdo pajisje prej nga mund të bëni <em>cross-sign</em>.",
"Clear cross-signing keys": "Spastro kyçe <em>cross-signing</em>", "Clear cross-signing keys": "Spastro kyçe <em>cross-signing</em>",
@ -1264,7 +1245,6 @@
"Verify by scanning": "Verifikoje me skanim", "Verify by scanning": "Verifikoje me skanim",
"You declined": "Hodhët poshtë", "You declined": "Hodhët poshtë",
"%(name)s declined": "%(name)s hodhi poshtë", "%(name)s declined": "%(name)s hodhi poshtë",
"Show shortcuts to recently viewed rooms above the room list": "Shfaq te lista e dhomave shkurtore për te dhoma të para së fundi",
"Cancelling…": "Po anulohet…", "Cancelling…": "Po anulohet…",
"Your homeserver does not support cross-signing.": "Shërbyesi juaj Home nuk mbulon <em>cross-signing</em>.", "Your homeserver does not support cross-signing.": "Shërbyesi juaj Home nuk mbulon <em>cross-signing</em>.",
"Homeserver feature support:": "Mbulim veçorish nga shërbyesi Home:", "Homeserver feature support:": "Mbulim veçorish nga shërbyesi Home:",
@ -1911,8 +1891,6 @@
"Decline All": "Hidhi Krejt Poshtë", "Decline All": "Hidhi Krejt Poshtë",
"This widget would like to:": "Ky widget do të donte të:", "This widget would like to:": "Ky widget do të donte të:",
"Approve widget permissions": "Miratoni leje widget-i", "Approve widget permissions": "Miratoni leje widget-i",
"Use Ctrl + Enter to send a message": "Që të dërgoni një mesazh përdorni tastet Ctrl + Enter",
"Use Command + Enter to send a message": "Që të dërgoni një mesazh, përdorni tastet Command + Enter",
"See <b>%(msgtype)s</b> messages posted to your active room": "Shihni mesazhe <b>%(msgtype)s</b> postuar në dhomën tuaj aktive", "See <b>%(msgtype)s</b> messages posted to your active room": "Shihni mesazhe <b>%(msgtype)s</b> postuar në dhomën tuaj aktive",
"See <b>%(msgtype)s</b> messages posted to this room": "Shihni mesazhe <b>%(msgtype)s</b> postuar në këtë dhomë", "See <b>%(msgtype)s</b> messages posted to this room": "Shihni mesazhe <b>%(msgtype)s</b> postuar në këtë dhomë",
"Send <b>%(msgtype)s</b> messages as you in your active room": "Dërgoni mesazhe <b>%(msgtype)s</b> si ju në dhomën tuaj aktive", "Send <b>%(msgtype)s</b> messages as you in your active room": "Dërgoni mesazhe <b>%(msgtype)s</b> si ju në dhomën tuaj aktive",
@ -1982,7 +1960,6 @@
"Transfer": "Shpërngule", "Transfer": "Shpërngule",
"Failed to transfer call": "Su arrit të shpërngulej thirrje", "Failed to transfer call": "Su arrit të shpërngulej thirrje",
"A call can only be transferred to a single user.": "Një thirrje mund të shpërngulet vetëm te një përdorues.", "A call can only be transferred to a single user.": "Një thirrje mund të shpërngulet vetëm te një përdorues.",
"There was an error finding this widget.": "Pati një gabim në gjetjen e këtij widget-i.",
"Active Widgets": "Widget-e Aktivë", "Active Widgets": "Widget-e Aktivë",
"Open dial pad": "Hap butona numrash", "Open dial pad": "Hap butona numrash",
"Dial pad": "Butona numrash", "Dial pad": "Butona numrash",
@ -2024,26 +2001,7 @@
"Converts the room to a DM": "E shndërron dhomën në një DM", "Converts the room to a DM": "E shndërron dhomën në një DM",
"We asked the browser to remember which homeserver you use to let you sign in, but unfortunately your browser has forgotten it. Go to the sign in page and try again.": "I kërkuam shfletuesit të mbajë mend cilin shërbyes Home përdorni, për tju lënë të bëni hyrje, por për fat të keq, shfletuesi juaj e ka harruar këtë. Kaloni te faqja e hyrjeve dhe riprovoni.", "We asked the browser to remember which homeserver you use to let you sign in, but unfortunately your browser has forgotten it. Go to the sign in page and try again.": "I kërkuam shfletuesit të mbajë mend cilin shërbyes Home përdorni, për tju lënë të bëni hyrje, por për fat të keq, shfletuesi juaj e ka harruar këtë. Kaloni te faqja e hyrjeve dhe riprovoni.",
"We couldn't log you in": "Sju nxorëm dot nga llogaria juaj", "We couldn't log you in": "Sju nxorëm dot nga llogaria juaj",
"Show line numbers in code blocks": "Shfaq numra rreshtat në blloqe kodi",
"Expand code blocks by default": "Zgjeroji blloqet e kodit, si parazgjedhje",
"Show stickers button": "Shfaq buton ngjitësish",
"Recently visited rooms": "Dhoma të vizituara së fundi", "Recently visited rooms": "Dhoma të vizituara së fundi",
"Values at explicit levels in this room:": "Vlera në nivele shprehimisht në këtë dhomë:",
"Values at explicit levels:": "Vlera në nivele shprehimisht:",
"Value in this room:": "Vlerë në këtë dhomë:",
"Value:": "Vlerë:",
"Save setting values": "Ruaj vlera rregullimi",
"Values at explicit levels in this room": "Vlera në nivele shprehimisht në këtë dhomë",
"Values at explicit levels": "Vlera në nivele shprehimisht",
"Settable at room": "I caktueshëm për dhomën",
"Settable at global": "I caktueshëm te të përgjithshmet",
"Level": "Nivel",
"Setting definition:": "Përkufizim rregullimi:",
"This UI does NOT check the types of the values. Use at your own risk.": "Kjo UI NUK kontrollon llojet e vlerave. Përdorini me përgjegjësinë tuaj.",
"Setting:": "Rregullim:",
"Value in this room": "Vlerë në këtë dhomë",
"Value": "Vlerë",
"Show chat effects (animations when receiving e.g. confetti)": "Shfaq efekte fjalosjeje (animacione kur merren bonbone, për shembull)",
"Original event source": "Burim i veprimtarisë origjinale", "Original event source": "Burim i veprimtarisë origjinale",
"Decrypted event source": "U shfshehtëzua burim veprimtarie", "Decrypted event source": "U shfshehtëzua burim veprimtarie",
"Invite by username": "Ftoni përmes emri përdoruesi", "Invite by username": "Ftoni përmes emri përdoruesi",
@ -2072,8 +2030,6 @@
"Invite someone using their name, email address, username (like <userId/>) or <a>share this space</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ë hapësirë</a>.", "Invite someone using their name, email address, username (like <userId/>) or <a>share this space</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ë hapësirë</a>.",
"Unnamed Space": "Hapësirë e Paemërtuar", "Unnamed Space": "Hapësirë e Paemërtuar",
"Invite to %(spaceName)s": "Ftojeni te %(spaceName)s", "Invite to %(spaceName)s": "Ftojeni te %(spaceName)s",
"Caution:": "Kujdes:",
"Setting ID": "ID Rregullimi",
"Create a new room": "Krijoni dhomë të re", "Create a new room": "Krijoni dhomë të re",
"Spaces": "Hapësira", "Spaces": "Hapësira",
"Space selection": "Përzgjedhje hapësire", "Space selection": "Përzgjedhje hapësire",
@ -2097,7 +2053,6 @@
"Invite only, best for yourself or teams": "Vetëm me ftesa, më e mira për ju dhe ekipe", "Invite only, best for yourself or teams": "Vetëm me ftesa, më e mira për ju dhe ekipe",
"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ë",
"Jump to the bottom of the timeline when you send a message": "Kalo te fundi i rrjedhës kohore, kur dërgoni një mesazh",
"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.", "You're already in a call with this person.": "Gjendeni tashmë në thirrje me këtë person.",
"Already in call": "Tashmë në thirrje", "Already in call": "Tashmë në thirrje",
@ -2146,7 +2101,6 @@
"other": "%(count)s persona që i njihni janë bërë pjesë tashmë" "other": "%(count)s persona që i njihni janë bërë pjesë tashmë"
}, },
"Invite to just this room": "Ftoje thjesht te kjo dhomë", "Invite to just this room": "Ftoje thjesht te kjo dhomë",
"Warn before quitting": "Sinjalizo përpara daljes",
"Manage & explore rooms": "Administroni & eksploroni dhoma", "Manage & explore rooms": "Administroni & eksploroni dhoma",
"unknown person": "person i panjohur", "unknown person": "person i panjohur",
"Sends the given message as a spoiler": "E dërgon mesazhin e dhënë si <em>spoiler</em>", "Sends the given message as a spoiler": "E dërgon mesazhin e dhënë si <em>spoiler</em>",
@ -2269,7 +2223,6 @@
"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", "Silence call": "Heshtoje thirrjen",
"Show all rooms in Home": "Shfaq krejt dhomat te Home",
"%(senderName)s changed the <a>pinned messages</a> for the room.": "%(senderName)s ndryshoi <a>mesazhin e fiksuar</a> për këtë dhomë.", "%(senderName)s changed the <a>pinned messages</a> for the room.": "%(senderName)s ndryshoi <a>mesazhin e fiksuar</a> për këtë dhomë.",
"%(senderName)s withdrew %(targetName)s's invitation": "%(senderName)s tërhoqi mbrapsht ftesën për %(targetName)s", "%(senderName)s withdrew %(targetName)s's invitation": "%(senderName)s tërhoqi mbrapsht ftesën për %(targetName)s",
"%(senderName)s withdrew %(targetName)s's invitation: %(reason)s": "%(senderName)s tërhoqi mbrapsht ftesën për %(targetName)s: %(reason)s", "%(senderName)s withdrew %(targetName)s's invitation: %(reason)s": "%(senderName)s tërhoqi mbrapsht ftesën për %(targetName)s: %(reason)s",
@ -2301,8 +2254,6 @@
"Images, GIFs and videos": "Figura, GIF-e dhe video", "Images, GIFs and videos": "Figura, GIF-e dhe video",
"Code blocks": "Blloqe kodi", "Code blocks": "Blloqe kodi",
"Keyboard shortcuts": "Shkurtore tastiere", "Keyboard shortcuts": "Shkurtore tastiere",
"Use Ctrl + F to search timeline": "Përdorni Ctrl + F që të kërkohet te rrjedha kohore",
"Use Command + F to search timeline": "Përdorni Command + F që të kërkohet te rrjedha kohore",
"Integration manager": "Përgjegjës integrimesh", "Integration manager": "Përgjegjës integrimesh",
"Your %(brand)s doesn't allow you to use an integration manager to do this. Please contact an admin.": "%(brand)s-i juaj nuk ju lejon të përdorni një përgjegjës integrimesh për të bërë këtë. Ju lutemi, lidhuni me përgjegjësin.", "Your %(brand)s doesn't allow you to use an integration manager to do this. Please contact an admin.": "%(brand)s-i juaj nuk ju lejon të përdorni një përgjegjës integrimesh për të bërë këtë. Ju lutemi, lidhuni me përgjegjësin.",
"Using this widget may share data <helpIcon /> with %(widgetDomain)s & your integration manager.": "Përdorimi i këtij widget-i mund të sjellë ndarje të dhënash <helpIcon /> me %(widgetDomain)s & përgjegjësin tuaj të integrimeve.", "Using this widget may share data <helpIcon /> with %(widgetDomain)s & your integration manager.": "Përdorimi i këtij widget-i mund të sjellë ndarje të dhënash <helpIcon /> me %(widgetDomain)s & përgjegjësin tuaj të integrimeve.",
@ -2404,7 +2355,6 @@
"Add existing space": "Shtoni hapësirë ekzistuese", "Add existing space": "Shtoni hapësirë ekzistuese",
"Decrypting": "Po shfshehtëzohet", "Decrypting": "Po shfshehtëzohet",
"Show all rooms": "Shfaq krejt dhomat", "Show all rooms": "Shfaq krejt dhomat",
"All rooms you're in will appear in Home.": "Krejt dhomat ku gjendeni, do të shfaqen te Home.",
"Missed call": "Thirrje e humbur", "Missed call": "Thirrje e humbur",
"Call declined": "Thirrja u hodh poshtë", "Call declined": "Thirrja u hodh poshtë",
"Stop recording": "Ndale regjistrimin", "Stop recording": "Ndale regjistrimin",
@ -2437,8 +2387,6 @@
"To avoid these issues, create a <a>new public room</a> for the conversation you plan to have.": "Për të shmangur këto probleme, krijoni për bisedën që keni në plan një <a>dhomë të re publike</a>.", "To avoid these issues, create a <a>new public room</a> for the conversation you plan to have.": "Për të shmangur këto probleme, krijoni për bisedën që keni në plan një <a>dhomë të re publike</a>.",
"The above, but in <Room /> as well": "Atë më sipër, por edhe te <Room />", "The above, but in <Room /> as well": "Atë më sipër, por edhe te <Room />",
"The above, but in any room you are joined or invited to as well": "Atë më sipër, por edhe në çfarëdo dhome ku keni hyrë ose jeni ftuar", "The above, but in any room you are joined or invited to as well": "Atë më sipër, por edhe në çfarëdo dhome ku keni hyrë ose jeni ftuar",
"Autoplay videos": "Vetëluaji videot",
"Autoplay GIFs": "Vetëluaji GIF-et",
"%(senderName)s unpinned a message from this room. See all pinned messages.": "%(senderName)s hoqi fiksimin e një mesazhi nga kjo dhomë. Shihni krejt mesazhet e fiksuar.", "%(senderName)s unpinned a message from this room. See all pinned messages.": "%(senderName)s hoqi fiksimin e një mesazhi nga kjo dhomë. Shihni krejt mesazhet e fiksuar.",
"%(senderName)s unpinned <a>a message</a> from this room. See all <b>pinned messages</b>.": "%(senderName)s hoqi fiksimin e <a>një mesazhi</a> nga kjo dhomë. Shihni krejt <b>mesazhet e fiksuar</b>.", "%(senderName)s unpinned <a>a message</a> from this room. See all <b>pinned messages</b>.": "%(senderName)s hoqi fiksimin e <a>një mesazhi</a> nga kjo dhomë. Shihni krejt <b>mesazhet e fiksuar</b>.",
"%(senderName)s pinned a message to this room. See all pinned messages.": "%(senderName)s fiksoi një mesazh te kjo dhomë. Shihni krejt mesazhet e fiksuar.", "%(senderName)s pinned a message to this room. See all pinned messages.": "%(senderName)s fiksoi një mesazh te kjo dhomë. Shihni krejt mesazhet e fiksuar.",
@ -2644,7 +2592,6 @@
"Themes": "Tema", "Themes": "Tema",
"Moderation": "Moderim", "Moderation": "Moderim",
"Messaging": "Shkëmbim mesazhes", "Messaging": "Shkëmbim mesazhes",
"Clear": "Spastroje",
"Spaces you know that contain this space": "Hapësira që e dini se përmbajnë këtë hapësirë", "Spaces you know that contain this space": "Hapësira që e dini se përmbajnë këtë hapësirë",
"You may contact me if you want to follow up or to let me test out upcoming ideas": "Mund të lidheni me mua për vazhdimin, ose për të më lejuar të testoj ide të ardhshme", "You may contact me if you want to follow up or to let me test out upcoming ideas": "Mund të lidheni me mua për vazhdimin, ose për të më lejuar të testoj ide të ardhshme",
"Chat": "Fjalosje", "Chat": "Fjalosje",
@ -2746,7 +2693,6 @@
"Waiting for you to verify on your other device, %(deviceName)s (%(deviceId)s)…": "Po pritet që ju të verifikoni në pajisjen tuaj tjetër, %(deviceName)s (%(deviceId)s)…", "Waiting for you to verify on your other device, %(deviceName)s (%(deviceId)s)…": "Po pritet që ju të verifikoni në pajisjen tuaj tjetër, %(deviceName)s (%(deviceId)s)…",
"Verify this device by confirming the following number appears on its screen.": "Verifikoni këtë pajisje duke ripohuar se numri vijues shfaqet në ekranin e saj.", "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ë:",
"Edit setting": "Përpunoni rregullimin",
"Expand map": "Zgjeroje hartën", "Expand map": "Zgjeroje hartën",
"Send reactions": "Dërgo reagime", "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ë",
@ -2777,7 +2723,6 @@
"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 users": "Hiqni përdorues",
"Show join/leave messages (invites/removes/bans unaffected)": "Shfaq mesazhe hyrjesh/daljesh (kjo nuk prek mesazhe ftesash/heqjesh/dëbimesh )",
"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",
"%(senderName)s removed %(targetName)s": "%(senderName)s hoqi %(targetName)s", "%(senderName)s removed %(targetName)s": "%(senderName)s hoqi %(targetName)s",
@ -2858,11 +2803,6 @@
"one": "%(severalUsers)s hoqi një mesazh", "one": "%(severalUsers)s hoqi një mesazh",
"other": "%(severalUsers)s hoqi %(count)s mesazhe" "other": "%(severalUsers)s hoqi %(count)s mesazhe"
}, },
"<empty string>": "<varg i zbrazët>",
"<%(count)s spaces>": {
"one": "<hapësirë>",
"other": "<%(count)s hapësira>"
},
"Automatically send debug logs when key backup is not functioning": "Dërgo automatikisht regjistra diagnostikimi, kur kopjeruajtja e kyçeve nuk funksionon", "Automatically send debug logs when key backup is not functioning": "Dërgo automatikisht regjistra diagnostikimi, kur kopjeruajtja e kyçeve nuk funksionon",
"Edit poll": "Përpunoni pyetësor", "Edit poll": "Përpunoni pyetësor",
"Sorry, you can't edit a poll after votes have been cast.": "Na ndjeni, smund të përpunoni një pyetësor pasi të jenë hedhur votat.", "Sorry, you can't edit a poll after votes have been cast.": "Na ndjeni, smund të përpunoni një pyetësor pasi të jenë hedhur votat.",
@ -2928,37 +2868,12 @@
"Shared a location: ": "Dha një vendndodhje: ", "Shared a location: ": "Dha një vendndodhje: ",
"Shared their location: ": "Dha vendndodhjen e vet: ", "Shared their location: ": "Dha vendndodhjen e vet: ",
"Busy": "I zënë", "Busy": "I zënë",
"Insert a trailing colon after user mentions at the start of a message": "Fut dy pika pas përmendjesh përdoruesi, në fillim të një mesazhi",
"Command error: Unable to handle slash command.": "Gabim urdhri: Sarrihet të trajtohet urdhër i dhënë me / .", "Command error: Unable to handle slash command.": "Gabim urdhri: Sarrihet të trajtohet urdhër i dhënë me / .",
"Next recently visited room or space": "Dhoma ose hapësira pasuese vizituar së fundi", "Next recently visited room or space": "Dhoma ose hapësira pasuese vizituar së fundi",
"Previous recently visited room or space": "Dhoma ose hapësira e mëparshme vizituar së fundi", "Previous recently visited room or space": "Dhoma ose hapësira e mëparshme vizituar së fundi",
"%(timeRemaining)s left": "Edhe %(timeRemaining)s", "%(timeRemaining)s left": "Edhe %(timeRemaining)s",
"Event ID: %(eventId)s": "ID Veprimtarie: %(eventId)s", "Event ID: %(eventId)s": "ID Veprimtarie: %(eventId)s",
"No verification requests found": "Su gjetën kërkesa verifikimi",
"Observe only": "Vetëm vëzhgo",
"Requester": "Kërkues",
"Methods": "Metoda",
"Timeout": "Mbarim kohe",
"Phase": "Fazë",
"Transaction": "Transaksion",
"Cancelled": "Anuluar",
"Started": "Nisur më",
"Ready": "Gati",
"Requested": "E kërkuar",
"Unsent": "Të padërguar", "Unsent": "Të padërguar",
"Edit values": "Përpunoni vlera",
"Failed to save settings.": "Su arrit të ruhen rregullimet.",
"Number of users": "Numër përdoruesish",
"Server": "Shërbyes",
"Server Versions": "Versione Shërbyesi",
"Client Versions": "Versione Klienti",
"Failed to load.": "Su arrit të ngarkohej.",
"Capabilities": "Aftësi",
"Send custom state event": "Dërgoni akt vetjak gjendjeje",
"Failed to send event!": "Su arrit të dërgohet akt!",
"Doesn't look like valid JSON.": "Sduket si JSON i vlefshëm.",
"Send custom room account data event": "Dërgo akt vetjak të dhënash llogarie dhome",
"Send custom account data event": "Dërgoni akt vetjak të dhënash llogarie",
"Room ID: %(roomId)s": "ID Dhome: %(roomId)s", "Room ID: %(roomId)s": "ID Dhome: %(roomId)s",
"Server info": "Hollësi shërbyesi", "Server info": "Hollësi shërbyesi",
"Settings explorer": "Eksplorues rregullimesh", "Settings explorer": "Eksplorues rregullimesh",
@ -3091,7 +3006,6 @@
}, },
"%(members)s and %(last)s": "%(members)s dhe %(last)s", "%(members)s and %(last)s": "%(members)s dhe %(last)s",
"%(members)s and more": "%(members)s dhe më tepër", "%(members)s and more": "%(members)s dhe më tepër",
"Enable hardware acceleration (restart %(appName)s to take effect)": "Aktivizoni përshpejtim hardware (që kjo të hyjë në fuqi, rinisni %(appName)s)",
"Deactivating your account is a permanent action — be careful!": "Çaktivizimi i llogarisë tuaj është një veprim i pakthyeshëm - hapni sytë!", "Deactivating your account is a permanent action — be careful!": "Çaktivizimi i llogarisë tuaj është një veprim i pakthyeshëm - hapni sytë!",
"Your password was successfully changed.": "Fjalëkalimi juaj u ndryshua me sukses.", "Your password was successfully changed.": "Fjalëkalimi juaj u ndryshua me sukses.",
"Confirm signing out these devices": { "Confirm signing out these devices": {
@ -3111,7 +3025,6 @@
"sends hearts": "dërgoni zemra", "sends hearts": "dërgoni zemra",
"Sends the given message with hearts": "Mesazhin e dhënë e dërgon me zemra", "Sends the given message with hearts": "Mesazhin e dhënë e dërgon me zemra",
"Enable hardware acceleration": "Aktivizo përshpejtim hardware", "Enable hardware acceleration": "Aktivizo përshpejtim hardware",
"Enable Markdown": "Aktivizoni Markdown",
"Explore public spaces in the new search dialog": "Eksploroni hapësira publike te dialogu i ri i kërkimeve", "Explore public spaces in the new search dialog": "Eksploroni hapësira publike te dialogu i ri i kërkimeve",
"Connection lost": "Humbi lidhja", "Connection lost": "Humbi lidhja",
"Jump to the given date in the timeline": "Kalo te data e dhënë, te rrjedha kohore", "Jump to the given date in the timeline": "Kalo te data e dhënë, te rrjedha kohore",
@ -3279,7 +3192,6 @@
"You made it!": "E bëtë!", "You made it!": "E bëtë!",
"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",
"Send read receipts": "Dërgo dëftesa leximi",
"Notifications silenced": "Njoftime të heshtuara", "Notifications silenced": "Njoftime të heshtuara",
"Video call started": "Nisi thirrje me video", "Video call started": "Nisi thirrje me video",
"Unknown room": "Dhomë e panjohur", "Unknown room": "Dhomë e panjohur",
@ -3435,16 +3347,6 @@
"Manage account": "Administroni llogari", "Manage account": "Administroni llogari",
"Your account details are managed separately at <code>%(hostname)s</code>.": "Hollësitë e llogarisë tuaj administrohen ndarazi te <code>%(hostname)s</code>.", "Your account details are managed separately at <code>%(hostname)s</code>.": "Hollësitë e llogarisë tuaj administrohen ndarazi te <code>%(hostname)s</code>.",
"Unable to play this voice broadcast": "Sarrihet të luhet ky transmetim zanor", "Unable to play this voice broadcast": "Sarrihet të luhet ky transmetim zanor",
"Threads timeline": "Rrjedhë kohore rrjedhash",
"Sender: ": "Dërgues: ",
"Type: ": "Lloj: ",
"ID: ": "ID: ",
"Last event:": "Veprimtaria e fundit:",
"No receipt found": "Su gjet dëftesë",
"Highlight: ": "Theksoje: ",
"Total: ": "Gjithsej: ",
"Main timeline": "Rrjedhë kohore kryesore",
"Room status": "Gjendje dhome",
"Notifications debug": "Diagnostikim njoftimesh", "Notifications debug": "Diagnostikim njoftimesh",
"%(displayName)s (%(matrixId)s)": "%(displayName)s (%(matrixId)s)", "%(displayName)s (%(matrixId)s)": "%(displayName)s (%(matrixId)s)",
"unknown": "e panjohur", "unknown": "e panjohur",
@ -3468,7 +3370,6 @@
"Scan QR code": "Skanoni kodin QR", "Scan QR code": "Skanoni kodin QR",
"Select '%(scanQRCode)s'": "Përzgjidhni “%(scanQRCode)s”", "Select '%(scanQRCode)s'": "Përzgjidhni “%(scanQRCode)s”",
"Loading live location…": "Po ngarkohet vendndodhje “live”…", "Loading live location…": "Po ngarkohet vendndodhje “live”…",
"Thread Id: ": "ID Rrjedhe: ",
"There are no past polls in this room": "Ska pyetësorë të kaluar në këtë dhomë", "There are no past polls in this room": "Ska pyetësorë të kaluar në këtë dhomë",
"There are no active polls in this room": "Ska pyetësorë aktivë në këtë dhomë", "There are no active polls in this room": "Ska pyetësorë aktivë në këtë dhomë",
"Fetching keys from server…": "Po sillen kyçet prej shërbyesi…", "Fetching keys from server…": "Po sillen kyçet prej shërbyesi…",
@ -3502,13 +3403,6 @@
"Unable to connect to Homeserver. Retrying…": "Su arrit të lidhej me shërbyesin Home. Po riprovohet…", "Unable to connect to Homeserver. Retrying…": "Su arrit të lidhej me shërbyesin Home. Po riprovohet…",
"WARNING: session already verified, but keys do NOT MATCH!": "KUJDES: sesion tashmë i verifikuar, por kyçet NUK PËRPUTHEN!", "WARNING: session already verified, but keys do NOT MATCH!": "KUJDES: sesion tashmë i verifikuar, por kyçet NUK PËRPUTHEN!",
"Your email address does not appear to be associated with a Matrix ID on this homeserver.": "Adresa juaj email sduket të jetë e përshoqëruar me ndonjë ID Matrix në këtë shërbyes Home.", "Your email address does not appear to be associated with a Matrix ID on this homeserver.": "Adresa juaj email sduket të jetë e përshoqëruar me ndonjë ID Matrix në këtë shërbyes Home.",
"Room is <strong>not encrypted 🚨</strong>": "Dhoma është <strong>e pafshehtëzuar 🚨</strong>",
"Room is <strong>encrypted ✅</strong>": "Dhoma është <strong>e fshehtëzuar ✅</strong>",
"Notification state is <strong>%(notificationState)s</strong>": "Gjendje njoftimi është <strong>%(notificationState)s</strong>",
"Room unread status: <strong>%(status)s</strong>": "Gjendje e palexuar në dhomë: <strong>%(status)s</strong>",
"Room unread status: <strong>%(status)s</strong>, count: <strong>%(count)s</strong>": {
"other": "Gjendje të palexuara në dhomë: <strong>%(status)s</strong>, count: <strong>%(count)s</strong>"
},
"Loading polls": "Po ngarkohen pyetësorë", "Loading polls": "Po ngarkohen pyetësorë",
"Enable '%(manageIntegrations)s' in Settings to do this.": "Që të bëni këtë, aktivizoni '%(manageIntegrations)s' te Rregullimet.", "Enable '%(manageIntegrations)s' in Settings to do this.": "Që të bëni këtë, aktivizoni '%(manageIntegrations)s' te Rregullimet.",
"Ended a poll": "Përfundoi një pyetësor", "Ended a poll": "Përfundoi një pyetësor",
@ -3518,7 +3412,6 @@
"Room directory": "Drejtori dhomash", "Room directory": "Drejtori dhomash",
"Identity server is <code>%(identityServerUrl)s</code>": "Shërbyes identiteti është <code>%(identityServerUrl)s</code>", "Identity server is <code>%(identityServerUrl)s</code>": "Shërbyes identiteti është <code>%(identityServerUrl)s</code>",
"Homeserver is <code>%(homeserverUrl)s</code>": "Shërbyes Home është <code>%(homeserverUrl)s</code>", "Homeserver is <code>%(homeserverUrl)s</code>": "Shërbyes Home është <code>%(homeserverUrl)s</code>",
"Show NSFW content": "Shfaq lëndë NSFW",
"If you know a room address, try joining through that instead.": "Nëse e dini një adresë dhome, provoni të hyni përmes saj, më miër.", "If you know a room address, try joining through that instead.": "Nëse e dini një adresë dhome, provoni të hyni përmes saj, më miër.",
"You attempted to join using a room ID without providing a list of servers to join through. Room IDs are internal identifiers and cannot be used to join a room without additional information.": "U rrekët të hyni duke përdorur një ID dhome pa dhënë një listë shërbyesish përmes të cilëve të hyhet. ID-të e dhomave janë identifikues të brendshëm dhe smund të përdoren për të hyrë në një dhomë pa hollësi shtesë.", "You attempted to join using a room ID without providing a list of servers to join through. Room IDs are internal identifiers and cannot be used to join a room without additional information.": "U rrekët të hyni duke përdorur një ID dhome pa dhënë një listë shërbyesish përmes të cilëve të hyhet. ID-të e dhomave janë identifikues të brendshëm dhe smund të përdoren për të hyrë në një dhomë pa hollësi shtesë.",
"Yes, it was me": "Po, unë qeshë", "Yes, it was me": "Po, unë qeshë",
@ -3580,7 +3473,6 @@
"%(errorMessage)s (HTTP status %(httpStatus)s)": "%(errorMessage)s (gjendje HTTP %(httpStatus)s)", "%(errorMessage)s (HTTP status %(httpStatus)s)": "%(errorMessage)s (gjendje HTTP %(httpStatus)s)",
"Unknown password change error (%(stringifiedError)s)": "Gabim i panjohur ndryshimi fjalëkalimi (%(stringifiedError)s)", "Unknown password change error (%(stringifiedError)s)": "Gabim i panjohur ndryshimi fjalëkalimi (%(stringifiedError)s)",
"Error while changing password: %(error)s": "Gabim teksa ndryshohej fjalëkalimi: %(error)s", "Error while changing password: %(error)s": "Gabim teksa ndryshohej fjalëkalimi: %(error)s",
"Start messages with <code>/plain</code> to send without markdown.": "Për ti dërguar pa elementë Markdown, fillojini mesazhet me <code>/plain</code>.",
"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",
@ -3671,7 +3563,9 @@
"android": "Android", "android": "Android",
"trusted": "E besuar", "trusted": "E besuar",
"not_trusted": "Jo e besuar", "not_trusted": "Jo e besuar",
"accessibility": "Përdorim nga persona me aftësi të kufizuara" "accessibility": "Përdorim nga persona me aftësi të kufizuara",
"capabilities": "Aftësi",
"server": "Shërbyes"
}, },
"action": { "action": {
"continue": "Vazhdo", "continue": "Vazhdo",
@ -3769,7 +3663,8 @@
"maximise": "Maksimizoje", "maximise": "Maksimizoje",
"mention": "Përmendje", "mention": "Përmendje",
"submit": "Parashtroje", "submit": "Parashtroje",
"send_report": "Dërgoje njoftimin" "send_report": "Dërgoje njoftimin",
"clear": "Spastroje"
}, },
"a11y": { "a11y": {
"user_menu": "Menu përdoruesi" "user_menu": "Menu përdoruesi"
@ -3895,5 +3790,114 @@
"you_did_it": "Ia dolët!", "you_did_it": "Ia dolët!",
"complete_these": "Plotësoni këto, që të përfitoni maksimumin prej %(brand)s", "complete_these": "Plotësoni këto, që të përfitoni maksimumin prej %(brand)s",
"community_messaging_description": "Ruani pronësinë dhe kontrollin e diskutimit në bashkësi.\nPërshkallëzojeni për të mbuluar miliona, me moderim dhe ndërveprueshmëri të fuqishme." "community_messaging_description": "Ruani pronësinë dhe kontrollin e diskutimit në bashkësi.\nPërshkallëzojeni për të mbuluar miliona, me moderim dhe ndërveprueshmëri të fuqishme."
},
"devtools": {
"send_custom_account_data_event": "Dërgoni akt vetjak të dhënash llogarie",
"send_custom_room_account_data_event": "Dërgo akt vetjak të dhënash llogarie dhome",
"event_type": "Lloj Akti",
"state_key": "Kyç Gjendjesh",
"invalid_json": "Sduket si JSON i vlefshëm.",
"failed_to_send": "Su arrit të dërgohet akt!",
"event_sent": "Akti u dërgua!",
"event_content": "Lëndë Akti",
"no_receipt_found": "Su gjet dëftesë",
"room_status": "Gjendje dhome",
"room_unread_status_count": {
"other": "Gjendje të palexuara në dhomë: <strong>%(status)s</strong>, count: <strong>%(count)s</strong>"
},
"notification_state": "Gjendje njoftimi është <strong>%(notificationState)s</strong>",
"room_encrypted": "Dhoma është <strong>e fshehtëzuar ✅</strong>",
"room_not_encrypted": "Dhoma është <strong>e pafshehtëzuar 🚨</strong>",
"main_timeline": "Rrjedhë kohore kryesore",
"threads_timeline": "Rrjedhë kohore rrjedhash",
"room_notifications_total": "Gjithsej: ",
"room_notifications_highlight": "Theksoje: ",
"room_notifications_last_event": "Veprimtaria e fundit:",
"room_notifications_type": "Lloj: ",
"room_notifications_sender": "Dërgues: ",
"room_notifications_thread_id": "ID Rrjedhe: ",
"spaces": {
"one": "<hapësirë>",
"other": "<%(count)s hapësira>"
},
"empty_string": "<varg i zbrazët>",
"room_unread_status": "Gjendje e palexuar në dhomë: <strong>%(status)s</strong>",
"id": "ID: ",
"send_custom_state_event": "Dërgoni akt vetjak gjendjeje",
"failed_to_load": "Su arrit të ngarkohej.",
"client_versions": "Versione Klienti",
"server_versions": "Versione Shërbyesi",
"number_of_users": "Numër përdoruesish",
"failed_to_save": "Su arrit të ruhen rregullimet.",
"save_setting_values": "Ruaj vlera rregullimi",
"setting_colon": "Rregullim:",
"caution_colon": "Kujdes:",
"use_at_own_risk": "Kjo UI NUK kontrollon llojet e vlerave. Përdorini me përgjegjësinë tuaj.",
"setting_definition": "Përkufizim rregullimi:",
"level": "Nivel",
"settable_global": "I caktueshëm te të përgjithshmet",
"settable_room": "I caktueshëm për dhomën",
"values_explicit": "Vlera në nivele shprehimisht",
"values_explicit_room": "Vlera në nivele shprehimisht në këtë dhomë",
"edit_values": "Përpunoni vlera",
"value_colon": "Vlerë:",
"value_this_room_colon": "Vlerë në këtë dhomë:",
"values_explicit_colon": "Vlera në nivele shprehimisht:",
"values_explicit_this_room_colon": "Vlera në nivele shprehimisht në këtë dhomë:",
"setting_id": "ID Rregullimi",
"value": "Vlerë",
"value_in_this_room": "Vlerë në këtë dhomë",
"edit_setting": "Përpunoni rregullimin",
"phase_requested": "E kërkuar",
"phase_ready": "Gati",
"phase_started": "Nisur më",
"phase_cancelled": "Anuluar",
"phase_transaction": "Transaksion",
"phase": "Fazë",
"timeout": "Mbarim kohe",
"methods": "Metoda",
"requester": "Kërkues",
"observe_only": "Vetëm vëzhgo",
"no_verification_requests_found": "Su gjetën kërkesa verifikimi",
"failed_to_find_widget": "Pati një gabim në gjetjen e këtij widget-i."
},
"settings": {
"show_breadcrumbs": "Shfaq te lista e dhomave shkurtore për te dhoma të para së fundi",
"all_rooms_home_description": "Krejt dhomat ku gjendeni, do të shfaqen te Home.",
"use_command_f_search": "Përdorni Command + F që të kërkohet te rrjedha kohore",
"use_control_f_search": "Përdorni Ctrl + F që të kërkohet te rrjedha kohore",
"use_12_hour_format": "Vulat kohore shfaqi në formatin 12 orësh (p.sh. 2:30pm)",
"always_show_message_timestamps": "Shfaq përherë vula kohore për mesazhet",
"send_read_receipts": "Dërgo dëftesa leximi",
"send_typing_notifications": "Dërgo njoftime shtypjesh",
"replace_plain_emoji": "Zëvendëso automatikisht emotikone tekst të thjeshtë me Emoji",
"enable_markdown": "Aktivizoni Markdown",
"emoji_autocomplete": "Aktivizo sugjerime emoji-sh teksa shtypet",
"use_command_enter_send_message": "Që të dërgoni një mesazh, përdorni tastet Command + Enter",
"use_control_enter_send_message": "Që të dërgoni një mesazh përdorni tastet Ctrl + Enter",
"all_rooms_home": "Shfaq krejt dhomat te Home",
"enable_markdown_description": "Për ti dërguar pa elementë Markdown, fillojini mesazhet me <code>/plain</code>.",
"show_stickers_button": "Shfaq buton ngjitësish",
"insert_trailing_colon_mentions": "Fut dy pika pas përmendjesh përdoruesi, në fillim të një mesazhi",
"automatic_language_detection_syntax_highlight": "Aktivizo pikasje të vetvetishme të gjuhës për theksim sintakse",
"code_block_expand_default": "Zgjeroji blloqet e kodit, si parazgjedhje",
"code_block_line_numbers": "Shfaq numra rreshtat në blloqe kodi",
"inline_url_previews_default": "Aktivizo, si parazgjedhje, paraparje URL-sh brendazi",
"autoplay_gifs": "Vetëluaji GIF-et",
"autoplay_videos": "Vetëluaji videot",
"image_thumbnails": "Shfaq për figurat paraparje/miniatura",
"show_typing_notifications": "Shfaq njoftime shtypjeje",
"show_redaction_placeholder": "Shfaq një vendmbajtëse për mesazhe të hequr",
"show_read_receipts": "Shfaq dëftesa leximi dërguar nga përdorues të tjerë",
"show_join_leave": "Shfaq mesazhe hyrjesh/daljesh (kjo nuk prek mesazhe ftesash/heqjesh/dëbimesh )",
"show_displayname_changes": "Shfaq ndryshime emrash ekrani",
"show_chat_effects": "Shfaq efekte fjalosjeje (animacione kur merren bonbone, për shembull)",
"big_emoji": "Aktivizo emoji-t e mëdhenj në fjalosje",
"jump_to_bottom_on_send": "Kalo te fundi i rrjedhës kohore, kur dërgoni një mesazh",
"show_nsfw_content": "Shfaq lëndë NSFW",
"prompt_invite": "Pyet, përpara se të dërgohen ftesa te ID Matrix potencialisht të pavlefshme",
"hardware_acceleration": "Aktivizoni përshpejtim hardware (që kjo të hyjë në fuqi, rinisni %(appName)s)",
"start_automatically": "Nisu vetvetiu pas hyrjes në sistem",
"warn_quit": "Sinjalizo përpara daljes"
} }
} }

View file

@ -82,12 +82,7 @@
"Your browser does not support the required cryptography extensions": "Ваш прегледач не подржава потребна криптографска проширења", "Your browser does not support the required cryptography extensions": "Ваш прегледач не подржава потребна криптографска проширења",
"Not a valid %(brand)s keyfile": "Није исправана %(brand)s кључ-датотека", "Not a valid %(brand)s keyfile": "Није исправана %(brand)s кључ-датотека",
"Authentication check failed: incorrect password?": "Провера идентитета није успела: нетачна лозинка?", "Authentication check failed: incorrect password?": "Провера идентитета није успела: нетачна лозинка?",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "Прикажи временске жигове у 12-сатном облику (нпр.: 2:30 ПоП)",
"Always show message timestamps": "Увек прикажи временске жигове",
"Enable automatic language detection for syntax highlighting": "Омогући самостално препознавање језика за истицање синтаксе",
"Automatically replace plain text Emoji": "Самостално замени емоџије писане обичним текстом",
"Mirror local video feed": "Копирај довод локалног видеа", "Mirror local video feed": "Копирај довод локалног видеа",
"Enable inline URL previews by default": "Подразумевано укључи УРЛ прегледе",
"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": "Подразумевано омогући прегледе адреса за чланове ове собе",
"Incorrect verification code": "Нетачни потврдни код", "Incorrect verification code": "Нетачни потврдни код",
@ -349,7 +344,6 @@
"Cryptography": "Криптографија", "Cryptography": "Криптографија",
"Check for update": "Провери да ли има ажурирања", "Check for update": "Провери да ли има ажурирања",
"Reject all %(invitedRooms)s invites": "Одбиј све позивнице за собе %(invitedRooms)s", "Reject all %(invitedRooms)s invites": "Одбиј све позивнице за собе %(invitedRooms)s",
"Start automatically after system login": "Самостално покрећи након пријаве на систем",
"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-у за приступ микрофону/веб камери",
"No Microphones detected": "Нема уочених микрофона", "No Microphones detected": "Нема уочених микрофона",
@ -411,13 +405,11 @@
"Collecting app version information": "Прикупљам податке о издању апликације", "Collecting app version information": "Прикупљам податке о издању апликације",
"Search…": "Претрага…", "Search…": "Претрага…",
"Tuesday": "Уторак", "Tuesday": "Уторак",
"Event sent!": "Догађај је послат!",
"Saturday": "Субота", "Saturday": "Субота",
"Monday": "Понедељак", "Monday": "Понедељак",
"Toolbox": "Алатница", "Toolbox": "Алатница",
"Collecting logs": "Прикупљам записнике", "Collecting logs": "Прикупљам записнике",
"All Rooms": "Све собе", "All Rooms": "Све собе",
"State Key": "Кључ стања",
"Wednesday": "Среда", "Wednesday": "Среда",
"All messages": "Све поруке", "All messages": "Све поруке",
"Call invitation": "Позивница за позив", "Call invitation": "Позивница за позив",
@ -431,11 +423,9 @@
"Messages in group chats": "Поруке у групним ћаскањима", "Messages in group chats": "Поруке у групним ћаскањима",
"Yesterday": "Јуче", "Yesterday": "Јуче",
"Error encountered (%(errorDetail)s).": "Догодила се грешка (%(errorDetail)s).", "Error encountered (%(errorDetail)s).": "Догодила се грешка (%(errorDetail)s).",
"Event Type": "Врста догађаја",
"Low Priority": "Најмања важност", "Low Priority": "Најмања важност",
"What's New": "Шта је ново", "What's New": "Шта је ново",
"Developer Tools": "Програмерске алатке", "Developer Tools": "Програмерске алатке",
"Event Content": "Садржај догађаја",
"Thank you!": "Хвала вам!", "Thank you!": "Хвала вам!",
"Popout widget": "Виџет за искакање", "Popout widget": "Виџет за искакање",
"Missing roomId.": "Недостаје roomId.", "Missing roomId.": "Недостаје roomId.",
@ -500,7 +490,6 @@
"%(senderName)s placed a video call. (not supported by this browser)": "%(senderName)s је започео видео позив. (није подржано од стране овог прегледача)", "%(senderName)s placed a video call. (not supported by this browser)": "%(senderName)s је започео видео позив. (није подржано од стране овог прегледача)",
"You do not have permission to invite people to this room.": "Немате дозволу за позивање људи у ову собу.", "You do not have permission to invite people to this room.": "Немате дозволу за позивање људи у ову собу.",
"Encryption upgrade available": "Надоградња шифровања је доступна", "Encryption upgrade available": "Надоградња шифровања је доступна",
"Enable Emoji suggestions while typing": "Омогући предлоге емоџија приликом куцања",
"Show more": "Прикажи више", "Show more": "Прикажи више",
"Cannot connect to integration manager": "Не могу се повезати на управника уградњи", "Cannot connect to integration manager": "Не могу се повезати на управника уградњи",
"Email addresses": "Мејл адресе", "Email addresses": "Мејл адресе",
@ -1035,7 +1024,6 @@
"They don't match": "Не поклапају се", "They don't match": "Не поклапају се",
"They match": "Поклапају се", "They match": "Поклапају се",
"Cancelling…": "Отказујем…", "Cancelling…": "Отказујем…",
"Show stickers button": "Прикажи дугме за налепнице",
"%(brand)s is securely caching encrypted messages locally for them to appear in search results:": "%(brand)s је локално сигурно кешира шифроване поруке да би се појавиле у резултатима претраге:", "%(brand)s is securely caching encrypted messages locally for them to appear in search results:": "%(brand)s је локално сигурно кешира шифроване поруке да би се појавиле у резултатима претраге:",
"You may want to try a different search or check for typos.": "Можда ћете желети да испробате другачију претрагу или да проверите да ли имате правописне грешке.", "You may want to try a different search or check for typos.": "Можда ћете желети да испробате другачију претрагу или да проверите да ли имате правописне грешке.",
"This version of %(brand)s does not support searching encrypted messages": "Ова верзија %(brand)s с не подржава претраживање шифрованих порука", "This version of %(brand)s does not support searching encrypted messages": "Ова верзија %(brand)s с не подржава претраживање шифрованих порука",
@ -1176,7 +1164,6 @@
"Who are you working with?": "Са ким радите?", "Who are you working with?": "Са ким радите?",
"Autocomplete": "Аутоматско довршавање", "Autocomplete": "Аутоматско довршавање",
"This room is public": "Ова соба је јавна", "This room is public": "Ова соба је јавна",
"Caution:": "Опрез:",
"Change room avatar": "Промените аватар собе", "Change room avatar": "Промените аватар собе",
"Browse": "Прегледајте", "Browse": "Прегледајте",
"Versions": "Верзије", "Versions": "Верзије",
@ -1356,5 +1343,22 @@
"bug_reporting": { "bug_reporting": {
"submit_debug_logs": "Пошаљи записнике за поправљање грешака", "submit_debug_logs": "Пошаљи записнике за поправљање грешака",
"send_logs": "Пошаљи записнике" "send_logs": "Пошаљи записнике"
},
"devtools": {
"event_type": "Врста догађаја",
"state_key": "Кључ стања",
"event_sent": "Догађај је послат!",
"event_content": "Садржај догађаја",
"caution_colon": "Опрез:"
},
"settings": {
"use_12_hour_format": "Прикажи временске жигове у 12-сатном облику (нпр.: 2:30 ПоП)",
"always_show_message_timestamps": "Увек прикажи временске жигове",
"replace_plain_emoji": "Самостално замени емоџије писане обичним текстом",
"emoji_autocomplete": "Омогући предлоге емоџија приликом куцања",
"show_stickers_button": "Прикажи дугме за налепнице",
"automatic_language_detection_syntax_highlight": "Омогући самостално препознавање језика за истицање синтаксе",
"inline_url_previews_default": "Подразумевано укључи УРЛ прегледе",
"start_automatically": "Самостално покрећи након пријаве на систем"
} }
} }

View file

@ -83,7 +83,6 @@
"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", "Stop the camera": "Zaustavi kameru",
"Use Ctrl + Enter to send a message": "Koristi Ctrl + Enter za slanje poruke",
"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",
@ -106,5 +105,8 @@
"hours_minutes_seconds_left": "%(hours)sh %(minutes)sm %(seconds)ss preostalo", "hours_minutes_seconds_left": "%(hours)sh %(minutes)sm %(seconds)ss preostalo",
"minutes_seconds_left": "%(minutes)sm %(seconds)ss preostalo", "minutes_seconds_left": "%(minutes)sm %(seconds)ss preostalo",
"seconds_left": "preostalo još %(seconds)ss" "seconds_left": "preostalo još %(seconds)ss"
},
"settings": {
"use_control_enter_send_message": "Koristi Ctrl + Enter za slanje poruke"
} }
} }

View file

@ -7,7 +7,6 @@
"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", "Advanced": "Avancerat",
"Always show message timestamps": "Visa alltid tidsstämplar för meddelanden",
"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...": {
@ -121,7 +120,6 @@
"Server may be unavailable, overloaded, or you hit a bug.": "Servern kan vara otillgänglig eller överbelastad, eller så stötte du på en bugg.", "Server may be unavailable, overloaded, or you hit a bug.": "Servern kan vara otillgänglig eller överbelastad, eller så stötte du på en bugg.",
"Server unavailable, overloaded, or something else went wrong.": "Servern är otillgänglig eller överbelastad, eller så gick något annat fel.", "Server unavailable, overloaded, or something else went wrong.": "Servern är otillgänglig eller överbelastad, eller så gick något annat fel.",
"Session ID": "Sessions-ID", "Session ID": "Sessions-ID",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "Visa tidsstämplar i 12-timmarsformat (t.ex. 2:30em)",
"Signed Out": "Loggade ut", "Signed Out": "Loggade ut",
"Start authentication": "Starta autentisering", "Start authentication": "Starta autentisering",
"Create new room": "Skapa nytt rum", "Create new room": "Skapa nytt rum",
@ -129,7 +127,6 @@
"unknown error code": "okänd felkod", "unknown error code": "okänd felkod",
"Delete widget": "Radera widget", "Delete widget": "Radera widget",
"Define the power level of a user": "Definiera behörighetsnivå för en användare", "Define the power level of a user": "Definiera behörighetsnivå för en användare",
"Enable automatic language detection for syntax highlighting": "Aktivera automatisk språkdetektering för syntaxmarkering",
"Publish this room to the public in %(domain)s's room directory?": "Publicera rummet i den offentliga rumskatalogen på %(domain)s?", "Publish this room to the public in %(domain)s's room directory?": "Publicera rummet i den offentliga rumskatalogen på %(domain)s?",
"AM": "FM", "AM": "FM",
"PM": "EM", "PM": "EM",
@ -293,7 +290,6 @@
"Unable to verify email address.": "Kunde inte verifiera e-postadressen.", "Unable to verify email address.": "Kunde inte verifiera e-postadressen.",
"You must <a>register</a> to use this functionality": "Du måste <a>registrera dig</a> för att använda den här funktionaliteten", "You must <a>register</a> to use this functionality": "Du måste <a>registrera dig</a> för att använda den här funktionaliteten",
"You must join the room to see its files": "Du måste gå med i rummet för att se tillhörande filer", "You must join the room to see its files": "Du måste gå med i rummet för att se tillhörande filer",
"Start automatically after system login": "Starta automatiskt vid systeminloggning",
"This will allow you to reset your password and receive notifications.": "Det här låter dig återställa lösenordet och ta emot aviseringar.", "This will allow you to reset your password and receive notifications.": "Det här låter dig återställa lösenordet och ta emot aviseringar.",
"New Password": "Nytt lösenord", "New Password": "Nytt lösenord",
"Do you want to set an email address?": "Vill du ange en e-postadress?", "Do you want to set an email address?": "Vill du ange en e-postadress?",
@ -302,7 +298,6 @@
"%(senderDisplayName)s changed the avatar for %(roomName)s": "%(senderDisplayName)s bytte avatar för %(roomName)s", "%(senderDisplayName)s changed the avatar for %(roomName)s": "%(senderDisplayName)s bytte avatar för %(roomName)s",
"%(senderDisplayName)s removed the room avatar.": "%(senderDisplayName)s tog bort rummets avatar.", "%(senderDisplayName)s removed the room avatar.": "%(senderDisplayName)s tog bort rummets avatar.",
"%(senderDisplayName)s changed the room avatar to <img/>": "%(senderDisplayName)s bytte rummets avatar till <img/>", "%(senderDisplayName)s changed the room avatar to <img/>": "%(senderDisplayName)s bytte rummets avatar till <img/>",
"Automatically replace plain text Emoji": "Ersätt automatiskt textemotikoner med emojier",
"%(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": "%(weekDayName)s, %(day)s %(monthName)s %(fullYear)s", "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s, %(day)s %(monthName)s %(fullYear)s",
@ -335,12 +330,8 @@
"Muted Users": "Dämpade användare", "Muted Users": "Dämpade användare",
"This room is not accessible by remote Matrix servers": "Detta rum är inte tillgängligt för externa Matrix-servrar", "This room is not accessible by remote Matrix servers": "Detta rum är inte tillgängligt för externa Matrix-servrar",
"Unable to load event that was replied to, it either does not exist or you do not have permission to view it.": "Kunde inte ladda händelsen som svarades på, antingen så finns den inte eller så har du inte behörighet att se den.", "Unable to load event that was replied to, it either does not exist or you do not have permission to view it.": "Kunde inte ladda händelsen som svarades på, antingen så finns den inte eller så har du inte behörighet att se den.",
"Event sent!": "Händelse skickad!",
"Event Type": "Händelsetyp",
"Event Content": "Händelseinnehåll",
"Unknown error": "Okänt fel", "Unknown error": "Okänt fel",
"Incorrect password": "Felaktigt lösenord", "Incorrect password": "Felaktigt lösenord",
"State Key": "Lägesnyckel",
"Toolbox": "Verktygslåda", "Toolbox": "Verktygslåda",
"Developer Tools": "Utvecklarverktyg", "Developer Tools": "Utvecklarverktyg",
"Clear Storage and Sign Out": "Rensa lagring och logga ut", "Clear Storage and Sign Out": "Rensa lagring och logga ut",
@ -426,7 +417,6 @@
"Something went wrong!": "Något gick fel!", "Something went wrong!": "Något gick fel!",
"You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.": "Du kommer inte att kunna ångra den här ändringen eftersom du degraderar dig själv. Om du är den sista privilegierade användaren i rummet blir det omöjligt att återfå behörigheter.", "You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.": "Du kommer inte att kunna ångra den här ändringen eftersom du degraderar dig själv. Om du är den sista privilegierade användaren i rummet blir det omöjligt att återfå behörigheter.",
"You will not be able to undo this change as you are promoting the user to have the same power level as yourself.": "Du kommer inte att kunna ångra den här ändringen eftersom du höjer användaren till samma behörighetsnivå som dig själv.", "You will not be able to undo this change as you are promoting the user to have the same power level as yourself.": "Du kommer inte att kunna ångra den här ändringen eftersom du höjer användaren till samma behörighetsnivå som dig själv.",
"Enable inline URL previews by default": "Aktivera inbäddad URL-förhandsgranskning som standard",
"Enable URL previews for this room (only affects you)": "Aktivera URL-förhandsgranskning för detta rum (påverkar bara dig)", "Enable URL previews for this room (only affects you)": "Aktivera URL-förhandsgranskning för detta rum (påverkar bara dig)",
"Enable URL previews by default for participants in this room": "Aktivera URL-förhandsgranskning som standard för deltagare i detta rum", "Enable URL previews by default for participants in this room": "Aktivera URL-förhandsgranskning som standard för deltagare i detta rum",
"You have <a>enabled</a> URL previews by default.": "Du har <a>aktiverat</a> URL-förhandsgranskning som förval.", "You have <a>enabled</a> URL previews by default.": "Du har <a>aktiverat</a> URL-förhandsgranskning som förval.",
@ -551,12 +541,6 @@
"Short keyboard patterns are easy to guess": "Korta tangentbordsmönster är enkla att gissa", "Short keyboard patterns are easy to guess": "Korta tangentbordsmönster är enkla att gissa",
"Changes your display nickname in the current room only": "Byter ditt visningsnamn endast i detta rum", "Changes your display nickname in the current room only": "Byter ditt visningsnamn endast i detta rum",
"Use a longer keyboard pattern with more turns": "Använd ett längre tangentbordsmönster med fler riktningsbyten", "Use a longer keyboard pattern with more turns": "Använd ett längre tangentbordsmönster med fler riktningsbyten",
"Enable Emoji suggestions while typing": "Aktivera emojiförslag medan du skriver",
"Show a placeholder for removed messages": "Visa en platshållare för borttagna meddelanden",
"Show display name changes": "Visa visningsnamnsändringar",
"Show read receipts sent by other users": "Visa läskvitton som skickats av andra användare",
"Enable big emoji in chat": "Aktivera stora emojier i chatt",
"Send typing notifications": "Skicka \"skriver\"-statusar",
"Messages containing my username": "Meddelanden som innehåller mitt användarnamn", "Messages containing my username": "Meddelanden som innehåller mitt användarnamn",
"Messages containing @room": "Meddelanden som innehåller @room", "Messages containing @room": "Meddelanden som innehåller @room",
"Encrypted messages in one-to-one chats": "Krypterade meddelanden i en-till-en-chattar", "Encrypted messages in one-to-one chats": "Krypterade meddelanden i en-till-en-chattar",
@ -822,7 +806,6 @@
"Italics": "Kursiv", "Italics": "Kursiv",
"Join the conversation with an account": "Gå med i konversationen med ett konto", "Join the conversation with an account": "Gå med i konversationen med ett konto",
"Sign Up": "Registrera dig", "Sign Up": "Registrera dig",
"Prompt before sending invites to potentially invalid matrix IDs": "Fråga innan inbjudningar skickas till potentiellt ogiltiga Matrix-ID:n",
"<reactors/><reactedWith>reacted with %(shortName)s</reactedWith>": "<reactors/><reactedWith>reagerade med %(shortName)s</reactedWith>", "<reactors/><reactedWith>reacted with %(shortName)s</reactedWith>": "<reactors/><reactedWith>reagerade med %(shortName)s</reactedWith>",
"Edited at %(date)s. Click to view edits.": "Redigerat vid %(date)s. Klicka för att visa redigeringar.", "Edited at %(date)s. Click to view edits.": "Redigerat vid %(date)s. Klicka för att visa redigeringar.",
"edited": "redigerat", "edited": "redigerat",
@ -841,7 +824,6 @@
"Identity server has no terms of service": "Identitetsservern har inga användarvillkor", "Identity server has no terms of service": "Identitetsservern har inga användarvillkor",
"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.": "Den här åtgärden kräver åtkomst till standardidentitetsservern <server /> för att validera en e-postadress eller ett telefonnummer, men servern har inga användarvillkor.", "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.": "Den här åtgärden kräver åtkomst till standardidentitetsservern <server /> för att validera en e-postadress eller ett telefonnummer, men servern har inga användarvillkor.",
"%(name)s (%(userId)s)": "%(name)s (%(userId)s)", "%(name)s (%(userId)s)": "%(name)s (%(userId)s)",
"Show previews/thumbnails for images": "Visa förhandsgranskning/miniatyr för bilder",
"Error upgrading room": "Fel vid uppgradering av rum", "Error upgrading room": "Fel vid uppgradering av rum",
"Double check that your server supports the room version chosen and try again.": "Dubbelkolla att din server stöder den valda rumsversionen och försök igen.", "Double check that your server supports the room version chosen and try again.": "Dubbelkolla att din server stöder den valda rumsversionen och försök igen.",
"%(senderName)s placed a voice call.": "%(senderName)s ringde ett röstsamtal.", "%(senderName)s placed a voice call.": "%(senderName)s ringde ett röstsamtal.",
@ -1068,12 +1050,10 @@
"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",
"Show typing notifications": "Visa \"skriver\"-statusar",
"Use a system font": "Använd systemets teckensnitt", "Use a system font": "Använd systemets teckensnitt",
"System font name": "Namn på systemets teckensnitt", "System font name": "Namn på systemets teckensnitt",
"Never send encrypted messages to unverified sessions from this session": "Skicka aldrig krypterade meddelanden till overifierade sessioner från den här sessionen", "Never send encrypted messages to unverified sessions from this session": "Skicka aldrig krypterade meddelanden till overifierade sessioner från den här sessionen",
"Never send encrypted messages to unverified sessions in this room from this session": "Skicka aldrig krypterade meddelanden till overifierade sessioner i det här rummet från den här sessionen", "Never send encrypted messages to unverified sessions in this room from this session": "Skicka aldrig krypterade meddelanden till overifierade sessioner i det här rummet från den här sessionen",
"Show shortcuts to recently viewed rooms above the room list": "Visa genvägar till nyligen visade rum över rumslistan",
"Enable message search in encrypted rooms": "Aktivera meddelandesökning i krypterade rum", "Enable message search in encrypted rooms": "Aktivera meddelandesökning i krypterade rum",
"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",
@ -1908,8 +1888,6 @@
"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", "Return to call": "Återgå till samtal",
"Use Ctrl + Enter to send a message": "Använd Ctrl + Enter för att skicka ett meddelande",
"Use Command + Enter to send a message": "Använd Kommando + Enter för att skicka ett meddelande",
"No other application is using the webcam": "Inget annat program använder webbkameran", "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", "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", "A microphone and webcam are plugged in and set up correctly": "En webbkamera och en mikrofon är inkopplad och korrekt inställd",
@ -1986,7 +1964,6 @@
"Transfer": "Överlåt", "Transfer": "Överlåt",
"Failed to transfer call": "Misslyckades att överlåta samtal", "Failed to transfer call": "Misslyckades att överlåta samtal",
"A call can only be transferred to a single user.": "Ett samtal kan bara överlåtas till en enskild användare.", "A call can only be transferred to a single user.": "Ett samtal kan bara överlåtas till en enskild användare.",
"There was an error finding this widget.": "Ett fel inträffade vid sökning efter widgeten.",
"Active Widgets": "Aktiva widgets", "Active Widgets": "Aktiva widgets",
"Open dial pad": "Öppna knappsats", "Open dial pad": "Öppna knappsats",
"Dial pad": "Knappsats", "Dial pad": "Knappsats",
@ -2026,29 +2003,8 @@
"If you've forgotten your Security Key you can <button>set up new recovery options</button>": "Om du har glömt din säkerhetsnyckel så kan du <button>ställa in nya återställningsalternativ</button>", "If you've forgotten your Security Key you can <button>set up new recovery options</button>": "Om du har glömt din säkerhetsnyckel så kan du <button>ställa in nya återställningsalternativ</button>",
"Something went wrong in confirming your identity. Cancel and try again.": "Något gick fel vid bekräftelse av din identitet. Avbryt och försök igen.", "Something went wrong in confirming your identity. Cancel and try again.": "Något gick fel vid bekräftelse av din identitet. Avbryt och försök igen.",
"Recently visited rooms": "Nyligen besökta rum", "Recently visited rooms": "Nyligen besökta rum",
"Show line numbers in code blocks": "Visa radnummer i kodblock",
"Expand code blocks by default": "Expandera kodblock för förval",
"Show stickers button": "Visa dekalknapp",
"We asked the browser to remember which homeserver you use to let you sign in, but unfortunately your browser has forgotten it. Go to the sign in page and try again.": "Vi bad webbläsaren att komma ihåg vilken hemserver du använder för att logga in, men tyvärr har din webbläsare glömt det. Gå till inloggningssidan och försök igen.", "We asked the browser to remember which homeserver you use to let you sign in, but unfortunately your browser has forgotten it. Go to the sign in page and try again.": "Vi bad webbläsaren att komma ihåg vilken hemserver du använder för att logga in, men tyvärr har din webbläsare glömt det. Gå till inloggningssidan och försök igen.",
"We couldn't log you in": "Vi kunde inte logga in dig", "We couldn't log you in": "Vi kunde inte logga in dig",
"Values at explicit levels in this room:": "Värden vid explicita nivåer i det här rummet:",
"Values at explicit levels:": "Värden vid explicita nivåer:",
"Value in this room:": "Värde i det här rummet:",
"Value:": "Värde:",
"Save setting values": "Spara inställningsvärden",
"Values at explicit levels in this room": "Värden vid explicita nivåer i det här rummet",
"Values at explicit levels": "Värden vid explicita nivåer",
"Settable at room": "Inställningsbar per rum",
"Settable at global": "Inställningsbar globalt",
"Level": "Nivå",
"Setting definition:": "Inställningsdefinition:",
"This UI does NOT check the types of the values. Use at your own risk.": "Det här UI:t kontrollerar inte typer för värden. Använd på egen risk.",
"Caution:": "Varning:",
"Setting:": "Inställning:",
"Value in this room": "Värde i det här rummet",
"Value": "Värde",
"Setting ID": "Inställnings-ID",
"Show chat effects (animations when receiving e.g. confetti)": "Visa chatteffekter (animeringar när du tar emot t.ex. konfetti)",
"Original event source": "Ursprunglig händelsekällkod", "Original event source": "Ursprunglig händelsekällkod",
"Decrypted event source": "Avkrypterad händelsekällkod", "Decrypted event source": "Avkrypterad händelsekällkod",
"Invite by username": "Bjud in med användarnamn", "Invite by username": "Bjud in med användarnamn",
@ -2101,7 +2057,6 @@
"Invite only, best for yourself or teams": "Endast inbjudan, bäst för dig själv eller team", "Invite only, best for yourself or teams": "Endast inbjudan, bäst för dig själv eller team",
"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",
"Jump to the bottom of the timeline when you send a message": "Hoppa till botten av tidslinjen när du skickar ett meddelande",
"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.", "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", "Already in call": "Redan i samtal",
@ -2143,7 +2098,6 @@
"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",
"Warn before quitting": "Varna innan avslutning",
"Invite to just this room": "Bjud in till bara det här rummet", "Invite to just this room": "Bjud in till bara det här rummet",
"Add existing rooms": "Lägg till existerande rum", "Add existing rooms": "Lägg till existerande rum",
"We couldn't create your DM.": "Vi kunde inte skapa ditt DM.", "We couldn't create your DM.": "Vi kunde inte skapa ditt DM.",
@ -2285,11 +2239,7 @@
"Your camera is turned off": "Din kamera är av", "Your camera is turned off": "Din kamera är av",
"%(sharerName)s is presenting": "%(sharerName)s presenterar", "%(sharerName)s is presenting": "%(sharerName)s presenterar",
"You are presenting": "Du presenterar", "You are presenting": "Du presenterar",
"All rooms you're in will appear in Home.": "Alla rum du är in kommer att visas i Hem.",
"Show all rooms in Home": "Visa alla rum i Hem",
"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",
"Use Ctrl + F to search timeline": "Använd Ctrl + F för att söka på tidslinjen",
"Use Command + F to search timeline": "Använd Kommando + F för att söka på tidslinjen",
"Silence call": "Tysta samtal", "Silence call": "Tysta samtal",
"Sound on": "Ljud på", "Sound on": "Ljud på",
"Transfer Failed": "Överföring misslyckades", "Transfer Failed": "Överföring misslyckades",
@ -2440,8 +2390,6 @@
"To avoid these issues, create a <a>new encrypted room</a> for the conversation you plan to have.": "För att undvika dessa problem, skapa ett <a>nytt krypterat rum</a> för konversationen du planerar att ha.", "To avoid these issues, create a <a>new encrypted room</a> for the conversation you plan to have.": "För att undvika dessa problem, skapa ett <a>nytt krypterat rum</a> för konversationen du planerar att ha.",
"Are you sure you want to add encryption to this public room?": "Är du säker på att du vill lägga till kryptering till det här offentliga rummet?", "Are you sure you want to add encryption to this public room?": "Är du säker på att du vill lägga till kryptering till det här offentliga rummet?",
"Cross-signing is ready but keys are not backed up.": "Korssignering är klart, men nycklarna är inte säkerhetskopierade än.", "Cross-signing is ready but keys are not backed up.": "Korssignering är klart, men nycklarna är inte säkerhetskopierade än.",
"Autoplay videos": "Autospela videor",
"Autoplay GIFs": "Autospela GIF:ar",
"The above, but in <Room /> as well": "Det ovanstående, men i <Room /> också", "The above, but in <Room /> as well": "Det ovanstående, men i <Room /> också",
"The above, but in any room you are joined or invited to as well": "Det ovanstående, men i vilket som helst rum du är med i eller inbjuden till också", "The above, but in any room you are joined or invited to as well": "Det ovanstående, men i vilket som helst rum du är med i eller inbjuden till också",
"%(senderName)s unpinned a message from this room. See all pinned messages.": "%(senderName)s avfäste ett meddelande i det här rummet. Se alla fästa meddelanden.", "%(senderName)s unpinned a message from this room. See all pinned messages.": "%(senderName)s avfäste ett meddelande i det här rummet. Se alla fästa meddelanden.",
@ -2670,7 +2618,6 @@
"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", "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",
"Show join/leave messages (invites/removes/bans unaffected)": "Visa gå med/lämna-meddelanden (inbjudningar/borttagningar/banningar påverkas inte)",
"Back to thread": "Tillbaka till tråd", "Back to thread": "Tillbaka till tråd",
"Room members": "Rumsmedlemmar", "Room members": "Rumsmedlemmar",
"Back to chat": "Tillbaka till chatt", "Back to chat": "Tillbaka till chatt",
@ -2781,7 +2728,6 @@
"Failed to end poll": "Misslyckades att avsluta omröstning", "Failed to end poll": "Misslyckades att avsluta omröstning",
"The poll has ended. Top answer: %(topAnswer)s": "Omröstningen har avslutats. Toppsvar: %(topAnswer)s", "The poll has ended. Top answer: %(topAnswer)s": "Omröstningen har avslutats. Toppsvar: %(topAnswer)s",
"The poll has ended. No votes were cast.": "Omröstningen har avslutats. Inga röster avgavs.", "The poll has ended. No votes were cast.": "Omröstningen har avslutats. Inga röster avgavs.",
"Edit setting": "Redigera inställningar",
"You can turn this off anytime in settings": "Du kan stänga av detta när som helst i inställningarna", "You can turn this off anytime in settings": "Du kan stänga av detta när som helst i inställningarna",
"We <Bold>don't</Bold> share information with third parties": "Vi delar <Bold>inte</Bold> information med tredje parter", "We <Bold>don't</Bold> share information with third parties": "Vi delar <Bold>inte</Bold> information med tredje parter",
"We <Bold>don't</Bold> record or profile any account data": "Vi spelar <Bold>inte</Bold> in eller profilerar någon kontodata", "We <Bold>don't</Bold> record or profile any account data": "Vi spelar <Bold>inte</Bold> in eller profilerar någon kontodata",
@ -2836,7 +2782,6 @@
"Open in OpenStreetMap": "Öppna i OpenStreetMap", "Open in OpenStreetMap": "Öppna i OpenStreetMap",
"Verify other device": "Verifiera annan enhet", "Verify other device": "Verifiera annan enhet",
"Use <arrows/> to scroll": "Använd <arrows/> för att skrolla", "Use <arrows/> to scroll": "Använd <arrows/> för att skrolla",
"Clear": "Rensa",
"Recent searches": "Nyliga sökningar", "Recent searches": "Nyliga sökningar",
"To search messages, look for this icon at the top of a room <icon/>": "För att söka efter meddelanden, leta efter den här ikonen på toppen av ett rum <icon/>", "To search messages, look for this icon at the top of a room <icon/>": "För att söka efter meddelanden, leta efter den här ikonen på toppen av ett rum <icon/>",
"Other searches": "Andra sökningar", "Other searches": "Andra sökningar",
@ -2863,11 +2808,6 @@
"other": "%(severalUsers)stog bort %(count)s meddelanden" "other": "%(severalUsers)stog bort %(count)s meddelanden"
}, },
"Automatically send debug logs when key backup is not functioning": "Skicka automatiskt felsökningsloggar när nyckelsäkerhetskopiering inte funkar", "Automatically send debug logs when key backup is not functioning": "Skicka automatiskt felsökningsloggar när nyckelsäkerhetskopiering inte funkar",
"<empty string>": "<tom sträng>",
"<%(count)s spaces>": {
"one": "<mellanslag>",
"other": "<%(count)s mellanslag>"
},
"Join %(roomAddress)s": "Gå med i %(roomAddress)s", "Join %(roomAddress)s": "Gå med i %(roomAddress)s",
"Edit poll": "Redigera omröstning", "Edit poll": "Redigera omröstning",
"Sorry, you can't edit a poll after votes have been cast.": "Tyvärr kan du inte redigera en omröstning efter att röster har avgivits.", "Sorry, you can't edit a poll after votes have been cast.": "Tyvärr kan du inte redigera en omröstning efter att röster har avgivits.",
@ -2888,7 +2828,6 @@
"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",
"Developer tools": "Utvecklarverktyg", "Developer tools": "Utvecklarverktyg",
"Insert a trailing colon after user mentions at the start of a message": "Infoga kolon efter användaromnämnande på början av ett meddelande",
"Show polls button": "Visa omröstningsknapp", "Show polls button": "Visa omröstningsknapp",
"%(brand)s is experimental on a mobile web browser. For a better experience and the latest features, use our free native app.": "%(brand)s är experimentell i mobila webbläsare. För en bättre upplevelse och de senaste funktionerna använd våran nativa app.", "%(brand)s is experimental on a mobile web browser. For a better experience and the latest features, use our free native app.": "%(brand)s är experimentell i mobila webbläsare. För en bättre upplevelse och de senaste funktionerna använd våran nativa app.",
"This homeserver is not configured correctly to display maps, or the configured map server may be unreachable.": "Den här hemservern är inte korrekt konfigurerad för att visa kartor, eller så kanske den konfigurerade kartserven inte är nåbar.", "This homeserver is not configured correctly to display maps, or the configured map server may be unreachable.": "Den här hemservern är inte korrekt konfigurerad för att visa kartor, eller så kanske den konfigurerade kartserven inte är nåbar.",
@ -2963,7 +2902,6 @@
"Unmute microphone": "Slå på mikrofonen", "Unmute microphone": "Slå på mikrofonen",
"Mute microphone": "Slå av mikrofonen", "Mute microphone": "Slå av mikrofonen",
"Audio devices": "Ljudenheter", "Audio devices": "Ljudenheter",
"Enable Markdown": "Aktivera Markdown",
"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å",
@ -2985,31 +2923,7 @@
"Live location ended": "Realtidsposition avslutad", "Live location ended": "Realtidsposition avslutad",
"Live until %(expiryTime)s": "Realtid tills %(expiryTime)s", "Live until %(expiryTime)s": "Realtid tills %(expiryTime)s",
"Updated %(humanizedUpdateTime)s": "Uppdaterade %(humanizedUpdateTime)s", "Updated %(humanizedUpdateTime)s": "Uppdaterade %(humanizedUpdateTime)s",
"No verification requests found": "Inga verifieringsförfrågningar hittade",
"Observe only": "Bara kolla",
"Requester": "Den som skickat förfrågan",
"Methods": "Metoder",
"Timeout": "Timeout",
"Phase": "Fas",
"Transaction": "Transaktion",
"Cancelled": "Avbruten",
"Started": "Påbörjad",
"Ready": "Redo",
"Requested": "Efterfrågad",
"Unsent": "Ej skickat", "Unsent": "Ej skickat",
"Edit values": "Redigera värden",
"Failed to save settings.": "Kunde inte spara inställningar.",
"Number of users": "Antal användare",
"Server": "Server",
"Server Versions": "Serverversioner",
"Client Versions": "Klientversioner",
"Failed to load.": "Kunde inte ladda.",
"Capabilities": "Förmågor",
"Send custom state event": "Skicka anpassad tillståndshändelse",
"Failed to send event!": "Misslyckades att skicka händelse!",
"Doesn't look like valid JSON.": "Det ser inte ut som giltig JSON.",
"Send custom room account data event": "Skicka händelse med anpassad rumskontodata",
"Send custom account data event": "Skicka event med anpassad kontodata",
"Export Cancelled": "Exportering avbruten", "Export Cancelled": "Exportering avbruten",
"Room ID: %(roomId)s": "Rums-ID: %(roomId)s", "Room ID: %(roomId)s": "Rums-ID: %(roomId)s",
"Server info": "Serverinformation", "Server info": "Serverinformation",
@ -3105,7 +3019,6 @@
"Ignore user": "Ignorera användare", "Ignore user": "Ignorera användare",
"Read receipts": "Läskvitton", "Read receipts": "Läskvitton",
"Failed to set direct message tag": "Misslyckades att sätta direktmeddelandetagg", "Failed to set direct message tag": "Misslyckades att sätta direktmeddelandetagg",
"Enable hardware acceleration (restart %(appName)s to take effect)": "Aktivera hårdvaruacceleration (starta om %(appName)s för att det ska börja gälla)",
"You were disconnected from the call. (Error: %(message)s)": "Du kopplades bort från samtalet. (Fel: %(message)s)", "You were disconnected from the call. (Error: %(message)s)": "Du kopplades bort från samtalet. (Fel: %(message)s)",
"Connection lost": "Anslutning bröts", "Connection lost": "Anslutning bröts",
"Un-maximise": "Avmaximera", "Un-maximise": "Avmaximera",
@ -3184,7 +3097,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.",
"Send read receipts": "Skicka läskvitton",
"Notifications silenced": "Aviseringar tystade", "Notifications silenced": "Aviseringar tystade",
"Video call started": "Videosamtal startat", "Video call started": "Videosamtal startat",
"Unknown room": "Okänt rum", "Unknown room": "Okänt rum",
@ -3441,19 +3353,6 @@
"Connection error - Recording paused": "Anslutningsfel - Inspelning pausad", "Connection error - Recording paused": "Anslutningsfel - Inspelning pausad",
"Unable to play this voice broadcast": "Kan inte spela den här röstsändningen", "Unable to play this voice broadcast": "Kan inte spela den här röstsändningen",
"%(senderName)s started a voice broadcast": "%(senderName)s startade en röstsändning", "%(senderName)s started a voice broadcast": "%(senderName)s startade en röstsändning",
"Thread Id: ": "Tråd-ID: ",
"Threads timeline": "Trådtidslinje",
"Sender: ": "Avsändare: ",
"Type: ": "Typ: ",
"ID: ": "ID: ",
"Last event:": "Senaste händelsen:",
"No receipt found": "Inga kvitton hittade",
"User read up to: ": "Användaren har läst fram till: ",
"Dot: ": "Punkt: ",
"Highlight: ": "Markering: ",
"Total: ": "Totalt: ",
"Main timeline": "Huvudtidslinje",
"Room status": "Rumsstatus",
"Notifications debug": "Aviseringsfelsökning", "Notifications debug": "Aviseringsfelsökning",
"All messages and invites from this user will be hidden. Are you sure you want to ignore them?": "Alla meddelanden och inbjudningar från den här användaren kommer att döljas. Är du säker på att du vill ignorera denne?", "All messages and invites from this user will be hidden. Are you sure you want to ignore them?": "Alla meddelanden och inbjudningar från den här användaren kommer att döljas. Är du säker på att du vill ignorera denne?",
"Ignore %(user)s": "Ignorera %(user)s", "Ignore %(user)s": "Ignorera %(user)s",
@ -3521,7 +3420,6 @@
"Could not find room": "Kunde inte hitta rummet", "Could not find room": "Kunde inte hitta rummet",
"iframe has no src attribute": "iframe:en har ingen src-attribut", "iframe has no src attribute": "iframe:en har ingen src-attribut",
"Can currently only be enabled via config.json": "Kan för närvarande endast aktiveras via config.json", "Can currently only be enabled via config.json": "Kan för närvarande endast aktiveras via config.json",
"Show NSFW content": "Visa NSFW-innehåll",
"Show avatars in user, room and event mentions": "Visa avatarer i användar-, rums- och händelseomnämnanden", "Show avatars in user, room and event mentions": "Visa avatarer i användar-, rums- och händelseomnämnanden",
"Requires your server to support the stable version of MSC3827": "Kräver att din server stöder den stabila versionen av MSC3827", "Requires your server to support the stable version of MSC3827": "Kräver att din server stöder den stabila versionen av MSC3827",
"If you know a room address, try joining through that instead.": "Om du känner till en rumsadress, försök gå med via den istället.", "If you know a room address, try joining through that instead.": "Om du känner till en rumsadress, försök gå med via den istället.",
@ -3561,7 +3459,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",
"Start messages with <code>/plain</code> to send without markdown.": "Börja meddelanden med <code>/plain</code> för att skicka utan markdown.",
"%(sender)s reacted %(reaction)s to %(message)s": "%(sender)s reagerade med %(reaction)s till %(message)s", "%(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", "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.",
@ -3575,8 +3472,6 @@
"unavailable": "otillgänglig", "unavailable": "otillgänglig",
"Unable to create room with moderation bot": "Kunde inte skapa rum med modereringsbot", "Unable to create room with moderation bot": "Kunde inte skapa rum med modereringsbot",
"Due to decryption errors, some votes may not be counted": "På grund av avkrypteringsfel kanske inte vissa röster räknas", "Due to decryption errors, some votes may not be counted": "På grund av avkrypteringsfel kanske inte vissa röster räknas",
"Notification state is <strong>%(notificationState)s</strong>": "Aviseringsstatus är <strong>%(notificationState)s</strong>",
"Room is <strong>not encrypted 🚨</strong>": "Rummet är <strong>inte krypterat 🚨</strong>",
"Message from %(user)s": "Meddelande från %(user)s", "Message from %(user)s": "Meddelande från %(user)s",
"Answered elsewhere": "Besvarat på annat håll", "Answered elsewhere": "Besvarat på annat håll",
"unknown status code": "okänd statuskod", "unknown status code": "okänd statuskod",
@ -3585,7 +3480,6 @@
"Can't find the old version of this room (room ID: %(roomId)s), and we have not been provided with 'via_servers' to look for it.": "Kan inte hitta den gamla versionen av det här rummet (rums-ID: %(roomId)s), och vi har inte fått ”via_servers” för att leta efter det.", "Can't find the old version of this room (room ID: %(roomId)s), and we have not been provided with 'via_servers' to look for it.": "Kan inte hitta den gamla versionen av det här rummet (rums-ID: %(roomId)s), och vi har inte fått ”via_servers” för att leta efter det.",
"Error details": "Feldetaljer", "Error details": "Feldetaljer",
"Desktop app logo": "Skrivbordsappslogga", "Desktop app logo": "Skrivbordsappslogga",
"Room unread status: <strong>%(status)s</strong>": "Rummets oläst-status: <strong>%(status)s</strong>",
"Your device ID": "Ditt enhets-ID", "Your device ID": "Ditt enhets-ID",
"Message in %(room)s": "Meddelande i rum %(room)s", "Message in %(room)s": "Meddelande i rum %(room)s",
"Try using %(server)s": "Pröva att använda %(server)s", "Try using %(server)s": "Pröva att använda %(server)s",
@ -3599,16 +3493,12 @@
"Start DM anyway": "Starta DM ändå", "Start DM anyway": "Starta DM ändå",
"Server returned %(statusCode)s with error code %(errorCode)s": "Servern gav svar %(statusCode)s med felkoden %(errorCode)s", "Server returned %(statusCode)s with error code %(errorCode)s": "Servern gav svar %(statusCode)s med felkoden %(errorCode)s",
"Unable to find profiles for the Matrix IDs listed below - would you like to start a DM anyway?": "Kunde inte hitta profiler för Matrix-ID:n nedan — skulle du vilja starta ett DM ändå?", "Unable to find profiles for the Matrix IDs listed below - would you like to start a DM anyway?": "Kunde inte hitta profiler för Matrix-ID:n nedan — skulle du vilja starta ett DM ändå?",
"Room is <strong>encrypted ✅</strong>": "Rummet är <strong>krypterat ✅</strong>",
"Once invited users have joined %(brand)s, you will be able to chat and the room will be end-to-end encrypted": "När inbjudna användare har gått med i %(brand)s kommer du att kunna chatta och rummet kommer att vara totalsträckskrypterat", "Once invited users have joined %(brand)s, you will be able to chat and the room will be end-to-end encrypted": "När inbjudna användare har gått med i %(brand)s kommer du att kunna chatta och rummet kommer att vara totalsträckskrypterat",
"Can't find the old version of this room (room ID: %(roomId)s), and we have not been provided with 'via_servers' to look for it. It's possible that guessing the server from the room ID will work. If you want to try, click this link:": "Kan inte hitta den gamla versionen av det här rummet (rums-ID: %(roomId)s), och vi har inte fått ”via_servers” för att leta efter det. Det är möjligt att det går att gissa servern från rums-ID:t. Om du vill pröva, klicka på den här länken:", "Can't find the old version of this room (room ID: %(roomId)s), and we have not been provided with 'via_servers' to look for it. It's possible that guessing the server from the room ID will work. If you want to try, click this link:": "Kan inte hitta den gamla versionen av det här rummet (rums-ID: %(roomId)s), och vi har inte fått ”via_servers” för att leta efter det. Det är möjligt att det går att gissa servern från rums-ID:t. Om du vill pröva, klicka på den här länken:",
"Please submit <debugLogsLink>debug logs</debugLogsLink> to help us track down the problem.": "Vänligen skicka in <debugLogsLink>felsökningsloggar</debugLogsLink> för att hjälpa oss att spåra problemet.", "Please submit <debugLogsLink>debug logs</debugLogsLink> to help us track down the problem.": "Vänligen skicka in <debugLogsLink>felsökningsloggar</debugLogsLink> för att hjälpa oss att spåra problemet.",
"Invites by email can only be sent one at a time": "Inbjudningar via e-post kan endast skickas en i taget", "Invites by email can only be sent one at a time": "Inbjudningar via e-post kan endast skickas en i taget",
"Match default setting": "Matcha förvalsinställning", "Match default setting": "Matcha förvalsinställning",
"Mute room": "Tysta rum", "Mute room": "Tysta rum",
"Room unread status: <strong>%(status)s</strong>, count: <strong>%(count)s</strong>": {
"other": "Rummets oläst-status: <strong>%(status)s</strong>, antal: <strong>%(count)s</strong>"
},
"Unable to find event at that date": "Kunde inte hitta händelse vid det datumet", "Unable to find event at that date": "Kunde inte hitta händelse vid det datumet",
"Enable new native OIDC flows (Under active development)": "Aktivera nya inbyggda OIDC-flöden (Under aktiv utveckling)", "Enable new native OIDC flows (Under active development)": "Aktivera nya inbyggda OIDC-flöden (Under aktiv utveckling)",
"Your server requires encryption to be disabled.": "Din server kräver att kryptering är inaktiverat.", "Your server requires encryption to be disabled.": "Din server kräver att kryptering är inaktiverat.",
@ -3626,8 +3516,6 @@
"Next group of messages": "Nästa grupp meddelanden", "Next group of messages": "Nästa grupp meddelanden",
"Exported Data": "Exportera data", "Exported Data": "Exportera data",
"Notification Settings": "Aviseringsinställningar", "Notification Settings": "Aviseringsinställningar",
"Show current profile picture and name for users in message history": "Visa nuvarande profilbild och namn för användare i meddelandehistoriken",
"Show profile picture changes": "Visa profilbildsbyten",
"People cannot join unless access is granted.": "Personer kan inte gå med om inte åtkomst ges.", "People cannot join unless access is granted.": "Personer kan inte gå med om inte åtkomst ges.",
"Failed to cancel": "Misslyckades att avbryta", "Failed to cancel": "Misslyckades att avbryta",
"Views room with given address": "Visar rum med den angivna adressen", "Views room with given address": "Visar rum med den angivna adressen",
@ -3710,7 +3598,9 @@
"android": "Android", "android": "Android",
"trusted": "Betrodd", "trusted": "Betrodd",
"not_trusted": "Inte betrodd", "not_trusted": "Inte betrodd",
"accessibility": "Tillgänglighet" "accessibility": "Tillgänglighet",
"capabilities": "Förmågor",
"server": "Server"
}, },
"action": { "action": {
"continue": "Fortsätt", "continue": "Fortsätt",
@ -3808,7 +3698,8 @@
"maximise": "Maximera", "maximise": "Maximera",
"mention": "Nämn", "mention": "Nämn",
"submit": "Skicka in", "submit": "Skicka in",
"send_report": "Skicka rapport" "send_report": "Skicka rapport",
"clear": "Rensa"
}, },
"a11y": { "a11y": {
"user_menu": "Användarmeny" "user_menu": "Användarmeny"
@ -3942,5 +3833,118 @@
"you_did_it": "Du klarade det!", "you_did_it": "Du klarade det!",
"complete_these": "Gör dessa för att få ut så mycket som möjligt av %(brand)s", "complete_these": "Gör dessa för att få ut så mycket som möjligt av %(brand)s",
"community_messaging_description": "Håll ägandeskap och kontroll över gemenskapsdiskussioner.\nSkala för att stöda miljoner, med kraftfull moderering och interoperabilitet." "community_messaging_description": "Håll ägandeskap och kontroll över gemenskapsdiskussioner.\nSkala för att stöda miljoner, med kraftfull moderering och interoperabilitet."
},
"devtools": {
"send_custom_account_data_event": "Skicka event med anpassad kontodata",
"send_custom_room_account_data_event": "Skicka händelse med anpassad rumskontodata",
"event_type": "Händelsetyp",
"state_key": "Lägesnyckel",
"invalid_json": "Det ser inte ut som giltig JSON.",
"failed_to_send": "Misslyckades att skicka händelse!",
"event_sent": "Händelse skickad!",
"event_content": "Händelseinnehåll",
"user_read_up_to": "Användaren har läst fram till: ",
"no_receipt_found": "Inga kvitton hittade",
"room_status": "Rumsstatus",
"room_unread_status_count": {
"other": "Rummets oläst-status: <strong>%(status)s</strong>, antal: <strong>%(count)s</strong>"
},
"notification_state": "Aviseringsstatus är <strong>%(notificationState)s</strong>",
"room_encrypted": "Rummet är <strong>krypterat ✅</strong>",
"room_not_encrypted": "Rummet är <strong>inte krypterat 🚨</strong>",
"main_timeline": "Huvudtidslinje",
"threads_timeline": "Trådtidslinje",
"room_notifications_total": "Totalt: ",
"room_notifications_highlight": "Markering: ",
"room_notifications_dot": "Punkt: ",
"room_notifications_last_event": "Senaste händelsen:",
"room_notifications_type": "Typ: ",
"room_notifications_sender": "Avsändare: ",
"room_notifications_thread_id": "Tråd-ID: ",
"spaces": {
"one": "<mellanslag>",
"other": "<%(count)s mellanslag>"
},
"empty_string": "<tom sträng>",
"room_unread_status": "Rummets oläst-status: <strong>%(status)s</strong>",
"id": "ID: ",
"send_custom_state_event": "Skicka anpassad tillståndshändelse",
"failed_to_load": "Kunde inte ladda.",
"client_versions": "Klientversioner",
"server_versions": "Serverversioner",
"number_of_users": "Antal användare",
"failed_to_save": "Kunde inte spara inställningar.",
"save_setting_values": "Spara inställningsvärden",
"setting_colon": "Inställning:",
"caution_colon": "Varning:",
"use_at_own_risk": "Det här UI:t kontrollerar inte typer för värden. Använd på egen risk.",
"setting_definition": "Inställningsdefinition:",
"level": "Nivå",
"settable_global": "Inställningsbar globalt",
"settable_room": "Inställningsbar per rum",
"values_explicit": "Värden vid explicita nivåer",
"values_explicit_room": "Värden vid explicita nivåer i det här rummet",
"edit_values": "Redigera värden",
"value_colon": "Värde:",
"value_this_room_colon": "Värde i det här rummet:",
"values_explicit_colon": "Värden vid explicita nivåer:",
"values_explicit_this_room_colon": "Värden vid explicita nivåer i det här rummet:",
"setting_id": "Inställnings-ID",
"value": "Värde",
"value_in_this_room": "Värde i det här rummet",
"edit_setting": "Redigera inställningar",
"phase_requested": "Efterfrågad",
"phase_ready": "Redo",
"phase_started": "Påbörjad",
"phase_cancelled": "Avbruten",
"phase_transaction": "Transaktion",
"phase": "Fas",
"timeout": "Timeout",
"methods": "Metoder",
"requester": "Den som skickat förfrågan",
"observe_only": "Bara kolla",
"no_verification_requests_found": "Inga verifieringsförfrågningar hittade",
"failed_to_find_widget": "Ett fel inträffade vid sökning efter widgeten."
},
"settings": {
"show_breadcrumbs": "Visa genvägar till nyligen visade rum över rumslistan",
"all_rooms_home_description": "Alla rum du är in kommer att visas i Hem.",
"use_command_f_search": "Använd Kommando + F för att söka på tidslinjen",
"use_control_f_search": "Använd Ctrl + F för att söka på tidslinjen",
"use_12_hour_format": "Visa tidsstämplar i 12-timmarsformat (t.ex. 2:30em)",
"always_show_message_timestamps": "Visa alltid tidsstämplar för meddelanden",
"send_read_receipts": "Skicka läskvitton",
"send_typing_notifications": "Skicka \"skriver\"-statusar",
"replace_plain_emoji": "Ersätt automatiskt textemotikoner med emojier",
"enable_markdown": "Aktivera Markdown",
"emoji_autocomplete": "Aktivera emojiförslag medan du skriver",
"use_command_enter_send_message": "Använd Kommando + Enter för att skicka ett meddelande",
"use_control_enter_send_message": "Använd Ctrl + Enter för att skicka ett meddelande",
"all_rooms_home": "Visa alla rum i Hem",
"enable_markdown_description": "Börja meddelanden med <code>/plain</code> för att skicka utan markdown.",
"show_stickers_button": "Visa dekalknapp",
"insert_trailing_colon_mentions": "Infoga kolon efter användaromnämnande på början av ett meddelande",
"automatic_language_detection_syntax_highlight": "Aktivera automatisk språkdetektering för syntaxmarkering",
"code_block_expand_default": "Expandera kodblock för förval",
"code_block_line_numbers": "Visa radnummer i kodblock",
"inline_url_previews_default": "Aktivera inbäddad URL-förhandsgranskning som standard",
"autoplay_gifs": "Autospela GIF:ar",
"autoplay_videos": "Autospela videor",
"image_thumbnails": "Visa förhandsgranskning/miniatyr för bilder",
"show_typing_notifications": "Visa \"skriver\"-statusar",
"show_redaction_placeholder": "Visa en platshållare för borttagna meddelanden",
"show_read_receipts": "Visa läskvitton som skickats av andra användare",
"show_join_leave": "Visa gå med/lämna-meddelanden (inbjudningar/borttagningar/banningar påverkas inte)",
"show_displayname_changes": "Visa visningsnamnsändringar",
"show_chat_effects": "Visa chatteffekter (animeringar när du tar emot t.ex. konfetti)",
"show_avatar_changes": "Visa profilbildsbyten",
"big_emoji": "Aktivera stora emojier i chatt",
"jump_to_bottom_on_send": "Hoppa till botten av tidslinjen när du skickar ett meddelande",
"disable_historical_profile": "Visa nuvarande profilbild och namn för användare i meddelandehistoriken",
"show_nsfw_content": "Visa NSFW-innehåll",
"prompt_invite": "Fråga innan inbjudningar skickas till potentiellt ogiltiga Matrix-ID:n",
"hardware_acceleration": "Aktivera hårdvaruacceleration (starta om %(appName)s för att det ska börja gälla)",
"start_automatically": "Starta automatiskt vid systeminloggning",
"warn_quit": "Varna innan avslutning"
} }
} }

View file

@ -46,9 +46,6 @@
"Yesterday": "நேற்று", "Yesterday": "நேற்று",
"No update available.": "எந்த புதுப்பிப்பும் இல்லை.", "No update available.": "எந்த புதுப்பிப்பும் இல்லை.",
"Thank you!": "உங்களுக்கு நன்றி", "Thank you!": "உங்களுக்கு நன்றி",
"Event sent!": "நிகழ்வு அனுப்பப்பட்டது",
"Event Type": "நிகழ்வு வகை",
"Event Content": "நிகழ்வு உள்ளடக்கம்",
"Rooms": "அறைகள்", "Rooms": "அறைகள்",
"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": "இந்த தொலைபேசி எண் முன்னதாகவே பயன்பாட்டில் உள்ளது",
@ -150,5 +147,10 @@
}, },
"bug_reporting": { "bug_reporting": {
"send_logs": "பதிவுகளை அனுப்பு" "send_logs": "பதிவுகளை அனுப்பு"
},
"devtools": {
"event_type": "நிகழ்வு வகை",
"event_sent": "நிகழ்வு அனுப்பப்பட்டது",
"event_content": "நிகழ்வு உள்ளடக்கம்"
} }
} }

View file

@ -7,7 +7,6 @@
"No media permissions": "మీడియా అనుమతులు లేవు", "No media permissions": "మీడియా అనుమతులు లేవు",
"Default Device": "డిఫాల్ట్ పరికరం", "Default Device": "డిఫాల్ట్ పరికరం",
"Advanced": "ఆధునిక", "Advanced": "ఆధునిక",
"Always show message timestamps": "ఎల్లప్పుడూ సందేశాల సమయ ముద్రలు చూపించు",
"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.": "కొత్త పాస్ వర్డ్ ను తప్పక నమోదు చేయాలి.",
@ -138,5 +137,8 @@
}, },
"bug_reporting": { "bug_reporting": {
"send_logs": "నమోదును పంపు" "send_logs": "నమోదును పంపు"
},
"settings": {
"always_show_message_timestamps": "ఎల్లప్పుడూ సందేశాల సమయ ముద్రలు చూపించు"
} }
} }

View file

@ -95,8 +95,6 @@
"Server may be unavailable, overloaded, or you hit a bug.": "เซิร์ฟเวอร์อาจไม่พร้อมใช้งาน ทำงานหนักเกินไป หรือเจอจุดบกพร่อง", "Server may be unavailable, overloaded, or you hit a bug.": "เซิร์ฟเวอร์อาจไม่พร้อมใช้งาน ทำงานหนักเกินไป หรือเจอจุดบกพร่อง",
"Server unavailable, overloaded, or something else went wrong.": "เซิร์ฟเวอร์อาจไม่พร้อมใช้งาน ทำงานหนักเกินไป หรือบางอย่างผิดปกติ", "Server unavailable, overloaded, or something else went wrong.": "เซิร์ฟเวอร์อาจไม่พร้อมใช้งาน ทำงานหนักเกินไป หรือบางอย่างผิดปกติ",
"Signed Out": "ออกจากระบบแล้ว", "Signed Out": "ออกจากระบบแล้ว",
"Always show message timestamps": "แสดงเวลาในแชทเสมอ",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "แสดงเวลาในแชทในรูปแบบ 12 ชั่วโมง (เช่น 2:30pm)",
"This email address is already in use": "ที่อยู่อีเมลถูกใช้แล้ว", "This email address is already in use": "ที่อยู่อีเมลถูกใช้แล้ว",
"This email address was not found": "ไม่พบที่อยู่อีเมล", "This email address was not found": "ไม่พบที่อยู่อีเมล",
"This phone number is already in use": "หมายเลขโทรศัพท์นี้ถูกใช้งานแล้ว", "This phone number is already in use": "หมายเลขโทรศัพท์นี้ถูกใช้งานแล้ว",
@ -497,5 +495,9 @@
"minutes_seconds_left": "%(minutes)sm %(seconds)ss ที่ผ่านมา", "minutes_seconds_left": "%(minutes)sm %(seconds)ss ที่ผ่านมา",
"seconds_left": "%(seconds)ss ที่ผ่านมา", "seconds_left": "%(seconds)ss ที่ผ่านมา",
"date_at_time": "%(date)s เมื่อ %(time)s" "date_at_time": "%(date)s เมื่อ %(time)s"
},
"settings": {
"use_12_hour_format": "แสดงเวลาในแชทในรูปแบบ 12 ชั่วโมง (เช่น 2:30pm)",
"always_show_message_timestamps": "แสดงเวลาในแชทเสมอ"
} }
} }

View file

@ -8,7 +8,6 @@
"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ş", "Advanced": "Gelişmiş",
"Always show message timestamps": "Her zaman mesaj zaman dalgalarını (timestamps) gösterin",
"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...": {
@ -122,7 +121,6 @@
"Server may be unavailable, overloaded, or you hit a bug.": "Sunucu kullanılamıyor , aşırı yüklenmiş , veya bir hatayla karşılaşmış olabilirsiniz.", "Server may be unavailable, overloaded, or you hit a bug.": "Sunucu kullanılamıyor , aşırı yüklenmiş , veya bir hatayla karşılaşmış olabilirsiniz.",
"Server unavailable, overloaded, or something else went wrong.": "Sunucu kullanılamıyor , aşırı yüklenmiş veya başka bir şey ters gitmiş olabilir.", "Server unavailable, overloaded, or something else went wrong.": "Sunucu kullanılamıyor , aşırı yüklenmiş veya başka bir şey ters gitmiş olabilir.",
"Session ID": "Oturum ID", "Session ID": "Oturum ID",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "Zaman damgalarını 12 biçiminde göster (örn. 2:30 pm)",
"Signed Out": "Oturum Kapatıldı", "Signed Out": "Oturum Kapatıldı",
"Start authentication": "Kimlik Doğrulamayı başlatın", "Start authentication": "Kimlik Doğrulamayı başlatın",
"This email address is already in use": "Bu e-posta adresi zaten kullanımda", "This email address is already in use": "Bu e-posta adresi zaten kullanımda",
@ -199,7 +197,6 @@
}, },
"Create new room": "Yeni Oda Oluştur", "Create new room": "Yeni Oda Oluştur",
"New Password": "Yeni Şifre", "New Password": "Yeni Şifre",
"Start automatically after system login": "Sisteme giriş yaptıktan sonra otomatik başlat",
"Passphrases must match": "Şifrenin eşleşmesi gerekir", "Passphrases must match": "Şifrenin eşleşmesi gerekir",
"Passphrase must not be empty": "Şifrenin boş olmaması gerekir", "Passphrase must not be empty": "Şifrenin boş olmaması gerekir",
"Export room keys": "Oda anahtarlarını dışa aktar", "Export room keys": "Oda anahtarlarını dışa aktar",
@ -384,10 +381,6 @@
"Hide advanced": "Gelişmiş gizle", "Hide advanced": "Gelişmiş gizle",
"Show advanced": "Gelişmiş göster", "Show advanced": "Gelişmiş göster",
"Incompatible Database": "Uyumsuz Veritabanı", "Incompatible Database": "Uyumsuz Veritabanı",
"Event sent!": "Olay gönderildi!",
"Event Type": "Olay Tipi",
"State Key": "Durum Anahtarı",
"Event Content": "Olay İçeriği",
"Filter results": "Sonuçları filtrele", "Filter results": "Sonuçları filtrele",
"Toolbox": "Araç Kutusu", "Toolbox": "Araç Kutusu",
"Developer Tools": "Geliştirici Araçları", "Developer Tools": "Geliştirici Araçları",
@ -544,9 +537,6 @@
"Checking server": "Sunucu kontrol ediliyor", "Checking server": "Sunucu kontrol ediliyor",
"Change identity server": "Kimlik sunucu değiştir", "Change identity server": "Kimlik sunucu değiştir",
"Please contact your homeserver administrator.": "Lütfen anasunucu yöneticiniz ile bağlantıya geçin.", "Please contact your homeserver administrator.": "Lütfen anasunucu yöneticiniz ile bağlantıya geçin.",
"Enable Emoji suggestions while typing": "Yazarken Emoji önerilerini aç",
"Enable big emoji in chat": "Sohbette büyük emojileri aç",
"Send typing notifications": "Yazma bildirimlerini gönder",
"Send analytics data": "Analiz verilerini gönder", "Send analytics data": "Analiz verilerini gönder",
"Messages containing my username": "Kullanıcı adımı içeren mesajlar", "Messages containing my username": "Kullanıcı adımı içeren mesajlar",
"When rooms are upgraded": "Odalar güncellendiğinde", "When rooms are upgraded": "Odalar güncellendiğinde",
@ -915,8 +905,6 @@
"Repeats like \"abcabcabc\" are only slightly harder to guess than \"abc\"": "“abcabcabc” gibi tekrarlar “abc” yi tahmin etmekten çok az daha zor olur", "Repeats like \"abcabcabc\" are only slightly harder to guess than \"abc\"": "“abcabcabc” gibi tekrarlar “abc” yi tahmin etmekten çok az daha zor olur",
"Sequences like abc or 6543 are easy to guess": "abc veya 6543 gibi diziler tahmin için oldukça kolaydır", "Sequences like abc or 6543 are easy to guess": "abc veya 6543 gibi diziler tahmin için oldukça kolaydır",
"Common names and surnames are easy to guess": "Yaygın isimleri ve soyisimleri tahmin etmek oldukça kolay", "Common names and surnames are easy to guess": "Yaygın isimleri ve soyisimleri tahmin etmek oldukça kolay",
"Show a placeholder for removed messages": "Silinen mesajlar için bir yer tutucu göster",
"Show display name changes": "Ekran isim değişikliklerini göster",
"Enable URL previews for this room (only affects you)": "Bu oda için URL önizlemeyi aç (sadece sizi etkiler)", "Enable URL previews for this room (only affects you)": "Bu oda için URL önizlemeyi aç (sadece sizi etkiler)",
"Enable URL previews by default for participants in this room": "Bu odadaki katılımcılar için URL önizlemeyi varsayılan olarak açık hale getir", "Enable URL previews by default for participants in this room": "Bu odadaki katılımcılar için URL önizlemeyi varsayılan olarak açık hale getir",
"Enable widget screenshots on supported widgets": "Desteklenen görsel bileşenlerde anlık görüntüleri aç", "Enable widget screenshots on supported widgets": "Desteklenen görsel bileşenlerde anlık görüntüleri aç",
@ -947,7 +935,6 @@
"Set up Secure Messages": "Güvenli Mesajları Ayarla", "Set up Secure Messages": "Güvenli Mesajları Ayarla",
"Space used:": "Kullanılan alan:", "Space used:": "Kullanılan alan:",
"Indexed messages:": "İndekslenmiş mesajlar:", "Indexed messages:": "İndekslenmiş mesajlar:",
"Enable inline URL previews by default": "Varsayılan olarak satır içi URL önizlemeleri aç",
"Waiting for %(displayName)s to verify…": "%(displayName)s ın doğrulaması için bekleniyor…", "Waiting for %(displayName)s to verify…": "%(displayName)s ın doğrulaması için bekleniyor…",
"They match": "Eşleşiyorlar", "They match": "Eşleşiyorlar",
"They don't match": "Eşleşmiyorlar", "They don't match": "Eşleşmiyorlar",
@ -1023,7 +1010,6 @@
"Displays information about a user": "Bir kullanıcı hakkındaki bilgileri görüntüler", "Displays information about a user": "Bir kullanıcı hakkındaki bilgileri görüntüler",
"Add another word or two. Uncommon words are better.": "Bir iki kelime daha ekleyin. Yaygın olmayan kelimeler daha iyi olur.", "Add another word or two. Uncommon words are better.": "Bir iki kelime daha ekleyin. Yaygın olmayan kelimeler daha iyi olur.",
"Recent years are easy to guess": "Güncel yılların tahmini kolaydır", "Recent years are easy to guess": "Güncel yılların tahmini kolaydır",
"Show typing notifications": "Yazma bildirimlerini göster",
"Enable message search in encrypted rooms": "Şifrelenmiş odalardaki mesaj aramayı aktifleştir", "Enable message search in encrypted rooms": "Şifrelenmiş odalardaki mesaj aramayı aktifleştir",
"Messages containing @room": "@room odasındaki mesajlar", "Messages containing @room": "@room odasındaki mesajlar",
"Scan this unique code": "Bu eşsiz kodu tara", "Scan this unique code": "Bu eşsiz kodu tara",
@ -1127,13 +1113,8 @@
"A word by itself is easy to guess": "Kelime zaten kolay tahmin edilir", "A word by itself is easy to guess": "Kelime zaten kolay tahmin edilir",
"Straight rows of keys are easy to guess": "Aynı klavye satırındaki ardışık tuşlar kolay tahmin edilir", "Straight rows of keys are easy to guess": "Aynı klavye satırındaki ardışık tuşlar kolay tahmin edilir",
"Short keyboard patterns are easy to guess": "Kısa klavye desenleri kolay tahmin edilir", "Short keyboard patterns are easy to guess": "Kısa klavye desenleri kolay tahmin edilir",
"Show read receipts sent by other users": "Diğer kullanıcılar tarafından gönderilen okundu bilgisini göster",
"Enable automatic language detection for syntax highlighting": "Sözdizimi vurgularken otomatik dil algılamayı etkinleştir",
"Automatically replace plain text Emoji": "Düz metini otomatik olarak emoji ile değiştir",
"Never send encrypted messages to unverified sessions from this session": "Şifreli mesajları asla bu oturumdaki doğrulanmamış oturumlara iletme", "Never send encrypted messages to unverified sessions from this session": "Şifreli mesajları asla bu oturumdaki doğrulanmamış oturumlara iletme",
"Never send encrypted messages to unverified sessions in this room from this session": "Şifreli mesajları asla oturumdaki bu odadaki doğrulanmamış oturumlara iletme", "Never send encrypted messages to unverified sessions in this room from this session": "Şifreli mesajları asla oturumdaki bu odadaki doğrulanmamış oturumlara iletme",
"Prompt before sending invites to potentially invalid matrix IDs": "Potansiyel olarak geçersiz matrix kimliği olanlara davet gönderirken uyarı ver",
"Show shortcuts to recently viewed rooms above the room list": "Oda listesinin üzerinde en son kullanılan odaları göster",
"Error downloading theme information.": "Tema bilgisi indirilirken hata.", "Error downloading theme information.": "Tema bilgisi indirilirken hata.",
"Theme added!": "Tema eklendi!", "Theme added!": "Tema eklendi!",
"Add theme": "Tema ekle", "Add theme": "Tema ekle",
@ -1498,11 +1479,8 @@
"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.",
"Show previews/thumbnails for images": "Fotoğraflar için ön izleme/küçük resim göster",
"System font name": "Sistem yazı tipi ismi", "System font name": "Sistem yazı tipi ismi",
"Use a system font": "Bir sistem yazı tipi kullanın", "Use a system font": "Bir sistem yazı tipi kullanın",
"Use Ctrl + Enter to send a message": "Mesaj göndermek için Ctrl + Enter tuşlarını kullanın",
"Use Command + Enter to send a message": "Mesaj göndermek için Command + Enter tuşlarını 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: %(stickerName)s": "%(senderName)s%(stickerName)s",
@ -1767,9 +1745,6 @@
"Workspace: <networkLink/>": "Çalışma alanı: <networkLink/>", "Workspace: <networkLink/>": "Çalışma alanı: <networkLink/>",
"Unable to look up phone number": "Telefon numarasına bakılamadı", "Unable to look up phone number": "Telefon numarasına bakılamadı",
"There was an error looking up the phone number": "Telefon numarasına bakarken bir hata oluştu", "There was an error looking up the phone number": "Telefon numarasına bakarken bir hata oluştu",
"Show line numbers in code blocks": "Kod bloklarında satır sayısını göster",
"Expand code blocks by default": "Varsayılan olarak kod bloklarını genişlet",
"Show stickers button": ıkartma tuşunu göster",
"Use app": "Uygulamayı kullan", "Use app": "Uygulamayı kullan",
"Use app for a better experience": "Daha iyi bir deneyim için uygulamayı kullanın", "Use app for a better experience": "Daha iyi bir deneyim için uygulamayı kullanın",
"Remain on your screen while running": "Uygulama çalışırken lütfen başka uygulamaya geçmeyin", "Remain on your screen while running": "Uygulama çalışırken lütfen başka uygulamaya geçmeyin",
@ -2052,5 +2027,34 @@
}, },
"time": { "time": {
"seconds_left": "%(seconds)s saniye kaldı" "seconds_left": "%(seconds)s saniye kaldı"
},
"devtools": {
"event_type": "Olay Tipi",
"state_key": "Durum Anahtarı",
"event_sent": "Olay gönderildi!",
"event_content": "Olay İçeriği"
},
"settings": {
"show_breadcrumbs": "Oda listesinin üzerinde en son kullanılan odaları göster",
"use_12_hour_format": "Zaman damgalarını 12 biçiminde göster (örn. 2:30 pm)",
"always_show_message_timestamps": "Her zaman mesaj zaman dalgalarını (timestamps) gösterin",
"send_typing_notifications": "Yazma bildirimlerini gönder",
"replace_plain_emoji": "Düz metini otomatik olarak emoji ile değiştir",
"emoji_autocomplete": "Yazarken Emoji önerilerini aç",
"use_command_enter_send_message": "Mesaj göndermek için Command + Enter tuşlarını kullanın",
"use_control_enter_send_message": "Mesaj göndermek için Ctrl + Enter tuşlarını kullanın",
"show_stickers_button": ıkartma tuşunu göster",
"automatic_language_detection_syntax_highlight": "Sözdizimi vurgularken otomatik dil algılamayı etkinleştir",
"code_block_expand_default": "Varsayılan olarak kod bloklarını genişlet",
"code_block_line_numbers": "Kod bloklarında satır sayısını göster",
"inline_url_previews_default": "Varsayılan olarak satır içi URL önizlemeleri aç",
"image_thumbnails": "Fotoğraflar için ön izleme/küçük resim göster",
"show_typing_notifications": "Yazma bildirimlerini göster",
"show_redaction_placeholder": "Silinen mesajlar için bir yer tutucu göster",
"show_read_receipts": "Diğer kullanıcılar tarafından gönderilen okundu bilgisini göster",
"show_displayname_changes": "Ekran isim değişikliklerini göster",
"big_emoji": "Sohbette büyük emojileri aç",
"prompt_invite": "Potansiyel olarak geçersiz matrix kimliği olanlara davet gönderirken uyarı ver",
"start_automatically": "Sisteme giriş yaptıktan sonra otomatik başlat"
} }
} }

View file

@ -16,7 +16,6 @@
"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": "Подробиці", "Advanced": "Подробиці",
"Always show message timestamps": "Завжди показувати часові позначки повідомлень",
"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...": {
@ -77,7 +76,6 @@
"Send": "Надіслати", "Send": "Надіслати",
"All messages": "Усі повідомлення", "All messages": "Усі повідомлення",
"Call invitation": "Запрошення до виклику", "Call invitation": "Запрошення до виклику",
"State Key": "Ключ стану",
"What's new?": "Що нового?", "What's new?": "Що нового?",
"Invite to this room": "Запросити до цієї кімнати", "Invite to this room": "Запросити до цієї кімнати",
"Thursday": "Четвер", "Thursday": "Четвер",
@ -90,9 +88,6 @@
"Low Priority": "Неважливі", "Low Priority": "Неважливі",
"Off": "Вимкнено", "Off": "Вимкнено",
"Failed to remove tag %(tagName)s from room": "Не вдалося прибрати з кімнати мітку %(tagName)s", "Failed to remove tag %(tagName)s from room": "Не вдалося прибрати з кімнати мітку %(tagName)s",
"Event Type": "Тип події",
"Event sent!": "Подію надіслано!",
"Event Content": "Зміст події",
"Thank you!": "Дякуємо!", "Thank you!": "Дякуємо!",
"Check for update": "Перевірити на наявність оновлень", "Check for update": "Перевірити на наявність оновлень",
"Reject all %(invitedRooms)s invites": "Відхилити запрошення до усіх %(invitedRooms)s", "Reject all %(invitedRooms)s invites": "Відхилити запрошення до усіх %(invitedRooms)s",
@ -188,12 +183,8 @@
"Not a valid %(brand)s keyfile": "Файл ключа %(brand)s некоректний", "Not a valid %(brand)s keyfile": "Файл ключа %(brand)s некоректний",
"Authentication check failed: incorrect password?": "Помилка автентифікації: неправильний пароль?", "Authentication check failed: incorrect password?": "Помилка автентифікації: неправильний пароль?",
"Please contact your homeserver administrator.": "Будь ласка, зв'яжіться з адміністратором вашого домашнього сервера.", "Please contact your homeserver administrator.": "Будь ласка, зв'яжіться з адміністратором вашого домашнього сервера.",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "Показувати час у 12-годинному форматі (напр. 2:30 пп)",
"Enable automatic language detection for syntax highlighting": "Автоматично визначати мову для підсвічування синтаксису",
"Automatically replace plain text Emoji": "Автоматично замінювати простотекстові емодзі",
"Mirror local video feed": "Показувати локальне відео віддзеркалено", "Mirror local video feed": "Показувати локальне відео віддзеркалено",
"Send analytics data": "Надсилати дані аналітики", "Send analytics data": "Надсилати дані аналітики",
"Enable inline URL previews by default": "Увімкнути вбудований перегляд гіперпосилань за умовчанням",
"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": "Увімкнути попередній перегляд гіперпосилань за умовчанням для учасників цієї кімнати",
"Incorrect verification code": "Неправильний код перевірки", "Incorrect verification code": "Неправильний код перевірки",
@ -494,7 +485,6 @@
"%(senderName)s: %(stickerName)s": "%(senderName)s: %(stickerName)s", "%(senderName)s: %(stickerName)s": "%(senderName)s: %(stickerName)s",
"Font size": "Розмір шрифту", "Font size": "Розмір шрифту",
"Use custom size": "Використовувати нетиповий розмір", "Use custom size": "Використовувати нетиповий розмір",
"Enable Emoji suggestions while typing": "Увімкнути пропонування емодзі при друкуванні",
"General": "Загальні", "General": "Загальні",
"Discovery": "Виявлення", "Discovery": "Виявлення",
"Help & About": "Допомога та про програму", "Help & About": "Допомога та про програму",
@ -527,7 +517,6 @@
"Subscribing to a ban list will cause you to join it!": "Підписавшись на список блокування ви приєднаєтесь до нього!", "Subscribing to a ban list will cause you to join it!": "Підписавшись на список блокування ви приєднаєтесь до нього!",
"If this isn't what you want, please use a different tool to ignore users.": "Якщо вас це не влаштовує, спробуйте інший інструмент для ігнорування користувачів.", "If this isn't what you want, please use a different tool to ignore users.": "Якщо вас це не влаштовує, спробуйте інший інструмент для ігнорування користувачів.",
"Room ID or address of ban list": "ID кімнати або адреса списку блокування", "Room ID or address of ban list": "ID кімнати або адреса списку блокування",
"Start automatically after system login": "Автозапуск при вході в систему",
"Always show the window menu bar": "Завжди показувати рядок меню", "Always show the window menu bar": "Завжди показувати рядок меню",
"Room list": "Перелік кімнат", "Room list": "Перелік кімнат",
"Composer": "Редактор", "Composer": "Редактор",
@ -705,9 +694,6 @@
"You'll need to authenticate with the server to confirm the upgrade.": "Ви матимете пройти розпізнання на сервері, щоб підтвердити поліпшення.", "You'll need to authenticate with the server to confirm the upgrade.": "Ви матимете пройти розпізнання на сервері, щоб підтвердити поліпшення.",
"Upgrade this session to allow it to verify other sessions, granting them access to encrypted messages and marking them as trusted for other users.": "Поліпшіть цей сеанс, щоб уможливити звірення інших сеансів, надаючи їм доступ до зашифрованих повідомлень та позначаючи їх довіреними для інших користувачів.", "Upgrade this session to allow it to verify other sessions, granting them access to encrypted messages and marking them as trusted for other users.": "Поліпшіть цей сеанс, щоб уможливити звірення інших сеансів, надаючи їм доступ до зашифрованих повідомлень та позначаючи їх довіреними для інших користувачів.",
"Upgrade your encryption": "Поліпшити ваше шифрування", "Upgrade your encryption": "Поліпшити ваше шифрування",
"Show a placeholder for removed messages": "Показувати замісну позначку замість видалених повідомлень",
"Show display name changes": "Показувати зміни псевдонімів",
"Show read receipts sent by other users": "Показувати мітки прочитання, надіслані іншими користувачами",
"Never send encrypted messages to unverified sessions from this session": "Ніколи не надсилати зашифровані повідомлення до незвірених сеансів з цього сеансу", "Never send encrypted messages to unverified sessions from this session": "Ніколи не надсилати зашифровані повідомлення до незвірених сеансів з цього сеансу",
"Never send encrypted messages to unverified sessions in this room from this session": "Ніколи не надсилати зашифровані повідомлення до незвірених сеансів у цій кімнаті з цього сеансу", "Never send encrypted messages to unverified sessions in this room from this session": "Ніколи не надсилати зашифровані повідомлення до незвірених сеансів у цій кімнаті з цього сеансу",
"Enable message search in encrypted rooms": "Увімкнути шукання повідомлень у зашифрованих кімнатах", "Enable message search in encrypted rooms": "Увімкнути шукання повідомлень у зашифрованих кімнатах",
@ -743,11 +729,7 @@
"Reporting this message will send its unique 'event ID' to the administrator of your homeserver. If messages in this room are encrypted, your homeserver administrator will not be able to read the message text or view any files or images.": "Зі скаргою на це повідомлення буде надіслано його унікальний «ID події» адміністраторові вашого домашнього сервера. Якщо повідомлення у цій кімнаті зашифровані, то адміністратор не зможе побачити ані тексту повідомлень, ані жодних файлів чи зображень.", "Reporting this message will send its unique 'event ID' to the administrator of your homeserver. If messages in this room are encrypted, your homeserver administrator will not be able to read the message text or view any files or images.": "Зі скаргою на це повідомлення буде надіслано його унікальний «ID події» адміністраторові вашого домашнього сервера. Якщо повідомлення у цій кімнаті зашифровані, то адміністратор не зможе побачити ані тексту повідомлень, ані жодних файлів чи зображень.",
"Some session data, including encrypted message keys, is missing. Sign out and sign in to fix this, restoring keys from backup.": "Бракує деяких даних сеансу, включно з ключами зашифрованих повідомлень. Вийдіть та зайдіть знову щоб виправити цю проблему, відновлюючи ключі з дубля.", "Some session data, including encrypted message keys, is missing. Sign out and sign in to fix this, restoring keys from backup.": "Бракує деяких даних сеансу, включно з ключами зашифрованих повідомлень. Вийдіть та зайдіть знову щоб виправити цю проблему, відновлюючи ключі з дубля.",
"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. Це призведе до збоїння наскрізного шифрування у старій версії. Наскрізно зашифровані повідомлення, що обмінювані нещодавно, під час використання старої версії, можуть бути недешифровними у цій версії. Це може призвести до збоїв повідомлень, обмінюваних також і з цією версією. У разі виникнення проблем вийдіть з програми та зайдіть знову. Задля збереження історії повідомлень експортуйте та переімпортуйте ваші ключі.",
"Enable big emoji in chat": "Увімкнути великі емоджі у бесідах",
"Show typing notifications": "Сповіщати про друкування",
"Show shortcuts to recently viewed rooms above the room list": "Показувати нещодавно переглянуті кімнати над списком кімнат",
"Show hidden events in timeline": "Показувати приховані події у часоряді", "Show hidden events in timeline": "Показувати приховані події у часоряді",
"Show previews/thumbnails for images": "Показувати попередній перегляд зображень",
"Compare a unique set of emoji if you don't have a camera on either device": "Порівняйте унікальний набір емодзі якщо жоден ваш пристрій не має камери", "Compare a unique set of emoji if you don't have a camera on either device": "Порівняйте унікальний набір емодзі якщо жоден ваш пристрій не має камери",
"Verify this user by confirming the following emoji appear on their screen.": "Звірте цього користувача підтвердженням того, що наступні емодзі з'являються на його екрані.", "Verify this user by confirming the following emoji appear on their screen.": "Звірте цього користувача підтвердженням того, що наступні емодзі з'являються на його екрані.",
"If you can't scan the code above, verify by comparing unique emoji.": "Якщо ви не можете сканувати зазначений код, звірте порівнянням унікальних емодзі.", "If you can't scan the code above, verify by comparing unique emoji.": "Якщо ви не можете сканувати зазначений код, звірте порівнянням унікальних емодзі.",
@ -790,11 +772,9 @@
"Set up Secure Backup": "Налаштувати захищене резервне копіювання", "Set up Secure Backup": "Налаштувати захищене резервне копіювання",
"Safeguard against losing access to encrypted messages & data": "Захистіться від втрати доступу до зашифрованих повідомлень і даних", "Safeguard against losing access to encrypted messages & data": "Захистіться від втрати доступу до зашифрованих повідомлень і даних",
"Change notification settings": "Змінити налаштування сповіщень", "Change notification settings": "Змінити налаштування сповіщень",
"Send typing notifications": "Надсилати сповіщення про набирання тексту",
"Use a system font": "Використовувати системний шрифт", "Use a system font": "Використовувати системний шрифт",
"System font name": "Ім’я системного шрифту", "System font name": "Ім’я системного шрифту",
"Enable widget screenshots on supported widgets": "Увімкнути знімки екрана віджетів для підтримуваних віджетів", "Enable widget screenshots on supported widgets": "Увімкнути знімки екрана віджетів для підтримуваних віджетів",
"Prompt before sending invites to potentially invalid matrix IDs": "Запитувати перед надсиланням запрошень на потенційно недійсні matrix ID",
"How fast should messages be downloaded.": "Як швидко повідомлення повинні завантажуватися.", "How fast should messages be downloaded.": "Як швидко повідомлення повинні завантажуватися.",
"Uploading logs": "Відвантаження журналів", "Uploading logs": "Відвантаження журналів",
"Downloading logs": "Завантаження журналів", "Downloading logs": "Завантаження журналів",
@ -1153,8 +1133,6 @@
"Sends the given message with snowfall": "Надсилає це повідомлення зі снігопадом", "Sends the given message with snowfall": "Надсилає це повідомлення зі снігопадом",
"Sends the given message with fireworks": "Надсилає це повідомлення з феєрверком", "Sends the given message with fireworks": "Надсилає це повідомлення з феєрверком",
"Sends the given message with confetti": "Надсилає це повідомлення з конфеті", "Sends the given message with confetti": "Надсилає це повідомлення з конфеті",
"Use Ctrl + Enter to send a message": "Натисніть Ctrl + Enter, щоб надіслати повідомлення",
"Use Command + Enter to send a message": "Натисніть Command + Enter, щоб надіслати повідомлення",
"Send text messages as you in this room": "Надсилати текстові повідомлення у цю кімнату від вашого імені", "Send text messages as you in this room": "Надсилати текстові повідомлення у цю кімнату від вашого імені",
"Send messages as you in your active room": "Надіслати повідомлення у свою активну кімнату від свого імені", "Send messages as you in your active room": "Надіслати повідомлення у свою активну кімнату від свого імені",
"Send messages as you in this room": "Надіслати повідомлення у цю кімнату від свого імені", "Send messages as you in this room": "Надіслати повідомлення у цю кімнату від свого імені",
@ -1374,12 +1352,6 @@
"They match": "Вони збігаються", "They match": "Вони збігаються",
"Return to call": "Повернутися до виклику", "Return to call": "Повернутися до виклику",
"Connecting": "З'єднання", "Connecting": "З'єднання",
"All rooms you're in will appear in Home.": "Всі кімнати, до яких ви приєднались, з'являться в домівці.",
"Show all rooms in Home": "Показувати всі кімнати в Домівці",
"Show chat effects (animations when receiving e.g. confetti)": "Показувати ефекти бесід (анімації отримання, наприклад, конфеті)",
"Autoplay videos": "Автовідтворення відео",
"Autoplay GIFs": "Автовідтворення GIF",
"Show stickers button": "Показати кнопку наліпок",
"%(senderName)s ended the call": "%(senderName)s завершує виклик", "%(senderName)s ended the call": "%(senderName)s завершує виклик",
"You ended the call": "Ви завершили виклик", "You ended the call": "Ви завершили виклик",
"New version of %(brand)s is available": "Доступна нова версія %(brand)s", "New version of %(brand)s is available": "Доступна нова версія %(brand)s",
@ -1683,15 +1655,6 @@
"one": "%(count)s учасник", "one": "%(count)s учасник",
"other": "%(count)s учасників" "other": "%(count)s учасників"
}, },
"Value in this room:": "Значення у цій кімнаті:",
"Value:": "Значення:",
"Level": "Рівень",
"Caution:": "Попередження:",
"Setting:": "Налаштування:",
"Value in this room": "Значення у цій кімнаті",
"Value": "Значення",
"Setting ID": "ID налаштувань",
"There was an error finding this widget.": "Сталася помилка під час пошуку віджету.",
"Active Widgets": "Активні віджети", "Active Widgets": "Активні віджети",
"There was a problem communicating with the server. Please try again.": "Виникла проблема зв'язку з сервером. Повторіть спробу.", "There was a problem communicating with the server. Please try again.": "Виникла проблема зв'язку з сервером. Повторіть спробу.",
"Can't load this message": "Не вдалося завантажити це повідомлення", "Can't load this message": "Не вдалося завантажити це повідомлення",
@ -1985,14 +1948,9 @@
"Experimental": "Експериментально", "Experimental": "Експериментально",
"Themes": "Теми", "Themes": "Теми",
"Surround selected text when typing special characters": "Обгортати виділений текст при введенні спеціальних символів", "Surround selected text when typing special characters": "Обгортати виділений текст при введенні спеціальних символів",
"Use Command + F to search timeline": "Command + F для пошуку в стрічці",
"Jump to the bottom of the timeline when you send a message": "Переходити вниз стрічки під час надсилання повідомлення",
"Images, GIFs and videos": "Зображення, GIF та відео", "Images, GIFs and videos": "Зображення, GIF та відео",
"Displaying time": "Формат часу", "Displaying time": "Формат часу",
"Code blocks": "Блоки коду", "Code blocks": "Блоки коду",
"Show line numbers in code blocks": "Нумерувати рядки блоків коду",
"Expand code blocks by default": "Розгортати блоки коду одразу",
"Use Ctrl + F to search timeline": "Ctrl + F для пошуку в стрічці",
"Olm version:": "Версія Olm:", "Olm version:": "Версія Olm:",
"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.": "Токен доступу надає повний доступ до вашого облікового запису. Не передавайте його нікому.",
"Messaging": "Спілкування", "Messaging": "Спілкування",
@ -2432,7 +2390,6 @@
"Read Marker lifetime (ms)": "Тривалість маркеру прочитання (мс)", "Read Marker lifetime (ms)": "Тривалість маркеру прочитання (мс)",
"Autocomplete delay (ms)": "Затримка автозаповнення (мс)", "Autocomplete delay (ms)": "Затримка автозаповнення (мс)",
"Show tray icon and minimise window to it on close": "Згортати вікно до піктограми в лотку при закритті", "Show tray icon and minimise window to it on close": "Згортати вікно до піктограми в лотку при закритті",
"Warn before quitting": "Застерігати перед виходом",
"Add users and servers you want to ignore here. Use asterisks to have %(brand)s match any characters. For example, <code>@bot:*</code> would ignore all users that have the name 'bot' on any server.": "Додайте сюди користувачів і сервери, якими нехтуєте. Використовуйте зірочки, де %(brand)s має підставляти довільні символи. Наприклад, <code>@бот:*</code> нехтуватиме всіма користувачами з іменем «бот» на будь-якому сервері.", "Add users and servers you want to ignore here. Use asterisks to have %(brand)s match any characters. For example, <code>@bot:*</code> would ignore all users that have the name 'bot' on any server.": "Додайте сюди користувачів і сервери, якими нехтуєте. Використовуйте зірочки, де %(brand)s має підставляти довільні символи. Наприклад, <code>@бот:*</code> нехтуватиме всіма користувачами з іменем «бот» на будь-якому сервері.",
"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 спробує його використати.",
"Add theme": "Додати тему", "Add theme": "Додати тему",
@ -2497,19 +2454,9 @@
"other": "%(severalUsers)sнічого не змінюють %(count)s разів" "other": "%(severalUsers)sнічого не змінюють %(count)s разів"
}, },
"Unable to load commit detail: %(msg)s": "Не вдалося звантажити дані про коміт: %(msg)s", "Unable to load commit detail: %(msg)s": "Не вдалося звантажити дані про коміт: %(msg)s",
"Clear": "Очистити",
"Server did not return valid authentication information.": "Сервер надав хибні дані розпізнання.", "Server did not return valid authentication information.": "Сервер надав хибні дані розпізнання.",
"Server did not require any authentication": "Сервер не попросив увійти", "Server did not require any authentication": "Сервер не попросив увійти",
"Add a space to a space you manage.": "Додайте простір до іншого простору, яким ви керуєте.", "Add a space to a space you manage.": "Додайте простір до іншого простору, яким ви керуєте.",
"Settable at room": "Має сенс у кімнатах",
"Settable at global": "Має сенс глобально",
"Values at explicit levels in this room:": "Значення на явних рівнях у цій кімнаті:",
"Values at explicit levels:": "Значення на явних рівнях:",
"Values at explicit levels in this room": "Значення на явних рівнях у цій кімнаті",
"Values at explicit levels": "Значення на явних рівнях",
"Save setting values": "Зберегти значення налаштування",
"Setting definition:": "Означення налаштування:",
"This UI does NOT check the types of the values. Use at your own risk.": "Цей інтерфейс НЕ перевіряє типи значень. Користуйтесь на свій ризик.",
"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.": "Якщо ви не видаляли способу відновлення, ймовірно хтось намагається зламати ваш обліковий запис. Негайно змініть пароль до свого облікового запису й встановіть новий спосіб відновлення в налаштуваннях.",
"If you did this accidentally, you can setup Secure Messages on this session which will re-encrypt this session's message history with a new recovery method.": "Якщо це ненароком зробили ви, налаштуйте захищені повідомлення для цього сеансу, щоб повторно зашифрувати історію листування цього сеансу з новим способом відновлення.", "If you did this accidentally, you can setup Secure Messages on this session which will re-encrypt this session's message history with a new recovery method.": "Якщо це ненароком зробили ви, налаштуйте захищені повідомлення для цього сеансу, щоб повторно зашифрувати історію листування цього сеансу з новим способом відновлення.",
"This session has detected that your Security Phrase and key for Secure Messages have been removed.": "Цей сеанс виявив, що ваша фраза безпеки й ключ до захищених повідомлень були видалені.", "This session has detected that your Security Phrase and key for Secure Messages have been removed.": "Цей сеанс виявив, що ваша фраза безпеки й ключ до захищених повідомлень були видалені.",
@ -2749,7 +2696,6 @@
"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:": "Переконайтеся, що наведені внизу емоджі показано на обох пристроях в однаковому порядку:",
"Edit setting": "Змінити налаштування",
"Expand map": "Розгорнути карту", "Expand map": "Розгорнути карту",
"Send reactions": "Надсилати реакції", "Send reactions": "Надсилати реакції",
"No active call in this room": "Немає активних викликів у цій кімнаті", "No active call in this room": "Немає активних викликів у цій кімнаті",
@ -2781,7 +2727,6 @@
"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 users": "Вилучити користувачів",
"Show join/leave messages (invites/removes/bans unaffected)": "Показувати повідомлення про приєднання/виходи (не стосується запрошень/вилучень/блокувань]",
"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": "Вилучати, блокувати чи запрошувати людей у цій кімнаті, зокрема вас",
"%(senderName)s removed %(targetName)s": "%(senderName)s вилучає %(targetName)s", "%(senderName)s removed %(targetName)s": "%(senderName)s вилучає %(targetName)s",
@ -2863,11 +2808,6 @@
"other": "%(severalUsers)sвидаляють %(count)s повідомлень" "other": "%(severalUsers)sвидаляють %(count)s повідомлень"
}, },
"Automatically send debug logs when key backup is not functioning": "Автоматично надсилати журнали зневадження при збоях резервного копіювання ключів", "Automatically send debug logs when key backup is not functioning": "Автоматично надсилати журнали зневадження при збоях резервного копіювання ключів",
"<empty string>": "<порожній рядок>",
"<%(count)s spaces>": {
"one": "<простір>",
"other": "<%(count)s просторів>"
},
"Edit poll": "Редагувати опитування", "Edit poll": "Редагувати опитування",
"Sorry, you can't edit a poll after votes have been cast.": "Ви не можете редагувати опитування після завершення голосування.", "Sorry, you can't edit a poll after votes have been cast.": "Ви не можете редагувати опитування після завершення голосування.",
"Can't edit poll": "Неможливо редагувати опитування", "Can't edit poll": "Неможливо редагувати опитування",
@ -2895,7 +2835,6 @@
"We couldn't send your location": "Не вдалося надіслати ваше місцеперебування", "We couldn't send your location": "Не вдалося надіслати ваше місцеперебування",
"Match system": "Як у системі", "Match system": "Як у системі",
"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».",
"Insert a trailing colon after user mentions at the start of a message": "Додавати двокрапку після згадки користувача на початку повідомлення",
"Show polls button": "Показувати кнопку опитування", "Show polls button": "Показувати кнопку опитування",
"%(oneUser)schanged the <a>pinned messages</a> for the room %(count)s times": { "%(oneUser)schanged the <a>pinned messages</a> for the room %(count)s times": {
"one": "%(oneUser)sзмінює <a>закріплені повідомлення</a> кімнати", "one": "%(oneUser)sзмінює <a>закріплені повідомлення</a> кімнати",
@ -2951,32 +2890,8 @@
"Developer tools": "Інструменти розробника", "Developer tools": "Інструменти розробника",
"Room ID: %(roomId)s": "ID кімнати: %(roomId)s", "Room ID: %(roomId)s": "ID кімнати: %(roomId)s",
"Server info": "Інформація сервера", "Server info": "Інформація сервера",
"Server Versions": "Версії сервера",
"Client Versions": "Версії клієнта",
"Failed to load.": "Не вдалося завантажити.",
"Capabilities": "Можливості",
"Send custom state event": "Надіслати нетипову подію стану",
"Failed to send event!": "Не вдалося надіслати подію!",
"Doesn't look like valid JSON.": "Не схоже на чинний JSON.",
"Send custom room account data event": "Надіслати нетипову подію даних кімнати",
"Send custom account data event": "Надіслати нетипову подію даних облікового запису",
"Phase": "Фаза",
"Transaction": "Транзакція",
"Cancelled": "Скасовано",
"Started": "Почато",
"Ready": "Готово",
"Requested": "Подано запит",
"Unsent": "Не надіслано", "Unsent": "Не надіслано",
"Edit values": "Редагувати значення",
"Failed to save settings.": "Не вдалося зберегти налаштування.",
"Number of users": "Кількість користувачів",
"Server": "Сервер",
"Event ID: %(eventId)s": "ID події: %(eventId)s", "Event ID: %(eventId)s": "ID події: %(eventId)s",
"No verification requests found": "Запитів на звірку не знайдено",
"Observe only": "Лише спостерігати",
"Requester": "Адресант",
"Methods": "Методи",
"Timeout": "Обмеження часу",
"%(errcode)s was returned while trying to access the room or space. If you think you're seeing this message in error, please <issueLink>submit a bug report</issueLink>.": "Під час спроби отримати доступ до кімнати або простору було повернено помилку %(errcode)s. Якщо ви думаєте, що ви бачите це повідомлення помилково, будь ласка, <issueLink>надішліть звіт про помилку</issueLink>.", "%(errcode)s was returned while trying to access the room or space. If you think you're seeing this message in error, please <issueLink>submit a bug report</issueLink>.": "Під час спроби отримати доступ до кімнати або простору було повернено помилку %(errcode)s. Якщо ви думаєте, що ви бачите це повідомлення помилково, будь ласка, <issueLink>надішліть звіт про помилку</issueLink>.",
"Try again later, or ask a room or space admin to check if you have access.": "Повторіть спробу пізніше, або запитайте у кімнати або простору перевірку, чи маєте ви доступ.", "Try again later, or ask a room or space admin to check if you have access.": "Повторіть спробу пізніше, або запитайте у кімнати або простору перевірку, чи маєте ви доступ.",
"This room or space is not accessible at this time.": "Ця кімната або простір на разі не доступні.", "This room or space is not accessible at this time.": "Ця кімната або простір на разі не доступні.",
@ -3041,7 +2956,6 @@
"Remove from space": "Вилучити з простору", "Remove from space": "Вилучити з простору",
"Disinvite from space": "Відкликати запрошення до простору", "Disinvite from space": "Відкликати запрошення до простору",
"No live locations": "Передавання місцеперебування наживо відсутні", "No live locations": "Передавання місцеперебування наживо відсутні",
"Enable Markdown": "Увімкнути Markdown",
"Close sidebar": "Закрити бічну панель", "Close sidebar": "Закрити бічну панель",
"View List": "Переглянути список", "View List": "Переглянути список",
"View list": "Переглянути список", "View list": "Переглянути список",
@ -3104,7 +3018,6 @@
"Ignore user": "Нехтувати користувача", "Ignore user": "Нехтувати користувача",
"View related event": "Переглянути пов'язані події", "View related event": "Переглянути пов'язані події",
"Read receipts": "Звіти про прочитання", "Read receipts": "Звіти про прочитання",
"Enable hardware acceleration (restart %(appName)s to take effect)": "Увімкнути апаратне прискорення (перезапустіть %(appName)s для застосування змін)",
"Failed to set direct message tag": "Не вдалося встановити мітку особистого повідомлення", "Failed to set direct message tag": "Не вдалося встановити мітку особистого повідомлення",
"You were disconnected from the call. (Error: %(message)s)": "Вас від'єднано від виклику. (Помилка: %(message)s)", "You were disconnected from the call. (Error: %(message)s)": "Вас від'єднано від виклику. (Помилка: %(message)s)",
"Connection lost": "З'єднання розірвано", "Connection lost": "З'єднання розірвано",
@ -3192,7 +3105,6 @@
"We're creating a room with %(names)s": "Ми створюємо кімнату з %(names)s", "We're creating a room with %(names)s": "Ми створюємо кімнату з %(names)s",
"Your server doesn't support disabling sending read receipts.": "Ваш сервер не підтримує вимкнення надсилання сповіщень про прочитання.", "Your server doesn't support disabling sending read receipts.": "Ваш сервер не підтримує вимкнення надсилання сповіщень про прочитання.",
"Share your activity and status with others.": "Діліться своєю активністю та станом з іншими.", "Share your activity and status with others.": "Діліться своєю активністю та станом з іншими.",
"Send read receipts": "Надсилати підтвердження прочитання",
"Last activity": "Остання активність", "Last activity": "Остання активність",
"Sessions": "Сеанси", "Sessions": "Сеанси",
"Current session": "Поточний сеанс", "Current session": "Поточний сеанс",
@ -3444,19 +3356,6 @@
"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?": "Усі повідомлення та запрошення від цього користувача будуть приховані. Ви впевнені, що хочете їх нехтувати?",
"Ignore %(user)s": "Нехтувати %(user)s", "Ignore %(user)s": "Нехтувати %(user)s",
"Unable to decrypt voice broadcast": "Невдалося розшифрувати голосову трансляцію", "Unable to decrypt voice broadcast": "Невдалося розшифрувати голосову трансляцію",
"Thread Id: ": "Id стрічки: ",
"Threads timeline": "Стрічка гілок",
"Sender: ": "Відправник: ",
"Type: ": "Тип: ",
"ID: ": "ID: ",
"Last event:": "Остання подія:",
"No receipt found": "Підтвердження не знайдено",
"User read up to: ": "Користувач прочитав до: ",
"Dot: ": "Крапка: ",
"Highlight: ": "Виділене: ",
"Total: ": "Загалом: ",
"Main timeline": "Основна стрічка",
"Room status": "Статус кімнати",
"Notifications debug": "Сповіщення зневадження", "Notifications debug": "Сповіщення зневадження",
"unknown": "невідомо", "unknown": "невідомо",
"Red": "Червоний", "Red": "Червоний",
@ -3514,20 +3413,12 @@
"Secure Backup successful": "Безпечне резервне копіювання виконано успішно", "Secure Backup successful": "Безпечне резервне копіювання виконано успішно",
"Your keys are now being backed up from this device.": "На цьому пристрої створюється резервна копія ваших ключів.", "Your keys are now being backed up from this device.": "На цьому пристрої створюється резервна копія ваших ключів.",
"Loading polls": "Завантаження опитувань", "Loading polls": "Завантаження опитувань",
"Room is <strong>not encrypted 🚨</strong>": "Кімната <strong>не зашифрована 🚨</strong>",
"Room is <strong>encrypted ✅</strong>": "Кімната <strong>зашифрована ✅</strong>",
"Notification state is <strong>%(notificationState)s</strong>": "Стан сповіщень <strong>%(notificationState)s</strong>",
"Room unread status: <strong>%(status)s</strong>": "Стан непрочитаного в кімнаті: <strong>%(status)s</strong>",
"Room unread status: <strong>%(status)s</strong>, count: <strong>%(count)s</strong>": {
"other": "Стан непрочитаного в кімнаті: <strong>%(status)s</strong>, кількість: <strong>%(count)s</strong>"
},
"Ended a poll": "Завершує опитування", "Ended a poll": "Завершує опитування",
"Due to decryption errors, some votes may not be counted": "Через помилки розшифрування деякі голоси можуть бути не враховані", "Due to decryption errors, some votes may not be counted": "Через помилки розшифрування деякі голоси можуть бути не враховані",
"The sender has blocked you from receiving this message": "Відправник заблокував вам отримання цього повідомлення", "The sender has blocked you from receiving this message": "Відправник заблокував вам отримання цього повідомлення",
"Room directory": "Каталог кімнат", "Room directory": "Каталог кімнат",
"Identity server is <code>%(identityServerUrl)s</code>": "Сервер ідентифікації <code>%(identityServerUrl)s</code>", "Identity server is <code>%(identityServerUrl)s</code>": "Сервер ідентифікації <code>%(identityServerUrl)s</code>",
"Homeserver is <code>%(homeserverUrl)s</code>": "Домашній сервер <code>%(homeserverUrl)s</code>", "Homeserver is <code>%(homeserverUrl)s</code>": "Домашній сервер <code>%(homeserverUrl)s</code>",
"Show NSFW content": "Показати матеріали NSFW",
"Yes, it was me": "Так, це я", "Yes, it was me": "Так, це я",
"Answered elsewhere": "Відповіли деінде", "Answered elsewhere": "Відповіли деінде",
"If you know a room address, try joining through that instead.": "Якщо ви знаєте адресу кімнати, спробуйте приєднатися через неї.", "If you know a room address, try joining through that instead.": "Якщо ви знаєте адресу кімнати, спробуйте приєднатися через неї.",
@ -3582,7 +3473,6 @@
"Formatting": "Форматування", "Formatting": "Форматування",
"Can't find the old version of this room (room ID: %(roomId)s), and we have not been provided with 'via_servers' to look for it.": "Не можемо знайти стару версію цієї кімнати (ідентифікатор кімнати: %(roomId)s), а нам не було надано 'via_servers', щоб знайти її.", "Can't find the old version of this room (room ID: %(roomId)s), and we have not been provided with 'via_servers' to look for it.": "Не можемо знайти стару версію цієї кімнати (ідентифікатор кімнати: %(roomId)s), а нам не було надано 'via_servers', щоб знайти її.",
"Can't find the old version of this room (room ID: %(roomId)s), and we have not been provided with 'via_servers' to look for it. It's possible that guessing the server from the room ID will work. If you want to try, click this link:": "Не можемо знайти стару версію цієї кімнати (ідентифікатор кімнати: %(roomId)s), а нам не було надано 'via_servers', щоб знайти її. Можливо, вам вдасться вгадати сервер за ID кімнати. Якщо ви хочете спробувати, натисніть на це посилання:", "Can't find the old version of this room (room ID: %(roomId)s), and we have not been provided with 'via_servers' to look for it. It's possible that guessing the server from the room ID will work. If you want to try, click this link:": "Не можемо знайти стару версію цієї кімнати (ідентифікатор кімнати: %(roomId)s), а нам не було надано 'via_servers', щоб знайти її. Можливо, вам вдасться вгадати сервер за ID кімнати. Якщо ви хочете спробувати, натисніть на це посилання:",
"Start messages with <code>/plain</code> to send without markdown.": "Розпочинати повідомлення з <code>/plain</code>, щоб надіслати без markdown.",
"The add / bind with MSISDN flow is misconfigured": "Неправильно налаштовано додавання / зв'язування з потоком MSISDN", "The add / bind with MSISDN flow is misconfigured": "Неправильно налаштовано додавання / зв'язування з потоком MSISDN",
"No identity access token found": "Токен доступу до ідентифікації не знайдено", "No identity access token found": "Токен доступу до ідентифікації не знайдено",
"Identity server not set": "Сервер ідентифікації не налаштовано", "Identity server not set": "Сервер ідентифікації не налаштовано",
@ -3618,8 +3508,6 @@
"Next group of messages": "Наступна група повідомлень", "Next group of messages": "Наступна група повідомлень",
"Changes your profile picture in all rooms": "Змінює зображення профілю в усіх кімнатах", "Changes your profile picture in all rooms": "Змінює зображення профілю в усіх кімнатах",
"Views room with given address": "Перегляд кімнати з вказаною адресою", "Views room with given address": "Перегляд кімнати з вказаною адресою",
"Show current profile picture and name for users in message history": "Показувати поточне зображення профілю та ім'я для користувачів у історії повідомлень",
"Show profile picture changes": "Показувати зміни зображення профілю",
"Ask to join": "Запит на приєднання", "Ask to join": "Запит на приєднання",
"Mentions and Keywords only": "Лише згадки та ключові слова", "Mentions and Keywords only": "Лише згадки та ключові слова",
"This setting will be applied by default to all your rooms.": "Цей параметр буде застосовано усталеним до всіх ваших кімнат.", "This setting will be applied by default to all your rooms.": "Цей параметр буде застосовано усталеним до всіх ваших кімнат.",
@ -3644,8 +3532,6 @@
"Are you sure you wish to remove (delete) this event?": "Ви впевнені, що хочете вилучити (видалити) цю подію?", "Are you sure you wish to remove (delete) this event?": "Ви впевнені, що хочете вилучити (видалити) цю подію?",
"Thread Root ID: %(threadRootId)s": "ID кореневої гілки: %(threadRootId)s", "Thread Root ID: %(threadRootId)s": "ID кореневої гілки: %(threadRootId)s",
"Upgrade room": "Поліпшити кімнату", "Upgrade room": "Поліпшити кімнату",
"User read up to (ignoreSynthetic): ": "Користувач прочитав до (ignoreSynthetic): ",
"See history": "Переглянути історію",
"Great! This passphrase looks strong enough": "Чудово! Цю парольна фраза видається достатньо надійною", "Great! This passphrase looks strong enough": "Чудово! Цю парольна фраза видається достатньо надійною",
"Email summary": "Зведення електронною поштою", "Email summary": "Зведення електронною поштою",
"People, Mentions and Keywords": "Люди, згадки та ключові слова", "People, Mentions and Keywords": "Люди, згадки та ключові слова",
@ -3672,8 +3558,6 @@
"Select which emails you want to send summaries to. Manage your emails in <button>General</button>.": "Виберіть, на які адреси ви хочете отримувати зведення. Керуйте адресами в <button>Загальних</button> налаштуваннях.", "Select which emails you want to send summaries to. Manage your emails in <button>General</button>.": "Виберіть, на які адреси ви хочете отримувати зведення. Керуйте адресами в <button>Загальних</button> налаштуваннях.",
"Note that removing room changes like this could undo the change.": "Зауважте, що вилучення таких змін у кімнаті може призвести до їхнього скасування.", "Note that removing room changes like this could undo the change.": "Зауважте, що вилучення таких змін у кімнаті може призвести до їхнього скасування.",
"Anyone can request to join, but admins or moderators need to grant access. You can change this later.": "Будь-хто може подати заявку на приєднання, але адміністратори або модератори повинні надати доступ. Ви можете змінити це пізніше.", "Anyone can request to join, but admins or moderators need to grant access. You can change this later.": "Будь-хто може подати заявку на приєднання, але адміністратори або модератори повинні надати доступ. Ви можете змінити це пізніше.",
"User read up to (m.read.private): ": "Користувач прочитав до (m.read.private): ",
"User read up to (m.read.private;ignoreSynthetic): ": "Користувач прочитав до (m.read.private;ignoreSynthetic): ",
"This homeserver doesn't offer any login flows that are supported by this client.": "Цей домашній сервер не пропонує жодних схем входу, які підтримуються цим клієнтом.", "This homeserver doesn't offer any login flows that are supported by this client.": "Цей домашній сервер не пропонує жодних схем входу, які підтримуються цим клієнтом.",
"The exported file will allow anyone who can read it to decrypt any encrypted messages that you can see, so you should be careful to keep it secure. To help with this, you should enter a unique passphrase below, which will only be used to encrypt the exported data. It will only be possible to import the data by using the same passphrase.": "Експортований файл дозволить будь-кому, хто зможе його прочитати, розшифрувати будь-які зашифровані повідомлення, які ви бачите, тому ви повинні бути обережними, щоб зберегти його в безпеці. Щоб зробити це, вам слід ввести унікальну парольну фразу нижче, яка буде використовуватися тільки для шифрування експортованих даних. Імпортувати дані можна буде лише за допомогою тієї ж самої парольної фрази.", "The exported file will allow anyone who can read it to decrypt any encrypted messages that you can see, so you should be careful to keep it secure. To help with this, you should enter a unique passphrase below, which will only be used to encrypt the exported data. It will only be possible to import the data by using the same passphrase.": "Експортований файл дозволить будь-кому, хто зможе його прочитати, розшифрувати будь-які зашифровані повідомлення, які ви бачите, тому ви повинні бути обережними, щоб зберегти його в безпеці. Щоб зробити це, вам слід ввести унікальну парольну фразу нижче, яка буде використовуватися тільки для шифрування експортованих даних. Імпортувати дані можна буде лише за допомогою тієї ж самої парольної фрази.",
"Other spaces you know": "Інші відомі вам простори", "Other spaces you know": "Інші відомі вам простори",
@ -3769,7 +3653,9 @@
"android": "Android", "android": "Android",
"trusted": "Довірений", "trusted": "Довірений",
"not_trusted": "Не довірений", "not_trusted": "Не довірений",
"accessibility": "Доступність" "accessibility": "Доступність",
"capabilities": "Можливості",
"server": "Сервер"
}, },
"action": { "action": {
"continue": "Продовжити", "continue": "Продовжити",
@ -3868,7 +3754,8 @@
"maximise": "Розгорнути", "maximise": "Розгорнути",
"mention": "Згадати", "mention": "Згадати",
"submit": "Надіслати", "submit": "Надіслати",
"send_report": "Надіслати звіт" "send_report": "Надіслати звіт",
"clear": "Очистити"
}, },
"a11y": { "a11y": {
"user_menu": "Користувацьке меню" "user_menu": "Користувацьке меню"
@ -4002,5 +3889,122 @@
"you_did_it": "Ви це зробили!", "you_did_it": "Ви це зробили!",
"complete_these": "Виконайте їх, щоб отримати максимальну віддачу від %(brand)s", "complete_these": "Виконайте їх, щоб отримати максимальну віддачу від %(brand)s",
"community_messaging_description": "Зберігайте право власності та контроль над обговоренням спільноти.\nМасштабуйте для підтримки мільйонів завдяки потужній модерації та сумісності." "community_messaging_description": "Зберігайте право власності та контроль над обговоренням спільноти.\nМасштабуйте для підтримки мільйонів завдяки потужній модерації та сумісності."
},
"devtools": {
"send_custom_account_data_event": "Надіслати нетипову подію даних облікового запису",
"send_custom_room_account_data_event": "Надіслати нетипову подію даних кімнати",
"event_type": "Тип події",
"state_key": "Ключ стану",
"invalid_json": "Не схоже на чинний JSON.",
"failed_to_send": "Не вдалося надіслати подію!",
"event_sent": "Подію надіслано!",
"event_content": "Зміст події",
"user_read_up_to": "Користувач прочитав до: ",
"no_receipt_found": "Підтвердження не знайдено",
"user_read_up_to_ignore_synthetic": "Користувач прочитав до (ignoreSynthetic): ",
"user_read_up_to_private": "Користувач прочитав до (m.read.private): ",
"user_read_up_to_private_ignore_synthetic": "Користувач прочитав до (m.read.private;ignoreSynthetic): ",
"room_status": "Статус кімнати",
"room_unread_status_count": {
"other": "Стан непрочитаного в кімнаті: <strong>%(status)s</strong>, кількість: <strong>%(count)s</strong>"
},
"notification_state": "Стан сповіщень <strong>%(notificationState)s</strong>",
"room_encrypted": "Кімната <strong>зашифрована ✅</strong>",
"room_not_encrypted": "Кімната <strong>не зашифрована 🚨</strong>",
"main_timeline": "Основна стрічка",
"threads_timeline": "Стрічка гілок",
"room_notifications_total": "Загалом: ",
"room_notifications_highlight": "Виділене: ",
"room_notifications_dot": "Крапка: ",
"room_notifications_last_event": "Остання подія:",
"room_notifications_type": "Тип: ",
"room_notifications_sender": "Відправник: ",
"room_notifications_thread_id": "Id стрічки: ",
"spaces": {
"one": "<простір>",
"other": "<%(count)s просторів>"
},
"empty_string": "<порожній рядок>",
"room_unread_status": "Стан непрочитаного в кімнаті: <strong>%(status)s</strong>",
"id": "ID: ",
"send_custom_state_event": "Надіслати нетипову подію стану",
"see_history": "Переглянути історію",
"failed_to_load": "Не вдалося завантажити.",
"client_versions": "Версії клієнта",
"server_versions": "Версії сервера",
"number_of_users": "Кількість користувачів",
"failed_to_save": "Не вдалося зберегти налаштування.",
"save_setting_values": "Зберегти значення налаштування",
"setting_colon": "Налаштування:",
"caution_colon": "Попередження:",
"use_at_own_risk": "Цей інтерфейс НЕ перевіряє типи значень. Користуйтесь на свій ризик.",
"setting_definition": "Означення налаштування:",
"level": "Рівень",
"settable_global": "Має сенс глобально",
"settable_room": "Має сенс у кімнатах",
"values_explicit": "Значення на явних рівнях",
"values_explicit_room": "Значення на явних рівнях у цій кімнаті",
"edit_values": "Редагувати значення",
"value_colon": "Значення:",
"value_this_room_colon": "Значення у цій кімнаті:",
"values_explicit_colon": "Значення на явних рівнях:",
"values_explicit_this_room_colon": "Значення на явних рівнях у цій кімнаті:",
"setting_id": "ID налаштувань",
"value": "Значення",
"value_in_this_room": "Значення у цій кімнаті",
"edit_setting": "Змінити налаштування",
"phase_requested": "Подано запит",
"phase_ready": "Готово",
"phase_started": "Почато",
"phase_cancelled": "Скасовано",
"phase_transaction": "Транзакція",
"phase": "Фаза",
"timeout": "Обмеження часу",
"methods": "Методи",
"requester": "Адресант",
"observe_only": "Лише спостерігати",
"no_verification_requests_found": "Запитів на звірку не знайдено",
"failed_to_find_widget": "Сталася помилка під час пошуку віджету."
},
"settings": {
"show_breadcrumbs": "Показувати нещодавно переглянуті кімнати над списком кімнат",
"all_rooms_home_description": "Всі кімнати, до яких ви приєднались, з'являться в домівці.",
"use_command_f_search": "Command + F для пошуку в стрічці",
"use_control_f_search": "Ctrl + F для пошуку в стрічці",
"use_12_hour_format": "Показувати час у 12-годинному форматі (напр. 2:30 пп)",
"always_show_message_timestamps": "Завжди показувати часові позначки повідомлень",
"send_read_receipts": "Надсилати підтвердження прочитання",
"send_typing_notifications": "Надсилати сповіщення про набирання тексту",
"replace_plain_emoji": "Автоматично замінювати простотекстові емодзі",
"enable_markdown": "Увімкнути Markdown",
"emoji_autocomplete": "Увімкнути пропонування емодзі при друкуванні",
"use_command_enter_send_message": "Натисніть Command + Enter, щоб надіслати повідомлення",
"use_control_enter_send_message": "Натисніть Ctrl + Enter, щоб надіслати повідомлення",
"all_rooms_home": "Показувати всі кімнати в Домівці",
"enable_markdown_description": "Розпочинати повідомлення з <code>/plain</code>, щоб надіслати без markdown.",
"show_stickers_button": "Показати кнопку наліпок",
"insert_trailing_colon_mentions": "Додавати двокрапку після згадки користувача на початку повідомлення",
"automatic_language_detection_syntax_highlight": "Автоматично визначати мову для підсвічування синтаксису",
"code_block_expand_default": "Розгортати блоки коду одразу",
"code_block_line_numbers": "Нумерувати рядки блоків коду",
"inline_url_previews_default": "Увімкнути вбудований перегляд гіперпосилань за умовчанням",
"autoplay_gifs": "Автовідтворення GIF",
"autoplay_videos": "Автовідтворення відео",
"image_thumbnails": "Показувати попередній перегляд зображень",
"show_typing_notifications": "Сповіщати про друкування",
"show_redaction_placeholder": "Показувати замісну позначку замість видалених повідомлень",
"show_read_receipts": "Показувати мітки прочитання, надіслані іншими користувачами",
"show_join_leave": "Показувати повідомлення про приєднання/виходи (не стосується запрошень/вилучень/блокувань]",
"show_displayname_changes": "Показувати зміни псевдонімів",
"show_chat_effects": "Показувати ефекти бесід (анімації отримання, наприклад, конфеті)",
"show_avatar_changes": "Показувати зміни зображення профілю",
"big_emoji": "Увімкнути великі емоджі у бесідах",
"jump_to_bottom_on_send": "Переходити вниз стрічки під час надсилання повідомлення",
"disable_historical_profile": "Показувати поточне зображення профілю та ім'я для користувачів у історії повідомлень",
"show_nsfw_content": "Показати матеріали NSFW",
"prompt_invite": "Запитувати перед надсиланням запрошень на потенційно недійсні matrix ID",
"hardware_acceleration": "Увімкнути апаратне прискорення (перезапустіть %(appName)s для застосування змін)",
"start_automatically": "Автозапуск при вході в систему",
"warn_quit": "Застерігати перед виходом"
} }
} }

View file

@ -175,19 +175,8 @@
"Straight rows of keys are easy to guess": "Hàng phím thẳng là rất dễ đoán", "Straight rows of keys are easy to guess": "Hàng phím thẳng là rất dễ đoán",
"Short keyboard patterns are easy to guess": "Các mẫu bàn phím ngắn là rất dễ đoán", "Short keyboard patterns are easy to guess": "Các mẫu bàn phím ngắn là rất dễ đoán",
"Please contact your homeserver administrator.": "Vui lòng liên hệ quản trị viên homeserver của bạn.", "Please contact your homeserver administrator.": "Vui lòng liên hệ quản trị viên homeserver của bạn.",
"Enable Emoji suggestions while typing": "Cho phép gợi ý Emoji khi đánh máy",
"Show a placeholder for removed messages": "Hiển thị người gửi các tin nhắn đã xóa",
"Show display name changes": "Hiển thị thay đổi tên hiển thị",
"Show read receipts sent by other users": "Hiển thị báo đã đọc gửi bởi người dùng khác",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "Hiển thị thời gian theo mẫu 12 giờ (ví dụ 2:30pm)",
"Always show message timestamps": "Luôn hiện mốc thời gian",
"Enable automatic language detection for syntax highlighting": "Bật chức năng tự động xác định ngôn ngữ đẻ hiển thị quy tắc",
"Enable big emoji in chat": "Bật chức năng emoji lớn ở tin nhắn",
"Send typing notifications": "Gửi thông báo đang gõ tin nhắn",
"Automatically replace plain text Emoji": "Tự động thay thế hình biểu tượng",
"Mirror local video feed": "Lập đường dẫn video dự phòng", "Mirror local video feed": "Lập đường dẫn video dự phòng",
"Send analytics data": "Gửi dữ liệu phân tích", "Send analytics data": "Gửi dữ liệu phân tích",
"Enable inline URL previews by default": "Bật xem trước nội dung liên kết theo mặc định",
"Enable URL previews for this room (only affects you)": "Bật xem trước nội dung liên kết trong phòng này (chỉ với bạn)", "Enable URL previews for this room (only affects you)": "Bật xem trước nội dung liên kết trong phòng này (chỉ với bạn)",
"Enable URL previews by default for participants in this room": "Bật xem trước nội dung liên kết cho mọi người trong phòng này", "Enable URL previews by default for participants in this room": "Bật xem trước nội dung liên kết cho mọi người trong phòng này",
"Enable widget screenshots on supported widgets": "Bật widget chụp màn hình cho các widget có hỗ trợ", "Enable widget screenshots on supported widgets": "Bật widget chụp màn hình cho các widget có hỗ trợ",
@ -730,18 +719,6 @@
"An error has occurred.": "Một lỗi đã xảy ra.", "An error has occurred.": "Một lỗi đã xảy ra.",
"Developer Tools": "Những công cụ phát triển", "Developer Tools": "Những công cụ phát triển",
"Toolbox": "Hộp công cụ", "Toolbox": "Hộp công cụ",
"Values at explicit levels in this room:": "Giá trị ở cấp độ rõ ràng trong phòng này:",
"Values at explicit levels:": "Giá trị ở cấp độ rõ ràng:",
"Value in this room:": "Giá trị trong phòng này:",
"Value:": "Giá trị:",
"Save setting values": "Lưu các giá trị cài đặt",
"Values at explicit levels in this room": "Giá trị ở cấp độ rõ ràng trong phòng này",
"Values at explicit levels": "Giá trị ở cấp độ rõ ràng",
"Settable at room": "Có thể đặt tại phòng",
"Settable at global": "Có thể đặt trên toàn cầu",
"Level": "Cấp độ",
"Setting definition:": "Cài đặt định nghĩa:",
"This UI does NOT check the types of the values. Use at your own risk.": "Giao diện người dùng này KHÔNG kiểm tra các loại giá trị. Sử dụng và hãy biết nguy cơ.",
"Server did not return valid authentication information.": "Máy chủ không trả về thông tin xác thực hợp lệ.", "Server did not return valid authentication information.": "Máy chủ không trả về thông tin xác thực hợp lệ.",
"Server did not require any authentication": "Máy chủ không yêu cầu bất kỳ xác thực nào", "Server did not require any authentication": "Máy chủ không yêu cầu bất kỳ xác thực nào",
"There was a problem communicating with the server. Please try again.": "Đã xảy ra sự cố khi giao tiếp với máy chủ. Vui lòng thử lại.", "There was a problem communicating with the server. Please try again.": "Đã xảy ra sự cố khi giao tiếp với máy chủ. Vui lòng thử lại.",
@ -1143,18 +1120,8 @@
"Failed to deactivate user": "Không thể hủy kích hoạt người dùng", "Failed to deactivate user": "Không thể hủy kích hoạt người dùng",
"Deactivate user": "Hủy kích hoạt người dùng", "Deactivate user": "Hủy kích hoạt người dùng",
"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?": "Việc hủy kích hoạt người dùng này sẽ đăng xuất họ và ngăn họ đăng nhập lại. Ngoài ra, họ sẽ rời khỏi tất cả các phòng mà họ đang ở. Không thể hoàn tác hành động này. Bạn có chắc chắn muốn hủy kích hoạt người dùng này không?", "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?": "Việc hủy kích hoạt người dùng này sẽ đăng xuất họ và ngăn họ đăng nhập lại. Ngoài ra, họ sẽ rời khỏi tất cả các phòng mà họ đang ở. Không thể hoàn tác hành động này. Bạn có chắc chắn muốn hủy kích hoạt người dùng này không?",
"Caution:": "Thận trọng:",
"Setting:": "Thiết lập:",
"Value in this room": "Giá trị trong phòng này",
"Value": "Giá trị",
"Setting ID": "Cài đặt ID",
"There was an error finding this widget.": "Đã xảy ra lỗi khi tìm tiện ích widget này.",
"Active Widgets": "Tiện ích hoạt động", "Active Widgets": "Tiện ích hoạt động",
"Filter results": "Lọc kết quả", "Filter results": "Lọc kết quả",
"Event Content": "Nội dung sự kiện",
"State Key": "Chìa khóa trạng thái",
"Event Type": "Loại sự kiện",
"Event sent!": "Sự kiện được gửi!",
"Deactivate user?": "Hủy kích hoạt người dùng?", "Deactivate user?": "Hủy kích hoạt người dùng?",
"You will not be able to undo this change as you are promoting the user to have the same power level as yourself.": "Bạn sẽ không thể hoàn tác thay đổi này vì bạn đang khuyến khích người dùng có cùng mức sức mạnh với bạn.", "You will not be able to undo this change as you are promoting the user to have the same power level as yourself.": "Bạn sẽ không thể hoàn tác thay đổi này vì bạn đang khuyến khích người dùng có cùng mức sức mạnh với bạn.",
"Failed to change power level": "Không thay đổi được mức công suất", "Failed to change power level": "Không thay đổi được mức công suất",
@ -1413,8 +1380,6 @@
"Keyboard shortcuts": "Các phím tắt bàn phím", "Keyboard shortcuts": "Các phím tắt bàn phím",
"Room list": "Danh sách phòng", "Room list": "Danh sách phòng",
"Always show the window menu bar": "Luôn hiển thị thanh menu cửa sổ", "Always show the window menu bar": "Luôn hiển thị thanh menu cửa sổ",
"Warn before quitting": "Cảnh báo trước khi bỏ thuốc lá",
"Start automatically after system login": "Tự động khởi động sau khi đăng nhập hệ thống",
"Room ID or address of ban list": "ID phòng hoặc địa chỉ của danh sách cấm", "Room ID or address of ban list": "ID phòng hoặc địa chỉ của danh sách cấm",
"If this isn't what you want, please use a different tool to ignore users.": "Nếu đây không phải là điều bạn muốn, vui lòng sử dụng một công cụ khác để bỏ qua người dùng.", "If this isn't what you want, please use a different tool to ignore users.": "Nếu đây không phải là điều bạn muốn, vui lòng sử dụng một công cụ khác để bỏ qua người dùng.",
"Subscribing to a ban list will cause you to join it!": "Đăng ký vào danh sách cấm sẽ khiến bạn tham gia vào danh sách đó!", "Subscribing to a ban list will cause you to join it!": "Đăng ký vào danh sách cấm sẽ khiến bạn tham gia vào danh sách đó!",
@ -1861,9 +1826,6 @@
"Collecting logs": "Thu thập 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", "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",
"All rooms you're in will appear in Home.": "Tất cả các phòng bạn đang ở sẽ xuất hiện trong Trang chủ.",
"Show all rooms in Home": "Hiển thị tất cả các phòng trong Home",
"Show chat effects (animations when receiving e.g. confetti)": "Hiển thị các hiệu ứng trò chuyện (hình ảnh động khi nhận được ví dụ như hoa giấy)",
"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",
"How fast should messages be downloaded.": "Tin nhắn sẽ được tải xuống nhanh như thế nào.", "How fast should messages be downloaded.": "Tin nhắn sẽ được tải xuống nhanh như thế nào.",
@ -2356,27 +2318,13 @@
"Haiti": "Haiti", "Haiti": "Haiti",
"Guyana": "Guyana", "Guyana": "Guyana",
"Guinea-Bissau": "Guinea-Bissau", "Guinea-Bissau": "Guinea-Bissau",
"Show previews/thumbnails for images": "Hiển thị bản xem trước / hình thu nhỏ cho hình ảnh",
"Show hidden events in timeline": "Hiện các sự kiện ẩn trong dòng thời gian", "Show hidden events in timeline": "Hiện các sự kiện ẩn trong dòng thời gian",
"Show shortcuts to recently viewed rooms above the room list": "Hiển thị shortcuts cho các phòng đã xem gần đây phía trên danh sách phòng",
"Prompt before sending invites to potentially invalid matrix IDs": "Nhắc trước khi gửi lời mời đến các ID Matrix có khả năng không hợp lệ",
"Never send encrypted messages to unverified sessions in this room from this session": "Không bao giờ gửi tin nhắn được mã hóa đến các phiên chưa được xác thực trong phòng này từ phiên này", "Never send encrypted messages to unverified sessions in this room from this session": "Không bao giờ gửi tin nhắn được mã hóa đến các phiên chưa được xác thực trong phòng này từ phiên này",
"Never send encrypted messages to unverified sessions from this session": "Không bao giờ gửi tin nhắn được mã hóa đến các phiên chưa được xác thực từ phiên này", "Never send encrypted messages to unverified sessions from this session": "Không bao giờ gửi tin nhắn được mã hóa đến các phiên chưa được xác thực từ phiên này",
"System font name": "Tên phông chữ hệ thống", "System font name": "Tên phông chữ hệ thống",
"Use a system font": "Sử dụng phông chữ hệ thống", "Use a system font": "Sử dụng phông chữ hệ thống",
"Match system theme": "Theo chủ đề hệ thống", "Match system theme": "Theo chủ đề hệ thống",
"Surround selected text when typing special characters": "Bao quanh văn bản đã chọn khi nhập các ký tự đặc biệt", "Surround selected text when typing special characters": "Bao quanh văn bản đã chọn khi nhập các ký tự đặc biệt",
"Use Ctrl + Enter to send a message": "Sử dụng Ctrl + Enter để gửi tin nhắn",
"Use Command + Enter to send a message": "Sử dụng Command + Enter để gửi tin nhắn",
"Use Ctrl + F to search timeline": "Sử dụng Ctrl + F để tìm kiếm dòng thời gian",
"Use Command + F to search timeline": "Sử dụng Command + F để tìm kiếm dòng thời gian",
"Show typing notifications": "Hiển thị thông báo \"đang gõ\"",
"Jump to the bottom of the timeline when you send a message": "Chuyển đến cuối dòng thời gian khi bạn gửi tin nhắn",
"Show line numbers in code blocks": "Hiển thị số dòng trong các khối mã",
"Expand code blocks by default": "Mở rộng các khối mã theo mặc định",
"Autoplay videos": "Tự động phát các video",
"Autoplay GIFs": "Tự động phát GIF",
"Show stickers button": "Hiển thị nút sticker cảm xúc",
"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",
@ -2519,7 +2467,6 @@
"The email address doesn't appear to be valid.": "Địa chỉ thư điện tử dường như không hợp lệ.", "The email address doesn't appear to be valid.": "Địa chỉ thư điện tử dường như không hợp lệ.",
"Skip verification for now": "Bỏ qua xác thực ngay bây giờ", "Skip verification for now": "Bỏ qua xác thực ngay bây giờ",
"Really reset verification keys?": "Thực sự đặt lại các khóa xác minh?", "Really reset verification keys?": "Thực sự đặt lại các khóa xác minh?",
"Clear": "Xoá",
"Uploading %(filename)s and %(count)s others": { "Uploading %(filename)s and %(count)s others": {
"one": "Đang tải lên %(filename)s và %(count)s tập tin khác", "one": "Đang tải lên %(filename)s và %(count)s tập tin khác",
"other": "Đang tải lên %(filename)s và %(count)s tập tin khác" "other": "Đang tải lên %(filename)s và %(count)s tập tin khác"
@ -2705,7 +2652,6 @@
"Failed to end poll": "Kết thúc cuộc thăm dò ý kiến thất bại", "Failed to end poll": "Kết thúc cuộc thăm dò ý kiến thất bại",
"The poll has ended. Top answer: %(topAnswer)s": "Cuộc thăm dò ý kiến đã kết thúc. Câu trả lời đứng đầu: %(topAnswer)s", "The poll has ended. Top answer: %(topAnswer)s": "Cuộc thăm dò ý kiến đã kết thúc. Câu trả lời đứng đầu: %(topAnswer)s",
"The poll has ended. No votes were cast.": "Cuộc thăm dò ý kiến đã kết thúc. Không có phiếu bầu được bỏ.", "The poll has ended. No votes were cast.": "Cuộc thăm dò ý kiến đã kết thúc. Không có phiếu bầu được bỏ.",
"Edit setting": "Chỉnh sửa cài đặt",
"This address had invalid server or is already in use": "Địa chỉ này có máy chủ không hợp lệ hoặc đã được sử dụng", "This address had invalid server or is already in use": "Địa chỉ này có máy chủ không hợp lệ hoặc đã được sử dụng",
"Missing room name or separator e.g. (my-room:domain.org)": "Thiếu tên phòng hoặc dấu cách. Ví dụ: (my-room:domain.org)", "Missing room name or separator e.g. (my-room:domain.org)": "Thiếu tên phòng hoặc dấu cách. Ví dụ: (my-room:domain.org)",
"Missing domain separator e.g. (:domain.org)": "Thiếu dấu tách tên miền. Ví dụ: (:domain.org)", "Missing domain separator e.g. (:domain.org)": "Thiếu dấu tách tên miền. Ví dụ: (:domain.org)",
@ -2757,8 +2703,6 @@
"Unrecognised room address: %(roomAlias)s": "Không thể nhận dạng địa chỉ phòng: %(roomAlias)s", "Unrecognised room address: %(roomAlias)s": "Không thể nhận dạng địa chỉ phòng: %(roomAlias)s",
"Command error: Unable to find rendering type (%(renderingType)s)": "Lỗi khi thực hiện lệnh: Không tìm thấy kiểu dữ liệu (%(renderingType)s)", "Command error: Unable to find rendering type (%(renderingType)s)": "Lỗi khi thực hiện lệnh: Không tìm thấy kiểu dữ liệu (%(renderingType)s)",
"Command error: Unable to handle slash command.": "Lỗi khi thực hiện lệnh: Không thể xử lý lệnh slash.", "Command error: Unable to handle slash command.": "Lỗi khi thực hiện lệnh: Không thể xử lý lệnh slash.",
"Show join/leave messages (invites/removes/bans unaffected)": "Hiển thị các tin nhắn tham gia / rời khỏi (các tin nhắn mời / xóa / cấm không bị ảnh hưởng)",
"Insert a trailing colon after user mentions at the start of a message": "Chèn dấu hai chấm phía sau các đề cập người dùng ở đầu một tin nhắn",
"Failed to invite users to %(roomName)s": "Mời người dùng vào %(roomName)s thất bại", "Failed to invite users to %(roomName)s": "Mời người dùng vào %(roomName)s thất bại",
"Explore public spaces in the new search dialog": "Khám phá các space công cộng trong hộp thoại tìm kiếm mới", "Explore public spaces in the new search dialog": "Khám phá các space công cộng trong hộp thoại tìm kiếm mới",
"You were disconnected from the call. (Error: %(message)s)": "Bạn bị mất kết nối đến cuộc gọi. (Lỗi: %(message)s)", "You were disconnected from the call. (Error: %(message)s)": "Bạn bị mất kết nối đến cuộc gọi. (Lỗi: %(message)s)",
@ -2767,9 +2711,7 @@
"The person who invited you has already left, or their server is offline.": "Người đã mời bạn vừa mới rời khỏi, hoặc thiết bị của họ đang ngoại tuyến.", "The person who invited you has already left, or their server is offline.": "Người đã mời bạn vừa mới rời khỏi, hoặc thiết bị của họ đang ngoại tuyến.",
"The person who invited you has already left.": "Người đã mời bạn vừa mới rời khỏi.", "The person who invited you has already left.": "Người đã mời bạn vừa mới rời khỏi.",
"Sorry, your homeserver is too old to participate here.": "Xin lỗi, homeserver của bạn quá cũ để tham gia vào đây.", "Sorry, your homeserver is too old to participate here.": "Xin lỗi, homeserver của bạn quá cũ để tham gia vào đây.",
"Enable hardware acceleration (restart %(appName)s to take effect)": "Bật tăng tốc phần cứng (khởi động lại %(appName)s để có hiệu lực)",
"Enable hardware acceleration": "Bật tăng tốc phần cứng", "Enable hardware acceleration": "Bật tăng tốc phần cứng",
"Enable Markdown": "Bật đánh dấu",
"There was an error joining.": "Đã xảy ra lỗi khi tham gia.", "There was an error joining.": "Đã xảy ra lỗi khi tham gia.",
"%(brand)s is experimental on a mobile web browser. For a better experience and the latest features, use our free native app.": "%(brand)s đang thử nghiệm trên trình duyệt web di động. Để có trải nghiệm tốt hơn và các tính năng mới nhất, hãy sử dụng ứng dụng gốc miễn phí của chúng tôi.", "%(brand)s is experimental on a mobile web browser. For a better experience and the latest features, use our free native app.": "%(brand)s đang thử nghiệm trên trình duyệt web di động. Để có trải nghiệm tốt hơn và các tính năng mới nhất, hãy sử dụng ứng dụng gốc miễn phí của chúng tôi.",
"Reset bearing to north": "Đặt lại trục theo phương Bắc", "Reset bearing to north": "Đặt lại trục theo phương Bắc",
@ -2906,8 +2848,6 @@
"No identity access token found": "Không tìm thấy mã thông báo danh tính", "No identity access token found": "Không tìm thấy mã thông báo danh tính",
"Unverified sessions are sessions that have logged in with your credentials but have not been cross-verified.": "Các phiên chưa được xác thực là các phiên đăng nhập bằng thông tin đăng nhập nhưng chưa được xác thực chéo.", "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",
"Send read receipts": "Gửi thông báo đã đọc",
"Start messages with <code>/plain</code> to send without markdown.": "Bắt đầu tin nhắn với <code>/plain</code> để gửi mà không dùng Markdown.",
"%(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", "Audio devices": "Thiết bị âm thanh",
"Enable notifications": "Kích hoạt thông báo", "Enable notifications": "Kích hoạt thông báo",
@ -2923,7 +2863,6 @@
"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",
"Record the client name, version, and url to recognise sessions more easily in session manager": "Ghi lại tên phần mềm máy khách, phiên bản, và đường dẫn để nhận diện các phiên dễ dàng hơn trong trình quản lý phiên", "Record the client name, version, and url to recognise sessions more easily in session manager": "Ghi lại tên phần mềm máy khách, phiên bản, và đường dẫn để nhận diện các phiên dễ dàng hơn trong trình quản lý phiên",
"Show NSFW content": "Hiển thị nội dung nhạy cảm",
"Noise suppression": "Loại bỏ tạp âm", "Noise suppression": "Loại bỏ tạp âm",
"Echo cancellation": "Loại bỏ tiếng vang", "Echo cancellation": "Loại bỏ tiếng vang",
"When enabled, the other party might be able to see your IP address": "Khi bật, người kia có thể thấy địa chỉ IP của bạn", "When enabled, the other party might be able to see your IP address": "Khi bật, người kia có thể thấy địa chỉ IP của bạn",
@ -3043,13 +2982,9 @@
"You cant start a call as you are currently recording a live broadcast. Please end your live broadcast in order to start a call.": "Bạn không thể bắt đầu gọi vì bạn đang ghi âm để cuộc phát thanh trực tiếp. Hãy ngừng phát thanh để bắt đầu gọi.", "You cant start a call as you are currently recording a live broadcast. Please end your live broadcast in order to start a call.": "Bạn không thể bắt đầu gọi vì bạn đang ghi âm để cuộc phát thanh trực tiếp. Hãy ngừng phát thanh để bắt đầu gọi.",
"%(brand)s is end-to-end encrypted, but is currently limited to smaller numbers of users.": "%(brand)s được mã hóa đầu cuối, nhưng hiện giới hạn cho một lượng người dùng nhỏ.", "%(brand)s is end-to-end encrypted, but is currently limited to smaller numbers of users.": "%(brand)s được mã hóa đầu cuối, nhưng hiện giới hạn cho một lượng người dùng nhỏ.",
"Server info": "Thông tin máy chủ", "Server info": "Thông tin máy chủ",
"Send custom account data event": "Gửi sự kiện tài khoản tùy chỉnh",
"Send custom timeline event": "Gửi sự kiện tùy chỉnh vào dòng thời gian", "Send custom timeline event": "Gửi sự kiện tùy chỉnh vào dòng thời gian",
"Feedback sent! Thanks, we appreciate it!": "Đã gửi phản hồi! Cảm ơn bạn, chúng tôi đánh giá cao các phản hồi này!", "Feedback sent! Thanks, we appreciate it!": "Đã gửi phản hồi! Cảm ơn bạn, chúng tôi đánh giá cao các phản hồi này!",
"Send custom state event": "Gửi sự kiện trạng thái tùy chỉnh",
"Send custom room account data event": "Gửi sự kiện tài khoản tùy chỉnh trong phòng",
"The scanned code is invalid.": "Mã vừa quét là không hợp lệ.", "The scanned code is invalid.": "Mã vừa quét là không hợp lệ.",
"Doesn't look like valid JSON.": "Không giống mã JSON hợp lệ.",
"Sign out of all devices": "Đăng xuất khỏi mọi thiết bị", "Sign out of all devices": "Đăng xuất khỏi mọi thiết bị",
"Confirm new password": "Xác nhận mật khẩu mới", "Confirm new password": "Xác nhận mật khẩu mới",
"Syncing…": "Đang đồng bộ…", "Syncing…": "Đang đồng bộ…",
@ -3222,10 +3157,8 @@
"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",
"When you sign out, these keys will be deleted from this device, which means you won't be able to read encrypted messages unless you have the keys for them on your other devices, or backed them up to the server.": "Khi bạn đăng xuất, các khóa sẽ được xóa khỏi thiết bị này, tức là bạn không thể đọc các tin nhắn được mã hóa trừ khi bạn có khóa cho chúng trong thiết bị khác, hoặc sao lưu chúng lên máy chủ.", "When you sign out, these keys will be deleted from this device, which means you won't be able to read encrypted messages unless you have the keys for them on your other devices, or backed them up to the server.": "Khi bạn đăng xuất, các khóa sẽ được xóa khỏi thiết bị này, tức là bạn không thể đọc các tin nhắn được mã hóa trừ khi bạn có khóa cho chúng trong thiết bị khác, hoặc sao lưu chúng lên máy chủ.",
"<b>Warning</b>: upgrading a room will <i>not automatically migrate room members to the new version of the room.</i> We'll post a link to the new room in the old version of the room - room members will have to click this link to join the new room.": "<b>Cảnh báo</b>: nâng cấp một phòng sẽ <i>không tự động đưa thành viên sang phiên bản mới của phòng.</i> Chúng tôi đăng liên kết tới phòng mới trong phòng cũ - thành viên sẽ cần nhấp vào liên kết để tham gia phòng mới.", "<b>Warning</b>: upgrading a room will <i>not automatically migrate room members to the new version of the room.</i> We'll post a link to the new room in the old version of the room - room members will have to click this link to join the new room.": "<b>Cảnh báo</b>: nâng cấp một phòng sẽ <i>không tự động đưa thành viên sang phiên bản mới của phòng.</i> Chúng tôi đăng liên kết tới phòng mới trong phòng cũ - thành viên sẽ cần nhấp vào liên kết để tham gia phòng mới.",
"Room status": "Trạng thái phòng",
"Join %(roomAddress)s": "Tham gia %(roomAddress)s", "Join %(roomAddress)s": "Tham gia %(roomAddress)s",
"Start DM anyway": "Cứ tạo phòng nhắn tin riêng", "Start DM anyway": "Cứ tạo phòng nhắn tin riêng",
"Server Versions": "Phiên bản phần mềm máy chủ",
" in <strong>%(room)s</strong>": " ở <strong>%(room)s</strong>", " in <strong>%(room)s</strong>": " ở <strong>%(room)s</strong>",
"This is a beta feature": "Đây là một tính năng thử nghiệm beta", "This is a beta feature": "Đây là một tính năng thử nghiệm beta",
"Leaving the beta will reload %(brand)s.": "Rời khỏi thử nghiệm sẽ tải lại %(brand)s.", "Leaving the beta will reload %(brand)s.": "Rời khỏi thử nghiệm sẽ tải lại %(brand)s.",
@ -3235,7 +3168,6 @@
"Start DM anyway and never warn me again": "Cứ tạo phòng nhắn tin riêng và đừng cảnh báo tôi nữa", "Start DM anyway and never warn me again": "Cứ tạo phòng nhắn tin riêng và đừng cảnh báo tôi nữa",
"Your server lacks native support, you must specify a proxy": "Máy chủ của bạn không hỗ trợ, bạn cần chỉ định máy chủ ủy nhiệm (proxy)", "Your server lacks native support, you must specify a proxy": "Máy chủ của bạn không hỗ trợ, bạn cần chỉ định máy chủ ủy nhiệm (proxy)",
"Some results may be hidden": "Một số kết quả có thể bị ẩn", "Some results may be hidden": "Một số kết quả có thể bị ẩn",
"<empty string>": "<chuỗi rỗng>",
"Waiting for partner to confirm…": "Đang đợi bên kia xác nhận…", "Waiting for partner to confirm…": "Đang đợi bên kia xác nhận…",
"Enable '%(manageIntegrations)s' in Settings to do this.": "Bật '%(manageIntegrations)s' trong cài đặt để thực hiện.", "Enable '%(manageIntegrations)s' in Settings to do this.": "Bật '%(manageIntegrations)s' trong cài đặt để thực hiện.",
"Answered elsewhere": "Trả lời ở nơi khác", "Answered elsewhere": "Trả lời ở nơi khác",
@ -3244,7 +3176,6 @@
"Unable to find profiles for the Matrix IDs listed below - would you like to start a DM anyway?": "Không thể tìm hồ sơ cho định danh Matrix được liệt kê - bạn có muốn tiếp tục tạo phòng nhắn tin riêng?", "Unable to find profiles for the Matrix IDs listed below - would you like to start a DM anyway?": "Không thể tìm hồ sơ cho định danh Matrix được liệt kê - bạn có muốn tiếp tục tạo phòng nhắn tin riêng?",
"Your server lacks native support": "Máy chủ của bạn không hoàn toàn hỗ trợ", "Your server lacks native support": "Máy chủ của bạn không hoàn toàn hỗ trợ",
"Other options": "Lựa chọn khác", "Other options": "Lựa chọn khác",
"Room is <strong>not encrypted 🚨</strong>": "Phòng <strong>không được mã hóa 🚨</strong>",
"Input devices": "Thiết bị đầu vào", "Input devices": "Thiết bị đầu vào",
"Output devices": "Thiết bị đầu ra", "Output devices": "Thiết bị đầu ra",
"Mark as read": "Đánh dấu đã đọc", "Mark as read": "Đánh dấu đã đọc",
@ -3255,20 +3186,14 @@
"Manually verify by text": "Xác thực thủ công bằng văn bản", "Manually verify by text": "Xác thực thủ công bằng văn bản",
"Show rooms": "Hiện phòng", "Show rooms": "Hiện phòng",
"Upload custom sound": "Tải lên âm thanh tùy chỉnh", "Upload custom sound": "Tải lên âm thanh tùy chỉnh",
"Room is <strong>encrypted ✅</strong>": "Phòng <strong>được mã hóa ✅</strong>",
"Proxy URL": "Đường dẫn máy chủ ủy nhiệm (proxy)", "Proxy URL": "Đường dẫn máy chủ ủy nhiệm (proxy)",
"Start a group chat": "Bắt đầu cuộc trò chuyện nhóm", "Start a group chat": "Bắt đầu cuộc trò chuyện nhóm",
"Click for more info": "Nhấp để có thêm thông tin", "Click for more info": "Nhấp để có thêm thông tin",
"Copy invite link": "Sao chép liên kết mời", "Copy invite link": "Sao chép liên kết mời",
"Client Versions": "Phiên bản phần mềm máy khách",
"Video rooms are a beta feature": "Phòng truyền hình là tính năng thử nghiệm", "Video rooms are a beta feature": "Phòng truyền hình là tính năng thử nghiệm",
"Interactively verify by emoji": "Xác thực có tương tác bằng biểu tượng cảm xúc", "Interactively verify by emoji": "Xác thực có tương tác bằng biểu tượng cảm xúc",
"Show spaces": "Hiện spaces", "Show spaces": "Hiện spaces",
"%(securityKey)s or %(recoveryFile)s": "%(securityKey)s hay %(recoveryFile)s", "%(securityKey)s or %(recoveryFile)s": "%(securityKey)s hay %(recoveryFile)s",
"Failed to send event!": "Không thể gửi sự kiện!",
"Server": "Máy chủ",
"Number of users": "Số người dùng",
"No verification requests found": "Không tìm thấy yêu cầu xác thực nào",
"Cameras": "Máy quay", "Cameras": "Máy quay",
"Match default setting": "Theo cài đặt mặc định", "Match default setting": "Theo cài đặt mặc định",
"Mute room": "Tắt tiếng phòng", "Mute room": "Tắt tiếng phòng",
@ -3385,7 +3310,6 @@
"Exported Data": "Dữ liệu được trích xuất", "Exported Data": "Dữ liệu được trích xuất",
"Views room with given address": "Phòng truyền hình với địa chỉ đã cho", "Views room with given address": "Phòng truyền hình với địa chỉ đã cho",
"Notification Settings": "Cài đặt thông báo", "Notification Settings": "Cài đặt thông báo",
"Show profile picture changes": "Hiện các thay đổi ảnh hồ sơ",
"Your server requires encryption to be disabled.": "Máy chủ của bạn yêu cầu mã hóa phải được vô hiệu hóa.", "Your server requires encryption to be disabled.": "Máy chủ của bạn yêu cầu mã hóa phải được vô hiệu hóa.",
"Play a sound for": "Phát âm thanh cho", "Play a sound for": "Phát âm thanh cho",
"Close call": "Đóng cuộc gọi", "Close call": "Đóng cuộc gọi",
@ -3395,7 +3319,6 @@
"%(senderDisplayName)s changed the join rule to ask to join.": "%(senderDisplayName)s thay đổi quy tắc tham gia thành yêu cầu để tham gia.", "%(senderDisplayName)s changed the join rule to ask to join.": "%(senderDisplayName)s thay đổi quy tắc tham gia thành yêu cầu để tham gia.",
"This setting will be applied by default to all your rooms.": "Cài đặt này sẽ được áp dụng theo mặc định cho các tất cả các phòng của bạn.", "This setting will be applied by default to all your rooms.": "Cài đặt này sẽ được áp dụng theo mặc định cho các tất cả các phòng của bạn.",
"Notify when someone uses a keyword": "Thông báo khi có người dùng một từ khóa", "Notify when someone uses a keyword": "Thông báo khi có người dùng một từ khóa",
"Show current profile picture and name for users in message history": "Hiện ảnh hồ sơ hiện và tên hiện tại của người dùng trong lịch sử tin nhắn",
"Ask to join": "Yêu cầu để tham gia", "Ask to join": "Yêu cầu để tham gia",
"Messages sent by bots": "Tin nhắn bởi bot", "Messages sent by bots": "Tin nhắn bởi bot",
"Invited to a room": "Được mời vào phòng", "Invited to a room": "Được mời vào phòng",
@ -3478,7 +3401,8 @@
"matrix": "Matrix", "matrix": "Matrix",
"android": "Android", "android": "Android",
"trusted": "Tin cậy", "trusted": "Tin cậy",
"not_trusted": "Không đáng tin cậy" "not_trusted": "Không đáng tin cậy",
"server": "Máy chủ"
}, },
"action": { "action": {
"continue": "Tiếp tục", "continue": "Tiếp tục",
@ -3577,7 +3501,8 @@
"maximise": "Phóng to", "maximise": "Phóng to",
"mention": "Nhắc đến", "mention": "Nhắc đến",
"submit": "Xác nhận", "submit": "Xác nhận",
"send_report": "Gửi báo cáo" "send_report": "Gửi báo cáo",
"clear": "Xoá"
}, },
"a11y": { "a11y": {
"user_menu": "Menu người dùng" "user_menu": "Menu người dùng"
@ -3705,5 +3630,84 @@
"you_did_it": "Hoàn thành rồi!", "you_did_it": "Hoàn thành rồi!",
"complete_these": "Hoàn thành những việc sau để tận dụng tất cả của %(brand)s", "complete_these": "Hoàn thành những việc sau để tận dụng tất cả của %(brand)s",
"community_messaging_description": "Giữ quyền sở hữu và kiểm soát thảo luận cộng đồng.\nMở rộng quy mô để hỗ trợ hàng triệu người, bằng khả năng kiểm duyệt và tương tác mạnh mẽ." "community_messaging_description": "Giữ quyền sở hữu và kiểm soát thảo luận cộng đồng.\nMở rộng quy mô để hỗ trợ hàng triệu người, bằng khả năng kiểm duyệt và tương tác mạnh mẽ."
},
"devtools": {
"send_custom_account_data_event": "Gửi sự kiện tài khoản tùy chỉnh",
"send_custom_room_account_data_event": "Gửi sự kiện tài khoản tùy chỉnh trong phòng",
"event_type": "Loại sự kiện",
"state_key": "Chìa khóa trạng thái",
"invalid_json": "Không giống mã JSON hợp lệ.",
"failed_to_send": "Không thể gửi sự kiện!",
"event_sent": "Sự kiện được gửi!",
"event_content": "Nội dung sự kiện",
"room_status": "Trạng thái phòng",
"room_encrypted": "Phòng <strong>được mã hóa ✅</strong>",
"room_not_encrypted": "Phòng <strong>không được mã hóa 🚨</strong>",
"empty_string": "<chuỗi rỗng>",
"send_custom_state_event": "Gửi sự kiện trạng thái tùy chỉnh",
"client_versions": "Phiên bản phần mềm máy khách",
"server_versions": "Phiên bản phần mềm máy chủ",
"number_of_users": "Số người dùng",
"save_setting_values": "Lưu các giá trị cài đặt",
"setting_colon": "Thiết lập:",
"caution_colon": "Thận trọng:",
"use_at_own_risk": "Giao diện người dùng này KHÔNG kiểm tra các loại giá trị. Sử dụng và hãy biết nguy cơ.",
"setting_definition": "Cài đặt định nghĩa:",
"level": "Cấp độ",
"settable_global": "Có thể đặt trên toàn cầu",
"settable_room": "Có thể đặt tại phòng",
"values_explicit": "Giá trị ở cấp độ rõ ràng",
"values_explicit_room": "Giá trị ở cấp độ rõ ràng trong phòng này",
"value_colon": "Giá trị:",
"value_this_room_colon": "Giá trị trong phòng này:",
"values_explicit_colon": "Giá trị ở cấp độ rõ ràng:",
"values_explicit_this_room_colon": "Giá trị ở cấp độ rõ ràng trong phòng này:",
"setting_id": "Cài đặt ID",
"value": "Giá trị",
"value_in_this_room": "Giá trị trong phòng này",
"edit_setting": "Chỉnh sửa cài đặt",
"no_verification_requests_found": "Không tìm thấy yêu cầu xác thực nào",
"failed_to_find_widget": "Đã xảy ra lỗi khi tìm tiện ích widget này."
},
"settings": {
"show_breadcrumbs": "Hiển thị shortcuts cho các phòng đã xem gần đây phía trên danh sách phòng",
"all_rooms_home_description": "Tất cả các phòng bạn đang ở sẽ xuất hiện trong Trang chủ.",
"use_command_f_search": "Sử dụng Command + F để tìm kiếm dòng thời gian",
"use_control_f_search": "Sử dụng Ctrl + F để tìm kiếm dòng thời gian",
"use_12_hour_format": "Hiển thị thời gian theo mẫu 12 giờ (ví dụ 2:30pm)",
"always_show_message_timestamps": "Luôn hiện mốc thời gian",
"send_read_receipts": "Gửi thông báo đã đọc",
"send_typing_notifications": "Gửi thông báo đang gõ tin nhắn",
"replace_plain_emoji": "Tự động thay thế hình biểu tượng",
"enable_markdown": "Bật đánh dấu",
"emoji_autocomplete": "Cho phép gợi ý Emoji khi đánh máy",
"use_command_enter_send_message": "Sử dụng Command + Enter để gửi tin nhắn",
"use_control_enter_send_message": "Sử dụng Ctrl + Enter để gửi tin nhắn",
"all_rooms_home": "Hiển thị tất cả các phòng trong Home",
"enable_markdown_description": "Bắt đầu tin nhắn với <code>/plain</code> để gửi mà không dùng Markdown.",
"show_stickers_button": "Hiển thị nút sticker cảm xúc",
"insert_trailing_colon_mentions": "Chèn dấu hai chấm phía sau các đề cập người dùng ở đầu một tin nhắn",
"automatic_language_detection_syntax_highlight": "Bật chức năng tự động xác định ngôn ngữ đẻ hiển thị quy tắc",
"code_block_expand_default": "Mở rộng các khối mã theo mặc định",
"code_block_line_numbers": "Hiển thị số dòng trong các khối mã",
"inline_url_previews_default": "Bật xem trước nội dung liên kết theo mặc định",
"autoplay_gifs": "Tự động phát GIF",
"autoplay_videos": "Tự động phát các video",
"image_thumbnails": "Hiển thị bản xem trước / hình thu nhỏ cho hình ảnh",
"show_typing_notifications": "Hiển thị thông báo \"đang gõ\"",
"show_redaction_placeholder": "Hiển thị người gửi các tin nhắn đã xóa",
"show_read_receipts": "Hiển thị báo đã đọc gửi bởi người dùng khác",
"show_join_leave": "Hiển thị các tin nhắn tham gia / rời khỏi (các tin nhắn mời / xóa / cấm không bị ảnh hưởng)",
"show_displayname_changes": "Hiển thị thay đổi tên hiển thị",
"show_chat_effects": "Hiển thị các hiệu ứng trò chuyện (hình ảnh động khi nhận được ví dụ như hoa giấy)",
"show_avatar_changes": "Hiện các thay đổi ảnh hồ sơ",
"big_emoji": "Bật chức năng emoji lớn ở tin nhắn",
"jump_to_bottom_on_send": "Chuyển đến cuối dòng thời gian khi bạn gửi tin nhắn",
"disable_historical_profile": "Hiện ảnh hồ sơ hiện và tên hiện tại của người dùng trong lịch sử tin nhắn",
"show_nsfw_content": "Hiển thị nội dung nhạy cảm",
"prompt_invite": "Nhắc trước khi gửi lời mời đến các ID Matrix có khả năng không hợp lệ",
"hardware_acceleration": "Bật tăng tốc phần cứng (khởi động lại %(appName)s để có hiệu lực)",
"start_automatically": "Tự động khởi động sau khi đăng nhập hệ thống",
"warn_quit": "Cảnh báo trước khi bỏ thuốc lá"
} }
} }

View file

@ -168,23 +168,11 @@
"Straight rows of keys are easy to guess": "Zulkn aneengeslootn riksje toetsn es gemakkelik te roadn", "Straight rows of keys are easy to guess": "Zulkn aneengeslootn riksje toetsn es gemakkelik te roadn",
"Short keyboard patterns are easy to guess": "Korte patroonn ip t toetsenbord wordn gemakkelik geroadn", "Short keyboard patterns are easy to guess": "Korte patroonn ip t toetsenbord wordn gemakkelik geroadn",
"Please contact your homeserver administrator.": "Gelieve contact ip te neemn me den beheerder van je thuusserver.", "Please contact your homeserver administrator.": "Gelieve contact ip te neemn me den beheerder van je thuusserver.",
"Enable Emoji suggestions while typing": "Emoticons voorstelln binst t typn",
"Show a placeholder for removed messages": "Vullienge toogn vo verwyderde berichtn",
"Show display name changes": "Veranderiengn van weergavenoamn toogn",
"Show read receipts sent by other users": "Deur andere gebruukers verstuurde leesbevestigiengn toogn",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "Tyd in 12-uursformoat weregeevn (bv. 2:30pm)",
"Always show message timestamps": "Assan de tydstempels van berichtn toogn",
"Enable automatic language detection for syntax highlighting": "Automatische toaldetectie vo zinsbouwmarkeriengn inschoakeln",
"Enable big emoji in chat": "Grote emoticons in gesprekkn inschoakeln",
"Send typing notifications": "Typmeldiengn verstuurn",
"Automatically replace plain text Emoji": "Tekst automatisch vervangn deur emoticons",
"Mirror local video feed": "Lokoale videoanvoer ook elders ipsloan (spiegeln)", "Mirror local video feed": "Lokoale videoanvoer ook elders ipsloan (spiegeln)",
"Send analytics data": "Statistische gegeevns (analytics) verstuurn", "Send analytics data": "Statistische gegeevns (analytics) verstuurn",
"Enable inline URL previews by default": "Inline URL-voorvertoniengn standoard inschoakeln",
"Enable URL previews for this room (only affects you)": "URL-voorvertoniengn in dit gesprek inschoakeln (geldt alleene vo joun)", "Enable URL previews for this room (only affects you)": "URL-voorvertoniengn in dit gesprek inschoakeln (geldt alleene vo joun)",
"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",
"Prompt before sending invites to potentially invalid matrix IDs": "Bevestigienge vroagn voda uutnodigiengn noar meuglik oungeldige Matrix-IDs wordn verstuurd",
"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 app version information": "App-versieinformoasje wor verzoameld",
"Collecting logs": "Logboekn worden verzoameld", "Collecting logs": "Logboekn worden verzoameld",
@ -327,7 +315,6 @@
"Versions": "Versies", "Versions": "Versies",
"%(brand)s version:": "%(brand)s-versie:", "%(brand)s version:": "%(brand)s-versie:",
"Notifications": "Meldiengn", "Notifications": "Meldiengn",
"Start automatically after system login": "Automatisch startn achter systeemanmeldienge",
"Composer": "Ipsteller", "Composer": "Ipsteller",
"Room list": "Gesprekslyste", "Room list": "Gesprekslyste",
"Autocomplete delay (ms)": "Vertroagienge vo t automatisch anvulln (ms)", "Autocomplete delay (ms)": "Vertroagienge vo t automatisch anvulln (ms)",
@ -642,10 +629,6 @@
"Continue With Encryption Disabled": "Verdergoan me versleuterienge uutgeschoakeld", "Continue With Encryption Disabled": "Verdergoan me versleuterienge uutgeschoakeld",
"Unknown error": "Ounbekende foute", "Unknown error": "Ounbekende foute",
"Incorrect password": "Verkeerd paswoord", "Incorrect password": "Verkeerd paswoord",
"Event sent!": "Gebeurtenisse verstuurd!",
"Event Type": "Gebeurtenistype",
"State Key": "Toestandssleuter",
"Event Content": "Gebeurtenisinhoud",
"Filter results": "Resultoatn filtern", "Filter results": "Resultoatn filtern",
"Toolbox": "Gereedschap", "Toolbox": "Gereedschap",
"Developer Tools": "Ountwikkeliengsgereedschap", "Developer Tools": "Ountwikkeliengsgereedschap",
@ -1039,5 +1022,26 @@
"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."
},
"devtools": {
"event_type": "Gebeurtenistype",
"state_key": "Toestandssleuter",
"event_sent": "Gebeurtenisse verstuurd!",
"event_content": "Gebeurtenisinhoud"
},
"settings": {
"use_12_hour_format": "Tyd in 12-uursformoat weregeevn (bv. 2:30pm)",
"always_show_message_timestamps": "Assan de tydstempels van berichtn toogn",
"send_typing_notifications": "Typmeldiengn verstuurn",
"replace_plain_emoji": "Tekst automatisch vervangn deur emoticons",
"emoji_autocomplete": "Emoticons voorstelln binst t typn",
"automatic_language_detection_syntax_highlight": "Automatische toaldetectie vo zinsbouwmarkeriengn inschoakeln",
"inline_url_previews_default": "Inline URL-voorvertoniengn standoard inschoakeln",
"show_redaction_placeholder": "Vullienge toogn vo verwyderde berichtn",
"show_read_receipts": "Deur andere gebruukers verstuurde leesbevestigiengn toogn",
"show_displayname_changes": "Veranderiengn van weergavenoamn toogn",
"big_emoji": "Grote emoticons in gesprekkn inschoakeln",
"prompt_invite": "Bevestigienge vroagn voda uutnodigiengn noar meuglik oungeldige Matrix-IDs wordn verstuurd",
"start_automatically": "Automatisch startn achter systeemanmeldienge"
} }
} }

View file

@ -47,13 +47,11 @@
"Server may be unavailable, overloaded, or you hit a bug.": "当前服务器可能处于不可用或过载状态,或者你遇到了一个 bug。", "Server may be unavailable, overloaded, or you hit a bug.": "当前服务器可能处于不可用或过载状态,或者你遇到了一个 bug。",
"Server unavailable, overloaded, or something else went wrong.": "服务器不可用、超载或其他东西出错了。", "Server unavailable, overloaded, or something else went wrong.": "服务器不可用、超载或其他东西出错了。",
"Session ID": "会话 ID", "Session ID": "会话 ID",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "使用 12 小时制显示时间戳 (下午 2:30",
"Signed Out": "已退出登录", "Signed Out": "已退出登录",
"This email address is already in use": "此邮箱地址已被使用", "This email address is already in use": "此邮箱地址已被使用",
"This email address was not found": "未找到此邮箱地址", "This email address was not found": "未找到此邮箱地址",
"The email address linked to your account must be entered.": "必须输入和你账户关联的邮箱地址。", "The email address linked to your account must be entered.": "必须输入和你账户关联的邮箱地址。",
"Advanced": "高级", "Advanced": "高级",
"Always show message timestamps": "总是显示消息时间戳",
"A new password must be entered.": "必须输入新密码。", "A new password must be entered.": "必须输入新密码。",
"An error has occurred.": "发生了一个错误。", "An error has occurred.": "发生了一个错误。",
"Banned users": "被封禁的用户", "Banned users": "被封禁的用户",
@ -141,7 +139,6 @@
"Idle": "空闲", "Idle": "空闲",
"Delete widget": "删除挂件", "Delete widget": "删除挂件",
"Define the power level of a user": "定义一名用户的权力级别", "Define the power level of a user": "定义一名用户的权力级别",
"Enable automatic language detection for syntax highlighting": "启用语法高亮的自动语言检测",
"Failed to change power level": "权力级别修改失败", "Failed to change power level": "权力级别修改失败",
"New passwords must match each other.": "新密码必须互相匹配。", "New passwords must match each other.": "新密码必须互相匹配。",
"Power level must be positive integer.": "权力级别必须是正整数。", "Power level must be positive integer.": "权力级别必须是正整数。",
@ -177,7 +174,6 @@
"Start authentication": "开始认证", "Start authentication": "开始认证",
"This room is not recognised.": "无法识别此房间。", "This room is not recognised.": "无法识别此房间。",
"Unable to add email address": "无法添加邮箱地址", "Unable to add email address": "无法添加邮箱地址",
"Automatically replace plain text Emoji": "自动取代纯文本为表情符号",
"Unable to verify email address.": "无法验证邮箱地址。", "Unable to verify email address.": "无法验证邮箱地址。",
"You do not have permission to do that in this room.": "你没有权限在此房间进行那个操作。", "You do not have permission to do that in this room.": "你没有权限在此房间进行那个操作。",
"You do not have permission to post to this room": "你没有在此房间发送消息的权限", "You do not have permission to post to this room": "你没有在此房间发送消息的权限",
@ -201,7 +197,6 @@
"one": "~%(count)s 个结果)", "one": "~%(count)s 个结果)",
"other": "~%(count)s 个结果)" "other": "~%(count)s 个结果)"
}, },
"Start automatically after system login": "开机自启",
"Reject all %(invitedRooms)s invites": "拒绝所有 %(invitedRooms)s 的邀请", "Reject all %(invitedRooms)s invites": "拒绝所有 %(invitedRooms)s 的邀请",
"Sun": "周日", "Sun": "周日",
"Mon": "周一", "Mon": "周一",
@ -290,7 +285,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",
"Enable inline URL previews by default": "默认启用行内URL预览",
"Send an encrypted reply…": "发送加密回复…", "Send an encrypted reply…": "发送加密回复…",
"Send an encrypted message…": "发送加密消息……", "Send an encrypted message…": "发送加密消息……",
"Replying": "正在回复", "Replying": "正在回复",
@ -417,7 +411,6 @@
"You cannot delete this message. (%(code)s)": "你无法删除这条消息。(%(code)s)", "You cannot delete this message. (%(code)s)": "你无法删除这条消息。(%(code)s)",
"All messages": "全部消息", "All messages": "全部消息",
"Call invitation": "当受到通话邀请时", "Call invitation": "当受到通话邀请时",
"State Key": "状态键State Key",
"What's new?": "有何新变动?", "What's new?": "有何新变动?",
"When I'm invited to a room": "当我被邀请进入房间", "When I'm invited to a room": "当我被邀请进入房间",
"Invite to this room": "邀请到此房间", "Invite to this room": "邀请到此房间",
@ -430,9 +423,6 @@
"Error encountered (%(errorDetail)s).": "遇到错误 (%(errorDetail)s)。", "Error encountered (%(errorDetail)s).": "遇到错误 (%(errorDetail)s)。",
"Low Priority": "低优先级", "Low Priority": "低优先级",
"Off": "关闭", "Off": "关闭",
"Event Type": "事件类型",
"Event sent!": "事件已发送!",
"Event Content": "事件内容",
"Thank you!": "谢谢!", "Thank you!": "谢谢!",
"You need to be able to invite users to do that.": "你需要有邀请用户的权限才能进行此操作。", "You need to be able to invite users to do that.": "你需要有邀请用户的权限才能进行此操作。",
"Missing roomId.": "缺少roomId。", "Missing roomId.": "缺少roomId。",
@ -559,13 +549,6 @@
"Common names and surnames are easy to guess": "常用姓名和姓氏很容易被猜到", "Common names and surnames are easy to guess": "常用姓名和姓氏很容易被猜到",
"Straight rows of keys are easy to guess": "键位在一条直线上的组合很容易被猜到", "Straight rows of keys are easy to guess": "键位在一条直线上的组合很容易被猜到",
"Short keyboard patterns are easy to guess": "键位短序列很容易被猜到", "Short keyboard patterns are easy to guess": "键位短序列很容易被猜到",
"Enable Emoji suggestions while typing": "启用实时表情符号建议",
"Show a placeholder for removed messages": "已移除的消息显示为一个占位符",
"Show display name changes": "显示显示名称更改",
"Show read receipts sent by other users": "显示其他用户发送的已读回执",
"Enable big emoji in chat": "在聊天中启用大型表情符号",
"Send typing notifications": "发送正在输入通知",
"Prompt before sending invites to potentially invalid matrix IDs": "在发送邀请之前提示可能无效的 Matrix ID",
"Messages containing my username": "当消息包含我的用户名时", "Messages containing my username": "当消息包含我的用户名时",
"Encrypted messages in one-to-one chats": "私聊中的加密消息", "Encrypted messages in one-to-one chats": "私聊中的加密消息",
"Encrypted messages in group chats": "群聊中的加密消息", "Encrypted messages in group chats": "群聊中的加密消息",
@ -912,7 +895,6 @@
"System font name": "系统字体名称", "System font name": "系统字体名称",
"Never send encrypted messages to unverified sessions from this session": "永不从本会话向未验证的会话发送加密消息", "Never send encrypted messages to unverified sessions from this session": "永不从本会话向未验证的会话发送加密消息",
"Never send encrypted messages to unverified sessions in this room from this session": "永不从此会话向此房间中未验证的会话发送加密消息", "Never send encrypted messages to unverified sessions in this room from this session": "永不从此会话向此房间中未验证的会话发送加密消息",
"Show previews/thumbnails for images": "显示图片的预览图",
"Enable message search in encrypted rooms": "在加密房间中启用消息搜索", "Enable message search in encrypted rooms": "在加密房间中启用消息搜索",
"Change notification settings": "修改通知设置", "Change notification settings": "修改通知设置",
"Manually verify all remote sessions": "手动验证所有远程会话", "Manually verify all remote sessions": "手动验证所有远程会话",
@ -1047,8 +1029,6 @@
"* %(senderName)s %(emote)s": "* %(senderName)s %(emote)s", "* %(senderName)s %(emote)s": "* %(senderName)s %(emote)s",
"%(senderName)s: %(message)s": "%(senderName)s: %(message)s", "%(senderName)s: %(message)s": "%(senderName)s: %(message)s",
"%(senderName)s: %(stickerName)s": "%(senderName)s: %(stickerName)s", "%(senderName)s: %(stickerName)s": "%(senderName)s: %(stickerName)s",
"Show typing notifications": "显示正在输入通知",
"Show shortcuts to recently viewed rooms above the room list": "在房间列表上方显示最近浏览过的房间的快捷方式",
"Show hidden events in timeline": "显示时间线中的隐藏事件", "Show hidden events in timeline": "显示时间线中的隐藏事件",
"Scan this unique code": "扫描此唯一代码", "Scan this unique code": "扫描此唯一代码",
"Compare unique emoji": "比较唯一表情符号", "Compare unique emoji": "比较唯一表情符号",
@ -1631,13 +1611,6 @@
"You held the call <a>Switch</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": "挂起当前房间的通话",
"Show chat effects (animations when receiving e.g. confetti)": "显示聊天特效(如收到五彩纸屑时的动画效果)",
"Use Ctrl + Enter to send a message": "使用Ctrl + Enter发送消息",
"Use Command + Enter to send a message": "使用 Command + Enter 发送消息",
"Jump to the bottom of the timeline when you send a message": "发送消息时跳转到时间线底部",
"Show line numbers in code blocks": "在代码块中显示行号",
"Expand code blocks by default": "默认展开代码块",
"Show stickers button": "显示贴纸按钮",
"%(senderName)s ended the call": "%(senderName)s 结束了通话", "%(senderName)s ended the call": "%(senderName)s 结束了通话",
"You ended the call": "你结束了通话", "You ended the call": "你结束了通话",
"Use app": "使用 app", "Use app": "使用 app",
@ -1682,12 +1655,6 @@
"Transfer": "传输", "Transfer": "传输",
"Unnamed Space": "未命名空间", "Unnamed Space": "未命名空间",
"Send feedback": "发送反馈", "Send feedback": "发送反馈",
"Value:": "值:",
"Setting definition:": "设置定义:",
"Caution:": "警告:",
"Setting:": "设置:",
"Value": "值",
"Setting ID": "设置 ID",
"Reason (optional)": "理由(可选)", "Reason (optional)": "理由(可选)",
"Create a new room": "创建新房间", "Create a new room": "创建新房间",
"Spaces": "空间", "Spaces": "空间",
@ -1839,7 +1806,6 @@
"Video conference ended by %(senderName)s": "由 %(senderName)s 结束的视频会议", "Video conference ended by %(senderName)s": "由 %(senderName)s 结束的视频会议",
"Video conference updated by %(senderName)s": "由 %(senderName)s 更新的视频会议", "Video conference updated by %(senderName)s": "由 %(senderName)s 更新的视频会议",
"Video conference started by %(senderName)s": "由 %(senderName)s 发起的视频会议", "Video conference started by %(senderName)s": "由 %(senderName)s 发起的视频会议",
"There was an error finding this widget.": "查找此挂件时出现错误。",
"Active Widgets": "已启用的挂件", "Active Widgets": "已启用的挂件",
"Widgets": "挂件", "Widgets": "挂件",
"This is the start of <roomName/>.": "这里是 <roomName/> 的开始。", "This is the start of <roomName/>.": "这里是 <roomName/> 的开始。",
@ -1850,17 +1816,6 @@
"New version of %(brand)s is available": "%(brand)s 有新版本可用", "New version of %(brand)s is available": "%(brand)s 有新版本可用",
"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>。",
"PRO TIP: If you start a bug, please submit <debugLogsLink>debug logs</debugLogsLink> to help us track down the problem.": "专业建议:如果你要发起新问题,请一并提交<debugLogsLink>调试日志</debugLogsLink>,以便我们找出问题根源。", "PRO TIP: If you start a bug, please submit <debugLogsLink>debug logs</debugLogsLink> to help us track down the problem.": "专业建议:如果你要发起新问题,请一并提交<debugLogsLink>调试日志</debugLogsLink>,以便我们找出问题根源。",
"Values at explicit levels": "各层级的值",
"Values at explicit levels:": "各层级的值:",
"Values at explicit levels in this room": "此房间中各层级的值",
"Values at explicit levels in this room:": "此房间中各层级的值:",
"Value in this room:": "此房间中的值:",
"Save setting values": "保存设置值",
"Settable at global": "全局可设置性",
"Settable at room": "房间可设置性",
"Level": "层级",
"This UI does NOT check the types of the values. Use at your own risk.": "此界面<b>不会</b>检查值的类型。使用风险自负。",
"Value in this room": "此房间中的值",
"with state key %(stateKey)s": "附带有状态键state key%(stateKey)s", "with state key %(stateKey)s": "附带有状态键state key%(stateKey)s",
"Your server requires encryption to be enabled in private rooms.": "你的服务器要求私有房间得启用加密。", "Your server requires encryption to be enabled in private rooms.": "你的服务器要求私有房间得启用加密。",
"Space selection": "空间选择", "Space selection": "空间选择",
@ -2137,7 +2092,6 @@
"Failed to send": "发送失败", "Failed to send": "发送失败",
"Change server ACLs": "更改服务器访问控制列表", "Change server ACLs": "更改服务器访问控制列表",
"You have no ignored users.": "你没有设置忽略用户。", "You have no ignored users.": "你没有设置忽略用户。",
"Warn before quitting": "退出前警告",
"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": "消息搜索初始化失败",
"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.": {
@ -2276,7 +2230,6 @@
"e.g. my-space": "例如my-space", "e.g. my-space": "例如my-space",
"Silence call": "通话静音", "Silence call": "通话静音",
"Sound on": "开启声音", "Sound on": "开启声音",
"Show all rooms in Home": "在主页显示所有房间",
"%(senderName)s changed the <a>pinned messages</a> for the room.": "%(senderName)s 已更改此房间的<a>固定消息</a>。", "%(senderName)s changed the <a>pinned messages</a> for the room.": "%(senderName)s 已更改此房间的<a>固定消息</a>。",
"%(senderName)s withdrew %(targetName)s's invitation": "%(senderName)s 已撤回向 %(targetName)s 的邀请", "%(senderName)s withdrew %(targetName)s's invitation": "%(senderName)s 已撤回向 %(targetName)s 的邀请",
"%(senderName)s withdrew %(targetName)s's invitation: %(reason)s": "%(senderName)s 已撤回向 %(targetName)s 的邀请:%(reason)s", "%(senderName)s withdrew %(targetName)s's invitation: %(reason)s": "%(senderName)s 已撤回向 %(targetName)s 的邀请:%(reason)s",
@ -2342,9 +2295,6 @@
"Start the camera": "启动摄像头", "Start the camera": "启动摄像头",
"Your camera is still enabled": "你的摄像头仍然处于启用状态", "Your camera is still enabled": "你的摄像头仍然处于启用状态",
"Your camera is turned off": "你的摄像头已关闭", "Your camera is turned off": "你的摄像头已关闭",
"All rooms you're in will appear in Home.": "你加入的所有房间都会显示在主页。",
"Use Ctrl + F to search timeline": "使用 Ctrl + F 搜索时间线",
"Use Command + F to search timeline": "使用 Command + F 搜索时间线",
"Send voice message": "发送语音消息", "Send voice message": "发送语音消息",
"Transfer Failed": "转移失败", "Transfer Failed": "转移失败",
"Unable to transfer call": "无法转移通话", "Unable to transfer call": "无法转移通话",
@ -2442,8 +2392,6 @@
"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 />",
"The above, but in any room you are joined or invited to as well": "以上,但也包括你加入或被邀请的任何房间中", "The above, but in any room you are joined or invited to as well": "以上,但也包括你加入或被邀请的任何房间中",
"Autoplay videos": "自动播放视频",
"Autoplay GIFs": "自动播放 GIF",
"%(senderName)s unpinned a message from this room. See all pinned messages.": "%(senderName)s从此房间中取消固定了一条消息。查看所有固定消息。", "%(senderName)s unpinned a message from this room. See all pinned messages.": "%(senderName)s从此房间中取消固定了一条消息。查看所有固定消息。",
"%(senderName)s unpinned <a>a message</a> from this room. See all <b>pinned messages</b>.": "%(senderName)s 从此房间中取消固定了<a>一条消息</a>。查看所有<b>固定消息</b>。", "%(senderName)s unpinned <a>a message</a> from this room. See all <b>pinned messages</b>.": "%(senderName)s 从此房间中取消固定了<a>一条消息</a>。查看所有<b>固定消息</b>。",
"%(senderName)s pinned a message to this room. See all pinned messages.": "%(senderName)s将一条消息固定到此房间。查看所有固定消息。", "%(senderName)s pinned a message to this room. See all pinned messages.": "%(senderName)s将一条消息固定到此房间。查看所有固定消息。",
@ -2648,7 +2596,6 @@
"Quick settings": "快速设置", "Quick settings": "快速设置",
"Spaces you know that contain this space": "你知道的包含这个空间的空间", "Spaces you know that contain this space": "你知道的包含这个空间的空间",
"Chat": "聊天", "Chat": "聊天",
"Clear": "清除",
"You may contact me if you want to follow up or to let me test out upcoming ideas": "如果您想跟进或让我测试即将到来的想法,您可以与我联系", "You may contact me if you want to follow up or to let me test out upcoming ideas": "如果您想跟进或让我测试即将到来的想法,您可以与我联系",
"Home options": "主页选项", "Home options": "主页选项",
"%(spaceName)s menu": "%(spaceName)s菜单", "%(spaceName)s menu": "%(spaceName)s菜单",
@ -2809,7 +2756,6 @@
"Room ID: %(roomId)s": "房间ID: %(roomId)s", "Room ID: %(roomId)s": "房间ID: %(roomId)s",
"Are you sure you're at the right place?": "你确定你位于正确的地方?", "Are you sure you're at the right place?": "你确定你位于正确的地方?",
"Show Labs settings": "显示实验室设置", "Show Labs settings": "显示实验室设置",
"Show join/leave messages (invites/removes/bans unaffected)": "显示加入/离开消息(邀请/移除/封禁不受影响)",
"Add new server…": "添加新的服务器…", "Add new server…": "添加新的服务器…",
"Verification explorer": "验证查看", "Verification explorer": "验证查看",
"Verify other device": "验证其他设备", "Verify other device": "验证其他设备",
@ -2855,7 +2801,6 @@
"Group all your people in one place.": "将你所有的联系人集中一处。", "Group all your people in one place.": "将你所有的联系人集中一处。",
"Group all your favourite rooms and people in one place.": "将所有你最爱的房间和人集中在一处。", "Group all your favourite rooms and people in one place.": "将所有你最爱的房间和人集中在一处。",
"Spaces are ways to group rooms and people. Alongside the spaces you're in, you can use some pre-built ones too.": "空间是将房间和人分组的方式。除了你所在的空间,你也可以使用预建的空间。", "Spaces are ways to group rooms and people. Alongside the spaces you're in, you can use some pre-built ones too.": "空间是将房间和人分组的方式。除了你所在的空间,你也可以使用预建的空间。",
"Enable hardware acceleration (restart %(appName)s to take effect)": "启用硬件加速(重启%(appName)s生效",
"Keyboard": "键盘", "Keyboard": "键盘",
"Deactivating your account is a permanent action — be careful!": "停用你的账户是永久性动作——小心!", "Deactivating your account is a permanent action — be careful!": "停用你的账户是永久性动作——小心!",
"Your password was successfully changed.": "你的密码已成功更改。", "Your password was successfully changed.": "你的密码已成功更改。",
@ -2885,8 +2830,6 @@
"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日志",
"Enable Markdown": "启用Markdown",
"Insert a trailing colon after user mentions at the start of a message": "在消息开头的提及用户的地方后面插入尾随冒号",
"Show polls button": "显示投票按钮", "Show polls button": "显示投票按钮",
"Explore public spaces in the new search dialog": "在新的搜索对话框中探索公开空间", "Explore public spaces in the new search dialog": "在新的搜索对话框中探索公开空间",
"Join the room to participate": "加入房间以参与", "Join the room to participate": "加入房间以参与",
@ -2942,7 +2885,6 @@
"Timed out trying to fetch your location. Please try again later.": "尝试获取你的位置超时。请之后再试。", "Timed out trying to fetch your location. Please try again later.": "尝试获取你的位置超时。请之后再试。",
"Failed to fetch your location. Please try again later.": "获取你的位置失败。请之后再试。", "Failed to fetch your location. Please try again later.": "获取你的位置失败。请之后再试。",
"Could not fetch location": "无法获取位置", "Could not fetch location": "无法获取位置",
"Edit setting": "编辑设置",
"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.": "你的新设备现已验证。其他用户将会视其为受信任的。",
"Verify this device": "验证此设备", "Verify this device": "验证此设备",
"Unable to verify this device": "无法验证此设备", "Unable to verify this device": "无法验证此设备",
@ -3034,17 +2976,6 @@
"An error (%(errcode)s) was returned while trying to validate your invite. You could try to pass this information on to the person who invited you.": "尝试验证你的邀请时返回错误(%(errcode)s。你可以尝试把这个信息传给邀请你的人。", "An error (%(errcode)s) was returned while trying to validate your invite. You could try to pass this information on to the person who invited you.": "尝试验证你的邀请时返回错误(%(errcode)s。你可以尝试把这个信息传给邀请你的人。",
"sends hearts": "发送爱心", "sends hearts": "发送爱心",
"Sends the given message with hearts": "与爱心一起发送给定的消息", "Sends the given message with hearts": "与爱心一起发送给定的消息",
"Client Versions": "客户端版本",
"Failed to load.": "载入失败。",
"Send custom state event": "发送自定义状态事件",
"<empty string>": "<空字符串>",
"<%(count)s spaces>": {
"one": "<空间>",
"other": "<%(count)s个空间>"
},
"Failed to send event!": "发送事件失败!",
"Doesn't look like valid JSON.": "看起来不像有效的JSON。",
"Send custom room account data event": "发送自定义房间账户资料事件",
"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.": "你的消息未被发送,因为此家服务器已被其管理员屏蔽。请<a>联系你的服务管理员</a>以继续使用服务。", "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.": "你的消息未被发送,因为此家服务器已被其管理员屏蔽。请<a>联系你的服务管理员</a>以继续使用服务。",
"Spell check": "拼写检查", "Spell check": "拼写检查",
"Enable notifications": "启用通知", "Enable notifications": "启用通知",
@ -3069,7 +3000,6 @@
"Download %(brand)s": "下载%(brand)s", "Download %(brand)s": "下载%(brand)s",
"Download %(brand)s Desktop": "下载%(brand)s桌面版", "Download %(brand)s Desktop": "下载%(brand)s桌面版",
"Download on the App Store": "在App Store下载", "Download on the App Store": "在App Store下载",
"Send read receipts": "发送已读回执",
"Share your activity and status with others.": "与别人分享你的活动和状态。", "Share your activity and status with others.": "与别人分享你的活动和状态。",
"Your server doesn't support disabling sending read receipts.": "你的服务器不支持禁用发送已读回执。", "Your server doesn't support disabling sending read receipts.": "你的服务器不支持禁用发送已读回执。",
"We're creating a room with %(names)s": "正在创建房间%(names)s", "We're creating a room with %(names)s": "正在创建房间%(names)s",
@ -3101,15 +3031,7 @@
}, },
"Remove server “%(roomServer)s”": "移除服务器“%(roomServer)s”", "Remove server “%(roomServer)s”": "移除服务器“%(roomServer)s”",
"You can use the custom server options to sign into other Matrix servers by specifying a different homeserver URL. This allows you to use %(brand)s with an existing Matrix account on a different homeserver.": "你可以使用自定义服务器选项来指定不同的家服务器URL以登录其他Matrix服务器。这让你能把%(brand)s和不同家服务器上的已有Matrix账户搭配使用。", "You can use the custom server options to sign into other Matrix servers by specifying a different homeserver URL. This allows you to use %(brand)s with an existing Matrix account on a different homeserver.": "你可以使用自定义服务器选项来指定不同的家服务器URL以登录其他Matrix服务器。这让你能把%(brand)s和不同家服务器上的已有Matrix账户搭配使用。",
"Started": "已开始",
"Requested": "已请求",
"Unsent": "未发送", "Unsent": "未发送",
"Edit values": "编辑值",
"Failed to save settings.": "保存设置失败。",
"Number of users": "用户数",
"Server": "服务器",
"Server Versions": "服务器版本",
"Send custom account data event": "发送自定义账户数据事件",
"Search Dialog": "搜索对话", "Search Dialog": "搜索对话",
"Join %(roomAddress)s": "加入%(roomAddress)s", "Join %(roomAddress)s": "加入%(roomAddress)s",
"Ignore user": "忽略用户", "Ignore user": "忽略用户",
@ -3119,14 +3041,6 @@
"Server info": "服务器信息", "Server info": "服务器信息",
"Output devices": "输出设备", "Output devices": "输出设备",
"Input devices": "输入设备", "Input devices": "输入设备",
"No verification requests found": "未找到验证请求",
"Observe only": "仅观察",
"Requester": "请求者",
"Methods": "方法",
"Timeout": "超时",
"Phase": "阶段",
"Transaction": "交易",
"Cancelled": "已取消",
"View List": "查看列表", "View List": "查看列表",
"View list": "查看列表", "View list": "查看列表",
"No live locations": "无实时位置", "No live locations": "无实时位置",
@ -3383,7 +3297,8 @@
"ios": "iOS", "ios": "iOS",
"android": "Android", "android": "Android",
"trusted": "受信任的", "trusted": "受信任的",
"not_trusted": "不受信任的" "not_trusted": "不受信任的",
"server": "服务器"
}, },
"action": { "action": {
"continue": "继续", "continue": "继续",
@ -3481,7 +3396,8 @@
"maximise": "最大化", "maximise": "最大化",
"mention": "提及", "mention": "提及",
"submit": "提交", "submit": "提交",
"send_report": "发送报告" "send_report": "发送报告",
"clear": "清除"
}, },
"a11y": { "a11y": {
"user_menu": "用户菜单" "user_menu": "用户菜单"
@ -3591,5 +3507,93 @@
"you_did_it": "你做到了!", "you_did_it": "你做到了!",
"complete_these": "完成这些步骤以充分利用%(brand)s", "complete_these": "完成这些步骤以充分利用%(brand)s",
"community_messaging_description": "保持对社区讨论的所有权和控制权。\n可扩展至支持数百万人具有强大的管理审核功能和互操作性。" "community_messaging_description": "保持对社区讨论的所有权和控制权。\n可扩展至支持数百万人具有强大的管理审核功能和互操作性。"
},
"devtools": {
"send_custom_account_data_event": "发送自定义账户数据事件",
"send_custom_room_account_data_event": "发送自定义房间账户资料事件",
"event_type": "事件类型",
"state_key": "状态键State Key",
"invalid_json": "看起来不像有效的JSON。",
"failed_to_send": "发送事件失败!",
"event_sent": "事件已发送!",
"event_content": "事件内容",
"spaces": {
"one": "<空间>",
"other": "<%(count)s个空间>"
},
"empty_string": "<空字符串>",
"send_custom_state_event": "发送自定义状态事件",
"failed_to_load": "载入失败。",
"client_versions": "客户端版本",
"server_versions": "服务器版本",
"number_of_users": "用户数",
"failed_to_save": "保存设置失败。",
"save_setting_values": "保存设置值",
"setting_colon": "设置:",
"caution_colon": "警告:",
"use_at_own_risk": "此界面<b>不会</b>检查值的类型。使用风险自负。",
"setting_definition": "设置定义:",
"level": "层级",
"settable_global": "全局可设置性",
"settable_room": "房间可设置性",
"values_explicit": "各层级的值",
"values_explicit_room": "此房间中各层级的值",
"edit_values": "编辑值",
"value_colon": "值:",
"value_this_room_colon": "此房间中的值:",
"values_explicit_colon": "各层级的值:",
"values_explicit_this_room_colon": "此房间中各层级的值:",
"setting_id": "设置 ID",
"value": "值",
"value_in_this_room": "此房间中的值",
"edit_setting": "编辑设置",
"phase_requested": "已请求",
"phase_started": "已开始",
"phase_cancelled": "已取消",
"phase_transaction": "交易",
"phase": "阶段",
"timeout": "超时",
"methods": "方法",
"requester": "请求者",
"observe_only": "仅观察",
"no_verification_requests_found": "未找到验证请求",
"failed_to_find_widget": "查找此挂件时出现错误。"
},
"settings": {
"show_breadcrumbs": "在房间列表上方显示最近浏览过的房间的快捷方式",
"all_rooms_home_description": "你加入的所有房间都会显示在主页。",
"use_command_f_search": "使用 Command + F 搜索时间线",
"use_control_f_search": "使用 Ctrl + F 搜索时间线",
"use_12_hour_format": "使用 12 小时制显示时间戳 (下午 2:30",
"always_show_message_timestamps": "总是显示消息时间戳",
"send_read_receipts": "发送已读回执",
"send_typing_notifications": "发送正在输入通知",
"replace_plain_emoji": "自动取代纯文本为表情符号",
"enable_markdown": "启用Markdown",
"emoji_autocomplete": "启用实时表情符号建议",
"use_command_enter_send_message": "使用 Command + Enter 发送消息",
"use_control_enter_send_message": "使用Ctrl + Enter发送消息",
"all_rooms_home": "在主页显示所有房间",
"show_stickers_button": "显示贴纸按钮",
"insert_trailing_colon_mentions": "在消息开头的提及用户的地方后面插入尾随冒号",
"automatic_language_detection_syntax_highlight": "启用语法高亮的自动语言检测",
"code_block_expand_default": "默认展开代码块",
"code_block_line_numbers": "在代码块中显示行号",
"inline_url_previews_default": "默认启用行内URL预览",
"autoplay_gifs": "自动播放 GIF",
"autoplay_videos": "自动播放视频",
"image_thumbnails": "显示图片的预览图",
"show_typing_notifications": "显示正在输入通知",
"show_redaction_placeholder": "已移除的消息显示为一个占位符",
"show_read_receipts": "显示其他用户发送的已读回执",
"show_join_leave": "显示加入/离开消息(邀请/移除/封禁不受影响)",
"show_displayname_changes": "显示显示名称更改",
"show_chat_effects": "显示聊天特效(如收到五彩纸屑时的动画效果)",
"big_emoji": "在聊天中启用大型表情符号",
"jump_to_bottom_on_send": "发送消息时跳转到时间线底部",
"prompt_invite": "在发送邀请之前提示可能无效的 Matrix ID",
"hardware_acceleration": "启用硬件加速(重启%(appName)s生效",
"start_automatically": "开机自启",
"warn_quit": "退出前警告"
} }
} }

View file

@ -9,7 +9,6 @@
"Account": "帳號", "Account": "帳號",
"Admin": "管理員", "Admin": "管理員",
"Advanced": "進階", "Advanced": "進階",
"Always show message timestamps": "總是顯示訊息時間戳記",
"Authentication": "授權", "Authentication": "授權",
"%(items)s and %(lastItem)s": "%(items)s 和 %(lastItem)s", "%(items)s and %(lastItem)s": "%(items)s 和 %(lastItem)s",
"Confirm password": "確認密碼", "Confirm password": "確認密碼",
@ -62,7 +61,6 @@
"Server may be unavailable, overloaded, or you hit a bug.": "伺服器可能無法使用、超載,或者您遇到了一個錯誤。", "Server may be unavailable, overloaded, or you hit a bug.": "伺服器可能無法使用、超載,或者您遇到了一個錯誤。",
"Server unavailable, overloaded, or something else went wrong.": "伺服器可能無法使用、超載,或者某些東西出了問題。", "Server unavailable, overloaded, or something else went wrong.": "伺服器可能無法使用、超載,或者某些東西出了問題。",
"Session ID": "工作階段 ID", "Session ID": "工作階段 ID",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "用 12 小時制顯示時間戳記(如:下午 2:30",
"Signed Out": "已登出", "Signed Out": "已登出",
"This email address is already in use": "這個電子郵件地址已被使用", "This email address is already in use": "這個電子郵件地址已被使用",
"This email address was not found": "未找到此電子郵件地址", "This email address was not found": "未找到此電子郵件地址",
@ -206,7 +204,6 @@
"other": "~%(count)s 結果)" "other": "~%(count)s 結果)"
}, },
"New Password": "新密碼", "New Password": "新密碼",
"Start automatically after system login": "在系統登入後自動開始",
"Passphrases must match": "安全密語必須相符", "Passphrases must match": "安全密語必須相符",
"Passphrase must not be empty": "安全密語不能為空", "Passphrase must not be empty": "安全密語不能為空",
"Export room keys": "匯出聊天室金鑰", "Export room keys": "匯出聊天室金鑰",
@ -239,14 +236,12 @@
}, },
"Delete widget": "刪除小工具", "Delete widget": "刪除小工具",
"Define the power level of a user": "定義使用者的權限等級", "Define the power level of a user": "定義使用者的權限等級",
"Enable automatic language detection for syntax highlighting": "啟用語法突顯的自動語言偵測",
"Publish this room to the public in %(domain)s's room directory?": "將這個聊天室公開到 %(domain)s 的聊天室目錄中?", "Publish this room to the public in %(domain)s's room directory?": "將這個聊天室公開到 %(domain)s 的聊天室目錄中?",
"AM": "上午", "AM": "上午",
"PM": "下午", "PM": "下午",
"Unable to create widget.": "無法建立小工具。", "Unable to create widget.": "無法建立小工具。",
"You are not in this room.": "您不在這個聊天室內。", "You are not in this room.": "您不在這個聊天室內。",
"You do not have permission to do that in this room.": "您沒有在這個聊天室做這件事的權限。", "You do not have permission to do that in this room.": "您沒有在這個聊天室做這件事的權限。",
"Automatically replace plain text Emoji": "自動取代純文字為表情符號",
"%(widgetName)s widget added by %(senderName)s": "%(widgetName)s 小工具是由 %(senderName)s 所新增", "%(widgetName)s widget added by %(senderName)s": "%(widgetName)s 小工具是由 %(senderName)s 所新增",
"%(widgetName)s widget removed by %(senderName)s": "%(widgetName)s 小工具是由 %(senderName)s 所移除", "%(widgetName)s widget removed by %(senderName)s": "%(widgetName)s 小工具是由 %(senderName)s 所移除",
"%(widgetName)s widget modified by %(senderName)s": "%(widgetName)s 小工具已被 %(senderName)s 修改", "%(widgetName)s widget modified by %(senderName)s": "%(widgetName)s 小工具已被 %(senderName)s 修改",
@ -261,7 +256,6 @@
"%(senderName)s changed the pinned messages for the room.": "%(senderName)s 變更了聊天室的釘選訊息。", "%(senderName)s changed the pinned messages for the room.": "%(senderName)s 變更了聊天室的釘選訊息。",
"Send": "傳送", "Send": "傳送",
"Mirror local video feed": "翻轉鏡射本機視訊畫面", "Mirror local video feed": "翻轉鏡射本機視訊畫面",
"Enable inline URL previews by default": "預設啟用行內網址預覽",
"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": "對此聊天室中的參與者預設啟用網址預覽",
"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.": "您正在將自己降級,如果您是聊天室中最後一位有特殊權限的使用者,您將無法復原此變更,因為無法再獲得特定權限。",
@ -424,7 +418,6 @@
"What's New": "新鮮事", "What's New": "新鮮事",
"All messages": "所有訊息", "All messages": "所有訊息",
"Call invitation": "接到通話邀請時", "Call invitation": "接到通話邀請時",
"State Key": "狀態金鑰",
"What's new?": "有何新變動嗎?", "What's new?": "有何新變動嗎?",
"Invite to this room": "邀請加入這個聊天室", "Invite to this room": "邀請加入這個聊天室",
"You cannot delete this message. (%(code)s)": "您無法刪除此訊息。(%(code)s)", "You cannot delete this message. (%(code)s)": "您無法刪除此訊息。(%(code)s)",
@ -438,9 +431,6 @@
"Low Priority": "低優先度", "Low Priority": "低優先度",
"Off": "關閉", "Off": "關閉",
"Wednesday": "星期三", "Wednesday": "星期三",
"Event Type": "事件類型",
"Event sent!": "事件已傳送!",
"Event Content": "事件內容",
"Thank you!": "感謝您!", "Thank you!": "感謝您!",
"Missing roomId.": "缺少聊天室 ID。", "Missing roomId.": "缺少聊天室 ID。",
"Popout widget": "彈出式小工具", "Popout widget": "彈出式小工具",
@ -565,7 +555,6 @@
"Unable to load commit detail: %(msg)s": "無法載入遞交的詳細資訊:%(msg)s", "Unable to load commit detail: %(msg)s": "無法載入遞交的詳細資訊:%(msg)s",
"Unrecognised address": "無法識別的位址", "Unrecognised address": "無法識別的位址",
"The following users may not exist": "以下的使用者可能不存在", "The following users may not exist": "以下的使用者可能不存在",
"Prompt before sending invites to potentially invalid matrix IDs": "在傳送邀請給潛在的無效 Matrix ID 前提示",
"Unable to find profiles for the Matrix IDs listed below - would you like to invite them anyway?": "找不到下列 Matrix ID 的簡介,您無論如何都想邀請他們嗎?", "Unable to find profiles for the Matrix IDs listed below - would you like to invite them anyway?": "找不到下列 Matrix ID 的簡介,您無論如何都想邀請他們嗎?",
"Invite anyway and never warn me again": "無論如何都要邀請,而且不要再警告我", "Invite anyway and never warn me again": "無論如何都要邀請,而且不要再警告我",
"Invite anyway": "無論如何都要邀請", "Invite anyway": "無論如何都要邀請",
@ -578,11 +567,6 @@
"one": "%(names)s 與另一個人正在打字…" "one": "%(names)s 與另一個人正在打字…"
}, },
"%(names)s and %(lastPerson)s are typing …": "%(names)s 與 %(lastPerson)s 正在打字…", "%(names)s and %(lastPerson)s are typing …": "%(names)s 與 %(lastPerson)s 正在打字…",
"Enable Emoji suggestions while typing": "啟用在打字時出現表情符號建議",
"Show a placeholder for removed messages": "幫已刪除的訊息保留位置",
"Show display name changes": "顯示名稱變更",
"Enable big emoji in chat": "在聊天中啟用大型表情符號",
"Send typing notifications": "傳送「輸入中」的通知",
"Messages containing my username": "包含我使用者名稱的訊息", "Messages containing my username": "包含我使用者名稱的訊息",
"The other party cancelled the verification.": "另一方取消了驗證。", "The other party cancelled the verification.": "另一方取消了驗證。",
"Verified!": "已驗證!", "Verified!": "已驗證!",
@ -729,7 +713,6 @@
"Your keys are being backed up (the first backup could take a few minutes).": "您的金鑰正在備份(第一次備份會花費數分鐘)。", "Your keys are being backed up (the first backup could take a few minutes).": "您的金鑰正在備份(第一次備份會花費數分鐘)。",
"Success!": "成功!", "Success!": "成功!",
"Changes your display nickname in the current room only": "僅在目前的聊天室變更您的顯示暱稱", "Changes your display nickname in the current room only": "僅在目前的聊天室變更您的顯示暱稱",
"Show read receipts sent by other users": "顯示從其他使用者傳送的讀取回條",
"Scissors": "剪刀", "Scissors": "剪刀",
"Error updating main address": "更新主要位址時發生錯誤", "Error updating main address": "更新主要位址時發生錯誤",
"There was an error updating the room's main address. It may not be allowed by the server or a temporary failure occurred.": "更新聊天室的主要位址時發生錯誤。可能是不被伺服器允許或是遇到暫時性的錯誤。", "There was an error updating the room's main address. It may not be allowed by the server or a temporary failure occurred.": "更新聊天室的主要位址時發生錯誤。可能是不被伺服器允許或是遇到暫時性的錯誤。",
@ -982,7 +965,6 @@
"Notification Autocomplete": "通知自動完成", "Notification Autocomplete": "通知自動完成",
"Room Autocomplete": "聊天室自動完成", "Room Autocomplete": "聊天室自動完成",
"User Autocomplete": "使用者自動完成", "User Autocomplete": "使用者自動完成",
"Show previews/thumbnails for images": "顯示圖片的預覽/縮圖",
"Clear cache and reload": "清除快取並重新載入", "Clear cache and reload": "清除快取並重新載入",
"%(count)s unread messages including mentions.": { "%(count)s unread messages including mentions.": {
"other": "包含提及有 %(count)s 則未讀訊息。", "other": "包含提及有 %(count)s 則未讀訊息。",
@ -1253,7 +1235,6 @@
"Message downloading sleep time(ms)": "訊息下載休眠時間(毫秒)", "Message downloading sleep time(ms)": "訊息下載休眠時間(毫秒)",
"Indexed rooms:": "已建立索引的聊天室:", "Indexed rooms:": "已建立索引的聊天室:",
"Cancel entering passphrase?": "取消輸入安全密語?", "Cancel entering passphrase?": "取消輸入安全密語?",
"Show typing notifications": "顯示打字通知",
"Destroy cross-signing keys?": "摧毀交叉簽署金鑰?", "Destroy cross-signing keys?": "摧毀交叉簽署金鑰?",
"Deleting cross-signing keys is permanent. Anyone you have verified with will see security alerts. You almost certainly don't want to do this, unless you've lost every device you can cross-sign from.": "永久刪除交叉簽署金鑰。任何您已驗證過的人都會看到安全性警告。除非您遺失了所有可以進行交叉簽署的裝置,否則您不會想要這樣做。", "Deleting cross-signing keys is permanent. Anyone you have verified with will see security alerts. You almost certainly don't want to do this, unless you've lost every device you can cross-sign from.": "永久刪除交叉簽署金鑰。任何您已驗證過的人都會看到安全性警告。除非您遺失了所有可以進行交叉簽署的裝置,否則您不會想要這樣做。",
"Clear cross-signing keys": "清除交叉簽署金鑰", "Clear cross-signing keys": "清除交叉簽署金鑰",
@ -1274,7 +1255,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": "建立帳號",
"Show shortcuts to recently viewed rooms above the room list": "在聊天室清單上方顯示最近看過的聊天室的捷徑",
"Displays information about a user": "顯示關於使用者的資訊", "Displays information about a user": "顯示關於使用者的資訊",
"To report a Matrix-related security issue, please read the Matrix.org <a>Security Disclosure Policy</a>.": "要回報與 Matrix 有關的安全性問題,請閱讀 Matrix.org 的<a>安全性揭露政策</a>。", "To report a Matrix-related security issue, please read the Matrix.org <a>Security Disclosure Policy</a>.": "要回報與 Matrix 有關的安全性問題,請閱讀 Matrix.org 的<a>安全性揭露政策</a>。",
"Mark all as read": "全部標示為已讀", "Mark all as read": "全部標示為已讀",
@ -1874,8 +1854,6 @@
"Decline All": "全部拒絕", "Decline All": "全部拒絕",
"This widget would like to:": "這個小工具想要:", "This widget would like to:": "這個小工具想要:",
"Approve widget permissions": "批准小工具權限", "Approve widget permissions": "批准小工具權限",
"Use Ctrl + Enter to send a message": "使用 Ctrl + Enter 來傳送訊息",
"Use Command + Enter to send a message": "使用 Command + Enter 來傳送訊息",
"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> 訊息",
"See <b>%(msgtype)s</b> messages posted to this room": "檢視發佈到此聊天室的 <b>%(msgtype)s</b> 訊息", "See <b>%(msgtype)s</b> messages posted to this room": "檢視發佈到此聊天室的 <b>%(msgtype)s</b> 訊息",
"Send <b>%(msgtype)s</b> messages as you in your active room": "在您的活躍聊天室中以您的身份傳送 <b>%(msgtype)s</b> 訊息", "Send <b>%(msgtype)s</b> messages as you in your active room": "在您的活躍聊天室中以您的身份傳送 <b>%(msgtype)s</b> 訊息",
@ -1988,7 +1966,6 @@
"Transfer": "轉接", "Transfer": "轉接",
"Failed to transfer call": "無法轉接通話", "Failed to transfer call": "無法轉接通話",
"A call can only be transferred to a single user.": "一個通話只能轉接給ㄧ個使用者。", "A call can only be transferred to a single user.": "一個通話只能轉接給ㄧ個使用者。",
"There was an error finding this widget.": "尋找此小工具時發生錯誤。",
"Active Widgets": "執行中的小工具", "Active Widgets": "執行中的小工具",
"Open dial pad": "開啟撥號鍵盤", "Open dial pad": "開啟撥號鍵盤",
"Dial pad": "撥號鍵盤", "Dial pad": "撥號鍵盤",
@ -2029,28 +2006,7 @@
"Something went wrong in confirming your identity. Cancel and try again.": "確認您身分時出了一點問題。取消並再試一次。", "Something went wrong in confirming your identity. Cancel and try again.": "確認您身分時出了一點問題。取消並再試一次。",
"We asked the browser to remember which homeserver you use to let you sign in, but unfortunately your browser has forgotten it. Go to the sign in page and try again.": "我們要求瀏覽器記住它讓您登入時使用的家伺服器,但不幸的是,您的瀏覽器忘了它。到登入頁面然後重試。", "We asked the browser to remember which homeserver you use to let you sign in, but unfortunately your browser has forgotten it. Go to the sign in page and try again.": "我們要求瀏覽器記住它讓您登入時使用的家伺服器,但不幸的是,您的瀏覽器忘了它。到登入頁面然後重試。",
"We couldn't log you in": "我們無法讓您登入", "We couldn't log you in": "我們無法讓您登入",
"Show stickers button": "顯示貼圖案按鈕",
"Recently visited rooms": "最近造訪過的聊天室", "Recently visited rooms": "最近造訪過的聊天室",
"Show line numbers in code blocks": "在程式碼區塊中顯示行號",
"Expand code blocks by default": "預設展開程式碼區塊",
"Values at explicit levels in this room:": "此聊天室中明確等級的值:",
"Values at explicit levels:": "明確等級的值:",
"Value in this room:": "此聊天室中的值:",
"Value:": "值:",
"Save setting values": "儲存設定值",
"Values at explicit levels in this room": "此聊天室中明確等級的值",
"Values at explicit levels": "明確等級的值",
"Settable at room": "聊天室設定",
"Settable at global": "全域設定",
"Level": "等級",
"Setting definition:": "設定定義:",
"This UI does NOT check the types of the values. Use at your own risk.": "此使用者介面不會檢查值的類型。使用風險自負。",
"Caution:": "警告:",
"Setting:": "設定:",
"Value in this room": "此聊天室中的值",
"Value": "值",
"Setting ID": "設定 ID",
"Show chat effects (animations when receiving e.g. confetti)": "顯示聊天效果(例:收到彩帶時顯示動畫)",
"Original event source": "原始活動來源", "Original event source": "原始活動來源",
"Decrypted event source": "解密活動來源", "Decrypted event source": "解密活動來源",
"Invite by username": "透過使用者名稱邀請", "Invite by username": "透過使用者名稱邀請",
@ -2103,7 +2059,6 @@
"Invite only, best for yourself or teams": "邀請制,適用於您自己或團隊使用", "Invite only, best for yourself or teams": "邀請制,適用於您自己或團隊使用",
"Open space for anyone, best for communities": "對所有人開放的聊天空間,最適合社群", "Open space for anyone, best for communities": "對所有人開放的聊天空間,最適合社群",
"Create a space": "建立聊天空間", "Create a space": "建立聊天空間",
"Jump to the bottom of the timeline when you send a message": "傳送訊息時,跳到時間軸底部",
"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.": "您正在與此人通話。", "You're already in a call with this person.": "您正在與此人通話。",
"Already in call": "已在通話中", "Already in call": "已在通話中",
@ -2144,7 +2099,6 @@
"Review to ensure your account is safe": "請確認您的帳號安全", "Review to ensure your account is safe": "請確認您的帳號安全",
"%(deviceId)s from %(ip)s": "從 %(ip)s 來的 %(deviceId)s", "%(deviceId)s from %(ip)s": "從 %(ip)s 來的 %(deviceId)s",
"Manage & explore rooms": "管理與探索聊天室", "Manage & explore rooms": "管理與探索聊天室",
"Warn before quitting": "離開前警告",
"%(count)s people you know have already joined": { "%(count)s people you know have already joined": {
"other": "%(count)s 個您認識的人已加入", "other": "%(count)s 個您認識的人已加入",
"one": "%(count)s 個您認識的人已加入" "one": "%(count)s 個您認識的人已加入"
@ -2277,7 +2231,6 @@
"e.g. my-space": "例如my-space", "e.g. my-space": "例如my-space",
"Silence call": "通話靜音", "Silence call": "通話靜音",
"Sound on": "開啟聲音", "Sound on": "開啟聲音",
"Show all rooms in Home": "在首頁顯示所有聊天室",
"%(senderName)s changed the <a>pinned messages</a> for the room.": "%(senderName)s 變更了聊天室的<a>釘選訊息</a>。", "%(senderName)s changed the <a>pinned messages</a> for the room.": "%(senderName)s 變更了聊天室的<a>釘選訊息</a>。",
"%(senderName)s withdrew %(targetName)s's invitation": "%(senderName)s 撤回了 %(targetName)s 的邀請", "%(senderName)s withdrew %(targetName)s's invitation": "%(senderName)s 撤回了 %(targetName)s 的邀請",
"%(senderName)s withdrew %(targetName)s's invitation: %(reason)s": "%(senderName)s 撤回了 %(targetName)s 的邀請:%(reason)s", "%(senderName)s withdrew %(targetName)s's invitation: %(reason)s": "%(senderName)s 撤回了 %(targetName)s 的邀請:%(reason)s",
@ -2309,8 +2262,6 @@
"Code blocks": "程式碼區塊", "Code blocks": "程式碼區塊",
"Displaying time": "顯示時間", "Displaying time": "顯示時間",
"Keyboard shortcuts": "鍵盤快捷鍵", "Keyboard shortcuts": "鍵盤快捷鍵",
"Use Ctrl + F to search timeline": "使用 Ctrl + F 來搜尋時間軸",
"Use Command + F to search timeline": "使用 Command + F 來搜尋時間軸",
"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.": "使用這個小工具可能會與 %(widgetDomain)s 以及您的整合管理員分享資料 <helpIcon />。", "Using this widget may share data <helpIcon /> with %(widgetDomain)s & your integration manager.": "使用這個小工具可能會與 %(widgetDomain)s 以及您的整合管理員分享資料 <helpIcon />。",
@ -2411,7 +2362,6 @@
"Search %(spaceName)s": "搜尋 %(spaceName)s", "Search %(spaceName)s": "搜尋 %(spaceName)s",
"Decrypting": "正在解密", "Decrypting": "正在解密",
"Show all rooms": "顯示所有聊天室", "Show all rooms": "顯示所有聊天室",
"All rooms you're in will appear in Home.": "您所在的所有聊天室都會出現在首頁。",
"Missed call": "未接來電", "Missed call": "未接來電",
"Call declined": "已拒絕通話", "Call declined": "已拒絕通話",
"Stop recording": "停止錄製", "Stop recording": "停止錄製",
@ -2442,8 +2392,6 @@
"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 /> 中",
"The above, but in any room you are joined or invited to as well": "以上,但在任何您已加入或被邀請的聊天室中", "The above, but in any room you are joined or invited to as well": "以上,但在任何您已加入或被邀請的聊天室中",
"Autoplay videos": "自動播放影片",
"Autoplay GIFs": "自動播放 GIF",
"%(senderName)s unpinned a message from this room. See all pinned messages.": "%(senderName)s 從此聊天室取消釘選訊息。檢視所有釘選的訊息。", "%(senderName)s unpinned a message from this room. See all pinned messages.": "%(senderName)s 從此聊天室取消釘選訊息。檢視所有釘選的訊息。",
"%(senderName)s unpinned <a>a message</a> from this room. See all <b>pinned messages</b>.": "%(senderName)s 從此聊天室取消釘選<a>訊息</a>。檢視所有<b>釘選的訊息</b>。", "%(senderName)s unpinned <a>a message</a> from this room. See all <b>pinned messages</b>.": "%(senderName)s 從此聊天室取消釘選<a>訊息</a>。檢視所有<b>釘選的訊息</b>。",
"%(senderName)s pinned a message to this room. See all pinned messages.": "%(senderName)s 釘選了訊息到此聊天室。檢視所有已釘選的訊息。", "%(senderName)s pinned a message to this room. See all pinned messages.": "%(senderName)s 釘選了訊息到此聊天室。檢視所有已釘選的訊息。",
@ -2648,7 +2596,6 @@
"Quick settings": "快速設定", "Quick settings": "快速設定",
"Spaces you know that contain this space": "您知道的包含此聊天空間的聊天空間", "Spaces you know that contain this space": "您知道的包含此聊天空間的聊天空間",
"Chat": "聊天", "Chat": "聊天",
"Clear": "清除",
"You may contact me if you want to follow up or to let me test out upcoming ideas": "若您想跟進或讓我測試即將到來的想法,可以聯絡我", "You may contact me if you want to follow up or to let me test out upcoming ideas": "若您想跟進或讓我測試即將到來的想法,可以聯絡我",
"Home options": "家選項", "Home options": "家選項",
"%(spaceName)s menu": "%(spaceName)s 選單", "%(spaceName)s menu": "%(spaceName)s 選單",
@ -2749,7 +2696,6 @@
"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:": "確認以下的表情符號以相同的順序顯示在兩台裝置上:",
"Edit setting": "編輯設定",
"Expand map": "展開地圖", "Expand map": "展開地圖",
"Send reactions": "傳送回應", "Send reactions": "傳送回應",
"No active call in this room": "此聊天室內沒有活躍的通話", "No active call in this room": "此聊天室內沒有活躍的通話",
@ -2781,7 +2727,6 @@
"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 users": "移除使用者",
"Show join/leave messages (invites/removes/bans unaffected)": "顯示加入/離開訊息(邀請 / 移除 / 封鎖則不受影響)",
"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": "移除、封鎖或邀請他人進入此聊天室,然後讓您離開",
"%(senderName)s removed %(targetName)s": "%(senderName)s 已移除 %(targetName)s", "%(senderName)s removed %(targetName)s": "%(senderName)s 已移除 %(targetName)s",
@ -2863,11 +2808,6 @@
"other": "%(severalUsers)s 移除了 %(count)s 個訊息" "other": "%(severalUsers)s 移除了 %(count)s 個訊息"
}, },
"Automatically send debug logs when key backup is not functioning": "金鑰備份無法運作時,自動傳送除錯紀錄檔", "Automatically send debug logs when key backup is not functioning": "金鑰備份無法運作時,自動傳送除錯紀錄檔",
"<empty string>": "<空字串>",
"<%(count)s spaces>": {
"one": "<空間>",
"other": "<%(count)s 個空間>"
},
"Join %(roomAddress)s": "加入 %(roomAddress)s", "Join %(roomAddress)s": "加入 %(roomAddress)s",
"Edit poll": "編輯投票", "Edit poll": "編輯投票",
"Sorry, you can't edit a poll after votes have been cast.": "抱歉,您無法在有人投票後編輯投票。", "Sorry, you can't edit a poll after votes have been cast.": "抱歉,您無法在有人投票後編輯投票。",
@ -2903,7 +2843,6 @@
"one": "%(severalUsers)s 變更了聊天室的<a>釘選訊息</a>", "one": "%(severalUsers)s 變更了聊天室的<a>釘選訊息</a>",
"other": "%(severalUsers)s 變更了聊天室的<a>釘選訊息</a> %(count)s 次" "other": "%(severalUsers)s 變更了聊天室的<a>釘選訊息</a> %(count)s 次"
}, },
"Insert a trailing colon after user mentions at the start of a message": "在使用者於訊息開頭提及之後插入跟隨冒號",
"Show polls button": "顯示投票按鈕", "Show polls button": "顯示投票按鈕",
"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.": "聊天空間是一種將聊天室與夥伴分組的新方式。您想要建立何種類型的聊天空間?您稍後仍可變更。",
"We'll create rooms for each of them.": "我們將為每個主題建立聊天室。", "We'll create rooms for each of them.": "我們將為每個主題建立聊天室。",
@ -2938,31 +2877,7 @@
"Next recently visited room or space": "下一個最近造訪過的聊天室或聊天空間", "Next recently visited room or space": "下一個最近造訪過的聊天室或聊天空間",
"Previous recently visited room or space": "上一個最近造訪過的聊天室或群組空間", "Previous recently visited room or space": "上一個最近造訪過的聊天室或群組空間",
"Event ID: %(eventId)s": "事件 ID%(eventId)s", "Event ID: %(eventId)s": "事件 ID%(eventId)s",
"No verification requests found": "找不到驗證請求",
"Observe only": "僅觀察",
"Requester": "請求者",
"Methods": "方法",
"Timeout": "逾時",
"Phase": "階段",
"Transaction": "交易",
"Cancelled": "已取消",
"Started": "已開始",
"Ready": "已準備好",
"Requested": "已請求",
"Unsent": "未傳送", "Unsent": "未傳送",
"Edit values": "編輯值",
"Failed to save settings.": "無法儲存設定。",
"Number of users": "使用者數量",
"Server": "伺服器",
"Server Versions": "伺服器版本",
"Client Versions": "客戶端版本",
"Failed to load.": "無法載入。",
"Capabilities": "功能",
"Send custom state event": "傳送自訂狀態事件",
"Failed to send event!": "無法傳送事件!",
"Doesn't look like valid JSON.": "看起來不像有效的 JSON。",
"Send custom room account data event": "傳送自訂聊天室帳號資料事件",
"Send custom account data event": "傳送自訂帳號資料事件",
"Room ID: %(roomId)s": "聊天室 ID%(roomId)s", "Room ID: %(roomId)s": "聊天室 ID%(roomId)s",
"Server info": "伺服器資訊", "Server info": "伺服器資訊",
"Settings explorer": "設定探索程式", "Settings explorer": "設定探索程式",
@ -3041,7 +2956,6 @@
"Disinvite from space": "從聊天空間取消邀請", "Disinvite from space": "從聊天空間取消邀請",
"<b>Tip:</b> Use “%(replyInThread)s” when hovering over a message.": "<b>秘訣:</b>在滑鼠游標停於訊息上時使用「%(replyInThread)s」。", "<b>Tip:</b> Use “%(replyInThread)s” when hovering over a message.": "<b>秘訣:</b>在滑鼠游標停於訊息上時使用「%(replyInThread)s」。",
"No live locations": "無即時位置", "No live locations": "無即時位置",
"Enable Markdown": "啟用 Markdown",
"Close sidebar": "關閉側邊欄", "Close sidebar": "關閉側邊欄",
"View List": "檢視清單", "View List": "檢視清單",
"View list": "檢視清單", "View list": "檢視清單",
@ -3104,7 +3018,6 @@
"Ignore user": "忽略使用者", "Ignore user": "忽略使用者",
"View related event": "檢視相關的事件", "View related event": "檢視相關的事件",
"Read receipts": "讀取回條", "Read receipts": "讀取回條",
"Enable hardware acceleration (restart %(appName)s to take effect)": "啟用硬體加速(重新啟動 %(appName)s 才會生效)",
"Failed to set direct message tag": "無法設定私人訊息標籤", "Failed to set direct message tag": "無法設定私人訊息標籤",
"You were disconnected from the call. (Error: %(message)s)": "您已斷開通話。(錯誤:%(message)s", "You were disconnected from the call. (Error: %(message)s)": "您已斷開通話。(錯誤:%(message)s",
"Connection lost": "連線遺失", "Connection lost": "連線遺失",
@ -3192,7 +3105,6 @@
"We're creating a room with %(names)s": "正在建立包含 %(names)s 的聊天室", "We're creating a room with %(names)s": "正在建立包含 %(names)s 的聊天室",
"Your server doesn't support disabling sending read receipts.": "您的伺服器不支援停用傳送讀取回條。", "Your server doesn't support disabling sending read receipts.": "您的伺服器不支援停用傳送讀取回條。",
"Share your activity and status with others.": "與他人分享您的活動與狀態。", "Share your activity and status with others.": "與他人分享您的活動與狀態。",
"Send read receipts": "傳送讀取回條",
"Last activity": "上次活動", "Last activity": "上次活動",
"Sessions": "工作階段", "Sessions": "工作階段",
"Current session": "目前的工作階段", "Current session": "目前的工作階段",
@ -3444,19 +3356,6 @@
"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?": "來自該使用者的所有訊息與邀請都將被隱藏。您確定要忽略它們嗎?",
"Ignore %(user)s": "忽略 %(user)s", "Ignore %(user)s": "忽略 %(user)s",
"Unable to decrypt voice broadcast": "無法解密語音廣播", "Unable to decrypt voice broadcast": "無法解密語音廣播",
"Thread Id: ": "討論串 ID ",
"Threads timeline": "討論串時間軸",
"Sender: ": "傳送者: ",
"Type: ": "類型: ",
"ID: ": "ID ",
"Last event:": "最後活動:",
"No receipt found": "找不到回條",
"User read up to: ": "使用者讀取至: ",
"Dot: ": "點: ",
"Highlight: ": "突顯: ",
"Total: ": "總共: ",
"Main timeline": "主時間軸",
"Room status": "聊天室狀態",
"Notifications debug": "通知除錯", "Notifications debug": "通知除錯",
"unknown": "未知", "unknown": "未知",
"Red": "紅", "Red": "紅",
@ -3514,20 +3413,12 @@
"Secure Backup successful": "安全備份成功", "Secure Backup successful": "安全備份成功",
"Your keys are now being backed up from this device.": "您已備份此裝置的金鑰。", "Your keys are now being backed up from this device.": "您已備份此裝置的金鑰。",
"Loading polls": "正在載入投票", "Loading polls": "正在載入投票",
"Room is <strong>not encrypted 🚨</strong>": "聊天室<strong>未加密 🚨</strong>",
"Room is <strong>encrypted ✅</strong>": "聊天室<strong>已加密 ✅</strong>",
"Notification state is <strong>%(notificationState)s</strong>": "通知狀態為 <strong>%(notificationState)s</strong>",
"Room unread status: <strong>%(status)s</strong>": "聊天室未讀狀態:<strong>%(status)s</strong>",
"Room unread status: <strong>%(status)s</strong>, count: <strong>%(count)s</strong>": {
"other": "聊天室未讀狀態:<strong>%(status)s</strong>,數量:<strong>%(count)s</strong>"
},
"Ended a poll": "投票已結束", "Ended a poll": "投票已結束",
"Due to decryption errors, some votes may not be counted": "因為解密錯誤,不會計算部份投票", "Due to decryption errors, some votes may not be counted": "因為解密錯誤,不會計算部份投票",
"The sender has blocked you from receiving this message": "傳送者已封鎖您,因此無法接收此訊息", "The sender has blocked you from receiving this message": "傳送者已封鎖您,因此無法接收此訊息",
"Room directory": "聊天室目錄", "Room directory": "聊天室目錄",
"Identity server is <code>%(identityServerUrl)s</code>": "身分伺服器為 <code>%(identityServerUrl)s</code>", "Identity server is <code>%(identityServerUrl)s</code>": "身分伺服器為 <code>%(identityServerUrl)s</code>",
"Homeserver is <code>%(homeserverUrl)s</code>": "家伺服器為 <code>%(homeserverUrl)s</code>", "Homeserver is <code>%(homeserverUrl)s</code>": "家伺服器為 <code>%(homeserverUrl)s</code>",
"Show NSFW content": "顯示工作不宜的 NSFW 內容",
"View poll": "檢視投票", "View poll": "檢視投票",
"There are no past polls for the past %(count)s days. Load more polls to view polls for previous months": { "There are no past polls for the past %(count)s days. Load more polls to view polls for previous months": {
"one": "過去一天沒有過去的投票。載入更多投票以檢視前幾個月的投票", "one": "過去一天沒有過去的投票。載入更多投票以檢視前幾個月的投票",
@ -3582,7 +3473,6 @@
"Can't find the old version of this room (room ID: %(roomId)s), and we have not been provided with 'via_servers' to look for it.": "找不到此聊天室的舊版本(聊天室 ID%(roomId)s且我們未提供「via_servers」來檢視它。", "Can't find the old version of this room (room ID: %(roomId)s), and we have not been provided with 'via_servers' to look for it.": "找不到此聊天室的舊版本(聊天室 ID%(roomId)s且我們未提供「via_servers」來檢視它。",
"Can't find the old version of this room (room ID: %(roomId)s), and we have not been provided with 'via_servers' to look for it. It's possible that guessing the server from the room ID will work. If you want to try, click this link:": "找不到此聊天室的舊版本(聊天室 ID%(roomId)s且我們未提供「via_servers」來檢視它。從聊天室 ID 猜測伺服器可能會有用。若您想嘗試,請點擊此連結:", "Can't find the old version of this room (room ID: %(roomId)s), and we have not been provided with 'via_servers' to look for it. It's possible that guessing the server from the room ID will work. If you want to try, click this link:": "找不到此聊天室的舊版本(聊天室 ID%(roomId)s且我們未提供「via_servers」來檢視它。從聊天室 ID 猜測伺服器可能會有用。若您想嘗試,請點擊此連結:",
"Formatting": "格式化", "Formatting": "格式化",
"Start messages with <code>/plain</code> to send without markdown.": "使用 <code>/plain</code> 開頭以不使用 Markdown 傳送訊息。",
"The add / bind with MSISDN flow is misconfigured": "新增/綁定 MSISDN 流程設定錯誤", "The add / bind with MSISDN flow is misconfigured": "新增/綁定 MSISDN 流程設定錯誤",
"No identity access token found": "找不到身分存取權杖", "No identity access token found": "找不到身分存取權杖",
"Identity server not set": "身分伺服器未設定", "Identity server not set": "身分伺服器未設定",
@ -3619,7 +3509,6 @@
"Views room with given address": "檢視指定聊天室的地址", "Views room with given address": "檢視指定聊天室的地址",
"Notification Settings": "通知設定", "Notification Settings": "通知設定",
"Enable new native OIDC flows (Under active development)": "啟用新的原生 OIDC 流程(正在積極開發中)", "Enable new native OIDC flows (Under active development)": "啟用新的原生 OIDC 流程(正在積極開發中)",
"Show profile picture changes": "顯示個人檔案圖片變更",
"Ask to join": "要求加入", "Ask to join": "要求加入",
"People cannot join unless access is granted.": "除非授予存取權限,否則人們無法加入。", "People cannot join unless access is granted.": "除非授予存取權限,否則人們無法加入。",
"Email summary": "電子郵件摘要", "Email summary": "電子郵件摘要",
@ -3633,7 +3522,6 @@
"This setting will be applied by default to all your rooms.": "預設情況下,此設定將會套用於您所有的聊天室。", "This setting will be applied by default to all your rooms.": "預設情況下,此設定將會套用於您所有的聊天室。",
"User cannot be invited until they are unbanned": "在解除封鎖前,無法邀請使用者", "User cannot be invited until they are unbanned": "在解除封鎖前,無法邀請使用者",
"Previous group of messages": "上一組訊息", "Previous group of messages": "上一組訊息",
"Show current profile picture and name for users in message history": "在訊息歷史紀錄中顯示使用者目前的個人檔案圖片與名稱",
"Receive an email summary of missed notifications": "接收錯過通知的電子郵件摘要", "Receive an email summary of missed notifications": "接收錯過通知的電子郵件摘要",
"<strong>Update:</strong>Weve simplified Notifications Settings to make options easier to find. Some custom settings youve chosen in the past are not shown here, but theyre still active. If you proceed, some of your settings may change. <a>Learn more</a>": "<strong>更新:</strong>我們簡化了通知設定,讓選項更容易找到。您過去選擇的一些自訂設定未在此處顯示,但它們仍然作用中。若繼續,您的某些設定可能會發生變化。<a>取得更多資訊</a>", "<strong>Update:</strong>Weve simplified Notifications Settings to make options easier to find. Some custom settings youve chosen in the past are not shown here, but theyre still active. If you proceed, some of your settings may change. <a>Learn more</a>": "<strong>更新:</strong>我們簡化了通知設定,讓選項更容易找到。您過去選擇的一些自訂設定未在此處顯示,但它們仍然作用中。若繼續,您的某些設定可能會發生變化。<a>取得更多資訊</a>",
"Other things we think you might be interested in:": "我們認為您可能感興趣的其他事情:", "Other things we think you might be interested in:": "我們認為您可能感興趣的其他事情:",
@ -3645,9 +3533,6 @@
}, },
"Anyone can request to join, but admins or moderators need to grant access. You can change this later.": "任何人都可以請求加入,但管理員或版主必須授予存取權限。您可以稍後變更此設定。", "Anyone can request to join, but admins or moderators need to grant access. You can change this later.": "任何人都可以請求加入,但管理員或版主必須授予存取權限。您可以稍後變更此設定。",
"Upgrade room": "升級聊天室", "Upgrade room": "升級聊天室",
"User read up to (ignoreSynthetic): ": "使用者閱讀至 (ignoreSynthetic) ",
"User read up to (m.read.private): ": "使用者閱讀至 (m.read.private) ",
"User read up to (m.read.private;ignoreSynthetic): ": "使用者閱讀至 (m.read.private;ignoreSynthetic) ",
"This homeserver doesn't offer any login flows that are supported by this client.": "此家伺服器不提供該客戶端支援的任何登入流程。", "This homeserver doesn't offer any login flows that are supported by this client.": "此家伺服器不提供該客戶端支援的任何登入流程。",
"Great! This passphrase looks strong enough": "很好!此密碼看起來夠強", "Great! This passphrase looks strong enough": "很好!此密碼看起來夠強",
"Messages sent by bots": "由機器人傳送的訊息", "Messages sent by bots": "由機器人傳送的訊息",
@ -3663,7 +3548,6 @@
"Audio and Video calls": "音訊與視訊通話", "Audio and Video calls": "音訊與視訊通話",
"Note that removing room changes like this could undo the change.": "請注意,像這樣移除聊天是變更可能會還原變更。", "Note that removing room changes like this could undo the change.": "請注意,像這樣移除聊天是變更可能會還原變更。",
"Thread Root ID: %(threadRootId)s": "討論串 Root ID%(threadRootId)s", "Thread Root ID: %(threadRootId)s": "討論串 Root ID%(threadRootId)s",
"See history": "檢視歷史紀錄",
"Unable to find user by email": "無法透過電子郵件找到使用者", "Unable to find user by email": "無法透過電子郵件找到使用者",
"Invited to a room": "已邀請至聊天室", "Invited to a room": "已邀請至聊天室",
"New room activity, upgrades and status messages occur": "出現新的聊天室活動、升級與狀態訊息", "New room activity, upgrades and status messages occur": "出現新的聊天室活動、升級與狀態訊息",
@ -3769,7 +3653,9 @@
"android": "Android", "android": "Android",
"trusted": "受信任", "trusted": "受信任",
"not_trusted": "未受信任", "not_trusted": "未受信任",
"accessibility": "可近用性" "accessibility": "可近用性",
"capabilities": "功能",
"server": "伺服器"
}, },
"action": { "action": {
"continue": "繼續", "continue": "繼續",
@ -3868,7 +3754,8 @@
"maximise": "最大化", "maximise": "最大化",
"mention": "提及", "mention": "提及",
"submit": "送出", "submit": "送出",
"send_report": "傳送回報" "send_report": "傳送回報",
"clear": "清除"
}, },
"a11y": { "a11y": {
"user_menu": "使用者選單" "user_menu": "使用者選單"
@ -4002,5 +3889,122 @@
"you_did_it": "您做到了!", "you_did_it": "您做到了!",
"complete_these": "完成這些步驟以充分利用 %(brand)s", "complete_these": "完成這些步驟以充分利用 %(brand)s",
"community_messaging_description": "保持對社群討論的所有權與控制權。\n具有強大的審核工具與互操作性可擴充至支援數百萬人。" "community_messaging_description": "保持對社群討論的所有權與控制權。\n具有強大的審核工具與互操作性可擴充至支援數百萬人。"
},
"devtools": {
"send_custom_account_data_event": "傳送自訂帳號資料事件",
"send_custom_room_account_data_event": "傳送自訂聊天室帳號資料事件",
"event_type": "事件類型",
"state_key": "狀態金鑰",
"invalid_json": "看起來不像有效的 JSON。",
"failed_to_send": "無法傳送事件!",
"event_sent": "事件已傳送!",
"event_content": "事件內容",
"user_read_up_to": "使用者讀取至: ",
"no_receipt_found": "找不到回條",
"user_read_up_to_ignore_synthetic": "使用者閱讀至 (ignoreSynthetic) ",
"user_read_up_to_private": "使用者閱讀至 (m.read.private) ",
"user_read_up_to_private_ignore_synthetic": "使用者閱讀至 (m.read.private;ignoreSynthetic) ",
"room_status": "聊天室狀態",
"room_unread_status_count": {
"other": "聊天室未讀狀態:<strong>%(status)s</strong>,數量:<strong>%(count)s</strong>"
},
"notification_state": "通知狀態為 <strong>%(notificationState)s</strong>",
"room_encrypted": "聊天室<strong>已加密 ✅</strong>",
"room_not_encrypted": "聊天室<strong>未加密 🚨</strong>",
"main_timeline": "主時間軸",
"threads_timeline": "討論串時間軸",
"room_notifications_total": "總共: ",
"room_notifications_highlight": "突顯: ",
"room_notifications_dot": "點: ",
"room_notifications_last_event": "最後活動:",
"room_notifications_type": "類型: ",
"room_notifications_sender": "傳送者: ",
"room_notifications_thread_id": "討論串 ID ",
"spaces": {
"one": "<空間>",
"other": "<%(count)s 個空間>"
},
"empty_string": "<空字串>",
"room_unread_status": "聊天室未讀狀態:<strong>%(status)s</strong>",
"id": "ID ",
"send_custom_state_event": "傳送自訂狀態事件",
"see_history": "檢視歷史紀錄",
"failed_to_load": "無法載入。",
"client_versions": "客戶端版本",
"server_versions": "伺服器版本",
"number_of_users": "使用者數量",
"failed_to_save": "無法儲存設定。",
"save_setting_values": "儲存設定值",
"setting_colon": "設定:",
"caution_colon": "警告:",
"use_at_own_risk": "此使用者介面不會檢查值的類型。使用風險自負。",
"setting_definition": "設定定義:",
"level": "等級",
"settable_global": "全域設定",
"settable_room": "聊天室設定",
"values_explicit": "明確等級的值",
"values_explicit_room": "此聊天室中明確等級的值",
"edit_values": "編輯值",
"value_colon": "值:",
"value_this_room_colon": "此聊天室中的值:",
"values_explicit_colon": "明確等級的值:",
"values_explicit_this_room_colon": "此聊天室中明確等級的值:",
"setting_id": "設定 ID",
"value": "值",
"value_in_this_room": "此聊天室中的值",
"edit_setting": "編輯設定",
"phase_requested": "已請求",
"phase_ready": "已準備好",
"phase_started": "已開始",
"phase_cancelled": "已取消",
"phase_transaction": "交易",
"phase": "階段",
"timeout": "逾時",
"methods": "方法",
"requester": "請求者",
"observe_only": "僅觀察",
"no_verification_requests_found": "找不到驗證請求",
"failed_to_find_widget": "尋找此小工具時發生錯誤。"
},
"settings": {
"show_breadcrumbs": "在聊天室清單上方顯示最近看過的聊天室的捷徑",
"all_rooms_home_description": "您所在的所有聊天室都會出現在首頁。",
"use_command_f_search": "使用 Command + F 來搜尋時間軸",
"use_control_f_search": "使用 Ctrl + F 來搜尋時間軸",
"use_12_hour_format": "用 12 小時制顯示時間戳記(如:下午 2:30",
"always_show_message_timestamps": "總是顯示訊息時間戳記",
"send_read_receipts": "傳送讀取回條",
"send_typing_notifications": "傳送「輸入中」的通知",
"replace_plain_emoji": "自動取代純文字為表情符號",
"enable_markdown": "啟用 Markdown",
"emoji_autocomplete": "啟用在打字時出現表情符號建議",
"use_command_enter_send_message": "使用 Command + Enter 來傳送訊息",
"use_control_enter_send_message": "使用 Ctrl + Enter 來傳送訊息",
"all_rooms_home": "在首頁顯示所有聊天室",
"enable_markdown_description": "使用 <code>/plain</code> 開頭以不使用 Markdown 傳送訊息。",
"show_stickers_button": "顯示貼圖案按鈕",
"insert_trailing_colon_mentions": "在使用者於訊息開頭提及之後插入跟隨冒號",
"automatic_language_detection_syntax_highlight": "啟用語法突顯的自動語言偵測",
"code_block_expand_default": "預設展開程式碼區塊",
"code_block_line_numbers": "在程式碼區塊中顯示行號",
"inline_url_previews_default": "預設啟用行內網址預覽",
"autoplay_gifs": "自動播放 GIF",
"autoplay_videos": "自動播放影片",
"image_thumbnails": "顯示圖片的預覽/縮圖",
"show_typing_notifications": "顯示打字通知",
"show_redaction_placeholder": "幫已刪除的訊息保留位置",
"show_read_receipts": "顯示從其他使用者傳送的讀取回條",
"show_join_leave": "顯示加入/離開訊息(邀請 / 移除 / 封鎖則不受影響)",
"show_displayname_changes": "顯示名稱變更",
"show_chat_effects": "顯示聊天效果(例:收到彩帶時顯示動畫)",
"show_avatar_changes": "顯示個人檔案圖片變更",
"big_emoji": "在聊天中啟用大型表情符號",
"jump_to_bottom_on_send": "傳送訊息時,跳到時間軸底部",
"disable_historical_profile": "在訊息歷史紀錄中顯示使用者目前的個人檔案圖片與名稱",
"show_nsfw_content": "顯示工作不宜的 NSFW 內容",
"prompt_invite": "在傳送邀請給潛在的無效 Matrix ID 前提示",
"hardware_acceleration": "啟用硬體加速(重新啟動 %(appName)s 才會生效)",
"start_automatically": "在系統登入後自動開始",
"warn_quit": "離開前警告"
} }
} }

View file

@ -324,7 +324,7 @@ export const SETTINGS: { [setting: string]: ISetting } = {
}, },
"useOnlyCurrentProfiles": { "useOnlyCurrentProfiles": {
supportedLevels: LEVELS_ACCOUNT_SETTINGS, supportedLevels: LEVELS_ACCOUNT_SETTINGS,
displayName: _td("Show current profile picture and name for users in message history"), displayName: _td("settings|disable_historical_profile"),
default: false, default: false,
}, },
"mjolnirRooms": { "mjolnirRooms": {
@ -369,7 +369,7 @@ export const SETTINGS: { [setting: string]: ISetting } = {
}, },
"sendReadReceipts": { "sendReadReceipts": {
supportedLevels: LEVELS_ACCOUNT_SETTINGS, supportedLevels: LEVELS_ACCOUNT_SETTINGS,
displayName: _td("Send read receipts"), displayName: _td("settings|send_read_receipts"),
default: true, default: true,
controller: new ServerSupportUnstableFeatureController( controller: new ServerSupportUnstableFeatureController(
"sendReadReceipts", "sendReadReceipts",
@ -491,13 +491,13 @@ export const SETTINGS: { [setting: string]: ISetting } = {
}, },
"MessageComposerInput.suggestEmoji": { "MessageComposerInput.suggestEmoji": {
supportedLevels: LEVELS_ACCOUNT_SETTINGS, supportedLevels: LEVELS_ACCOUNT_SETTINGS,
displayName: _td("Enable Emoji suggestions while typing"), displayName: _td("settings|emoji_autocomplete"),
default: true, default: true,
invertedSettingName: "MessageComposerInput.dontSuggestEmoji", invertedSettingName: "MessageComposerInput.dontSuggestEmoji",
}, },
"MessageComposerInput.showStickersButton": { "MessageComposerInput.showStickersButton": {
supportedLevels: LEVELS_ACCOUNT_SETTINGS, supportedLevels: LEVELS_ACCOUNT_SETTINGS,
displayName: _td("Show stickers button"), displayName: _td("settings|show_stickers_button"),
default: true, default: true,
controller: new UIFeatureController(UIFeature.Widgets, false), controller: new UIFeatureController(UIFeature.Widgets, false),
}, },
@ -508,7 +508,7 @@ export const SETTINGS: { [setting: string]: ISetting } = {
}, },
"MessageComposerInput.insertTrailingColon": { "MessageComposerInput.insertTrailingColon": {
supportedLevels: LEVELS_ACCOUNT_SETTINGS, supportedLevels: LEVELS_ACCOUNT_SETTINGS,
displayName: _td("Insert a trailing colon after user mentions at the start of a message"), displayName: _td("settings|insert_trailing_colon_mentions"),
default: true, default: true,
}, },
// TODO: Wire up appropriately to UI (FTUE notifications) // TODO: Wire up appropriately to UI (FTUE notifications)
@ -560,72 +560,72 @@ export const SETTINGS: { [setting: string]: ISetting } = {
}, },
"showRedactions": { "showRedactions": {
supportedLevels: LEVELS_ROOM_SETTINGS_WITH_ROOM, supportedLevels: LEVELS_ROOM_SETTINGS_WITH_ROOM,
displayName: _td("Show a placeholder for removed messages"), displayName: _td("settings|show_redaction_placeholder"),
default: true, default: true,
invertedSettingName: "hideRedactions", invertedSettingName: "hideRedactions",
}, },
"showJoinLeaves": { "showJoinLeaves": {
supportedLevels: LEVELS_ROOM_SETTINGS_WITH_ROOM, supportedLevels: LEVELS_ROOM_SETTINGS_WITH_ROOM,
displayName: _td("Show join/leave messages (invites/removes/bans unaffected)"), displayName: _td("settings|show_join_leave"),
default: true, default: true,
invertedSettingName: "hideJoinLeaves", invertedSettingName: "hideJoinLeaves",
}, },
"showAvatarChanges": { "showAvatarChanges": {
supportedLevels: LEVELS_ROOM_SETTINGS_WITH_ROOM, supportedLevels: LEVELS_ROOM_SETTINGS_WITH_ROOM,
displayName: _td("Show profile picture changes"), displayName: _td("settings|show_avatar_changes"),
default: true, default: true,
invertedSettingName: "hideAvatarChanges", invertedSettingName: "hideAvatarChanges",
}, },
"showDisplaynameChanges": { "showDisplaynameChanges": {
supportedLevels: LEVELS_ROOM_SETTINGS_WITH_ROOM, supportedLevels: LEVELS_ROOM_SETTINGS_WITH_ROOM,
displayName: _td("Show display name changes"), displayName: _td("settings|show_displayname_changes"),
default: true, default: true,
invertedSettingName: "hideDisplaynameChanges", invertedSettingName: "hideDisplaynameChanges",
}, },
"showReadReceipts": { "showReadReceipts": {
supportedLevels: LEVELS_ROOM_SETTINGS, supportedLevels: LEVELS_ROOM_SETTINGS,
displayName: _td("Show read receipts sent by other users"), displayName: _td("settings|show_read_receipts"),
default: true, default: true,
invertedSettingName: "hideReadReceipts", invertedSettingName: "hideReadReceipts",
}, },
"showTwelveHourTimestamps": { "showTwelveHourTimestamps": {
supportedLevels: LEVELS_ACCOUNT_SETTINGS, supportedLevels: LEVELS_ACCOUNT_SETTINGS,
displayName: _td("Show timestamps in 12 hour format (e.g. 2:30pm)"), displayName: _td("settings|use_12_hour_format"),
default: false, default: false,
}, },
"alwaysShowTimestamps": { "alwaysShowTimestamps": {
supportedLevels: LEVELS_ACCOUNT_SETTINGS, supportedLevels: LEVELS_ACCOUNT_SETTINGS,
displayName: _td("Always show message timestamps"), displayName: _td("settings|always_show_message_timestamps"),
default: false, default: false,
}, },
"autoplayGifs": { "autoplayGifs": {
supportedLevels: LEVELS_ACCOUNT_SETTINGS, supportedLevels: LEVELS_ACCOUNT_SETTINGS,
displayName: _td("Autoplay GIFs"), displayName: _td("settings|autoplay_gifs"),
default: false, default: false,
}, },
"autoplayVideo": { "autoplayVideo": {
supportedLevels: LEVELS_ACCOUNT_SETTINGS, supportedLevels: LEVELS_ACCOUNT_SETTINGS,
displayName: _td("Autoplay videos"), displayName: _td("settings|autoplay_videos"),
default: false, default: false,
}, },
"enableSyntaxHighlightLanguageDetection": { "enableSyntaxHighlightLanguageDetection": {
supportedLevels: LEVELS_ACCOUNT_SETTINGS, supportedLevels: LEVELS_ACCOUNT_SETTINGS,
displayName: _td("Enable automatic language detection for syntax highlighting"), displayName: _td("settings|automatic_language_detection_syntax_highlight"),
default: false, default: false,
}, },
"expandCodeByDefault": { "expandCodeByDefault": {
supportedLevels: LEVELS_ACCOUNT_SETTINGS, supportedLevels: LEVELS_ACCOUNT_SETTINGS,
displayName: _td("Expand code blocks by default"), displayName: _td("settings|code_block_expand_default"),
default: false, default: false,
}, },
"showCodeLineNumbers": { "showCodeLineNumbers": {
supportedLevels: LEVELS_ACCOUNT_SETTINGS, supportedLevels: LEVELS_ACCOUNT_SETTINGS,
displayName: _td("Show line numbers in code blocks"), displayName: _td("settings|code_block_line_numbers"),
default: true, default: true,
}, },
"scrollToBottomOnMessageSent": { "scrollToBottomOnMessageSent": {
supportedLevels: LEVELS_ACCOUNT_SETTINGS, supportedLevels: LEVELS_ACCOUNT_SETTINGS,
displayName: _td("Jump to the bottom of the timeline when you send a message"), displayName: _td("settings|jump_to_bottom_on_send"),
default: true, default: true,
}, },
"Pill.shouldShowPillAvatar": { "Pill.shouldShowPillAvatar": {
@ -636,7 +636,7 @@ export const SETTINGS: { [setting: string]: ISetting } = {
}, },
"TextualBody.enableBigEmoji": { "TextualBody.enableBigEmoji": {
supportedLevels: LEVELS_ACCOUNT_SETTINGS, supportedLevels: LEVELS_ACCOUNT_SETTINGS,
displayName: _td("Enable big emoji in chat"), displayName: _td("settings|big_emoji"),
default: true, default: true,
invertedSettingName: "TextualBody.disableBigEmoji", invertedSettingName: "TextualBody.disableBigEmoji",
}, },
@ -650,23 +650,25 @@ export const SETTINGS: { [setting: string]: ISetting } = {
}, },
"sendTypingNotifications": { "sendTypingNotifications": {
supportedLevels: LEVELS_ACCOUNT_SETTINGS, supportedLevels: LEVELS_ACCOUNT_SETTINGS,
displayName: _td("Send typing notifications"), displayName: _td("settings|send_typing_notifications"),
default: true, default: true,
invertedSettingName: "dontSendTypingNotifications", invertedSettingName: "dontSendTypingNotifications",
}, },
"showTypingNotifications": { "showTypingNotifications": {
supportedLevels: LEVELS_ACCOUNT_SETTINGS, supportedLevels: LEVELS_ACCOUNT_SETTINGS,
displayName: _td("Show typing notifications"), displayName: _td("settings|show_typing_notifications"),
default: true, default: true,
}, },
"ctrlFForSearch": { "ctrlFForSearch": {
supportedLevels: LEVELS_ACCOUNT_SETTINGS, supportedLevels: LEVELS_ACCOUNT_SETTINGS,
displayName: IS_MAC ? _td("Use Command + F to search timeline") : _td("Use Ctrl + F to search timeline"), displayName: IS_MAC ? _td("settings|use_command_f_search") : _td("settings|use_control_f_search"),
default: false, default: false,
}, },
"MessageComposerInput.ctrlEnterToSend": { "MessageComposerInput.ctrlEnterToSend": {
supportedLevels: LEVELS_ACCOUNT_SETTINGS, supportedLevels: LEVELS_ACCOUNT_SETTINGS,
displayName: IS_MAC ? _td("Use Command + Enter to send a message") : _td("Use Ctrl + Enter to send a message"), displayName: IS_MAC
? _td("settings|use_command_enter_send_message")
: _td("settings|use_control_enter_send_message"),
default: false, default: false,
}, },
"MessageComposerInput.surroundWith": { "MessageComposerInput.surroundWith": {
@ -676,18 +678,13 @@ export const SETTINGS: { [setting: string]: ISetting } = {
}, },
"MessageComposerInput.autoReplaceEmoji": { "MessageComposerInput.autoReplaceEmoji": {
supportedLevels: LEVELS_ACCOUNT_SETTINGS, supportedLevels: LEVELS_ACCOUNT_SETTINGS,
displayName: _td("Automatically replace plain text Emoji"), displayName: _td("settings|replace_plain_emoji"),
default: false, default: false,
}, },
"MessageComposerInput.useMarkdown": { "MessageComposerInput.useMarkdown": {
supportedLevels: LEVELS_ACCOUNT_SETTINGS, supportedLevels: LEVELS_ACCOUNT_SETTINGS,
displayName: _td("Enable Markdown"), displayName: _td("settings|enable_markdown"),
description: () => description: () => _t("settings|enable_markdown_description", {}, { code: (sub) => <code>{sub}</code> }),
_t(
"Start messages with <code>/plain</code> to send without markdown.",
{},
{ code: (sub) => <code>{sub}</code> },
),
default: true, default: true,
}, },
"VideoView.flipVideoHorizontally": { "VideoView.flipVideoHorizontally": {
@ -776,7 +773,7 @@ export const SETTINGS: { [setting: string]: ISetting } = {
}, },
"SpotlightSearch.showNsfwPublicRooms": { "SpotlightSearch.showNsfwPublicRooms": {
supportedLevels: LEVELS_ACCOUNT_SETTINGS, supportedLevels: LEVELS_ACCOUNT_SETTINGS,
displayName: _td("Show NSFW content"), displayName: _td("settings|show_nsfw_content"),
default: false, default: false,
}, },
"room_directory_servers": { "room_directory_servers": {
@ -840,7 +837,7 @@ export const SETTINGS: { [setting: string]: ISetting } = {
"urlPreviewsEnabled": { "urlPreviewsEnabled": {
supportedLevels: LEVELS_ROOM_SETTINGS_WITH_ROOM, supportedLevels: LEVELS_ROOM_SETTINGS_WITH_ROOM,
displayName: { displayName: {
"default": _td("Enable inline URL previews by default"), "default": _td("settings|inline_url_previews_default"),
"room-account": _td("Enable URL previews for this room (only affects you)"), "room-account": _td("Enable URL previews for this room (only affects you)"),
"room": _td("Enable URL previews by default for participants in this room"), "room": _td("Enable URL previews by default for participants in this room"),
}, },
@ -884,7 +881,7 @@ export const SETTINGS: { [setting: string]: ISetting } = {
}, },
"promptBeforeInviteUnknownUsers": { "promptBeforeInviteUnknownUsers": {
supportedLevels: LEVELS_ACCOUNT_SETTINGS, supportedLevels: LEVELS_ACCOUNT_SETTINGS,
displayName: _td("Prompt before sending invites to potentially invalid matrix IDs"), displayName: _td("settings|prompt_invite"),
default: true, default: true,
}, },
"widgetOpenIDPermissions": { "widgetOpenIDPermissions": {
@ -896,7 +893,7 @@ export const SETTINGS: { [setting: string]: ISetting } = {
}, },
"breadcrumbs": { "breadcrumbs": {
supportedLevels: LEVELS_ACCOUNT_SETTINGS, supportedLevels: LEVELS_ACCOUNT_SETTINGS,
displayName: _td("Show shortcuts to recently viewed rooms above the room list"), displayName: _td("settings|show_breadcrumbs"),
default: true, default: true,
}, },
"FTUE.userOnboardingButton": { "FTUE.userOnboardingButton": {
@ -927,7 +924,7 @@ export const SETTINGS: { [setting: string]: ISetting } = {
}, },
"showImages": { "showImages": {
supportedLevels: LEVELS_ACCOUNT_SETTINGS, supportedLevels: LEVELS_ACCOUNT_SETTINGS,
displayName: _td("Show previews/thumbnails for images"), displayName: _td("settings|image_thumbnails"),
default: true, default: true,
}, },
"RightPanel.phasesGlobal": { "RightPanel.phasesGlobal": {
@ -985,7 +982,7 @@ export const SETTINGS: { [setting: string]: ISetting } = {
}, },
"showChatEffects": { "showChatEffects": {
supportedLevels: LEVELS_ROOM_SETTINGS_WITH_ROOM, supportedLevels: LEVELS_ROOM_SETTINGS_WITH_ROOM,
displayName: _td("Show chat effects (animations when receiving e.g. confetti)"), displayName: _td("settings|show_chat_effects"),
default: true, default: true,
controller: new ReducedMotionController(), controller: new ReducedMotionController(),
}, },
@ -1003,8 +1000,8 @@ export const SETTINGS: { [setting: string]: ISetting } = {
default: {}, default: {},
}, },
"Spaces.allRoomsInHome": { "Spaces.allRoomsInHome": {
displayName: _td("Show all rooms in Home"), displayName: _td("settings|all_rooms_home"),
description: _td("All rooms you're in will appear in Home."), description: _td("settings|all_rooms_home_description"),
supportedLevels: LEVELS_ACCOUNT_SETTINGS, supportedLevels: LEVELS_ACCOUNT_SETTINGS,
default: false, default: false,
}, },
@ -1147,12 +1144,12 @@ export const SETTINGS: { [setting: string]: ISetting } = {
// We store them over there are they are necessary to know before the renderer process launches. // We store them over there are they are necessary to know before the renderer process launches.
"Electron.autoLaunch": { "Electron.autoLaunch": {
supportedLevels: [SettingLevel.PLATFORM], supportedLevels: [SettingLevel.PLATFORM],
displayName: _td("Start automatically after system login"), displayName: _td("settings|start_automatically"),
default: false, default: false,
}, },
"Electron.warnBeforeExit": { "Electron.warnBeforeExit": {
supportedLevels: [SettingLevel.PLATFORM], supportedLevels: [SettingLevel.PLATFORM],
displayName: _td("Warn before quitting"), displayName: _td("settings|warn_quit"),
default: true, default: true,
}, },
"Electron.alwaysShowMenuBar": { "Electron.alwaysShowMenuBar": {