Merge branch 'develop' into germain-gg/fix-right-panel-member

This commit is contained in:
Germain 2023-08-31 11:37:41 +01:00
commit 870f40575c
97 changed files with 3236 additions and 2489 deletions

View file

@ -212,7 +212,7 @@ export function formatTimeLeft(inSeconds: number): string {
const seconds = Math.floor((inSeconds % (60 * 60)) % 60).toFixed(0);
if (hours !== "0") {
return _t("%(hours)sh %(minutes)sm %(seconds)ss left", {
return _t("time|hours_minutes_seconds_left", {
hours,
minutes,
seconds,
@ -220,13 +220,13 @@ export function formatTimeLeft(inSeconds: number): string {
}
if (minutes !== "0") {
return _t("%(minutes)sm %(seconds)ss left", {
return _t("time|minutes_seconds_left", {
minutes,
seconds,
});
}
return _t("%(seconds)ss left", {
return _t("time|seconds_left", {
seconds,
});
}
@ -258,7 +258,7 @@ export function wantsDateSeparator(prevEventDate: Optional<Date>, nextEventDate:
export function formatFullDateNoDay(date: Date): string {
const locale = getUserLanguage();
return _t("%(date)s at %(time)s", {
return _t("time|date_at_time", {
date: date.toLocaleDateString(locale).replace(/\//g, "-"),
time: date.toLocaleTimeString(locale).replace(/:/g, "-"),
});
@ -311,15 +311,15 @@ export function formatRelativeTime(date: Date, showTwelveHour = false): string {
*/
export function formatDuration(durationMs: number): string {
if (durationMs >= DAY_MS) {
return _t("%(value)sd", { value: Math.round(durationMs / DAY_MS) });
return _t("time|short_days", { value: Math.round(durationMs / DAY_MS) });
}
if (durationMs >= HOUR_MS) {
return _t("%(value)sh", { value: Math.round(durationMs / HOUR_MS) });
return _t("time|short_hours", { value: Math.round(durationMs / HOUR_MS) });
}
if (durationMs >= MINUTE_MS) {
return _t("%(value)sm", { value: Math.round(durationMs / MINUTE_MS) });
return _t("time|short_minutes", { value: Math.round(durationMs / MINUTE_MS) });
}
return _t("%(value)ss", { value: Math.round(durationMs / 1000) });
return _t("time|short_seconds", { value: Math.round(durationMs / 1000) });
}
/**
@ -334,15 +334,15 @@ export function formatPreciseDuration(durationMs: number): string {
const seconds = Math.floor((durationMs % MINUTE_MS) / 1000);
if (days > 0) {
return _t("%(days)sd %(hours)sh %(minutes)sm %(seconds)ss", { days, hours, minutes, seconds });
return _t("time|short_days_hours_minutes_seconds", { days, hours, minutes, seconds });
}
if (hours > 0) {
return _t("%(hours)sh %(minutes)sm %(seconds)ss", { hours, minutes, seconds });
return _t("time|short_hours_minutes_seconds", { hours, minutes, seconds });
}
if (minutes > 0) {
return _t("%(minutes)sm %(seconds)ss", { minutes, seconds });
return _t("time|short_minutes_seconds", { minutes, seconds });
}
return _t("%(value)ss", { value: seconds });
return _t("time|short_seconds", { value: seconds });
}
/**

View file

@ -18,11 +18,11 @@ import { _t } from "./languageHandler";
export function levelRoleMap(usersDefault: number): Record<number | "undefined", string> {
return {
undefined: _t("Default"),
0: _t("Restricted"),
[usersDefault]: _t("Default"),
50: _t("Moderator"),
100: _t("Admin"),
undefined: _t("power_level|default"),
0: _t("power_level|restricted"),
[usersDefault]: _t("power_level|default"),
50: _t("power_level|moderator"),
100: _t("power_level|admin"),
};
}
@ -31,6 +31,6 @@ export function textualPowerLevel(level: number, usersDefault: number): string {
if (LEVEL_ROLE_MAP[level]) {
return LEVEL_ROLE_MAP[level];
} else {
return _t("Custom (%(level)s)", { level });
return _t("power_level|custom", { level });
}
}

View file

@ -56,7 +56,7 @@ const getUIOnlyShortcuts = (): IKeyboardShortcuts => {
default: {
key: Key.ENTER,
},
displayName: _td("Complete"),
displayName: _td("action|complete"),
},
[KeyBindingAction.ForceCompleteAutocomplete]: {
default: {

View file

@ -601,7 +601,7 @@ export default class CreateSecretStorageDialog extends React.PureComponent<IProp
<div>{_t("Restore your key backup to upgrade your encryption")}</div>
</div>
);
nextCaption = _t("Restore");
nextCaption = _t("action|restore");
} else {
authPrompt = <p>{_t("You'll need to authenticate with the server to confirm the upgrade.")}</p>;
}

View file

@ -176,7 +176,7 @@ export default class EmojiProvider extends AutocompleteProvider {
}
public getName(): string {
return "😃 " + _t("Emoji");
return "😃 " + _t("common|emoji");
}
public renderCompletions(completions: React.ReactNode[]): React.ReactNode {

View file

@ -897,7 +897,7 @@ const SpaceHierarchy: React.FC<IProps> = ({ space, initialText = "", showRoom, a
className="mx_SpaceHierarchy_list"
onKeyDown={onKeyDownHandler}
role="tree"
aria-label={_t("Space")}
aria-label={_t("common|space")}
>
{results}
</ul>

View file

@ -304,8 +304,8 @@ const SpaceSetupFirstRooms: React.FC<{
const [busy, setBusy] = useState(false);
const [error, setError] = useState("");
const numFields = 3;
const placeholders = [_t("General"), _t("Random"), _t("Support")];
const [roomNames, setRoomName] = useStateArray(numFields, [_t("General"), _t("Random"), ""]);
const placeholders = [_t("General"), _t("common|random"), _t("common|support")];
const [roomNames, setRoomName] = useStateArray(numFields, [_t("General"), _t("common|random"), ""]);
const fields = new Array(numFields).fill(0).map((x, i) => {
const name = "roomName" + i;
return (

View file

@ -62,7 +62,7 @@ export default class PlayPauseButton extends React.PureComponent<IProps> {
<AccessibleTooltipButton
data-testid="play-pause-button"
className={classes}
title={isPlaying ? _t("Pause") : _t("Play")}
title={isPlaying ? _t("action|pause") : _t("action|play")}
onClick={this.onClick}
disabled={isDisabled}
{...restProps}

View file

@ -163,7 +163,7 @@ export default class LoginWithQRFlow extends React.Component<IProps> {
kind="primary"
onClick={this.handleClick(Click.Approve)}
>
{_t("Approve")}
{_t("action|approve")}
</AccessibleButton>
</>
);

View file

@ -536,7 +536,12 @@ export default class RegistrationForm extends React.PureComponent<IProps, IState
public render(): ReactNode {
const registerButton = (
<input className="mx_Login_submit" type="submit" value={_t("Register")} disabled={!this.props.canSubmit} />
<input
className="mx_Login_submit"
type="submit"
value={_t("action|register")}
disabled={!this.props.canSubmit}
/>
);
let emailHelperText: JSX.Element | undefined;

View file

@ -197,7 +197,7 @@ const SpaceContextMenu: React.FC<IProps> = ({ space, hideHeader, onFinished, ...
<IconizedContextMenuOption
data-testid="new-subspace-option"
iconClassName="mx_SpacePanel_iconPlus"
label={_t("Space")}
label={_t("common|space")}
onClick={onNewSubspaceClick}
>
<BetaPill />
@ -254,7 +254,7 @@ const SpaceContextMenu: React.FC<IProps> = ({ space, hideHeader, onFinished, ...
/>
<IconizedContextMenuOption
iconClassName="mx_SpacePanel_iconPreferences"
label={_t("Preferences")}
label={_t("common|preferences")}
onClick={onPreferencesClick}
/>
{devtoolsOption}

View file

@ -217,20 +217,16 @@ export default class BugReportDialog extends React.Component<IProps, IState> {
<BaseDialog
className="mx_BugReportDialog"
onFinished={this.onCancel}
title={_t("Submit debug logs")}
title={_t("bug_reporting|submit_debug_logs")}
contentId="mx_Dialog_content"
>
<div className="mx_Dialog_content" id="mx_Dialog_content">
{warning}
<p>
{_t(
"Debug logs contain application usage data including your username, the IDs or aliases of the rooms you have visited, which UI elements you last interacted with, and the usernames of other users. They do not contain messages.",
)}
</p>
<p>{_t("bug_reporting|description")}</p>
<p>
<b>
{_t(
"Before submitting logs, you must <a>create a GitHub issue</a> to describe your problem.",
"bug_reporting|before_submitting",
{},
{
a: (sub) => (
@ -248,7 +244,7 @@ export default class BugReportDialog extends React.Component<IProps, IState> {
<div className="mx_BugReportDialog_download">
<AccessibleButton onClick={this.onDownload} kind="link" disabled={this.state.downloadBusy}>
{_t("Download logs")}
{_t("bug_reporting|download_logs")}
</AccessibleButton>
{this.state.downloadProgress && <span>{this.state.downloadProgress} ...</span>}
</div>
@ -256,7 +252,7 @@ export default class BugReportDialog extends React.Component<IProps, IState> {
<Field
type="text"
className="mx_BugReportDialog_field_input"
label={_t("GitHub issue")}
label={_t("bug_reporting|github_issue")}
onChange={this.onIssueUrlChange}
value={this.state.issueUrl}
placeholder="https://github.com/vector-im/element-web/issues/..."
@ -269,15 +265,13 @@ export default class BugReportDialog extends React.Component<IProps, IState> {
rows={5}
onChange={this.onTextChange}
value={this.state.text}
placeholder={_t(
"If there is additional context that would help in analysing the issue, such as what you were doing at the time, room IDs, user IDs, etc., please include those things here.",
)}
placeholder={_t("bug_reporting|additional_context")}
/>
{progress}
{error}
</div>
<DialogButtons
primaryButton={_t("Send logs")}
primaryButton={_t("bug_reporting|send_logs")}
onPrimaryButtonClick={this.onSubmit}
focus={true}
onCancel={this.onCancel}

View file

@ -86,7 +86,7 @@ const SpacePreferencesDialog: React.FC<IProps> = ({ space, initialTabId, onFinis
className="mx_SpacePreferencesDialog"
hasCancel
onFinished={onFinished}
title={_t("Preferences")}
title={_t("common|preferences")}
fixedWidth={false}
>
<h4>

View file

@ -104,7 +104,7 @@ export default class UserSettingsDialog extends React.Component<IProps, IState>
tabs.push(
new Tab(
UserTab.Preferences,
_td("Preferences"),
_td("common|preferences"),
"mx_UserSettingsDialog_preferencesIcon",
<PreferencesUserSettingsTab closeSettingsFn={this.props.onFinished} />,
"UserSettingsPreferences",

View file

@ -127,7 +127,7 @@ export default class WidgetCapabilitiesPromptDialog extends React.PureComponent<
<div className="text-muted">{_t("This widget would like to:")}</div>
{checkboxRows}
<DialogButtons
primaryButton={_t("Approve")}
primaryButton={_t("action|approve")}
cancelButton={_t("Decline All")}
onPrimaryButtonClick={this.onSubmit}
onCancel={this.onReject}

View file

@ -99,15 +99,12 @@ export default class ErrorBoundary extends React.PureComponent<Props, IState> {
)}
</p>
<p>
{_t(
"If you've submitted a bug via GitHub, debug logs can help us track down the problem. ",
)}
{_t(
"Debug logs contain application usage data including your username, the IDs or aliases of the rooms you have visited, which UI elements you last interacted with, and the usernames of other users. They do not contain messages.",
)}
{_t("bug_reporting|introduction")}
&nbsp;
{_t("bug_reporting|description")}
</p>
<AccessibleButton onClick={this.onBugReport} kind="primary">
{_t("Submit debug logs")}
{_t("bug_reporting|submit_debug_logs")}
</AccessibleButton>
</React.Fragment>
);

View file

@ -214,7 +214,7 @@ export default class ReactionsRow extends React.PureComponent<IProps, IState> {
items = items.slice(0, MAX_ITEMS_WHEN_LIMITED);
showAllButton = (
<AccessibleButton kind="link_inline" className="mx_ReactionsRow_showAll" onClick={this.onShowAllClick}>
{_t("Show all")}
{_t("action|show_all")}
</AccessibleButton>
);
}

View file

@ -60,7 +60,7 @@ export function EmojiButton({ addEmoji, menuPosition, className }: IEmojiButtonP
className={computedClassName}
iconClassName="mx_EmojiButton_icon"
onClick={openMenu}
title={_t("Emoji")}
title={_t("common|emoji")}
inputRef={button}
/>

View file

@ -31,8 +31,8 @@ export enum PowerStatus {
}
const PowerLabel: Record<PowerStatus, TranslationKey> = {
[PowerStatus.Admin]: _td("Admin"),
[PowerStatus.Moderator]: _td("Mod"),
[PowerStatus.Admin]: _td("power_level|admin"),
[PowerStatus.Moderator]: _td("power_level|mod"),
};
export type PresenceState = "offline" | "online" | "unavailable";

View file

@ -64,6 +64,7 @@ import { SdkContextClass } from "../../../contexts/SDKContext";
import { VoiceBroadcastInfoState } from "../../../voice-broadcast";
import { createCantStartVoiceMessageBroadcastDialog } from "../dialogs/CantStartVoiceMessageBroadcastDialog";
import { UIFeature } from "../../../settings/UIFeature";
import { formatTimeLeft } from "../../../DateUtils";
let instanceCount = 0;
@ -569,11 +570,7 @@ export class MessageComposer extends React.Component<IProps, IState> {
if (this.state.recordingTimeLeftSeconds) {
const secondsLeft = Math.round(this.state.recordingTimeLeftSeconds);
recordingTooltip = (
<Tooltip
id={this.tooltipId}
label={_t("%(seconds)ss left", { seconds: secondsLeft })}
alignment={Alignment.Top}
/>
<Tooltip id={this.tooltipId} label={formatTimeLeft(secondsLeft)} alignment={Alignment.Top} />
);
}

View file

@ -54,7 +54,7 @@ export default class MessageComposerFormatBar extends React.PureComponent<IProps
return (
<Toolbar className={classes} ref={this.formatBarRef} aria-label={_t("Formatting")}>
<FormatButton
label={_t("Bold")}
label={_t("composer|format_bold")}
onClick={() => this.props.onAction(Formatting.Bold)}
icon="Bold"
shortcut={this.props.shortcuts.bold}
@ -68,13 +68,13 @@ export default class MessageComposerFormatBar extends React.PureComponent<IProps
visible={this.state.visible}
/>
<FormatButton
label={_t("Strikethrough")}
label={_t("composer|format_strikethrough")}
onClick={() => this.props.onAction(Formatting.Strikethrough)}
icon="Strikethrough"
visible={this.state.visible}
/>
<FormatButton
label={_t("Code block")}
label={_t("composer|format_code_block")}
onClick={() => this.props.onAction(Formatting.Code)}
icon="Code"
shortcut={this.props.shortcuts.code}

View file

@ -93,47 +93,47 @@ export function FormattingButtons({ composer, actionStates }: FormattingButtonsP
<div className="mx_FormattingButtons">
<Button
actionState={actionStates.bold}
label={_t("Bold")}
label={_t("composer|format_bold")}
keyCombo={{ ctrlOrCmdKey: true, key: "b" }}
onClick={() => composer.bold()}
icon={<BoldIcon className="mx_FormattingButtons_Icon" />}
/>
<Button
actionState={actionStates.italic}
label={_t("Italic")}
label={_t("composer|format_italic")}
keyCombo={{ ctrlOrCmdKey: true, key: "i" }}
onClick={() => composer.italic()}
icon={<ItalicIcon className="mx_FormattingButtons_Icon" />}
/>
<Button
actionState={actionStates.underline}
label={_t("Underline")}
label={_t("composer|format_underline")}
keyCombo={{ ctrlOrCmdKey: true, key: "u" }}
onClick={() => composer.underline()}
icon={<UnderlineIcon className="mx_FormattingButtons_Icon" />}
/>
<Button
actionState={actionStates.strikeThrough}
label={_t("Strikethrough")}
label={_t("composer|format_strikethrough")}
onClick={() => composer.strikeThrough()}
icon={<StrikeThroughIcon className="mx_FormattingButtons_Icon" />}
/>
<Button
actionState={actionStates.unorderedList}
label={_t("Bulleted list")}
label={_t("composer|format_unordered_list")}
onClick={() => composer.unorderedList()}
icon={<BulletedListIcon className="mx_FormattingButtons_Icon" />}
/>
<Button
actionState={actionStates.orderedList}
label={_t("Numbered list")}
label={_t("composer|format_ordered_list")}
onClick={() => composer.orderedList()}
icon={<NumberedListIcon className="mx_FormattingButtons_Icon" />}
/>
{isInList && (
<Button
actionState={actionStates.indent}
label={_t("Indent increase")}
label={_t("composer|format_increase_indent")}
onClick={() => composer.indent()}
icon={<IndentIcon className="mx_FormattingButtons_Icon" />}
/>
@ -141,7 +141,7 @@ export function FormattingButtons({ composer, actionStates }: FormattingButtonsP
{isInList && (
<Button
actionState={actionStates.unindent}
label={_t("Indent decrease")}
label={_t("composer|format_decrease_indent")}
onClick={() => composer.unindent()}
icon={<UnIndentIcon className="mx_FormattingButtons_Icon" />}
/>
@ -154,20 +154,20 @@ export function FormattingButtons({ composer, actionStates }: FormattingButtonsP
/>
<Button
actionState={actionStates.inlineCode}
label={_t("Code")}
label={_t("composer|format_inline_code")}
keyCombo={{ ctrlOrCmdKey: true, key: "e" }}
onClick={() => composer.inlineCode()}
icon={<InlineCodeIcon className="mx_FormattingButtons_Icon" />}
/>
<Button
actionState={actionStates.codeBlock}
label={_t("Code block")}
label={_t("composer|format_code_block")}
onClick={() => composer.codeBlock()}
icon={<CodeBlockIcon className="mx_FormattingButtons_Icon" />}
/>
<Button
actionState={actionStates.link}
label={_t("Link")}
label={_t("composer|format_link")}
onClick={() => openLinkModal(composer, composerContext, actionStates.link === "reversed")}
icon={<LinkIcon className="mx_FormattingButtons_Icon" />}
/>

View file

@ -247,7 +247,7 @@ export default class SetIdServer extends React.Component<IProps, IState> {
{},
{ idserver: (sub) => <b>{abbreviateUrl(this.state.currentClientIdServer)}</b> },
),
button: _t("Disconnect"),
button: _t("action|disconnect"),
});
if (confirmed) {
this.disconnectIdServer();
@ -404,7 +404,7 @@ export default class SetIdServer extends React.Component<IProps, IState> {
let discoSection;
if (idServerUrl) {
let discoButtonContent: React.ReactNode = _t("Disconnect");
let discoButtonContent: React.ReactNode = _t("action|disconnect");
let discoBodyText = _t(
"Disconnecting from your identity server will mean you won't be discoverable by other users and you won't be able to invite others by email or phone.",
);
@ -448,7 +448,7 @@ export default class SetIdServer extends React.Component<IProps, IState> {
onClick={this.checkIdServer}
disabled={!this.idServerChangeEnabled()}
>
{_t("Change")}
{_t("action|change")}
</AccessibleButton>
{discoSection}
</form>

View file

@ -139,7 +139,7 @@ export const DeviceDetailHeading: React.FC<Props> = ({ device, saveDeviceName })
className="mx_DeviceDetailHeading_renameCta"
data-testid="device-heading-rename-cta"
>
{_t("Rename")}
{_t("action|rename")}
</AccessibleButton>
</div>
);

View file

@ -160,7 +160,7 @@ const NoResults: React.FC<NoResultsProps> = ({ filter, clearFilter }) => (
<>
&nbsp;
<AccessibleButton kind="link_inline" onClick={clearFilter} data-testid="devices-clear-filter-btn">
{_t("Show all")}
{_t("action|show_all")}
</AccessibleButton>
</>
)
@ -353,7 +353,7 @@ export const FilteredDeviceList = forwardRef(
value={filter || ALL_FILTER_ID}
onOptionChange={onFilterOptionChange}
options={options}
selectedLabel={_t("Show")}
selectedLabel={_t("action|show")}
/>
)}
</FilteredDeviceListHeader>

View file

@ -74,7 +74,7 @@ const SecurityRecommendations: React.FC<Props> = ({ devices, currentDeviceId, go
onClick={() => goToFilteredList(DeviceSecurityVariation.Unverified)}
data-testid="unverified-devices-cta"
>
{_t("View all") + ` (${unverifiedDevicesCount})`}
{_t("action|view_all") + ` (${unverifiedDevicesCount})`}
</AccessibleButton>
</DeviceSecurityCard>
)}
@ -99,7 +99,7 @@ const SecurityRecommendations: React.FC<Props> = ({ devices, currentDeviceId, go
onClick={() => goToFilteredList(DeviceSecurityVariation.Inactive)}
data-testid="inactive-devices-cta"
>
{_t("View all") + ` (${inactiveDevicesCount})`}
{_t("action|view_all") + ` (${inactiveDevicesCount})`}
</AccessibleButton>
</DeviceSecurityCard>
</>

View file

@ -185,7 +185,7 @@ export class EmailAddress extends React.Component<IEmailAddressProps, IEmailAddr
onClick={this.onContinueClick}
disabled={this.state.continueDisabled}
>
{_t("Complete")}
{_t("action|complete")}
</AccessibleButton>
</span>
);
@ -197,7 +197,7 @@ export class EmailAddress extends React.Component<IEmailAddressProps, IEmailAddr
onClick={this.onRevokeClick}
disabled={this.props.disabled}
>
{_t("Revoke")}
{_t("action|revoke")}
</AccessibleButton>
);
} else {

View file

@ -205,7 +205,7 @@ export class PhoneNumber extends React.Component<IPhoneNumberProps, IPhoneNumber
onClick={this.onRevokeClick}
disabled={this.props.disabled}
>
{_t("Revoke")}
{_t("action|revoke")}
</AccessibleButton>
);
} else {

View file

@ -106,7 +106,7 @@ export default function NotificationSettings2(): JSX.Element {
{hasPendingChanges && model !== null && (
<SettingsBanner
icon={<img src={NewAndImprovedIcon} alt="" width={12} />}
action={_t("Proceed")}
action={_t("action|proceed")}
onAction={() => reconcile(model!)}
>
{_t(

View file

@ -94,7 +94,7 @@ const Knock: VFC<{
disabled={!canKick || disabled}
kind="icon_primary_outline"
onClick={() => handleDeny(roomMember.userId)}
title={_t("Deny")}
title={_t("action|deny")}
>
<XIcon width={18} height={18} />
</AccessibleButton>
@ -103,7 +103,7 @@ const Knock: VFC<{
disabled={!canInvite || disabled}
kind="icon_primary"
onClick={() => handleApprove(roomMember.userId)}
title={_t("Approve")}
title={_t("action|approve")}
>
<CheckIcon width={18} height={18} />
</AccessibleButton>

View file

@ -121,7 +121,7 @@ export default class HelpUserSettingsTab extends React.Component<IProps, IState>
}
return (
<SettingsSubsection heading={_t("Legal")}>
<SettingsSubsection heading={_t("common|legal")}>
<SettingsSubsectionText>{legalLinks}</SettingsSubsectionText>
</SettingsSubsection>
);
@ -131,7 +131,7 @@ export default class HelpUserSettingsTab extends React.Component<IProps, IState>
// Note: This is not translated because it is legal text.
// Also, &nbsp; is ugly but necessary.
return (
<SettingsSubsection heading={_t("Credits")}>
<SettingsSubsection heading={_t("common|credits")}>
<SettingsSubsectionText>
<ul>
<li>
@ -274,26 +274,20 @@ export default class HelpUserSettingsTab extends React.Component<IProps, IState>
if (SdkConfig.get().bug_report_endpoint_url) {
bugReportingSection = (
<SettingsSubsection
heading={_t("Bug reporting")}
heading={_t("bug_reporting|title")}
description={
<>
<SettingsSubsectionText>
{_t(
"If you've submitted a bug via GitHub, debug logs can help us track down the problem. ",
)}
</SettingsSubsectionText>
{_t(
"Debug logs contain application usage data including your username, the IDs or aliases of the rooms you have visited, which UI elements you last interacted with, and the usernames of other users. They do not contain messages.",
)}
<SettingsSubsectionText>{_t("bug_reporting|introduction")}</SettingsSubsectionText>
{_t("bug_reporting|description")}
</>
}
>
<AccessibleButton onClick={this.onBugReport} kind="primary">
{_t("Submit debug logs")}
{_t("bug_reporting|submit_debug_logs")}
</AccessibleButton>
<SettingsSubsectionText>
{_t(
"To report a Matrix-related security issue, please read the Matrix.org <a>Security Disclosure Policy</a>.",
"bug_reporting|matrix_security_issue",
{},
{
a: (sub) => (
@ -314,7 +308,7 @@ export default class HelpUserSettingsTab extends React.Component<IProps, IState>
<SettingsTab>
<SettingsSection heading={_t("Help & About")}>
{bugReportingSection}
<SettingsSubsection heading={_t("FAQ")} description={faqText} />
<SettingsSubsection heading={_t("common|faq")} description={faqText} />
<SettingsSubsection heading={_t("Versions")}>
<SettingsSubsectionText>
<CopyableText getTextToCopy={this.getVersionTextToCopy}>
@ -355,7 +349,7 @@ export default class HelpUserSettingsTab extends React.Component<IProps, IState>
)}
<SettingsSubsectionText>
<details>
<summary>{_t("Access Token")}</summary>
<summary>{_t("common|access_token")}</summary>
<b>
{_t(
"Your access token gives full access to your account. Do not share it with anyone.",

View file

@ -225,7 +225,7 @@ export default class MjolnirUserSettingsTab extends React.Component<{}, IState>
onClick={() => this.unsubscribeFromList(list)}
disabled={this.state.busy}
>
{_t("Unsubscribe")}
{_t("action|unsubscribe")}
</AccessibleButton>
&nbsp;
<AccessibleButton
@ -326,7 +326,7 @@ export default class MjolnirUserSettingsTab extends React.Component<{}, IState>
onClick={this.onSubscribeList}
disabled={this.state.busy}
>
{_t("Subscribe")}
{_t("action|subscribe")}
</AccessibleButton>
</form>
</SettingsSubsection>

View file

@ -145,7 +145,7 @@ export default class PreferencesUserSettingsTab extends React.Component<IProps,
return (
<SettingsTab data-testid="mx_PreferencesUserSettingsTab">
<SettingsSection heading={_t("Preferences")}>
<SettingsSection heading={_t("common|preferences")}>
{roomListSettings.length > 0 && (
<SettingsSubsection heading={_t("Room list")}>
{this.renderGroup(roomListSettings)}
@ -178,7 +178,7 @@ export default class PreferencesUserSettingsTab extends React.Component<IProps,
</SettingsSubsection>
<SettingsSubsection
heading={_t("Presence")}
heading={_t("common|presence")}
description={_t("Share your activity and status with others.")}
>
{this.renderGroup(PreferencesUserSettingsTab.PRESENCE_SETTINGS)}
@ -196,7 +196,7 @@ export default class PreferencesUserSettingsTab extends React.Component<IProps,
{this.renderGroup(PreferencesUserSettingsTab.IMAGES_AND_VIDEOS_SETTINGS)}
</SettingsSubsection>
<SettingsSubsection heading={_t("Timeline")}>
<SettingsSubsection heading={_t("common|timeline")}>
{this.renderGroup(PreferencesUserSettingsTab.TIMELINE_SETTINGS)}
</SettingsSubsection>

View file

@ -317,7 +317,7 @@ export default class SecurityUserSettingsTab extends React.Component<IProps, ISt
});
};
privacySection = (
<SettingsSection heading={_t("Privacy")}>
<SettingsSection heading={_t("common|privacy")}>
<SettingsSubsection
heading={_t("common|analytics")}
description={_t(

View file

@ -169,10 +169,10 @@ export default class VoiceUserSettingsTab extends React.Component<{}, IState> {
speakerDropdown = this.renderDropdown(MediaDeviceKindEnum.AudioOutput, _t("Audio Output")) || (
<p>{_t("No Audio Outputs detected")}</p>
);
microphoneDropdown = this.renderDropdown(MediaDeviceKindEnum.AudioInput, _t("Microphone")) || (
microphoneDropdown = this.renderDropdown(MediaDeviceKindEnum.AudioInput, _t("common|microphone")) || (
<p>{_t("No Microphones detected")}</p>
);
webcamDropdown = this.renderDropdown(MediaDeviceKindEnum.VideoInput, _t("Camera")) || (
webcamDropdown = this.renderDropdown(MediaDeviceKindEnum.VideoInput, _t("common|camera")) || (
<p>{_t("No Webcams detected")}</p>
);
}

View file

@ -16,7 +16,6 @@
"Collecting app version information": "تجميع المعلومات حول نسخة التطبيق",
"Changelog": "سِجل التغييرات",
"Waiting for response from server": "في انتظار الرد مِن الخادوم",
"Send logs": "إرسال السِجلات",
"Thank you!": "شكرًا !",
"Call invitation": "دعوة لمحادثة",
"Developer Tools": "أدوات التطوير",
@ -89,7 +88,6 @@
"Restricted": "مقيد",
"Moderator": "مشرف",
"Admin": "مدير",
"Custom (%(level)s)": "(%(level)s) مخصص",
"Failed to invite": "فشلت الدعوة",
"Operation failed": "فشلت العملية",
"You need to be logged in.": "عليك الولوج.",
@ -290,7 +288,6 @@
"Message deleted by %(name)s": "حذف الرسالة %(name)s",
"Message deleted": "حُذفت الرسالة",
"<reactors/><reactedWith>reacted with %(shortName)s</reactedWith>": "<reactors/><reactedWith>تفاعلو ب%(shortName)s</reactedWith>",
"Show all": "أظهر الكل",
"Error decrypting video": "تعذر فك تشفير الفيديو",
"You sent a verification request": "أنت أرسلت طلب تحقق",
"%(name)s wants to verify": "%(name)s يريد التحقق",
@ -468,10 +465,7 @@
"Topic: %(topic)s (<a>edit</a>)": "الموضوع: %(topic)s (<a>عدل</a>)",
"This is the beginning of your direct message history with <displayName/>.": "هذه هي بداية محفوظات رسائلك المباشرة باسم <displayName/>.",
"Only the two of you are in this conversation, unless either of you invites anyone to join.": "أنتما فقط في هذه المحادثة ، إلا إذا دعا أي منكما أي شخص للانضمام.",
"Code block": "كتلة برمجية",
"Strikethrough": "مشطوب",
"Italics": "مائل",
"Bold": "ثخين",
"You do not have permission to post to this room": "ليس لديك إذن للنشر في هذه الغرفة",
"This room has been replaced and is no longer active.": "تم استبدال هذه الغرفة ولم تعد نشطة.",
"The conversation continues here.": "تستمر المحادثة هنا.",
@ -502,7 +496,6 @@
"Ignored users": "المستخدمون المتجاهَلون",
"You are currently subscribed to:": "أنت مشترك حاليا ب:",
"View rules": "عرض القواعد",
"Unsubscribe": "إلغاء الاشتراك",
"You are not subscribed to any lists": "أنت غير مشترك في أي قوائم",
"You are currently ignoring:": "حاليًّا أنت متجاهل:",
"You have not ignored anyone.": "أنت لم تتجاهل أحداً.",
@ -521,16 +514,11 @@
"Clear cache and reload": "محو مخزن الجيب وإعادة التحميل",
"%(brand)s version:": "إصدار %(brand)s:",
"Versions": "الإصدارات",
"FAQ": "اسئلة شائعة",
"Help & About": "المساعدة وعن البرنامج",
"To report a Matrix-related security issue, please read the Matrix.org <a>Security Disclosure Policy</a>.": "للإبلاغ عن مشكلة أمنية متعلقة بMatrix ، يرجى قراءة <a>سياسة الإفصاح الأمني</a> في Matrix.org.",
"Submit debug logs": "إرسال سجلات تصحيح الأخطاء",
"Bug reporting": "الإبلاغ عن مشاكل في البرنامج",
"Chat with %(brand)s Bot": "تخاطب مع الروبوت الخاص ب%(brand)s",
"For help with using %(brand)s, click <a>here</a> or start a chat with our bot using the button below.": "للمساعدة في استخدام %(brand)s ، انقر <a> هنا </a> أو ابدأ محادثة مع برنامج الروبوت الخاص بنا باستخدام الزر أدناه.",
"For help with using %(brand)s, click <a>here</a>.": "للمساعدة في استخدام %(brand)s انقر <a>هنا</a>.",
"Credits": "رصيد",
"Legal": "قانوني",
"General": "عام",
"Discovery": "الاكتشاف",
"Deactivate account": "تعطيل الحساب",
@ -557,7 +545,6 @@
"Check for update": "ابحث عن تحديث",
"Error encountered (%(errorDetail)s).": "صودِفَ خطأ: (%(errorDetail)s).",
"Manage integrations": "إدارة التكاملات",
"Change": "تغيير",
"Enter a new identity server": "أدخل خادم هوية جديدًا",
"Do not use an identity server": "لا تستخدم خادم هوية",
"Using an identity server is optional. If you choose not to use an identity server, you won't be discoverable by other users and you won't be able to invite others by email or phone.": "استخدام خادم الهوية اختياري. إذا اخترت عدم استخدام خادم هوية ، فلن يتمكن المستخدمون الآخرون من اكتشافك ولن تتمكن من دعوة الآخرين عبر البريد الإلكتروني أو الهاتف.",
@ -573,7 +560,6 @@
"check your browser plugins for anything that might block the identity server (such as Privacy Badger)": "تحقق من المكونات الإضافية للمتصفح الخاص بك بحثًا عن أي شيء قد يحظر خادم الهوية (مثل Privacy Badger)",
"You should:": "يجب عليك:",
"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 /> حاليًّا خارج الشبكة أو لا يمكن الوصول إليه.",
"Disconnect": "فصل",
"Disconnect from the identity server <idserver />?": "انفصل عن خادم الهوية <idserver />؟",
"Disconnect identity server": "افصل خادم الهوية",
"The identity server you have chosen does not have any terms of service.": "خادم الهوية الذي اخترت ليس له شروط خدمة.",
@ -809,13 +795,11 @@
"%(senderName)s joined the call": "%(senderName)s انضم للمكالمة",
"You joined the call": "لقد انضممت إلى المكالمة",
"Please contact your homeserver administrator.": "يُرجى تواصلك مع مدير خادمك.",
"Guest": "ضيف",
"New version of %(brand)s is available": "يتوفر إصدار جديد من %(brand)s",
"Update %(brand)s": "حدّث: %(brand)s",
"New login. Was this you?": "تسجيل دخول جديد. هل كان ذاك أنت؟",
"Other users may not trust it": "قد لا يثق به المستخدمون الآخرون",
"This event could not be displayed": "تعذر عرض هذا الحدث",
"Mod": "مشرف",
"Edit message": "تعديل الرسالة",
"Everyone in this room is verified": "تم التحقق من جميع من في هذه الغرفة",
"This room is end-to-end encrypted": "هذه الغرفة مشفرة من طرف إلى طرف",
@ -840,10 +824,8 @@
"Incorrect verification code": "رمز التحقق غير صحيح",
"Unable to verify phone number.": "تعذر التحقق من رقم الهاتف.",
"Unable to share phone number": "تعذرت مشاركة رقم الهاتف",
"Revoke": "إبطال",
"Unable to revoke sharing for phone number": "تعذر إبطال مشاركة رقم الهاتف",
"Discovery options will appear once you have added an email above.": "ستظهر خيارات الاكتشاف بمجرد إضافة بريد إلكتروني أعلاه.",
"Complete": "تام",
"Verify the link in your inbox": "تحقق من الرابط في بريدك الوارد",
"Unable to verify email address.": "تعذر التحقق من عنوان البريد الإلكتروني.",
"Click the link in the email you received to verify and then click continue again.": "انقر الرابط الواصل لبريدك الإلكتروني للتحقق ثم انقر \"متابعة\" مرة أخرى.",
@ -909,8 +891,6 @@
"Upgrade this room to the recommended room version": "قم بترقية هذه الغرفة إلى إصدار الغرفة الموصى به",
"This room is not accessible by remote Matrix servers": "لا يمكن الوصول إلى هذه الغرفة بواسطة خوادم Matrix البعيدة",
"Voice & Video": "الصوت والفيديو",
"Camera": "كاميرا",
"Microphone": "ميكروفون",
"Audio Output": "مخرج الصوت",
"No Webcams detected": "لم يتم الكشف عن كاميرات الويب",
"No Microphones detected": "لم يتم الكشف عن أجهزة ميكروفون",
@ -919,7 +899,6 @@
"Missing media permissions, click the button below to request.": "إذن الوسائط مفقود ، انقر الزر أدناه لطلب الإذن.",
"You may need to manually permit %(brand)s to access your microphone/webcam": "قد تحتاج إلى السماح يدويًا ل%(brand)s s بالوصول إلى الميكروفون / كاميرا الويب",
"No media permissions": "لا إذن للوسائط",
"Privacy": "الخصوصية",
"Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "قام مسؤول الخادم بتعطيل التشفير من طرف إلى طرف أصلاً في الغرف الخاصة والرسائل الخاصّة.",
"Cross-signing": "التوقيع المتبادل",
"Message search": "بحث الرسائل",
@ -933,13 +912,10 @@
"Import E2E room keys": "تعبئة مفاتيح E2E للغرف",
"<not supported>": "<غير معتمد>",
"Autocomplete delay (ms)": "تأخير الإكمال التلقائي (مللي ثانية)",
"Timeline": "الجدول الزمني",
"Composer": "الكاتب",
"Room list": "قائمة الغرفة",
"Preferences": "تفضلات",
"Always show the window menu bar": "أظهر شريط قائمة النافذة دائمًا",
"Start automatically after system login": "ابدأ تلقائيًا بعد تسجيل الدخول إلى النظام",
"Subscribe": "اشتراك",
"Room ID or address of ban list": "معرف الغرفة أو عنوان قائمة الحظر",
"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!": "سيؤدي الاشتراك في قائمة الحظر إلى انضمامك إليها!",
@ -959,7 +935,6 @@
"Notifications": "الإشعارات",
"Don't miss a reply": "لا تفوت أي رد",
"Later": "لاحقاً",
"Review": "مراجعة",
"Unknown App": "تطبيق غير معروف",
"Short keyboard patterns are easy to guess": "من السهل تخمين أنماط قصيرة من لوحة المفاتيح",
"Straight rows of keys are easy to guess": "سهلٌ تخمين صفوف من المفاتيح",
@ -1256,7 +1231,6 @@
"Unable to look up phone number": "تعذر العثور على رقم الهاتف",
"The user you called is busy.": "المستخدم الذي اتصلت به مشغول.",
"User Busy": "المستخدم مشغول",
"%(date)s at %(time)s": "%(date)s في %(time)s",
"You cannot place calls without a connection to the server.": "لا يمكنك إجراء المكالمات دون اتصال بالخادوم.",
"Connectivity to the server has been lost": "فُقد الاتصال بالخادوم",
"You cannot place calls in this browser.": "لا يمكنك إجراء المكالمات في هذا المتصفّح.",
@ -1288,7 +1262,16 @@
"favourites": "مفضلات",
"dark": "مظلم",
"attachment": "المرفق",
"appearance": "المظهر"
"appearance": "المظهر",
"guest": "ضيف",
"legal": "قانوني",
"credits": "رصيد",
"faq": "اسئلة شائعة",
"preferences": "تفضلات",
"timeline": "الجدول الزمني",
"privacy": "الخصوصية",
"camera": "كاميرا",
"microphone": "ميكروفون"
},
"action": {
"continue": "واصِل",
@ -1332,7 +1315,15 @@
"cancel": "إلغاء",
"back": "العودة",
"add": "أضف",
"accept": "قبول"
"accept": "قبول",
"disconnect": "فصل",
"change": "تغيير",
"subscribe": "اشتراك",
"unsubscribe": "إلغاء الاشتراك",
"complete": "تام",
"revoke": "إبطال",
"show_all": "أظهر الكل",
"review": "مراجعة"
},
"labs": {
"pinning": "تثبيت الرسالة",
@ -1343,5 +1334,28 @@
},
"keyboard": {
"number": "[رقم]"
},
"composer": {
"format_bold": "ثخين",
"format_strikethrough": "مشطوب",
"format_code_block": "كتلة برمجية"
},
"Bold": "ثخين",
"power_level": {
"default": "المبدئي",
"restricted": "مقيد",
"moderator": "مشرف",
"admin": "مدير",
"custom": "(%(level)s) مخصص",
"mod": "مشرف"
},
"bug_reporting": {
"matrix_security_issue": "للإبلاغ عن مشكلة أمنية متعلقة بMatrix ، يرجى قراءة <a>سياسة الإفصاح الأمني</a> في Matrix.org.",
"submit_debug_logs": "إرسال سجلات تصحيح الأخطاء",
"title": "الإبلاغ عن مشاكل في البرنامج",
"send_logs": "إرسال السِجلات"
},
"time": {
"date_at_time": "%(date)s في %(time)s"
}
}

View file

@ -117,7 +117,6 @@
"Decrypt %(text)s": "Şifrini açmaq %(text)s",
"Download %(text)s": "Yükləmək %(text)s",
"Sign in with": "Seçmək",
"Register": "Qeydiyyatdan keçmək",
"What's New": "Nə dəyişdi",
"Create new room": "Otağı yaratmaq",
"Home": "Başlanğıc",
@ -152,7 +151,6 @@
"Return to login screen": "Girişin ekranına qayıtmaq",
"This server does not support authentication with a phone number.": "Bu server telefon nömrəsinin köməyi ilə müəyyənləşdirilməni dəstəkləmir.",
"Commands": "Komandalar",
"Emoji": "Smaylar",
"Users": "İstifadəçilər",
"Confirm passphrase": "Şifrəni təsdiqləyin",
"This email address is already in use": "Bu e-mail ünvanı istifadə olunur",
@ -201,7 +199,6 @@
"Identity server has no terms of service": "Şəxsiyyət serverinin xidmət şərtləri yoxdur",
"This action requires accessing the default identity server <server /> to validate an email address or phone number, but the server does not have any terms of service.": "Bu hərəkət e-poçt ünvanı və ya telefon nömrəsini təsdiqləmək üçün standart şəxsiyyət serverinə <server /> girməyi tələb edir, lakin serverdə heç bir xidmət şəraiti yoxdur.",
"Only continue if you trust the owner of the server.": "Yalnız server sahibinə etibar etsəniz davam edin.",
"Custom (%(level)s)": "Xüsusi (%(level)s)",
"Room %(roomId)s not visible": "Otaq %(roomId)s görünmür",
"Messages": "Mesajlar",
"Actions": "Tədbirlər",
@ -239,7 +236,8 @@
"labs": "Laboratoriya",
"home": "Başlanğıc",
"favourites": "Seçilmişlər",
"attachment": "Əlavə"
"attachment": "Əlavə",
"emoji": "Smaylar"
},
"action": {
"continue": "Davam etmək",
@ -255,9 +253,17 @@
"ignore": "Bloklamaq",
"dismiss": "Nəzərə almayın",
"close": "Bağlamaq",
"accept": "Qəbul etmək"
"accept": "Qəbul etmək",
"register": "Qeydiyyatdan keçmək"
},
"keyboard": {
"home": "Başlanğıc"
},
"power_level": {
"default": "Varsayılan olaraq",
"restricted": "Məhduddur",
"moderator": "Moderator",
"admin": "Administrator",
"custom": "Xüsusi (%(level)s)"
}
}

View file

@ -31,7 +31,6 @@
"unknown error code": "неизвестен код за грешка",
"Failed to forget room %(errCode)s": "Неуспешно забравяне на стаята %(errCode)s",
"Favourite": "Любим",
"Register": "Регистрация",
"Notifications": "Известия",
"Rooms": "Стаи",
"Unnamed room": "Стая без име",
@ -357,8 +356,6 @@
"No Microphones detected": "Няма открити микрофони",
"No Webcams detected": "Няма открити уеб камери",
"Default Device": "Устройство по подразбиране",
"Microphone": "Микрофон",
"Camera": "Камера",
"Email": "Имейл",
"Profile": "Профил",
"Account": "Акаунт",
@ -380,7 +377,6 @@
"Ignores a user, hiding their messages from you": "Игнорира потребител, скривайки съобщенията му от Вас",
"Stops ignoring a user, showing their messages going forward": "Спира игнорирането на потребител, показвайки съобщенията му занапред",
"Commands": "Команди",
"Emoji": "Емотикони",
"Notify the whole room": "Извести всички в стаята",
"Room Notification": "Известие за стая",
"Users": "Потребители",
@ -401,8 +397,6 @@
"This process allows you to export the keys for messages you have received in encrypted rooms to a local file. You will then be able to import the file into another Matrix client in the future, so that client will also be able to decrypt these messages.": "Този процес Ви позволява да експортирате във файл ключовете за съобщения в шифровани стаи. Така ще можете да импортирате файла в друг Matrix клиент, така че той също да може да разшифрова такива съобщения.",
"This process allows you to import encryption keys that you had previously exported from another Matrix client. You will then be able to decrypt any messages that the other client could decrypt.": "Този процес позволява да импортирате ключове за шифроване, които преди сте експортирали от друг Matrix клиент. Тогава ще можете да разшифровате всяко съобщение, което другият клиент може да разшифрова.",
"The export file will be protected with a passphrase. You should enter the passphrase here, to decrypt the file.": "Експортираният файл може да бъде предпазен с парола. Трябва да въведете парола тук, за да разшифровате файла.",
"Code": "Код",
"Submit debug logs": "Изпрати логове за дебъгване",
"Opens the Developer Tools dialog": "Отваря прозорец с инструменти на разработчика",
"Stickerpack": "Пакет със стикери",
"You don't currently have any stickerpacks enabled": "В момента нямате включени пакети със стикери",
@ -433,7 +427,6 @@
"Collecting logs": "Събиране на логове",
"All Rooms": "Във всички стаи",
"Wednesday": "Сряда",
"Send logs": "Изпращане на логове",
"All messages": "Всички съобщения",
"Call invitation": "Покана за разговор",
"Messages containing my display name": "Съобщения, съдържащи моя псевдоним",
@ -501,7 +494,6 @@
"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> за да продължите да я използвате.",
"Please <a>contact your service administrator</a> to continue using this service.": "Моля, <a>свържете се с администратора на услугата</a> за да продължите да я използвате.",
"Please contact your homeserver administrator.": "Моля, свържете се със сървърния администратор.",
"Legal": "Юридически",
"This room has been replaced and is no longer active.": "Тази стая е била заменена и вече не е активна.",
"The conversation continues here.": "Разговора продължава тук.",
"This room is a continuation of another conversation.": "Тази стая е продължение на предишен разговор.",
@ -627,13 +619,9 @@
"For help with using %(brand)s, click <a>here</a> or start a chat with our bot using the button below.": "За помощ при използването на %(brand)s, кликнете <a>тук</a> или започнете чат с бота ни използвайки бутона по-долу.",
"Chat with %(brand)s Bot": "Чати с %(brand)s Bot",
"Help & About": "Помощ и относно",
"Bug reporting": "Съобщаване за грешка",
"FAQ": "Често задавани въпроси",
"Versions": "Версии",
"Preferences": "Настройки",
"Composer": "Въвеждане на съобщения",
"Room list": "Списък със стаи",
"Timeline": "Списък със съобщения",
"Autocomplete delay (ms)": "Забавяне преди подсказки (милисекунди)",
"Roles & Permissions": "Роли и привилегии",
"Changes to who can read history will only apply to future messages in this room. The visibility of existing history will be unchanged.": "Промени в настройките за четене на историята касаят само за нови съобщения. Видимостта на съществуващата история не се променя.",
@ -656,7 +644,6 @@
"Phone (optional)": "Телефон (незадължително)",
"Join millions for free on the largest public server": "Присъединете се безплатно към милиони други на най-големия публичен сървър",
"Other": "Други",
"Guest": "Гост",
"Create account": "Създай акаунт",
"Recovery Method Removed": "Методът за възстановяване беше премахнат",
"If you didn't remove the recovery method, an attacker may be trying to access your account. Change your account password and set a new recovery method immediately in Settings.": "Ако не сте премахнали метода за възстановяване, е възможно нападател да се опитва да получи достъп до акаунта Ви. Променете паролата на акаунта и настройте нов метод за възстановяване веднага от Настройки.",
@ -733,7 +720,6 @@
"Headphones": "Слушалки",
"Folder": "Папка",
"This homeserver would like to make sure you are not a robot.": "Сървърът иска да потвърди, че не сте робот.",
"Change": "Промени",
"Couldn't load page": "Страницата не можа да бъде заредена",
"Your password has been reset.": "Паролата беше анулирана.",
"This homeserver does not support login using email address.": "Този сървър не поддържа влизане в профил посредством имейл адрес.",
@ -751,7 +737,6 @@
"<b>Warning</b>: you should only set up key backup from a trusted computer.": "<b>Внимание</b>: настройването на резервно копие на ключовете трябва да се прави само от доверен компютър.",
"Your keys are being backed up (the first backup could take a few minutes).": "Прави се резервно копие на ключовете Ви (първото копие може да отнеме няколко минути).",
"Success!": "Успешно!",
"Credits": "Благодарности",
"Changes your display nickname in the current room only": "Променя името Ви в тази стая",
"Show read receipts sent by other users": "Показвай индикация за прочитане от други потребители",
"Scissors": "Ножици",
@ -792,9 +777,7 @@
"Could not revoke the invite. The server may be experiencing a temporary problem or you do not have sufficient permissions to revoke the invite.": "Поканата не можа да бъде оттеглена. Или има временен проблем със сървъра, или нямате достатъчно права за да оттеглите поканата.",
"Revoke invite": "Оттегли поканата",
"Invited by %(sender)s": "Поканен от %(sender)s",
"GitHub issue": "GitHub проблем",
"Notes": "Бележки",
"If there is additional context that would help in analysing the issue, such as what you were doing at the time, room IDs, user IDs, etc., please include those things here.": "Моля включете допълнителни сведения, които ще помогнат за анализиране на проблема, като например: какво правихте когато възникна проблема, идентификатори на стаи, идентификатори на потребители и т.н.",
"Sign out and remove encryption keys?": "Излизане и премахване на ключовете за шифроване?",
"To help us prevent this in future, please <a>send us logs</a>.": "За да ни помогнете да предотвратим това в бъдеще, моля <a>изпратете логове</a>.",
"Missing session data": "Липсват данни за сесията",
@ -887,7 +870,6 @@
"Edited at %(date)s. Click to view edits.": "Редактирано на %(date)s. Кликнете за да видите редакциите.",
"Message edits": "Редакции на съобщение",
"Upgrading this room requires closing down the current instance of the room and creating a new room in its place. To give room members the best possible experience, we will:": "Обновяването на тази стая изисква затварянето на текущата и създаване на нова на нейно място. За да е най-удобно за членовете на стаята, ще:",
"Show all": "Покажи всички",
"%(severalUsers)smade no changes %(count)s times": {
"other": "%(severalUsers)sне направиха промени %(count)s пъти",
"one": "%(severalUsers)sне направиха промени"
@ -927,7 +909,6 @@
"Only continue if you trust the owner of the server.": "Продължете, само ако вярвате на собственика на сървъра.",
"Terms of service not accepted or the identity server is invalid.": "Условията за ползване не бяха приети или сървъра за самоличност е невалиден.",
"Disconnect from the identity server <idserver />?": "Прекъсване на връзката със сървър за самоличност <idserver />?",
"Disconnect": "Прекъсни",
"You are currently using <server></server> to discover and be discoverable by existing contacts you know. You can change your identity server below.": "В момента използвате <server></server> за да откривате и да бъдете открити от познати ваши контакти. Може да промените сървъра за самоличност по-долу.",
"You are not currently using an identity server. To discover and be discoverable by existing contacts you know, add one below.": "В момента не използвате сървър за самоличност. За да откривате и да бъдете открити от познати ваши контакти, добавете такъв по-долу.",
"Disconnecting from your identity server will mean you won't be discoverable by other users and you won't be able to invite others by email or phone.": "Прекъсването на връзката със сървъра ви за самоличност означава че няма да можете да бъдете открити от други потребители или да каните хора по имейл или телефонен номер.",
@ -937,7 +918,6 @@
"Always show the window menu bar": "Винаги показвай менютата на прозореца",
"Unable to revoke sharing for email address": "Неуспешно оттегляне на споделянето на имейл адреса",
"Unable to share email address": "Неуспешно споделяне на имейл адрес",
"Revoke": "Оттегли",
"Discovery options will appear once you have added an email above.": "Опциите за откриване ще се покажат след като добавите имейл адрес по-горе.",
"Unable to revoke sharing for phone number": "Неуспешно оттегляне на споделянето на телефонен номер",
"Unable to share phone number": "Неуспешно споделяне на телефонен номер",
@ -988,17 +968,13 @@
"one": "Премахни 1 съобщение"
},
"Remove recent messages": "Премахни скорошни съобщения",
"Bold": "Удебелено",
"Italics": "Наклонено",
"Strikethrough": "Задраскано",
"Code block": "Блок с код",
"Please fill why you're reporting.": "Въведете защо докладвате.",
"Report Content to Your Homeserver Administrator": "Докладвай съдържание до администратора на сървъра",
"Reporting this message will send its unique 'event ID' to the administrator of your homeserver. If messages in this room are encrypted, your homeserver administrator will not be able to read the message text or view any files or images.": "Докладването на съобщението ще изпрати уникалният номер на събитието (event ID) до администратора на сървъра. Ако съобщенията в стаята са шифровани, администратора няма да може да прочете текста им или да види снимките или файловете.",
"Send report": "Изпрати доклад",
"Explore rooms": "Открий стаи",
"Verify the link in your inbox": "Потвърдете линка във вашата пощенска кутия",
"Complete": "Завърши",
"Read Marker lifetime (ms)": "Живот на маркера за прочитане (мсек)",
"Read Marker off-screen lifetime (ms)": "Живот на маркера за прочитане извън екрана (мсек)",
"Changes the avatar of the current room": "Променя снимката на текущата стая",
@ -1070,7 +1046,6 @@
"%(name)s cancelled": "%(name)s отказа",
"%(name)s wants to verify": "%(name)s иска да извърши потвърждение",
"You sent a verification request": "Изпратихте заявка за потвърждение",
"Custom (%(level)s)": "Собствен (%(level)s)",
"%(senderName)s placed a voice call.": "%(senderName)s започна гласово обаждане.",
"%(senderName)s placed a voice call. (not supported by this browser)": "%(senderName)s започна гласово обаждане. (не се поддържа от този браузър)",
"%(senderName)s placed a video call.": "%(senderName)s започна видео обаждане.",
@ -1121,7 +1096,6 @@
"You have not ignored anyone.": "Не сте игнорирали никой.",
"You are currently ignoring:": "В момента игнорирате:",
"You are not subscribed to any lists": "Не сте абонирани към списъци",
"Unsubscribe": "Отпиши",
"View rules": "Виж правилата",
"You are currently subscribed to:": "В момента сте абонирани към:",
"⚠ These settings are meant for advanced users.": "⚠ Тези настройки са за напреднали потребители.",
@ -1133,7 +1107,6 @@
"Subscribed lists": "Абонирани списъци",
"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.": "Ако това не е каквото искате, използвайте друг инструмент за игнориране на потребители.",
"Subscribe": "Абонирай ме",
"Cross-signing": "Кръстосано-подписване",
"Unencrypted": "Нешифровано",
"Close preview": "Затвори прегледа",
@ -1252,7 +1225,6 @@
"To be secure, do this in person or use a trusted way to communicate.": "За да е по-сигурно, направете го на живо или използвайте доверен начин за комуникация.",
"Lock": "Заключи",
"Later": "По-късно",
"Review": "Прегледай",
"Other users may not trust it": "Други потребители може да не се доверят",
"This bridge was provisioned by <user />.": "Мостът е настроен от <user />.",
"Show less": "Покажи по-малко",
@ -1295,7 +1267,6 @@
"Someone is using an unknown session": "Някой използва непозната сесия",
"This room is end-to-end encrypted": "Тази стая е шифрована от-край-до-край",
"Everyone in this room is verified": "Всички в тази стая са верифицирани",
"Mod": "Модератор",
"Encrypted by an unverified session": "Шифровано от неверифицирана сесия",
"Encrypted by a deleted session": "Шифровано от изтрита сесия",
"Scroll to most recent messages": "Отиди до най-скорошните съобщения",
@ -1451,7 +1422,6 @@
"Click the button below to confirm setting up encryption.": "Кликнете бутона по-долу за да потвърдите настройването на шифроване.",
"Enter your account password to confirm the upgrade:": "Въведете паролата за профила си за да потвърдите обновлението:",
"Restore your key backup to upgrade your encryption": "Възстановете резервното копие на ключа за да обновите шифроването",
"Restore": "Възстанови",
"You'll need to authenticate with the server to confirm the upgrade.": "Ще трябва да се автентикирате пред сървъра за да потвърдите обновяването.",
"Upgrade this session to allow it to verify other sessions, granting them access to encrypted messages and marking them as trusted for other users.": "Обновете тази сесия, за да може да потвърждава други сесии, давайки им достъп до шифрованите съобщения и маркирайки ги като доверени за другите потребители.",
"Use a different passphrase?": "Използвай друга парола?",
@ -1491,7 +1461,6 @@
"Activate selected button": "Активиране на избрания бутон",
"Toggle right panel": "Превключване на десния панел",
"Cancel autocomplete": "Отказване на подсказките",
"Space": "Space",
"No recently visited rooms": "Няма наскоро-посетени стаи",
"Sort by": "Подреди по",
"Activity": "Активност",
@ -1577,7 +1546,6 @@
"You might disable this if the room will be used for collaborating with external teams who have their own homeserver. This cannot be changed later.": "Може да изключите това, ако стаята ще се използва за съвместна работа с външни екипи, имащи собствен сървър. Това не може да бъде променено по-късно.",
"You might enable this if the room will only be used for collaborating with internal teams on your homeserver. This cannot be changed later.": "Може да включите това, ако стаята ще се използва само за съвместна работа на вътрешни екипи на сървъра ви. Това не може да бъде променено по-късно.",
"Your server requires encryption to be enabled in private rooms.": "Сървърът ви изисква в частните стаи да е включено шифроване.",
"Download logs": "Изтегли на логове",
"Preparing to download logs": "Подготвяне за изтегляне на логове",
"Information": "Информация",
"This version of %(brand)s does not support searching encrypted messages": "Тази версия на %(brand)s не поддържа търсенето в шифровани съобщения",
@ -1610,7 +1578,6 @@
"Show Widgets": "Покажи приспособленията",
"Hide Widgets": "Скрий приспособленията",
"Remove messages sent by others": "Премахвай съобщения изпратени от други",
"Privacy": "Поверителност",
"Secure Backup": "Защитено резервно копие",
"Set the name of a font installed on your system & %(brand)s will attempt to use it.": "Настройте името на шрифт инсталиран в системата и %(brand)s ще се опита да го използва.",
"not ready": "не е готово",
@ -1982,11 +1949,6 @@
"Not a valid identity server (status code %(code)s)": "Невалиден сървър за самоличност (статус код %(code)s)",
"Identity server URL must be HTTPS": "Адресът на сървъра за самоличност трябва да бъде HTTPS",
"Failed to invite users to %(roomName)s": "Неуспешна покана на потребителите към %(roomName)s",
"%(value)ss": "%(value)sс",
"%(value)sm": "%(value)sм",
"%(value)sh": "%(value)sч",
"%(value)sd": "%(value)sд",
"%(date)s at %(time)s": "%(date)s в %(time)s",
"Failed to transfer call": "Неуспешно прехвърляне на повикване",
"Transfer Failed": "Трансферът Неуспешен",
"Unable to transfer call": "Не може да се прехвърли обаждането",
@ -2047,7 +2009,18 @@
"description": "Описание",
"dark": "Тъмна",
"attachment": "Прикачване",
"appearance": "Изглед"
"appearance": "Изглед",
"guest": "Гост",
"legal": "Юридически",
"credits": "Благодарности",
"faq": "Често задавани въпроси",
"preferences": "Настройки",
"timeline": "Списък със съобщения",
"privacy": "Поверителност",
"camera": "Камера",
"microphone": "Микрофон",
"emoji": "Емотикони",
"space": "Space"
},
"action": {
"continue": "Продължи",
@ -2107,7 +2080,17 @@
"cancel": "Отказ",
"back": "Назад",
"add": "Добави",
"accept": "Приеми"
"accept": "Приеми",
"disconnect": "Прекъсни",
"change": "Промени",
"subscribe": "Абонирай ме",
"unsubscribe": "Отпиши",
"complete": "Завърши",
"revoke": "Оттегли",
"show_all": "Покажи всички",
"review": "Прегледай",
"restore": "Възстанови",
"register": "Регистрация"
},
"a11y": {
"user_menu": "Потребителско меню"
@ -2130,5 +2113,38 @@
"alt": "Alt",
"control": "Ctrl",
"shift": "Shift"
},
"composer": {
"format_bold": "Удебелено",
"format_strikethrough": "Задраскано",
"format_inline_code": "Код",
"format_code_block": "Блок с код"
},
"Bold": "Удебелено",
"Code": "Код",
"power_level": {
"default": "По подразбиране",
"restricted": "Ограничен",
"moderator": "Модератор",
"admin": "Администратор",
"custom": "Собствен (%(level)s)",
"mod": "Модератор"
},
"bug_reporting": {
"matrix_security_issue": "За да съобщените за проблем със сигурността свързан с Matrix, прочетете <a>Политиката за споделяне на проблеми със сигурността</a> на Matrix.org.",
"submit_debug_logs": "Изпрати логове за дебъгване",
"title": "Съобщаване за грешка",
"additional_context": "Моля включете допълнителни сведения, които ще помогнат за анализиране на проблема, като например: какво правихте когато възникна проблема, идентификатори на стаи, идентификатори на потребители и т.н.",
"send_logs": "Изпращане на логове",
"github_issue": "GitHub проблем",
"download_logs": "Изтегли на логове",
"before_submitting": "Преди да изпратите логове, трябва да <a>отворите доклад за проблем в Github</a>."
},
"time": {
"date_at_time": "%(date)s в %(time)s",
"short_days": "%(value)sд",
"short_hours": "%(value)sч",
"short_minutes": "%(value)sм",
"short_seconds": "%(value)sс"
}
}

View file

@ -2,8 +2,6 @@
"Account": "Compte",
"No Microphones detected": "No s'ha detectat cap micròfon",
"No Webcams detected": "No s'ha detectat cap càmera web",
"Microphone": "Micròfon",
"Camera": "Càmera",
"Advanced": "Avançat",
"Always show message timestamps": "Mostra sempre la marca de temps del missatge",
"Create new room": "Crea una sala nova",
@ -14,7 +12,6 @@
"unknown error code": "codi d'error desconegut",
"Operation failed": "No s'ha pogut realitzar l'operació",
"powered by Matrix": "amb tecnologia de Matrix",
"Register": "Registre",
"Rooms": "Sales",
"This email address is already in use": "Aquesta adreça de correu electrònic ja està en ús",
"This phone number is already in use": "Aquest número de telèfon ja està en ús",
@ -361,7 +358,6 @@
"Import room keys": "Importa les claus de la sala",
"Import": "Importa",
"Email": "Correu electrònic",
"Submit debug logs": "Enviar logs de depuració",
"Sunday": "Diumenge",
"Failed to add tag %(tagName)s to room": "No s'ha pogut afegir l'etiqueta %(tagName)s a la sala",
"Notification targets": "Objectius de les notificacions",
@ -394,7 +390,6 @@
"All Rooms": "Totes les sales",
"State Key": "Clau d'estat",
"Wednesday": "Dimecres",
"Send logs": "Envia els registres",
"All messages": "Tots els missatges",
"Call invitation": "Invitació de trucada",
"What's new?": "Què hi ha de nou?",
@ -474,7 +469,6 @@
"Unable to find profiles for the Matrix IDs listed below - would you like to invite them anyway?": "No s'ha trobat el perfil pels IDs de Matrix següents, els voleu convidar igualment?",
"Invite anyway and never warn me again": "Convidar igualment i no avisar-me de nou",
"Invite anyway": "Convidar igualment",
"Guest": "Visitant",
"This homeserver has hit its Monthly Active User limit.": "Aquest homeserver ha assolit el seu límit d'usuaris actius mensuals.",
"This homeserver has exceeded one of its resource limits.": "Aquest homeserver ha sobrepassat on dels seus límits de recursos.",
"Unrecognised address": "Adreça no reconeguda",
@ -535,7 +529,6 @@
"Setting up keys": "Configurant claus",
"Are you sure you want to cancel entering passphrase?": "Estàs segur que vols cancel·lar la introducció de la frase secreta?",
"Cancel entering passphrase?": "Vols cancel·lar la introducció de la frase secreta?",
"Custom (%(level)s)": "Personalitzat (%(level)s)",
"Create Account": "Crea un compte",
"Use your account or create a new one to continue.": "Utilitza el teu compte o crea'n un de nou per continuar.",
"Sign In or Create Account": "Inicia sessió o Crea un compte",
@ -618,7 +611,10 @@
"home": "Inici",
"favourites": "Preferits",
"description": "Descripció",
"attachment": "Adjunt"
"attachment": "Adjunt",
"guest": "Visitant",
"camera": "Càmera",
"microphone": "Micròfon"
},
"action": {
"continue": "Continua",
@ -654,7 +650,8 @@
"cancel": "Cancel·la",
"back": "Enrere",
"add": "Afegeix",
"accept": "Accepta"
"accept": "Accepta",
"register": "Registre"
},
"labs": {
"pinning": "Fixació de missatges",
@ -662,5 +659,16 @@
},
"keyboard": {
"home": "Inici"
},
"power_level": {
"default": "Predeterminat",
"restricted": "Restringit",
"moderator": "Moderador",
"admin": "Administrador",
"custom": "Personalitzat (%(level)s)"
},
"bug_reporting": {
"submit_debug_logs": "Enviar logs de depuració",
"send_logs": "Envia els registres"
}
}

View file

@ -28,7 +28,6 @@
"Nov": "Lis",
"Dec": "Pro",
"Create new room": "Vytvořit novou místnost",
"Register": "Zaregistrovat",
"Favourite": "Oblíbené",
"Failed to change password. Is your password correct?": "Nepodařilo se změnit heslo. Zadáváte své heslo správně?",
"Operation failed": "Operace se nezdařila",
@ -40,8 +39,6 @@
"No Microphones detected": "Nerozpoznány žádné mikrofony",
"No Webcams detected": "Nerozpoznány žádné webkamery",
"Default Device": "Výchozí zařízení",
"Microphone": "Mikrofon",
"Camera": "Kamera",
"Advanced": "Rozšířené",
"Always show message timestamps": "Vždy zobrazovat časové značky zpráv",
"Authentication": "Ověření",
@ -72,7 +69,6 @@
"Download %(text)s": "Stáhnout %(text)s",
"Email": "E-mail",
"Email address": "E-mailová adresa",
"Emoji": "Emoji",
"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",
"Error decrypting attachment": "Chyba při dešifrování přílohy",
@ -417,7 +413,6 @@
"Toolbox": "Sada nástrojů",
"Collecting logs": "Sběr záznamů",
"Invite to this room": "Pozvat do této místnosti",
"Send logs": "Odeslat záznamy",
"All messages": "Všechny zprávy",
"Call invitation": "Pozvánka k hovoru",
"State Key": "Stavový klíč",
@ -462,7 +457,6 @@
"Stickerpack": "Balíček s nálepkami",
"In encrypted rooms, like this one, URL previews are disabled by default to ensure that your homeserver (where the previews are generated) cannot gather information about links you see in this room.": "V šifrovaných místnostech, jako je tato, jsou URL náhledy ve výchozím nastavení vypnuté, aby bylo možné zajistit, že váš domovský server neshromažďuje informace o odkazech, které v této místnosti vidíte.",
"When someone puts a URL in their message, a URL preview can be shown to give more information about that link such as the title, description, and an image from the website.": "Když někdo ve zprávě pošle URL adresu, může být zobrazen její náhled obsahující informace jako titulek, popis a obrázek z cílové stránky.",
"Code": "Kód",
"This homeserver has hit its Monthly Active User limit.": "Tento domovský server dosáhl svého měsíčního limitu pro aktivní uživatele.",
"This homeserver has exceeded one of its resource limits.": "Tento domovský server překročil některý z limitů.",
"Popout widget": "Otevřít widget v novém okně",
@ -471,7 +465,6 @@
"Preparing to send logs": "Příprava na odeslání záznamů",
"Logs sent": "Záznamy odeslány",
"Failed to send logs: ": "Nepodařilo se odeslat záznamy: ",
"Submit debug logs": "Odeslat ladící záznamy",
"Upgrade Room Version": "Aktualizovat verzi místnosti",
"Create a new room with the same name, description and avatar": "Vznikne místnost se stejným názvem, popisem a avatarem",
"Update any local room aliases to point to the new room": "Aktualizujeme všechny lokální aliasy místnosti tak, aby ukazovaly na novou místnost",
@ -522,19 +515,14 @@
"Room version": "Verze místnosti",
"Room version:": "Verze místnosti:",
"Help & About": "O aplikaci a pomoc",
"Bug reporting": "Hlášení chyb",
"FAQ": "Často kladené dotazy (FAQ)",
"Versions": "Verze",
"Legal": "Právní informace",
"Voice & Video": "Zvuk a video",
"Missing media permissions, click the button below to request.": "Pro práci se zvukem a videem je potřeba oprávnění. Klepněte na tlačítko a my o ně požádáme.",
"Request media permissions": "Požádat o oprávnění k mikrofonu a kameře",
"Preferences": "Předvolby",
"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í",
"Timeline": "Časová osa",
"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",
@ -728,7 +716,6 @@
"Gets or sets the room topic": "Nastaví nebo zjistí téma místnosti",
"Forces the current outbound group session in an encrypted room to be discarded": "Vynutí zahození aktuálně používané relace skupiny v zašifrované místnosti",
"Encrypted messages in group chats": "Šifrované zprávy ve skupinách",
"Credits": "Poděkování",
"You've previously used %(brand)s on %(host)s with lazy loading of members enabled. In this version lazy loading is disabled. As the local cache is not compatible between these two settings, %(brand)s needs to resync your account.": "Na adrese %(host)s už jste použili %(brand)s se zapnutou volbou načítání členů místností až při prvním zobrazení. V této verzi je načítání členů až při prvním zobrazení vypnuté. Protože je s tímto nastavením lokální vyrovnávací paměť nekompatibilní, %(brand)s potřebuje znovu synchronizovat údaje z vašeho účtu.",
"%(brand)s now uses 3-5x less memory, by only loading information about other users when needed. Please wait whilst we resynchronise with the server!": "%(brand)s teď používá 3-5× méně paměti, protože si informace o ostatních uživatelích načítá až když je potřebuje. Prosím počkejte na dokončení synchronizace se serverem!",
"This homeserver would like to make sure you are not a robot.": "Domovský server se potřebuje přesvědčit, že nejste robot.",
@ -738,13 +725,11 @@
"Failed to perform homeserver discovery": "Nepovedlo se zjisit adresu domovského serveru",
"Registration has been disabled on this homeserver.": "Tento domovský server nepovoluje registraci.",
"Invalid identity server discovery response": "Neplatná odpověď při hledání serveru identity",
"Change": "Změnit",
"Email (optional)": "E-mail (nepovinné)",
"Phone (optional)": "Telefonní číslo (nepovinné)",
"Join millions for free on the largest public server": "Přidejte k miliónům registrovaným na největším veřejném serveru",
"Other": "Další možnosti",
"Couldn't load page": "Nepovedlo se načíst stránku",
"Guest": "Host",
"Your password has been reset.": "Heslo bylo resetováno.",
"Sign in with single sign-on": "Přihlásit se přes jednotné přihlašování",
"Create account": "Vytvořit účet",
@ -821,9 +806,7 @@
"Rotate Left": "Otočit doleva",
"Rotate Right": "Otočit doprava",
"Edit message": "Upravit zprávu",
"GitHub issue": "issue na GitHubu",
"Notes": "Poznámky",
"If there is additional context that would help in analysing the issue, such as what you were doing at the time, room IDs, user IDs, etc., please include those things here.": "Pokud máte libovolné další informace, které by nám pomohly najít problém, tak nám je taky napište. Může pomoct kdy k problému došlo, identifikátory místnost a uživatele, ...",
"Sign out and remove encryption keys?": "Odhlásit a odstranit šifrovací klíče?",
"To help us prevent this in future, please <a>send us logs</a>.": "Abychom tomu mohli pro příště předejít, <a>pošlete nám prosím záznamy</a>.",
"Missing session data": "Chybějící data relace",
@ -898,7 +881,6 @@
"Only continue if you trust the owner of the server.": "Pokračujte pouze pokud věříte provozovateli serveru.",
"Disconnect identity server": "Odpojit se ze serveru identit",
"Disconnect from the identity server <idserver />?": "Odpojit se ze serveru identit <idserver />?",
"Disconnect": "Odpojit",
"You are still <b>sharing your personal data</b> on the identity server <idserver />.": "Pořád <b>sdílíte osobní údaje</b> se serverem identit <idserver />.",
"We recommend that you remove your email addresses and phone numbers from the identity server before disconnecting.": "Než se odpojíte, doporučujeme odstranit e-mailovou adresu a telefonní číslo ze serveru identit.",
"Disconnect anyway": "Stejně se odpojit",
@ -959,8 +941,6 @@
"Your email address hasn't been verified yet": "Vaše e-mailová adresa ještě nebyla ověřena",
"Click the link in the email you received to verify and then click continue again.": "Pro ověření a pokračování klepněte na odkaz v e-mailu, který vím přišel.",
"Verify the link in your inbox": "Ověřte odkaz v e-mailové schránce",
"Complete": "Dokončit",
"Revoke": "Zneplatnit",
"Discovery options will appear once you have added an email above.": "Možnosti nastavení veřejného profilu se objeví po přidání e-mailové adresy výše.",
"Unable to revoke sharing for phone number": "Nepovedlo se zrušit sdílení telefonního čísla",
"Unable to share phone number": "Nepovedlo se nasdílet telefonní číslo",
@ -981,10 +961,7 @@
"Deactivating this user will log them out and prevent them from logging back in. Additionally, they will leave all the rooms they are in. This action cannot be reversed. Are you sure you want to deactivate this user?": "Deaktivování uživatele ho odhlásí a zabrání mu v opětovném přihlášení. Navíc bude odstraněn ze všech místností. Akci nelze vzít zpět. Opravdu chcete uživatele deaktivovat?",
"Deactivate user": "Deaktivovat uživatele",
"Remove recent messages": "Odstranit nedávné zprávy",
"Bold": "Tučně",
"Italics": "Kurzívou",
"Strikethrough": "Přešktnutě",
"Code block": "Blok kódu",
"Room %(name)s": "Místnost %(name)s",
"This invite to %(roomName)s was sent to %(email)s which is not associated with your account": "Pozvánka do místnosti %(roomName)s byla poslána na adresu %(email)s, která není k tomuto účtu přidána",
"Link this email with your account in Settings to receive invites directly in %(brand)s.": "Přidejte si tento e-mail k účtu v Nastavení, abyste dostávali pozvání přímo v %(brand)su.",
@ -1014,7 +991,6 @@
"%(name)s cancelled": "%(name)s zrušil(a)",
"%(name)s wants to verify": "%(name)s chce ověřit",
"You sent a verification request": "Poslali jste požadavek na ověření",
"Show all": "Zobrazit vše",
"Edited at %(date)s. Click to view edits.": "Upraveno v %(date)s. Klinutím zobrazíte změny.",
"Frequently Used": "Často používané",
"Smileys & People": "Obličeje a lidé",
@ -1068,7 +1044,6 @@
"Notification Autocomplete": "Automatické doplňování oznámení",
"Room Autocomplete": "Automatické doplňování místností",
"User Autocomplete": "Automatické doplňování uživatelů",
"Custom (%(level)s)": "Vlastní (%(level)s)",
"Error upgrading room": "Chyba při aktualizaci místnosti",
"Double check that your server supports the room version chosen and try again.": "Zkontrolujte, že váš server opravdu podporuje zvolenou verzi místnosti.",
"%(senderName)s placed a voice call.": "%(senderName)s zahájil(a) hovor.",
@ -1112,7 +1087,6 @@
"You have not ignored anyone.": "Nikoho neignorujete.",
"You are currently ignoring:": "Ignorujete:",
"You are not subscribed to any lists": "Neodebíráte žádné seznamy",
"Unsubscribe": "Přestat odebírat",
"View rules": "Zobrazit pravidla",
"You are currently subscribed to:": "Odebíráte:",
"⚠ These settings are meant for advanced users.": "⚠ Tato nastavení jsou pro pokročilé uživatele.",
@ -1121,7 +1095,6 @@
"Server or user ID to ignore": "Server nebo ID uživatele",
"eg: @bot:* or example.org": "např.: @bot:* nebo example.org",
"Subscribed lists": "Odebírané seznamy",
"Subscribe": "Odebírat",
"Unencrypted": "Nezašifrované",
"<userName/> wants to chat": "<userName/> si chce psát",
"Start chatting": "Zahájit konverzaci",
@ -1192,7 +1165,6 @@
"Lock": "Zámek",
"Other users may not trust it": "Ostatní uživatelé této relaci nemusí věřit",
"Later": "Později",
"Review": "Prohlédnout",
"This bridge was provisioned by <user />.": "Toto propojení poskytuje <user />.",
"This bridge is managed by <user />.": "Toto propojení spravuje <user />.",
"Show less": "Zobrazit méně",
@ -1226,7 +1198,6 @@
"Someone is using an unknown session": "Někdo používá neznámou relaci",
"This room is end-to-end encrypted": "Místnost je koncově šifrovaná",
"Everyone in this room is verified": "V této místnosti jsou všichni ověřeni",
"Mod": "Moderátor",
"Encrypted by an unverified session": "Šifrované neověřenou relací",
"Encrypted by a deleted session": "Šifrované smazanou relací",
"Send a reply…": "Odpovědět…",
@ -1280,7 +1251,6 @@
"Subscribing to a ban list will cause you to join it!": "Odebíráním seznamu zablokovaných uživatelů se přidáte do jeho místnosti!",
"If this isn't what you want, please use a different tool to ignore users.": "Pokud to nechcete, tak prosím použijte jiný nástroj na blokování uživatelů.",
"Restore your key backup to upgrade your encryption": "Pro aktualizaci šifrování obnovte klíče ze zálohy",
"Restore": "Obnovit",
"Enter your account password to confirm the upgrade:": "Potvrďte, že chcete aktualizaci provést zadáním svého uživatelského hesla:",
"You'll need to authenticate with the server to confirm the upgrade.": "Server si vás potřebuje ověřit, abychom mohli provést aktualizaci.",
"Upgrade this session to allow it to verify other sessions, granting them access to encrypted messages and marking them as trusted for other users.": "Aktualizujte tuto přihlášenou relaci abyste mohli ověřovat ostatní relace. Tím jim dáte přístup k šifrovaným konverzacím a ostatní uživatelé je jim budou automaticky věřit.",
@ -1483,7 +1453,6 @@
"No recently visited rooms": "Žádné nedávno navštívené místnosti",
"Explore public rooms": "Prozkoumat veřejné místnosti",
"Preparing to download logs": "Příprava na stažení záznamů",
"Download logs": "Stáhnout záznamy",
"a new cross-signing key signature": "nový klíč pro křížový podpis",
"a key signature": "podpis klíče",
"%(brand)s encountered an error during upload of:": "%(brand)s narazil na chybu při nahrávání:",
@ -1491,7 +1460,6 @@
"Cancelled signature upload": "Nahrávání podpisu zrušeno",
"Unable to upload": "Nelze nahrát",
"Server isn't responding": "Server neodpovídá",
"Space": "Prostor",
"Cancel autocomplete": "Zrušit automatické doplňování",
"Activate selected button": "Aktivovat označené tlačítko",
"Close dialog or context menu": "Zavřít dialog nebo kontextové menu",
@ -1579,7 +1547,6 @@
"Welcome %(name)s": "Vítejte %(name)s",
"Now, let's help you get started": "Nyní vám pomůžeme začít",
"Effects": "Efekty",
"Approve": "Schválit",
"Looks good!": "To vypadá dobře!",
"Wrong file type": "Špatný typ souboru",
"The server has denied your request.": "Server odmítl váš požadavek.",
@ -1782,7 +1749,6 @@
"If they don't match, the security of your communication may be compromised.": "Pokud se neshodují, bezpečnost vaší komunikace může být kompromitována.",
"Confirm this user's session by comparing the following with their User Settings:": "Potvrďte relaci tohoto uživatele porovnáním následujícího s jeho uživatelským nastavením:",
"Confirm Security Phrase": "Potvrďte bezpečnostní frázi",
"Privacy": "Soukromí",
"Click the button below to confirm setting up encryption.": "Kliknutím na tlačítko níže potvrďte nastavení šifrování.",
"Confirm encryption setup": "Potvrďte nastavení šifrování",
"Return to call": "Návrat do hovoru",
@ -2104,7 +2070,6 @@
"Who are you working with?": "S kým pracujete?",
"Skip for now": "Prozatím přeskočit",
"Failed to create initial space rooms": "Vytvoření počátečních místností v prostoru se nezdařilo",
"Random": "Náhodný",
"%(count)s members": {
"one": "%(count)s člen",
"other": "%(count)s členů"
@ -2153,7 +2118,6 @@
"Decrypted event source": "Dešifrovaný zdroj události",
"Save Changes": "Uložit změny",
"Welcome to <name/>": "Vítejte v <name/>",
"Support": "Podpora",
"This usually only affects how the room is processed on the server. If you're having problems with your %(brand)s, please report a bug.": "Toto obvykle ovlivňuje pouze to, jak je místnost zpracována na serveru. Pokud máte problémy s %(brand)s, nahlaste prosím chybu.",
"Make sure the right people have access. You can invite more later.": "Zajistěte přístup pro správné lidi. Další můžete pozvat později.",
"A private space to organise your rooms": "Soukromý prostor pro uspořádání vašich místností",
@ -2214,7 +2178,6 @@
"Forgotten or lost all recovery methods? <a>Reset all</a>": "Zapomněli nebo ztratili jste všechny metody obnovy? <a>Resetovat vše</a>",
"If you do, please note that none of your messages will be deleted, but the search experience might be degraded for a few moments whilst the index is recreated": "Pokud tak učiníte, nezapomeňte, že žádná z vašich zpráv nebude smazána, ale vyhledávání může být na několik okamžiků zpomaleno během opětovného vytvoření indexu",
"View message": "Zobrazit zprávu",
"%(seconds)ss left": "Zbývá %(seconds)ss",
"Change server ACLs": "Změnit seznamy přístupů serveru",
"You can select all or individual messages to retry or delete": "Můžete vybrat všechny nebo jednotlivé zprávy, které chcete zkusit poslat znovu nebo odstranit",
"Sending": "Odesílání",
@ -2228,8 +2191,6 @@
},
"Failed to send": "Odeslání se nezdařilo",
"What do you want to organise?": "Co si přejete organizovat?",
"Play": "Přehrát",
"Pause": "Pozastavit",
"Enter your Security Phrase a second time to confirm it.": "Zadejte bezpečnostní frázi podruhé a potvrďte ji.",
"Pick rooms or conversations to add. This is just a space for you, no one will be informed. You can add more later.": "Vyberte místnosti nebo konverzace, které chcete přidat. Toto je prostor pouze pro vás, nikdo nebude informován. Později můžete přidat další.",
"You have no ignored users.": "Nemáte žádné ignorované uživatele.",
@ -2249,7 +2210,6 @@
"We were unable to access your microphone. Please check your browser settings and try again.": "Nepodařilo se získat přístup k vašemu mikrofonu . Zkontrolujte prosím nastavení prohlížeče a zkuste to znovu.",
"Unable to access your microphone": "Nelze získat přístup k mikrofonu",
"Your access token gives full access to your account. Do not share it with anyone.": "Přístupový token vám umožní plný přístup k účtu. Nikomu ho nesdělujte.",
"Access Token": "Přístupový token",
"Please enter a name for the space": "Zadejte prosím název prostoru",
"Connecting": "Spojování",
"Message search initialisation failed": "Inicializace vyhledávání zpráv se nezdařila",
@ -2555,7 +2515,6 @@
"Are you sure you want to exit during this export?": "Opravdu chcete skončit během tohoto exportu?",
"%(senderDisplayName)s sent a sticker.": "%(senderDisplayName)s poslal(a) nálepku.",
"%(senderDisplayName)s changed the room avatar.": "%(senderDisplayName)s změnil(a) avatar místnosti.",
"%(date)s at %(time)s": "%(date)s v %(time)s",
"Resetting your verification keys cannot be undone. After resetting, you won't have access to old encrypted messages, and any friends who have previously verified you will see security warnings until you re-verify with them.": "Resetování ověřovacích klíčů nelze vrátit zpět. Po jejich resetování nebudete mít přístup ke starým zašifrovaným zprávám a všem přátelům, kteří vás dříve ověřili, se zobrazí bezpečnostní varování, dokud se u nich znovu neověříte.",
"Proceed with reset": "Pokračovat v resetování",
"It looks like you don't have a Security Key or any other devices you can verify against. This device will not be able to access old encrypted messages. In order to verify your identity on this device, you'll need to reset your verification keys.": "Vypadá to, že nemáte bezpečnostní klíč ani žádné jiné zařízení, které byste mohli ověřit. Toto zařízení nebude mít přístup ke starým šifrovaným zprávám. Abyste mohli na tomto zařízení ověřit svou totožnost, budete muset resetovat ověřovací klíče.",
@ -2621,7 +2580,6 @@
"This room isn't bridging messages to any platforms. <a>Learn more.</a>": "Tato místnost nepropojuje zprávy s žádnou platformou. <a>Zjistit více.</a>",
"Use high contrast": "Použít vysoký kontrast",
"This room is in some spaces you're not an admin of. In those spaces, the old room will still be shown, but people will be prompted to join the new one.": "Tato místnost se nachází v některých prostorech, jejichž nejste správcem. V těchto prostorech bude stará místnost stále zobrazena, ale lidé budou vyzváni, aby se připojili k nové místnosti.",
"Rename": "Přejmenovat",
"Select all": "Vybrat všechny",
"Deselect all": "Zrušit výběr všech",
"Sign out devices": {
@ -2977,7 +2935,6 @@
"Shared their location: ": "Sdíleli svou polohu: ",
"Unable to load map": "Nelze načíst mapu",
"Can't create a thread from an event with an existing relation": "Nelze založit vlákno ve vlákně",
"If you've submitted a bug via GitHub, debug logs can help us track down the problem. ": "Pokud jste odeslali chybu prostřednictvím GitHubu, ladící protokoly nám mohou pomoci problém vysledovat. ",
"Busy": "Zaneprázdněný",
"Toggle Link": "Odkaz",
"Toggle Code Block": "Blok kódu",
@ -2993,13 +2950,8 @@
"one": "Momentálně se odstraňují zprávy v %(count)s místnosti",
"other": "Momentálně se odstraňují zprávy v %(count)s místnostech"
},
"%(value)ss": "%(value)ss",
"%(value)sm": "%(value)sm",
"%(value)sh": "%(value)sh",
"%(value)sd": "%(value)sd",
"Share for %(duration)s": "Sdílet na %(duration)s",
"%(timeRemaining)s left": "%(timeRemaining)s zbývá",
"Debug logs contain application usage data including your username, the IDs or aliases of the rooms you have visited, which UI elements you last interacted with, and the usernames of other users. They do not contain messages.": "Ladící protokoly obsahují údaje o používání aplikace včetně vašeho uživatelského jména, ID nebo aliasů místností, které jste navštívili, s kterými prvky uživatelského rozhraní jste naposledy interagovali a uživatelských jmen ostatních uživatelů. Neobsahují zprávy.",
"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",
"Event ID: %(eventId)s": "ID události: %(eventId)s",
@ -3290,12 +3242,10 @@
"Verified session": "Ověřená relace",
"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.",
"Presence": "Přítomnost",
"Welcome": "Vítejte",
"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",
"View all": "Zobrazit všechny",
"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",
"Security recommendations": "Bezpečnostní doporučení",
@ -3326,7 +3276,6 @@
"other": "%(user)s a %(count)s další"
},
"%(user1)s and %(user2)s": "%(user1)s a %(user2)s",
"Show": "Zobrazit",
"%(downloadButton)s or %(copyButton)s": "%(downloadButton)s nebo %(copyButton)s",
"%(securityKey)s or %(recoveryFile)s": "%(securityKey)s nebo %(recoveryFile)s",
"%(qrCode)s or %(appLinks)s": "%(qrCode)s nebo %(appLinks)s",
@ -3388,8 +3337,6 @@
"Sorry — this call is currently full": "Omlouváme se — tento hovor je v současné době plný",
"resume voice broadcast": "obnovit hlasové vysílání",
"pause voice broadcast": "pozastavit hlasové vysílání",
"Underline": "Podtržení",
"Italic": "Kurzíva",
"Notifications silenced": "Oznámení ztlumena",
"Yes, stop broadcast": "Ano, zastavit vysílání",
"Stop live broadcasting?": "Ukončit živé vysílání?",
@ -3449,8 +3396,6 @@
"When enabled, the other party might be able to see your IP address": "Pokud je povoleno, může druhá strana vidět vaši IP adresu",
"Allow Peer-to-Peer for 1:1 calls": "Povolit Peer-to-Peer pro hovory 1:1",
"Go live": "Přejít naživo",
"%(minutes)sm %(seconds)ss left": "zbývá %(minutes)sm %(seconds)ss",
"%(hours)sh %(minutes)sm %(seconds)ss left": "zbývá %(hours)sh %(minutes)sm %(seconds)ss",
"That e-mail address or phone number is already in use.": "Tato e-mailová adresa nebo telefonní číslo se již používá.",
"This means that you have all the keys needed to unlock your encrypted messages and confirm to other users that you trust this session.": "To znamená, že máte všechny klíče potřebné k odemknutí zašifrovaných zpráv a potvrzení ostatním uživatelům, že této relaci důvěřujete.",
"Verified sessions are anywhere you are using this account after entering your passphrase or confirming your identity with another verified session.": "Ověřené relace jsou všude tam, kde tento účet používáte po zadání své přístupové fráze nebo po potvrzení své totožnosti jinou ověřenou relací.",
@ -3473,9 +3418,6 @@
"Too many attempts in a short time. Wait some time before trying again.": "Příliš mnoho pokusů v krátkém čase. Před dalším pokusem nějakou dobu počkejte.",
"Change input device": "Změnit vstupní zařízení",
"Thread root ID: %(threadRootId)s": "ID kořenového vlákna: %(threadRootId)s",
"%(minutes)sm %(seconds)ss": "%(minutes)sm %(seconds)ss",
"%(hours)sh %(minutes)sm %(seconds)ss": "%(hours)sh %(minutes)sm %(seconds)ss",
"%(days)sd %(hours)sh %(minutes)sm %(seconds)ss": "%(days)sd %(hours)sh %(minutes)sm %(seconds)ss",
"We were unable to start a chat with the other user.": "Nepodařilo se zahájit chat s druhým uživatelem.",
"Error starting verification": "Chyba při zahájení ověření",
"Buffering…": "Ukládání do vyrovnávací paměti…",
@ -3518,7 +3460,6 @@
"Mark as read": "Označit jako přečtené",
"Text": "Text",
"Create a link": "Vytvořit odkaz",
"Link": "Odkaz",
"Force 15s voice broadcast chunk length": "Vynutit 15s délku bloku hlasového vysílání",
"Sign out of %(count)s sessions": {
"one": "Odhlásit se z %(count)s relace",
@ -3533,8 +3474,6 @@
"You can't start a voice message as you are currently recording a live broadcast. Please end your live broadcast in order to start recording a voice message.": "Hlasovou zprávu nelze spustit, protože právě nahráváte živé vysílání. Ukončete prosím živé vysílání, abyste mohli začít nahrávat hlasovou zprávu.",
"Can't start voice message": "Nelze spustit hlasovou zprávu",
"Edit link": "Upravit odkaz",
"Numbered list": "Číslovaný seznam",
"Bulleted list": "Seznam s odrážkami",
"Decrypted source unavailable": "Dešifrovaný zdroj není dostupný",
"Connection error - Recording paused": "Chyba připojení - nahrávání pozastaveno",
"%(senderName)s started a voice broadcast": "%(senderName)s zahájil(a) hlasové vysílání",
@ -3546,8 +3485,6 @@
"Your account details are managed separately at <code>%(hostname)s</code>.": "Údaje o vašem účtu jsou spravovány samostatně na adrese <code>%(hostname)s</code>.",
"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",
"Indent decrease": "Zmenšit odsazení",
"Indent increase": "Zvětšit odsazení",
"Unable to decrypt voice broadcast": "Nelze dešifrovat hlasové vysílání",
"Thread Id: ": "Id vlákna: ",
"Threads timeline": "Časová osa vláken",
@ -3733,7 +3670,6 @@
"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>.",
"People, Mentions and Keywords": "Lidé, zmínky a klíčová slova",
"Proceed": "Pokračovat",
"Show message preview in desktop notification": "Zobrazit náhled zprávy v oznámení na ploše",
"I want to be notified for (Default Setting)": "Chci být upozorňován na (Výchozí nastavení)",
"Play a sound for": "Přehrát zvuk pro",
@ -3799,7 +3735,6 @@
"Your homeserver is too old and does not support the minimum API version required. Please contact your server owner, or upgrade your server.": "Váš domovský server je příliš starý a nepodporuje minimální požadovanou verzi API. Obraťte se prosím na vlastníka serveru nebo proveďte aktualizaci serveru.",
"See less": "Zobrazit méně",
"See more": "Zobrazit více",
"Deny": "Odmítnout",
"Asking to join": "Žádá se o vstup",
"No requests": "Žádné žádosti",
"common": {
@ -3850,7 +3785,22 @@
"dark": "Tmavý",
"beta": "Beta",
"attachment": "Příloha",
"appearance": "Vzhled"
"appearance": "Vzhled",
"guest": "Host",
"legal": "Právní informace",
"credits": "Poděkování",
"faq": "Často kladené dotazy (FAQ)",
"access_token": "Přístupový token",
"preferences": "Předvolby",
"presence": "Přítomnost",
"timeline": "Časová osa",
"privacy": "Soukromí",
"camera": "Kamera",
"microphone": "Mikrofon",
"emoji": "Emoji",
"random": "Náhodný",
"support": "Podpora",
"space": "Prostor"
},
"action": {
"continue": "Pokračovat",
@ -3922,7 +3872,25 @@
"back": "Zpět",
"apply": "Použít",
"add": "Přidat",
"accept": "Přijmout"
"accept": "Přijmout",
"disconnect": "Odpojit",
"change": "Změnit",
"subscribe": "Odebírat",
"unsubscribe": "Přestat odebírat",
"approve": "Schválit",
"deny": "Odmítnout",
"proceed": "Pokračovat",
"complete": "Dokončit",
"revoke": "Zneplatnit",
"rename": "Přejmenovat",
"view_all": "Zobrazit všechny",
"show_all": "Zobrazit vše",
"show": "Zobrazit",
"review": "Prohlédnout",
"restore": "Obnovit",
"play": "Přehrát",
"pause": "Pozastavit",
"register": "Zaregistrovat"
},
"a11y": {
"user_menu": "Uživatelská nabídka"
@ -3988,5 +3956,54 @@
"default_cover_photo": "<photo>Výchozí titulní fotografie</photo> je © <author>Jesús Roncero</author> používaná za podmínek <terms>CC-BY-SA 4.0</terms>.",
"twemoji_colr": "Písmo <colr>twemoji-colr</colr> je © <author>Mozilla Foundation</author> používané za podmínek <terms>Apache 2.0</terms>.",
"twemoji": "<twemoji>Twemoji</twemoji> emoji grafika je © <author>Twitter, Inc a další přispěvatelé</author> používána za podmínek <terms>CC-BY 4.0</terms>."
},
"composer": {
"format_bold": "Tučně",
"format_italic": "Kurzíva",
"format_underline": "Podtržení",
"format_strikethrough": "Přešktnutě",
"format_unordered_list": "Seznam s odrážkami",
"format_ordered_list": "Číslovaný seznam",
"format_increase_indent": "Zvětšit odsazení",
"format_decrease_indent": "Zmenšit odsazení",
"format_inline_code": "Kód",
"format_code_block": "Blok kódu",
"format_link": "Odkaz"
},
"Bold": "Tučně",
"Link": "Odkaz",
"Code": "Kód",
"power_level": {
"default": "Výchozí",
"restricted": "Omezené",
"moderator": "Moderátor",
"admin": "Správce",
"custom": "Vlastní (%(level)s)",
"mod": "Moderátor"
},
"bug_reporting": {
"introduction": "Pokud jste odeslali chybu prostřednictvím GitHubu, ladící protokoly nám mohou pomoci problém vysledovat. ",
"description": "Ladící protokoly obsahují údaje o používání aplikace včetně vašeho uživatelského jména, ID nebo aliasů místností, které jste navštívili, s kterými prvky uživatelského rozhraní jste naposledy interagovali a uživatelských jmen ostatních uživatelů. Neobsahují zprávy.",
"matrix_security_issue": "Pro hlášení bezpečnostních problémů s Matrixem si prosím přečtěte <a>naší Bezpečnostní politiku</a> (anglicky).",
"submit_debug_logs": "Odeslat ladící záznamy",
"title": "Hlášení chyb",
"additional_context": "Pokud máte libovolné další informace, které by nám pomohly najít problém, tak nám je taky napište. Může pomoct kdy k problému došlo, identifikátory místnost a uživatele, ...",
"send_logs": "Odeslat záznamy",
"github_issue": "issue na GitHubu",
"download_logs": "Stáhnout záznamy",
"before_submitting": "Pro odeslání záznamů je potřeba <a>vytvořit issue na GitHubu</a> s popisem problému."
},
"time": {
"hours_minutes_seconds_left": "zbývá %(hours)sh %(minutes)sm %(seconds)ss",
"minutes_seconds_left": "zbývá %(minutes)sm %(seconds)ss",
"seconds_left": "Zbývá %(seconds)ss",
"date_at_time": "%(date)s v %(time)s",
"short_days": "%(value)sd",
"short_hours": "%(value)sh",
"short_minutes": "%(value)sm",
"short_seconds": "%(value)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_minutes_seconds": "%(minutes)sm %(seconds)ss"
}
}
}

View file

@ -13,7 +13,6 @@
"Invites user with given id to current room": "Inviterer bruger med givet id til nuværende rum",
"Changes your display nickname": "Ændrer dit viste navn",
"Commands": "Kommandoer",
"Emoji": "Emoji",
"Warning!": "Advarsel!",
"Account": "Konto",
"Admin": "Administrator",
@ -32,7 +31,6 @@
"unknown error code": "Ukendt fejlkode",
"powered by Matrix": "Drevet af Matrix",
"Failed to forget room %(errCode)s": "Kunne ikke glemme rummet %(errCode)s",
"Register": "Registrér",
"Unnamed room": "Unavngivet rum",
"This email address is already in use": "Denne email adresse er allerede i brug",
"This phone number is already in use": "Dette telefonnummer er allerede i brug",
@ -95,7 +93,6 @@
"%(senderDisplayName)s sent an image.": "%(senderDisplayName)s sendte et billed.",
"Someone": "Nogen",
"%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": "%(senderName)s inviterede %(targetDisplayName)s til rummet.",
"Submit debug logs": "Indsend debug-logfiler",
"Online": "Online",
"Sunday": "Søndag",
"Messages sent by bot": "Beskeder sendt af en bot",
@ -128,7 +125,6 @@
"Invite to this room": "Inviter til dette rum",
"State Key": "Tilstandsnøgle",
"Send": "Send",
"Send logs": "Send logs",
"All messages": "Alle beskeder",
"Call invitation": "Opkalds invitation",
"What's new?": "Hvad er nyt?",
@ -295,7 +291,6 @@
"Sign In or Create Account": "Log ind eller Opret bruger",
"Use your account or create a new one to continue.": "Brug din konto eller opret en ny for at fortsætte.",
"Create Account": "Opret brugerkonto",
"Custom (%(level)s)": "Kustomiseret %(level)s",
"Sends a message as html, without interpreting it as markdown": "Sender besked som html, uden at tolke den som markdown",
"Error upgrading room": "Fejl under opgradering af rum",
"Double check that your server supports the room version chosen and try again.": "Dobbelt-tjek at din server understøtter den valgte rum-version og forsøg igen.",
@ -366,7 +361,6 @@
"Current password": "Nuværende adgangskode",
"Theme added!": "Tema tilføjet!",
"Comment": "Kommentar",
"Privacy": "Privatliv",
"Please enter a name for the room": "Indtast et navn for rummet",
"Profile": "Profil",
"Local address": "Lokal adresse",
@ -661,7 +655,6 @@
"Algeria": "Algeriet",
"Åland Islands": "Ålandsøerne",
"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 spurgte din browser om at huske hvilken homeserver du bruger for at logge på, men din browser har desværre glemt det. Gå til log ind siden og prøv igen.",
"%(date)s at %(time)s": "%(date)s om %(time)s",
"Failed to transfer call": "Kunne ikke omstille opkald",
"Transfer Failed": "Omstilling fejlede",
"Unable to transfer call": "Kan ikke omstille opkald",
@ -685,7 +678,9 @@
"theme": "Tema",
"name": "Navn",
"favourites": "Favoritter",
"description": "Beskrivelse"
"description": "Beskrivelse",
"privacy": "Privatliv",
"emoji": "Emoji"
},
"action": {
"continue": "Fortsæt",
@ -717,10 +712,25 @@
"close": "Luk",
"cancel": "Afbryd",
"back": "Tilbage",
"accept": "Accepter"
"accept": "Accepter",
"register": "Registrér"
},
"labs": {
"pinning": "Fastgørelse af beskeder",
"state_counters": "Vis simple tællere i rumhovedet"
},
"power_level": {
"default": "Standard",
"restricted": "Begrænset",
"moderator": "Moderator",
"admin": "Administrator",
"custom": "Kustomiseret %(level)s"
},
"bug_reporting": {
"submit_debug_logs": "Indsend debug-logfiler",
"send_logs": "Send logs"
},
"time": {
"date_at_time": "%(date)s om %(time)s"
}
}

View file

@ -14,7 +14,6 @@
"Changes your display nickname": "Ändert deinen Anzeigenamen",
"Change Password": "Passwort ändern",
"Commands": "Befehle",
"Emoji": "Emojis",
"Warning!": "Warnung!",
"Advanced": "Erweitert",
"Are you sure you want to reject the invitation?": "Bist du sicher, dass du die Einladung ablehnen willst?",
@ -204,8 +203,6 @@
"No media permissions": "Keine Medienberechtigungen",
"You may need to manually permit %(brand)s to access your microphone/webcam": "Gegebenenfalls kann es notwendig sein, dass du %(brand)s manuell den Zugriff auf dein Mikrofon bzw. deine Webcam gewähren musst",
"Default Device": "Standardgerät",
"Microphone": "Mikrofon",
"Camera": "Kamera",
"Export": "Exportieren",
"Import": "Importieren",
"Incorrect username and/or password.": "Inkorrekter Nutzername und/oder Passwort.",
@ -213,7 +210,6 @@
"Are you sure you want to leave the room '%(roomName)s'?": "Bist du sicher, dass du den Raum „%(roomName)s“ verlassen möchtest?",
"Custom level": "Selbstdefiniertes Berechtigungslevel",
"Publish this room to the public in %(domain)s's room directory?": "Diesen Raum im Raumverzeichnis von %(domain)s veröffentlichen?",
"Register": "Registrieren",
"Verified key": "Verifizierter Schlüssel",
"You have <a>disabled</a> URL previews by default.": "Du hast die URL-Vorschau <a>standardmäßig deaktiviert</a>.",
"You have <a>enabled</a> URL previews by default.": "Du hast die URL-Vorschau <a>standardmäßig aktiviert</a>.",
@ -401,8 +397,6 @@
"This room is not public. You will not be able to rejoin without an invite.": "Dieser Raum ist nicht öffentlich. Du wirst ihn nicht ohne erneute Einladung betreten können.",
"Failed to remove tag %(tagName)s from room": "Entfernen der Raum-Kennzeichnung %(tagName)s fehlgeschlagen",
"Failed to add tag %(tagName)s to room": "Fehler beim Hinzufügen des \"%(tagName)s\"-Tags an dem Raum",
"Submit debug logs": "Fehlerbericht abschicken",
"Code": "Code",
"Opens the Developer Tools dialog": "Öffnet die Entwicklungswerkzeuge",
"You don't currently have any stickerpacks enabled": "Keine Sticker-Pakete aktiviert",
"Stickerpack": "Sticker-Paket",
@ -435,7 +429,6 @@
"Invite to this room": "In diesen Raum einladen",
"Wednesday": "Mittwoch",
"You cannot delete this message. (%(code)s)": "Diese Nachricht kann nicht gelöscht werden. (%(code)s)",
"Send logs": "Protokolldateien übermitteln",
"All messages": "Alle Nachrichten",
"Call invitation": "Anrufe",
"State Key": "Statusschlüssel",
@ -501,7 +494,6 @@
"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.": "Deine Nachricht wurde nicht gesendet, weil dieser Heim-Server ein Ressourcen-Limit erreicht hat. Bitte <a>kontaktiere deine Systemadministration</a>, um diesen Dienst weiterzunutzen.",
"Please <a>contact your service administrator</a> to continue using this service.": "Bitte <a>kontaktiere deinen Systemadministrator</a> um diesen Dienst weiter zu nutzen.",
"Please contact your homeserver administrator.": "Bitte setze dich mit der Administration deines Heim-Servers in Verbindung.",
"Legal": "Rechtliches",
"This room has been replaced and is no longer active.": "Dieser Raum wurde ersetzt und ist nicht länger aktiv.",
"The conversation continues here.": "Die Konversation wird hier fortgesetzt.",
"This room is a continuation of another conversation.": "Dieser Raum ist eine Fortsetzung einer anderen Konversation.",
@ -626,11 +618,8 @@
"For help with using %(brand)s, click <a>here</a> or start a chat with our bot using the button below.": "Um Hilfe zur Benutzung von %(brand)s zu erhalten, klicke <a>hier</a> oder beginne eine Unterhaltung mit unserem Bot mittels nachfolgender Schaltfläche.",
"Chat with %(brand)s Bot": "Unterhalte dich mit dem %(brand)s-Bot",
"Help & About": "Hilfe und Info",
"Bug reporting": "Fehler melden",
"FAQ": "Häufige Fragen",
"Versions": "Versionen",
"Room Addresses": "Raumadressen",
"Preferences": "Optionen",
"Room list": "Raumliste",
"The file '%(fileName)s' exceeds this homeserver's size limit for uploads": "Die Datei „%(fileName)s“ überschreitet das Hochladelimit deines Heim-Servers",
"This room has no topic.": "Dieser Raum hat kein Thema.",
@ -702,7 +691,6 @@
"Anchor": "Anker",
"Headphones": "Kopfhörer",
"Folder": "Ordner",
"Timeline": "Verlauf",
"Autocomplete delay (ms)": "Verzögerung vor Autovervollständigung (ms)",
"Roles & Permissions": "Rollen und Berechtigungen",
"Changes to who can read history will only apply to future messages in this room. The visibility of existing history will be unchanged.": "Änderungen an der Sichtbarkeit des Verlaufs gelten nur für zukünftige Nachrichten. Die Sichtbarkeit des existierenden Verlaufs bleibt unverändert.",
@ -725,7 +713,6 @@
"Restore from Backup": "Von Sicherung wiederherstellen",
"Back up your keys before signing out to avoid losing them.": "Um deine Schlüssel nicht zu verlieren, musst du sie vor der Abmeldung sichern.",
"Start using Key Backup": "Beginne Schlüsselsicherung zu nutzen",
"Credits": "Danksagungen",
"Success!": "Erfolgreich!",
"Your keys are being backed up (the first backup could take a few minutes).": "Deine Schlüssel werden gesichert (Das erste Backup könnte ein paar Minuten in Anspruch nehmen).",
"Voice & Video": "Anrufe",
@ -736,12 +723,10 @@
"I don't want my encrypted messages": "Ich möchte meine verschlüsselten Nachrichten nicht",
"You'll lose access to your encrypted messages": "Du wirst den Zugang zu deinen verschlüsselten Nachrichten verlieren",
"This homeserver would like to make sure you are not a robot.": "Dieser Heim-Server möchte sicherstellen, dass du kein Roboter bist.",
"Change": "Ändern",
"Email (optional)": "E-Mail-Adresse (optional)",
"Phone (optional)": "Telefon (optional)",
"Other": "Sonstiges",
"Couldn't load page": "Konnte Seite nicht laden",
"Guest": "Gast",
"Your password has been reset.": "Dein Passwort wurde zurückgesetzt.",
"This homeserver does not support login using email address.": "Dieser Heim-Server unterstützt die Anmeldung per E-Mail-Adresse nicht.",
"Create account": "Konto anlegen",
@ -809,7 +794,6 @@
"<userName/> invited you": "<userName/> hat dich eingeladen",
"edited": "bearbeitet",
"Edit message": "Nachricht bearbeiten",
"GitHub issue": "\"Issue\" auf Github",
"Upload files": "Dateien hochladen",
"Upload all": "Alle hochladen",
"Cancel All": "Alle abbrechen",
@ -830,7 +814,6 @@
"You do not have the required permissions to use this command.": "Du hast nicht die erforderlichen Berechtigungen, diesen Befehl zu verwenden.",
"Checking server": "Überprüfe Server",
"Identity server has no terms of service": "Der Identitäts-Server hat keine Nutzungsbedingungen",
"Disconnect": "Trennen",
"Use an identity server": "Benutze einen Identitäts-Server",
"Use an identity server to invite by email. Click continue to use the default identity server (%(defaultIdentityServerName)s) or manage in Settings.": "Benutze einen Identitäts-Server, um andere mittels E-Mail einzuladen. Klicke auf fortfahren, um den Standard-Identitäts-Server (%(defaultIdentityServerName)s) zu benutzen oder ändere ihn in den Einstellungen.",
"Terms of service not accepted or the identity server is invalid.": "Nutzungsbedingungen nicht akzeptiert oder der Identitäts-Server ist ungültig.",
@ -848,7 +831,6 @@
"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.",
"Only continue if you trust the owner of the server.": "Fahre nur fort, wenn du den Server-Betreibenden vertraust.",
"Custom (%(level)s)": "Benutzerdefiniert (%(level)s)",
"Sends a message as plain text, without interpreting it as markdown": "Sendet eine Nachricht als Klartext, ohne sie als Markdown darzustellen",
"Use an identity server to invite by email. Manage in Settings.": "Verwende einen Identitäts-Server, um per E-Mail einladen zu können. Lege einen in den Einstellungen fest.",
"%(name)s (%(userId)s)": "%(name)s (%(userId)s)",
@ -883,7 +865,6 @@
"Enable message search in encrypted rooms": "Nachrichtensuche in verschlüsselten Räumen aktivieren",
"Lock": "Schloss",
"Later": "Später",
"Review": "Überprüfen",
"not found": "nicht gefunden",
"Manage": "Verwalten",
"Securely cache encrypted messages locally for them to appear in search results.": "Speichere verschlüsselte Nachrichten lokal, sodass sie deinen Suchergebnissen erscheinen können.",
@ -912,7 +893,6 @@
"User rules": "Nutzerregeln",
"You have not ignored anyone.": "Du hast niemanden blockiert.",
"You are currently ignoring:": "Du ignorierst momentan:",
"Unsubscribe": "Deabonnieren",
"View rules": "Regeln öffnen",
"You are currently subscribed to:": "Du abonnierst momentan:",
"⚠ These settings are meant for advanced users.": "⚠ Diese Einstellungen sind für fortgeschrittene Nutzer gedacht.",
@ -1128,7 +1108,6 @@
"Subscribed lists": "Abonnierte Listen",
"Subscribing to a ban list will cause you to join it!": "Eine Verbotsliste abonnieren bedeutet ihr beizutreten!",
"If this isn't what you want, please use a different tool to ignore users.": "Wenn dies nicht das ist, was du willst, verwende ein anderes Werkzeug, um Benutzer zu blockieren.",
"Subscribe": "Abonnieren",
"Always show the window menu bar": "Fenstermenüleiste immer anzeigen",
"Session ID:": "Sitzungs-ID:",
"Message search": "Nachrichtensuche",
@ -1170,11 +1149,8 @@
"Error changing power level": "Fehler beim Ändern der Benutzerrechte",
"Your email address hasn't been verified yet": "Deine E-Mail-Adresse wurde noch nicht verifiziert",
"Verify the link in your inbox": "Verifiziere den Link in deinem Posteingang",
"Complete": "Abschließen",
"Revoke": "Widerrufen",
"You have not verified this user.": "Du hast diesen Nutzer nicht verifiziert.",
"Everyone in this room is verified": "Alle in diesem Raum sind verifiziert",
"Mod": "Moderator",
"Scroll to most recent messages": "Zur neusten Nachricht springen",
"No recent messages by %(user)s found": "Keine neuen Nachrichten von %(user)s gefunden",
"Try scrolling up in the timeline to see if there are any earlier ones.": "Versuche nach oben zu scrollen, um zu sehen ob sich dort frühere Nachrichten befinden.",
@ -1185,10 +1161,7 @@
"Failed to deactivate user": "Benutzer konnte nicht deaktiviert werden",
"Send a reply…": "Antwort senden …",
"Send a message…": "Nachricht senden …",
"Bold": "Fett",
"Italics": "Kursiv",
"Strikethrough": "Durchgestrichen",
"Code block": "Quelltextblock",
"Join the conversation with an account": "An Unterhaltung mit einem Konto teilnehmen",
"Re-join": "Erneut betreten",
"You were banned from %(roomName)s by %(memberName)s": "Du wurdest von %(memberName)s aus %(roomName)s verbannt",
@ -1254,7 +1227,6 @@
"You declined": "Du hast abgelehnt",
"You cancelled": "Du brachst ab",
"You sent a verification request": "Du hast eine Verifizierungsanfrage gesendet",
"Show all": "Alles zeigen",
"<reactors/><reactedWith>reacted with %(shortName)s</reactedWith>": "<reactors/><reactedWith>hat mit %(shortName)s reagiert</reactedWith>",
"Message deleted": "Nachricht gelöscht",
"Message deleted by %(name)s": "Nachricht von %(name)s gelöscht",
@ -1306,7 +1278,6 @@
"Please tell us what went wrong or, better, create a GitHub issue that describes the problem.": "Bitte teile uns mit, was schief lief - oder besser, beschreibe das Problem auf GitHub in einem \"Issue\".",
"Reminder: Your browser is unsupported, so your experience may be unpredictable.": "Warnung: Dein Browser wird nicht unterstützt. Die Anwendung kann instabil sein.",
"Notes": "Notizen",
"If there is additional context that would help in analysing the issue, such as what you were doing at the time, room IDs, user IDs, etc., please include those things here.": "Wenn es mehr Informationen gibt, die uns bei der Auswertung des Problems würden z. B. was du getan hast, Raum- oder Benutzer-IDs … gib sie bitte hier an.",
"Removing…": "Löschen…",
"Destroy cross-signing keys?": "Cross-Signing-Schlüssel zerstören?",
"Clear cross-signing keys": "Cross-Signing-Schlüssel löschen",
@ -1328,7 +1299,6 @@
"Toggle Italics": "Kursiv",
"Toggle Quote": "Zitat umschalten",
"New line": "Neue Zeile",
"Space": "Space",
"Please fill why you're reporting.": "Bitte gib an, weshalb du einen Fehler meldest.",
"Upgrade private room": "Privaten Raum aktualisieren",
"Upgrade public room": "Öffentlichen Raum aktualisieren",
@ -1416,7 +1386,6 @@
"Room Autocomplete": "Raum-Auto-Vervollständigung",
"User Autocomplete": "Nutzer-Auto-Vervollständigung",
"Restore your key backup to upgrade your encryption": "Schlüsselsicherung wiederherstellen, um deine Verschlüsselung zu aktualisieren",
"Restore": "Wiederherstellen",
"Upgrade your encryption": "Aktualisiere deine Verschlüsselung",
"Unable to set up secret storage": "Sicherer Speicher kann nicht eingerichtet werden",
"Create key backup": "Schlüsselsicherung erstellen",
@ -1571,7 +1540,6 @@
"Downloading logs": "Lade Protokolle herunter",
"Explore public rooms": "Öffentliche Räume erkunden",
"Preparing to download logs": "Bereite das Herunterladen der Protokolle vor",
"Download logs": "Protokolle herunterladen",
"Unexpected server error trying to leave the room": "Unerwarteter Server-Fehler beim Versuch den Raum zu verlassen",
"Error leaving room": "Fehler beim Verlassen des Raums",
"Set up Secure Backup": "Schlüsselsicherung einrichten",
@ -1579,7 +1547,6 @@
"You might enable this if the room will only be used for collaborating with internal teams on your homeserver. This cannot be changed later.": "Du solltest dies aktivieren, wenn der Raum nur für die Zusammenarbeit mit Benutzern von deinem Heim-Server verwendet werden soll. Dies kann später nicht mehr geändert werden.",
"You might disable this if the room will be used for collaborating with external teams who have their own homeserver. This cannot be changed later.": "Du solltest dies deaktivieren, wenn der Raum für die Zusammenarbeit mit Benutzern von anderen Heim-Server verwendet werden soll. Dies kann später nicht mehr geändert werden.",
"Block anyone not part of %(serverName)s from ever joining this room.": "Betreten nur für Nutzer von %(serverName)s erlauben.",
"Privacy": "Privatsphäre",
"Prepends ( ͡° ͜ʖ ͡°) to a plain-text message": "Stellt ( ͡° ͜ʖ ͡°) einer Klartextnachricht voran",
"Unknown App": "Unbekannte App",
"Not encrypted": "Nicht verschlüsselt",
@ -1721,7 +1688,6 @@
"Invite someone using their name, email address, username (like <userId/>) or <a>share this room</a>.": "Lade jemanden mittels Name, E-Mail-Adresse oder Benutzername (wie <userId/>) ein, oder <a>teile diesen Raum</a>.",
"Approve widget permissions": "Rechte für das Widget genehmigen",
"This widget would like to:": "Dieses Widget würde gerne:",
"Approve": "Zustimmen",
"Decline All": "Alles ablehnen",
"Go to Home View": "Zur Startseite gehen",
"%(creator)s created this DM.": "%(creator)s hat diese Direktnachricht erstellt.",
@ -2125,7 +2091,6 @@
"Failed to invite the following users to your space: %(csvUsers)s": "Die folgenden Leute konnten nicht eingeladen werden: %(csvUsers)s",
"Share %(name)s": "%(name)s teilen",
"Skip for now": "Vorerst überspringen",
"Random": "Ohne Thema",
"Welcome to <name/>": "Willkommen bei <name/>",
"Private space": "Privater Space",
"Public space": "Öffentlicher Space",
@ -2186,7 +2151,6 @@
"unknown person": "unbekannte Person",
"%(deviceId)s from %(ip)s": "%(deviceId)s von %(ip)s",
"Review to ensure your account is safe": "Überprüfe sie, um ein sicheres Konto gewährleisten zu können",
"Support": "Unterstützung",
"This room is suggested as a good one to join": "Dieser Raum wird vorgeschlagen",
"Verification requested": "Verifizierung angefragt",
"Avatar": "Avatar",
@ -2211,7 +2175,6 @@
"Reset everything": "Alles zurücksetzen",
"Forgotten or lost all recovery methods? <a>Reset all</a>": "Hast du alle Wiederherstellungsmethoden vergessen? <a>Setze sie hier zurück</a>",
"View message": "Nachricht anzeigen",
"%(seconds)ss left": "%(seconds)s verbleibend",
"Change server ACLs": "Server-ACLs bearbeiten",
"Failed to send": "Fehler beim Senden",
"View all %(count)s members": {
@ -2229,8 +2192,6 @@
"If you do, please note that none of your messages will be deleted, but the search experience might be degraded for a few moments whilst the index is recreated": "Falls du es wirklich willst: Es werden keine Nachrichten gelöscht. Außerdem wird die Suche, während der Index erstellt wird, etwas langsamer sein",
"Including %(commaSeparatedMembers)s": "Inklusive %(commaSeparatedMembers)s",
"Consulting with %(transferTarget)s. <a>Transfer to %(transferee)s</a>": "%(transferTarget)s wird angefragt. <a>Übertragung zu %(transferee)s</a>",
"Play": "Abspielen",
"Pause": "Pause",
"What do you want to organise?": "Was willst du organisieren?",
"Enter your Security Phrase a second time to confirm it.": "Gib dein Kennwort ein zweites Mal zur Bestätigung ein.",
"Pick rooms or conversations to add. This is just a space for you, no one will be informed. You can add more later.": "Wähle Räume oder Konversationen die du hinzufügen willst. Dieser Space ist nur für dich, niemand wird informiert. Du kannst später mehr hinzufügen.",
@ -2259,7 +2220,6 @@
"To leave the beta, visit your settings.": "Du kannst die Beta in den Einstellungen deaktivieren.",
"Your platform and username will be noted to help us use your feedback as much as we can.": "Deine Systeminformationen und dein Benutzername werden mitgeschickt, damit wir deine Rückmeldung bestmöglich nachvollziehen können.",
"Your access token gives full access to your account. Do not share it with anyone.": "Dein Zugriffstoken gibt vollen Zugriff auf dein Konto. Teile ihn niemals mit anderen.",
"Access Token": "Zugriffstoken",
"sends space invaders": "sendet Space Invaders",
"Sends the given message with a space themed effect": "Sendet die Nachricht mit Raumschiffen",
"Space Autocomplete": "Spaces automatisch vervollständigen",
@ -2581,7 +2541,6 @@
"Are you sure you want to exit during this export?": "Willst du den Export wirklich abbrechen?",
"%(senderDisplayName)s sent a sticker.": "%(senderDisplayName)s hat einen Sticker gesendet.",
"%(senderDisplayName)s changed the room avatar.": "%(senderDisplayName)s hat das Raumbild geändert.",
"%(date)s at %(time)s": "%(date)s um %(time)s",
"Store your Security Key somewhere safe, like a password manager or a safe, as it's used to safeguard your encrypted data.": "Bewahre deinen Sicherheitsschlüssel sicher auf, etwa in einem Passwortmanager oder einem Safe, da er verwendet wird, um deine Daten zu sichern.",
"We'll generate a Security Key for you to store somewhere safe, like a password manager or a safe.": "Wir generieren einen Sicherheitsschlüssel für dich, den du in einem Passwort-Manager oder Safe sicher aufbewahren solltest.",
"Regain access to your account and recover encryption keys stored in this session. Without them, you won't be able to read all of your secure messages in any session.": "Zugriff auf dein Konto wiederherstellen und in dieser Sitzung gespeicherte Verschlüsselungs-Schlüssel wiederherstellen. Ohne diese wirst du nicht all deine verschlüsselten Nachrichten lesen können.",
@ -2618,7 +2577,6 @@
"This room isn't bridging messages to any platforms. <a>Learn more.</a>": "Dieser Raum leitet keine Nachrichten von/an andere(n) Plattformen weiter. <a>Mehr erfahren.</a>",
"Use high contrast": "Hohen Kontrast verwenden",
"This room is in some spaces you're not an admin of. In those spaces, the old room will still be shown, but people will be prompted to join the new one.": "Dieser Raum ist Teil von Spaces von denen du kein Administrator bist. In diesen Räumen wird der alte Raum weiter angezeigt werden, aber Personen werden aufgefordert werden, dem neuen Raum beizutreten.",
"Rename": "Umbenennen",
"Deselect all": "Alle abwählen",
"Select all": "Alle auswählen",
"Sign out devices": {
@ -2978,7 +2936,6 @@
"We couldn't send your location": "Wir konnten deinen Standort nicht senden",
"This homeserver is not configured correctly to display maps, or the configured map server may be unreachable.": "Dein Home-Server unterstützt das Anzeigen von Karten nicht oder der Kartenanbieter ist nicht erreichbar.",
"Busy": "Beschäftigt",
"If you've submitted a bug via GitHub, debug logs can help us track down the problem. ": "Wenn du uns einen Bug auf GitHub gemeldet hast, können uns Debug-Logs helfen, das Problem zu finden. ",
"Toggle Link": "Linkfomatierung umschalten",
"Toggle Code Block": "Quelltextblock umschalten",
"You are sharing your live location": "Du teilst deinen Echtzeit-Standort",
@ -2995,10 +2952,6 @@
},
"%(timeRemaining)s left": "%(timeRemaining)s übrig",
"Share for %(duration)s": "Geteilt für %(duration)s",
"%(value)ss": "%(value)ss",
"%(value)sm": "%(value)smin",
"%(value)sh": "%(value)sh",
"%(value)sd": "%(value)sd",
"Enable Markdown": "Markdown aktivieren",
"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.",
@ -3110,7 +3063,6 @@
"To view %(roomName)s, you need an invite": "Um %(roomName)s zu betrachten, benötigst du eine Einladung",
"%(errcode)s was returned while trying to access the room or space. If you think you're seeing this message in error, please <issueLink>submit a bug report</issueLink>.": "%(errcode)s wurde während des Betretens zurückgegeben. Wenn du denkst, dass diese Meldung nicht korrekt ist, <issueLink>reiche bitte einen Fehlerbericht ein</issueLink>.",
"Private room": "Privater Raum",
"Debug logs contain application usage data including your username, the IDs or aliases of the rooms you have visited, which UI elements you last interacted with, and the usernames of other users. They do not contain messages.": "Fehlerberichte enthalten Nutzungsdaten wie Nutzernamen von dir und anderen Personen, Raum-IDs deiner beigetretenen Räume sowie mit welchen Elementen der Oberfläche du kürzlich interagiert hast. Sie enthalten keine Nachrichten.",
"Next recently visited room or space": "Nächster kürzlich besuchter Raum oder Space",
"Previous recently visited room or space": "Vorheriger kürzlich besuchter Raum oder Space",
"You have been logged out of all devices and will no longer receive push notifications. To re-enable notifications, sign in again on each device.": "Du wurdest von allen Geräten abgemeldet und erhältst keine Push-Benachrichtigungen mehr. Um Benachrichtigungen wieder zu aktivieren, melde dich auf jedem Gerät erneut an.",
@ -3192,7 +3144,6 @@
"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.",
"Presence": "Anwesenheit",
"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",
"Toggle attribution": "Info ein-/ausblenden",
@ -3200,7 +3151,6 @@
"Joining…": "Betrete …",
"Show Labs settings": "Zeige die \"Labor\" Einstellungen",
"To view, please enable video rooms in Labs first": "Zum Anzeigen, aktiviere bitte Videoräume in den Laboreinstellungen",
"View all": "Alles anzeigen",
"Security recommendations": "Sicherheitsempfehlungen",
"Filter devices": "Geräte filtern",
"Inactive for %(inactiveAgeDays)s days or longer": "Seit %(inactiveAgeDays)s oder mehr Tagen inaktiv",
@ -3337,7 +3287,6 @@
"Your server lacks native support, you must specify a proxy": "Dein Server unterstützt dies nicht nativ, du musst einen Proxy angeben",
"Your server lacks native support": "Dein Server unterstützt dies nicht nativ",
"To disable you will need to log out and back in, use with caution!": "Zum Deaktivieren musst du dich neu anmelden. Mit Vorsicht verwenden!",
"Show": "Zeigen",
"Voice broadcast": "Sprachübertragung",
"Voice broadcasts": "Sprachübertragungen",
"You need to be able to kick users to do that.": "Du musst in der Lage sein, Benutzer zu entfernen um das zu tun.",
@ -3388,8 +3337,6 @@
"Sorry — this call is currently full": "Entschuldigung — dieser Anruf ist aktuell besetzt",
"pause voice broadcast": "Sprachübertragung pausieren",
"resume voice broadcast": "Sprachübertragung fortsetzen",
"Italic": "Kursiv",
"Underline": "Unterstrichen",
"Notifications silenced": "Benachrichtigungen stummgeschaltet",
"Yes, stop broadcast": "Ja, Übertragung beenden",
"Stop live broadcasting?": "Live-Übertragung beenden?",
@ -3449,8 +3396,6 @@
"Error downloading image": "Fehler beim Herunterladen des Bildes",
"Unable to show image due to error": "Kann Bild aufgrund eines Fehlers nicht anzeigen",
"Go live": "Live schalten",
"%(minutes)sm %(seconds)ss left": "%(minutes)s m %(seconds)s s verbleibend",
"%(hours)sh %(minutes)sm %(seconds)ss left": "%(hours)s h %(minutes)s m %(seconds)s s verbleibend",
"That e-mail address or phone number is already in use.": "Diese E-Mail-Adresse oder Telefonnummer wird bereits verwendet.",
"This means that you have all the keys needed to unlock your encrypted messages and confirm to other users that you trust this session.": "Dies bedeutet, dass du alle Schlüssel zum Entsperren deiner verschlüsselten Nachrichten hast und anderen bestätigst, dieser Sitzung zu vertrauen.",
"Verified sessions are anywhere you are using this account after entering your passphrase or confirming your identity with another verified session.": "Auf verifizierte Sitzungen kannst du überall mit deinem Konto zugreifen, wenn du deine Passphrase eingegeben oder deine Identität mit einer anderen Sitzung verifiziert hast.",
@ -3473,9 +3418,6 @@
"Too many attempts in a short time. Wait some time before trying again.": "Zu viele Versuche in zu kurzer Zeit. Warte ein wenig, bevor du es erneut versuchst.",
"Change input device": "Eingabegerät wechseln",
"Thread root ID: %(threadRootId)s": "Thread-Ursprungs-ID: %(threadRootId)s",
"%(minutes)sm %(seconds)ss": "%(minutes)s m %(seconds)s s",
"%(hours)sh %(minutes)sm %(seconds)ss": "%(hours)s h %(minutes)s m %(seconds)s s",
"%(days)sd %(hours)sh %(minutes)sm %(seconds)ss": "%(days)s d %(hours)s h %(minutes)s m %(seconds)s s",
"Buffering…": "Puffere …",
"Error starting verification": "Verifizierungbeginn fehlgeschlagen",
"We were unable to start a chat with the other user.": "Der Unterhaltungsbeginn mit dem anderen Benutzer war uns nicht möglich.",
@ -3518,7 +3460,6 @@
"Mark as read": "Als gelesen markieren",
"Text": "Text",
"Create a link": "Link erstellen",
"Link": "Link",
"Force 15s voice broadcast chunk length": "Die Chunk-Länge der Sprachübertragungen auf 15 Sekunden erzwingen",
"Sign out of %(count)s sessions": {
"one": "Von %(count)s Sitzung abmelden",
@ -3533,8 +3474,6 @@
"Can't start voice message": "Kann Sprachnachricht nicht beginnen",
"You can't start a voice message as you are currently recording a live broadcast. Please end your live broadcast in order to start recording a voice message.": "Du kannst keine Sprachnachricht beginnen, da du im Moment eine Echtzeitübertragung aufzeichnest. Bitte beende deine Sprachübertragung, um ein Gespräch zu beginnen.",
"Edit link": "Link bearbeiten",
"Numbered list": "Nummerierte Liste",
"Bulleted list": "Ungeordnete Liste",
"Decrypted source unavailable": "Entschlüsselte Quelle nicht verfügbar",
"Connection error - Recording paused": "Verbindungsfehler Aufnahme pausiert",
"%(senderName)s started a voice broadcast": "%(senderName)s begann eine Sprachübertragung",
@ -3546,8 +3485,6 @@
"Your account details are managed separately at <code>%(hostname)s</code>.": "Deine Kontodaten werden separat auf <code>%(hostname)s</code> verwaltet.",
"All messages and invites from this user will be hidden. Are you sure you want to ignore them?": "Alle Nachrichten und Einladungen der Person werden verborgen. Bist du sicher, dass du sie ignorieren möchtest?",
"Ignore %(user)s": "%(user)s ignorieren",
"Indent decrease": "Einrückung verringern",
"Indent increase": "Einrückung erhöhen",
"Unable to decrypt voice broadcast": "Entschlüsseln der Sprachübertragung nicht möglich",
"Thread Id: ": "Thread-ID: ",
"Threads timeline": "Thread-Verlauf",
@ -3740,7 +3677,6 @@
"Receive an email summary of missed notifications": "E-Mail-Zusammenfassung für verpasste Benachrichtigungen erhalten",
"Select which emails you want to send summaries to. Manage your emails in <button>General</button>.": "Wähle, an welche E-Mail-Adresse die Zusammenfassungen gesendet werden. Verwalte deine E-Mail-Adressen unter <button>Allgemein</button>.",
"Mentions and Keywords only": "Nur Erwähnungen und Schlüsselwörter",
"Proceed": "Fortfahren",
"Show message preview in desktop notification": "Nachrichtenvorschau in der Desktopbenachrichtigung anzeigen",
"I want to be notified for (Default Setting)": "Ich möchte benachrichtigt werden für (Standardeinstellung)",
"This setting will be applied by default to all your rooms.": "Diese Einstellung wird standardmäßig für all deine Räume übernommen.",
@ -3797,7 +3733,6 @@
"Your server is unsupported": "Dein Server wird nicht unterstützt",
"This server is using an older version of Matrix. Upgrade to Matrix %(version)s to use %(brand)s without errors.": "Dieser Server nutzt eine ältere Matrix-Version. Aktualisiere auf Matrix %(version)s, um %(brand)s fehlerfrei nutzen zu können.",
"Your homeserver is too old and does not support the minimum API version required. Please contact your server owner, or upgrade your server.": "Dein Heim-Server ist zu alt und unterstützt nicht die benötigte API-Version. Bitte kontaktiere deine Server-Administration oder aktualisiere deinen Server.",
"Deny": "Ablehnen",
"No requests": "Keine Anfragen",
"Asking to join": "Beitrittsanfragen",
"See less": "Weniger",
@ -3850,7 +3785,22 @@
"dark": "Dunkel",
"beta": "Beta",
"attachment": "Anhang",
"appearance": "Erscheinungsbild"
"appearance": "Erscheinungsbild",
"guest": "Gast",
"legal": "Rechtliches",
"credits": "Danksagungen",
"faq": "Häufige Fragen",
"access_token": "Zugriffstoken",
"preferences": "Optionen",
"presence": "Anwesenheit",
"timeline": "Verlauf",
"privacy": "Privatsphäre",
"camera": "Kamera",
"microphone": "Mikrofon",
"emoji": "Emojis",
"random": "Ohne Thema",
"support": "Unterstützung",
"space": "Space"
},
"action": {
"continue": "Fortfahren",
@ -3922,7 +3872,25 @@
"back": "Zurück",
"apply": "Anwenden",
"add": "Hinzufügen",
"accept": "Annehmen"
"accept": "Annehmen",
"disconnect": "Trennen",
"change": "Ändern",
"subscribe": "Abonnieren",
"unsubscribe": "Deabonnieren",
"approve": "Zustimmen",
"deny": "Ablehnen",
"proceed": "Fortfahren",
"complete": "Abschließen",
"revoke": "Widerrufen",
"rename": "Umbenennen",
"view_all": "Alles anzeigen",
"show_all": "Alles zeigen",
"show": "Zeigen",
"review": "Überprüfen",
"restore": "Wiederherstellen",
"play": "Abspielen",
"pause": "Pause",
"register": "Registrieren"
},
"a11y": {
"user_menu": "Benutzermenü"
@ -3988,5 +3956,54 @@
"default_cover_photo": "Das <photo>Standard-Titelbild</photo> ist © <author>Jesús Roncero</author> und wird unter den Bedingungen von <terms>CC-BY-SA 4.0</terms> verwendet.",
"twemoji_colr": "Die Schriftart <colr>twemoji-colr</colr> ist © <author>Mozilla Foundation</author> und wird unter den Bedingungen von <terms>Apache 2.0</terms> verwendet.",
"twemoji": "Die <twemoji>Twemoji</twemoji>-Emojis sind © <author>Twitter, Inc und weitere Mitwirkende</author> und wird unter den Bedingungen von <terms>CC-BY 4.0</terms> verwendet."
},
"composer": {
"format_bold": "Fett",
"format_italic": "Kursiv",
"format_underline": "Unterstrichen",
"format_strikethrough": "Durchgestrichen",
"format_unordered_list": "Ungeordnete Liste",
"format_ordered_list": "Nummerierte Liste",
"format_increase_indent": "Einrückung erhöhen",
"format_decrease_indent": "Einrückung verringern",
"format_inline_code": "Code",
"format_code_block": "Quelltextblock",
"format_link": "Link"
},
"Bold": "Fett",
"Link": "Link",
"Code": "Code",
"power_level": {
"default": "Standard",
"restricted": "Eingeschränkt",
"moderator": "Moderator",
"admin": "Admin",
"custom": "Benutzerdefiniert (%(level)s)",
"mod": "Moderator"
},
"bug_reporting": {
"introduction": "Wenn du uns einen Bug auf GitHub gemeldet hast, können uns Debug-Logs helfen, das Problem zu finden. ",
"description": "Fehlerberichte enthalten Nutzungsdaten wie Nutzernamen von dir und anderen Personen, Raum-IDs deiner beigetretenen Räume sowie mit welchen Elementen der Oberfläche du kürzlich interagiert hast. Sie enthalten keine Nachrichten.",
"matrix_security_issue": "Um ein Matrix-bezogenes Sicherheitsproblem zu melden, lies bitte die Matrix.org <a>Sicherheitsrichtlinien</a>.",
"submit_debug_logs": "Fehlerbericht abschicken",
"title": "Fehler melden",
"additional_context": "Wenn es mehr Informationen gibt, die uns bei der Auswertung des Problems würden z. B. was du getan hast, Raum- oder Benutzer-IDs … gib sie bitte hier an.",
"send_logs": "Protokolldateien übermitteln",
"github_issue": "\"Issue\" auf Github",
"download_logs": "Protokolle herunterladen",
"before_submitting": "Bevor du Protokolldateien übermittelst, musst du <a>auf GitHub einen \"Issue\" erstellen</a> um dein Problem zu beschreiben."
},
"time": {
"hours_minutes_seconds_left": "%(hours)s h %(minutes)s m %(seconds)s s verbleibend",
"minutes_seconds_left": "%(minutes)s m %(seconds)s s verbleibend",
"seconds_left": "%(seconds)s verbleibend",
"date_at_time": "%(date)s um %(time)s",
"short_days": "%(value)sd",
"short_hours": "%(value)sh",
"short_minutes": "%(value)smin",
"short_seconds": "%(value)ss",
"short_days_hours_minutes_seconds": "%(days)s d %(hours)s h %(minutes)s m %(seconds)s s",
"short_hours_minutes_seconds": "%(hours)s h %(minutes)s m %(seconds)s s",
"short_minutes_seconds": "%(minutes)s m %(seconds)s s"
}
}
}

View file

@ -8,8 +8,6 @@
"No Microphones detected": "Δεν εντοπίστηκε μικρόφωνο",
"No Webcams detected": "Δεν εντοπίστηκε κάμερα",
"Default Device": "Προεπιλεγμένη συσκευή",
"Microphone": "Μικρόφωνο",
"Camera": "Κάμερα",
"Advanced": "Προχωρημένες",
"Authentication": "Πιστοποίηση",
"A new password must be entered.": "Ο νέος κωδικός πρόσβασης πρέπει να εισαχθεί.",
@ -41,7 +39,6 @@
"Download %(text)s": "Λήψη %(text)s",
"Email": "Ηλεκτρονική διεύθυνση",
"Email address": "Ηλεκτρονική διεύθυνση",
"Emoji": "Εικονίδια",
"Error decrypting attachment": "Σφάλμα κατά την αποκρυπτογράφηση της επισύναψης",
"Export": "Εξαγωγή",
"Export E2E room keys": "Εξαγωγή κλειδιών κρυπτογράφησης για το δωμάτιο",
@ -77,7 +74,6 @@
"No more results": "Δεν υπάρχουν άλλα αποτελέσματα",
"Passwords can't be empty": "Οι κωδικοί πρόσβασης δεν γίνετε να είναι κενοί",
"Phone": "Τηλέφωνο",
"Register": "Εγγραφή",
"%(brand)s version:": "Έκδοση %(brand)s:",
"Rooms": "Δωμάτια",
"Search failed": "Η αναζήτηση απέτυχε",
@ -271,7 +267,6 @@
"Collecting logs": "Συγκέντρωση πληροφοριών",
"All Rooms": "Όλα τα δωμάτια",
"Wednesday": "Τετάρτη",
"Send logs": "Αποστολή πληροφοριών",
"All messages": "Όλα τα μηνύματα",
"Call invitation": "Πρόσκληση σε κλήση",
"What's new?": "Τι νέο υπάρχει;",
@ -353,7 +348,6 @@
"Call in progress": "Κλήση σε εξέλιξη",
"%(senderName)s joined the call": "Ο χρήστης %(senderName)s συνδέθηκε στην κλήση",
"You joined the call": "Συνδεθήκατε στην κλήση",
"Guest": "Επισκέπτης",
"Ok": "Εντάξει",
"Your homeserver has exceeded its user limit.": "Ο διακομιστής σας ξεπέρασε το όριο χρηστών.",
"Use app": "Χρησιμοποιήστε την εφαρμογή",
@ -669,7 +663,6 @@
"Setting up keys": "Ρύθμιση κλειδιών",
"Some invites couldn't be sent": "Δεν ήταν δυνατή η αποστολή κάποιων προσκλήσεων",
"We sent the others, but the below people couldn't be invited to <RoomName/>": "Στάλθηκαν οι προσκλήσεις στους άλλους, αλλά δεν ήταν δυνατή η αποστολή πρόσκλησης στους παρακάτω στο <RoomName/>",
"Custom (%(level)s)": "Προσαρμοσμένα (%(level)s)",
"Wallis & Futuna": "Ουώλλις και Φουτούνα",
"Vanuatu": "Βανουάτου",
"U.S. Virgin Islands": "Αμερικανικές Παρθένοι Νήσο",
@ -738,7 +731,6 @@
"Antigua & Barbuda": "Αντίγκουα και Μπαρμπούντα",
"Anguilla": "Ανγκουίλα",
"%(name)s is requesting verification": "%(name)s ζητάει επιβεβαίωση",
"%(date)s at %(time)s": "%(date)s στις %(time)s",
"Failed to transfer call": "Αποτυχία μεταφοράς κλήσης",
"Transfer Failed": "Αποτυχία μεταφοράς",
"Unable to transfer call": "Αδυναμία μεταφοράς κλήσης",
@ -803,10 +795,7 @@
"Invite to just this room": "Προσκαλέστε μόνο σε αυτό το δωμάτιο",
"You created this room.": "Δημιουργήσατε αυτό το δωμάτιο.",
"Insert link": "Εισαγωγή συνδέσμου",
"Code block": "Μπλοκ κώδικα",
"Strikethrough": "Διαγράμμιση",
"Italics": "Πλάγια",
"Bold": "Έντονα",
"Poll": "Ψηφοφορία",
"You do not have permission to start polls in this room.": "Δεν έχετε άδεια να ξεκινήσετε ψηφοφορίες σε αυτήν την αίθουσα.",
"Voice Message": "Φωνητικό μήνυμα",
@ -836,8 +825,6 @@
"You have not verified this user.": "Δεν έχετε επαληθεύσει αυτόν τον χρήστη.",
"This user has not verified all of their sessions.": "Αυτός ο χρήστης δεν έχει επαληθεύσει όλες τις συνεδρίες του.",
"Phone Number": "Αριθμός Τηλεφώνου",
"Revoke": "Ανάκληση",
"Complete": "Ολοκληρώθηκε",
"Verify the link in your inbox": "Επαληθεύστε τον σύνδεσμο στα εισερχόμενα σας",
"Your email address hasn't been verified yet": "Η διεύθυνση email σας δεν έχει επαληθευτεί ακόμα",
"Unable to share email address": "Δεν είναι δυνατή η κοινή χρήση της διεύθυνσης email",
@ -1145,7 +1132,6 @@
"Enable desktop notifications": "Ενεργοποίηση ειδοποιήσεων επιφάνειας εργασίας",
"Don't miss a reply": "Μην χάσετε καμία απάντηση",
"Later": "Αργότερα",
"Review": "Ανασκόπηση",
"Review to ensure your account is safe": "Ελέγξτε για να βεβαιωθείτε ότι ο λογαριασμός σας είναι ασφαλής",
"Share anonymous data to help us identify issues. Nothing personal. No third parties. <LearnMoreLink>Learn More</LearnMoreLink>": "Μοιραστείτε ανώνυμα δεδομένα για να μας βοηθήσετε να εντοπίσουμε προβλήματα. Τίποτα προσωπικό. Χωρίς τρίτους. <LearnMoreLink>Μάθετε περισσότερα</LearnMoreLink>",
"You previously consented to share anonymous usage data with us. We're updating how that works.": "Έχετε συμφωνήσει να μοιραστείτε ανώνυμα δεδομένα χρήσης μαζί μας. Ενημερώνουμε τον τρόπο που λειτουργεί.",
@ -1365,10 +1351,6 @@
"%(peerName)s held the call": "%(peerName)s έβαλε την κλήση σε αναμονή",
"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",
"%(value)sd": "%(value)sμέρες",
"%(value)sh": "%(value)sώρες",
"%(value)sm": "%(value)s'",
"%(value)ss": "%(value)s\"",
"Effects": "Εφέ",
"Backup key cached:": "Αποθηκευμένο εφεδρικό κλειδί στην κρυφή μνήμη:",
"not stored": "μη αποθηκευμένο",
@ -1403,7 +1385,6 @@
"other": "Αποθηκεύστε με ασφάλεια κρυπτογραφημένα μηνύματα τοπικά για να εμφανίζονται στα αποτελέσματα αναζήτησης, χρησιμοποιώντας %(size)s για αποθήκευση μηνυμάτων από τα %(rooms)sδωμάτια ."
},
"Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "Επαληθεύστε μεμονωμένα κάθε συνεδρία που χρησιμοποιείται από έναν χρήστη για να την επισημάνετε ως αξιόπιστη, χωρίς να εμπιστεύεστε συσκευές με διασταυρούμενη υπογραφή.",
"Rename": "Μετονομασία",
"Display Name": "Εμφανιζόμενο όνομα",
"Select all": "Επιλογή όλων",
"Deselect all": "Αποεπιλογή όλων",
@ -1425,7 +1406,6 @@
"Use high contrast": "Χρησιμοποιήστε υψηλή αντίθεση",
"Theme added!": "Το θέμα προστέθηκε!",
"Error downloading theme information.": "Σφάλμα κατά τη λήψη πληροφοριών θέματος.",
"Change": "Αλλαγή",
"Enter a new identity server": "Εισαγάγετε έναν νέο διακομιστή ταυτότητας",
"Do not use an identity server": "Μην χρησιμοποιείτε διακομιστή ταυτότητας",
"Using an identity server is optional. If you choose not to use an identity server, you won't be discoverable by other users and you won't be able to invite others by email or phone.": "Η χρήση διακομιστή ταυτότητας είναι προαιρετική. Εάν επιλέξετε να μην χρησιμοποιήσετε διακομιστή ταυτότητας, δεν θα μπορείτε να εντοπίσετε άλλους χρήστες και δεν θα μπορείτε να προσκαλέσετε άλλους μέσω email ή τηλεφώνου.",
@ -1443,7 +1423,6 @@
"check your browser plugins for anything that might block the identity server (such as Privacy Badger)": "ελέγξτε τις προσθήκες του προγράμματος περιήγησής σας που θα μπορούσε να αποκλείσει τον διακομιστή ταυτότητας (όπως το Privacy Badger)",
"You should:": "Θα πρέπει:",
"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 /> αυτή τη στιγμή είναι εκτός σύνδεσης ή δεν είναι δυνατή η πρόσβαση.",
"Disconnect": "Αποσύνδεση",
"Disconnect from the identity server <idserver />?": "Αποσύνδεση από τον διακομιστή ταυτότητας <idserver />;",
"Disconnect identity server": "Αποσύνδεση διακομιστή ταυτότητας",
"Terms of service not accepted or the identity server is invalid.": "Οι όροι χρήσης δεν γίνονται αποδεκτοί ή ο διακομιστής ταυτότητας δεν είναι έγκυρος.",
@ -1479,7 +1458,6 @@
"Use between %(min)s pt and %(max)s pt": "Χρήση μεταξύ %(min)s pt και %(max)s pt",
"Always show the window menu bar": "Να εμφανίζεται πάντα η μπάρα μενού παραθύρου",
"Warn before quitting": "Προειδοποιήστε πριν την παραίτηση",
"Subscribe": "Εγγραφείτε",
"Room ID or address of ban list": "Ταυτότητα δωματίου ή διεύθυνση της λίστας απαγορευσων",
"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!": "Η εγγραφή σε μια λίστα απαγορεύσων θα σας κάνει να εγγραφείτε σε αυτήν!",
@ -1493,7 +1471,6 @@
"Ignored users": "Χρήστες που αγνοήθηκαν",
"You are currently subscribed to:": "Αυτήν τη στιγμή είστε εγγεγραμμένοι σε:",
"View rules": "Προβολή κανόνων",
"Unsubscribe": "Απεγγραφή",
"You are not subscribed to any lists": "Δεν είστε εγγεγραμμένοι σε καμία λίστα",
"You are currently ignoring:": "Αυτήν τη στιγμή αγνοείτε:",
"You have not ignored anyone.": "Δεν έχετε αγνοήσει κανέναν.",
@ -1512,14 +1489,9 @@
"Keyboard": "Πληκτρολόγιο",
"Clear cache and reload": "Εκκαθάριση προσωρινής μνήμης και επαναφόρτωση",
"Your access token gives full access to your account. Do not share it with anyone.": "Το διακριτικό πρόσβασής σας παρέχει πλήρη πρόσβαση στον λογαριασμό σας. Μην το μοιραστείτε με κανέναν.",
"Access Token": "Διακριτικό πρόσβασης",
"Versions": "Εκδόσεις",
"FAQ": "Συχνές ερωτήσεις",
"Help & About": "Βοήθεια & Σχετικά",
"To report a Matrix-related security issue, please read the Matrix.org <a>Security Disclosure Policy</a>.": "Για να αναφέρετε ένα ζήτημα ασφάλειας που σχετίζεται με το Matrix, διαβάστε την <a>Πολιτική Γνωστοποίησης Ασφαλείας</a> του Matrix.org.",
"Submit debug logs": "Υποβολή αρχείων καταγραφής εντοπισμού σφαλμάτων",
"If you've submitted a bug via GitHub, debug logs can help us track down the problem. ": "Εάν έχετε υποβάλει ένα σφάλμα μέσω του GitHub, τα αρχεία καταγραφής εντοπισμού σφαλμάτων μπορούν να μας βοηθήσουν να εντοπίσουμε το πρόβλημα. ",
"Bug reporting": "Αναφορά σφαλμάτων",
"Chat with %(brand)s Bot": "Συνομιλία με το %(brand)s Bot",
"For help with using %(brand)s, click <a>here</a> or start a chat with our bot using the button below.": "Για βοήθεια σχετικά με τη χρήση του %(brand)s, κάντε κλικ <a>εδώ</a> ή ξεκινήστε μια συνομιλία με το bot μας χρησιμοποιώντας το παρακάτω κουμπί.",
"For help with using %(brand)s, click <a>here</a>.": "Για βοήθεια σχετικά με τη χρήση του %(brand)s, κάντε κλικ <a>εδώ</a>.",
@ -1529,7 +1501,6 @@
"Signature upload success": "Επιτυχία μεταφόρτωσης υπογραφής",
"Cancelled signature upload": "Ακυρώθηκε η μεταφόρτωση υπογραφής",
"Upload completed": "Η μεταφόρτωση ολοκληρώθηκε",
"Space": "Χώρος",
"Clear all data in this session?": "Εκκαθάριση όλων των δεδομένων σε αυτήν την περίοδο σύνδεσης;",
"Clear all data": "Εκκαθάριση όλων των δεδομένων",
"Remove %(count)s messages": {
@ -1576,7 +1547,6 @@
"Topic: %(topic)s ": "Θέμα: %(topic)s ",
"This is the beginning of your direct message history with <displayName/>.": "Αυτή είναι η αρχή του ιστορικού των άμεσων μηνυμάτων σας με <displayName/>.",
"Only the two of you are in this conversation, unless either of you invites anyone to join.": "Μόνο οι δυο σας συμμετέχετε σε αυτήν τη συνομιλία, εκτός εάν κάποιος από εσάς προσκαλέσει κάποιον να συμμετάσχει.",
"%(seconds)ss left": "%(seconds)ss απομένουν",
"The authenticity of this encrypted message can't be guaranteed on this device.": "Η αυθεντικότητα αυτού του κρυπτογραφημένου μηνύματος δεν είναι εγγυημένη σε αυτήν τη συσκευή.",
"Encrypted by a deleted session": "Κρυπτογραφήθηκε από μια διαγραμμένη συνεδρία",
"Unencrypted": "Μη κρυπτογραφημένο",
@ -1676,20 +1646,15 @@
"Rooms outside of a space": "Δωμάτια εκτός χώρου",
"Spaces are ways to group rooms and people. Alongside the spaces you're in, you can use some pre-built ones too.": "Οι Χώροι είναι ένας τρόπος ομαδοποίησης δωματίων και ατόμων. Εκτός από τους χώρους στους οποίους βρίσκεστε, μπορείτε να χρησιμοποιήσετε και κάποιους προκατασκευασμένους.",
"Sidebar": "Πλαϊνή μπάρα",
"Privacy": "Ιδιωτικότητα",
"Cross-signing": "Διασταυρούμενη υπογραφή",
"Accept all %(invitedRooms)s invites": "Αποδεχτείτε όλες τις %(invitedRooms)sπροσκλήσεις",
"You have no ignored users.": "Δεν έχετε χρήστες που έχετε αγνοήσει.",
"Autocomplete delay (ms)": "Καθυστέρηση αυτόματης συμπλήρωσης (ms)",
"Timeline": "Χρονοδιάγραμμα",
"Code blocks": "Μπλοκ κώδικα",
"Displaying time": "Εμφάνιση ώρας",
"To view all keyboard shortcuts, <a>click here</a>.": "Για να δείτε όλες τις συντομεύσεις πληκτρολογίου, <a>κάντε κλικ εδώ</a>.",
"Keyboard shortcuts": "Συντομεύσεις πληκτρολογίου",
"Room list": "Λίστα δωματίων",
"Preferences": "Προτιμήσεις",
"Debug logs contain application usage data including your username, the IDs or aliases of the rooms you have visited, which UI elements you last interacted with, and the usernames of other users. They do not contain messages.": "Τα αρχεία καταγραφής εντοπισμού σφαλμάτων περιέχουν δεδομένα χρήσης εφαρμογών, συμπεριλαμβανομένου του ονόματος χρήστη σας, των αναγνωριστικών ή των ψευδωνύμων των δωματίων που έχετε επισκεφτεί, των στοιχείων διεπαφής χρήστη με τα οποία αλληλεπιδράσατε τελευταία και των ονομάτων χρήστη άλλων χρηστών. Δεν περιέχουν μηνύματα.",
"Legal": "Νομικό",
"User signing private key:": "Ιδιωτικό κλειδί για υπογραφή χρήστη:",
"Your homeserver doesn't seem to support this feature.": "Ο διακομιστής σας δε φαίνεται να υποστηρίζει αυτήν τη δυνατότητα.",
"Verify session": "Επαλήθευση συνεδρίας",
@ -1810,8 +1775,6 @@
"Attach files from chat or just drag and drop them anywhere in a room.": "Επισυνάψτε αρχεία από τη συνομιλία ή απλώς σύρετε και αποθέστε τα οπουδήποτε μέσα σε ένα δωμάτιο.",
"No files visible in this room": "Δεν υπάρχουν αρχεία ορατά σε αυτό το δωμάτιο",
"Couldn't load page": "Δεν ήταν δυνατή η φόρτωση της σελίδας",
"Play": "Αναπαραγωγή",
"Pause": "Παύση",
"Error downloading audio": "Σφάλμα λήψης ήχου",
"Sign in with SSO": "Συνδεθείτε με SSO",
"Add an email to be able to reset your password.": "Προσθέστε ένα email για να μπορείτε να κάνετε επαναφορά του κωδικού πρόσβασης σας.",
@ -1827,7 +1790,6 @@
"Nice, strong password!": "Πολύ καλά, ισχυρός κωδικός πρόσβασης!",
"Enter password": "Εισάγετε τον κωδικό πρόσβασης",
"Something went wrong in confirming your identity. Cancel and try again.": "Κάτι πήγε στραβά στην επιβεβαίωση της ταυτότητάς σας. Ακυρώστε και δοκιμάστε ξανά.",
"Code": "Κωδικός",
"Confirm your identity by entering your account password below.": "Ταυτοποιηθείτε εισάγοντας παρακάτω τον κωδικό πρόσβασης του λογαριασμού σας.",
"Doesn't look like a valid email address": "Δε μοιάζει με έγκυρη διεύθυνση email",
"Enter email address": "Εισάγετε διεύθυνση email",
@ -1878,7 +1840,6 @@
"Looks good!": "Φαίνεται καλό!",
"Wrong file type": "Λάθος τύπος αρχείου",
"Decline All": "Απόρριψη όλων",
"Approve": "Έγκριση",
"Verification Request": "Αίτημα επαλήθευσης",
"Verify other device": "Επαλήθευση άλλης συσκευής",
"Upload Error": "Σφάλμα μεταφόρτωσης",
@ -2087,7 +2048,6 @@
"Click here to see older messages.": "Κάντε κλικ εδώ για να δείτε παλαιότερα μηνύματα.",
"Message deleted on %(date)s": "Το μήνυμα διαγράφηκε στις %(date)s",
"%(reactors)s reacted with %(content)s": "%(reactors)s αντέδρασαν με %(content)s",
"Show all": "Εμφάνιση όλων",
"Add reaction": "Προσθέστε αντίδραση",
"Error processing voice message": "Σφάλμα επεξεργασίας του φωνητικού μηνύματος",
"%(count)s votes": {
@ -2219,7 +2179,6 @@
"This room is running room version <roomVersion />, which this homeserver has marked as <i>unstable</i>.": "Αυτό το δωμάτιο τρέχει την έκδοση <roomVersion />, την οποία ο κεντρικός διακομιστής έχει επισημάνει ως <i>ασταθής</i>.",
"This room has already been upgraded.": "Αυτό το δωμάτιο έχει ήδη αναβαθμιστεί.",
"Composer": "Συντάκτης μηνυμάτων",
"Credits": "Συντελεστές",
"Discovery": "Ανακάλυψη",
"Developer tools": "Εργαλεία προγραμματιστή",
"Got It": "Κατανοώ",
@ -2274,7 +2233,6 @@
"Try scrolling up in the timeline to see if there are any earlier ones.": "Δοκιμάστε να κάνετε κύλιση στη γραμμή χρόνου για να δείτε αν υπάρχουν παλαιότερα.",
"No recent messages by %(user)s found": "Δε βρέθηκαν πρόσφατα μηνύματα από %(user)s",
"Notes": "Σημειώσεις",
"Download logs": "Λήψη αρχείων καταγραφής",
"Before submitting logs, you must <a>create a GitHub issue</a> to describe your problem.": "Προτού υποβάλετε αρχεία καταγραφής, πρέπει να <a>δημιουργήσετε ένα ζήτημα GitHub</a> για να περιγράψετε το πρόβλημά σας.",
"Reminder: Your browser is unsupported, so your experience may be unpredictable.": "Υπενθύμιση: Το πρόγραμμα περιήγησής σας δεν υποστηρίζεται, επομένως η εμπειρία σας μπορεί να είναι απρόβλεπτη.",
"Preparing to download logs": "Προετοιμασία λήψης αρχείων καταγραφής",
@ -2464,7 +2422,6 @@
"Set a Security Phrase": "Ορίστε μια Φράση Ασφαλείας",
"Upgrade your encryption": "Αναβαθμίστε την κρυπτογράφηση σας",
"You'll need to authenticate with the server to confirm the upgrade.": "Θα χρειαστεί να πραγματοποιήσετε έλεγχο ταυτότητας με τον διακομιστή για να επιβεβαιώσετε την αναβάθμιση.",
"Restore": "Επαναφορά",
"Restore your key backup to upgrade your encryption": "Επαναφέρετε το αντίγραφο ασφαλείας του κλειδιού σας για να αναβαθμίσετε την κρυπτογράφηση",
"Enter your account password to confirm the upgrade:": "Εισαγάγετε τον κωδικό πρόσβασης του λογαριασμού σας για να επιβεβαιώσετε την αναβάθμιση:",
"Success!": "Επιτυχία!",
@ -2554,8 +2511,6 @@
"Pick rooms or conversations to add. This is just a space for you, no one will be informed. You can add more later.": "Επιλέξτε δωμάτια ή συνομιλίες για προσθήκη. Αυτός είναι απλά ένας χώρος για εσάς, κανείς δε θα ενημερωθεί. Μπορείτε να προσθέσετε περισσότερα αργότερα.",
"What do you want to organise?": "Τι θέλετε να οργανώσετε;",
"Skip for now": "Παράλειψη προς το παρόν",
"Support": "Υποστήριξη",
"Random": "Τυχαία",
"Welcome to <name/>": "Καλώς ήρθατε στο <name/>",
"<inviter/> invites you": "<inviter/> σας προσκαλεί",
"Private space": "Ιδιωτικός χώρος",
@ -2770,8 +2725,6 @@
"You can't disable this later. Bridges & most bots won't work yet.": "Δεν μπορείτε να το απενεργοποιήσετε αργότερα. Οι γέφυρες και τα περισσότερα ρομπότ δεν μπορούν να λειτουργήσουν ακόμα.",
"Clearing all data from this session is permanent. Encrypted messages will be lost unless their keys have been backed up.": "Η εκκαθάριση όλων των δεδομένων από αυτήν τη συνεδρία είναι μόνιμη. Τα κρυπτογραφημένα μηνύματα θα χαθούν εκτός εάν έχουν δημιουργηθεί αντίγραφα ασφαλείας των κλειδιών τους.",
"Unable to load commit detail: %(msg)s": "Δεν είναι δυνατή η φόρτωση των λεπτομερειών δέσμευσης: %(msg)s",
"If there is additional context that would help in analysing the issue, such as what you were doing at the time, room IDs, user IDs, etc., please include those things here.": "Εάν υπάρχουν πρόσθετες ππληροφορίες που θα βοηθούσαν στην ανάλυση του ζητήματος, όπως τι κάνατε εκείνη τη στιγμή, αναγνωριστικά δωματίων, αναγνωριστικά χρηστών κ.λπ., συμπεριλάβετε τα εδώ.",
"GitHub issue": "Ζήτημα GitHub",
"Use bots, bridges, widgets and sticker packs": "Χρησιμοποιήστε bots, γέφυρες, μικροεφαρμογές και πακέτα αυτοκόλλητων",
"Data on this screen is shared with %(widgetDomain)s": "Τα δεδομένα σε αυτήν την οθόνη μοιράζονται με το %(widgetDomain)s",
"Using this widget may share data <helpIcon /> with %(widgetDomain)s & your integration manager.": "Η χρήση αυτής της μικροεφαρμογής μπορεί να μοιραστεί δεδομένα <helpIcon /> με το %(widgetDomain)s και τον διαχειριστή πρόσθετων.",
@ -2787,7 +2740,6 @@
"Sent": "Απεσταλμένα",
"PRO TIP: If you start a bug, please submit <debugLogsLink>debug logs</debugLogsLink> to help us track down the problem.": "ΣΥΜΒΟΥΛΗ: Εάν αναφέρετε ένα σφάλμα, υποβάλετε <debugLogsLink>αρχεία καταγραφής εντοπισμού σφαλμάτων</debugLogsLink> για να μας βοηθήσετε να εντοπίσουμε το πρόβλημα.",
"Verification explorer": "Εξερευνητής επαλήθευσης",
"Mod": "Συντονιστής",
"Jump to oldest unread message": "Μετάβαση στο παλαιότερο μη αναγνωσμένο μήνυμα",
"Jump to end of the composer": "Μετάβαση στο τέλους του επεξεργαστή κειμένου",
"Jump to start of the composer": "Μετάβαση στην αρχή του επεξεργαστή κειμένου",
@ -3192,7 +3144,21 @@
"dark": "Σκούρο",
"beta": "Beta",
"attachment": "Επισύναψη",
"appearance": "Εμφάνιση"
"appearance": "Εμφάνιση",
"guest": "Επισκέπτης",
"legal": "Νομικό",
"credits": "Συντελεστές",
"faq": "Συχνές ερωτήσεις",
"access_token": "Διακριτικό πρόσβασης",
"preferences": "Προτιμήσεις",
"timeline": "Χρονοδιάγραμμα",
"privacy": "Ιδιωτικότητα",
"camera": "Κάμερα",
"microphone": "Μικρόφωνο",
"emoji": "Εικονίδια",
"random": "Τυχαία",
"support": "Υποστήριξη",
"space": "Χώρος"
},
"action": {
"continue": "Συνέχεια",
@ -3262,7 +3228,21 @@
"call": "Κλήση",
"back": "Πίσω",
"add": "Προσθήκη",
"accept": "Αποδοχή"
"accept": "Αποδοχή",
"disconnect": "Αποσύνδεση",
"change": "Αλλαγή",
"subscribe": "Εγγραφείτε",
"unsubscribe": "Απεγγραφή",
"approve": "Έγκριση",
"complete": "Ολοκληρώθηκε",
"revoke": "Ανάκληση",
"rename": "Μετονομασία",
"show_all": "Εμφάνιση όλων",
"review": "Ανασκόπηση",
"restore": "Επαναφορά",
"play": "Αναπαραγωγή",
"pause": "Παύση",
"register": "Εγγραφή"
},
"a11y": {
"user_menu": "Μενού χρήστη"
@ -3296,5 +3276,41 @@
"control": "Ctrl",
"shift": "Shift",
"number": "[αριθμός]"
},
"composer": {
"format_bold": "Έντονα",
"format_strikethrough": "Διαγράμμιση",
"format_inline_code": "Κωδικός",
"format_code_block": "Μπλοκ κώδικα"
},
"Bold": "Έντονα",
"Code": "Κωδικός",
"power_level": {
"default": "Προεπιλογή",
"restricted": "Περιορισμένο/η",
"moderator": "Συντονιστής",
"admin": "Διαχειριστής",
"custom": "Προσαρμοσμένα (%(level)s)",
"mod": "Συντονιστής"
},
"bug_reporting": {
"introduction": "Εάν έχετε υποβάλει ένα σφάλμα μέσω του GitHub, τα αρχεία καταγραφής εντοπισμού σφαλμάτων μπορούν να μας βοηθήσουν να εντοπίσουμε το πρόβλημα. ",
"description": "Τα αρχεία καταγραφής εντοπισμού σφαλμάτων περιέχουν δεδομένα χρήσης εφαρμογών, συμπεριλαμβανομένου του ονόματος χρήστη σας, των αναγνωριστικών ή των ψευδωνύμων των δωματίων που έχετε επισκεφτεί, των στοιχείων διεπαφής χρήστη με τα οποία αλληλεπιδράσατε τελευταία και των ονομάτων χρήστη άλλων χρηστών. Δεν περιέχουν μηνύματα.",
"matrix_security_issue": "Για να αναφέρετε ένα ζήτημα ασφάλειας που σχετίζεται με το Matrix, διαβάστε την <a>Πολιτική Γνωστοποίησης Ασφαλείας</a> του Matrix.org.",
"submit_debug_logs": "Υποβολή αρχείων καταγραφής εντοπισμού σφαλμάτων",
"title": "Αναφορά σφαλμάτων",
"additional_context": "Εάν υπάρχουν πρόσθετες ππληροφορίες που θα βοηθούσαν στην ανάλυση του ζητήματος, όπως τι κάνατε εκείνη τη στιγμή, αναγνωριστικά δωματίων, αναγνωριστικά χρηστών κ.λπ., συμπεριλάβετε τα εδώ.",
"send_logs": "Αποστολή πληροφοριών",
"github_issue": "Ζήτημα GitHub",
"download_logs": "Λήψη αρχείων καταγραφής",
"before_submitting": "Προτού υποβάλετε αρχεία καταγραφής, πρέπει να <a>δημιουργήσετε ένα ζήτημα GitHub</a> για να περιγράψετε το πρόβλημά σας."
},
"time": {
"seconds_left": "%(seconds)ss απομένουν",
"date_at_time": "%(date)s στις %(time)s",
"short_days": "%(value)sμέρες",
"short_hours": "%(value)sώρες",
"short_minutes": "%(value)s'",
"short_seconds": "%(value)s\""
}
}

View file

@ -27,6 +27,7 @@
"stop": "Stop",
"learn_more": "Learn more",
"yes": "Yes",
"review": "Review",
"join": "Join",
"close": "Close",
"decline": "Decline",
@ -46,9 +47,22 @@
"remove": "Remove",
"reset": "Reset",
"save": "Save",
"disconnect": "Disconnect",
"change": "Change",
"add": "Add",
"unsubscribe": "Unsubscribe",
"subscribe": "Subscribe",
"sign_out": "Sign out",
"deny": "Deny",
"approve": "Approve",
"proceed": "Proceed",
"complete": "Complete",
"revoke": "Revoke",
"share": "Share",
"rename": "Rename",
"show_all": "Show all",
"show": "Show",
"view_all": "View all",
"invite": "Invite",
"search": "Search",
"quote": "Quote",
@ -77,7 +91,11 @@
"ask_to_join": "Ask to join",
"forward": "Forward",
"copy_link": "Copy link",
"register": "Register",
"pause": "Pause",
"play": "Play",
"logout": "Logout",
"restore": "Restore",
"disable": "Disable"
},
"Add Email Address": "Add Email Address",
@ -94,6 +112,7 @@
"dark": "Dark",
"video": "Video",
"warning": "Warning",
"guest": "Guest",
"home": "Home",
"favourites": "Favourites",
"people": "People",
@ -112,6 +131,17 @@
"message_layout": "Message layout",
"modern": "Modern",
"success": "Success",
"legal": "Legal",
"credits": "Credits",
"faq": "FAQ",
"access_token": "Access Token",
"preferences": "Preferences",
"presence": "Presence",
"timeline": "Timeline",
"privacy": "Privacy",
"microphone": "Microphone",
"camera": "Camera",
"emoji": "Emoji",
"sticker": "Sticker",
"offline": "Offline",
"loading": "Loading…",
@ -131,9 +161,12 @@
"forward_message": "Forward message",
"suggestions": "Suggestions",
"labs": "Labs",
"space": "Space",
"beta": "Beta",
"password": "Password",
"username": "Username",
"random": "Random",
"support": "Support",
"room_name": "Room name",
"thread": "Thread"
},
@ -145,17 +178,19 @@
"Server may be unavailable, overloaded, or you hit a bug.": "Server may be unavailable, overloaded, or you hit a bug.",
"The server does not support the room version specified.": "The server does not support the room version specified.",
"Failure to create room": "Failure to create room",
"%(hours)sh %(minutes)sm %(seconds)ss left": "%(hours)sh %(minutes)sm %(seconds)ss left",
"%(minutes)sm %(seconds)ss left": "%(minutes)sm %(seconds)ss left",
"%(seconds)ss left": "%(seconds)ss left",
"%(date)s at %(time)s": "%(date)s at %(time)s",
"%(value)sd": "%(value)sd",
"%(value)sh": "%(value)sh",
"%(value)sm": "%(value)sm",
"%(value)ss": "%(value)ss",
"%(days)sd %(hours)sh %(minutes)sm %(seconds)ss": "%(days)sd %(hours)sh %(minutes)sm %(seconds)ss",
"%(hours)sh %(minutes)sm %(seconds)ss": "%(hours)sh %(minutes)sm %(seconds)ss",
"%(minutes)sm %(seconds)ss": "%(minutes)sm %(seconds)ss",
"time": {
"hours_minutes_seconds_left": "%(hours)sh %(minutes)sm %(seconds)ss left",
"minutes_seconds_left": "%(minutes)sm %(seconds)ss left",
"seconds_left": "%(seconds)ss left",
"date_at_time": "%(date)s at %(time)s",
"short_days": "%(value)sd",
"short_hours": "%(value)sh",
"short_minutes": "%(value)sm",
"short_seconds": "%(value)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_minutes_seconds": "%(minutes)sm %(seconds)ss"
},
"Identity server has no terms of service": "Identity server has no terms of service",
"This action requires accessing the default identity server <server /> to validate an email address or phone number, but the server does not have any terms of service.": "This action requires accessing the default identity server <server /> to validate an email address or phone number, but the server does not have any terms of service.",
"Only continue if you trust the owner of the server.": "Only continue if you trust the owner of the server.",
@ -224,11 +259,14 @@
"Use your account or create a new one to continue.": "Use your account or create a new one to continue.",
"Use your account to continue.": "Use your account to continue.",
"Create Account": "Create Account",
"Default": "Default",
"Restricted": "Restricted",
"Moderator": "Moderator",
"Admin": "Admin",
"Custom (%(level)s)": "Custom (%(level)s)",
"power_level": {
"default": "Default",
"restricted": "Restricted",
"moderator": "Moderator",
"admin": "Admin",
"custom": "Custom (%(level)s)",
"mod": "Mod"
},
"Failed to invite": "Failed to invite",
"Operation failed": "Operation failed",
"Failed to invite users to %(roomName)s": "Failed to invite users to %(roomName)s",
@ -696,7 +734,6 @@
"Help improve %(analyticsOwner)s": "Help improve %(analyticsOwner)s",
"You have unverified sessions": "You have unverified sessions",
"Review to ensure your account is safe": "Review to ensure your account is safe",
"Review": "Review",
"Later": "Later",
"Don't miss a reply": "Don't miss a reply",
"Notifications": "Notifications",
@ -715,7 +752,6 @@
"Your homeserver has exceeded its user limit.": "Your homeserver has exceeded its user limit.",
"Your homeserver has exceeded one of its resource limits.": "Your homeserver has exceeded one of its resource limits.",
"Contact your <a>server admin</a>.": "Contact your <a>server admin</a>.",
"Ok": "Ok",
"Set up Secure Backup": "Set up Secure Backup",
"Encryption upgrade available": "Encryption upgrade available",
"Verify this session": "Verify this session",
@ -727,7 +763,6 @@
"What's New": "What's New",
"Update %(brand)s": "Update %(brand)s",
"New version of %(brand)s is available": "New version of %(brand)s is available",
"Guest": "Guest",
"There was an error joining.": "There was an error joining.",
"Sorry, your homeserver is too old to participate here.": "Sorry, your homeserver is too old to participate here.",
"Please contact your homeserver administrator.": "Please contact your homeserver administrator.",
@ -773,6 +808,7 @@
"Usage": "Usage",
"Messages": "Messages",
"Actions": "Actions",
"Admin": "Admin",
"Advanced": "Advanced",
"Effects": "Effects",
"Other": "Other",
@ -1166,6 +1202,7 @@
"Custom font size can only be between %(min)s pt and %(max)s pt": "Custom font size can only be between %(min)s pt and %(max)s pt",
"Use between %(min)s pt and %(max)s pt": "Use between %(min)s pt and %(max)s pt",
"Image size in the timeline": "Image size in the timeline",
"Default": "Default",
"Large": "Large",
"Connecting to integration manager…": "Connecting to integration manager…",
"Cannot connect to integration manager": "Cannot connect to integration manager",
@ -1266,7 +1303,6 @@
"The identity server you have chosen does not have any terms of service.": "The identity server you have chosen does not have any terms of service.",
"Disconnect identity server": "Disconnect identity server",
"Disconnect from the identity server <idserver />?": "Disconnect from the identity server <idserver />?",
"Disconnect": "Disconnect",
"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.": "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.",
"You should:": "You should:",
"check your browser plugins for anything that might block the identity server (such as Privacy Badger)": "check your browser plugins for anything that might block the identity server (such as Privacy Badger)",
@ -1284,7 +1320,6 @@
"Using an identity server is optional. If you choose not to use an identity server, you won't be discoverable by other users and you won't be able to invite others by email or phone.": "Using an identity server is optional. If you choose not to use an identity server, you won't be discoverable by other users and you won't be able to invite others by email or phone.",
"Do not use an identity server": "Do not use an identity server",
"Enter a new identity server": "Enter a new identity server",
"Change": "Change",
"Use an integration manager <b>(%(serverName)s)</b> to manage bots, widgets, and sticker packs.": "Use an integration manager <b>(%(serverName)s)</b> to manage bots, widgets, and sticker packs.",
"Use an integration manager to manage bots, widgets, and sticker packs.": "Use an integration manager to manage bots, widgets, and sticker packs.",
"Manage integrations": "Manage integrations",
@ -1325,8 +1360,6 @@
"Discovery": "Discovery",
"%(brand)s version:": "%(brand)s version:",
"Olm version:": "Olm version:",
"Legal": "Legal",
"Credits": "Credits",
"credits": {
"default_cover_photo": "The <photo>default cover photo</photo> is © <author>Jesús Roncero</author> used under the terms of <terms>CC-BY-SA 4.0</terms>.",
"twemoji_colr": "The <colr>twemoji-colr</colr> font is © <author>Mozilla Foundation</author> used under the terms of <terms>Apache 2.0</terms>.",
@ -1335,17 +1368,22 @@
"For help with using %(brand)s, click <a>here</a>.": "For help with using %(brand)s, click <a>here</a>.",
"For help with using %(brand)s, click <a>here</a> or start a chat with our bot using the button below.": "For help with using %(brand)s, click <a>here</a> or start a chat with our bot using the button below.",
"Chat with %(brand)s Bot": "Chat with %(brand)s Bot",
"Bug reporting": "Bug reporting",
"If you've submitted a bug via GitHub, debug logs can help us track down the problem. ": "If you've submitted a bug via GitHub, debug logs can help us track down the problem. ",
"Debug logs contain application usage data including your username, the IDs or aliases of the rooms you have visited, which UI elements you last interacted with, and the usernames of other users. They do not contain messages.": "Debug logs contain application usage data including your username, the IDs or aliases of the rooms you have visited, which UI elements you last interacted with, and the usernames of other users. They do not contain messages.",
"Submit debug logs": "Submit debug logs",
"To report a Matrix-related security issue, please read the Matrix.org <a>Security Disclosure Policy</a>.": "To report a Matrix-related security issue, please read the Matrix.org <a>Security Disclosure Policy</a>.",
"bug_reporting": {
"title": "Bug reporting",
"introduction": "If you've submitted a bug via GitHub, debug logs can help us track down the problem. ",
"description": "Debug logs contain application usage data including your username, the IDs or aliases of the rooms you have visited, which UI elements you last interacted with, and the usernames of other users. They do not contain messages.",
"submit_debug_logs": "Submit debug logs",
"matrix_security_issue": "To report a Matrix-related security issue, please read the Matrix.org <a>Security Disclosure Policy</a>.",
"before_submitting": "Before submitting logs, you must <a>create a GitHub issue</a> to describe your problem.",
"download_logs": "Download logs",
"github_issue": "GitHub issue",
"additional_context": "If there is additional context that would help in analysing the issue, such as what you were doing at the time, room IDs, user IDs, etc., please include those things here.",
"send_logs": "Send logs"
},
"Help & About": "Help & About",
"FAQ": "FAQ",
"Versions": "Versions",
"Homeserver is <code>%(homeserverUrl)s</code>": "Homeserver is <code>%(homeserverUrl)s</code>",
"Identity server is <code>%(identityServerUrl)s</code>": "Identity server is <code>%(identityServerUrl)s</code>",
"Access Token": "Access Token",
"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.",
"Clear cache and reload": "Clear cache and reload",
"Keyboard": "Keyboard",
@ -1367,7 +1405,6 @@
"You have not ignored anyone.": "You have not ignored anyone.",
"You are currently ignoring:": "You are currently ignoring:",
"You are not subscribed to any lists": "You are not subscribed to any lists",
"Unsubscribe": "Unsubscribe",
"View rules": "View rules",
"You are currently subscribed to:": "You are currently subscribed to:",
"Ignored users": "Ignored users",
@ -1382,18 +1419,14 @@
"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": "Room ID or address of ban list",
"Subscribe": "Subscribe",
"Preferences": "Preferences",
"Room list": "Room list",
"Keyboard shortcuts": "Keyboard shortcuts",
"To view all keyboard shortcuts, <a>click here</a>.": "To view all keyboard shortcuts, <a>click here</a>.",
"Displaying time": "Displaying time",
"Presence": "Presence",
"Share your activity and status with others.": "Share your activity and status with others.",
"Composer": "Composer",
"Code blocks": "Code blocks",
"Images, GIFs and videos": "Images, GIFs and videos",
"Timeline": "Timeline",
"Room directory": "Room directory",
"Enable hardware acceleration (restart %(appName)s to take effect)": "Enable hardware acceleration (restart %(appName)s to take effect)",
"Autocomplete delay (ms)": "Autocomplete delay (ms)",
@ -1408,7 +1441,6 @@
"Message search": "Message search",
"Cross-signing": "Cross-signing",
"Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.",
"Privacy": "Privacy",
"Share anonymous data to help us identify issues. Nothing personal. No third parties.": "Share anonymous data to help us identify issues. Nothing personal. No third parties.",
"Sessions": "Sessions",
"Are you sure you want to sign out of %(count)s sessions?": {
@ -1429,9 +1461,7 @@
"Request media permissions": "Request media permissions",
"Audio Output": "Audio Output",
"No Audio Outputs detected": "No Audio Outputs detected",
"Microphone": "Microphone",
"No Microphones detected": "No Microphones detected",
"Camera": "Camera",
"No Webcams detected": "No Webcams detected",
"Voice settings": "Voice settings",
"Automatically adjust the microphone volume": "Automatically adjust the microphone volume",
@ -1467,8 +1497,6 @@
"Browse": "Browse",
"See less": "See less",
"See more": "See more",
"Deny": "Deny",
"Approve": "Approve",
"Asking to join": "Asking to join",
"No requests": "No requests",
"Failed to unban": "Failed to unban",
@ -1549,7 +1577,6 @@
"Select which emails you want to send summaries to. Manage your emails in <button>General</button>.": "Select which emails you want to send summaries to. Manage your emails in <button>General</button>.",
"People, Mentions and Keywords": "People, Mentions and Keywords",
"Mentions and Keywords only": "Mentions and Keywords only",
"Proceed": "Proceed",
"<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>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>",
"Show message preview in desktop notification": "Show message preview in desktop notification",
"I want to be notified for (Default Setting)": "I want to be notified for (Default Setting)",
@ -1576,8 +1603,6 @@
"Click the link in the email you received to verify and then click continue again.": "Click the link in the email you received to verify and then click continue again.",
"Unable to verify email address.": "Unable to verify email address.",
"Verify the link in your inbox": "Verify the link in your inbox",
"Complete": "Complete",
"Revoke": "Revoke",
"Discovery options will appear once you have added an email above.": "Discovery options will appear once you have added an email above.",
"Unable to revoke sharing for phone number": "Unable to revoke sharing for phone number",
"Unable to share phone number": "Unable to share phone number",
@ -1611,7 +1636,6 @@
"Renaming sessions": "Renaming sessions",
"Other users in direct messages and rooms that you join are able to view a full list of your sessions.": "Other users in direct messages and rooms that you join are able to view a full list of your sessions.",
"This provides them with confidence that they are really speaking to you, but it also means they can see the session name you enter here.": "This provides them with confidence that they are really speaking to you, but it also means they can see the session name you enter here.",
"Rename": "Rename",
"Session ID": "Session ID",
"Last activity": "Last activity",
"Application": "Application",
@ -1662,14 +1686,12 @@
"No unverified sessions found.": "No unverified sessions found.",
"No inactive sessions found.": "No inactive sessions found.",
"No sessions found.": "No sessions found.",
"Show all": "Show all",
"All": "All",
"Ready for secure messaging": "Ready for secure messaging",
"Not ready for secure messaging": "Not ready for secure messaging",
"Inactive": "Inactive",
"Inactive for %(inactiveAgeDays)s days or longer": "Inactive for %(inactiveAgeDays)s days or longer",
"Filter devices": "Filter devices",
"Show": "Show",
"Deselect all": "Deselect all",
"Select all": "Select all",
"%(count)s sessions selected": {
@ -1686,7 +1708,6 @@
"Other sessions": "Other sessions",
"Security recommendations": "Security recommendations",
"Improve your account security by following these recommendations.": "Improve your account security by following these recommendations.",
"View all": "View all",
"Failed to set pusher state": "Failed to set pusher state",
"Unable to remove contact information": "Unable to remove contact information",
"Remove %(email)s?": "Remove %(email)s?",
@ -1705,8 +1726,6 @@
"This room is end-to-end encrypted": "This room is end-to-end encrypted",
"Everyone in this room is verified": "Everyone in this room is verified",
"Edit message": "Edit message",
"Emoji": "Emoji",
"Mod": "Mod",
"From a thread": "From a thread",
"This event could not be displayed": "This event could not be displayed",
" in <strong>%(room)s</strong>": " in <strong>%(room)s</strong>",
@ -1777,9 +1796,20 @@
"Hide formatting": "Hide formatting",
"Show formatting": "Show formatting",
"Formatting": "Formatting",
"composer": {
"format_bold": "Bold",
"format_strikethrough": "Strikethrough",
"format_code_block": "Code block",
"format_italic": "Italic",
"format_underline": "Underline",
"format_unordered_list": "Bulleted list",
"format_ordered_list": "Numbered list",
"format_increase_indent": "Indent increase",
"format_decrease_indent": "Indent decrease",
"format_inline_code": "Code",
"format_link": "Link"
},
"Italics": "Italics",
"Strikethrough": "Strikethrough",
"Code block": "Code block",
"Insert link": "Insert link",
"Send your first message to invite <displayName/> to chat": "Send your first message to invite <displayName/> to chat",
"Once everyone has joined, youll be able to chat": "Once everyone has joined, youll be able to chat",
@ -1973,17 +2003,10 @@
"No microphone found": "No microphone found",
"We didn't find a microphone on your device. Please check your settings and try again.": "We didn't find a microphone on your device. Please check your settings and try again.",
"Stop recording": "Stop recording",
"Italic": "Italic",
"Underline": "Underline",
"Bulleted list": "Bulleted list",
"Numbered list": "Numbered list",
"Indent increase": "Indent increase",
"Indent decrease": "Indent decrease",
"Code": "Code",
"Link": "Link",
"Edit link": "Edit link",
"Create a link": "Create a link",
"Text": "Text",
"Link": "Link",
"Message Actions": "Message Actions",
"View in room": "View in room",
"Copy link to thread": "Copy link to thread",
@ -2604,12 +2627,7 @@
"Failed to send logs: ": "Failed to send logs: ",
"Preparing to download logs": "Preparing to download logs",
"Reminder: Your browser is unsupported, so your experience may be unpredictable.": "Reminder: Your browser is unsupported, so your experience may be unpredictable.",
"Before submitting logs, you must <a>create a GitHub issue</a> to describe your problem.": "Before submitting logs, you must <a>create a GitHub issue</a> to describe your problem.",
"Download logs": "Download logs",
"GitHub issue": "GitHub issue",
"Notes": "Notes",
"If there is additional context that would help in analysing the issue, such as what you were doing at the time, room IDs, user IDs, etc., please include those things here.": "If there is additional context that would help in analysing the issue, such as what you were doing at the time, room IDs, user IDs, etc., please include those things here.",
"Send logs": "Send logs",
"No recent messages by %(user)s found": "No recent messages by %(user)s found",
"Try scrolling up in the timeline to see if there are any earlier ones.": "Try scrolling up in the timeline to see if there are any earlier ones.",
"Remove recent messages by %(user)s": "Remove recent messages by %(user)s",
@ -3155,7 +3173,6 @@
"Match default setting": "Match default setting",
"Mute room": "Mute room",
"See room timeline (devtools)": "See room timeline (devtools)",
"Space": "Space",
"Space home": "Space home",
"Manage & explore rooms": "Manage & explore rooms",
"Thread options": "Thread options",
@ -3214,6 +3231,7 @@
"Token incorrect": "Token incorrect",
"A text message has been sent to %(msisdn)s": "A text message has been sent to %(msisdn)s",
"Please enter the code it contains:": "Please enter the code it contains:",
"Code": "Code",
"Submit": "Submit",
"Enter a registration token provided by the homeserver administrator.": "Enter a registration token provided by the homeserver administrator.",
"Registration token": "Registration token",
@ -3258,15 +3276,12 @@
"Unable to check if username has been taken. Try again later.": "Unable to check if username has been taken. Try again later.",
"Someone already has that username. Try another or if it is you, sign in below.": "Someone already has that username. Try another or if it is you, sign in below.",
"Phone (optional)": "Phone (optional)",
"Register": "Register",
"Add an email to be able to reset your password.": "Add an email to be able to reset your password.",
"Use email or phone to optionally be discoverable by existing contacts.": "Use email or phone to optionally be discoverable by existing contacts.",
"Use email to optionally be discoverable by existing contacts.": "Use email to optionally be discoverable by existing contacts.",
"Sign in with SSO": "Sign in with SSO",
"Unnamed audio": "Unnamed audio",
"Error downloading audio": "Error downloading audio",
"Pause": "Pause",
"Play": "Play",
"Couldn't load page": "Couldn't load page",
"Drop file here to upload": "Drop file here to upload",
"You must <a>register</a> to use this functionality": "You must <a>register</a> to use this functionality",
@ -3345,8 +3360,6 @@
"Rooms and spaces": "Rooms and spaces",
"Search names and descriptions": "Search names and descriptions",
"Welcome to <name/>": "Welcome to <name/>",
"Random": "Random",
"Support": "Support",
"Failed to create initial space rooms": "Failed to create initial space rooms",
"Skip for now": "Skip for now",
"Creating rooms…": "Creating rooms…",
@ -3512,7 +3525,6 @@
"Safeguard against losing access to encrypted messages & data by backing up encryption keys on your server.": "Safeguard against losing access to encrypted messages & data by backing up encryption keys on your server.",
"Enter your account password to confirm the upgrade:": "Enter your account password to confirm the upgrade:",
"Restore your key backup to upgrade your encryption": "Restore your key backup to upgrade your encryption",
"Restore": "Restore",
"You'll need to authenticate with the server to confirm the upgrade.": "You'll need to authenticate with the server to confirm the upgrade.",
"Upgrade this session to allow it to verify other sessions, granting them access to encrypted messages and marking them as trusted for other users.": "Upgrade this session to allow it to verify other sessions, granting them access to encrypted messages and marking them as trusted for other users.",
"Enter a Security Phrase only you know, as it's used to safeguard your data. To be secure, you shouldn't re-use your account password.": "Enter a Security Phrase only you know, as it's used to safeguard your data. To be secure, you shouldn't re-use your account password.",

View file

@ -8,8 +8,6 @@
"No media permissions": "No media permissions",
"You may need to manually permit %(brand)s to access your microphone/webcam": "You may need to manually permit %(brand)s to access your microphone/webcam",
"Default Device": "Default Device",
"Microphone": "Microphone",
"Camera": "Camera",
"Advanced": "Advanced",
"Always show message timestamps": "Always show message timestamps",
"Authentication": "Authentication",
@ -48,7 +46,6 @@
"Download %(text)s": "Download %(text)s",
"Email": "Email",
"Email address": "Email address",
"Emoji": "Emoji",
"Error decrypting attachment": "Error decrypting attachment",
"Export": "Export",
"Export E2E room keys": "Export E2E room keys",
@ -117,7 +114,6 @@
"Privileged Users": "Privileged Users",
"Profile": "Profile",
"Reason": "Reason",
"Register": "Register",
"Reject invitation": "Reject invitation",
"Return to login screen": "Return to login screen",
"%(brand)s does not have permission to send you notifications - please check your browser settings": "%(brand)s does not have permission to send you notifications - please check your browser settings",
@ -296,7 +292,6 @@
"All Rooms": "All Rooms",
"Wednesday": "Wednesday",
"Send": "Send",
"Send logs": "Send logs",
"All messages": "All messages",
"Call invitation": "Call invitation",
"What's new?": "What's new?",
@ -372,7 +367,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",
"Custom (%(level)s)": "Custom (%(level)s)",
"Sends a message as plain text, without interpreting it as markdown": "Sends a message as plain text, without interpreting it as markdown",
"Sends a message as html, without interpreting it as markdown": "Sends a message as html, without interpreting it as markdown",
"You do not have the required permissions to use this command.": "You do not have the required permissions to use this command.",
@ -402,9 +396,6 @@
"The call could not be established": "The call could not be established",
"The user you called is busy.": "The user you called is busy.",
"User Busy": "User Busy",
"%(seconds)ss left": "%(seconds)ss left",
"%(minutes)sm %(seconds)ss left": "%(minutes)sm %(seconds)ss left",
"%(hours)sh %(minutes)sm %(seconds)ss left": "%(hours)sh %(minutes)sm %(seconds)ss left",
"common": {
"analytics": "Analytics",
"error": "Error",
@ -422,7 +413,10 @@
"labs": "Labs",
"home": "Home",
"favourites": "Favorites",
"attachment": "Attachment"
"attachment": "Attachment",
"camera": "Camera",
"microphone": "Microphone",
"emoji": "Emoji"
},
"action": {
"continue": "Continue",
@ -454,9 +448,25 @@
"close": "Close",
"cancel": "Cancel",
"add": "Add",
"accept": "Accept"
"accept": "Accept",
"register": "Register"
},
"keyboard": {
"home": "Home"
},
"power_level": {
"default": "Default",
"restricted": "Restricted",
"moderator": "Moderator",
"admin": "Admin",
"custom": "Custom (%(level)s)"
},
"bug_reporting": {
"send_logs": "Send logs"
},
"time": {
"hours_minutes_seconds_left": "%(hours)sh %(minutes)sm %(seconds)ss left",
"minutes_seconds_left": "%(minutes)sm %(seconds)ss left",
"seconds_left": "%(seconds)ss left"
}
}

View file

@ -195,7 +195,6 @@
"Add an Integration": "Aldoni kunigon",
"powered by Matrix": "funkciigata de Matrix",
"Failed to change password. Is your password correct?": "Malsukcesis ŝanĝi la pasvorton. Ĉu via pasvorto estas ĝusta?",
"Register": "Registri",
"Token incorrect": "Malĝusta peco",
"A text message has been sent to %(msisdn)s": "Tekstmesaĝo sendiĝîs al %(msisdn)s",
"Please enter the code it contains:": "Bonvolu enigi la enhavatan kodon:",
@ -350,8 +349,6 @@
"No Microphones detected": "Neniu mikrofono troviĝis",
"No Webcams detected": "Neniu kamerao troviĝis",
"Default Device": "Implicita aparato",
"Microphone": "Mikrofono",
"Camera": "Kamerao",
"Email": "Retpoŝto",
"Notifications": "Sciigoj",
"Profile": "Profilo",
@ -374,7 +371,6 @@
"Ignores a user, hiding their messages from you": "Malatentas uzanton, kaŝante ĝiajn mesaĝojn de vi",
"Stops ignoring a user, showing their messages going forward": "Ĉesas malatenti uzanton, montronte ĝiajn pluajn mesaĝojn",
"Commands": "Komandoj",
"Emoji": "Mienetoj",
"Notify the whole room": "Sciigi la tutan ĉambron",
"Room Notification": "Ĉambra sciigo",
"Users": "Uzantoj",
@ -397,7 +393,6 @@
"Replying": "Respondante",
"%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s, %(day)s %(monthName)s %(fullYear)s",
"Failed to add tag %(tagName)s to room": "Malsukcesis aldoni etikedon %(tagName)s al ĉambro",
"Submit debug logs": "Sendi sencimigan protokolon",
"Sunday": "Dimanĉo",
"Notification targets": "Celoj de sciigoj",
"Today": "Hodiaŭ",
@ -426,7 +421,6 @@
"Invite to this room": "Inviti al ĉi tiu ĉambro",
"Wednesday": "Merkredo",
"You cannot delete this message. (%(code)s)": "Vi ne povas forigi tiun ĉi mesaĝon. (%(code)s)",
"Send logs": "Sendi protokolojn",
"All messages": "Ĉiuj mesaĝoj",
"Call invitation": "Invito al voko",
"State Key": "Stata ŝlosilo",
@ -560,16 +554,11 @@
"Display Name": "Vidiga nomo",
"Email addresses": "Retpoŝtadresoj",
"Phone numbers": "Telefonnumeroj",
"Legal": "Jura",
"Credits": "Dankoj",
"For help with using %(brand)s, click <a>here</a>.": "Por helpo pri uzado de %(brand)s, klaku <a>ĉi tien</a>.",
"For help with using %(brand)s, click <a>here</a> or start a chat with our bot using the button below.": "Por helpo pri uzado de %(brand)s, klaku <a>ĉi tien</a> aŭ komencu babilon kun nia roboto per la butono sube.",
"Chat with %(brand)s Bot": "Babilu kun la roboto %(brand)s Bot",
"Help & About": "Helpo kaj Prio",
"Bug reporting": "Cim-raportado",
"FAQ": "Oftaj demandoj",
"Versions": "Versioj",
"Preferences": "Agordoj",
"Composer": "Komponilo",
"Room list": "Ĉambrolisto",
"Ignored users": "Malatentaj uzantoj",
@ -610,13 +599,10 @@
"Share Room": "Kunhavigi ĉambron",
"Share User": "Kunhavigi uzanton",
"Share Room Message": "Kunhavigi ĉambran mesaĝon",
"Code": "Kodo",
"Change": "Ŝanĝi",
"Email (optional)": "Retpoŝto (malnepra)",
"Phone (optional)": "Telefono (malnepra)",
"Other": "Alia",
"Couldn't load page": "Ne povis enlegi paĝon",
"Guest": "Gasto",
"Could not load user profile": "Ne povis enlegi profilon de uzanto",
"Your password has been reset.": "Vi reagordis vian pasvorton.",
"General failure": "Ĝenerala fiasko",
@ -800,7 +786,6 @@
"Enable widget screenshots on supported widgets": "Ŝalti bildojn de fenestraĵoj por subtenataj fenestraĵoj",
"Show hidden events in timeline": "Montri kaŝitajn okazojn en historio",
"Start using Key Backup": "Ekuzi Savkopiadon de ŝlosiloj",
"Timeline": "Historio",
"Autocomplete delay (ms)": "Prokrasto de memaga kompletigo",
"Upgrade this room to the recommended room version": "Gradaltigi ĉi tiun ĉambron al rekomendata ĉambra versio",
"Uploaded sound": "Alŝutita sono",
@ -808,16 +793,13 @@
"Notification sound": "Sono de sciigo",
"Set a new custom sound": "Agordi novan propran sonon",
"Browse": "Foliumi",
"Show all": "Montri ĉiujn",
"Edited at %(date)s. Click to view edits.": "Redaktita je %(date)s. Klaku por vidi redaktojn.",
"The following users may not exist": "La jenaj uzantoj eble ne ekzistas",
"Unable to find profiles for the Matrix IDs listed below - would you like to invite them anyway?": "Ne povas trovi profilojn de la ĉi-subaj Matrix-identigilojn ĉu vi tamen volas inviti ilin?",
"Invite anyway and never warn me again": "Tamen inviti kaj neniam min averti ree",
"Please tell us what went wrong or, better, create a GitHub issue that describes the problem.": "Bonvolu diri al ni kio misokazis, aŭ pli bone raporti problemon per GitHub.",
"Before submitting logs, you must <a>create a GitHub issue</a> to describe your problem.": "Antaŭ ol sendi protokolon, vi devas <a>raporti problemon per GitHub</a> por priskribi la problemon.",
"GitHub issue": "Problemo per GitHub",
"Notes": "Notoj",
"If there is additional context that would help in analysing the issue, such as what you were doing at the time, room IDs, user IDs, etc., please include those things here.": "Se plia kunteksto povus helpi bone analizi la problemon, ekzemple pri tio, kion vi faris, identigiloj de ĉambroj aŭ uzantoj, ktp., bonvolu kunskribi ĝin.",
"Unable to load commit detail: %(msg)s": "Ne povas enlegi detalojn de enmeto: %(msg)s",
"Removing…": "Forigante…",
"I don't want my encrypted messages": "Mi ne volas miajn ĉifritajn mesaĝojn",
@ -939,7 +921,6 @@
"Only continue if you trust the owner of the server.": "Nur daŭrigu se vi fidas al la posedanto de la servilo.",
"Disconnect identity server": "Malkonekti la identigan servilon",
"Disconnect from the identity server <idserver />?": "Ĉu malkonektiĝi de la identiga servilo <idserver />?",
"Disconnect": "Malkonekti",
"You are still <b>sharing your personal data</b> on the identity server <idserver />.": "Vi ankoraŭ <b>havigas siajn personajn datumojn</b> je la identiga servilo <idserver />.",
"We recommend that you remove your email addresses and phone numbers from the identity server before disconnecting.": "Ni rekomendas, ke vi forigu viajn retpoŝtadresojn kaj telefonnumerojn de la identiga servilo, antaŭ ol vi malkonektiĝos.",
"Disconnect anyway": "Tamen malkonekti",
@ -971,10 +952,7 @@
"Deactivating this user will log them out and prevent them from logging back in. Additionally, they will leave all the rooms they are in. This action cannot be reversed. Are you sure you want to deactivate this user?": "Malaktivigo de ĉi tiu uzanto adiaŭigos ĝin, kaj malebligos, ke ĝi resalutu. Plie, ĝi foriros de ĉiuj enataj ĉambroj. Tiu ago ne povas malfariĝi. Ĉu vi certe volas malaktivigi ĉi tiun uzanton?",
"Deactivate user": "Malaktivigi uzanton",
"Remove recent messages": "Forigi freŝajn mesaĝojn",
"Bold": "Grase",
"Italics": "Kursive",
"Strikethrough": "Trastrekite",
"Code block": "Kodujo",
"Explore rooms": "Esplori ĉambrojn",
"Add Email Address": "Aldoni retpoŝtadreson",
"Add Phone Number": "Aldoni telefonnumeron",
@ -994,8 +972,6 @@
"Your email address hasn't been verified yet": "Via retpoŝtadreso ankoraŭ ne kontroliĝis",
"Click the link in the email you received to verify and then click continue again.": "Klaku la ligilon en la ricevita retletero por kontroli, kaj poste reklaku al «daŭrigi».",
"Verify the link in your inbox": "Kontrolu la ligilon en via ricevujo",
"Complete": "Fini",
"Revoke": "Senvalidigi",
"Discovery options will appear once you have added an email above.": "Eltrovaj agordoj aperos kiam vi aldonos supre retpoŝtadreson.",
"Unable to revoke sharing for phone number": "Ne povas senvalidigi havigadon je telefonnumero",
"Unable to share phone number": "Ne povas havigi telefonnumeron",
@ -1069,7 +1045,6 @@
"Notification Autocomplete": "Memkompletigo de sciigoj",
"Room Autocomplete": "Memkompletigo de ĉambroj",
"User Autocomplete": "Memkompletigo de uzantoj",
"Custom (%(level)s)": "Propra (%(level)s)",
"%(senderName)s placed a voice call.": "%(senderName)s ekigis voĉvokon.",
"%(senderName)s placed a voice call. (not supported by this browser)": "%(senderName)s ekigis voĉvokon. (mankas subteno en ĉi tiu foliumilo)",
"%(senderName)s placed a video call.": "%(senderName)s ekigis vidvokon.",
@ -1083,12 +1058,10 @@
"Please try again or view your console for hints.": "Bonvolu reprovi aŭ serĉi helpilojn en via konzolo.",
"You have not ignored anyone.": "Vi neniun malatentis.",
"You are not subscribed to any lists": "Vi neniun liston abonis",
"Unsubscribe": "Malaboni",
"View rules": "Montri regulojn",
"You are currently subscribed to:": "Vi nun abonas:",
"⚠ These settings are meant for advanced users.": "⚠ Ĉi tiuj agordoj celas spertajn uzantojn.",
"Subscribed lists": "Abonataj listoj",
"Subscribe": "Aboni",
"Your display name": "Via vidiga nomo",
"Your user ID": "Via identigilo de uzanto",
"Your theme": "Via haŭto",
@ -1202,7 +1175,6 @@
"Not Trusted": "Nefidata",
"%(name)s (%(userId)s) signed in to a new session without verifying it:": "%(name)s (%(userId)s) salutis novan salutaĵon ne kontrolante ĝin:",
"Ask this user to verify their session, or manually verify it below.": "Petu, ke ĉi tiu la uzanto kontrolu sian salutaĵon, aŭ kontrolu ĝin permane sube.",
"Review": "Rekontroli",
"This bridge was provisioned by <user />.": "Ĉi tiu ponto estas provizita de <user />.",
"This bridge is managed by <user />.": "Ĉi tiu ponto estas administrata de <user />.",
"Your homeserver does not support cross-signing.": "Via hejmservilo ne subtenas delegajn subskribojn.",
@ -1324,7 +1296,6 @@
"Missing captcha public key in homeserver configuration. Please report this to your homeserver administrator.": "Mankas publika ŝlosilo por testo de homeco en hejmservila agordaro. Bonvolu raporti tion al la administranto de via hejmservilo.",
"Enter your account password to confirm the upgrade:": "Enigu pasvorton de via konto por konfirmi la gradaltigon:",
"Restore your key backup to upgrade your encryption": "Rehavu vian savkopion de ŝlosiloj por gradaltigi vian ĉifradon",
"Restore": "Rehavi",
"You'll need to authenticate with the server to confirm the upgrade.": "Vi devos aŭtentikigi kun la servilo por konfirmi la gradaltigon.",
"Upgrade this session to allow it to verify other sessions, granting them access to encrypted messages and marking them as trusted for other users.": "Gradaltigu ĉi tiun salutaĵon por ebligi al ĝi kontroladon de aliaj salutaĵoj, donante al ili aliron al ĉifritaj mesaĵoj, kaj markante ilin fidataj por aliaj uzantoj.",
"Unable to set up secret storage": "Ne povas starigi sekretan deponejon",
@ -1390,11 +1361,9 @@
"Activate selected button": "Aktivigi la elektitan butonon",
"Toggle right panel": "Baskuligi la dekstran panelon",
"Cancel autocomplete": "Nuligi memkompletigon",
"Space": "Spaco",
"Manually verify all remote sessions": "Permane kontroli ĉiujn forajn salutaĵojn",
"Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "Unuope kontroli ĉiun salutaĵon de uzanto por marki ĝin fidata, ne fidante delege subskribitajn aparatojn.",
"Invalid theme schema.": "Nevalida skemo de haŭto.",
"Mod": "Reguligisto",
"In encrypted rooms, your messages are secured and only you and the recipient have the unique keys to unlock them.": "En ĉifritaj ĉambroj, viaj mesaĝoj estas sekurigitaj, kaj nur vi kaj la ricevanto havas la unikajn malĉifrajn ŝlosilojn.",
"Verify all users in a room to ensure it's secure.": "Kontrolu ĉiujn uzantojn en ĉambro por certigi, ke ĝi sekuras.",
"Use Single Sign On to continue": "Daŭrigi per ununura saluto",
@ -1578,7 +1547,6 @@
"You might enable this if the room will only be used for collaborating with internal teams on your homeserver. This cannot be changed later.": "Vi povus ŝalti ĉi tion se la ĉambro estus uzota nur por kunlaborado de internaj skipoj je via hejmservilo. Ĝi ne ŝanĝeblas poste.",
"Your server requires encryption to be enabled in private rooms.": "Via servilo postulas ŝaltitan ĉifradon en privataj ĉambroj.",
"Preparing to download logs": "Preparante elŝuton de protokolo",
"Download logs": "Elŝuti protokolon",
"Information": "Informoj",
"This version of %(brand)s does not support searching encrypted messages": "Ĉi tiu versio de %(brand)s ne subtenas serĉadon de ĉifritaj mesaĝoj",
"This version of %(brand)s does not support viewing some encrypted files": "Ĉi tiu versio de %(brand)s ne subtenas montradon de iuj ĉifritaj dosieroj",
@ -1602,7 +1570,6 @@
"Show Widgets": "Montri fenestraĵojn",
"Hide Widgets": "Kaŝi fenestraĵojn",
"Remove messages sent by others": "Forigi mesaĝojn senditajn de aliaj",
"Privacy": "Privateco",
"Secure Backup": "Sekura savkopiado",
"not ready": "neprete",
"ready": "prete",
@ -2013,7 +1980,6 @@
"The widget will verify your user ID, but won't be able to perform actions for you:": "Ĉi tiu fenestraĵo kontrolos vian identigilon de uzanto, sed ne povos fari agojn por vi:",
"Allow this widget to verify your identity": "Permesu al ĉi tiu fenestraĵo kontroli vian identecon",
"Decline All": "Rifuzi ĉion",
"Approve": "Aprobi",
"This widget would like to:": "Ĉi tiu fenestraĵo volas:",
"Approve widget permissions": "Aprobi rajtojn de fenestraĵo",
"About homeservers": "Pri hejmserviloj",
@ -2099,8 +2065,6 @@
"This room is suggested as a good one to join": "Ĉi tiu ĉambro estas rekomendata kiel aliĝinda",
"Suggested Rooms": "Rekomendataj ĉambroj",
"Failed to create initial space rooms": "Malsukcesis krei komencajn ĉambrojn de aro",
"Support": "Subteno",
"Random": "Hazarda",
"Welcome to <name/>": "Bonvenu al <name/>",
"Your server does not support showing space hierarchies.": "Via servilo ne subtenas montradon de hierarĥioj de aroj.",
"Private space": "Privata aro",
@ -2193,7 +2157,6 @@
"other": "Montri ĉiujn %(count)s anojn"
},
"Invite to just this room": "Inviti nur al ĉi tiu ĉambro",
"%(seconds)ss left": "%(seconds)s sekundoj restas",
"Failed to send": "Malsukcesis sendi",
"Change server ACLs": "Ŝanĝi servilblokajn listojn",
"Warn before quitting": "Averti antaŭ ĉesigo",
@ -2223,8 +2186,6 @@
"Unable to access your microphone": "Ne povas aliri vian mikrofonon",
"You have no ignored users.": "Vi malatentas neniujn uzantojn.",
"Please enter a name for the space": "Bonvolu enigi nomon por la aro",
"Play": "Ludi",
"Pause": "Paŭzigi",
"Connecting": "Konektante",
"Sends the given message with a space themed effect": "Sendas mesaĝon kun la efekto de kosmo",
"See when people join, leave, or are invited to your active room": "Vidu kiam oni aliĝas, foriras, aŭ invitiĝas al via aktiva ĉambro",
@ -2232,7 +2193,6 @@
"This homeserver has been blocked by its administrator.": "Tiu ĉi hejmservilo estas blokita de sia administranto.",
"Modal Widget": "Reĝima fenestraĵo",
"Consult first": "Unue konsulti",
"Access Token": "Alirpeco",
"Message search initialisation failed": "Malsukcesis komenci serĉadon de mesaĝoj",
"Consulting with %(transferTarget)s. <a>Transfer to %(transferee)s</a>": "Konsultante kun %(transferTarget)s. <a>Transdono al %(transferee)s</a>",
"sends space invaders": "sendas imiton de ludo «Space Invaders»",
@ -2522,7 +2482,6 @@
"Jump to the given date in the timeline": "Iri al la donita dato en la historio",
"Command error: Unable to find rendering type (%(renderingType)s)": "Komanda eraro: Ne povas trovi bildigan tipon (%(renderingType)s)",
"Failed to invite users to %(roomName)s": "Malsukcesis inviti uzantojn al %(roomName)s",
"%(date)s at %(time)s": "%(date)s je %(time)s",
"You cannot place calls without a connection to the server.": "Vi ne povas voki sen konektaĵo al la servilo.",
"Unable to find Matrix ID for phone number": "Ne povas trovi Matrix-an identigilon por tiu telefonnumero",
"No virtual room for this room": "Tiu ĉambro ne havas virtuala ĉambro",
@ -2664,15 +2623,6 @@
"%(senderName)s removed %(targetName)s: %(reason)s": "%(senderName)s forigis %(targetName)s: %(reason)s",
"Developer command: Discards the current outbound group session and sets up new Olm sessions": "Komando de programisto: Forĵetas la nunan eliran grupsesion kaj starigas novajn Olm-salutaĵojn",
"Command error: Unable to handle slash command.": "Komanda eraro: Ne eblas trakti oblikvan komandon.",
"%(minutes)sm %(seconds)ss": "%(minutes)sm. %(seconds)ss.",
"%(hours)sh %(minutes)sm %(seconds)ss": "%(hours)sh. %(minutes)sm. %(seconds)ss.",
"%(hours)sh %(minutes)sm %(seconds)ss left": "%(hours)sh. %(minutes)sm. %(seconds)ss. restas",
"%(minutes)sm %(seconds)ss left": "%(minutes)sm. %(seconds)ss. restas",
"%(value)sd": "%(value)st.",
"%(value)sh": "%(value)sh.",
"%(value)sm": "%(value)sm.",
"%(value)ss": "%(value)ss.",
"%(days)sd %(hours)sh %(minutes)sm %(seconds)ss": "%(days)st. %(hours)sh. %(minutes)sm. %(seconds)ss.",
"What location type do you want to share?": "Kiel vi volas kunhavigi vian lokon?",
"My live location": "Mia realtempa loko",
"My current location": "Mia nuna loko",
@ -2857,7 +2807,21 @@
"dark": "Malhela",
"beta": "Prova",
"attachment": "Aldonaĵo",
"appearance": "Aspekto"
"appearance": "Aspekto",
"guest": "Gasto",
"legal": "Jura",
"credits": "Dankoj",
"faq": "Oftaj demandoj",
"access_token": "Alirpeco",
"preferences": "Agordoj",
"timeline": "Historio",
"privacy": "Privateco",
"camera": "Kamerao",
"microphone": "Mikrofono",
"emoji": "Mienetoj",
"random": "Hazarda",
"support": "Subteno",
"space": "Spaco"
},
"action": {
"continue": "Daŭrigi",
@ -2925,7 +2889,20 @@
"cancel": "Nuligi",
"back": "Reen",
"add": "Aldoni",
"accept": "Akcepti"
"accept": "Akcepti",
"disconnect": "Malkonekti",
"change": "Ŝanĝi",
"subscribe": "Aboni",
"unsubscribe": "Malaboni",
"approve": "Aprobi",
"complete": "Fini",
"revoke": "Senvalidigi",
"show_all": "Montri ĉiujn",
"review": "Rekontroli",
"restore": "Rehavi",
"play": "Ludi",
"pause": "Paŭzigi",
"register": "Registri"
},
"a11y": {
"user_menu": "Menuo de uzanto"
@ -2964,5 +2941,44 @@
"alt": "Alt-klavo",
"control": "Stir-klavo",
"shift": "Majuskliga klavo"
},
"composer": {
"format_bold": "Grase",
"format_strikethrough": "Trastrekite",
"format_inline_code": "Kodo",
"format_code_block": "Kodujo"
},
"Bold": "Grase",
"Code": "Kodo",
"power_level": {
"default": "Ordinara",
"restricted": "Limigita",
"moderator": "Ĉambrestro",
"admin": "Administranto",
"custom": "Propra (%(level)s)",
"mod": "Reguligisto"
},
"bug_reporting": {
"matrix_security_issue": "Por raparto de sekureca problemo rilata al Matrix, bonvolu legi la <a>Eldiran Politikon pri Sekureco</a> de Matrix.org.",
"submit_debug_logs": "Sendi sencimigan protokolon",
"title": "Cim-raportado",
"additional_context": "Se plia kunteksto povus helpi bone analizi la problemon, ekzemple pri tio, kion vi faris, identigiloj de ĉambroj aŭ uzantoj, ktp., bonvolu kunskribi ĝin.",
"send_logs": "Sendi protokolojn",
"github_issue": "Problemo per GitHub",
"download_logs": "Elŝuti protokolon",
"before_submitting": "Antaŭ ol sendi protokolon, vi devas <a>raporti problemon per GitHub</a> por priskribi la problemon."
},
"time": {
"hours_minutes_seconds_left": "%(hours)sh. %(minutes)sm. %(seconds)ss. restas",
"minutes_seconds_left": "%(minutes)sm. %(seconds)ss. restas",
"seconds_left": "%(seconds)s sekundoj restas",
"date_at_time": "%(date)s je %(time)s",
"short_days": "%(value)st.",
"short_hours": "%(value)sh.",
"short_minutes": "%(value)sm.",
"short_seconds": "%(value)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_minutes_seconds": "%(minutes)sm. %(seconds)ss."
}
}

View file

@ -34,7 +34,6 @@
"Download %(text)s": "Descargar %(text)s",
"Email": "Correo electrónico",
"Email address": "Dirección de correo electrónico",
"Emoji": "Emoji",
"Error decrypting attachment": "Error al descifrar adjunto",
"Export E2E room keys": "Exportar claves de salas con cifrado de extremo a extremo",
"Failed to ban user": "Bloqueo del usuario falló",
@ -69,8 +68,6 @@
"No Microphones detected": "Micrófono no detectado",
"No Webcams detected": "Cámara no detectada",
"Default Device": "Dispositivo por defecto",
"Microphone": "Micrófono",
"Camera": "Cámara",
"Anyone": "Todos",
"Custom level": "Nivel personalizado",
"Enter passphrase": "Introducir frase de contraseña",
@ -140,7 +137,6 @@
"Privileged Users": "Usuarios con privilegios",
"Profile": "Perfil",
"Reason": "Motivo",
"Register": "Crear cuenta",
"Reject invitation": "Rechazar invitación",
"Return to login screen": "Regresar a la pantalla de inicio de sesión",
"%(brand)s does not have permission to send you notifications - please check your browser settings": "%(brand)s no tiene permiso para enviarte notificaciones - por favor, comprueba los ajustes de tu navegador",
@ -225,7 +221,6 @@
"Nov": "nov.",
"Dec": "dic.",
"Online": "En línea",
"Submit debug logs": "Enviar registros de depuración",
"Sunday": "Domingo",
"Failed to add tag %(tagName)s to room": "Error al añadir la etiqueta %(tagName)s a la sala",
"Notification targets": "Destinos de notificaciones",
@ -257,7 +252,6 @@
"Collecting logs": "Recolectando registros",
"Invite to this room": "Invitar a la sala",
"Send": "Enviar",
"Send logs": "Enviar registros",
"All messages": "Todos los mensajes",
"Call invitation": "Cuando me inviten a una llamada",
"Thank you!": "¡Gracias!",
@ -358,7 +352,6 @@
"Token incorrect": "Token incorrecto",
"A text message has been sent to %(msisdn)s": "Se envió un mensaje de texto a %(msisdn)s",
"Please enter the code it contains:": "Por favor, escribe el código que contiene:",
"Code": "Código",
"Delete Widget": "Eliminar accesorio",
"Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "Al borrar un accesorio, este se elimina para todos usuarios de la sala. ¿Estás seguro?",
"Popout widget": "Abrir accesorio en una ventana emergente",
@ -509,7 +502,6 @@
"Failed to upgrade room": "No se pudo actualizar la sala",
"The room upgrade could not be completed": "La actualización de la sala no pudo ser completada",
"Upgrade this room to version %(version)s": "Actualiza esta sala a la versión %(version)s",
"Legal": "Legal",
"%(senderName)s set the main address for this room to %(address)s.": "%(senderName)s estableció la dirección principal para esta sala como %(address)s.",
"%(senderName)s removed the main address for this room.": "%(senderName)s eliminó la dirección principal para esta sala.",
"%(brand)s now uses 3-5x less memory, by only loading information about other users when needed. Please wait whilst we resynchronise with the server!": "%(brand)s ahora utiliza de 3 a 5 veces menos memoria, porque solo carga información sobre otros usuarios cuando es necesario. Por favor, ¡aguarda mientras volvemos a sincronizar con el servidor!",
@ -663,15 +655,11 @@
"General": "General",
"Room Addresses": "Direcciones de la sala",
"Account management": "Gestión de la cuenta",
"Credits": "Créditos",
"For help with using %(brand)s, click <a>here</a>.": "Si necesitas ayuda usando %(brand)s, haz clic <a>aquí</a>.",
"For help with using %(brand)s, click <a>here</a> or start a chat with our bot using the button below.": "Si necesitas ayuda usando %(brand)s, haz clic <a>aquí</a> o abre un chat con nuestro bot usando el botón de abajo.",
"Chat with %(brand)s Bot": "Hablar con %(brand)s Bot",
"Help & About": "Ayuda y acerca de",
"Bug reporting": "Informar de un fallo",
"FAQ": "Preguntas frecuentes",
"Versions": "Versiones",
"Preferences": "Opciones",
"Room list": "Lista de salas",
"Autocomplete delay (ms)": "Retardo autocompletado (ms)",
"Roles & Permissions": "Roles y permisos",
@ -748,7 +736,6 @@
"Identity server has no terms of service": "El servidor de identidad no tiene términos de servicio",
"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.": "Esta acción necesita acceder al servidor de identidad por defecto <server /> para validar un correo o un teléfono, pero el servidor no tiene términos de servicio.",
"Only continue if you trust the owner of the server.": "Continúa solamente si confías en el propietario del servidor.",
"Custom (%(level)s)": "Personalizado (%(level)s)",
"Error upgrading room": "Fallo al mejorar la sala",
"Double check that your server supports the room version chosen and try again.": "Asegúrate de que tu servidor es compatible con la versión de sala elegida y prueba de nuevo.",
"%(senderName)s placed a voice call.": "%(senderName)s hizo una llamada de voz.",
@ -808,7 +795,6 @@
"Using an identity server is optional. If you choose not to use an identity server, you won't be discoverable by other users and you won't be able to invite others by email or phone.": "Usar un servidor de identidad es opcional. Si eliges no usar un servidor de identidad, no podrás ser descubierto por otros usuarios y no podrás invitar a otros por email o teléfono.",
"Do not use an identity server": "No usar un servidor de identidad",
"Enter a new identity server": "Introducir un servidor de identidad nuevo",
"Change": "Cambiar",
"Manage integrations": "Gestor de integraciones",
"Something went wrong trying to invite the users.": "Algo ha salido mal al intentar invitar a los usuarios.",
"We couldn't invite those users. Please check the users you want to invite and try again.": "No se pudo invitar a esos usuarios. Por favor, revisa los usuarios que quieres invitar e inténtalo de nuevo.",
@ -877,7 +863,6 @@
"You have not ignored anyone.": "No has ignorado a nadie.",
"You are currently ignoring:": "Estás ignorando actualmente:",
"You are not subscribed to any lists": "No estás suscrito a ninguna lista",
"Unsubscribe": "Desuscribirse",
"View rules": "Ver reglas",
"You are currently subscribed to:": "Estás actualmente suscrito a:",
"⚠ These settings are meant for advanced users.": "⚠ Estas opciones son indicadas para usuarios avanzados.",
@ -919,7 +904,6 @@
"Compare unique emoji": "Compara los emojis",
"Compare a unique set of emoji if you don't have a camera on either device": "Compara un conjunto de emojis si no tienes cámara en ninguno de los dispositivos",
"Waiting for %(displayName)s to verify…": "Esperando la verificación de %(displayName)s…",
"Review": "Revisar",
"in secret storage": "en almacén secreto",
"Secret storage public key:": "Clave pública del almacén secreto:",
"in account data": "en datos de cuenta",
@ -956,7 +940,6 @@
"Enable encryption?": "¿Activar cifrado?",
"Your email address hasn't been verified yet": "Tu dirección de email no ha sido verificada",
"Verify the link in your inbox": "Verifica el enlace en tu bandeja de entrada",
"Complete": "Completar",
"Remove %(email)s?": "¿Eliminar %(email)s?",
"This backup is trusted because it has been restored on this session": "Esta copia de seguridad es de confianza porque ha sido restaurada en esta sesión",
"Your keys are <b>not being backed up from this session</b>.": "<b>No se está haciendo una copia de seguridad de tus claves en esta sesión</b>.",
@ -969,7 +952,6 @@
"The identity server you have chosen does not have any terms of service.": "El servidor de identidad que has elegido no tiene ningún término de servicio.",
"Disconnect identity server": "Desconectar servidor de identidad",
"Disconnect from the identity server <idserver />?": "¿Desconectarse del servidor de identidad <idserver />?",
"Disconnect": "Desconectarse",
"You should:": "Deberías:",
"Use Single Sign On to continue": "Continuar con registro único (SSO)",
"Confirm adding this email address by using Single Sign On to prove your identity.": "Confirma la nueva dirección de correo usando SSO para probar tu identidad.",
@ -1051,10 +1033,8 @@
"Subscribed lists": "Listados a que subscribiste",
"Subscribing to a ban list will cause you to join it!": "¡Suscribirse a una lista negra hará unirte a ella!",
"If this isn't what you want, please use a different tool to ignore users.": "Si esto no es lo que quieres, por favor usa una herramienta diferente para ignorar usuarios.",
"Subscribe": "Suscribir",
"Always show the window menu bar": "Siempre mostrar la barra de menú de la ventana",
"Composer": "Editor",
"Timeline": "Línea de tiempo",
"Read Marker lifetime (ms)": "Permanencia del marcador de lectura (en ms)",
"Read Marker off-screen lifetime (ms)": "Permanencia del marcador de lectura fuera de la pantalla (en ms)",
"Session ID:": "Identidad (ID) de sesión:",
@ -1067,7 +1047,6 @@
"Unable to revoke sharing for email address": "No se logró revocar el compartir para la dirección de correo electrónico",
"Unable to share email address": "No se logró compartir la dirección de correo electrónico",
"Click the link in the email you received to verify and then click continue again.": "Haz clic en el enlace del correo electrónico para verificar, y luego nuevamente haz clic en continuar.",
"Revoke": "Revocar",
"Discovery options will appear once you have added an email above.": "Las opciones de descubrimiento aparecerán una vez que haya añadido un correo electrónico arriba.",
"Unable to revoke sharing for phone number": "No se logró revocar el intercambio de un número de teléfono",
"Unable to share phone number": "No se logró compartir el número de teléfono",
@ -1082,7 +1061,6 @@
"This room is end-to-end encrypted": "Esta sala usa cifrado de extremo a extremo",
"Everyone in this room is verified": "Todos los participantes en esta sala están verificados",
"Edit message": "Editar mensaje",
"Mod": "Mod",
"Rotate Right": "Girar a la derecha",
"Language Dropdown": "Lista selección de idiomas",
"%(severalUsers)smade no changes %(count)s times": {
@ -1111,9 +1089,7 @@
"Close dialog": "Cerrar diálogo",
"Please tell us what went wrong or, better, create a GitHub issue that describes the problem.": "Por favor, cuéntanos qué ha fallado o, mejor aún, crea una incidencia en GitHub describiendo el problema.",
"Reminder: Your browser is unsupported, so your experience may be unpredictable.": "Recordatorio: Su navegador no es compatible, por lo que su experiencia puede ser impredecible.",
"GitHub issue": "Incidencia de GitHub",
"Notes": "Notas",
"If there is additional context that would help in analysing the issue, such as what you were doing at the time, room IDs, user IDs, etc., please include those things here.": "Si hay algún contexto adicional que ayude a analizar el problema, como por ejemplo lo que estaba haciendo en ese momento, nombre (ID) de sala, nombre (ID) de usuario, etc., por favor incluye esas cosas aquí.",
"Removing…": "Quitando…",
"Destroy cross-signing keys?": "¿Destruir las claves de firma cruzada?",
"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 eliminación de claves de firma cruzada es definitiva. Cualquiera con el que lo hayas verificado verá alertas de seguridad. Es casi seguro que no quieres hacer esto, a menos que hayas perdido todos los dispositivos puedas usar hacer una firma cruzada.",
@ -1183,10 +1159,7 @@
"Remove recent messages": "Eliminar mensajes recientes",
"Send a reply…": "Enviar una respuesta…",
"Send a message…": "Enviar un mensaje…",
"Bold": "Negrita",
"Italics": "Cursiva",
"Strikethrough": "Tachado",
"Code block": "Bloque de código",
"Room %(name)s": "Sala %(name)s",
"Direct Messages": "Mensajes directos",
"This invite to %(roomName)s was sent to %(email)s which is not associated with your account": "Esta invitación a la sala %(roomName)s fue enviada a %(email)s que no está asociada a su cuenta",
@ -1276,7 +1249,6 @@
"%(name)s cancelled": "%(name)s canceló",
"%(name)s wants to verify": "%(name)s quiere verificar",
"You sent a verification request": "Has enviado solicitud de verificación",
"Show all": "Ver todo",
"<reactors/><reactedWith>reacted with %(shortName)s</reactedWith>": "<reactors/><reactedWith> reaccionó con %(shortName)s</reactedWith>",
"Message deleted": "Mensaje eliminado",
"Message deleted by %(name)s": "Mensaje eliminado por %(name)s",
@ -1362,7 +1334,6 @@
"Explore rooms": "Explorar salas",
"Jump to first invite.": "Salte a la primera invitación.",
"Add room": "Añadir una sala",
"Guest": "Invitado",
"Could not load user profile": "No se pudo cargar el perfil de usuario",
"Your password has been reset.": "Su contraseña ha sido restablecida.",
"Invalid homeserver discovery response": "Respuesta inválida de descubrimiento de servidor base",
@ -1436,7 +1407,6 @@
"not ready": "no está listo",
"Room ID or address of ban list": "ID de sala o dirección de la lista de prohibición",
"Secure Backup": "Copia de seguridad segura",
"Privacy": "Privacidad",
"Show rooms with unread messages first": "Colocar al principio las salas con mensajes sin leer",
"Show previews of messages": "Incluir una vista previa del último mensaje",
"Sort by": "Ordenar por",
@ -1470,7 +1440,6 @@
"This address is available to use": "Esta dirección está disponible para usar",
"This address is already in use": "Esta dirección ya está en uso",
"Preparing to download logs": "Preparándose para descargar registros",
"Download logs": "Descargar registros",
"You might enable this if the room will only be used for collaborating with internal teams on your homeserver. This cannot be changed later.": "Puedes activar esto si la sala solo se usará para colaborar con equipos internos en tu servidor base. No se podrá cambiar después.",
"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.": "Puedes desactivar esto si la sala se utilizará para colaborar con equipos externos que tengan su propio servidor base. Esto no se puede cambiar después.",
"Block anyone not part of %(serverName)s from ever joining this room.": "Evita que cualquier persona que no sea parte de %(serverName)s se una a esta sala.",
@ -1534,7 +1503,6 @@
"Use a secret phrase only you know, and optionally save a Security Key to use for backup.": "Usa una frase secreta que solo tú conozcas y, opcionalmente, guarda una clave de seguridad para usarla como respaldo.",
"Enter your account password to confirm the upgrade:": "Ingrese la contraseña de su cuenta para confirmar la actualización:",
"Restore your key backup to upgrade your encryption": "Restaure la copia de seguridad de su clave para actualizar su cifrado",
"Restore": "Restaurar",
"You'll need to authenticate with the server to confirm the upgrade.": "Deberá autenticarse con el servidor para confirmar la actualización.",
"Upgrade this session to allow it to verify other sessions, granting them access to encrypted messages and marking them as trusted for other users.": "Actualice esta sesión para permitirle verificar otras sesiones, otorgándoles acceso a mensajes cifrados y marcándolos como confiables para otros usuarios.",
"That matches!": "¡Eso combina!",
@ -1592,7 +1560,6 @@
"Activate selected button": "Activar botón seleccionado",
"Toggle right panel": "Alternar panel derecho",
"Cancel autocomplete": "Cancelar autocompletar",
"Space": "Espacio",
"Your server requires encryption to be enabled in private rooms.": "Tu servidor obliga a usar cifrado en las salas privadas.",
"This version of %(brand)s does not support searching encrypted messages": "Esta versión de %(brand)s no puede buscar mensajes cifrados",
"Video conference ended by %(senderName)s": "Videoconferencia terminada por %(senderName)s",
@ -1843,7 +1810,6 @@
"The widget will verify your user ID, but won't be able to perform actions for you:": "Este accesorio verificará tu ID de usuario, pero no podrá actuar en tu nombre:",
"Allow this widget to verify your identity": "Permitir a este accesorio verificar tu identidad",
"Decline All": "Rechazar todo",
"Approve": "Aprobar",
"This widget would like to:": "A este accesorios le gustaría:",
"Approve widget permissions": "Aprobar permisos de widget",
"About homeservers": "Sobre los servidores base",
@ -2110,8 +2076,6 @@
"Who are you working with?": "¿Con quién estás trabajando?",
"Skip for now": "Omitir por ahora",
"Failed to create initial space rooms": "No se han podido crear las salas iniciales del espacio",
"Support": "Ayuda",
"Random": "Al azar",
"%(count)s members": {
"one": "%(count)s miembro",
"other": "%(count)s miembros"
@ -2224,15 +2188,12 @@
"one": "Ver 1 miembro",
"other": "Ver los %(count)s miembros"
},
"%(seconds)ss left": "%(seconds)ss restantes",
"Failed to send": "No se ha podido mandar",
"Change server ACLs": "Cambiar los ACLs del servidor",
"Enter your Security Phrase a second time to confirm it.": "Escribe tu frase de seguridad de nuevo para confirmarla.",
"Pick rooms or conversations to add. This is just a space for you, no one will be informed. You can add more later.": "Elige salas o conversaciones para añadirlas. Este espacio es solo para ti, no informaremos a nadie. Puedes añadir más más tarde.",
"What do you want to organise?": "¿Qué quieres organizar?",
"You have no ignored users.": "No has ignorado a nadie.",
"Pause": "Pausar",
"Play": "Reproducir",
"Select a room below first": "Selecciona una sala de abajo primero",
"Join the beta": "Unirme a la beta",
"Leave the beta": "Salir de la beta",
@ -2249,7 +2210,6 @@
"We were unable to access your microphone. Please check your browser settings and try again.": "No hemos podido acceder a tu micrófono. Por favor, comprueba los ajustes de tu navegador e inténtalo de nuevo.",
"Unable to access your microphone": "No se ha podido acceder a tu micrófono",
"Your access token gives full access to your account. Do not share it with anyone.": "Tu token de acceso da acceso completo a tu cuenta. No lo compartas con nadie.",
"Access Token": "Token de acceso",
"Please enter a name for the space": "Por favor, elige un nombre para el espacio",
"Connecting": "Conectando",
"Message search initialisation failed": "Ha fallado la inicialización de la búsqueda de mensajes",
@ -2547,7 +2507,6 @@
"%(senderDisplayName)s changed the room avatar.": "%(senderDisplayName)s cambió la imagen de la sala.",
"%(senderDisplayName)s sent a sticker.": "%(senderDisplayName)s envió una pegatina.",
"Size can only be a number between %(min)s MB and %(max)s MB": "El tamaño solo puede ser un número de %(min)s a %(max)s MB",
"%(date)s at %(time)s": "%(date)s a la(s) %(time)s",
"It looks like you don't have a Security Key or any other devices you can verify against. This device will not be able to access old encrypted messages. In order to verify your identity on this device, you'll need to reset your verification keys.": "Parece que no tienes una clave de seguridad u otros dispositivos para la verificación. Este dispositivo no podrá acceder los mensajes cifrados antiguos. Para verificar tu identidad en este dispositivo, tendrás que restablecer tus claves de verificación.",
"Resetting your verification keys cannot be undone. After resetting, you won't have access to old encrypted messages, and any friends who have previously verified you will see security warnings until you re-verify with them.": "Una vez restableces las claves de verificación, no lo podrás deshacer. Después de restablecerlas, no podrás acceder a los mensajes cifrados antiguos, y cualquier persona que te haya verificado verá avisos de seguridad hasta que vuelvas a hacer la verificación con ella.",
"I'll verify later": "La verificaré en otro momento",
@ -2608,7 +2567,6 @@
"Yours, or the other users' session": "Tu sesión o la de la otra persona",
"Yours, or the other users' internet connection": "Tu conexión a internet o la de la otra persona",
"The homeserver the user you're verifying is connected to": "El servidor base del usuario al que estás invitando",
"Rename": "Cambiar nombre",
"Select all": "Seleccionar todo",
"Deselect all": "Deseleccionar todo",
"Sign out devices": {
@ -2965,7 +2923,6 @@
},
"Show polls button": "Mostrar botón de encuestas",
"Spaces are a new way to group rooms and people. What kind of Space do you want to create? You can change this later.": "Los espacios son una nueva manera de agrupar salas y personas. ¿Qué tipo de espacio quieres crear? Lo puedes cambiar más tarde.",
"If you've submitted a bug via GitHub, debug logs can help us track down the problem. ": "Si ya has informado de un fallo a través de GitHub, los registros de depuración nos pueden ayudar a investigar mejor el problema. ",
"Can't create a thread from an event with an existing relation": "No ha sido posible crear un hilo a partir de un evento con una relación existente",
"Toggle Code Block": "Alternar bloque de código",
"Toggle Link": "Alternar enlace",
@ -2994,10 +2951,6 @@
"one": "Borrando mensajes en %(count)s sala",
"other": "Borrando mensajes en %(count)s salas"
},
"%(value)ss": "%(value)s s",
"%(value)sm": "%(value)s min",
"%(value)sh": "%(value)s h",
"%(value)sd": "%(value)s d",
"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",
@ -3036,7 +2989,6 @@
"View servers in room": "Ver servidores en la sala",
"Developer tools": "Herramientas de desarrollo",
"%(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.",
"Debug logs contain application usage data including your username, the IDs or aliases of the rooms you have visited, which UI elements you last interacted with, and the usernames of other users. They do not contain messages.": "Los registros de depuración contienen datos sobre cómo usas la aplicación, incluyendo tu nombre de usuario, identificadores o alias de las salas que hayas visitado, una lista de los últimos elementos de la interfaz con los que has interactuado, así como los nombres de usuarios de otras personas. No contienen mensajes.",
"%(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.",
"Send custom room account data event": "Enviar evento personalizado de cuenta de la sala",
@ -3256,7 +3208,6 @@
"Verified session": "Sesión verificada",
"Your server doesn't support disabling sending read receipts.": "Tu servidor no permite desactivar los acuses de recibo.",
"Share your activity and status with others.": "Comparte tu actividad y estado con los demás.",
"Presence": "Presencia",
"Spell check": "Corrector ortográfico",
"Complete these to get the most out of %(brand)s": "Complétalos para sacar el máximo partido a %(brand)s",
"You did it!": "¡Ya está!",
@ -3277,7 +3228,6 @@
"Send read receipts": "Enviar acuses de recibo",
"Interactively verify by emoji": "Verificar interactivamente usando emojis",
"Manually verify by text": "Verificar manualmente usando un texto",
"View all": "Ver todas",
"Security recommendations": "Consejos de seguridad",
"Filter devices": "Filtrar dispositivos",
"Inactive for %(inactiveAgeDays)s days or longer": "Inactiva durante %(inactiveAgeDays)s días o más",
@ -3317,7 +3267,6 @@
},
"Inviting %(user1)s and %(user2)s": "Invitando a %(user1)s y %(user2)s",
"We're creating a room with %(names)s": "Estamos creando una sala con %(names)s",
"Show": "Mostrar",
"<b>It's not recommended to add encryption to public rooms.</b> Anyone can find and join public rooms, so anyone can read messages in them. You'll get none of the benefits of encryption, and you won't be able to turn it off later. Encrypting messages in a public room will make receiving and sending messages slower.": "<b>No está recomendado activar el cifrado en salas públicas.</b> Cualquiera puede encontrarlas y unirse a ellas, así que cualquiera puede leer los mensajes en ellas. No disfrutarás de ninguno de los beneficios del cifrado, y no podrás desactivarlo en el futuro. Cifrar los mensajes en una sala pública ralentizará el envío y la recepción de mensajes.",
"Dont miss a thing by taking %(brand)s with you": "No te pierdas nada llevándote %(brand)s contigo",
"Its what youre here for, so lets get to it": "Es para lo que estás aquí, así que vamos a ello",
@ -3355,8 +3304,6 @@
"%(name)s started a video call": "%(name)s comenzó una videollamada",
"%(qrCode)s or %(emojiCompare)s": "%(qrCode)s o %(emojiCompare)s",
"Room info": "Info. de la sala",
"Underline": "Subrayado",
"Italic": "Cursiva",
"Close call": "Terminar llamada",
"Freedom": "Libertad",
"There's no one here to call": "No hay nadie a quien llamar aquí",
@ -3395,7 +3342,6 @@
"Record the client name, version, and url to recognise sessions more easily in session manager": "Registrar el nombre del cliente, la versión y URL para reconocer de forma más fácil las sesiones en el gestor",
"Consider signing out from old sessions (%(inactiveAgeDays)s days or older) you don't use anymore.": "Considera cerrar sesión en los dispositivos que ya no uses (hace %(inactiveAgeDays)s días o más).",
"You can use this device to sign in a new device with a QR code. You will need to scan the QR code shown on this device with your device that's signed out.": "Puedes usar este dispositivo para iniciar sesión en uno nuevo escaneando un código QR. Tendrás que escanearlo con el nuevo dispositivo que quieras usar para iniciar sesión.",
"%(hours)sh %(minutes)sm %(seconds)ss left": "queda(n) %(hours)sh %(minutes)sm %(seconds)ss",
"That e-mail address or phone number is already in use.": "La dirección de e-mail o el número de teléfono ya está en uso.",
"Completing set up of your new device": "Terminando de configurar tu nuevo dispositivo",
"Waiting for device to sign in": "Esperando a que el dispositivo inicie sesión",
@ -3410,7 +3356,6 @@
"By approving access for this device, it will have full access to your account.": "Si apruebas acceso a este dispositivo, tendrá acceso completo a tu cuenta.",
"Scan the QR code below with your device that's signed out.": "Escanea el siguiente código QR con tu dispositivo.",
"Start at the sign in screen": "Ve a la pantalla de inicio de sesión",
"%(minutes)sm %(seconds)ss left": "queda(n) %(minutes)sm %(seconds)ss",
"Sign in with QR code": "Iniciar sesión con código QR",
"Automatically adjust the microphone volume": "Ajustar el volumen del micrófono automáticamente",
"Voice settings": "Ajustes de voz",
@ -3458,7 +3403,6 @@
"Error starting verification": "Error al empezar la verificación",
"Text": "Texto",
"Create a link": "Crear un enlace",
"Link": "Enlace",
"Change layout": "Cambiar disposición",
"This message could not be decrypted": "No se ha podido descifrar este mensaje",
" in <strong>%(room)s</strong>": " en <strong>%(room)s</strong>",
@ -3482,9 +3426,6 @@
"Add privileged users": "Añadir usuarios privilegiados",
"Requires compatible homeserver.": "Es necesario que el servidor base sea compatible.",
"Low bandwidth mode": "Modo de bajo ancho de banda",
"%(minutes)sm %(seconds)ss": "%(minutes)sm %(seconds)ss",
"%(hours)sh %(minutes)sm %(seconds)ss": "%(hours)sh %(minutes)sm %(seconds)ss",
"%(days)sd %(hours)sh %(minutes)sm %(seconds)ss": "%(days)sd %(hours)sh %(minutes)sm %(seconds)ss",
"You cant start a call as you are currently recording a live broadcast. Please end your live broadcast in order to start a call.": "No puedes empezar una llamada, porque estás grabando una retransmisión en directo. Por favor, finaliza tu retransmisión en directo para empezar la llamada.",
"Cant start a call": "No se ha podido empezar la llamada",
"Failed to read events": "No se han podido leer los eventos",
@ -3522,10 +3463,6 @@
"Ignore %(user)s": "Ignorar a %(user)s",
"Poll history": "Historial de encuestas",
"Edit link": "Editar enlace",
"Indent decrease": "Reducir sangría",
"Indent increase": "Aumentar sangría",
"Numbered list": "Lista numerada",
"Bulleted list": "Lista",
"Search all rooms": "Buscar en todas las salas",
"Search this room": "Buscar en esta sala",
"Rejecting invite…": "Rechazar invitación…",
@ -3659,7 +3596,22 @@
"dark": "Oscuro",
"beta": "Beta",
"attachment": "Adjunto",
"appearance": "Apariencia"
"appearance": "Apariencia",
"guest": "Invitado",
"legal": "Legal",
"credits": "Créditos",
"faq": "Preguntas frecuentes",
"access_token": "Token de acceso",
"preferences": "Opciones",
"presence": "Presencia",
"timeline": "Línea de tiempo",
"privacy": "Privacidad",
"camera": "Cámara",
"microphone": "Micrófono",
"emoji": "Emoji",
"random": "Al azar",
"support": "Ayuda",
"space": "Espacio"
},
"action": {
"continue": "Continuar",
@ -3731,7 +3683,23 @@
"back": "Volver",
"apply": "Aplicar",
"add": "Añadir",
"accept": "Aceptar"
"accept": "Aceptar",
"disconnect": "Desconectarse",
"change": "Cambiar",
"subscribe": "Suscribir",
"unsubscribe": "Desuscribirse",
"approve": "Aprobar",
"complete": "Completar",
"revoke": "Revocar",
"rename": "Cambiar nombre",
"view_all": "Ver todas",
"show_all": "Ver todo",
"show": "Mostrar",
"review": "Revisar",
"restore": "Restaurar",
"play": "Reproducir",
"pause": "Pausar",
"register": "Crear cuenta"
},
"a11y": {
"user_menu": "Menú del Usuario"
@ -3789,5 +3757,54 @@
},
"credits": {
"default_cover_photo": "La <photo>foto de fondo por defecto</photo> es © <author>Jesús Roncero</author>, usada bajo los términos de la licencia <terms>CC-BY-SA 4.0</terms>."
},
"composer": {
"format_bold": "Negrita",
"format_italic": "Cursiva",
"format_underline": "Subrayado",
"format_strikethrough": "Tachado",
"format_unordered_list": "Lista",
"format_ordered_list": "Lista numerada",
"format_increase_indent": "Aumentar sangría",
"format_decrease_indent": "Reducir sangría",
"format_inline_code": "Código",
"format_code_block": "Bloque de código",
"format_link": "Enlace"
},
"Bold": "Negrita",
"Link": "Enlace",
"Code": "Código",
"power_level": {
"default": "Por defecto",
"restricted": "Restringido",
"moderator": "Moderador",
"admin": "Admin",
"custom": "Personalizado (%(level)s)",
"mod": "Mod"
},
"bug_reporting": {
"introduction": "Si ya has informado de un fallo a través de GitHub, los registros de depuración nos pueden ayudar a investigar mejor el problema. ",
"description": "Los registros de depuración contienen datos sobre cómo usas la aplicación, incluyendo tu nombre de usuario, identificadores o alias de las salas que hayas visitado, una lista de los últimos elementos de la interfaz con los que has interactuado, así como los nombres de usuarios de otras personas. No contienen mensajes.",
"matrix_security_issue": "Para informar de un problema de seguridad relacionado con Matrix, lee la <a>Política de divulgación de seguridad</a> de Matrix.org.",
"submit_debug_logs": "Enviar registros de depuración",
"title": "Informar de un fallo",
"additional_context": "Si hay algún contexto adicional que ayude a analizar el problema, como por ejemplo lo que estaba haciendo en ese momento, nombre (ID) de sala, nombre (ID) de usuario, etc., por favor incluye esas cosas aquí.",
"send_logs": "Enviar registros",
"github_issue": "Incidencia de GitHub",
"download_logs": "Descargar registros",
"before_submitting": "Antes de enviar los registros debes <a>crear una incidencia en GitHub</a> describiendo el problema."
},
"time": {
"hours_minutes_seconds_left": "queda(n) %(hours)sh %(minutes)sm %(seconds)ss",
"minutes_seconds_left": "queda(n) %(minutes)sm %(seconds)ss",
"seconds_left": "%(seconds)ss restantes",
"date_at_time": "%(date)s a la(s) %(time)s",
"short_days": "%(value)s d",
"short_hours": "%(value)s h",
"short_minutes": "%(value)s min",
"short_seconds": "%(value)s s",
"short_days_hours_minutes_seconds": "%(days)sd %(hours)sh %(minutes)sm %(seconds)ss",
"short_hours_minutes_seconds": "%(hours)sh %(minutes)sm %(seconds)ss",
"short_minutes_seconds": "%(minutes)sm %(seconds)ss"
}
}
}

View file

@ -188,7 +188,6 @@
"%(name)s wants to verify": "%(name)s soovib verifitseerida",
"You sent a verification request": "Sa saatsid verifitseerimispalve",
"Error decrypting video": "Viga videovoo dekrüptimisel",
"Show all": "Näita kõiki",
"<reactors/><reactedWith>reacted with %(shortName)s</reactedWith>": "<reactors/><reactedWith>reageeris(id) %(shortName)s</reactedWith>",
"%(senderDisplayName)s changed the avatar for %(roomName)s": "%(senderDisplayName)s muutis %(roomName)s jututoa avatari",
"%(senderDisplayName)s removed the room avatar.": "%(senderDisplayName)s eemaldas jututoa avatari.",
@ -354,7 +353,6 @@
"Indexed messages:": "Indekseeritud sõnumid:",
"Failed to add tag %(tagName)s to room": "Sildi %(tagName)s lisamine jututoale ebaõnnestus",
"Close dialog or context menu": "Sulge dialoogiaken või kontekstimenüü",
"Space": "Tühikuklahv",
"Unable to add email address": "E-posti aadressi lisamine ebaõnnestus",
"We've sent you an email to verify your address. Please follow the instructions there and then click the button below.": "Sinu aadressi kontrollimiseks saatsime sulle e-kirja. Palun järgi kirjas näidatud juhendit ja siis klõpsi alljärgnevat nuppu.",
"Email Address": "E-posti aadress",
@ -374,8 +372,6 @@
"No Webcams detected": "Ei leidnud ühtegi veebikaamerat",
"Default Device": "Vaikimisi seade",
"Audio Output": "Heliväljund",
"Microphone": "Mikrofon",
"Camera": "Kaamera",
"Voice & Video": "Heli ja video",
"This room is not accessible by remote Matrix servers": "See jututuba ei ole leitav teiste Matrix'i serverite jaoks",
"Upgrade this room to the recommended room version": "Uuenda see jututoa versioon soovitatud versioonini",
@ -562,7 +558,6 @@
"Headphones": "Kõrvaklapid",
"Folder": "Kaust",
"Later": "Hiljem",
"Review": "Vaata üle",
"Other users may not trust it": "Teised kasutajad ei pruugi seda usaldada",
"Set up": "Võta kasutusele",
"Accept <policyLink /> to continue:": "Jätkamiseks nõustu <policyLink />'ga:",
@ -588,7 +583,6 @@
"Failed to reject invite": "Kutse tagasilükkamine ei õnnestunud",
"Tried to load a specific point in this room's timeline, but you do not have permission to view the message in question.": "Üritasin laadida teatud hetke selle jututoa ajajoonelt, kuid sul ei ole õigusi selle sõnumi nägemiseks.",
"Failed to load timeline position": "Asukoha laadimine ajajoonel ei õnnestunud",
"Guest": "Külaline",
"Uploading %(filename)s and %(count)s others": {
"other": "Laadin üles %(filename)s ning %(count)s muud faili",
"one": "Laadin üles %(filename)s ning veel %(count)s faili"
@ -616,7 +610,6 @@
"You're signed out": "Sa oled loginud välja",
"Clear personal data": "Kustuta privaatsed andmed",
"Commands": "Käsud",
"Emoji": "Emoji",
"Notify the whole room": "Teavita kogu jututuba",
"Users": "Kasutajad",
"Terms and Conditions": "Kasutustingimused",
@ -695,8 +688,6 @@
"Click the link in the email you received to verify and then click continue again.": "Klõpsi saabunud e-kirjas olevat verifitseerimisviidet ning seejärel klõpsi siin uuesti nuppu „Jätka“.",
"Unable to verify email address.": "E-posti aadressi verifitseerimine ei õnnestunud.",
"Verify the link in your inbox": "Verifitseeri klõpsides viidet saabunud e-kirjas",
"Complete": "Valmis",
"Revoke": "Tühista",
"Session already verified!": "Sessioon on juba verifitseeritud!",
"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!": "HOIATUS: VÕTMETE VERIFITSEERIMINE EI ÕNNESTUNUD! Kasutaja %(userId)s ja sessiooni %(deviceId)s allkirjastamise võti on „%(fprint)s“, aga see ei vasta antud sõrmejäljele „%(fingerprint)s“. See võib tähendada, et sinu kasutatavad ühendused võivad olla kolmanda osapoole poolt vahelt lõigatud!",
"Verified key": "Verifitseeritud võti",
@ -776,12 +767,9 @@
"<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",
"Subscribed lists": "Tellitud loendid",
"Subscribe": "Telli",
"Start automatically after system login": "Käivita Element automaatselt peale arvutisse sisselogimist",
"Always show the window menu bar": "Näita aknas alati menüüriba",
"Preferences": "Eelistused",
"Room list": "Jututubade loend",
"Timeline": "Ajajoon",
"Autocomplete delay (ms)": "Viivitus automaatsel sõnalõpetusel (ms)",
"Enter password": "Sisesta salasõna",
"Nice, strong password!": "Vahva, see on korralik salasõna!",
@ -798,7 +786,6 @@
"Enter username": "Sisesta kasutajanimi",
"Email (optional)": "E-posti aadress (kui soovid)",
"Phone (optional)": "Telefoninumber (kui soovid)",
"Register": "Registreeru",
"Join millions for free on the largest public server": "Liitu tasuta nende miljonitega, kas kasutavad suurimat avalikku Matrix'i serverit",
"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.": "Sinu sõnumit ei saadetud, kuna see koduserver on ületanud on ületanud ressursipiirangu. Teenuse kasutamiseks palun <a>võta ühendust serveri haldajaga</a>.",
"Connectivity to the server has been lost.": "Ühendus sinu serveriga on katkenud.",
@ -862,7 +849,6 @@
"Invite anyway": "Kutsu siiski",
"Please tell us what went wrong or, better, create a GitHub issue that describes the problem.": "Palun kirjelda seda, mis läks valesti ja loo GitHub'is veateade.",
"Before submitting logs, you must <a>create a GitHub issue</a> to describe your problem.": "Enne logide saatmist sa peaksid <a>GitHub'is looma veateate</a> ja kirjeldama seal tekkinud probleemi.",
"GitHub issue": "Veateade GitHub'is",
"Notes": "Märkused",
"%(senderDisplayName)s changed the topic to \"%(topic)s\".": "%(senderDisplayName)s muutis uueks teemaks „%(topic)s“.",
"%(senderDisplayName)s upgraded this room.": "%(senderDisplayName)s uuendas seda jututuba.",
@ -941,7 +927,6 @@
"The identity server you have chosen does not have any terms of service.": "Sinu valitud isikutuvastusserveril pole kasutustingimusi.",
"Disconnect identity server": "Katkesta ühendus isikutuvastusserveriga",
"Disconnect from the identity server <idserver />?": "Kas katkestame ühenduse isikutuvastusserveriga <idserver />?",
"Disconnect": "Katkesta ühendus",
"You should:": "Sa peaksid:",
"check your browser plugins for anything that might block the identity server (such as Privacy Badger)": "kontrollima kas mõni brauseriplugin takistab ühendust isikutuvastusserveriga (nagu näiteks Privacy Badger)",
"contact the administrators of identity server <idserver />": "võtma ühendust isikutuvastusserveri <idserver /> haldajaga",
@ -951,10 +936,7 @@
"Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "Sinu serveri haldur on lülitanud läbiva krüptimise omavahelistes jututubades ja otsesõnumites välja.",
"This room has been replaced and is no longer active.": "See jututuba on asendatud teise jututoaga ning ei ole enam kasutusel.",
"You do not have permission to post to this room": "Sul ei ole õigusi siia jututuppa kirjutamiseks",
"Bold": "Paks kiri",
"Italics": "Kaldkiri",
"Strikethrough": "Läbikriipsutus",
"Code block": "Koodiplokk",
"Message preview": "Sõnumi eelvaade",
"List options": "Loendi valikud",
"Show %(count)s more": {
@ -1014,7 +996,6 @@
"Please review and accept the policies of this homeserver:": "Palun vaata üle selle koduserveri kasutustingimused ja nõustu nendega:",
"A text message has been sent to %(msisdn)s": "Saatsime tekstisõnumi telefoninumbrile %(msisdn)s",
"Please enter the code it contains:": "Palun sisesta seal kuvatud kood:",
"Code": "Kood",
"Submit": "Saada",
"Start authentication": "Alusta autentimist",
"Sign in with SSO": "Logi sisse kasutades SSO'd ehk ühekordset autentimist",
@ -1047,7 +1028,6 @@
"Restricted": "Piiratud õigustega kasutaja",
"Moderator": "Moderaator",
"Admin": "Peakasutaja",
"Custom (%(level)s)": "Kohandatud õigused (%(level)s)",
"Failed to invite": "Kutse saatmine ei õnnestunud",
"Operation failed": "Toiming ei õnnestunud",
"You need to be logged in.": "Sa peaksid olema sisse loginud.",
@ -1193,11 +1173,7 @@
"Set the name of a font installed on your system & %(brand)s will attempt to use it.": "Vali sinu seadmes leiduv fondi nimi ning %(brand)s proovib seda kasutada.",
"Customise your appearance": "Kohenda välimust",
"Appearance Settings only affect this %(brand)s session.": "Välimuse kohendused kehtivad vaid selles %(brand)s'i sessioonis.",
"Legal": "Juriidiline teave",
"Credits": "Tänuavaldused",
"Bug reporting": "Vigadest teatamine",
"Clear cache and reload": "Tühjenda puhver ja laadi uuesti",
"FAQ": "Korduma kippuvad küsimused",
"Versions": "Versioonid",
"%(brand)s version:": "%(brand)s'i versioon:",
"Ignored/Blocked": "Eiratud või ligipääs blokeeritud",
@ -1215,7 +1191,6 @@
"You have not ignored anyone.": "Sa ei ole veel kedagi eiranud.",
"You are currently ignoring:": "Hetkel eiratavate kasutajate loend:",
"You are not subscribed to any lists": "Sa ei ole liitunud ühegi loendiga",
"Unsubscribe": "Lõpeta liitumine",
"View rules": "Näita reegleid",
"You are currently subscribed to:": "Sa oled hetkel liitunud:",
"Ignored users": "Eiratud kasutajad",
@ -1235,7 +1210,6 @@
"To link to this room, please add an address.": "Sellele jututoale viitamiseks palun lisa talle aadress.",
"Discovery options will appear once you have added an email above.": "Otsinguvõimaluste loend kuvatakse, kui oled ülale sisestanud e-posti aadressi.",
"Discovery options will appear once you have added a phone number above.": "Otsinguvõimaluste loend kuvatakse, kui oled ülale sisestanud telefoninumbri.",
"Mod": "Moderaator",
"The authenticity of this encrypted message can't be guaranteed on this device.": "Selle krüptitud sõnumi autentsus pole selles seadmes tagatud.",
"and %(count)s others...": {
"other": "ja %(count)s muud...",
@ -1324,8 +1298,6 @@
"And %(count)s more...": {
"other": "Ja %(count)s muud..."
},
"If there is additional context that would help in analysing the issue, such as what you were doing at the time, room IDs, user IDs, etc., please include those things here.": "Kui sul leidub lisateavet, mis võis selle vea analüüsimisel abiks olla, siis palun lisa need ka siia - näiteks mida sa vea tekkimise hetkel tegid, jututoa tunnus, kasutajate tunnused, jne.",
"Send logs": "Saada logikirjed",
"Unable to load commit detail: %(msg)s": "Ei õnnestu laadida sõnumi lisateavet: %(msg)s",
"Unavailable": "Ei ole saadaval",
"Changelog": "Versioonimuudatuste loend",
@ -1398,7 +1370,6 @@
"Use a secret phrase only you know, and optionally save a Security Key to use for backup.": "Sisesta turvafraas, mida vaid sina tead ning lisaks võid salvestada varunduse turvavõtme.",
"Enter your account password to confirm the upgrade:": "Kinnitamaks seda muudatust, sisesta oma konto salasõna:",
"Restore your key backup to upgrade your encryption": "Krüptimine uuendamiseks taasta oma varundatud võtmed",
"Restore": "Taasta",
"You'll need to authenticate with the server to confirm the upgrade.": "Uuenduse kinnitamiseks pead end autentima serveris.",
"Upgrade this session to allow it to verify other sessions, granting them access to encrypted messages and marking them as trusted for other users.": "Teiste sessioonide verifitseerimiseks pead uuendama seda sessiooni. Muud verifitseeritud sessioonid saavad sellega ligipääsu krüptitud sõnumitele ning nad märgitakse usaldusväärseteks ka teiste kasutajate jaoks.",
"That matches!": "Klapib!",
@ -1494,7 +1465,6 @@
"If you don't want to use <server /> to discover and be discoverable by existing contacts you know, enter another identity server below.": "Kui sa ei soovi kasutada <server /> serverit, et olla leitav ja ise leida sinule teadaolevaid inimesi, siis sisesta alljärgnevalt mõni teine isikutuvastusserver.",
"Do not use an identity server": "Ära kasuta isikutuvastusserverit",
"Enter a new identity server": "Sisesta uue isikutuvastusserveri nimi",
"Change": "Muuda",
"Manage integrations": "Halda lõiminguid",
"Define the power level of a user": "Määra kasutaja õigused",
"Opens the Developer Tools dialog": "Avab arendusvahendite akna",
@ -1532,7 +1502,6 @@
"not stored": "ei ole salvestatud",
"Using an identity server is optional. If you choose not to use an identity server, you won't be discoverable by other users and you won't be able to invite others by email or phone.": "Isikutuvastusserveri kasutamine ei ole kohustuslik. Kui sa seda ei tee, siis sa ei ole leitav teiste kasutajate poolt ega sulle ei saa telefoninumbri või e-posti aadressi alusel kutset saata. Küll aga saab kutset saata Matrix'i kasutajatunnuse alusel.",
"Help & About": "Abiteave ning info meie kohta",
"Submit debug logs": "Saada silumise logid",
"Success!": "Õnnestus!",
"Create key backup": "Tee võtmetest varukoopia",
"Unable to create key backup": "Ei õnnestu teha võtmetest varukoopiat",
@ -1571,7 +1540,6 @@
"Uploading logs": "Laadin logisid üles",
"Downloading logs": "Laadin logisid alla",
"Preparing to download logs": "Valmistun logikirjete allalaadimiseks",
"Download logs": "Laadi logikirjed alla",
"Unexpected server error trying to leave the room": "Jututoast lahkumisel tekkis serveris ootamatu viga",
"Error leaving room": "Viga jututoast lahkumisel",
"Set up Secure Backup": "Võta kasutusele turvaline varundus",
@ -1579,7 +1547,6 @@
"You might enable this if the room will only be used for collaborating with internal teams on your homeserver. This cannot be changed later.": "Sa võid sellise võimaluse kasutusele võtta, kui seda jututuba kasutatakse vaid organisatsioonisiseste tiimide ühistööks oma koduserveri piires. Seda ei saa hiljem muuta.",
"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.": "Sa võid sellise võimaluse jätta kasutusele võtmata, kui seda jututuba kasutatakse erinevate väliste tiimide ühistööks kasutades erinevaid koduservereid. Seda ei saa hiljem muuta.",
"Block anyone not part of %(serverName)s from ever joining this room.": "Keela kõikide niisuguste kasutajate liitumine selle jututoaga, kelle kasutajakonto ei asu %(serverName)s koduserveris.",
"Privacy": "Privaatsus",
"Prepends ( ͡° ͜ʖ ͡°) to a plain-text message": "Lisa ( ͡° ͜ʖ ͡°) smaili vormindamata sõnumi algusesse",
"Unknown App": "Tundmatu rakendus",
"Not encrypted": "Krüptimata",
@ -1921,7 +1888,6 @@
"Approve widget permissions": "Anna vidinale õigused",
"Use Ctrl + Enter to send a message": "Sõnumi saatmiseks vajuta Ctrl + Enter",
"Decline All": "Keeldu kõigist",
"Approve": "Nõustu",
"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",
"Send <b>%(eventType)s</b> events as you in this room": "Saada enda nimel <b>%(eventType)s</b> sündmusi siia jututuppa",
@ -2157,8 +2123,6 @@
"Suggested": "Soovitatud",
"Your server does not support showing space hierarchies.": "Sinu koduserver ei võimalda kuvada kogukonnakeskuste hierarhiat.",
"Welcome to <name/>": "Tete tulemast <name/> liikmeks",
"Random": "Juhuslik",
"Support": "Toeta",
"Failed to create initial space rooms": "Algsete jututubade loomine ei õnnestunud",
"Skip for now": "Hetkel jäta vahele",
"Who are you working with?": "Kellega sa koos töötad?",
@ -2216,7 +2180,6 @@
"Forgotten or lost all recovery methods? <a>Reset all</a>": "Unustasid või oled kaotanud kõik võimalused ligipääsu taastamiseks? <a>Lähtesta kõik ühe korraga</a>",
"If you do, please note that none of your messages will be deleted, but the search experience might be degraded for a few moments whilst the index is recreated": "Kui sa siiski soovid seda teha, siis sinu sõnumeid me ei kustuta, aga seniks kuni sõnumite indeks taustal uuesti luuakse, toimib otsing aeglaselt ja ebatõhusalt",
"View message": "Vaata sõnumit",
"%(seconds)ss left": "jäänud %(seconds)s sekundit",
"Change server ACLs": "Muuda serveri ligipääsuõigusi",
"You can select all or individual messages to retry or delete": "Sa võid valida kas kõik või mõned sõnumid kas kustutamiseks või uuesti saatmiseks",
"Sending": "Saadan",
@ -2233,8 +2196,6 @@
"Pick rooms or conversations to add. This is just a space for you, no one will be informed. You can add more later.": "Lisamiseks vali vestlusi ja jututubasid. Hetkel on see kogukonnakeskus vaid sinu jaoks ja esialgu keegi ei saa sellest teada. Teisi saad liituma kutsuda hiljem.",
"What do you want to organise?": "Mida sa soovid ette võtta?",
"You have no ignored users.": "Sa ei ole veel kedagi eiranud.",
"Play": "Esita",
"Pause": "Peata",
"Select a room below first": "Esmalt vali alljärgnevast üks jututuba",
"Join the beta": "Hakka kasutama beetaversiooni",
"Leave the beta": "Lõpeta beetaversiooni kasutamine",
@ -2251,7 +2212,6 @@
"We were unable to access your microphone. Please check your browser settings and try again.": "Meil puudub ligipääs sinu mikrofonile. Palun kontrolli oma veebibrauseri seadistusi ja proovi uuesti.",
"Unable to access your microphone": "Puudub ligipääs mikrofonile",
"Your access token gives full access to your account. Do not share it with anyone.": "Sinu pääsuluba annab täismahulise ligipääsu sinu kasutajakontole. Palun ära jaga seda teistega.",
"Access Token": "Pääsuluba",
"Please enter a name for the space": "Palun sisesta kogukonnakeskuse nimi",
"Connecting": "Kõne on ühendamisel",
"Search names and descriptions": "Otsi nimede ja kirjelduste seast",
@ -2554,7 +2514,6 @@
"Are you sure you want to exit during this export?": "Kas sa oled kindel, et soovid lõpetada tegevuse selle ekspordi ajal?",
"%(senderDisplayName)s sent a sticker.": "%(senderDisplayName)s saatis kleepsu.",
"%(senderDisplayName)s changed the room avatar.": "%(senderDisplayName)s muutis jututoa tunnuspilti.",
"%(date)s at %(time)s": "%(date)s %(time)s",
"Proceed with reset": "Jätka kustutamisega",
"It looks like you don't have a Security Key or any other devices you can verify against. This device will not be able to access old encrypted messages. In order to verify your identity on this device, you'll need to reset your verification keys.": "Tundub, et sul ei ole ei turvavõtit ega muid seadmeid, mida saaksid verifitseerimiseks kasutada. Siin seadmes ei saa lugeda vanu krüptitud sõnumeid. Enda tuvastamiseks selles seadmed pead oma vanad verifitseerimisvõtmed kustutama.",
"Resetting your verification keys cannot be undone. After resetting, you won't have access to old encrypted messages, and any friends who have previously verified you will see security warnings until you re-verify with them.": "Verifitseerimisvõtmete kustutamist ei saa hiljem tagasi võtta. Peale seda sul puudub ligipääs vanadele krüptitud sõnumitele ja kõik sinu verifitseeritud sõbrad-tuttavad näevad turvahoiatusi seni kuni sa uuesti nad verifitseerid.",
@ -2622,7 +2581,6 @@
"Yours, or the other users' internet connection": "Sinu või teise kasutaja internetiühendus",
"The homeserver the user you're verifying is connected to": "Sinu poolt verifitseeritava kasutaja koduserver",
"This room isn't bridging messages to any platforms. <a>Learn more.</a>": "See jututuba ei kasuta sõnumisildasid liidestamiseks muude süsteemidega. <a>Lisateave.</a>",
"Rename": "Muuda nime",
"Select all": "Vali kõik",
"Deselect all": "Eemalda kõik valikud",
"Sign out devices": {
@ -2976,7 +2934,6 @@
"This homeserver is not configured correctly to display maps, or the configured map server may be unreachable.": "See koduserver kas pole korrektselt seadistatud kuvama kaarte või seadistatud kaardiserver ei tööta.",
"Can't create a thread from an event with an existing relation": "Jutulõnga ei saa luua sõnumist, mis juba on jutulõnga osa",
"Busy": "Hõivatud",
"If you've submitted a bug via GitHub, debug logs can help us track down the problem. ": "Kui sa oled GitHub'is teinud meile veateate, siis silumislogid võivad aidata vea lahendamisel. ",
"Toggle Code Block": "Lülita koodiblokk sisse/välja",
"Toggle Link": "Lülita link sisse/välja",
"You are sharing your live location": "Sa jagad oma asukohta reaalajas",
@ -2992,12 +2949,7 @@
"Preserve system messages": "Näita süsteemseid teateid",
"Uncheck if you also want to remove system messages on this user (e.g. membership change, profile change…)": "Kui sa samuti soovid mitte kuvada selle kasutajaga seotud süsteemseid teateid (näiteks liikmelisuse muutused, profiili muutused, jne), siis eemalda see valik",
"Share for %(duration)s": "Jaga nii kaua - %(duration)s",
"%(value)ss": "%(value)s s",
"%(value)sm": "%(value)s m",
"%(value)sh": "%(value)s t",
"%(value)sd": "%(value)s p",
"%(timeRemaining)s left": "jäänud %(timeRemaining)s",
"Debug logs contain application usage data including your username, the IDs or aliases of the rooms you have visited, which UI elements you last interacted with, and the usernames of other users. They do not contain messages.": "Vigadega seotud logid sisaldavad rakenduse teavet, sealhulgas sinu kasutajanime, külastatud jututubade tunnuseid või nimesid, viimatikasutatud liidese funktsionaalsusi ning teiste kasutajate kasutajanimesid. Logides ei ole saadetud sõnumite sisu.",
"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",
"Event ID: %(eventId)s": "Sündmuse tunnus: %(eventId)s",
@ -3271,7 +3223,6 @@
"Download %(brand)s": "Laadi alla %(brand)s",
"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.",
"Presence": "Olek võrgus",
"Send read receipts": "Saada lugemisteatiseid",
"Last activity": "Viimati kasutusel",
"Sessions": "Sessioonid",
@ -3292,7 +3243,6 @@
"Verified": "Verifitseeritud",
"Verify your sessions for enhanced secure messaging or sign out from those you don't recognize or use anymore.": "Turvalise sõnumvahetuse nimel verifitseeri kõik oma sessioonid ning logi neist välja, mida sa enam ei kasuta või ei tunne enam ära.",
"Inactive sessions": "Mitteaktiivsed sessioonid",
"View all": "Näita kõiki",
"Unverified sessions": "Verifitseerimata sessioonid",
"Security recommendations": "Turvalisusega seotud soovitused",
"Dont miss a thing by taking %(brand)s with you": "Võta %(brand)s nutiseadmesse kaasa ning ära jäta suhtlemist vahele",
@ -3326,7 +3276,6 @@
"Map feedback": "Tagasiside kaardi kohta",
"You made it!": "Sa said valmis!",
"We're creating a room with %(names)s": "Me loome jututoa järgnevaist: %(names)s",
"Show": "Näita",
"%(downloadButton)s or %(copyButton)s": "%(downloadButton)s või %(copyButton)s",
"%(securityKey)s or %(recoveryFile)s": "%(securityKey)s või %(recoveryFile)s",
"%(qrCode)s or %(appLinks)s": "%(qrCode)s või %(appLinks)s",
@ -3388,8 +3337,6 @@
"Sorry — this call is currently full": "Vabandust, selles kõnes ei saa rohkem osalejaid olla",
"resume voice broadcast": "jätka ringhäälingukõnet",
"pause voice broadcast": "peata ringhäälingukõne",
"Underline": "Allajoonitud tekst",
"Italic": "Kaldkiri",
"Notifications silenced": "Teavitused on summutatud",
"Completing set up of your new device": "Lõpetame uue seadme seadistamise",
"Waiting for device to sign in": "Ootame, et teine seade logiks võrku",
@ -3449,8 +3396,6 @@
"Error downloading image": "Pildifaili allalaadimine ei õnnestunud",
"Unable to show image due to error": "Vea tõttu ei ole võimalik pilti kuvada",
"Go live": "Alusta otseeetrit",
"%(minutes)sm %(seconds)ss left": "jäänud on %(minutes)sm %(seconds)ss",
"%(hours)sh %(minutes)sm %(seconds)ss left": "jäänud on %(hours)st %(minutes)sm %(seconds)ss",
"That e-mail address or phone number is already in use.": "See e-posti aadress või telefoninumber on juba kasutusel.",
"This means that you have all the keys needed to unlock your encrypted messages and confirm to other users that you trust this session.": "See tähendab, et selles sessioonis on ka kõik vajalikud võtmed krüptitud sõnumite lugemiseks ja teistele kasutajatele kinnitamiseks, et sa usaldad seda sessiooni.",
"Verified sessions are anywhere you are using this account after entering your passphrase or confirming your identity with another verified session.": "Verifitseeritud sessioonideks loetakse Element'is või mõnes muus Matrix'i rakenduses selliseid sessioone, kus sa kas oled sisestanud oma salafraasi või tuvastanud end mõne teise oma verifitseeritud sessiooni abil.",
@ -3473,9 +3418,6 @@
"Too many attempts in a short time. Wait some time before trying again.": "Liiga palju päringuid napis ajavahemikus. Enne uuesti proovimist palun oota veidi.",
"Thread root ID: %(threadRootId)s": "Jutulõnga esimese kirje tunnus: %(threadRootId)s",
"Change input device": "Vaheta sisendseadet",
"%(minutes)sm %(seconds)ss": "%(minutes)s m %(seconds)s s",
"%(hours)sh %(minutes)sm %(seconds)ss": "%(hours)s t %(minutes)s m %(seconds)s s",
"%(days)sd %(hours)sh %(minutes)sm %(seconds)ss": "%(days)s pv %(hours)s t %(minutes)s m %(seconds)s s",
"We were unable to start a chat with the other user.": "Meil ei õnnestunud alustada vestlust teise kasutajaga.",
"Error starting verification": "Viga verifitseerimise alustamisel",
"Buffering…": "Andmed on puhverdamisel…",
@ -3519,7 +3461,6 @@
"Text": "Tekst",
"Create a link": "Tee link",
"Force 15s voice broadcast chunk length": "Kasuta ringhäälingusõnumi puhul 15-sekundilist blokipikkust",
"Link": "Link",
"Sign out of %(count)s sessions": {
"one": "Logi %(count)s'st sessioonist välja",
"other": "Logi %(count)s'st sessioonist välja"
@ -3533,8 +3474,6 @@
"You can't start a voice message as you are currently recording a live broadcast. Please end your live broadcast in order to start recording a voice message.": "Kuna sa hetkel salvestad ringhäälingukõnet, siis häälsõnumi salvestamine või esitamine ei õnnestu. Selleks palun lõpeta ringhäälingukõne.",
"Can't start voice message": "Häälsõnumi salvestamine või esitamine ei õnnestu",
"Edit link": "Muuda linki",
"Numbered list": "Nummerdatud loend",
"Bulleted list": "Täpploend",
"Decrypted source unavailable": "Dekrüptitud lähteandmed pole saadaval",
"Connection error - Recording paused": "Viga võrguühenduses - salvestamine on peatatud",
"%(senderName)s started a voice broadcast": "%(senderName)s alustas ringhäälingukõnet",
@ -3544,8 +3483,6 @@
"Unable to play this voice broadcast": "Selle ringhäälingukõne esitamine ei õnnestu",
"Your account details are managed separately at <code>%(hostname)s</code>.": "Sinu kasutajakonto lisateave on hallatav siin serveris - <code>%(hostname)s</code>.",
"Manage account": "Halda kasutajakontot",
"Indent decrease": "Vähenda taandrida",
"Indent increase": "Suurenda taandrida",
"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",
"Unable to decrypt voice broadcast": "Ringhäälingukõne dekrüptimine ei õnnestu",
@ -3741,7 +3678,6 @@
"Email summary": "E-kirja kokkuvõte",
"People, Mentions and Keywords": "Kasutajad, mainimised ja märksõnad",
"Mentions and Keywords only": "Vaid mainimised ja märksõnad",
"Proceed": "Jätka",
"Show message preview in desktop notification": "Näita sõnumi eelvaadet töölauakeskkonnale omases teavituses",
"I want to be notified for (Default Setting)": "Soovin teavitusi (vaikimisi seadistused)",
"This setting will be applied by default to all your rooms.": "See seadistus kehtib vaikimisi kõikides sinu jututubades.",
@ -3845,7 +3781,22 @@
"dark": "Tume",
"beta": "Beetaversioon",
"attachment": "Manus",
"appearance": "Välimus"
"appearance": "Välimus",
"guest": "Külaline",
"legal": "Juriidiline teave",
"credits": "Tänuavaldused",
"faq": "Korduma kippuvad küsimused",
"access_token": "Pääsuluba",
"preferences": "Eelistused",
"presence": "Olek võrgus",
"timeline": "Ajajoon",
"privacy": "Privaatsus",
"camera": "Kaamera",
"microphone": "Mikrofon",
"emoji": "Emoji",
"random": "Juhuslik",
"support": "Toeta",
"space": "Tühikuklahv"
},
"action": {
"continue": "Jätka",
@ -3917,7 +3868,24 @@
"back": "Tagasi",
"apply": "Rakenda",
"add": "Lisa",
"accept": "Võta vastu"
"accept": "Võta vastu",
"disconnect": "Katkesta ühendus",
"change": "Muuda",
"subscribe": "Telli",
"unsubscribe": "Lõpeta liitumine",
"approve": "Nõustu",
"proceed": "Jätka",
"complete": "Valmis",
"revoke": "Tühista",
"rename": "Muuda nime",
"view_all": "Näita kõiki",
"show_all": "Näita kõiki",
"show": "Näita",
"review": "Vaata üle",
"restore": "Taasta",
"play": "Esita",
"pause": "Peata",
"register": "Registreeru"
},
"a11y": {
"user_menu": "Kasutajamenüü"
@ -3983,5 +3951,54 @@
"default_cover_photo": "<photo>Vaikimisi kasutatava kaanepildi</photo> autoriõiguste omanik on <author>Jesús Roncero</author> ja seda fotot kasutame vastavalt <terms>CC-BY-SA 4.0</terms> litsentsi tingimustele.",
"twemoji_colr": "<colr>Twemoji-colr</colr> kirjatüübi autoriõiguste omanik on <author>Mozilla Foundation</author> seda kasutame vastavalt <terms>Apache 2.0</terms> litsentsi tingimustele.",
"twemoji": "<twemoji>Twemoji</twemoji> emotikonide autoriõiguste omanik on <author>Twitter, Inc koos kaasautoritega</author> ning neid kasutame vastavalt <terms>CC-BY 4.0</terms> litsentsi tingimustele."
},
"composer": {
"format_bold": "Paks kiri",
"format_italic": "Kaldkiri",
"format_underline": "Allajoonitud tekst",
"format_strikethrough": "Läbikriipsutus",
"format_unordered_list": "Täpploend",
"format_ordered_list": "Nummerdatud loend",
"format_increase_indent": "Suurenda taandrida",
"format_decrease_indent": "Vähenda taandrida",
"format_inline_code": "Kood",
"format_code_block": "Koodiplokk",
"format_link": "Link"
},
"Bold": "Paks kiri",
"Link": "Link",
"Code": "Kood",
"power_level": {
"default": "Tavaline",
"restricted": "Piiratud õigustega kasutaja",
"moderator": "Moderaator",
"admin": "Peakasutaja",
"custom": "Kohandatud õigused (%(level)s)",
"mod": "Moderaator"
},
"bug_reporting": {
"introduction": "Kui sa oled GitHub'is teinud meile veateate, siis silumislogid võivad aidata vea lahendamisel. ",
"description": "Vigadega seotud logid sisaldavad rakenduse teavet, sealhulgas sinu kasutajanime, külastatud jututubade tunnuseid või nimesid, viimatikasutatud liidese funktsionaalsusi ning teiste kasutajate kasutajanimesid. Logides ei ole saadetud sõnumite sisu.",
"matrix_security_issue": "Kui soovid teatada Matrix'iga seotud turvaveast, siis palun tutvu enne Matrix.org <a>Turvalisuse avalikustamise juhendiga</a>.",
"submit_debug_logs": "Saada silumise logid",
"title": "Vigadest teatamine",
"additional_context": "Kui sul leidub lisateavet, mis võis selle vea analüüsimisel abiks olla, siis palun lisa need ka siia - näiteks mida sa vea tekkimise hetkel tegid, jututoa tunnus, kasutajate tunnused, jne.",
"send_logs": "Saada logikirjed",
"github_issue": "Veateade GitHub'is",
"download_logs": "Laadi logikirjed alla",
"before_submitting": "Enne logide saatmist sa peaksid <a>GitHub'is looma veateate</a> ja kirjeldama seal tekkinud probleemi."
},
"time": {
"hours_minutes_seconds_left": "jäänud on %(hours)st %(minutes)sm %(seconds)ss",
"minutes_seconds_left": "jäänud on %(minutes)sm %(seconds)ss",
"seconds_left": "jäänud %(seconds)s sekundit",
"date_at_time": "%(date)s %(time)s",
"short_days": "%(value)s p",
"short_hours": "%(value)s t",
"short_minutes": "%(value)s m",
"short_seconds": "%(value)s s",
"short_days_hours_minutes_seconds": "%(days)s pv %(hours)s t %(minutes)s m %(seconds)s s",
"short_hours_minutes_seconds": "%(hours)s t %(minutes)s m %(seconds)s s",
"short_minutes_seconds": "%(minutes)s m %(seconds)s s"
}
}
}

View file

@ -12,7 +12,6 @@
"Rooms": "Gelak",
"Low priority": "Lehentasun baxua",
"Join Room": "Elkartu gelara",
"Register": "Eman izena",
"Submit": "Bidali",
"Return to login screen": "Itzuli saio hasierarako pantailara",
"Email address": "E-mail helbidea",
@ -63,8 +62,6 @@
"No media permissions": "Media baimenik ez",
"You may need to manually permit %(brand)s to access your microphone/webcam": "Agian eskuz baimendu behar duzu %(brand)sek mikrofonoa edo kamera atzitzea",
"Default Device": "Lehenetsitako gailua",
"Microphone": "Mikrofonoa",
"Camera": "Kamera",
"An error has occurred.": "Errore bat gertatu da.",
"Are you sure?": "Ziur zaude?",
"Are you sure you want to leave the room '%(roomName)s'?": "Ziur '%(roomName)s' gelatik atera nahi duzula?",
@ -85,7 +82,6 @@
"%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s erabiltzaileak gelaren izena kendu du.",
"%(senderDisplayName)s changed the topic to \"%(topic)s\".": "%(senderDisplayName)s erabiltzaileak mintzagaia aldatu du beste honetara: \"%(topic)s\".",
"Download %(text)s": "Deskargatu %(text)s",
"Emoji": "Emoji",
"Error decrypting attachment": "Errorea eranskina deszifratzean",
"Failed to ban user": "Huts egin du erabiltzailea debekatzean",
"Failed to change power level": "Huts egin du botere maila aldatzean",
@ -401,8 +397,6 @@
"<a>In reply to</a> <pill>": "<a>honi erantzunez:</a> <pill>",
"Failed to remove tag %(tagName)s from room": "Huts egin du %(tagName)s etiketa gelatik kentzean",
"Failed to add tag %(tagName)s to room": "Huts egin du %(tagName)s etiketa gelara gehitzean",
"Code": "Kodea",
"Submit debug logs": "Bidali arazte-egunkariak",
"Opens the Developer Tools dialog": "Garatzailearen tresnen elkarrizketa-koadroa irekitzen du",
"Stickerpack": "Eranskailu-multzoa",
"You don't currently have any stickerpacks enabled": "Ez duzu eranskailu multzorik aktibatuta",
@ -435,7 +429,6 @@
"All Rooms": "Gela guztiak",
"Wednesday": "Asteazkena",
"You cannot delete this message. (%(code)s)": "Ezin duzu mezu hau ezabatu. (%(code)s)",
"Send logs": "Bidali egunkariak",
"All messages": "Mezu guztiak",
"Call invitation": "Dei gonbidapena",
"State Key": "Egoera gakoa",
@ -507,7 +500,6 @@
"Put a link back to the old room at the start of the new room so people can see old messages": "Gela berriaren hasieran gela zaharrera esteka bat jarri jendeak mezu zaharrak ikus ditzan",
"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.": "Zure mezua ez da bidali zure hasiera zerbitzariak hilabeteko erabiltzaile aktiboen muga jo duelako. <a>Jarri kontaktuan zerbitzuaren administratzailearekin</a> zerbitzua erabiltzen jarraitzeko.",
"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.": "Zure mezua ez da bidali zure hasiera zerbitzariak baliabide mugaren bat jo duelako. <a>Jarri kontaktuan zerbitzuaren administratzailearekin</a> zerbitzua erabiltzen jarraitzeko.",
"Legal": "Legala",
"Please <a>contact your service administrator</a> to continue using this service.": "<a>Jarri kontaktuan zerbitzuaren administratzailearekin</a> zerbitzu hau erabiltzen jarraitzeko.",
"Forces the current outbound group session in an encrypted room to be discarded": "Uneko irteerako talde saioa zifratutako gela batean baztertzera behartzen du",
"%(senderName)s set the main address for this room to %(address)s.": "%(senderName)s erabiltzileak %(address)s ezarri du gela honetako helbide nagusi gisa.",
@ -657,13 +649,11 @@
"Room Name": "Gelaren izena",
"Room Topic": "Gelaren mintzagaia",
"This homeserver would like to make sure you are not a robot.": "Hasiera-zerbitzari honek robota ez zarela egiaztatu nahi du.",
"Change": "Aldatu",
"Email (optional)": "E-mail (aukerakoa)",
"Phone (optional)": "Telefonoa (aukerakoa)",
"Join millions for free on the largest public server": "Elkartu milioika pertsonekin dohain hasiera zerbitzari publiko handienean",
"Other": "Beste bat",
"Couldn't load page": "Ezin izan da orria kargatu",
"Guest": "Gonbidatua",
"General": "Orokorra",
"Room Addresses": "Gelaren helbideak",
"Email addresses": "E-mail helbideak",
@ -674,12 +664,8 @@
"For help with using %(brand)s, click <a>here</a> or start a chat with our bot using the button below.": "%(brand)s erabiltzeko laguntza behar baduzu, egin klik <a>hemen</a> edo hasi txat bat gure botarekin beheko botoia sakatuz.",
"Chat with %(brand)s Bot": "Txateatu %(brand)s botarekin",
"Help & About": "Laguntza eta honi buruz",
"Bug reporting": "Akatsen berri ematea",
"FAQ": "FAQ",
"Versions": "Bertsioak",
"Preferences": "Hobespenak",
"Room list": "Gelen zerrenda",
"Timeline": "Denbora-lerroa",
"Autocomplete delay (ms)": "Automatikoki osatzeko atzerapena (ms)",
"Roles & Permissions": "Rolak eta baimenak",
"Security & Privacy": "Segurtasuna eta pribatutasuna",
@ -711,7 +697,6 @@
"Trumpet": "Tronpeta",
"Bell": "Kanpaia",
"Anchor": "Aingura",
"Credits": "Kredituak",
"%(senderDisplayName)s changed the join rule to %(rule)s": "%(senderDisplayName)s erabiltzaileak elkartzeko araua aldatu du: %(rule)s",
"%(senderDisplayName)s has allowed guests to join the room.": "%(senderDisplayName)s erabiltzaileak bisitariak gelara elkartzea baimendu du.",
"%(senderDisplayName)s has prevented guests from joining the room.": "%(senderDisplayName)s bisitariak gelara elkartzea eragotzi du.",
@ -834,7 +819,6 @@
"Rotate Left": "Biratu ezkerrera",
"Rotate Right": "Biratu eskumara",
"Edit message": "Editatu mezua",
"GitHub issue": "GitHub arazo-txostena",
"Notes": "Oharrak",
"Sign out and remove encryption keys?": "Amaitu saioa eta kendu zifratze gakoak?",
"To help us prevent this in future, please <a>send us logs</a>.": "Etorkizunean hau ekiditeko, <a>bidali guri egunkariak</a>.",
@ -868,7 +852,6 @@
"You can log in, but some features will be unavailable until the identity server is back online. If you keep seeing this warning, check your configuration or contact a server admin.": "Saioa hasi dezakezu, baina ezaugarri batzuk ez dira eskuragarri izango identitate-zerbitzaria berriro eskuragarri egon arte. Abisu hau ikusten jarraitzen baduzu, egiaztatu zure konfigurazioa edo kontaktatu zerbitzariaren administratzailea.",
"Could not revoke the invite. The server may be experiencing a temporary problem or you do not have sufficient permissions to revoke the invite.": "Ezin izan da gonbidapena baliogabetu. Zerbitzariak une bateko arazoren bat izan lezake edo agian ez duzu gonbidapena baliogabetzeko baimen nahiko.",
"<reactors/><reactedWith>reacted with %(shortName)s</reactedWith>": "<reactors/> erabiltzaileak <reactedWith>%(shortName)s batekin erreakzionatu du</reactedWith>",
"If there is additional context that would help in analysing the issue, such as what you were doing at the time, room IDs, user IDs, etc., please include those things here.": "Arazoa ikertzen lagundu gaitzakeen testuinguru gehiago badago, esaterako gertatutakoan zer egiten ari zinen, gelaren ID-a, erabiltzaile ID-ak eta abar, mesedez jarri horiek hemen.",
"Some session data, including encrypted message keys, is missing. Sign out and sign in to fix this, restoring keys from backup.": "Saioaren datu batzuk, zifratutako mezuen gakoak barne, falta dira. Amaitu saioa eta hasi saioa berriro hau konpontzeko, gakoak babes-kopiatik berreskuratuz.",
"Your browser likely removed this data when running low on disk space.": "Ziur asko zure nabigatzaileak kendu ditu datu hauek diskoan leku gutxi zuelako.",
"This file is <b>too large</b> to upload. The file size limit is %(limit)s but this file is %(sizeOfThisFile)s.": "Fitxategi hau <b>handiegia da</b> igo ahal izateko. Fitxategiaren tamaina-muga %(limit)s da, baina fitxategi honen tamaina %(sizeOfThisFile)s da.",
@ -885,7 +868,6 @@
"Upgrading this room requires closing down the current instance of the room and creating a new room in its place. To give room members the best possible experience, we will:": "Gela hau bertsio-berritzeak gelaren oraingo instantzia itzaliko du eta izen bereko beste gela berri bat sortuko du. Kideei esperientziarik onena emateko, hau egingo dugu:",
"Edited at %(date)s. Click to view edits.": "Edizio data: %(date)s. Sakatu edizioak ikusteko.",
"Message edits": "Mezuaren edizioak",
"Show all": "Erakutsi denak",
"%(severalUsers)smade no changes %(count)s times": {
"other": "%(severalUsers)s erabiltzaileek ez dute aldaketarik egin %(count)s aldiz",
"one": "%(severalUsers)s erabiltzaileek ez dute aldaketarik egin"
@ -920,7 +902,6 @@
"Displays list of commands with usages and descriptions": "Aginduen zerrenda bistaratzen du, erabilera eta deskripzioekin",
"Checking server": "Zerbitzaria egiaztatzen",
"Disconnect from the identity server <idserver />?": "Deskonektatu <idserver /> identitate-zerbitzaritik?",
"Disconnect": "Deskonektatu",
"You are currently using <server></server> to discover and be discoverable by existing contacts you know. You can change your identity server below.": "<server></server> erabiltzen ari zara kontaktua aurkitzeko eta aurkigarria izateko. Zure identitate-zerbitzaria aldatu dezakezu azpian.",
"You are not currently using an identity server. To discover and be discoverable by existing contacts you know, add one below.": "Orain ez duzu identitate-zerbitzaririk erabiltzen. Kontaktuak aurkitzeko eta aurkigarria izateko, gehitu bat azpian.",
"Disconnecting from your identity server will mean you won't be discoverable by other users and you won't be able to invite others by email or phone.": "Zure identitate-zerbitzaritik deskonektatzean ez zara beste erabiltzaileentzat aurkigarria izango eta ezin izango dituzu besteak gonbidatu e-mail helbidea edo telefono zenbakia erabiliz.",
@ -929,7 +910,6 @@
"Always show the window menu bar": "Erakutsi beti leihoaren menu barra",
"Unable to revoke sharing for email address": "Ezin izan da partekatzea indargabetu e-mail helbidearentzat",
"Unable to share email address": "Ezin izan da e-mail helbidea partekatu",
"Revoke": "Indargabetu",
"Discovery options will appear once you have added an email above.": "Aurkitze aukerak behin goian e-mail helbide bat gehitu duzunean agertuko dira.",
"Unable to revoke sharing for phone number": "Ezin izan da partekatzea indargabetu telefono zenbakiarentzat",
"Unable to share phone number": "Ezin izan da telefono zenbakia partekatu",
@ -981,7 +961,6 @@
"Your email address hasn't been verified yet": "Zure e-mail helbidea egiaztatu gabe dago oraindik",
"Click the link in the email you received to verify and then click continue again.": "Sakatu jaso duzun e-maileko estekan egiaztatzeko eta gero sakatu jarraitu berriro.",
"Verify the link in your inbox": "Egiaztatu zure sarrera ontzian dagoen esteka",
"Complete": "Burutu",
"No recent messages by %(user)s found": "Ez da %(user)s erabiltzailearen azken mezurik aurkitu",
"Try scrolling up in the timeline to see if there are any earlier ones.": "Saiatu denbora-lerroa gora korritzen aurreko besterik dagoen ikusteko.",
"Remove recent messages by %(user)s": "Kendu %(user)s erabiltzailearen azken mezuak",
@ -992,10 +971,7 @@
},
"Deactivating this user will log them out and prevent them from logging back in. Additionally, they will leave all the rooms they are in. This action cannot be reversed. Are you sure you want to deactivate this user?": "Erabiltzailea desaktibatzean saioa itxiko zaio eta ezin izango du berriro hasi. Gainera, dauden gela guztietatik aterako da. Ekintza hau ezin da aurreko egoera batera ekarri. Ziur erabiltzaile hau desaktibatu nahi duzula?",
"Remove recent messages": "Kendu azken mezuak",
"Bold": "Lodia",
"Italics": "Etzana",
"Strikethrough": "Marratua",
"Code block": "Kode blokea",
"This invite to %(roomName)s was sent to %(email)s which is not associated with your account": "%(roomName)s gelarako gonbidapena zure kontuarekin lotuta ez dagoen %(email)s helbidera bidali da",
"Use an identity server in Settings to receive invites directly in %(brand)s.": "Erabili identitate zerbitzari bat ezarpenetan gonbidapenak zuzenean %(brand)s-en jasotzeko.",
"Share this email in Settings to receive invites directly in %(brand)s.": "Partekatu e-mail hau ezarpenetan gonbidapenak zuzenean %(brand)s-en jasotzeko.",
@ -1068,7 +1044,6 @@
"%(name)s cancelled": "%(name)s utzita",
"%(name)s wants to verify": "%(name)s(e)k egiaztatu nahi du",
"You sent a verification request": "Egiaztaketa eskari bat bidali duzu",
"Custom (%(level)s)": "Pertsonalizatua (%(level)s)",
"%(senderName)s placed a voice call.": "%(senderName)s erabiltzaileak ahots-dei bat abiatu du.",
"%(senderName)s placed a voice call. (not supported by this browser)": "%(senderName)s erabiltzaileak ahots-dei bat abiatu du. (Nabigatzaile honek ez du onartzen)",
"%(senderName)s placed a video call.": "%(senderName)s erabiltzaileak bideo-dei bat abiatu du.",
@ -1093,7 +1068,6 @@
"You have not ignored anyone.": "Ez duzu inor ezikusi.",
"You are currently ignoring:": "Orain ezikusten dituzu:",
"You are not subscribed to any lists": "Ez zaude inolako zerrendara harpidetuta",
"Unsubscribe": "Kendu harpidetza",
"View rules": "Ikusi arauak",
"You are currently subscribed to:": "Orain hauetara harpidetuta zaude:",
"⚠ These settings are meant for advanced users.": "⚠ Ezarpen hauek erabiltzaile aurreratuei zuzenduta daude.",
@ -1104,7 +1078,6 @@
"Subscribed lists": "Harpidetutako zerrendak",
"Subscribing to a ban list will cause you to join it!": "Debeku-zerrenda batera harpidetzeak zu elkartzea ekarriko du!",
"If this isn't what you want, please use a different tool to ignore users.": "Hau ez bada zuk nahi duzuna, erabili beste tresnaren bat erabiltzaileak ezikusteko.",
"Subscribe": "Harpidetu",
"Failed to connect to integration manager": "Huts egin du integrazio kudeatzailera konektatzean",
"Trusted": "Konfiantzazkoa",
"Not trusted": "Ez konfiantzazkoa",
@ -1177,7 +1150,6 @@
"Failed to find the following users": "Ezin izan dira honako erabiltzaile hauek aurkitu",
"The following users might not exist or are invalid, and cannot be invited: %(csvNames)s": "Honako erabiltzaile hauek agian ez dira existitzen edo baliogabeak dira, eta ezin dira gonbidatu: %(csvNames)s",
"Lock": "Blokeatu",
"Restore": "Berrezarri",
"a few seconds ago": "duela segundo batzuk",
"about a minute ago": "duela minutu bat inguru",
"%(num)s minutes ago": "duela %(num)s minutu",
@ -1228,7 +1200,6 @@
"They match": "Bat datoz",
"They don't match": "Ez datoz bat",
"To be secure, do this in person or use a trusted way to communicate.": "Ziurtatzeko, egin hau aurrez aurre edo komunikabide seguru baten bidez.",
"Review": "Berrikusi",
"This bridge was provisioned by <user />.": "Zubi hau <user /> erabiltzaileak hornitu du.",
"Show less": "Erakutsi gutxiago",
"Your account has a cross-signing identity in secret storage, but it is not yet trusted by this session.": "Zure kontuak zeharkako sinatze identitate bat du biltegi sekretuan, baina saio honek ez du oraindik fidagarritzat.",
@ -1275,7 +1246,6 @@
"Cancel entering passphrase?": "Ezeztatu pasa-esaldiaren sarrera?",
"Securely cache encrypted messages locally for them to appear in search results.": "Gorde zifratutako mezuak cachean modu seguruan bilaketen emaitzetan agertu daitezen.",
"You have verified this user. This user has verified all of their sessions.": "Erabiltzaile hau egiaztatu duzu. Erabiltzaile honek bere saio guztiak egiaztatu ditu.",
"Mod": "Moderatzailea",
"Waiting for %(displayName)s to accept…": "%(displayName)s(e)k onartu bitartean zain…",
"Your messages are secured and only you and the recipient have the unique keys to unlock them.": "Zuen mezuak babestuta daude eta soilik zuk eta hartzaileak dituzue hauek desblokeatzeko gakoak.",
"One of the following may be compromised:": "Hauetakoren bat konprometituta egon daiteke:",
@ -1385,7 +1355,6 @@
"Activate selected button": "Aktibatu hautatutako botoia",
"Toggle right panel": "Txandakatu eskumako panela",
"Cancel autocomplete": "Ezeztatu osatze automatikoa",
"Space": "Zuriune-barra",
"Manually verify all remote sessions": "Egiaztatu eskuz urruneko saio guztiak",
"Self signing private key:": "Norberak sinatutako gako pribatua:",
"cached locally": "cache lokalean",
@ -1561,7 +1530,17 @@
"favourites": "Gogokoak",
"description": "Deskripzioa",
"attachment": "Eranskina",
"appearance": "Itxura"
"appearance": "Itxura",
"guest": "Gonbidatua",
"legal": "Legala",
"credits": "Kredituak",
"faq": "FAQ",
"preferences": "Hobespenak",
"timeline": "Denbora-lerroa",
"camera": "Kamera",
"microphone": "Mikrofonoa",
"emoji": "Emoji",
"space": "Zuriune-barra"
},
"action": {
"continue": "Jarraitu",
@ -1617,7 +1596,17 @@
"cancel": "Utzi",
"back": "Atzera",
"add": "Gehitu",
"accept": "Onartu"
"accept": "Onartu",
"disconnect": "Deskonektatu",
"change": "Aldatu",
"subscribe": "Harpidetu",
"unsubscribe": "Kendu harpidetza",
"complete": "Burutu",
"revoke": "Indargabetu",
"show_all": "Erakutsi denak",
"review": "Berrikusi",
"restore": "Berrezarri",
"register": "Eman izena"
},
"a11y": {
"user_menu": "Erabiltzailea-menua"
@ -1639,5 +1628,30 @@
"alt": "Alt",
"control": "Ctrl",
"shift": "Maius."
},
"composer": {
"format_bold": "Lodia",
"format_strikethrough": "Marratua",
"format_inline_code": "Kodea",
"format_code_block": "Kode blokea"
},
"Bold": "Lodia",
"Code": "Kodea",
"power_level": {
"default": "Lehenetsia",
"restricted": "Mugatua",
"moderator": "Moderatzailea",
"admin": "Kudeatzailea",
"custom": "Pertsonalizatua (%(level)s)",
"mod": "Moderatzailea"
},
"bug_reporting": {
"matrix_security_issue": "Matrix-ekin lotutako segurtasun arazo baten berri emateko, irakurri <a>Segurtasun ezagutarazte gidalerroak</a>.",
"submit_debug_logs": "Bidali arazte-egunkariak",
"title": "Akatsen berri ematea",
"additional_context": "Arazoa ikertzen lagundu gaitzakeen testuinguru gehiago badago, esaterako gertatutakoan zer egiten ari zinen, gelaren ID-a, erabiltzaile ID-ak eta abar, mesedez jarri horiek hemen.",
"send_logs": "Bidali egunkariak",
"github_issue": "GitHub arazo-txostena",
"before_submitting": "Egunkariak bidali aurretik, <a>GitHub arazo bat sortu</a> behar duzu gertatzen zaizuna azaltzeko."
}
}

View file

@ -29,7 +29,6 @@
"Failed to forget room %(errCode)s": "فراموش کردن اتاق با خطا مواجه شد %(errCode)s",
"Wednesday": "چهارشنبه",
"Send": "ارسال",
"Send logs": "ارسال گزارش‌ها",
"All messages": "همه‌ی پیام‌ها",
"unknown error code": "کد خطای ناشناخته",
"Call invitation": "دعوت به تماس",
@ -55,14 +54,12 @@
"Add Email Address": "افزودن نشانی رایانامه",
"Confirm adding phone number": "تأیید افزودن شماره تلفن",
"Add Phone Number": "افزودن شماره تلفن",
"Review": "بازبینی",
"Later": "بعداً",
"Contact your <a>server admin</a>.": "تماس با <a>مدیر کارسازتان</a>.",
"Ok": "تأیید",
"Encryption upgrade available": "ارتقای رمزنگاری ممکن است",
"Verify this session": "تأیید این نشست",
"Set up": "برپایی",
"Guest": "مهمان",
"Confirm adding this email address by using Single Sign On to prove your identity.": "برای تأیید هویتتان، این نشانی رایانامه را با ورود یکپارچه تأیید کنید.",
"Click the button below to confirm adding this email address.": "برای تأیید افزودن این نشانی رایانامه، دکمهٔ زیر را بزنید.",
"Click the button below to confirm adding this phone number.": "برای تائید اضافه‌شدن این شماره تلفن، بر روی دکمه‌ی زیر کلیک کنید.",
@ -76,7 +73,6 @@
"Failed to send request.": "ارسال درخواست با خطا مواجه شد.",
"Failed to ban user": "کاربر مسدود نشد",
"Error decrypting attachment": "خطا در رمزگشایی پیوست",
"Emoji": "شکلک",
"Email address": "آدرس ایمیل",
"Email": "ایمیل",
"Download %(text)s": "دانلود 2%(text)s",
@ -101,8 +97,6 @@
"Authentication": "احراز هویت",
"Always show message timestamps": "همیشه مهر زمان‌های پیام را نشان بده",
"Advanced": "پیشرفته",
"Camera": "دوربین",
"Microphone": "میکروفون",
"Default Device": "دستگاه پیشفرض",
"No media permissions": "عدم مجوز رسانه",
"No Webcams detected": "هیچ وبکمی شناسایی نشد",
@ -210,7 +204,6 @@
"You need to be able to invite users to do that.": "نیاز است که شما قادر به دعوت کاربران به آن باشید.",
"You need to be logged in.": "شما باید وارد شوید.",
"Failed to invite": "دعوت موفقیت‌آمیز نبود",
"Custom (%(level)s)": "%(level)s دلخواه",
"Moderator": "معاون",
"Restricted": "ممنوع",
"Use your account or create a new one to continue.": "برای ادامه کار از حساب کاربری خود استفاده کرده و یا حساب کاربری جدیدی ایجاد کنید.",
@ -822,11 +815,8 @@
"Confirm Removal": "تأیید حذف",
"Removing…": "در حال حذف…",
"Unable to load commit detail: %(msg)s": "بارگیری جزئیات commit انجام نشد: %(msg)s",
"If there is additional context that would help in analysing the issue, such as what you were doing at the time, room IDs, user IDs, etc., please include those things here.": "اگر زمینه دیگری وجود دارد که می تواند به تجزیه و تحلیل مسئله کمک کند، مانند آنچه در آن زمان انجام می دادید، شناسه اتاق، شناسه کاربر و غیره ، لطفاً موارد ذکر شده را در اینجا وارد کنید.",
"Notes": "یادداشت‌ها",
"Tried to load a specific point in this room's timeline, but you do not have permission to view the message in question.": "سعی شد یک نقطه‌ی زمانی خاص در پیام‌های این اتاق بارگیری و نمایش داده شود، اما شما دسترسی لازم برای مشاهده‌ی پیام را ندارید.",
"GitHub issue": "مسئله GitHub",
"Download logs": "دانلود گزارش‌ها",
"Before submitting logs, you must <a>create a GitHub issue</a> to describe your problem.": "قبل از ارسال گزارش‌ها، برای توصیف مشکل خود باید <a>یک مسئله در GitHub ایجاد کنید</a>.",
"Tried to load a specific point in this room's timeline, but was unable to find it.": "سعی شد یک نقطه‌ی زمانی خاص در پیام‌های این اتاق بارگیری و نمایش داده شود، اما پیداکردن آن میسر نیست.",
"Failed to load timeline position": "بارگیری و نمایش پیام‌ها با مشکل مواجه شد",
@ -1034,7 +1024,6 @@
"one": "%(oneUser)s دعوت خود را پس گرفته است",
"other": "%(oneUser)s دعوت خود را %(count)s مرتبه پس‌گرفته‌است"
},
"Restore": "بازیابی",
"%(severalUsers)shad their invitations withdrawn %(count)s times": {
"one": "%(severalUsers)s دعوت‌های خود را پس‌گرفتند",
"other": "%(severalUsers)s دعوت خود را %(count)s مرتبه پس‌گرفتند"
@ -1223,11 +1212,7 @@
"Topic: %(topic)s (<a>edit</a>)": "موضوع: %(topic)s (<a>ویرایش</a>)",
"This is the beginning of your direct message history with <displayName/>.": "این ابتدای تاریخچه پیام مستقیم شما با <displayName/> است.",
"Only the two of you are in this conversation, unless either of you invites anyone to join.": "فقط شما دو نفر در این مکالمه حضور دارید ، مگر اینکه یکی از شما کس دیگری را به عضویت دعوت کند.",
"Code block": "بلوک کد",
"Strikethrough": "خط روی متن",
"Italics": "مورب",
"Bold": "پررنگ",
"%(seconds)ss left": "%(seconds)s ثانیه باقی‌مانده",
"You do not have permission to post to this room": "شما اجازه ارسال در این اتاق را ندارید",
"This room has been replaced and is no longer active.": "این اتاق جایگزین شده‌است و دیگر فعال نیست.",
"The conversation continues here.": "گفتگو در اینجا ادامه دارد.",
@ -1323,7 +1308,6 @@
},
"Import": "واردکردن (Import)",
"Export": "استخراج (Export)",
"Space": "فضای کاری",
"Theme added!": "پوسته اضافه شد!",
"If you've joined lots of rooms, this might take a while": "اگر عضو اتاق‌های بسیار زیادی هستید، ممکن است این فرآیند مقدای به طول بیانجامد",
"Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "مدیر سرور شما قابلیت رمزنگاری سرتاسر برای اتاق‌ها و گفتگوهای خصوصی را به صورت پیش‌فرض غیرفعال کرده‌است.",
@ -1345,7 +1329,6 @@
"Message deleted by %(name)s": "پیام توسط %(name)s حذف شد",
"Message deleted": "پیغام پاک شد",
"<reactors/><reactedWith>reacted with %(shortName)s</reactedWith>": "<reactors/><reactedWith> واکنش نشان داد با %(shortName)s</reactedWith>",
"Show all": "نمایش همه",
"Add reaction": "افزودن واکنش",
"Error processing voice message": "خطا در پردازش پیام صوتی",
"Error decrypting video": "خطا در رمزگشایی ویدیو",
@ -1357,7 +1340,6 @@
"You declined": "شما رد کردید",
"%(name)s accepted": "%(name)s پذیرفت",
"You accepted": "پذیرفتید",
"Mod": "معاون",
"Hint: Begin your message with <code>//</code> to start it with a slash.": "نکته: پیام خود را با <code>//</code> شروع کنید تا با یک اسلش شروع شود.",
"You can use <code>/help</code> to list available commands. Did you mean to send this as a message?": "برای لیست کردن دستورات موجود می توانید از <code>/help</code> استفاده کنید. آیا قصد داشتید این پیام را به عنوان متم ارسال کنید؟",
"Read Marker off-screen lifetime (ms)": "خواندن نشانگر طول عمر خارج از صفحه نمایش (میلی ثانیه)",
@ -1416,7 +1398,6 @@
"Always show the window menu bar": "همیشه نوار فهرست پنجره را نشان بده",
"Warn before quitting": "قبل از خروج هشدا بده",
"Start automatically after system login": "پس از ورود به سیستم به صورت خودکار آغاز کن",
"Subscribe": "اضافه‌شدن",
"Room ID or address of ban list": "شناسه‌ی اتاق یا آدرس لیست تحریم",
"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!": "ثبت‌نام کردن در یک لیست تحریم باعث می‌شود شما هم عضو آن شوید!",
@ -1452,7 +1433,6 @@
"check your browser plugins for anything that might block the identity server (such as Privacy Badger)": "پلاگین‌های مرورگر خود را بررسی کنید تا مبادا سرور هویت‌سنجی را بلاک کرده باشند (پلاگینی مانند Privacy Badger)",
"You should:": "شما باید:",
"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 /> هم‌اکنون آفلاین بوده و یا دسترسی به آن امکان‌پذیر نیست.",
"Disconnect": "قطع شو",
"Disconnect from the identity server <idserver />?": "از سرور هویت‌سنجی <idserver /> قطع می‌شوید؟",
"Disconnect identity server": "اتصال با سرور هویت‌سنجی را قطع کن",
"The identity server you have chosen does not have any terms of service.": "سرور هویت‌سنجی که انتخاب کرده‌اید شرایط و ضوابط سرویس ندارد.",
@ -1704,8 +1684,6 @@
"You've successfully verified this user.": "شما با موفقیت این کاربر را تائید کردید.",
"Verified!": "تائید شد!",
"The other party cancelled the verification.": "طرف مقابل فرآیند تائید را لغو کرد.",
"Play": "اجرا کردن",
"Pause": "متوقف‌کردن",
"Unknown caller": "تماس‌گیرنده‌ی ناشناس",
"Dial pad": "صفحه شماره‌گیری",
"There was an error looking up the phone number": "هنگام یافتن شماره تلفن خطایی رخ داد",
@ -1887,8 +1865,6 @@
"Switch to light mode": "انتخاب حالت روشن",
"All settings": "همه تنظیمات",
"Skip for now": "فعلا بیخیال",
"Support": "پشتیبانی",
"Random": "تصادفی",
"Welcome to <name/>": "به <name/> خوش‌آمدید",
"<inviter/> invites you": "<inviter/> شما را دعوت کرد",
"Private space": "محیط خصوصی",
@ -1962,7 +1938,6 @@
"Couldn't load page": "نمایش صفحه امکان‌پذیر نبود",
"Sign in with SSO": "ورود با استفاده از احراز هویت یکپارچه",
"Add an email to be able to reset your password.": "برای داشتن امکان تغییر گذرواژه در صورت فراموش‌کردن آن، لطفا یک آدرس ایمیل وارد نمائید.",
"Register": "ایجاد حساب کاربری",
"Sign in with": "نحوه ورود",
"Phone": "شماره تلفن",
"That phone number doesn't look quite right, please check and try again": "به نظر شماره تلفن صحیح نمی‌باشد، لطفا بررسی کرده و مجددا تلاش فرمائید",
@ -1974,7 +1949,6 @@
"Start authentication": "آغاز فرآیند احراز هویت",
"Something went wrong in confirming your identity. Cancel and try again.": "تائید هویت شما با مشکل مواجه شد. لطفا فرآیند را لغو کرده و مجددا اقدام نمائید.",
"Submit": "ارسال",
"Code": "کد",
"This room is public": "این اتاق عمومی است",
"Avatar": "نمایه",
"Join the beta": "اضافه‌شدن به نسخه‌ی بتا",
@ -1993,8 +1967,6 @@
"Reject invitation": "ردکردن دعوت",
"Hold": "نگه‌داشتن",
"Resume": "ادامه",
"Revoke": "برگرداندن",
"Complete": "تکمیل",
"Verify the link in your inbox": "لینک موجود در صندوق دریافت خود را تائید کنید",
"Unable to verify email address.": "تائید آدرس ایمیل ممکن نیست.",
"Click the link in the email you received to verify and then click continue again.": "برای تائید ادرس ایمیل، بر روی لینکی که برای شما ایمیل شده‌است کلیک کرده و مجددا بر روی ادامه کلیک کنید.",
@ -2053,7 +2025,6 @@
"No Audio Outputs detected": "هیچ خروجی صدایی یافت نشد",
"Request media permissions": "درخواست دسترسی به رسانه",
"Missing media permissions, click the button below to request.": "دسترسی به رسانه از دست رفت، برای درخواست مجدد بر روی دکمه‌ی زیر کلیک نمائید.",
"Privacy": "حریم خصوصی",
"Cross-signing": "امضاء متقابل",
"Message search": "جستجوی پیام‌ها",
"Secure Backup": "پشتیبان‌گیری امن",
@ -2064,15 +2035,12 @@
"<not supported>": "<پشتیبانی نمی‌شود>",
"Unignore": "لغو نادیده‌گرفتن",
"Autocomplete delay (ms)": "تاخیر تکمیل خودکار به میلی ثانیه",
"Timeline": "سیر زمان گفتگو‌ها",
"Room list": "لیست اتاق‌ها",
"Preferences": "ترجیحات",
"Subscribed lists": "لیست‌هایی که در آن‌ها ثبت‌نام کرده‌اید",
"Server or user ID to ignore": "شناسه‌ی سرور یا کاربر مورد نظر برای نادیده‌گرفتن",
"Personal ban list": "لیست تحریم شخصی",
"Ignored users": "کاربران نادیده‌گرفته‌شده",
"View rules": "مشاهده قوانین",
"Unsubscribe": "لغو اشتراک",
"You are not subscribed to any lists": "شما در هیچ لیستی ثبت‌نام نکرده‌اید",
"You have not ignored anyone.": "شما هیچ‌کس را نادیده نگرفته‌اید.",
"User rules": "قوانین کاربر",
@ -2088,14 +2056,8 @@
"Ignored/Blocked": "نادیده گرفته‌شده/بلاک‌شده",
"Clear cache and reload": "پاک‌کردن حافظه‌ی کش و راه‌اندازی مجدد",
"Your access token gives full access to your account. Do not share it with anyone.": "توکن دسترسی شما، دسترسی کامل به حساب کاربری شما را میسر می‌سازد. لطفا آن را در اختیار فرد دیگری قرار ندهید.",
"Access Token": "توکن دسترسی",
"Versions": "نسخه‌ها",
"FAQ": "سوالات پرتکرار",
"Help & About": "کمک و درباره‌ی‌ ما",
"Submit debug logs": "ارسال لاگ مشکل",
"Bug reporting": "گزارش مشکل",
"Credits": "اعتبارها",
"Legal": "قانونی",
"General": "عمومی",
"Discovery": "کاوش",
"Deactivate account": "غیرفعال‌کردن حساب کاربری",
@ -2155,7 +2117,6 @@
"Hey you. You're the best!": "سلام. حال شما خوبه؟",
"Check for update": "بررسی برای به‌روزرسانی جدید",
"Manage integrations": "مدیریت پکپارچه‌سازی‌ها",
"Change": "تغییر بده",
"Enter a new identity server": "یک سرور هویت‌سنجی جدید وارد کنید",
"Do not use an identity server": "از سرور هویت‌سنجی استفاده نکن",
"If you do, please note that none of your messages will be deleted, but the search experience might be degraded for a few moments whilst the index is recreated": "اگر این کار را انجام می‌دهید، لطفاً توجه داشته باشید که هیچ یک از پیام‌های شما حذف نمی‌شوند ، با این حال چون پیام‌ها مجددا ایندکس می‌شوند، ممکن است برای چند لحظه قابلیت جستجو با مشکل مواجه شود",
@ -2173,7 +2134,6 @@
"The widget will verify your user ID, but won't be able to perform actions for you:": "ابزارک شناسه‌ی کاربری شما را تائید خواهد کرد، اما نمی‌تواند این کارها را برای شما انجام دهد:",
"This looks like a valid Security Key!": "به نظر می رسد این یک کلید امنیتی معتبر است!",
"Allow this widget to verify your identity": "به این ابزارک اجازه دهید هویت شما را تأیید کند",
"Approve": "تایید",
"Some files are <b>too large</b> to be uploaded. The file size limit is %(limit)s.": "برخی از فایل‌ها برای بارگذاری <b>بیش از حد بزرگ هستند</b>. محدودیت اندازه فایل %(limit)s است.",
"Access your secure message history and set up secure messaging by entering your Security Key.": "با وارد کردن کلید امنیتی خود به تاریخچه‌ی پیام‌‌های رمز شده خود دسترسی پیدا کرده و پیام امن ارسال کنید.",
"These files are <b>too large</b> to upload. The file size limit is %(limit)s.": "این فایل‌ها برای بارگذاری <b>بیش از حد بزرگ</b> هستند. محدودیت اندازه فایل %(limit)s است.",
@ -2291,7 +2251,6 @@
},
"Some invites couldn't be sent": "بعضی از دعوت ها ارسال نشد",
"We sent the others, but the below people couldn't be invited to <RoomName/>": "ما برای باقی ارسال کردیم، ولی افراد زیر نمی توانند به <RoomName/> دعوت شوند",
"%(date)s at %(time)s": "%(date)s ساعت %(time)s",
"You cannot place calls without a connection to the server.": "شما نمی توانید بدون اتصال به سرور تماس برقرار کنید.",
"Connectivity to the server has been lost": "اتصال با سرور قطع شده است",
"You cannot place calls in this browser.": "شما نمیتوانید در این مرورگر تماس برقرار کنید.",
@ -2339,10 +2298,6 @@
"one": "%(user)s و ۱ دیگر"
},
"%(user1)s and %(user2)s": "%(user1)s و %(user2)s",
"%(value)ss": "%(value)sس",
"%(value)sm": "%(value)sم",
"%(value)sh": "%(value)sh",
"%(value)sd": "%(value)sd",
"Close sidebar": "بستن نوارکناری",
"Sidebar": "نوارکناری",
"Show sidebar": "نمایش نوار کناری",
@ -2543,7 +2498,21 @@
"dark": "تاریک",
"beta": "بتا",
"attachment": "پیوست",
"appearance": "شکل و ظاهر"
"appearance": "شکل و ظاهر",
"guest": "مهمان",
"legal": "قانونی",
"credits": "اعتبارها",
"faq": "سوالات پرتکرار",
"access_token": "توکن دسترسی",
"preferences": "ترجیحات",
"timeline": "سیر زمان گفتگو‌ها",
"privacy": "حریم خصوصی",
"camera": "دوربین",
"microphone": "میکروفون",
"emoji": "شکلک",
"random": "تصادفی",
"support": "پشتیبانی",
"space": "فضای کاری"
},
"action": {
"continue": "ادامه",
@ -2608,7 +2577,20 @@
"cancel": "لغو",
"back": "بازگشت",
"add": "افزودن",
"accept": "پذیرفتن"
"accept": "پذیرفتن",
"disconnect": "قطع شو",
"change": "تغییر بده",
"subscribe": "اضافه‌شدن",
"unsubscribe": "لغو اشتراک",
"approve": "تایید",
"complete": "تکمیل",
"revoke": "برگرداندن",
"show_all": "نمایش همه",
"review": "بازبینی",
"restore": "بازیابی",
"play": "اجرا کردن",
"pause": "متوقف‌کردن",
"register": "ایجاد حساب کاربری"
},
"a11y": {
"user_menu": "منوی کاربر"
@ -2635,5 +2617,39 @@
"alt": "Alt",
"control": "Ctrl",
"shift": "Shift"
},
"composer": {
"format_bold": "پررنگ",
"format_strikethrough": "خط روی متن",
"format_inline_code": "کد",
"format_code_block": "بلوک کد"
},
"Bold": "پررنگ",
"Code": "کد",
"power_level": {
"default": "پیشفرض",
"restricted": "ممنوع",
"moderator": "معاون",
"admin": "ادمین",
"custom": "%(level)s دلخواه",
"mod": "معاون"
},
"bug_reporting": {
"matrix_security_issue": "برای گزارش مشکلات امنیتی مربوط به ماتریکس، لطفا سایت Matrix.org بخش <a>Security Disclosure Policy</a> را مطالعه فرمائید.",
"submit_debug_logs": "ارسال لاگ مشکل",
"title": "گزارش مشکل",
"additional_context": "اگر زمینه دیگری وجود دارد که می تواند به تجزیه و تحلیل مسئله کمک کند، مانند آنچه در آن زمان انجام می دادید، شناسه اتاق، شناسه کاربر و غیره ، لطفاً موارد ذکر شده را در اینجا وارد کنید.",
"send_logs": "ارسال گزارش‌ها",
"github_issue": "مسئله GitHub",
"download_logs": "دانلود گزارش‌ها",
"before_submitting": "قبل از ارسال گزارش‌ها، برای توصیف مشکل خود باید <a>یک مسئله در GitHub ایجاد کنید</a>."
},
"time": {
"seconds_left": "%(seconds)s ثانیه باقی‌مانده",
"date_at_time": "%(date)s ساعت %(time)s",
"short_days": "%(value)sd",
"short_hours": "%(value)sh",
"short_minutes": "%(value)sم",
"short_seconds": "%(value)sس"
}
}

View file

@ -13,8 +13,6 @@
"No media permissions": "Ei mediaoikeuksia",
"You may need to manually permit %(brand)s to access your microphone/webcam": "Voit joutua antamaan %(brand)sille luvan mikrofonin/kameran käyttöön",
"Default Device": "Oletuslaite",
"Microphone": "Mikrofoni",
"Camera": "Kamera",
"Advanced": "Lisäasetukset",
"Always show message timestamps": "Näytä aina viestien aikaleimat",
"Authentication": "Tunnistautuminen",
@ -47,7 +45,6 @@
"Download %(text)s": "Lataa %(text)s",
"Email": "Sähköposti",
"Email address": "Sähköpostiosoite",
"Emoji": "Emoji",
"Enter passphrase": "Syötä salalause",
"Error decrypting attachment": "Virhe purettaessa liitteen salausta",
"Export": "Vie",
@ -90,7 +87,6 @@
"Phone": "Puhelin",
"Profile": "Profiili",
"Reason": "Syy",
"Register": "Rekisteröidy",
"Reject invitation": "Hylkää kutsu",
"Return to login screen": "Palaa kirjautumissivulle",
"%(brand)s version:": "%(brand)s-versio:",
@ -415,7 +411,6 @@
"Toolbox": "Työkalut",
"Collecting logs": "Haetaan lokeja",
"All Rooms": "Kaikki huoneet",
"Send logs": "Lähetä lokit",
"All messages": "Kaikki viestit",
"Call invitation": "Puhelukutsu",
"Messages containing my display name": "Viestit, jotka sisältävät näyttönimeni",
@ -552,11 +547,9 @@
"Language and region": "Kieli ja alue",
"Account management": "Tilin hallinta",
"Composer": "Viestin kirjoitus",
"Preferences": "Valinnat",
"Voice & Video": "Ääni ja video",
"Help & About": "Ohje ja tietoja",
"Versions": "Versiot",
"FAQ": "Usein kysytyt kysymykset",
"Send analytics data": "Lähetä analytiikkatietoja",
"No Audio Outputs detected": "Äänen ulostuloja ei havaittu",
"Audio Output": "Äänen ulostulo",
@ -567,7 +560,6 @@
"Success!": "Onnistui!",
"Create account": "Luo tili",
"Sign in with single sign-on": "Kirjaudu sisään käyttäen kertakirjautumista",
"Guest": "Vieras",
"Terms and Conditions": "Käyttöehdot",
"Couldn't load page": "Sivun lataaminen ei onnistunut",
"Email (optional)": "Sähköposti (valinnainen)",
@ -595,8 +587,6 @@
"The conversation continues here.": "Keskustelu jatkuu täällä.",
"Share Link to User": "Jaa linkki käyttäjään",
"Muted Users": "Mykistetyt käyttäjät",
"Timeline": "Aikajana",
"Submit debug logs": "Lähetä vianjäljityslokit",
"Display Name": "Näyttönimi",
"Phone Number": "Puhelinnumero",
"Restore from Backup": "Palauta varmuuskopiosta",
@ -667,10 +657,8 @@
"Start using Key Backup": "Aloita avainvarmuuskopion käyttö",
"Unable to verify phone number.": "Puhelinnumeron vahvistaminen epäonnistui.",
"Verification code": "Varmennuskoodi",
"Credits": "Maininnat",
"For help with using %(brand)s, click <a>here</a>.": "Saadaksesi apua %(brand)sin käyttämisessä, napsauta <a>tästä</a>.",
"For help with using %(brand)s, click <a>here</a> or start a chat with our bot using the button below.": "Saadaksesi apua %(brand)sin käytössä, napsauta <a>tästä</a> tai aloita keskustelu bottimme kanssa alla olevasta painikkeesta.",
"Bug reporting": "Virheiden raportointi",
"Autocomplete delay (ms)": "Automaattisen täydennyksen viive (ms)",
"Ignored users": "Sivuutetut käyttäjät",
"Bulk options": "Massatoimintoasetukset",
@ -689,7 +677,6 @@
"Missing roomId.": "roomId puuttuu.",
"Forces the current outbound group session in an encrypted room to be discarded": "Pakottaa hylkäämään nykyisen ulospäin suuntautuvan ryhmäistunnon salatussa huoneessa",
"Enable widget screenshots on supported widgets": "Ota sovelmien kuvankaappaukset käyttöön tuetuissa sovelmissa",
"Legal": "Lakitekstit",
"This event could not be displayed": "Tätä tapahtumaa ei voitu näyttää",
"Demote yourself?": "Alenna itsesi?",
"You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.": "Et voi perua tätä muutosta, koska olet alentamassa itseäsi. Jos olet viimeinen oikeutettu henkilö tässä huoneessa, oikeuksia ei voi enää saada takaisin.",
@ -746,8 +733,6 @@
"<b>Warning</b>: you should only set up key backup from a trusted computer.": "<b>Varoitus</b>: sinun pitäisi ottaa avainvarmuuskopio käyttöön vain luotetulla tietokoneella.",
"Please review and accept all of the homeserver's policies": "Tarkistathan tämän kotipalvelimen käytännöt",
"Please review and accept the policies of this homeserver:": "Tarkistathan tämän kotipalvelimen käytännöt:",
"Code": "Koodi",
"Change": "Muuta",
"Join millions for free on the largest public server": "Liity ilmaiseksi miljoonien joukkoon suurimmalla julkisella palvelimella",
"Other": "Muut",
"Can't leave Server Notices room": "Palvelinilmoitushuonetta ei voitu jättää",
@ -856,9 +841,7 @@
"Unexpected error resolving homeserver configuration": "Odottamaton virhe selvitettäessä kotipalvelimen asetuksia",
"Edit message": "Muokkaa viestiä",
"Show hidden events in timeline": "Näytä piilotetut tapahtumat aikajanalla",
"GitHub issue": "GitHub-issue",
"Notes": "Huomautukset",
"If there is additional context that would help in analysing the issue, such as what you were doing at the time, room IDs, user IDs, etc., please include those things here.": "Sisällytä tähän lisätiedot, joista voi olla apua ongelman analysoinnissa, kuten mitä olit tekemässä, huoneen tunnukset, käyttäjätunnukset, jne.",
"Add room": "Lisää huone",
"Cannot reach homeserver": "Kotipalvelinta ei voida tavoittaa",
"Your %(brand)s is misconfigured": "%(brand)sin asetukset ovat pielessä",
@ -883,7 +866,6 @@
"Message edits": "Viestin muokkaukset",
"Upgrading this room requires closing down the current instance of the room and creating a new room in its place. To give room members the best possible experience, we will:": "Tämän huoneen päivittäminen edellyttää huoneen nykyisen instanssin sulkemista ja uuden huoneen luomista sen tilalle. Jotta tämä kävisi huoneen jäsenten kannalta mahdollisimman sujuvasti, teemme seuraavaa:",
"Upload all": "Lähetä kaikki palvelimelle",
"Show all": "Näytä kaikki",
"%(severalUsers)smade no changes %(count)s times": {
"other": "%(severalUsers)s eivät tehneet muutoksia %(count)s kertaa",
"one": "%(severalUsers)s eivät tehneet muutoksia"
@ -920,7 +902,6 @@
"Unable to share phone number": "Puhelinnumeroa ei voi jakaa",
"Checking server": "Tarkistetaan palvelinta",
"Disconnect from the identity server <idserver />?": "Katkaise yhteys identiteettipalvelimeen <idserver />?",
"Disconnect": "Katkaise yhteys",
"You are currently using <server></server> to discover and be discoverable by existing contacts you know. You can change your identity server below.": "Käytät palvelinta <server></server> tuntemiesi henkilöiden löytämiseen ja löydetyksi tulemiseen. Voit vaihtaa identiteettipalvelintasi alla.",
"You are not currently using an identity server. To discover and be discoverable by existing contacts you know, add one below.": "Et käytä tällä hetkellä identiteettipalvelinta. Lisää identiteettipalvelin alle löytääksesi tuntemiasi henkilöitä ja tullaksesi löydetyksi.",
"Disconnecting from your identity server will mean you won't be discoverable by other users and you won't be able to invite others by email or phone.": "Yhteyden katkaiseminen identiteettipalvelimeesi tarkoittaa, että muut käyttäjät eivät löydä sinua etkä voi kutsua muita sähköpostin tai puhelinnumeron perusteella.",
@ -962,10 +943,7 @@
"one": "Poista yksi viesti"
},
"Remove recent messages": "Poista viimeaikaiset viestit",
"Bold": "Lihavoitu",
"Italics": "Kursivoitu",
"Strikethrough": "Yliviivattu",
"Code block": "Ohjelmakoodia",
"This invite to %(roomName)s was sent to %(email)s which is not associated with your account": "Kutsu huoneeseen %(roomName)s lähetettiin osoitteeseen %(email)s, joka ei ole yhteydessä tiliisi",
"Changes the avatar of the current room": "Vaihtaa nykyisen huoneen kuvan",
"Error changing power level requirement": "Virhe muutettaessa oikeustasovaatimusta",
@ -1049,11 +1027,8 @@
"Verify the link in your inbox": "Varmista sähköpostiisi saapunut linkki",
"Unread messages.": "Lukemattomat viestit.",
"Message Actions": "Viestitoiminnot",
"Custom (%(level)s)": "Mukautettu (%(level)s)",
"None": "Ei mitään",
"Unsubscribe": "Lopeta tilaus",
"View rules": "Näytä säännöt",
"Subscribe": "Tilaa",
"Any of the following data may be shared:": "Seuraavat tiedot saatetaan jakaa:",
"Your display name": "Näyttönimesi",
"Your user ID": "Käyttäjätunnuksesi",
@ -1091,8 +1066,6 @@
"If this isn't what you want, please use a different tool to ignore users.": "Jos et halua tätä, käytä eri työkalua käyttäjien sivuuttamiseen.",
"Read Marker lifetime (ms)": "Viestin luetuksi merkkaamisen kesto (ms)",
"Click the link in the email you received to verify and then click continue again.": "Napsauta lähettämässämme sähköpostissa olevaa linkkiä vahvistaaksesi tunnuksesi. Napsauta sen jälkeen tällä sivulla olevaa painiketta ”Jatka”.",
"Complete": "Valmis",
"Revoke": "Kumoa",
"Discovery options will appear once you have added an email above.": "Etsinnän asetukset näkyvät sen jälkeen, kun olet lisännyt sähköpostin.",
"Please enter verification code sent via text.": "Syötä tekstiviestillä saamasi varmennuskoodi.",
"Discovery options will appear once you have added a phone number above.": "Etsinnän asetukset näkyvät sen jälkeen, kun olet lisännyt puhelinnumeron.",
@ -1225,7 +1198,6 @@
"We couldn't invite those users. Please check the users you want to invite and try again.": "Emme voineet kutsua kyseisiä käyttäjiä. Tarkista käyttäjät, jotka haluat kutsua ja yritä uudelleen.",
"Confirm your identity by entering your account password below.": "Vahvista henkilöllisyytesi syöttämällä tilisi salasana alle.",
"Enter your account password to confirm the upgrade:": "Syötä tilisi salasana vahvistaaksesi päivityksen:",
"Restore": "Palauta",
"Not currently indexing messages for any room.": "Minkään huoneen viestejä ei tällä hetkellä indeksoida.",
"Space used:": "Käytetty tila:",
"Indexed messages:": "Indeksoidut viestit:",
@ -1276,7 +1248,6 @@
"They match": "Ne täsmäävät",
"They don't match": "Ne eivät täsmää",
"Other users may not trust it": "Muut eivät välttämättä luota siihen",
"Review": "Katselmoi",
"This bridge was provisioned by <user />.": "Tämän sillan tarjoaa käyttäjä <user />.",
"This bridge is managed by <user />.": "Tätä siltaa hallinnoi käyttäjä <user />.",
"Theme added!": "Teema lisätty!",
@ -1305,7 +1276,6 @@
"Toggle microphone mute": "Mikrofonin mykistys päälle/pois",
"Activate selected button": "Aktivoi valittu painike",
"Cancel autocomplete": "Peruuta automaattinen täydennys",
"Space": "Avaruus",
"Use Single Sign On to continue": "Jatka kertakirjautumista käyttäen",
"Confirm adding this email address by using Single Sign On to prove your identity.": "Vahvista tämän sähköpostiosoitteen lisääminen todistamalla henkilöllisyytesi kertakirjautumista käyttäen.",
"Single Sign On": "Kertakirjautuminen",
@ -1477,7 +1447,6 @@
"one": "Näytä %(count)s lisää",
"other": "Näytä %(count)s lisää"
},
"Mod": "Valvoja",
"Read Marker off-screen lifetime (ms)": "Viestin luetuksi merkkaamisen kesto, kun Element ei ole näkyvissä (ms)",
"Add widgets, bridges & bots": "Lisää sovelmia, siltoja ja botteja",
"Edit widgets, bridges & bots": "Muokkaa sovelmia, siltoja ja botteja",
@ -1513,7 +1482,6 @@
"This is the beginning of your direct message history with <displayName/>.": "Tästä alkaa yksityisviestihistoriasi käyttäjän <displayName/> kanssa.",
"Only the two of you are in this conversation, unless either of you invites anyone to join.": "Vain te kaksi olette tässä keskustelussa, ellei jompi kumpi kutsu muita.",
"Remove messages sent by others": "Poista toisten lähettämät viestit",
"Privacy": "Tietosuoja",
"not ready": "ei valmis",
"ready": "valmis",
"unexpected type": "odottamaton tyyppi",
@ -1536,13 +1504,11 @@
"Now, let's help you get started": "Autetaanpa sinut alkuun",
"Go to Home View": "Siirry kotinäkymään",
"Decline All": "Kieltäydy kaikista",
"Approve": "Hyväksy",
"Your area is experiencing difficulties connecting to the internet.": "Alueellasi on ongelmia internet-yhteyksissä.",
"The server is offline.": "Palvelin ei ole verkossa.",
"Your firewall or anti-virus is blocking the request.": "Palomuurisi tai virustentorjuntaohjelmasi estää pyynnön.",
"The server (%(serverName)s) took too long to respond.": "Palvelin (%(serverName)s) ei vastannut ajoissa.",
"Feedback sent": "Palaute lähetetty",
"Download logs": "Lataa lokit",
"Preparing to download logs": "Valmistellaan lokien lataamista",
"Customise your appearance": "Mukauta ulkoasua",
"Appearance Settings only affect this %(brand)s session.": "Ulkoasuasetukset vaikuttavat vain tähän %(brand)s-istuntoon.",
@ -2032,7 +1998,6 @@
"You can add more later too, including already existing ones.": "Voit lisätä niitä myöhemmin, mukaan lukien olemassa olevia.",
"Let's create a room for each of them.": "Tehdään huone jokaiselle.",
"What do you want to organise?": "Mitä haluat järjestää?",
"Random": "Satunnainen",
"Search names and descriptions": "Etsi nimistä ja kuvauksista",
"Failed to remove some rooms. Try again later": "Joitakin huoneita ei voitu poistaa. Yritä myöhemmin uudelleen",
"Select a room below first": "Valitse ensin huone alta",
@ -2068,7 +2033,6 @@
"We didn't find a microphone on your device. Please check your settings and try again.": "Laitteestasi ei löytynyt mikrofonia. Tarkista asetuksesi ja yritä uudelleen.",
"No microphone found": "Mikrofonia ei löytynyt",
"Unable to access your microphone": "Mikrofonia ei voi käyttää",
"%(seconds)ss left": "%(seconds)s s jäljellä",
"Failed to send": "Lähettäminen epäonnistui",
"You have no ignored users.": "Et ole sivuuttanut käyttäjiä.",
"Warn before quitting": "Varoita ennen lopettamista",
@ -2094,12 +2058,9 @@
"Just me": "Vain minä",
"Go to my space": "Mene avaruuteeni",
"Go to my first room": "Mene ensimmäiseen huoneeseeni",
"Support": "Tuki",
"Rooms and spaces": "Huoneet ja avaruudet",
"Unable to copy a link to the room to the clipboard.": "Huoneen linkin kopiointi leikepöydälle ei onnistu.",
"Unable to copy room link": "Huoneen linkin kopiointi ei onnistu",
"Play": "Toista",
"Pause": "Keskeytä",
"Error downloading audio": "Virhe ääntä ladattaessa",
"Avatar": "Avatar",
"Join the beta": "Liity beetaan",
@ -2233,7 +2194,6 @@
"Displaying time": "Ajan näyttäminen",
"Olm version:": "Olm-versio:",
"Your access token gives full access to your account. Do not share it with anyone.": "Käyttöpolettisi (ns. token) antaa täyden pääsyn tilillesi. Älä jaa sitä kenenkään kanssa.",
"Access Token": "Käyttöpoletti",
"Select spaces": "Valitse avaruudet",
"Want to add a new space instead?": "Haluatko lisätä sen sijaan uuden avaruuden?",
"Add existing space": "Lisää olemassa oleva avaruus",
@ -2259,7 +2219,6 @@
"%(targetName)s accepted an invitation": "%(targetName)s hyväksyi kutsun",
"Some invites couldn't be sent": "Joitain kutsuja ei voitu lähettää",
"We couldn't log you in": "Emme voineet kirjata sinua sisään",
"%(date)s at %(time)s": "%(date)s klo %(time)s",
"Spaces": "Avaruudet",
"Show all rooms": "Näytä kaikki huoneet",
"To join a space you'll need an invite.": "Liittyäksesi avaruuteen tarvitset kutsun.",
@ -2390,7 +2349,6 @@
"Connectivity to the server has been lost": "Yhteys palvelimeen on katkennut",
"You cannot place calls in this browser.": "Et voi soittaa puheluja tässä selaimessa.",
"Calls are unsupported": "Puhelut eivät ole tuettuja",
"Rename": "Nimeä uudelleen",
"Files": "Tiedostot",
"Toggle space panel": "Avaruuspaneeli päälle/pois",
"Space Autocomplete": "Avaruuksien automaattinen täydennys",
@ -2613,8 +2571,6 @@
"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",
"Failed to send event!": "Tapahtuman lähettäminen epäonnistui!",
"%(value)ss": "%(value)s s",
"%(value)sm": "%(value)s min",
"Recent searches": "Viimeaikaiset haut",
"Other searches": "Muut haut",
"Public rooms": "Julkiset huoneet",
@ -2807,8 +2763,6 @@
"Sorry, your homeserver is too old to participate here.": "Kotipalvelimesi on liian vanha osallistumaan tänne.",
"Send <b>%(eventType)s</b> events as you in your active room": "Lähetä <b>%(eventType)s</b>-tapahtumia aktiiviseen huoneeseesi itsenäsi",
"Send <b>%(eventType)s</b> events as you in this room": "Lähetä <b>%(eventType)s</b>-tapahtumia tähän huoneeseen itsenäsi",
"%(value)sh": "%(value)s t",
"%(value)sd": "%(value)s vrk",
"Scroll down in the timeline": "Vieritä alas aikajanalla",
"Scroll up in the timeline": "Vieritä ylös aikajanalla",
"Someone already has that username, please try another.": "Jollakin on jo kyseinen käyttäjätunnus. Valitse eri käyttäjätunnus.",
@ -3006,11 +2960,9 @@
"Ongoing call": "Käynnissä oleva puhelu",
"Video call (%(brand)s)": "Videopuhelu (%(brand)s)",
"Video call (Jitsi)": "Videopuhelu (Jitsi)",
"View all": "Näytä kaikki",
"Security recommendations": "Turvallisuussuositukset",
"Show QR code": "Näytä QR-koodi",
"Sign in with QR code": "Kirjaudu sisään QR-koodilla",
"Show": "Näytä",
"Filter devices": "Suodata laitteita",
"Inactive for %(inactiveAgeDays)s days or longer": "Passiivinen %(inactiveAgeDays)s päivää tai pidempään",
"Inactive": "Passiivinen",
@ -3056,7 +3008,6 @@
"Other sessions": "Muut istunnot",
"Sessions": "Istunnot",
"Share your activity and status with others.": "Jaa toimintasi ja tilasi muiden kanssa.",
"Presence": "Läsnäolo",
"Spell check": "Oikeinkirjoituksen tarkistus",
"Enable notifications for this device": "Ota ilmoitukset käyttöön tälle laitteelle",
"Turn off to disable notifications on all your devices and sessions": "Poista käytöstä, niin kaikkien laitteiden ja istuntojen ilmoitukset ovat pois päältä",
@ -3130,8 +3081,6 @@
"Group all your rooms that aren't part of a space in one place.": "Ryhmitä kaikki huoneesi, jotka eivät ole osa avaruutta, yhteen paikkaan.",
"Toggle Code Block": "Koodilohko päälle/pois",
"Spaces are ways to group rooms and people. Alongside the spaces you're in, you can use some pre-built ones too.": "Avaruudet ovat uusi tapa ryhmitellä huoneita ja ihmisiä. Voit käyttää esiluotuja avaruuksia niiden avaruuksien lisäksi, joissa jo olet.",
"Debug logs contain application usage data including your username, the IDs or aliases of the rooms you have visited, which UI elements you last interacted with, and the usernames of other users. They do not contain messages.": "Vianjäljityslokit sisältävät sovelluksen käyttödataa mukaan lukien käyttäjänimen, vierailemiesi huoneiden ID-tunnisteet tai aliasnimet, tiedon minkä käyttöliittymäelementtien kanssa olet viimeksi ollut vuorovaikutuksessa ja muiden käyttäjien käyttäjänimet. Vianjäljityslokit eivät sisällä viestejä.",
"If you've submitted a bug via GitHub, debug logs can help us track down the problem. ": "Jos olet tehnyt ilmoituksen ohjelmistovirheestä GitHubiin, vianjäljityslokit voivat auttaa ongelman selvittämisessä. ",
"Spaces are a new way to group rooms and people. What kind of Space do you want to create? You can change this later.": "Avaruudet ovat uusi tapa ryhmitellä huoneita ja ihmisiä. Minkälaisen avaruuden sinä haluat luoda? Voit muuttaa tätä asetusta myöhemmin.",
"Automatically send debug logs on decryption errors": "Lähetä vianjäljityslokit automaattisesti salauksen purkuun liittyvien virheiden tapahtuessa",
"Automatically send debug logs on any error": "Lähetä vianjäljityslokit automaattisesti minkä tahansa virheen tapahtuessa",
@ -3258,8 +3207,6 @@
"Cant start a call": "Puhelua ei voi aloittaa",
"Failed to read events": "Tapahtumien lukeminen epäonnistui",
"Failed to send event": "Tapahtuman lähettäminen epäonnistui",
"%(minutes)sm %(seconds)ss": "%(minutes)s min %(seconds)s s",
"%(minutes)sm %(seconds)ss left": "%(minutes)s min %(seconds)s s jäljellä",
"Too many attempts in a short time. Retry after %(timeout)s.": "Liikaa yrityksiä lyhyessä ajassa. Yritä uudelleen, kun %(timeout)s on kulunut.",
"Too many attempts in a short time. Wait some time before trying again.": "Liikaa yrityksiä lyhyessä ajassa. Odota hetki, ennen kuin yrität uudelleen.",
"You're all caught up": "Olet ajan tasalla",
@ -3269,8 +3216,6 @@
"Sliding Sync configuration": "Liukuvan synkronoinnin asetukset",
"Ban them from everything I'm able to": "Anna porttikielto kaikkeen, mihin pystyn",
"Unban them from everything I'm able to": "Poista porttikielto kaikesta, mihin pystyn",
"Underline": "Alleviivaus",
"Italic": "Kursivointi",
"This invite was sent to %(email)s which is not associated with your account": "Tämä kutsu lähetettiin sähköpostiosoitteeseen %(email)s, joka ei ole yhteydessä tiliisi",
"Spotlight": "Valokeila",
"Freedom": "Vapaus",
@ -3283,14 +3228,12 @@
"You made it!": "Onnistui!",
"Noise suppression": "Kohinanvaimennus",
"Allow Peer-to-Peer for 1:1 calls": "Salli vertaisyhteydet kahdenvälisissä puheluissa",
"%(hours)sh %(minutes)sm %(seconds)ss left": "%(hours)s h %(minutes)s m %(seconds)s s jäljellä",
"View List": "Näytä luettelo",
"View list": "Näytä luettelo",
"Mark as read": "Merkitse luetuksi",
"Interactively verify by emoji": "Vahvista vuorovaikutteisesti emojilla",
"Manually verify by text": "Vahvista manuaalisesti tekstillä",
"Text": "Teksti",
"Link": "Linkki",
"Create a link": "Luo linkki",
" in <strong>%(room)s</strong>": " huoneessa <strong>%(room)s</strong>",
"Sign out of %(count)s sessions": {
@ -3307,8 +3250,6 @@
"You ended a <a>voice broadcast</a>": "Lopetit <a>äänen yleislähetyksen</a>",
"Connection error": "Yhteysvirhe",
"%(senderName)s started a voice broadcast": "%(senderName)s aloitti äänen yleislähetyksen",
"%(hours)sh %(minutes)sm %(seconds)ss": "%(hours)s t %(minutes)s min %(seconds)s s",
"%(days)sd %(hours)sh %(minutes)sm %(seconds)ss": "%(days)s pv %(hours)s t %(minutes)s min %(seconds)s s",
"Saving…": "Tallennetaan…",
"Creating…": "Luodaan…",
"Verify Session": "Vahvista istunto",
@ -3373,8 +3314,6 @@
"Ignore %(user)s": "Sivuuta %(user)s",
"Poll history": "Kyselyhistoria",
"Edit link": "Muokkaa linkkiä",
"Indent decrease": "Sisennyksen vähennys",
"Indent increase": "Sisennyksen lisäys",
"Rejecting invite…": "Hylätään kutsua…",
"Joining room…": "Liitytään huoneeseen…",
"Once everyone has joined, youll be able to chat": "Voitte keskustella, kun kaikki ovat liittyneet",
@ -3460,7 +3399,22 @@
"dark": "Tumma",
"beta": "Beeta",
"attachment": "Liite",
"appearance": "Ulkoasu"
"appearance": "Ulkoasu",
"guest": "Vieras",
"legal": "Lakitekstit",
"credits": "Maininnat",
"faq": "Usein kysytyt kysymykset",
"access_token": "Käyttöpoletti",
"preferences": "Valinnat",
"presence": "Läsnäolo",
"timeline": "Aikajana",
"privacy": "Tietosuoja",
"camera": "Kamera",
"microphone": "Mikrofoni",
"emoji": "Emoji",
"random": "Satunnainen",
"support": "Tuki",
"space": "Avaruus"
},
"action": {
"continue": "Jatka",
@ -3532,7 +3486,23 @@
"back": "Takaisin",
"apply": "Toteuta",
"add": "Lisää",
"accept": "Hyväksy"
"accept": "Hyväksy",
"disconnect": "Katkaise yhteys",
"change": "Muuta",
"subscribe": "Tilaa",
"unsubscribe": "Lopeta tilaus",
"approve": "Hyväksy",
"complete": "Valmis",
"revoke": "Kumoa",
"rename": "Nimeä uudelleen",
"view_all": "Näytä kaikki",
"show_all": "Näytä kaikki",
"show": "Näytä",
"review": "Katselmoi",
"restore": "Palauta",
"play": "Toista",
"pause": "Keskeytä",
"register": "Rekisteröidy"
},
"a11y": {
"user_menu": "Käyttäjän valikko"
@ -3582,5 +3552,52 @@
"credits": {
"default_cover_photo": "<photo>Oletuskansikuva</photo> © <author>Jesús Roncero</author>, käytössä <terms>CC-BY-SA 4.0</terms>:n ehtojen mukaisesti.",
"twemoji_colr": "<colr>twemoji-colr</colr>-fontti © <author>Mozilla Foundation</author>, käytössä <terms>Apache 2.0</terms>:n ehtojen mukaisesti."
},
"composer": {
"format_bold": "Lihavoitu",
"format_italic": "Kursivointi",
"format_underline": "Alleviivaus",
"format_strikethrough": "Yliviivattu",
"format_increase_indent": "Sisennyksen lisäys",
"format_decrease_indent": "Sisennyksen vähennys",
"format_inline_code": "Koodi",
"format_code_block": "Ohjelmakoodia",
"format_link": "Linkki"
},
"Bold": "Lihavoitu",
"Link": "Linkki",
"Code": "Koodi",
"power_level": {
"default": "Oletus",
"restricted": "Rajoitettu",
"moderator": "Valvoja",
"admin": "Ylläpitäjä",
"custom": "Mukautettu (%(level)s)",
"mod": "Valvoja"
},
"bug_reporting": {
"introduction": "Jos olet tehnyt ilmoituksen ohjelmistovirheestä GitHubiin, vianjäljityslokit voivat auttaa ongelman selvittämisessä. ",
"description": "Vianjäljityslokit sisältävät sovelluksen käyttödataa mukaan lukien käyttäjänimen, vierailemiesi huoneiden ID-tunnisteet tai aliasnimet, tiedon minkä käyttöliittymäelementtien kanssa olet viimeksi ollut vuorovaikutuksessa ja muiden käyttäjien käyttäjänimet. Vianjäljityslokit eivät sisällä viestejä.",
"matrix_security_issue": "Raportoidaksesi Matrixiin liittyvän tietoturvaongelman, lue Matrix.orgin <a>tietoturvaongelmien julkaisukäytäntö</a>.",
"submit_debug_logs": "Lähetä vianjäljityslokit",
"title": "Virheiden raportointi",
"additional_context": "Sisällytä tähän lisätiedot, joista voi olla apua ongelman analysoinnissa, kuten mitä olit tekemässä, huoneen tunnukset, käyttäjätunnukset, jne.",
"send_logs": "Lähetä lokit",
"github_issue": "GitHub-issue",
"download_logs": "Lataa lokit",
"before_submitting": "Ennen lokien lähettämistä sinun täytyy <a>luoda Githubiin issue (kysymys/ongelma)</a>, joka sisältää kuvauksen ongelmastasi."
},
"time": {
"hours_minutes_seconds_left": "%(hours)s h %(minutes)s m %(seconds)s s jäljellä",
"minutes_seconds_left": "%(minutes)s min %(seconds)s s jäljellä",
"seconds_left": "%(seconds)s s jäljellä",
"date_at_time": "%(date)s klo %(time)s",
"short_days": "%(value)s vrk",
"short_hours": "%(value)s t",
"short_minutes": "%(value)s min",
"short_seconds": "%(value)s s",
"short_days_hours_minutes_seconds": "%(days)s pv %(hours)s t %(minutes)s min %(seconds)s s",
"short_hours_minutes_seconds": "%(hours)s t %(minutes)s min %(seconds)s s",
"short_minutes_seconds": "%(minutes)s min %(seconds)s s"
}
}
}

View file

@ -1,7 +1,6 @@
{
"Displays action": "Affiche laction",
"Download %(text)s": "Télécharger %(text)s",
"Emoji": "Émojis",
"Export E2E room keys": "Exporter les clés de chiffrement de salon",
"Failed to ban user": "Échec du bannissement de lutilisateur",
"Failed to change password. Is your password correct?": "Échec du changement de mot de passe. Votre mot de passe est-il correct ?",
@ -210,12 +209,9 @@
"No media permissions": "Pas de permission pour les médias",
"You may need to manually permit %(brand)s to access your microphone/webcam": "Il est possible que vous deviez manuellement autoriser %(brand)s à accéder à votre micro/caméra",
"Default Device": "Appareil par défaut",
"Microphone": "Micro",
"Camera": "Caméra",
"Anyone": "Nimporte qui",
"Are you sure you want to leave the room '%(roomName)s'?": "Voulez-vous vraiment quitter le salon « %(roomName)s » ?",
"Custom level": "Rang personnalisé",
"Register": "Sinscrire",
"You have <a>disabled</a> URL previews by default.": "Vous avez <a>désactivé</a> les aperçus dURL par défaut.",
"You have <a>enabled</a> URL previews by default.": "Vous avez <a>activé</a> les aperçus dURL par défaut.",
"Uploading %(filename)s": "Envoi de %(filename)s",
@ -401,8 +397,6 @@
"<a>In reply to</a> <pill>": "<a>En réponse à</a> <pill>",
"Failed to remove tag %(tagName)s from room": "Échec de la suppression de létiquette %(tagName)s du salon",
"Failed to add tag %(tagName)s to room": "Échec de lajout de létiquette %(tagName)s au salon",
"Code": "Code",
"Submit debug logs": "Envoyer les journaux de débogage",
"Opens the Developer Tools dialog": "Ouvre la fenêtre des outils de développeur",
"Stickerpack": "Jeu dautocollants",
"You don't currently have any stickerpacks enabled": "Vous n'avez activé aucun jeu dautocollants pour linstant",
@ -434,7 +428,6 @@
"Invite to this room": "Inviter dans ce salon",
"Wednesday": "Mercredi",
"You cannot delete this message. (%(code)s)": "Vous ne pouvez pas supprimer ce message. (%(code)s)",
"Send logs": "Envoyer les journaux",
"All messages": "Tous les messages",
"Call invitation": "Appel entrant",
"State Key": "Clé détat",
@ -501,7 +494,6 @@
"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.": "Votre message na pas été envoyé car ce serveur daccueil a dépassé une de ses limites de ressources. Veuillez <a>contacter ladministrateur de votre service</a> pour continuer à lutiliser.",
"Please <a>contact your service administrator</a> to continue using this service.": "Veuillez <a>contacter ladministrateur de votre service</a> pour continuer à lutiliser.",
"Please contact your homeserver administrator.": "Veuillez contacter ladministrateur de votre serveur daccueil.",
"Legal": "Légal",
"This room has been replaced and is no longer active.": "Ce salon a été remplacé et nest plus actif.",
"The conversation continues here.": "La discussion continue ici.",
"This room is a continuation of another conversation.": "Ce salon est la suite dune autre discussion.",
@ -626,13 +618,9 @@
"For help with using %(brand)s, click <a>here</a>.": "Pour obtenir de laide sur lutilisation de %(brand)s, cliquez <a>ici</a>.",
"For help with using %(brand)s, click <a>here</a> or start a chat with our bot using the button below.": "Pour obtenir de laide sur lutilisation de %(brand)s, cliquez <a>ici</a> ou commencez une discussion avec notre bot en utilisant le bouton ci-dessous.",
"Help & About": "Aide et À propos",
"Bug reporting": "Signalement danomalies",
"FAQ": "FAQ",
"Versions": "Versions",
"Preferences": "Préférences",
"Composer": "Compositeur",
"Room list": "Liste de salons",
"Timeline": "Fil de discussion",
"Autocomplete delay (ms)": "Délai pour lautocomplétion (ms)",
"Chat with %(brand)s Bot": "Discuter avec le bot %(brand)s",
"Roles & Permissions": "Rôles et permissions",
@ -656,7 +644,6 @@
"Phone (optional)": "Téléphone (facultatif)",
"Join millions for free on the largest public server": "Rejoignez des millions dutilisateurs gratuitement sur le plus grand serveur public",
"Other": "Autre",
"Guest": "Visiteur",
"Create account": "Créer un compte",
"Recovery Method Removed": "Méthode de récupération supprimée",
"If you didn't remove the recovery method, an attacker may be trying to access your account. Change your account password and set a new recovery method immediately in Settings.": "Si vous navez pas supprimé la méthode de récupération, un attaquant peut être en train dessayer daccéder à votre compte. Modifiez le mot de passe de votre compte et configurez une nouvelle méthode de récupération dans les réglages.",
@ -733,7 +720,6 @@
"Headphones": "Écouteurs",
"Folder": "Dossier",
"This homeserver would like to make sure you are not a robot.": "Ce serveur daccueil veut sassurer que vous nêtes pas un robot.",
"Change": "Changer",
"Couldn't load page": "Impossible de charger la page",
"Your password has been reset.": "Votre mot de passe a été réinitialisé.",
"This homeserver does not support login using email address.": "Ce serveur daccueil ne prend pas en charge la connexion avec une adresse e-mail.",
@ -751,7 +737,6 @@
"<b>Warning</b>: you should only set up key backup from a trusted computer.": "<b>Attention</b> : vous ne devriez configurer la sauvegarde des clés que depuis un ordinateur de confiance.",
"Your keys are being backed up (the first backup could take a few minutes).": "Vous clés sont en cours de sauvegarde (la première sauvegarde peut prendre quelques minutes).",
"Success!": "Terminé !",
"Credits": "Crédits",
"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",
@ -797,9 +782,7 @@
"one": "Vous avez %(count)s notification non lue dans une version précédente de ce salon."
},
"The file '%(fileName)s' failed to upload.": "Le fichier « %(fileName)s » na pas pu être envoyé.",
"GitHub issue": "Rapport GitHub",
"Notes": "Notes",
"If there is additional context that would help in analysing the issue, such as what you were doing at the time, room IDs, user IDs, etc., please include those things here.": "Sil y a des informations supplémentaires qui pourraient nous aider à analyser le problème, comme ce que vous faisiez, lidentifiant du salon ou des utilisateurs etc, veuillez les préciser ici.",
"Sign out and remove encryption keys?": "Se déconnecter et supprimer les clés de chiffrement ?",
"To help us prevent this in future, please <a>send us logs</a>.": "Pour nous aider à éviter cela dans le futur, veuillez <a>nous envoyer les journaux</a>.",
"Missing session data": "Données de la session manquantes",
@ -887,7 +870,6 @@
"Edited at %(date)s. Click to view edits.": "Modifié le %(date)s. Cliquer pour voir les modifications.",
"Message edits": "Modifications du message",
"Upgrading this room requires closing down the current instance of the room and creating a new room in its place. To give room members the best possible experience, we will:": "La mise à niveau de ce salon nécessite de fermer linstance actuelle du salon et de créer un nouveau salon à la place. Pour fournir la meilleure expérience possible aux utilisateurs, nous allons :",
"Show all": "Tout afficher",
"%(severalUsers)smade no changes %(count)s times": {
"other": "%(severalUsers)s na fait aucun changement %(count)s fois",
"one": "%(severalUsers)s nont fait aucun changement"
@ -924,7 +906,6 @@
"Always show the window menu bar": "Toujours afficher la barre de menu de la fenêtre",
"Unable to revoke sharing for email address": "Impossible de révoquer le partage pour ladresse e-mail",
"Unable to share email address": "Impossible de partager ladresse e-mail",
"Revoke": "Révoquer",
"Discovery options will appear once you have added an email above.": "Les options de découverte apparaîtront quand vous aurez ajouté une adresse e-mail ci-dessus.",
"Unable to revoke sharing for phone number": "Impossible de révoquer le partage pour le numéro de téléphone",
"Unable to share phone number": "Impossible de partager le numéro de téléphone",
@ -934,7 +915,6 @@
"Command Help": "Aide aux commandes",
"Checking server": "Vérification du serveur",
"Disconnect from the identity server <idserver />?": "Se déconnecter du serveur didentité <idserver /> ?",
"Disconnect": "Se déconnecter",
"You are currently using <server></server> to discover and be discoverable by existing contacts you know. You can change your identity server below.": "Vous utilisez actuellement <server></server> pour découvrir et être découvert par des contacts existants que vous connaissez. Vous pouvez changer votre serveur didentité ci-dessous.",
"You are not currently using an identity server. To discover and be discoverable by existing contacts you know, add one below.": "Vous nutilisez actuellement aucun serveur didentité. Pour découvrir et être découvert par les contacts existants que vous connaissez, ajoutez-en un ci-dessous.",
"Disconnecting from your identity server will mean you won't be discoverable by other users and you won't be able to invite others by email or phone.": "La déconnexion de votre serveur didentité signifie que vous ne serez plus découvrable par dautres utilisateurs et que vous ne pourrez plus faire dinvitation par e-mail ou téléphone.",
@ -971,10 +951,7 @@
"Share this email in Settings to receive invites directly in %(brand)s.": "Partagez cet e-mail dans les paramètres pour recevoir les invitations directement dans %(brand)s.",
"Error changing power level": "Erreur de changement de rang",
"An error occurred changing the user's power level. Ensure you have sufficient permissions and try again.": "Une erreur est survenue lors du changement de rang de lutilisateur. Vérifiez que vous avez les permissions nécessaires et réessayez.",
"Bold": "Gras",
"Italics": "Italique",
"Strikethrough": "Barré",
"Code block": "Bloc de code",
"Change identity server": "Changer le serveur didentité",
"Disconnect from the identity server <current /> and connect to <new /> instead?": "Se déconnecter du serveur didentité <current /> et se connecter à <new /> à la place ?",
"Disconnect identity server": "Se déconnecter du serveur didentité",
@ -994,7 +971,6 @@
"Remove recent messages": "Supprimer les messages récents",
"Explore rooms": "Parcourir les salons",
"Verify the link in your inbox": "Vérifiez le lien dans votre boîte de réception",
"Complete": "Terminer",
"Please fill why you're reporting.": "Dites-nous pourquoi vous envoyez un signalement.",
"Report Content to Your Homeserver Administrator": "Signaler le contenu à ladministrateur de votre serveur daccueil",
"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.": "Le signalement de ce message enverra son « event ID » unique à ladministrateur de votre serveur daccueil. Si les messages dans ce salon sont chiffrés, ladministrateur ne pourra pas lire le texte du message ou voir les fichiers ou les images.",
@ -1086,7 +1062,6 @@
"You have not ignored anyone.": "Vous navez ignoré personne.",
"You are currently ignoring:": "Vous ignorez actuellement :",
"You are not subscribed to any lists": "Vous nêtes inscrit à aucune liste",
"Unsubscribe": "Se désinscrire",
"View rules": "Voir les règles",
"You are currently subscribed to:": "Vous êtes actuellement inscrit à :",
"⚠ These settings are meant for advanced users.": "⚠ Ces paramètres sont prévus pour les utilisateurs avancés.",
@ -1097,9 +1072,7 @@
"Subscribed lists": "Listes souscrites",
"Subscribing to a ban list will cause you to join it!": "En vous inscrivant à une liste de bannissement, vous la rejoindrez !",
"If this isn't what you want, please use a different tool to ignore users.": "Si ce nest pas ce que vous voulez, utilisez un autre outil pour ignorer les utilisateurs.",
"Subscribe": "Sinscrire",
"You have ignored this user, so their message is hidden. <a>Show anyways.</a>": "Vous avez ignoré cet utilisateur, donc ses messages sont cachés. <a>Les montrer quand même.</a>",
"Custom (%(level)s)": "Personnalisé (%(level)s)",
"Trusted": "Fiable",
"Not trusted": "Non fiable",
"Messages in this room are end-to-end encrypted.": "Les messages dans ce salon sont chiffrés de bout en bout.",
@ -1180,7 +1153,6 @@
"Failed to find the following users": "Impossible de trouver les utilisateurs suivants",
"The following users might not exist or are invalid, and cannot be invited: %(csvNames)s": "Les utilisateurs suivant nexistent peut-être pas ou ne sont pas valides, et ne peuvent pas être invités : %(csvNames)s",
"Lock": "Cadenas",
"Restore": "Restaurer",
"a few seconds ago": "il y a quelques secondes",
"about a minute ago": "il y a environ une minute",
"%(num)s minutes ago": "il y a %(num)s minutes",
@ -1219,7 +1191,6 @@
"Verify this session": "Vérifier cette session",
"Encryption upgrade available": "Mise à niveau du chiffrement disponible",
"Enable message search in encrypted rooms": "Activer la recherche de messages dans les salons chiffrés",
"Review": "Examiner",
"Manage": "Gérer",
"Securely cache encrypted messages locally for them to appear in search results.": "Mettre en cache les messages chiffrés localement et de manière sécurisée pour quils apparaissent dans les résultats de recherche.",
"%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with <nativeLink>search components added</nativeLink>.": "Il manque quelques composants à %(brand)s pour mettre en cache les messages chiffrés localement de manière sécurisée. Si vous voulez essayer cette fonctionnalité, construisez %(brand)s Desktop vous-même en <nativeLink>ajoutant les composants de recherche</nativeLink>.",
@ -1267,7 +1238,6 @@
"This user has not verified all of their sessions.": "Cet utilisateur na pas vérifié toutes ses sessions.",
"You have verified this user. This user has verified all of their sessions.": "Vous avez vérifié cet utilisateur. Cet utilisateur a vérifié toutes ses sessions.",
"Someone is using an unknown session": "Quelquun utilise une session inconnue",
"Mod": "Modérateur",
"Encrypted by an unverified session": "Chiffré par une session non vérifiée",
"Encrypted by a deleted session": "Chiffré par une session supprimée",
"%(count)s sessions": {
@ -1384,7 +1354,6 @@
"Close dialog or context menu": "Fermer le dialogue ou le menu contextuel",
"Activate selected button": "Activer le bouton sélectionné",
"Cancel autocomplete": "Annuler lautocomplétion",
"Space": "Espace",
"Confirm by comparing the following with the User Settings in your other session:": "Confirmez en comparant ceci avec les paramètres utilisateurs de votre autre session :",
"Confirm this user's session by comparing the following with their User Settings:": "Confirmez la session de cet utilisateur en comparant ceci avec ses paramètres utilisateur :",
"If they don't match, the security of your communication may be compromised.": "Sils ne correspondent pas, la sécurité de vos communications est peut-être compromise.",
@ -1583,7 +1552,6 @@
"Join the conference at the top of this room": "Rejoignez la téléconférence en haut de ce salon",
"Join the conference from the room information card on the right": "Rejoignez la téléconférence à partir de la carte dinformations sur la droite",
"Set the name of a font installed on your system & %(brand)s will attempt to use it.": "Définissez le nom dune police de caractères installée sur votre système et %(brand)s essaiera de lutiliser.",
"Download logs": "Télécharger les journaux",
"Preparing to download logs": "Préparation du téléchargement des journaux",
"Information": "Informations",
"Video conference started by %(senderName)s": "vidéoconférence démarrée par %(senderName)s",
@ -1601,7 +1569,6 @@
"Show Widgets": "Afficher les widgets",
"Hide Widgets": "Masquer les widgets",
"Remove messages sent by others": "Supprimer les messages envoyés par dautres",
"Privacy": "Vie privée",
"Secure Backup": "Sauvegarde sécurisée",
"Algorithm:": "Algorithme :",
"Set up Secure Backup": "Configurer la sauvegarde sécurisée",
@ -2046,7 +2013,6 @@
"The widget will verify your user ID, but won't be able to perform actions for you:": "Ce widget vérifiera votre identifiant dutilisateur, mais ne pourra pas effectuer des actions en votre nom :",
"Allow this widget to verify your identity": "Autoriser ce widget à vérifier votre identité",
"Decline All": "Tout refuser",
"Approve": "Approuver",
"This widget would like to:": "Le widget voudrait :",
"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.",
@ -2110,8 +2076,6 @@
"Who are you working with?": "Avec qui travaillez-vous ?",
"Skip for now": "Passer pour linstant",
"Failed to create initial space rooms": "Échec de la création des salons initiaux de lespace",
"Support": "Prise en charge",
"Random": "Aléatoire",
"Welcome to <name/>": "Bienvenue dans <name/>",
"%(count)s members": {
"one": "%(count)s membre",
@ -2216,7 +2180,6 @@
"Forgotten or lost all recovery methods? <a>Reset all</a>": "Vous avez perdu ou oublié tous vos moyens de récupération ? <a>Tout réinitialiser</a>",
"If you do, please note that none of your messages will be deleted, but the search experience might be degraded for a few moments whilst the index is recreated": "Si vous le faites, notez quaucun de vos messages ne sera supprimé, mais la recherche pourrait être dégradée pendant quelques instants, le temps de recréer lindex",
"View message": "Afficher le message",
"%(seconds)ss left": "%(seconds)s secondes restantes",
"Change server ACLs": "Modifier les ACL du serveur",
"You can select all or individual messages to retry or delete": "Vous pouvez choisir de renvoyer ou supprimer tous les messages ou seulement certains",
"Sending": "Envoi",
@ -2229,8 +2192,6 @@
"other": "Afficher les %(count)s membres"
},
"Failed to send": "Échec de lenvoi",
"Play": "Lecture",
"Pause": "Pause",
"Enter your Security Phrase a second time to confirm it.": "Saisissez à nouveau votre phrase secrète pour la confirmer.",
"Pick rooms or conversations to add. This is just a space for you, no one will be informed. You can add more later.": "Choisissez des salons ou conversations à ajouter. Cest un espace rien que pour vous, personne nen sera informé. Vous pourrez en ajouter plus tard.",
"What do you want to organise?": "Que voulez-vous organiser ?",
@ -2251,7 +2212,6 @@
"No microphone found": "Aucun microphone détecté",
"We were unable to access your microphone. Please check your browser settings and try again.": "Nous navons pas pu accéder à votre microphone. Merci de vérifier les paramètres de votre navigateur et de réessayer.",
"Unable to access your microphone": "Impossible daccéder à votre microphone",
"Access Token": "Jeton daccès",
"Please enter a name for the space": "Veuillez renseigner un nom pour lespace",
"Connecting": "Connexion",
"Message search initialisation failed": "Échec de linitialisation de la recherche de message",
@ -2555,7 +2515,6 @@
"Are you sure you want to exit during this export?": "Êtes vous sûr de vouloir quitter pendant cet export ?",
"%(senderDisplayName)s sent a sticker.": "%(senderDisplayName)s a envoyé un autocollant.",
"%(senderDisplayName)s changed the room avatar.": "%(senderDisplayName)s a changé lavatar du salon.",
"%(date)s at %(time)s": "%(date)s à %(time)s",
"Resetting your verification keys cannot be undone. After resetting, you won't have access to old encrypted messages, and any friends who have previously verified you will see security warnings until you re-verify with them.": "La réinitialisation de vos clés de vérification ne peut pas être annulé. Après la réinitialisation, vous naurez plus accès à vos anciens messages chiffrés, et tous les amis que vous aviez précédemment vérifiés verront des avertissement de sécurité jusqu'à ce vous les vérifiiez à nouveau.",
"Downloading": "Téléchargement en cours",
"I'll verify later": "Je ferai la vérification plus tard",
@ -2619,7 +2578,6 @@
"This room isn't bridging messages to any platforms. <a>Learn more.</a>": "Ce salon ne transmet les messages à aucune plateforme. <a>En savoir plus.</a>",
"Use high contrast": "Utiliser un contraste élevé",
"This room is in some spaces you're not an admin of. In those spaces, the old room will still be shown, but people will be prompted to join the new one.": "Ce salon se trouve dans certains espaces pour lesquels vous nêtes pas administrateur. Dans ces espaces, lancien salon sera toujours disponible, mais un message sera affiché pour inciter les personnes à rejoindre le nouveau salon.",
"Rename": "Renommer",
"Select all": "Tout sélectionner",
"Deselect all": "Tout désélectionner",
"Sign out devices": {
@ -2977,7 +2935,6 @@
"Collapse quotes": "Réduire les citations",
"Can't create a thread from an event with an existing relation": "Impossible de créer un fil de discussion à partir dun événement avec une relation existante",
"Busy": "Occupé",
"If you've submitted a bug via GitHub, debug logs can help us track down the problem. ": "Si vous avez soumis une anomalie via GitHub, les journaux de débogage peuvent nous aider à cibler le problème. ",
"Spaces are a new way to group rooms and people. What kind of Space do you want to create? You can change this later.": "Les espaces sont une nouvelle manière de regrouper les salons et les personnes. Quel type despace voulez-vous créer ? Vous pouvez changer ceci plus tard.",
"Next recently visited room or space": "Prochain salon ou espace récemment visité",
"Previous recently visited room or space": "Salon ou espace précédemment visité",
@ -3035,13 +2992,8 @@
"one": "Actuellement en train de supprimer les messages dans %(count)s salon",
"other": "Actuellement en train de supprimer les messages dans %(count)s salons"
},
"Debug logs contain application usage data including your username, the IDs or aliases of the rooms you have visited, which UI elements you last interacted with, and the usernames of other users. They do not contain messages.": "Les journaux de débogage contiennent les données dutilisation de lapplication incluant votre nom dutilisateur, les identifiants ou les alias des salons que vous avez visités, les derniers élément de linterface avec lesquels vous avez interagis, et les noms dutilisateurs des autres utilisateurs. Ils ne contiennent pas de messages.",
"Developer tools": "Outils de développement",
"%(brand)s is experimental on a mobile web browser. For a better experience and the latest features, use our free native app.": "%(brand)s est expérimental sur un navigateur mobile. Pour une meilleure expérience et bénéficier des dernières fonctionnalités, utilisez notre application native gratuite.",
"%(value)ss": "%(value)ss",
"%(value)sm": "%(value)sm",
"%(value)sh": "%(value)sh",
"%(value)sd": "%(value)sd",
"Threads help keep your conversations on-topic and easy to track.": "Les fils de discussion vous permettent de recentrer vos conversations et de les rendre facile à suivre.",
"An error occurred while stopping your live location, please try again": "Une erreur sest produite en arrêtant le partage de votre position, veuillez réessayer",
"Create room": "Créer un salon",
@ -3275,14 +3227,12 @@
"Community ownership": "Propriété de la communauté",
"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.",
"Presence": "Présence",
"Send read receipts": "Envoyer les accusés de réception",
"Last activity": "Dernière activité",
"Current session": "Cette session",
"Sessions": "Sessions",
"Interactively verify by emoji": "Vérifier de façon interactive avec des émojis",
"Manually verify by text": "Vérifier manuellement avec un texte",
"View all": "Tout voir",
"Security recommendations": "Recommandations de sécurité",
"Filter devices": "Filtrer les appareils",
"Inactive for %(inactiveAgeDays)s days or longer": "Inactive depuis au moins %(inactiveAgeDays)s jours",
@ -3326,7 +3276,6 @@
"other": "%(user)s et %(count)s autres"
},
"%(user1)s and %(user2)s": "%(user1)s et %(user2)s",
"Show": "Afficher",
"%(downloadButton)s or %(copyButton)s": "%(downloadButton)s ou %(copyButton)s",
"%(securityKey)s or %(recoveryFile)s": "%(securityKey)s ou %(recoveryFile)s",
"Proxy URL": "URL du serveur mandataire (proxy)",
@ -3388,8 +3337,6 @@
"Sorry — this call is currently full": "Désolé — Cet appel est actuellement complet",
"resume voice broadcast": "continuer la diffusion audio",
"pause voice broadcast": "mettre en pause la diffusion audio",
"Underline": "Souligné",
"Italic": "Italique",
"Completing set up of your new device": "Fin de la configuration de votre nouvel appareil",
"Waiting for device to sign in": "En attente de connexion de lappareil",
"Review and approve the sign in": "Vérifier et autoriser la connexion",
@ -3449,8 +3396,6 @@
"When enabled, the other party might be able to see your IP address": "Si activé, linterlocuteur peut être capable de voir votre adresse IP",
"Allow Peer-to-Peer for 1:1 calls": "Autoriser le pair-à-pair pour les appels en face à face",
"Go live": "Passer en direct",
"%(minutes)sm %(seconds)ss left": "%(minutes)sm %(seconds)ss restantes",
"%(hours)sh %(minutes)sm %(seconds)ss left": "%(hours)sh %(minutes)sm %(seconds)ss restantes",
"That e-mail address or phone number is already in use.": "Cette adresse e-mail ou numéro de téléphone est déjà utilisé.",
"This means that you have all the keys needed to unlock your encrypted messages and confirm to other users that you trust this session.": "Cela veut dire quelles disposent de toutes les clés nécessaires pour lire les messages chiffrés, et confirment aux autres utilisateur que vous faites confiance à cette session.",
"Verified sessions are anywhere you are using this account after entering your passphrase or confirming your identity with another verified session.": "Les sessions vérifiées sont toutes celles qui utilisent ce compte après avoir saisie la phrase de sécurité ou confirmé votre identité à laide dune autre session vérifiée.",
@ -3476,9 +3421,6 @@
"We were unable to start a chat with the other user.": "Nous navons pas pu démarrer une conversation avec lautre utilisateur.",
"Error starting verification": "Erreur en démarrant la vérification",
"Buffering…": "Mise en mémoire tampon…",
"%(minutes)sm %(seconds)ss": "%(minutes)sm %(seconds)ss",
"%(hours)sh %(minutes)sm %(seconds)ss": "%(hours)sh %(minutes)sm %(seconds)ss",
"%(days)sd %(hours)sh %(minutes)sm %(seconds)ss": "%(days)sj %(hours)sh %(minutes)sm %(seconds)ss",
"<w>WARNING:</w> <description/>": "<w>ATTENTION :</w> <description/>",
"Feeling experimental? Try out our latest ideas in development. These features are not finalised; they may be unstable, may change, or may be dropped altogether. <a>Learn more</a>.": "Envie dexpériences ? Essayez nos dernières idées en développement. Ces fonctionnalités ne sont pas terminées ; elles peuvent changer, être instables, ou être complètement abandonnées. <a>En savoir plus</a>.",
"Early previews": "Avant-premières",
@ -3518,7 +3460,6 @@
"Mark as read": "Marquer comme lu",
"Text": "Texte",
"Create a link": "Crée un lien",
"Link": "Lien",
"Force 15s voice broadcast chunk length": "Forcer la diffusion audio à utiliser des morceaux de 15s",
"Sign out of %(count)s sessions": {
"one": "Déconnecter %(count)s session",
@ -3533,8 +3474,6 @@
"You can't start a voice message as you are currently recording a live broadcast. Please end your live broadcast in order to start recording a voice message.": "Vous ne pouvez pas commencer un message vocal car vous êtes en train denregistrer une diffusion en direct. Veuillez terminer cette diffusion pour commencer un message vocal.",
"Can't start voice message": "Impossible de commencer un message vocal",
"Edit link": "Éditer le lien",
"Numbered list": "Liste numérotée",
"Bulleted list": "Liste à puces",
"Decrypted source unavailable": "Source déchiffrée non disponible",
"Connection error - Recording paused": "Erreur de connexion Enregistrement en pause",
"%(senderName)s started a voice broadcast": "%(senderName)s a démarré une diffusion audio",
@ -3546,8 +3485,6 @@
"Your account details are managed separately at <code>%(hostname)s</code>.": "Les détails de votre compte sont gérés séparément sur <code>%(hostname)s</code>.",
"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",
"Indent decrease": "Réduire lindentation",
"Indent increase": "Augmenter lindentation",
"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",
@ -3753,7 +3690,6 @@
"Anyone can request to join, but admins or moderators need to grant access. You can change this later.": "Tout le monde peut demander à venir, mais un admin ou un modérateur doit autoriser laccès. Vous pouvez modifier ceci plus tard.",
"Thread Root ID: %(threadRootId)s": "ID du fil de discussion racine : %(threadRootId)s",
"The exported file will allow anyone who can read it to decrypt any encrypted messages that you can see, so you should be careful to keep it secure. To help with this, you should enter a unique passphrase below, which will only be used to encrypt the exported data. It will only be possible to import the data by using the same passphrase.": "Le fichier exporté permettra à tous ceux qui peuvent le lire de déchiffrer tous les messages chiffrés auxquels vous avez accès, vous devez donc être vigilant et le stocker dans un endroit sûr. Afin de protéger ce fichier, saisissez ci-dessous une phrase secrète unique qui sera utilisée uniquement pour chiffrer les données exportées. Seule lutilisation de la même phrase secrète permettra de déchiffrer et importer les données.",
"Proceed": "Appliquer",
"Quick Actions": "Actions rapides",
"Unable to find user by email": "Impossible de trouver un utilisateur avec son courriel",
"Your profile picture URL": "Votre URL dimage de profil",
@ -3845,7 +3781,22 @@
"dark": "Sombre",
"beta": "Bêta",
"attachment": "Pièce jointe",
"appearance": "Apparence"
"appearance": "Apparence",
"guest": "Visiteur",
"legal": "Légal",
"credits": "Crédits",
"faq": "FAQ",
"access_token": "Jeton daccès",
"preferences": "Préférences",
"presence": "Présence",
"timeline": "Fil de discussion",
"privacy": "Vie privée",
"camera": "Caméra",
"microphone": "Micro",
"emoji": "Émojis",
"random": "Aléatoire",
"support": "Prise en charge",
"space": "Espace"
},
"action": {
"continue": "Continuer",
@ -3917,7 +3868,24 @@
"back": "Retour",
"apply": "Appliquer",
"add": "Ajouter",
"accept": "Accepter"
"accept": "Accepter",
"disconnect": "Se déconnecter",
"change": "Changer",
"subscribe": "Sinscrire",
"unsubscribe": "Se désinscrire",
"approve": "Approuver",
"proceed": "Appliquer",
"complete": "Terminer",
"revoke": "Révoquer",
"rename": "Renommer",
"view_all": "Tout voir",
"show_all": "Tout afficher",
"show": "Afficher",
"review": "Examiner",
"restore": "Restaurer",
"play": "Lecture",
"pause": "Pause",
"register": "Sinscrire"
},
"a11y": {
"user_menu": "Menu utilisateur"
@ -3983,5 +3951,54 @@
"default_cover_photo": "La <photo>photo dillustration par défaut</photo> est © <author>Jesús Roncero</author> utilisée selon les termes <terms>CC-BY-SA 4.0</terms>.",
"twemoji_colr": "La police <colr>twemoji-colr</colr> est © <author>Mozilla Foundation</author> utilisée sous licence <terms>Apache 2.0</terms>.",
"twemoji": "Lart émoji <twemoji>Twemoji</twemoji> est © <author>Twitter, Inc et autres contributeurs</author> utilisé sous licence <terms>CC-BY 4.0</terms>."
},
"composer": {
"format_bold": "Gras",
"format_italic": "Italique",
"format_underline": "Souligné",
"format_strikethrough": "Barré",
"format_unordered_list": "Liste à puces",
"format_ordered_list": "Liste numérotée",
"format_increase_indent": "Augmenter lindentation",
"format_decrease_indent": "Réduire lindentation",
"format_inline_code": "Code",
"format_code_block": "Bloc de code",
"format_link": "Lien"
},
"Bold": "Gras",
"Link": "Lien",
"Code": "Code",
"power_level": {
"default": "Par défaut",
"restricted": "Restreint",
"moderator": "Modérateur",
"admin": "Administrateur",
"custom": "Personnalisé (%(level)s)",
"mod": "Modérateur"
},
"bug_reporting": {
"introduction": "Si vous avez soumis une anomalie via GitHub, les journaux de débogage peuvent nous aider à cibler le problème. ",
"description": "Les journaux de débogage contiennent les données dutilisation de lapplication incluant votre nom dutilisateur, les identifiants ou les alias des salons que vous avez visités, les derniers élément de linterface avec lesquels vous avez interagis, et les noms dutilisateurs des autres utilisateurs. Ils ne contiennent pas de messages.",
"matrix_security_issue": "Pour signaler un problème de sécurité lié à Matrix, consultez <a>la politique de divulgation de sécurité</a> de Matrix.org.",
"submit_debug_logs": "Envoyer les journaux de débogage",
"title": "Signalement danomalies",
"additional_context": "Sil y a des informations supplémentaires qui pourraient nous aider à analyser le problème, comme ce que vous faisiez, lidentifiant du salon ou des utilisateurs etc, veuillez les préciser ici.",
"send_logs": "Envoyer les journaux",
"github_issue": "Rapport GitHub",
"download_logs": "Télécharger les journaux",
"before_submitting": "Avant de soumettre vos journaux, vous devez <a>créer une « issue » sur GitHub</a> pour décrire votre problème."
},
"time": {
"hours_minutes_seconds_left": "%(hours)sh %(minutes)sm %(seconds)ss restantes",
"minutes_seconds_left": "%(minutes)sm %(seconds)ss restantes",
"seconds_left": "%(seconds)s secondes restantes",
"date_at_time": "%(date)s à %(time)s",
"short_days": "%(value)sd",
"short_hours": "%(value)sh",
"short_minutes": "%(value)sm",
"short_seconds": "%(value)ss",
"short_days_hours_minutes_seconds": "%(days)sj %(hours)sh %(minutes)sm %(seconds)ss",
"short_hours_minutes_seconds": "%(hours)sh %(minutes)sm %(seconds)ss",
"short_minutes_seconds": "%(minutes)sm %(seconds)ss"
}
}
}

View file

@ -60,8 +60,6 @@
"Upload Failed": "Chlis an uaslódáil",
"Permission Required": "Is Teastáil Cead",
"Call Failed": "Chlis an glaoch",
"Support": "Tacaíocht",
"Random": "Randamach",
"Spaces": "Spásanna",
"Value:": "Luach:",
"Level": "Leibhéal",
@ -72,7 +70,6 @@
"Hold": "Fan",
"Resume": "Tosaigh arís",
"Effects": "Tionchair",
"Approve": "Ceadaigh",
"Zimbabwe": "an tSiombáib",
"Zambia": "an tSaimbia",
"Yemen": "Éimin",
@ -259,17 +256,14 @@
"Widgets": "Giuirléidí",
"ready": "réidh",
"Algorithm:": "Algartam:",
"Privacy": "Príobháideachas",
"Information": "Eolas",
"Away": "Imithe",
"Favourited": "Roghnaithe",
"Restore": "Athbhunaigh",
"A-Z": "A-Z",
"Activity": "Gníomhaíocht",
"Feedback": "Aiseolas",
"Ok": "Togha",
"Categories": "Catagóire",
"Space": "Spás",
"Autocomplete": "Uathiomlánaigh",
"Calls": "Glaonna",
"Navigation": "Nascleanúint",
@ -277,30 +271,21 @@
"Accepting…": "ag Glacadh leis…",
"Cancelling…": "ag Cealú…",
"exists": "a bheith ann",
"Mod": "Mod",
"Bridges": "Droichid",
"Manage": "Bainistigh",
"Review": "Athbhreithnigh",
"Later": "Níos deireanaí",
"Lock": "Glasáil",
"Go": "Téigh",
"Cross-signing": "Cros-síniú",
"Unencrypted": "Gan chriptiú",
"Trusted": "Dílis",
"Subscribe": "Liostáil",
"Unsubscribe": "Díliostáil",
"None": "Níl aon cheann",
"Flags": "Bratacha",
"Symbols": "Siombailí",
"Objects": "Rudaí",
"Activities": "Gníomhaíochtaí",
"Document": "Cáipéis",
"Complete": "Críochnaigh",
"Strikethrough": "Líne a chur trí",
"Italics": "Iodálach",
"Bold": "Trom",
"Disconnect": "Dícheangail",
"Revoke": "Cúlghair",
"Discovery": "Aimsiú",
"Actions": "Gníomhartha",
"Messages": "Teachtaireachtaí",
@ -308,15 +293,11 @@
"Import": "Iompórtáil",
"Export": "Easpórtáil",
"Users": "Úsáideoirí",
"Emoji": "Straoiseog",
"Commands": "Ordú",
"Guest": "Cuairteoir",
"Other": "Eile",
"Change": "Athraigh",
"Phone": "Guthán",
"Email": "Ríomhphost",
"Submit": "Cuir isteach",
"Code": "Cód",
"Home": "Tús",
"Favourite": "Cuir mar ceanán",
"Summary": "Achoimre",
@ -386,17 +367,10 @@
"Unban": "Bain an cosc",
"Browse": "Brabhsáil",
"Sounds": "Fuaimeanna",
"Camera": "Ceamara",
"Microphone": "Micreafón",
"Cryptography": "Cripteagrafaíocht",
"Timeline": "Amlíne",
"Composer": "Eagarthóir",
"Preferences": "Roghanna",
"Notifications": "Fógraí",
"Versions": "Leaganacha",
"FAQ": "Ceisteanna Coitianta - CC",
"Credits": "Creidiúintí",
"Legal": "Dlí",
"General": "Ginearálta",
"Account": "Cuntas",
"Profile": "Próifíl",
@ -474,7 +448,6 @@
"Moderator": "Modhnóir",
"Restricted": "Teoranta",
"Default": "Réamhshocrú",
"Register": "Cláraigh",
"AM": "RN",
"PM": "IN",
"Dec": "Nol",
@ -542,8 +515,6 @@
"Address": "Seoladh",
"Sent": "Seolta",
"Connecting": "Ag Ceangal",
"Play": "Cas",
"Pause": "Cuir ar sos",
"Sending": "Ag Seoladh",
"Avatar": "Abhatár",
"Suggested": "Moltaí",
@ -667,7 +638,20 @@
"dark": "Dorcha",
"beta": "Béite",
"attachment": "Ceangaltán",
"appearance": "Cuma"
"appearance": "Cuma",
"guest": "Cuairteoir",
"legal": "Dlí",
"credits": "Creidiúintí",
"faq": "Ceisteanna Coitianta - CC",
"preferences": "Roghanna",
"timeline": "Amlíne",
"privacy": "Príobháideachas",
"camera": "Ceamara",
"microphone": "Micreafón",
"emoji": "Straoiseog",
"random": "Randamach",
"support": "Tacaíocht",
"space": "Spás"
},
"action": {
"continue": "Lean ar aghaidh",
@ -725,7 +709,19 @@
"cancel": "Cuir ar ceal",
"back": "Ar Ais",
"add": "Cuir",
"accept": "Glac"
"accept": "Glac",
"disconnect": "Dícheangail",
"change": "Athraigh",
"subscribe": "Liostáil",
"unsubscribe": "Díliostáil",
"approve": "Ceadaigh",
"complete": "Críochnaigh",
"revoke": "Cúlghair",
"review": "Athbhreithnigh",
"restore": "Athbhunaigh",
"play": "Cas",
"pause": "Cuir ar sos",
"register": "Cláraigh"
},
"labs": {
"pinning": "Ceangal teachtaireachta"
@ -740,5 +736,19 @@
"control": "Ctrl",
"shift": "Shift",
"number": "[uimhir]"
},
"composer": {
"format_bold": "Trom",
"format_strikethrough": "Líne a chur trí",
"format_inline_code": "Cód"
},
"Bold": "Trom",
"Code": "Cód",
"power_level": {
"default": "Réamhshocrú",
"restricted": "Teoranta",
"moderator": "Modhnóir",
"admin": "Riarthóir",
"mod": "Mod"
}
}

View file

@ -203,7 +203,6 @@
"powered by Matrix": "funciona grazas a Matrix",
"Sign in with": "Acceder con",
"Email address": "Enderezo de correo",
"Register": "Rexistrar",
"Something went wrong!": "Algo fallou!",
"Delete Widget": "Eliminar widget",
"Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "Quitando un trebello elimínalo para todas as usuarias desta sala. ¿tes certeza de querer eliminar este widget?",
@ -354,8 +353,6 @@
"No Microphones detected": "Non se detectaron micrófonos",
"No Webcams detected": "Non se detectaron cámaras",
"Default Device": "Dispositivo por defecto",
"Microphone": "Micrófono",
"Camera": "Cámara",
"Email": "Correo electrónico",
"Notifications": "Notificacións",
"Profile": "Perfil",
@ -379,7 +376,6 @@
"Ignores a user, hiding their messages from you": "Ignora unha usuaria, agochándolle as súas mensaxes",
"Stops ignoring a user, showing their messages going forward": "Deixa de ignorar unha usuaria, mostrándolles as súas mensaxes a partir de agora",
"Commands": "Comandos",
"Emoji": "Emoji",
"Notify the whole room": "Notificar a toda a sala",
"Room Notification": "Notificación da sala",
"Users": "Usuarias",
@ -401,8 +397,6 @@
"Failed to remove tag %(tagName)s from room": "Fallo ao eliminar a etiqueta %(tagName)s da sala",
"Failed to add tag %(tagName)s to room": "Fallo ao engadir a etiqueta %(tagName)s a sala",
"Deops user with given id": "Degrada usuaria co id proporcionado",
"Code": "Código",
"Submit debug logs": "Enviar informes de depuración",
"Opens the Developer Tools dialog": "Abre o cadro de Ferramentas de desenvolvemento",
"Stickerpack": "Iconas",
"You don't currently have any stickerpacks enabled": "Non ten paquetes de iconas activados",
@ -436,7 +430,6 @@
"All Rooms": "Todas as Salas",
"State Key": "Chave do estado",
"Wednesday": "Mércores",
"Send logs": "Enviar informes",
"All messages": "Todas as mensaxes",
"Call invitation": "Convite de chamada",
"What's new?": "Que hai de novo?",
@ -494,7 +487,6 @@
"This homeserver has exceeded one of its resource limits.": "Este servidor excedeu un dos seus límites de recursos.",
"Your message wasn't sent because this homeserver has hit its Monthly Active User Limit. Please <a>contact your service administrator</a> to continue using the service.": "A súa mensaxe non foi enviada porque este servidor acadou o Límite Mensual de Usuaria Activa. Por favor <a>contacte coa administración do servizo</a> para continuar utilizando o servizo.",
"Your message wasn't sent because this homeserver has exceeded a resource limit. Please <a>contact your service administrator</a> to continue using the service.": "A súa mensaxe non foi enviada porque o servidor superou o límite de recursos. Por favor <a>contacte coa administración do servizo</a> para continuar utilizando o servizo.",
"Legal": "Legal",
"Please <a>contact your service administrator</a> to continue using this service.": "Por favor <a>contacte coa administración do servizo</a> para continuar utilizando o servizo.",
"Use Single Sign On to continue": "Usar Single Sign On para continuar",
"Confirm adding this email address by using Single Sign On to prove your identity.": "Confirma que queres engadir este email usando Single Sign On como proba de identidade.",
@ -536,7 +528,6 @@
"%(name)s is requesting verification": "%(name)s está pedindo a verificación",
"Use your account or create a new one to continue.": "Usa a túa conta ou crea unha nova para continuar.",
"Create Account": "Crear conta",
"Custom (%(level)s)": "Personalizado (%(level)s)",
"Messages": "Mensaxes",
"Actions": "Accións",
"Other": "Outro",
@ -596,7 +587,6 @@
"Direct Messages": "Mensaxes Directas",
"You can use <code>/help</code> to list available commands. Did you mean to send this as a message?": "Podes usar <code>axuda</code> para ver os comandos dispoñibles. ¿Querías mellor enviar esto como unha mensaxe?",
"Enter the name of a new server you want to explore.": "Escribe o nome do novo servidor que queres explorar.",
"If there is additional context that would help in analysing the issue, such as what you were doing at the time, room IDs, user IDs, etc., please include those things here.": "Se hai contexto que cres que axudaría a analizar o problema, como o que estabas a facer, ID da sala, ID da usuaria, etc., por favor inclúeo aquí.",
"Command Help": "Comando Axuda",
"To help us prevent this in future, please <a>send us logs</a>.": "Para axudarnos a evitar esto no futuro, envíanos <a>o rexistro</a>.",
"Explore Public Rooms": "Explorar Salas Públicas",
@ -711,7 +701,6 @@
"A word by itself is easy to guess": "Por si sola, unha palabra é fácil de adiviñar",
"Names and surnames by themselves are easy to guess": "Nomes e apelidos por si mesmos son fáciles de adiviñar",
"Common names and surnames are easy to guess": "Os nomes e alcumes son fáciles de adiviñar",
"Review": "Revisar",
"Later": "Máis tarde",
"Your homeserver has exceeded its user limit.": "O teu servidor superou o seu límite de usuaras.",
"Your homeserver has exceeded one of its resource limits.": "O teu servidor superou un dous seus límites de recursos.",
@ -896,7 +885,6 @@
"The identity server you have chosen does not have any terms of service.": "O servidor de identidade escollido non ten establecidos termos do servizo.",
"Disconnect identity server": "Desconectar servidor de identidade",
"Disconnect from the identity server <idserver />?": "Desconectar do servidor de identidade <idserver />?",
"Disconnect": "Desconectar",
"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.": "Deberías <b>eliminar os datos personais</b> do servidor de identidade <idserver /> antes de desconectar. Desgraciadamente, o servidor <idserver /> non está en liña ou non é accesible.",
"You should:": "Deberías:",
"check your browser plugins for anything that might block the identity server (such as Privacy Badger)": "comprobar os engadidos do navegador por algún está bloqueando o servidor de identidade (como Privacy Badger)",
@ -912,7 +900,6 @@
"Using an identity server is optional. If you choose not to use an identity server, you won't be discoverable by other users and you won't be able to invite others by email or phone.": "Usar un servidor de identidade é optativo. Se escolles non usar un, non poderás ser atopado por outras usuarias e non poderás convidar a outras polo seu email ou teléfono.",
"Do not use an identity server": "Non usar un servidor de identidade",
"Enter a new identity server": "Escribe o novo servidor de identidade",
"Change": "Cambiar",
"Manage integrations": "Xestionar integracións",
"New version available. <a>Update now.</a>": "Nova versión dispoñible. <a>Actualiza.</a>",
"Size must be a number": "O tamaño ten que ser un número",
@ -922,12 +909,9 @@
"Phone numbers": "Número de teléfono",
"Agree to the identity server (%(serverName)s) Terms of Service to allow yourself to be discoverable by email address or phone number.": "Acepta os Termos do Servizo do servidor (%(serverName)s) para permitir que te atopen polo enderezo de email ou número de teléfono.",
"Account management": "Xestión da conta",
"Credits": "Créditos",
"Chat with %(brand)s Bot": "Chat co Bot %(brand)s",
"Bug reporting": "Informar de fallos",
"Clear cache and reload": "Baleirar caché e recargar",
"To report a Matrix-related security issue, please read the Matrix.org <a>Security Disclosure Policy</a>.": "Para informar dun asunto relacionado coa seguridade de Matrix, le a <a>Política de Revelación de Privacidade</a> de Matrix.org.",
"FAQ": "PMF",
"Versions": "Versións",
"Ignored/Blocked": "Ignorado/Bloqueado",
"Error adding ignored user/server": "Fallo ao engadir a ignorado usuaria/servidor",
@ -944,7 +928,6 @@
"You have not ignored anyone.": "Non ignoraches a ninguén.",
"You are currently ignoring:": "Estás a ignorar a:",
"You are not subscribed to any lists": "Non estás subscrita a ningunha lista",
"Unsubscribe": "Baixa na subscrición",
"View rules": "Ver regras",
"You are currently subscribed to:": "Estas subscrito a:",
"Ignored users": "Usuarias ignoradas",
@ -957,12 +940,9 @@
"Subscribed lists": "Listaxes subscritas",
"If this isn't what you want, please use a different tool to ignore users.": "Se esto non é o que queres, usa unha ferramenta diferente para ignorar usuarias.",
"Room ID or address of ban list": "ID da sala ou enderezo da listaxe de bloqueo",
"Subscribe": "Subscribir",
"Always show the window menu bar": "Mostrar sempre a barra de menú da ventá",
"Preferences": "Preferencias",
"Room list": "Listaxe de Salas",
"Composer": "Editor",
"Timeline": "Cronoloxía",
"Autocomplete delay (ms)": "Retraso no autocompletado (ms)",
"Read Marker lifetime (ms)": "Duración do marcador de lectura (ms)",
"Read Marker off-screen lifetime (ms)": "Duración do marcador de lectura fóra de pantall (ms)",
@ -1020,8 +1000,6 @@
"Your email address hasn't been verified yet": "O teu enderezo de email aínda non foi verificado",
"Click the link in the email you received to verify and then click continue again.": "Preme na ligazón do email recibido para verificalo e após preme en continuar outra vez.",
"Verify the link in your inbox": "Verifica a ligazón na túa caixa de correo",
"Complete": "Completar",
"Revoke": "Revogar",
"Discovery options will appear once you have added an email above.": "As opcións de descubrimento aparecerán após ti engadas un email.",
"Unable to revoke sharing for phone number": "Non se puido revogar a compartición do número de teléfono",
"Unable to share phone number": "Non se puido compartir o número de teléfono",
@ -1042,7 +1020,6 @@
"This room is end-to-end encrypted": "Esta sala está cifrada extremo-a-extremo",
"Everyone in this room is verified": "Todas nesta sala están verificadas",
"Edit message": "Editar mensaxe",
"Mod": "Mod",
"Customise your appearance": "Personaliza o aspecto",
"Appearance Settings only affect this %(brand)s session.": "Os axustes da aparencia só lle afectan a esta sesión %(brand)s.",
"Encrypted by an unverified session": "Cifrada por unha sesión non verificada",
@ -1054,9 +1031,7 @@
"Send a message…": "Enviar mensaxe…",
"The conversation continues here.": "A conversa continúa aquí.",
"This room has been replaced and is no longer active.": "Esta sala foi substituída e xa non está activa.",
"Bold": "Resaltado",
"Italics": "Cursiva",
"Code block": "Bloque de código",
"No recently visited rooms": "Sen salas recentes visitadas",
"Reason: %(reason)s": "Razón: %(reason)s",
"Forget this room": "Esquecer sala",
@ -1167,7 +1142,6 @@
"Verify by emoji": "Verificar por emoticonas",
"Almost there! Is %(displayName)s showing the same shield?": "Case feito! ¿está %(displayName)s mostrando as mesmas emoticonas?",
"Verify all users in a room to ensure it's secure.": "Verificar todas as usuarias da sala para asegurar que é segura.",
"Strikethrough": "Sobrescrito",
"You've successfully verified your device!": "Verificaches correctamente o teu dispositivo!",
"You've successfully verified %(deviceName)s (%(deviceId)s)!": "Verificaches correctamente %(deviceName)s (%(deviceId)s)!",
"You've successfully verified %(displayName)s!": "Verificaches correctamente a %(displayName)s!",
@ -1192,7 +1166,6 @@
"%(name)s cancelled": "%(name)s cancelou",
"%(name)s wants to verify": "%(name)s desexa verificar",
"You sent a verification request": "Enviaches unha solicitude de verificación",
"Show all": "Mostrar todo",
"<reactors/><reactedWith>reacted with %(shortName)s</reactedWith>": "<reactors/><reactedWith>reaccionaron con %(shortName)s</reactedWith>",
"Message deleted": "Mensaxe eliminada",
"Message deleted by %(name)s": "Mensaxe eliminada por %(name)s",
@ -1261,7 +1234,6 @@
"Please tell us what went wrong or, better, create a GitHub issue that describes the problem.": "Cóntanos o que fallou ou, mellor aínda, abre un informe en GitHub que describa o problema.",
"Reminder: Your browser is unsupported, so your experience may be unpredictable.": "Lembra: o teu navegador non está soportado, polo que poderían acontecer situacións non agardadas.",
"Before submitting logs, you must <a>create a GitHub issue</a> to describe your problem.": "Antes de enviar os rexistros, deberías <a>abrir un informe en GitHub</a> para describir o problema.",
"GitHub issue": "Informe en GitHub",
"Notes": "Notas",
"Unable to load commit detail: %(msg)s": "Non se cargou o detalle do commit: %(msg)s",
"Removing…": "Eliminando…",
@ -1333,7 +1305,6 @@
"If they don't match, the security of your communication may be compromised.": "Se non concordan, a seguridade da comunicación podería estar comprometida.",
"Verify session": "Verificar sesión",
"Your homeserver doesn't seem to support this feature.": "O servidor non semella soportar esta característica.",
"Guest": "Convidada",
"Message edits": "Edicións da mensaxe",
"Please fill why you're reporting.": "Escribe a razón do informe.",
"Report Content to Your Homeserver Administrator": "Denuncia sobre contido á Administración do teu servidor",
@ -1455,7 +1426,6 @@
"Click the button below to confirm setting up encryption.": "Preme no botón inferior para confirmar os axustes do cifrado.",
"Enter your account password to confirm the upgrade:": "Escribe o contrasinal para confirmar a actualización:",
"Restore your key backup to upgrade your encryption": "Restablece a copia das chaves para actualizar o cifrado",
"Restore": "Restablecer",
"You'll need to authenticate with the server to confirm the upgrade.": "Debes autenticarte no servidor para confirmar a actualización.",
"Upgrade this session to allow it to verify other sessions, granting them access to encrypted messages and marking them as trusted for other users.": "Actualiza esta sesión para permitirlle que verifique as outras sesións, outorgándolles acceso ás mensaxes cifradas e marcándoas como confiables para outras usuarias.",
"That matches!": "Concorda!",
@ -1508,7 +1478,6 @@
"Activate selected button": "Activar o botón seleccionado",
"Toggle right panel": "Activar panel dereito",
"Cancel autocomplete": "Cancelar autocompletado",
"Space": "Espazo",
"You joined the call": "Unícheste á chamada",
"%(senderName)s joined the call": "%(senderName)s uniuse á chamada",
"Call in progress": "Chamada en curso",
@ -1571,7 +1540,6 @@
"Uploading logs": "Subindo o rexistro",
"Downloading logs": "Descargando o rexistro",
"Preparing to download logs": "Preparándose para descargar rexistro",
"Download logs": "Descargar rexistro",
"Unexpected server error trying to leave the room": "Fallo non agardado no servidor ó intentar saír da sala",
"Error leaving room": "Erro ó saír da sala",
"Set up Secure Backup": "Configurar Copia de apoio Segura",
@ -1579,7 +1547,6 @@
"You might enable this if the room will only be used for collaborating with internal teams on your homeserver. This cannot be changed later.": "Pode resultar útil se a sala vai ser utilizada só polo equipo de xestión interna do servidor. Non se pode cambiar máis tarde.",
"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.": "Poderías desactivalo se a sala vai ser utilizada para colaborar con equipos externos que teñen o seu propio servidor. Esto non se pode cambiar máis tarde.",
"Block anyone not part of %(serverName)s from ever joining this room.": "Evitar que calquera externo a %(serverName)s se poida unir a esta sala.",
"Privacy": "Privacidade",
"Prepends ( ͡° ͜ʖ ͡°) to a plain-text message": "Engade ( ͡° ͜ʖ ͡°) a unha mensaxe de texto-plano",
"Unknown App": "App descoñecida",
"Not encrypted": "Sen cifrar",
@ -1919,7 +1886,6 @@
"Go to Home View": "Ir á Páxina de Inicio",
"The <b>%(capability)s</b> capability": "A capacidade de <b>%(capability)s</b>",
"Decline All": "Rexeitar todo",
"Approve": "Aprobar",
"This widget would like to:": "O widget podería querer:",
"Approve widget permissions": "Aprovar permisos do widget",
"Use Ctrl + Enter to send a message": "Usar Ctrl + Enter para enviar unha mensaxe",
@ -2108,8 +2074,6 @@
"Who are you working with?": "Con quen estás a traballar?",
"Skip for now": "Omitir por agora",
"Failed to create initial space rooms": "Fallou a creación inicial das salas do espazo",
"Support": "Axuda",
"Random": "Ao chou",
"Welcome to <name/>": "Benvida a <name/>",
"%(count)s members": {
"one": "%(count)s participante",
@ -2216,7 +2180,6 @@
"Forgotten or lost all recovery methods? <a>Reset all</a>": "Perdidos ou esquecidos tódolos métodos de recuperación? <a>Restabléceos</a>",
"If you do, please note that none of your messages will be deleted, but the search experience might be degraded for a few moments whilst the index is recreated": "Se o fas, ten en conta que non se borrará ningunha das túas mensaxes, mais a experiencia de busca podería degradarse durante uns momentos ata que se recrea o índice",
"View message": "Ver mensaxe",
"%(seconds)ss left": "%(seconds)ss restantes",
"Change server ACLs": "Cambiar ACLs do servidor",
"You can select all or individual messages to retry or delete": "Podes elexir todo ou mensaxes individuais para reintentar ou eliminar",
"Sending": "Enviando",
@ -2233,8 +2196,6 @@
"Pick rooms or conversations to add. This is just a space for you, no one will be informed. You can add more later.": "Elixe salas ou conversas para engadilas. Este é un espazo para ti, ninguén será notificado. Podes engadir máis posteriormente.",
"What do you want to organise?": "Que queres organizar?",
"You have no ignored users.": "Non tes usuarias ignoradas.",
"Play": "Reproducir",
"Pause": "Deter",
"Select a room below first": "Primeiro elixe embaixo unha sala",
"Join the beta": "Unirse á beta",
"Leave the beta": "Saír da beta",
@ -2251,7 +2212,6 @@
"We were unable to access your microphone. Please check your browser settings and try again.": "Non puidemos acceder ao teu micrófono. Comproba os axustes do navegador e proba outra vez.",
"Unable to access your microphone": "Non se puido acceder ao micrófono",
"Your access token gives full access to your account. Do not share it with anyone.": "O teu token de acceso da acceso completo á túa conta. Non o compartas con ninguén.",
"Access Token": "Token de acceso",
"Please enter a name for the space": "Escribe un nome para o espazo",
"Connecting": "Conectando",
"Search names and descriptions": "Buscar nome e descricións",
@ -2563,7 +2523,6 @@
"Are you sure you want to exit during this export?": "Tes a certeza de querer saír durante esta exportación?",
"%(senderDisplayName)s sent a sticker.": "%(senderDisplayName)s enviou un adhesivo.",
"%(senderDisplayName)s changed the room avatar.": "%(senderDisplayName)s cambiou o avatar da sala.",
"%(date)s at %(time)s": "%(date)s ás %(time)s",
"Show:": "Mostrar:",
"Shows all threads from current room": "Mostra tódalas conversas da sala actual",
"All threads": "Tódalas conversas",
@ -2639,7 +2598,6 @@
"This room is in some spaces you're not an admin of. In those spaces, the old room will still be shown, but people will be prompted to join the new one.": "Esta sala está nalgúns espazos nos que non es admin. Nesos espazos, seguirase mostrando a sala antiga, pero as usuarias serán convidadas a unirse á nova.",
"Large": "Grande",
"Image size in the timeline": "Tamaño de imaxe na cronoloxía",
"Rename": "Cambiar nome",
"Select all": "Seleccionar todos",
"Deselect all": "Retirar selección a todos",
"Sign out devices": {
@ -2992,11 +2950,6 @@
"other": "Eliminando agora mensaxes de %(count)s salas"
},
"Busy": "Ocupado",
"If you've submitted a bug via GitHub, debug logs can help us track down the problem. ": "Se informaches do fallo en GitHub, os rexistros poden ser útiles para arranxar o problema. ",
"%(value)ss": "%(value)ss",
"%(value)sm": "%(value)sm",
"%(value)sh": "%(value)sh",
"%(value)sd": "%(value)sd",
"Command error: Unable to handle slash command.": "Erro no comando: non se puido xestionar o comando con barra.",
"Next recently visited room or space": "Seguinte sala ou espazo visitados recentemente",
"Previous recently visited room or space": "Anterior sala ou espazo visitados recentemente",
@ -3039,7 +2992,6 @@
"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.": "Axúdanos a atopar problemas e mellorar %(analyticsOwner)s compartindo datos anónimos de uso. Para comprender de que xeito as persoas usan varios dispositivos imos crear un identificador aleatorio compartido polos teus dispositivos.",
"You can use the custom server options to sign into other Matrix servers by specifying a different homeserver URL. This allows you to use %(brand)s with an existing Matrix account on a different homeserver.": "Podes usar as opcións personalizadas do servidor para acceder a outros servidores Matrix indicando o URL do servidor de inicio. Así podes usar %(brand)s cunha conta Matrix rexistrada nun servidor diferente.",
"%(brand)s was denied permission to fetch your location. Please allow location access in your browser settings.": "%(brand)s non ten permiso para obter a túa localización. Concede acceso á localización nos axustes do navegador.",
"Debug logs contain application usage data including your username, the IDs or aliases of the rooms you have visited, which UI elements you last interacted with, and the usernames of other users. They do not contain messages.": "Os rexistros de depuración conteñen datos de uso da aplicación incluíndo o teu nome de usuaria, os IDs ou alias das salas que visitaches, os elementos da IU cos que interactuaches así como os identificadores de outras usuarias.",
"Developer tools": "Ferramentas desenvolvemento",
"%(brand)s is experimental on a mobile web browser. For a better experience and the latest features, use our free native app.": "%(brand)s é experimental no navegador web móbil. Para ter unha mellor experiencia e as últimas características usa a nosa app nativa.",
"User may or may not exist": "A usuaria podería non existir",
@ -3275,7 +3227,6 @@
"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.",
"Share your activity and status with others.": "Comparte a túa actividade e estado con outras persoas.",
"Presence": "Presenza",
"Send read receipts": "Enviar resgardos de lectura",
"Unverified": "Non verificada",
"Verified": "Verificada",
@ -3294,9 +3245,7 @@
"Verified session": "Sesión verificada",
"Interactively verify by emoji": "Verificar interactivamente usando emoji",
"Manually verify by text": "Verificar manualmente con texto",
"View all": "Ver todo",
"Security recommendations": "Recomendacións de seguridade",
"Show": "Mostar",
"Filter devices": "Filtrar dispositivos",
"Inactive for %(inactiveAgeDays)s days or longer": "Inactiva desde hai %(inactiveAgeDays)s días ou máis",
"Inactive": "Inactiva",
@ -3347,11 +3296,6 @@
"Video call started in %(roomName)s.": "Chamada de vídeo iniciada en %(roomName)s.",
"Failed to read events": "Fallou a lectura de eventos",
"Failed to send event": "Fallo ao enviar o evento",
"%(minutes)sm %(seconds)ss": "%(minutes)sm %(seconds)ss",
"%(hours)sh %(minutes)sm %(seconds)ss": "%(hours)sh %(minutes)sm %(seconds)ss",
"%(days)sd %(hours)sh %(minutes)sm %(seconds)ss": "%(days)sd %(hours)sh %(minutes)sm %(seconds)ss",
"%(minutes)sm %(seconds)ss left": "%(minutes)sm %(seconds)ss restantes",
"%(hours)sh %(minutes)sm %(seconds)ss left": "%(hours)sh %(minutes)sm %(seconds)ss restantes",
"common": {
"about": "Acerca de",
"analytics": "Análise",
@ -3398,7 +3342,22 @@
"dark": "Escuro",
"beta": "Beta",
"attachment": "Anexo",
"appearance": "Aparencia"
"appearance": "Aparencia",
"guest": "Convidada",
"legal": "Legal",
"credits": "Créditos",
"faq": "PMF",
"access_token": "Token de acceso",
"preferences": "Preferencias",
"presence": "Presenza",
"timeline": "Cronoloxía",
"privacy": "Privacidade",
"camera": "Cámara",
"microphone": "Micrófono",
"emoji": "Emoji",
"random": "Ao chou",
"support": "Axuda",
"space": "Espazo"
},
"action": {
"continue": "Continuar",
@ -3468,7 +3427,23 @@
"call": "Chamar",
"back": "Atrás",
"add": "Engadir",
"accept": "Aceptar"
"accept": "Aceptar",
"disconnect": "Desconectar",
"change": "Cambiar",
"subscribe": "Subscribir",
"unsubscribe": "Baixa na subscrición",
"approve": "Aprobar",
"complete": "Completar",
"revoke": "Revogar",
"rename": "Cambiar nome",
"view_all": "Ver todo",
"show_all": "Mostrar todo",
"show": "Mostar",
"review": "Revisar",
"restore": "Restablecer",
"play": "Reproducir",
"pause": "Deter",
"register": "Rexistrar"
},
"a11y": {
"user_menu": "Menú de usuaria"
@ -3506,5 +3481,46 @@
"control": "Ctrl",
"shift": "Maiús",
"number": "[número]"
},
"composer": {
"format_bold": "Resaltado",
"format_strikethrough": "Sobrescrito",
"format_inline_code": "Código",
"format_code_block": "Bloque de código"
},
"Bold": "Resaltado",
"Code": "Código",
"power_level": {
"default": "Por defecto",
"restricted": "Restrinxido",
"moderator": "Moderador",
"admin": "Administrador",
"custom": "Personalizado (%(level)s)",
"mod": "Mod"
},
"bug_reporting": {
"introduction": "Se informaches do fallo en GitHub, os rexistros poden ser útiles para arranxar o problema. ",
"description": "Os rexistros de depuración conteñen datos de uso da aplicación incluíndo o teu nome de usuaria, os IDs ou alias das salas que visitaches, os elementos da IU cos que interactuaches así como os identificadores de outras usuarias.",
"matrix_security_issue": "Para informar dun asunto relacionado coa seguridade de Matrix, le a <a>Política de Revelación de Privacidade</a> de Matrix.org.",
"submit_debug_logs": "Enviar informes de depuración",
"title": "Informar de fallos",
"additional_context": "Se hai contexto que cres que axudaría a analizar o problema, como o que estabas a facer, ID da sala, ID da usuaria, etc., por favor inclúeo aquí.",
"send_logs": "Enviar informes",
"github_issue": "Informe en GitHub",
"download_logs": "Descargar rexistro",
"before_submitting": "Antes de enviar os rexistros, deberías <a>abrir un informe en GitHub</a> para describir o problema."
},
"time": {
"hours_minutes_seconds_left": "%(hours)sh %(minutes)sm %(seconds)ss restantes",
"minutes_seconds_left": "%(minutes)sm %(seconds)ss restantes",
"seconds_left": "%(seconds)ss restantes",
"date_at_time": "%(date)s ás %(time)s",
"short_days": "%(value)sd",
"short_hours": "%(value)sh",
"short_minutes": "%(value)sm",
"short_seconds": "%(value)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_minutes_seconds": "%(minutes)sm %(seconds)ss"
}
}

View file

@ -27,9 +27,7 @@
"Dec": "דצמבר",
"PM": "PM",
"AM": "AM",
"Submit debug logs": "צרף לוגים",
"Online": "מקוון",
"Register": "צור חשבון",
"Rooms": "חדרים",
"Operation failed": "פעולה נכשלה",
"powered by Matrix": "מופעל ע\"י Matrix",
@ -70,7 +68,6 @@
"All Rooms": "כל החדרים",
"State Key": "מקש מצב",
"Wednesday": "רביעי",
"Send logs": "שלח יומנים",
"All messages": "כל ההודעות",
"Call invitation": "הזמנה לשיחה",
"What's new?": "מה חדש?",
@ -172,7 +169,6 @@
"You need to be able to invite users to do that.": "עליכם להיות מאושרים להזמין משתמשים על מנת לבצע פעולה זו.",
"You need to be logged in.": "עליכם להיות מחוברים.",
"Failed to invite": "הזמנה נכשלה",
"Custom (%(level)s)": "ידני %(level)s",
"Admin": "אדמין",
"Moderator": "מנהל",
"Restricted": "מחוץ לתחום",
@ -860,7 +856,6 @@
"%(senderName)s joined the call": "%(senderName)s התחבר אל השיחה",
"You joined the call": "התחברתם אל השיחה בהצלחה",
"Please contact your homeserver administrator.": "אנא צרו קשר עם מנהל השרת שלכם.",
"Guest": "אורח",
"New version of %(brand)s is available": "גרסה חדשה של %(brand)s קיימת",
"Update %(brand)s": "עדכן %(brand)s",
"New login. Was this you?": "כניסה חדשה. האם זה אתם?",
@ -876,7 +871,6 @@
"Enable desktop notifications": "אשרו התראות שולחן עבודה",
"Don't miss a reply": "אל תפספסו תגובה",
"Later": "מאוחר יותר",
"Review": "סקירה",
"Unknown App": "אפליקציה לא ידועה",
"Short keyboard patterns are easy to guess": "דפוסים קצרים קל לנחש",
"Straight rows of keys are easy to guess": "שורות מסודרות של מקשים מאוד קל לנחש",
@ -932,10 +926,7 @@
"Removing…": "מסיר…",
"Email address": "כתובת דוא\"ל",
"Unable to load commit detail: %(msg)s": "לא ניתן לטעון את פרטי ההתחייבות: %(msg)s",
"If there is additional context that would help in analysing the issue, such as what you were doing at the time, room IDs, user IDs, etc., please include those things here.": "אם ישנו הקשר נוסף שיעזור לניתוח הבעיה, כגון מה שעשיתם באותו זמן, תעודות זהות, מזהי משתמש וכו ', אנא כללו את הדברים כאן.",
"Notes": "הערות",
"GitHub issue": "סוגיית GitHub",
"Download logs": "הורד יומנים",
"Before submitting logs, you must <a>create a GitHub issue</a> to describe your problem.": "לפני שמגישים יומנים, עליכם <a> ליצור בעיה של GitHub </a> כדי לתאר את הבעיה שלכם.",
"Reminder: Your browser is unsupported, so your experience may be unpredictable.": "תזכורת: הדפדפן שלך אינו נתמך, כך שהחוויה שלך עשויה להיות בלתי צפויה.",
"Preparing to download logs": "מתכונן להורדת יומנים",
@ -1077,7 +1068,6 @@
"Popout widget": "יישומון קופץ",
"Message deleted": "הודעה נמחקה",
"<reactors/><reactedWith>reacted with %(shortName)s</reactedWith>": "<reactors/><reactedWith> הגיבו עם %(shortName)s</reactedWith>",
"Show all": "הצג הכל",
"Error decrypting video": "שגיאה בפענוח וידאו",
"You sent a verification request": "שלחתם בקשה לקוד אימות",
"%(name)s wants to verify": "%(name)s רוצה לאמת",
@ -1277,10 +1267,7 @@
"Topic: %(topic)s (<a>edit</a>)": "נושאים: %(topic)s (<a>עריכה</a>)",
"This is the beginning of your direct message history with <displayName/>.": "זו ההתחלה של היסטוריית ההודעות הישירות שלך עם <displayName/>.",
"Only the two of you are in this conversation, unless either of you invites anyone to join.": "רק שניכם נמצאים בשיחה הזו, אלא אם כן מישהו מכם מזמין מישהו להצטרף.",
"Code block": "בלוק קוד",
"Strikethrough": "קו חוצה",
"Italics": "נטוי",
"Bold": "מודגש",
"You do not have permission to post to this room": "אין לך הרשאה לפרסם בחדר זה",
"This room has been replaced and is no longer active.": "חדר זה הוחלף ואינו פעיל יותר.",
"The conversation continues here.": "השיחה נמשכת כאן.",
@ -1305,7 +1292,6 @@
"Unencrypted": "לא מוצפן",
"Encrypted by an unverified session": "הוצפן על ידי מושב לא מאומת",
"This event could not be displayed": "לא ניתן להציג את הארוע הזה",
"Mod": "ממתן",
"Edit message": "ערוך הודעה",
"Everyone in this room is verified": "כולם מאומתים בחדר זה",
"This room is end-to-end encrypted": "חדר זה מוצפן מקצה לקצה",
@ -1332,8 +1318,6 @@
"Unable to share phone number": "לא ניתן לשתף מספר טלפון",
"Unable to revoke sharing for phone number": "לא ניתן לבטל את השיתוף למספר טלפון",
"Discovery options will appear once you have added an email above.": "אפשרויות גילוי יופיעו לאחר הוספת דוא\"ל לעיל.",
"Revoke": "לשלול",
"Complete": "מושלם",
"Verify the link in your inbox": "אמת את הקישור בתיבת הדואר הנכנס שלך",
"Unable to verify email address.": "לא ניתן לאמת את כתובת הדוא\"ל.",
"Click the link in the email you received to verify and then click continue again.": "לחץ על הקישור בהודעת הדוא\"ל שקיבלת כדי לאמת ואז לחץ על המשך שוב.",
@ -1440,8 +1424,6 @@
"Upgrade this room to the recommended room version": "שדרג חדר זה לגרסת החדר המומלצת",
"This room is not accessible by remote Matrix servers": "לא ניתן לגשת לחדר זה באמצעות שרתי מטריקס מרוחקים",
"Voice & Video": "שמע ווידאו",
"Camera": "מצלמה",
"Microphone": "מיקרופון",
"Audio Output": "יציאת שמע",
"Default Device": "התקן ברירת מחדל",
"No Webcams detected": "לא נמצאה מצלמת רשת",
@ -1451,7 +1433,6 @@
"Missing media permissions, click the button below to request.": "חסרות הרשאות מדיה, לחץ על הלחצן למטה כדי לבקש.",
"You may need to manually permit %(brand)s to access your microphone/webcam": "ייתכן שיהיה עליך לאפשר ידנית ל-%(brand)s גישה למיקרופון / מצלמת האינטרנט שלך",
"No media permissions": "אין הרשאות מדיה",
"Privacy": "פרטיות",
"Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "מנהל השרת שלך השבית הצפנה מקצה לקצה כברירת מחדל בחדרים פרטיים ובהודעות ישירות.",
"Cross-signing": "חתימה צולבת",
"Message search": "חיפוש הודעה",
@ -1468,13 +1449,10 @@
"Read Marker off-screen lifetime (ms)": "חיי סמן קריאה מחוץ למסך (ms)",
"Read Marker lifetime (ms)": "חיי סמן קריאה (ms)",
"Autocomplete delay (ms)": "עיכוב השלמה אוטומטית (ms)",
"Timeline": "קו זמן",
"Composer": "כתבן",
"Room list": "רשימת חדרים",
"Preferences": "העדפות",
"Always show the window menu bar": "הראה תמיד את שורת תפריט החלונות",
"Start automatically after system login": "התחל באופן אוטומטי לאחר הכניסה",
"Subscribe": "הרשמה",
"Room ID or address of ban list": "זהות החדר או כתובת של רשימת החסומים",
"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!": "הרשמה לרשימת איסורים תגרום לך להצטרף אליה!",
@ -1488,7 +1466,6 @@
"Ignored users": "משתמשים שהתעלמתם מהם",
"You are currently subscribed to:": "אתם רשומים אל:",
"View rules": "צפה בכללים",
"Unsubscribe": "הסרת הרשמה",
"You are not subscribed to any lists": "אימכם רשומים לשום רשימה",
"You are currently ignoring:": "אתם כרגע מתעלמים מ:",
"You have not ignored anyone.": "לא התעלמתם מאף אחד.",
@ -1507,15 +1484,11 @@
"Clear cache and reload": "נקה מטמון ואתחל",
"%(brand)s version:": "גרסאת %(brand)s:",
"Versions": "גרסאות",
"FAQ": "שאלות נפוצות",
"Help & About": "עזרה ואודות",
"To report a Matrix-related security issue, please read the Matrix.org <a>Security Disclosure Policy</a>.": "כדי לדווח על בעיית אבטחה , אנא קראו את <a> מדיניות גילוי האבטחה של Matrix.org </a>.",
"Bug reporting": "דיווח על תקלות ובאגים",
"Chat with %(brand)s Bot": "דבר עם הבוט של %(brand)s",
"For help with using %(brand)s, click <a>here</a> or start a chat with our bot using the button below.": "לעזרה בשימוש ב-%(brand)s לחץ על <a> כאן </a> או התחל צ'אט עם הבוט שלנו באמצעות הלחצן למטה.",
"For help with using %(brand)s, click <a>here</a>.": "בשביל לעזור בקידום ושימוש ב- %(brand)s, לחצו <a>כאן</a>.",
"Credits": "נקודות זכות",
"Legal": "חוקי",
"General": "כללי",
"Discovery": "מציאה",
"Deactivate account": "סגור חשבון",
@ -1543,7 +1516,6 @@
"Check for update": "בדוק עדכונים",
"New version available. <a>Update now.</a>": "גרסא חדשה קיימת. <a>שדרגו עכשיו.</a>",
"Manage integrations": "נהל שילובים",
"Change": "שנה",
"Enter a new identity server": "הכנס שרת הזדהות חדש",
"Do not use an identity server": "אל תשתמש בשרת הזדהות",
"Using an identity server is optional. If you choose not to use an identity server, you won't be discoverable by other users and you won't be able to invite others by email or phone.": "השימוש בשרת זהות הוא אופציונלי. אם תבחר לא להשתמש בשרת זהות, משתמשים אחרים לא יוכלו לגלות ולא תוכל להזמין אחרים בדוא\"ל או בטלפון.",
@ -1559,7 +1531,6 @@
"check your browser plugins for anything that might block the identity server (such as Privacy Badger)": "בדוק בתוספי הדפדפן שלך כל דבר העלול לחסום את שרת הזהות (כגון תגית פרטיות)",
"You should:": "עליכם:",
"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 /> נמצא במצב לא מקוון או שאי אפשר להגיע אליו.",
"Disconnect": "התנתק",
"Disconnect from the identity server <idserver />?": "התנק משרת ההזדהות <idserver /> ?",
"Disconnect identity server": "נתק שרת הזדהות",
"The identity server you have chosen does not have any terms of service.": "לשרת הזהות שבחרת אין תנאי שירות.",
@ -1656,7 +1627,6 @@
"Enter password": "הזן סיסמה",
"Start authentication": "התחל אימות",
"Submit": "הגש",
"Code": "קוד",
"Please enter the code it contains:": "אנא הכנס את הקוד שהוא מכיל:",
"A text message has been sent to %(msisdn)s": "הודעת טקסט נשלחה אל %(msisdn)s",
"Token incorrect": "אסימון שגוי",
@ -1703,7 +1673,6 @@
"Wrong file type": "סוג קובץ שגוי",
"Remember my selection for this widget": "זכור את הבחירה שלי עבור יישומון זה",
"Decline All": "סרב להכל",
"Approve": "אישור",
"This widget would like to:": "יישומון זה רוצה:",
"Approve widget permissions": "אשר הרשאות יישומון",
"Verification Request": "בקשת אימות",
@ -1856,7 +1825,6 @@
"Transfer": "לְהַעֲבִיר",
"Failed to transfer call": "העברת השיחה נכשלה",
"A call can only be transferred to a single user.": "ניתן להעביר שיחה רק למשתמש יחיד.",
"Space": "מקש רווח",
"Cancel autocomplete": "בטל השלמה אוטומטית",
"Go to Home View": "עבור אל תצוגת הבית",
"Toggle right panel": "החלף את החלונית הימנית",
@ -1920,7 +1888,6 @@
"Unable to query secret storage status": "לא ניתן לשאול על סטטוס האחסון הסודי",
"Upgrade this session to allow it to verify other sessions, granting them access to encrypted messages and marking them as trusted for other users.": "שדרג את ההפעלה הזו כדי לאפשר לה לאמת פעילויות אחרות, הענק להם גישה להודעות מוצפנות וסמן אותן כאמינות עבור משתמשים אחרים.",
"You'll need to authenticate with the server to confirm the upgrade.": "יהיה עליך לבצע אימות מול השרת כדי לאשר את השדרוג.",
"Restore": "לשחזר",
"Restore your key backup to upgrade your encryption": "שחזר את גיבוי המפתח שלך כדי לשדרג את ההצפנה שלך",
"Enter your account password to confirm the upgrade:": "הזן את סיסמת החשבון שלך כדי לאשר את השדרוג:",
"Safeguard against losing access to encrypted messages & data by backing up encryption keys on your server.": "הגן מפני אובדן גישה להודעות ונתונים מוצפנים על ידי גיבוי של מפתחות הצפנה בשרת שלך.",
@ -1942,7 +1909,6 @@
"Room Notification": "הודעת חדר",
"Notify the whole room": "הודע לכל החדר",
"Emoji Autocomplete": "השלמה אוטומטית של אימוג'י",
"Emoji": "אימוג'י",
"Command Autocomplete": "השלמה אוטומטית של פקודות",
"Commands": "פקודות",
"Clear personal data": "נקה מידע אישי",
@ -2102,7 +2068,6 @@
"Connectivity to the server has been lost": "נותק החיבור מול השרת",
"You cannot place calls in this browser.": "לא ניתן לבצע שיחות בדפדפן זה.",
"Calls are unsupported": "שיחות לא נתמכות",
"%(date)s at %(time)s": "%(date)s בשעה %(time)s",
"%(oldDisplayName)s changed their display name to %(displayName)s": "%(oldDisplayName)s בחר/ה שם תצוגה חדש - %(displayName)s",
"Your new device is now verified. Other users will see it as trusted.": "המכשיר שלך מוגדר כעת כמאומת. משתמשים אחרים יראו אותו כמכשיר מהימן.",
"Your new device is now verified. It has access to your encrypted messages, and other users will see it as trusted.": "המכשיר שלך מוגדר כעת כמאומת. יש לו גישה להודעות המוצפנות שלך ומשתמשים אחרים יראו אותו כמכשיר מהימן.",
@ -2159,7 +2124,6 @@
"Upgrade required": "נדרש שדרוג",
"Anyone can find and join.": "כל אחד יכול למצוא ולהצטרף.",
"Large": "גדול",
"Rename": "שנה שם",
"Select all": "בחר הכל",
"Deselect all": "הסר סימון מהכל",
"Sign out devices": {
@ -2223,10 +2187,6 @@
"%(senderDisplayName)s changed who can join this room.": "%(senderDisplayName)s שינה את הגדרת המורשים להצטרף לחדר.",
"%(senderDisplayName)s changed who can join this room. <a>View settings</a>.": "%(senderDisplayName)s שינה את הגדרת המורשים להצטרף לחדר. <a>הגדרות</a>",
"%(senderDisplayName)s changed the room avatar.": "%(senderDisplayName)s שינה את תמונת החדר.",
"%(value)ss": "%(value)s שניות",
"%(value)sm": "%(value)s דקות",
"%(value)sh": "%(value)s שעות",
"%(value)sd": "%(value)s ימים",
"The user you called is busy.": "המשתמש עסוק כרגע.",
"User Busy": "המשתמש עסוק",
"Great! This Security Phrase looks strong enough.": "מצוין! ביטוי אבטחה זה נראה מספיק חזק.",
@ -2296,11 +2256,8 @@
"Create a video room": "צרו חדר וידאו",
"Verification requested": "התבקש אימות",
"Verify this device by completing one of the following:": "אמתו מכשיר זה על ידי מילוי אחת מהפעולות הבאות:",
"Debug logs contain application usage data including your username, the IDs or aliases of the rooms you have visited, which UI elements you last interacted with, and the usernames of other users. They do not contain messages.": "לוגים מכילים נתוני שימוש באפליקציה, לרבות שם המשתמש שלכם, המזהים או הכינויים של החדרים שבהם ביקרתם, עם אילו רכיבי ממשק משתמש ביצעתם אינטראקציה אחרונה ושמות המשתמש של משתמשים אחרים. הם אינם מכילים הודעות.",
"If you've submitted a bug via GitHub, debug logs can help us track down the problem. ": "אם שלחתם באג דרך GitHub, שליחת לוגים יכולה לעזור לנו לאתר את הבעיה. ",
"Your server doesn't support disabling sending read receipts.": "השרת שלכם לא תומך בביטול שליחת אישורי קריאה.",
"Share your activity and status with others.": "שתפו את הפעילות והסטטוס שלכם עם אחרים.",
"Presence": "נוכחות",
"Room visibility": "נראות של החדר",
"%(oneUser)ssent %(count)s hidden messages": {
"one": "%(oneUser)sשלח הודעה חבויה",
@ -2386,8 +2343,6 @@
"What do you want to organise?": "מה ברצונכם לארגן ?",
"Skip for now": "דלגו לעת עתה",
"Failed to create initial space rooms": "יצירת חדר חלל עבודה ראשוני נכשלה",
"Support": "תמיכה",
"Random": "אקראי",
"Verify this device": "אמתו את מכשיר זה",
"Unable to verify this device": "לא ניתן לאמת את מכשיר זה",
"Jump to last message": "קיפצו להודעה האחרונה",
@ -2628,9 +2583,6 @@
"Pinned": "הודעות נעוצות",
"Nothing pinned, yet": "אין הודעות נעוצות, לבינתיים",
"Files": "קבצים",
"%(seconds)ss left": "נשארו %(seconds)s שניות",
"%(minutes)sm %(seconds)ss left": "נשארו %(minutes)s דקות ו-%(seconds)s שניות",
"%(hours)sh %(minutes)sm %(seconds)ss left": "נשארו %(hours)s שעות, %(minutes)s דקות ו-%(seconds)s שניות",
"Manage pinned events": "נהל אירועים נעוצים",
"When enabled, the other party might be able to see your IP address": "כאשר מופעל, הצד השני יוכל לראות את כתובת ה-IP שלך",
"Allow Peer-to-Peer for 1:1 calls": "אפשר חיבור ישיר (Peer-to-Peer) בשיחות 1:1",
@ -2686,7 +2638,21 @@
"description": "תאור",
"dark": "כהה",
"attachment": "נספחים",
"appearance": "מראה"
"appearance": "מראה",
"guest": "אורח",
"legal": "חוקי",
"credits": "נקודות זכות",
"faq": "שאלות נפוצות",
"preferences": "העדפות",
"presence": "נוכחות",
"timeline": "קו זמן",
"privacy": "פרטיות",
"camera": "מצלמה",
"microphone": "מיקרופון",
"emoji": "אימוג'י",
"random": "אקראי",
"support": "תמיכה",
"space": "מקש רווח"
},
"action": {
"continue": "המשך",
@ -2754,7 +2720,19 @@
"cancel": "ביטול",
"back": "אחורה",
"add": "הוספה",
"accept": "קבל"
"accept": "קבל",
"disconnect": "התנתק",
"change": "שנה",
"subscribe": "הרשמה",
"unsubscribe": "הסרת הרשמה",
"approve": "אישור",
"complete": "מושלם",
"revoke": "לשלול",
"rename": "שנה שם",
"show_all": "הצג הכל",
"review": "סקירה",
"restore": "לשחזר",
"register": "צור חשבון"
},
"a11y": {
"user_menu": "תפריט משתמש"
@ -2779,5 +2757,43 @@
"alt": "ALT",
"control": "CTRL",
"shift": "הזזה"
},
"composer": {
"format_bold": "מודגש",
"format_strikethrough": "קו חוצה",
"format_inline_code": "קוד",
"format_code_block": "בלוק קוד"
},
"Bold": "מודגש",
"Code": "קוד",
"power_level": {
"default": "ברירת מחדל",
"restricted": "מחוץ לתחום",
"moderator": "מנהל",
"admin": "אדמין",
"custom": "ידני %(level)s",
"mod": "ממתן"
},
"bug_reporting": {
"introduction": "אם שלחתם באג דרך GitHub, שליחת לוגים יכולה לעזור לנו לאתר את הבעיה. ",
"description": "לוגים מכילים נתוני שימוש באפליקציה, לרבות שם המשתמש שלכם, המזהים או הכינויים של החדרים שבהם ביקרתם, עם אילו רכיבי ממשק משתמש ביצעתם אינטראקציה אחרונה ושמות המשתמש של משתמשים אחרים. הם אינם מכילים הודעות.",
"matrix_security_issue": "כדי לדווח על בעיית אבטחה , אנא קראו את <a> מדיניות גילוי האבטחה של Matrix.org </a>.",
"submit_debug_logs": "צרף לוגים",
"title": "דיווח על תקלות ובאגים",
"additional_context": "אם ישנו הקשר נוסף שיעזור לניתוח הבעיה, כגון מה שעשיתם באותו זמן, תעודות זהות, מזהי משתמש וכו ', אנא כללו את הדברים כאן.",
"send_logs": "שלח יומנים",
"github_issue": "סוגיית GitHub",
"download_logs": "הורד יומנים",
"before_submitting": "לפני שמגישים יומנים, עליכם <a> ליצור בעיה של GitHub </a> כדי לתאר את הבעיה שלכם."
},
"time": {
"hours_minutes_seconds_left": "נשארו %(hours)s שעות, %(minutes)s דקות ו-%(seconds)s שניות",
"minutes_seconds_left": "נשארו %(minutes)s דקות ו-%(seconds)s שניות",
"seconds_left": "נשארו %(seconds)s שניות",
"date_at_time": "%(date)s בשעה %(time)s",
"short_days": "%(value)s ימים",
"short_hours": "%(value)s שעות",
"short_minutes": "%(value)s דקות",
"short_seconds": "%(value)s שניות"
}
}

View file

@ -37,7 +37,6 @@
"%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s": "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s",
"Unable to enable Notifications": "अधिसूचनाएं सक्षम करने में असमर्थ",
"This email address was not found": "यह ईमेल पता नहीं मिला था",
"Register": "पंजीकरण करें",
"Default": "डिफ़ॉल्ट",
"Restricted": "वर्जित",
"Moderator": "मध्यस्थ",
@ -350,21 +349,14 @@
"Language and region": "भाषा और क्षेत्र",
"Account management": "खाता प्रबंधन",
"Deactivate Account": "खाता निष्क्रिय करें",
"Legal": "कानूनी",
"Credits": "क्रेडिट",
"Check for update": "अपडेट के लिये जांचें",
"Help & About": "सहायता और के बारे में",
"Bug reporting": "बग रिपोर्टिंग",
"Submit debug logs": "डिबग लॉग जमा करें",
"FAQ": "सामान्य प्रश्न",
"Versions": "संस्करण",
"Notifications": "सूचनाएं",
"Start automatically after system login": "सिस्टम लॉगिन के बाद स्वचालित रूप से प्रारंभ करें",
"Preferences": "अधिमान",
"Changes your display nickname in the current room only": "केवल वर्तमान कमरे में अपना प्रदर्शन उपनाम बदलता है",
"Show read receipts sent by other users": "अन्य उपयोगकर्ताओं द्वारा भेजी गई रसीदें दिखाएं",
"Scissors": "कैंची",
"Timeline": "समयसीमा",
"Room list": "कक्ष सूचि",
"Autocomplete delay (ms)": "स्वत: पूर्ण विलंब (ms)",
"<not supported>": "<समर्थित नहीं>",
@ -382,8 +374,6 @@
"No Webcams detected": "कोई वेबकैम नहीं मिला",
"Default Device": "डिफ़ॉल्ट उपकरण",
"Audio Output": "ध्वनि - उत्पादन",
"Microphone": "माइक्रोफ़ोन",
"Camera": "कैमरा",
"Voice & Video": "ध्वनि और वीडियो",
"Failed to unban": "अप्रतिबंधित करने में विफल",
"Banned by %(displayName)s": "%(displayName)s द्वारा प्रतिबंधित",
@ -554,11 +544,6 @@
"Only continue if you trust the owner of the server.": "केवल तभी जारी रखें जब आप सर्वर के स्वामी पर भरोसा करते हैं।",
"This action requires accessing the default identity server <server /> to validate an email address or phone number, but the server does not have any terms of service.": "इस क्रिया के लिए ईमेल पते या फ़ोन नंबर को मान्य करने के लिए डिफ़ॉल्ट पहचान सर्वर <server /> तक पहुँचने की आवश्यकता है, लेकिन सर्वर के पास सेवा की कोई शर्तें नहीं हैं।",
"Identity server has no terms of service": "पहचान सर्वर की सेवा की कोई शर्तें नहीं हैं",
"%(value)ss": "%(value)s एस",
"%(value)sm": "%(value)sएम",
"%(value)sh": "%(value)s",
"%(value)sd": "%(value)s",
"%(date)s at %(time)s": "%(date)s %(time)s पर",
"The server does not support the room version specified.": "सर्वर निर्दिष्ट कक्ष संस्करण का समर्थन नहीं करता है।",
"Failed to transfer call": "कॉल स्थानांतरित करने में विफल",
"Transfer Failed": "स्थानांतरण विफल",
@ -608,7 +593,14 @@
"theme": "थीम",
"options": "विकल्प",
"labs": "लैब्स",
"attachment": "आसक्ति"
"attachment": "आसक्ति",
"legal": "कानूनी",
"credits": "क्रेडिट",
"faq": "सामान्य प्रश्न",
"preferences": "अधिमान",
"timeline": "समयसीमा",
"camera": "कैमरा",
"microphone": "माइक्रोफ़ोन"
},
"action": {
"continue": "आगे बढ़ें",
@ -630,10 +622,28 @@
"close": "बंद",
"cancel": "रद्द",
"add": "जोड़े",
"accept": "स्वीकार"
"accept": "स्वीकार",
"register": "पंजीकरण करें"
},
"labs": {
"pinning": "संदेश पिनिंग",
"state_counters": "कमरे के हेडर में साधारण काउंटर रेंडर करें"
},
"power_level": {
"default": "डिफ़ॉल्ट",
"restricted": "वर्जित",
"moderator": "मध्यस्थ",
"admin": "व्यवस्थापक"
},
"bug_reporting": {
"submit_debug_logs": "डिबग लॉग जमा करें",
"title": "बग रिपोर्टिंग"
},
"time": {
"date_at_time": "%(date)s %(time)s पर",
"short_days": "%(value)s",
"short_hours": "%(value)s",
"short_minutes": "%(value)sएम",
"short_seconds": "%(value)s एस"
}
}

View file

@ -13,8 +13,6 @@
"No media permissions": "Nincs média jogosultság",
"You may need to manually permit %(brand)s to access your microphone/webcam": "Lehet, hogy kézileg kell engedélyeznie a(z) %(brand)s számára, hogy hozzáférjen a mikrofonjához és webkamerájához",
"Default Device": "Alapértelmezett eszköz",
"Microphone": "Mikrofon",
"Camera": "Kamera",
"Advanced": "Speciális",
"Always show message timestamps": "Üzenetek időbélyegének megjelenítése mindig",
"Authentication": "Azonosítás",
@ -54,7 +52,6 @@
"Download %(text)s": "%(text)s letöltése",
"Email": "E-mail",
"Email address": "E-mail-cím",
"Emoji": "Emodzsi",
"Enter passphrase": "Jelmondat megadása",
"Error decrypting attachment": "Csatolmány visszafejtése sikertelen",
"Export": "Mentés",
@ -112,7 +109,6 @@
"Privileged Users": "Privilegizált felhasználók",
"Profile": "Profil",
"Reason": "Ok",
"Register": "Regisztráció",
"Reject invitation": "Meghívó elutasítása",
"Return to login screen": "Vissza a bejelentkezési képernyőre",
"%(brand)s does not have permission to send you notifications - please check your browser settings": "A(z) %(brand)s alkalmazásnak nincs jogosultsága értesítést küldeni ellenőrizze a böngésző beállításait",
@ -401,8 +397,6 @@
"<a>In reply to</a> <pill>": "<a>Válasz neki</a> <pill>",
"Failed to remove tag %(tagName)s from room": "Nem sikerült a szobáról eltávolítani ezt: %(tagName)s",
"Failed to add tag %(tagName)s to room": "Nem sikerült hozzáadni a szobához ezt: %(tagName)s",
"Code": "Kód",
"Submit debug logs": "Hibakeresési napló elküldése",
"Opens the Developer Tools dialog": "Megnyitja a fejlesztői eszközök párbeszédablakát",
"Stickerpack": "Matrica csomag",
"You don't currently have any stickerpacks enabled": "Nincs engedélyezett matrica csomagod",
@ -433,7 +427,6 @@
"Toolbox": "Eszköztár",
"Collecting logs": "Naplók összegyűjtése",
"Invite to this room": "Meghívás a szobába",
"Send logs": "Naplófájlok elküldése",
"All messages": "Összes üzenet",
"Call invitation": "Hívásmeghívások",
"State Key": "Állapotkulcs",
@ -501,7 +494,6 @@
"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.": "Az üzenete nem lett elküldve, mert a Matrix-kiszolgáló túllépett egy erőforráskorlátot. A szolgáltatás használatának folytatásához <a>vegye fel a kapcsolatot a szolgáltatás rendszergazdájával</a>.",
"Please <a>contact your service administrator</a> to continue using this service.": "A szolgáltatás további használatához <a>vegye fel a kapcsolatot a szolgáltatás rendszergazdájával</a>.",
"Please contact your homeserver administrator.": "Vegye fel a kapcsolatot a Matrix-kiszolgáló rendszergazdájával.",
"Legal": "Jogi feltételek",
"This room has been replaced and is no longer active.": "Ezt a szobát lecseréltük és nem aktív többé.",
"The conversation continues here.": "A beszélgetés itt folytatódik.",
"This room is a continuation of another conversation.": "Ez a szoba egy másik beszélgetés folytatása.",
@ -626,13 +618,9 @@
"For help with using %(brand)s, click <a>here</a>.": "Az %(brand)s használatában való segítséghez kattintson <a>ide</a>.",
"For help with using %(brand)s, click <a>here</a> or start a chat with our bot using the button below.": "Az %(brand)s használatában való segítségért kattintson <a>ide</a>, vagy kezdjen beszélgetést a botunkkal az alábbi gombra kattintva.",
"Help & About": "Súgó és névjegy",
"Bug reporting": "Hibajelentés",
"FAQ": "GYIK",
"Versions": "Verziók",
"Preferences": "Beállítások",
"Composer": "Szerkesztő",
"Room list": "Szobalista",
"Timeline": "Idővonal",
"Autocomplete delay (ms)": "Automatikus kiegészítés késleltetése (ms)",
"Roles & Permissions": "Szerepek és jogosultságok",
"Changes to who can read history will only apply to future messages in this room. The visibility of existing history will be unchanged.": "A üzenetek olvashatóságának változtatása csak az új üzenetekre lesz érvényes. A régi üzenetek láthatósága nem fog változni.",
@ -655,7 +643,6 @@
"Phone (optional)": "Telefonszám (nem kötelező)",
"Join millions for free on the largest public server": "Csatlakozzon több millió felhasználóhoz ingyen a legnagyobb nyilvános szerveren",
"Other": "Egyéb",
"Guest": "Vendég",
"Create account": "Fiók létrehozása",
"Recovery Method Removed": "Helyreállítási mód törölve",
"If you didn't remove the recovery method, an attacker may be trying to access your account. Change your account password and set a new recovery method immediately in Settings.": "Ha nem Ön törölte a helyreállítási módot, akkor lehet, hogy egy támadó hozzá akar férni a fiókjához. Azonnal változtassa meg a jelszavát, és állítson be egy helyreállítási módot a Beállításokban.",
@ -733,7 +720,6 @@
"Headphones": "Fejhallgató",
"Folder": "Dosszié",
"This homeserver would like to make sure you are not a robot.": "A Matrix-kiszolgáló ellenőrizné, hogy Ön nem egy robot.",
"Change": "Módosítás",
"Couldn't load page": "Az oldal nem tölthető be",
"Your password has been reset.": "A jelszavad újra beállításra került.",
"This homeserver does not support login using email address.": "Ez a Matrix-kiszolgáló nem támogatja az e-mail-címmel történő bejelentkezést.",
@ -751,7 +737,6 @@
"<b>Warning</b>: you should only set up key backup from a trusted computer.": "<b>Figyelmeztetés</b>: csak biztonságos számítógépről állítson be kulcsmentést.",
"Your keys are being backed up (the first backup could take a few minutes).": "A kulcsaid mentése folyamatban van (az első mentés több percig is eltarthat).",
"Success!": "Sikeres!",
"Credits": "Közreműködők",
"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ó",
@ -797,9 +782,7 @@
"one": "%(count)s olvasatlan értesítésed van a régi verziójú szobában."
},
"The file '%(fileName)s' failed to upload.": "A(z) „%(fileName)s” fájl feltöltése sikertelen.",
"GitHub issue": "GitHub hibajegy",
"Notes": "Megjegyzések",
"If there is additional context that would help in analysing the issue, such as what you were doing at the time, room IDs, user IDs, etc., please include those things here.": "Ha a hiba felderítésében további adat is segítséget adhat, mint az, hogy mit csináltál éppen, mi a szoba-, felhasználó azonosítója, stb... itt add meg.",
"Sign out and remove encryption keys?": "Kilépés és a titkosítási kulcsok törlése?",
"To help us prevent this in future, please <a>send us logs</a>.": "Segítsen abban, hogy ez később ne fordulhasson elő, <a>küldje el nekünk a naplókat</a>.",
"Missing session data": "A munkamenetadatok hiányzik",
@ -887,7 +870,6 @@
"Edited at %(date)s. Click to view edits.": "Szerkesztés ideje: %(date)s. Kattintson a szerkesztések megtekintéséhez.",
"Message edits": "Üzenetszerkesztések",
"Upgrading this room requires closing down the current instance of the room and creating a new room in its place. To give room members the best possible experience, we will:": "A szoba fejlesztéséhez be kell zárnia ezt a szobát, és egy újat kell létrehoznia helyette. Hogy a szoba tagjai számára a lehető legjobb legyen a felhasználói élmény, a következők lépések lesznek végrehajtva:",
"Show all": "Mind megjelenítése",
"%(severalUsers)smade no changes %(count)s times": {
"other": "%(severalUsers)s %(count)s alkalommal nem változtattak semmit",
"one": "%(severalUsers)s nem változtattak semmit"
@ -927,7 +909,6 @@
"The identity server you have chosen does not have any terms of service.": "A választott azonosítási kiszolgálóhoz nem tartoznak felhasználási feltételek.",
"Only continue if you trust the owner of the server.": "Csak akkor lépjen tovább, ha megbízik a kiszolgáló tulajdonosában.",
"Disconnect from the identity server <idserver />?": "Bontja a kapcsolatot ezzel az azonosítási kiszolgálóval: <idserver />?",
"Disconnect": "Kapcsolat bontása",
"You are currently using <server></server> to discover and be discoverable by existing contacts you know. You can change your identity server below.": "Jelenleg a(z) <server></server> kiszolgálót használja a kapcsolatok kereséséhez, és hogy megtalálják az ismerősei. A használt azonosítási kiszolgálót alább tudja megváltoztatni.",
"You are not currently using an identity server. To discover and be discoverable by existing contacts you know, add one below.": "Jelenleg nem használ azonosítási kiszolgálót. A kapcsolatok kereséséhez, és hogy megtalálják az ismerősei, adjon hozzá egy azonosítási kiszolgálót.",
"Disconnecting from your identity server will mean you won't be discoverable by other users and you won't be able to invite others by email or phone.": "Az azonosítási kiszolgáló kapcsolatának bontása azt eredményezi, hogy más felhasználók nem találják meg Önt, és nem tud másokat meghívni e-mail-cím vagy telefonszám alapján.",
@ -938,7 +919,6 @@
"Always show the window menu bar": "Ablak menüsávjának megjelenítése mindig",
"Unable to revoke sharing for email address": "Az e-mail cím megosztását nem sikerült visszavonni",
"Unable to share email address": "Az e-mail címet nem sikerült megosztani",
"Revoke": "Visszavon",
"Discovery options will appear once you have added an email above.": "Felkutatási beállítások megjelennek amint hozzáadtál egy e-mail címet alább.",
"Unable to revoke sharing for phone number": "A telefonszám megosztást nem sikerült visszavonni",
"Unable to share phone number": "A telefonszámot nem sikerült megosztani",
@ -971,10 +951,7 @@
"Share this email in Settings to receive invites directly in %(brand)s.": "Oszd meg a Beállításokban ezt az e-mail címet, hogy közvetlen meghívókat kaphass %(brand)sba.",
"Error changing power level": "Hiba történt a hozzáférési szint megváltoztatása során",
"An error occurred changing the user's power level. Ensure you have sufficient permissions and try again.": "Hiba történt a felhasználó hozzáférési szintjének megváltoztatása során. Ellenőrizze, hogy megvan-e hozzá a megfelelő jogosultsága, és próbálja újra.",
"Bold": "Félkövér",
"Italics": "Dőlt",
"Strikethrough": "Áthúzott",
"Code block": "Kód blokk",
"Change identity server": "Azonosítási kiszolgáló módosítása",
"Disconnect from the identity server <current /> and connect to <new /> instead?": "Bontja a kapcsolatot a(z) <current /> azonosítási kiszolgálóval, és inkább ehhez kapcsolódik: <new />?",
"Disconnect identity server": "Kapcsolat bontása az azonosítási kiszolgálóval",
@ -994,7 +971,6 @@
"An error occurred changing the room's power level requirements. Ensure you have sufficient permissions and try again.": "Hiba történt a szobához szükséges hozzáférési szint megváltoztatása során. Ellenőrizze, hogy megvan-e hozzá a megfelelő jogosultsága, és próbálja újra.",
"Explore rooms": "Szobák felderítése",
"Verify the link in your inbox": "Ellenőrizd a hivatkozást a bejövő leveleid között",
"Complete": "Kiegészít",
"Please fill why you're reporting.": "Adja meg, hogy miért jelenti.",
"Report Content to Your Homeserver Administrator": "Tartalom bejelentése a Matrix-kiszolgáló rendszergazdájának",
"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.": "Az üzenet bejelentése egy egyedi „eseményazonosítót” küld el a Matrix-kiszolgáló rendszergazdájának. Ha az üzenetek titkosítottak a szobában, akkor a Matrix-kiszolgáló rendszergazdája nem tudja elolvasni az üzenetet, vagy nem tudja megnézni a fájlokat vagy képeket.",
@ -1086,7 +1062,6 @@
"You have not ignored anyone.": "Senkit sem mellőz.",
"You are currently ignoring:": "Jelenleg őket mellőzi:",
"You are not subscribed to any lists": "Nem iratkozott fel egyetlen listára sem",
"Unsubscribe": "Leiratkozás",
"View rules": "Szabályok megtekintése",
"You are currently subscribed to:": "Jelenleg ezekre van feliratkozva:",
"⚠ These settings are meant for advanced users.": "⚠ Ezek a beállítások haladó felhasználók számára vannak.",
@ -1097,9 +1072,7 @@
"Subscribed lists": "Feliratkozott listák",
"Subscribing to a ban list will cause you to join it!": "A tiltólistára történő feliratkozás azzal jár, hogy csatlakozik hozzá!",
"If this isn't what you want, please use a different tool to ignore users.": "Ha nem ez az amit szeretne, akkor használjon más eszközt a felhasználók mellőzéséhez.",
"Subscribe": "Feliratkozás",
"You have ignored this user, so their message is hidden. <a>Show anyways.</a>": "Ezt a felhasználót figyelmen kívül hagyod, így az üzenetei el lesznek rejtve. <a>Megjelenítés mindenképpen.</a>",
"Custom (%(level)s)": "Egyéni (%(level)s)",
"Trusted": "Megbízható",
"Not trusted": "Megbízhatatlan",
"Messages in this room are end-to-end encrypted.": "Az üzenetek a szobában végponttól végpontig titkosítottak.",
@ -1194,7 +1167,6 @@
"%(num)s hours from now": "%(num)s óra múlva",
"about a day from now": "egy nap múlva",
"%(num)s days from now": "%(num)s nap múlva",
"Restore": "Visszaállítás",
"Other users may not trust it": "Más felhasználók lehet, hogy nem bíznak benne",
"Later": "Később",
"Something went wrong trying to invite the users.": "Valami nem sikerült a felhasználók meghívásával.",
@ -1219,7 +1191,6 @@
"Verify this session": "Munkamenet ellenőrzése",
"Encryption upgrade available": "A titkosítási fejlesztés elérhető",
"Enable message search in encrypted rooms": "Üzenetek keresésének bekapcsolása a titkosított szobákban",
"Review": "Átnézés",
"This bridge was provisioned by <user />.": "Ezt a hidat a következő készítette: <user />.",
"Show less": "Kevesebb megjelenítése",
"Manage": "Kezelés",
@ -1260,7 +1231,6 @@
"You have not verified this user.": "Még nem ellenőrizted ezt a felhasználót.",
"You have verified this user. This user has verified all of their sessions.": "Ezt a felhasználót ellenőrizted. Ez a felhasználó hitelesítette az összes munkamenetét.",
"Someone is using an unknown session": "Valaki ellenőrizetlen munkamenetet használ",
"Mod": "Mod",
"Encrypted by an unverified session": "Ellenőrizetlen munkamenet titkosította",
"Encrypted by a deleted session": "Törölt munkamenet által lett titkosítva",
"Waiting for %(displayName)s to accept…": "%(displayName)s felhasználóra várakozás az elfogadáshoz…",
@ -1396,7 +1366,6 @@
"Activate selected button": "Kiválasztott gomb aktiválása",
"Toggle right panel": "Jobb oldali panel be/ki",
"Cancel autocomplete": "Automatikus kiegészítés megszakítása",
"Space": "Tér",
"Use Single Sign On to continue": "A folytatáshoz használja az egyszeri bejelentkezést (SSO)",
"Single Sign On": "Egyszeri bejelentkezés",
"%(name)s is requesting verification": "%(name)s ellenőrzést kér",
@ -1574,14 +1543,12 @@
"Downloading logs": "Naplók letöltése folyamatban",
"Information": "Információ",
"Preparing to download logs": "Napló előkészítése feltöltéshez",
"Download logs": "Napló letöltése",
"Set up Secure Backup": "Biztonsági mentés beállítása",
"You might enable this if the room will only be used for collaborating with internal teams on your homeserver. This cannot be changed later.": "Beállíthatod, ha a szobát csak egy belső csoport használja majd a matrix szervereden. Ezt később nem lehet megváltoztatni.",
"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.": "Ne engedélyezd ezt, ha a szobát külső csapat is használja másik matrix szerverről. Később nem lehet megváltoztatni.",
"Block anyone not part of %(serverName)s from ever joining this room.": "A szobába ne léphessenek be azok, akik nem ezen a szerveren vannak: %(serverName)s.",
"Prepends ( ͡° ͜ʖ ͡°) to a plain-text message": "Az egyszerű szöveges üzenet elé teszi ezt: ( ͡° ͜ʖ ͡°)",
"Unknown App": "Ismeretlen alkalmazás",
"Privacy": "Adatvédelem",
"Not encrypted": "Nem titkosított",
"Room settings": "Szoba beállítások",
"Take a picture": "Fénykép készítése",
@ -1933,7 +1900,6 @@
"Hold": "Várakoztatás",
"Resume": "Folytatás",
"Decline All": "Összes elutasítása",
"Approve": "Engedélyezés",
"This widget would like to:": "A kisalkalmazás ezeket szeretné:",
"Approve widget permissions": "Kisalkalmazás-engedélyek elfogadása",
"Sign into your homeserver": "Bejelentkezés a Matrix-kiszolgálójába",
@ -2108,8 +2074,6 @@
"Who are you working with?": "Kivel dolgozik együtt?",
"Skip for now": "Kihagy egyenlőre",
"Failed to create initial space rooms": "Térhez tartozó kezdő szobákat nem sikerült elkészíteni",
"Support": "Támogatás",
"Random": "Véletlen",
"Welcome to <name/>": "Üdvözöl a(z) <name/>",
"%(count)s members": {
"one": "%(count)s tag",
@ -2217,7 +2181,6 @@
"Forgotten or lost all recovery methods? <a>Reset all</a>": "Elfelejtette vagy elveszett minden helyreállítási lehetőség? <a>Minden alaphelyzetbe állítása</a>",
"If you do, please note that none of your messages will be deleted, but the search experience might be degraded for a few moments whilst the index is recreated": "Ha ezt teszi, tudnia kell, hogy az üzenetek nem lesznek törölve, de a keresési élmény addig nem lesz tökéletes, amíg az indexek újra el nem készülnek",
"View message": "Üzenet megjelenítése",
"%(seconds)ss left": "%(seconds)s mp van hátra",
"You can select all or individual messages to retry or delete": "Újraküldéshez vagy törléshez kiválaszthatja az üzeneteket egyenként vagy az összeset együtt",
"Retry all": "Mind újraküldése",
"Sending": "Küldés",
@ -2233,8 +2196,6 @@
"Pick rooms or conversations to add. This is just a space for you, no one will be informed. You can add more later.": "Válassz szobákat vagy beszélgetéseket amit hozzáadhat. Ez csak az ön tere, senki nem lesz értesítve. Továbbiakat később is hozzáadhat.",
"What do you want to organise?": "Mit szeretne megszervezni?",
"You have no ignored users.": "Nincsenek mellőzött felhasználók.",
"Play": "Lejátszás",
"Pause": "Szünet",
"Select a room below first": "Először válasszon ki szobát alulról",
"Join the beta": "Csatlakozás béta lehetőségekhez",
"Leave the beta": "Béta kikapcsolása",
@ -2251,7 +2212,6 @@
"We were unable to access your microphone. Please check your browser settings and try again.": "Nem lehet a mikrofont használni. Ellenőrizze a böngésző beállításait és próbálja újra.",
"Unable to access your microphone": "A mikrofont nem lehet használni",
"Your access token gives full access to your account. Do not share it with anyone.": "A hozzáférési kulcs teljes elérést biztosít a fiókhoz. Soha ne ossza meg mással.",
"Access Token": "Hozzáférési kulcs",
"Please enter a name for the space": "Adjon meg egy nevet a térhez",
"Connecting": "Kapcsolódás",
"To leave the beta, visit your settings.": "A beállításokban tudja elhagyni a bétát.",
@ -2548,7 +2508,6 @@
"Are you sure you want to exit during this export?": "Biztos, hogy kilép az exportálás közben?",
"%(senderDisplayName)s sent a sticker.": "%(senderDisplayName)s matricát küldött.",
"%(senderDisplayName)s changed the room avatar.": "%(senderDisplayName)s megváltoztatta a szoba profilképét.",
"%(date)s at %(time)s": "%(date)s %(time)s",
"I'll verify later": "Később ellenőrzöm",
"Proceed with reset": "Lecserélés folytatása",
"Skip verification for now": "Ellenőrzés kihagyása most",
@ -2615,7 +2574,6 @@
"You do not have permission to start polls in this room.": "Nincs joga szavazást kezdeményezni ebben a szobában.",
"This room isn't bridging messages to any platforms. <a>Learn more.</a>": "Ez a szoba egy platformra sem hidalja át az üzeneteket. <a>Tudjon meg többet.</a>",
"This room is in some spaces you're not an admin of. In those spaces, the old room will still be shown, but people will be prompted to join the new one.": "Ez a szoba olyan terekben is benne van, amelynek nem Ön az adminisztrátora. Ezekben a terekben továbbra is a régi szoba jelenik meg, de az emberek jelzést kapnak, hogy lépjenek be az újba.",
"Rename": "Átnevezés",
"Select all": "Mindet kijelöli",
"Deselect all": "Semmit nem jelöl ki",
"Sign out devices": {
@ -2978,7 +2936,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.": "A terek a szobák és emberek csoportosításának új módja. Milyen teret szeretne létrehozni? Később megváltoztathatja.",
"Can't create a thread from an event with an existing relation": "Nem lehet üzenetszálat indítani olyan eseményről ami már rendelkezik kapcsolattal",
"Busy": "Foglalt",
"If you've submitted a bug via GitHub, debug logs can help us track down the problem. ": "Ha a GitHubon keresztül küldött be hibajegyet, akkor a hibakeresési napló segít nekünk felderíteni a problémát. ",
"Toggle Link": "Hivatkozás be/ki",
"Toggle Code Block": "Kódblokk be/ki",
"You are sharing your live location": "Ön folyamatosan megosztja az aktuális földrajzi pozícióját",
@ -3035,13 +2992,8 @@
"You can use the custom server options to sign into other Matrix servers by specifying a different homeserver URL. This allows you to use %(brand)s with an existing Matrix account on a different homeserver.": "Használhatja a más szerver opciót, hogy egy másik matrix szerverre jelentkezz be amihez megadod a szerver url címét. Ezzel használhatja a(z) %(brand)s klienst egy már létező Matrix fiókkal egy másik matrix szerveren.",
"%(brand)s was denied permission to fetch your location. Please allow location access in your browser settings.": "A(z) %(brand)s alkalmazásnak nincs jogosultsága a földrajzi helyzetének lekérdezéséhez. Engedélyezze a hely hozzáférését a böngészőbeállításokban.",
"Share for %(duration)s": "Megosztás eddig: %(duration)s",
"Debug logs contain application usage data including your username, the IDs or aliases of the rooms you have visited, which UI elements you last interacted with, and the usernames of other users. They do not contain messages.": "A hibakeresési napló alkalmazáshasználati adatokat tartalmaz, amely tartalmazza a felhasználónevét, a felkeresett szobák azonosítóit vagy álneveit, az utolsó felhasználói felület elemét, amelyet használt, valamint a többi felhasználó neveit. A csevegési üzenetek szövegét nem tartalmazza.",
"Developer tools": "Fejlesztői eszközök",
"%(brand)s is experimental on a mobile web browser. For a better experience and the latest features, use our free native app.": "A(z) %(brand)s kísérleti állapotban van a mobilos webböngészőkben. A jobb élmény és a legújabb funkciók használatához használja az ingyenes natív alkalmazásunkat.",
"%(value)ss": "%(value)s mp",
"%(value)sm": "%(value)s p",
"%(value)sh": "%(value)s ó",
"%(value)sd": "%(value)s n",
"Sorry, your homeserver is too old to participate here.": "Sajnáljuk, a Matrix-kiszolgáló túl régi verziójú ahhoz, hogy ebben részt vegyen.",
"There was an error joining.": "A csatlakozás során hiba történt.",
"The user's homeserver does not support the version of the space.": "A felhasználó Matrix-kiszolgálója nem támogatja a megadott tér verziót.",
@ -3277,7 +3229,6 @@
"Sessions": "Munkamenetek",
"Your server doesn't support disabling sending read receipts.": "A kiszolgálója nem támogatja az olvasási visszajelzések elküldésének kikapcsolását.",
"Share your activity and status with others.": "Ossza meg a tevékenységét és állapotát másokkal.",
"Presence": "Állapot",
"Spell check": "Helyesírás-ellenőrzés",
"Complete these to get the most out of %(brand)s": "Ezen lépések befejezésével hozhatja ki a legtöbbet a(z) %(brand)s használatából",
"Unverified": "Ellenőrizetlen",
@ -3295,13 +3246,11 @@
"Welcome": "Üdvözöljük",
"Show shortcut to welcome checklist above the room list": "Kezdő lépések elvégzésének hivatkozásának megjelenítése a szobalista fölött",
"Inactive sessions": "Nem aktív munkamenetek",
"View all": "Összes megtekintése",
"Verify your sessions for enhanced secure messaging or sign out from those you don't recognize or use anymore.": "Erősítse meg a munkameneteit a még biztonságosabb csevegéshez vagy jelentkezzen ki ezekből, ha nem ismeri fel vagy már nem használja őket.",
"Unverified sessions": "Meg nem erősített munkamenetek",
"Security recommendations": "Biztonsági javaslatok",
"Interactively verify by emoji": "Interaktív ellenőrzés emodzsikkal",
"Manually verify by text": "Kézi szöveges ellenőrzés",
"Show": "Megjelenítés",
"Filter devices": "Szűrőeszközök",
"Inactive for %(inactiveAgeDays)s days or longer": "Inaktív %(inactiveAgeDays)s óta vagy annál hosszabb ideje",
"Inactive": "Inaktív",
@ -3370,8 +3319,6 @@
"Video call started in %(roomName)s. (not supported by this browser)": "Videóhívás indult itt: %(roomName)s. (ebben a böngészőben ez nem támogatott)",
"Video call started in %(roomName)s.": "Videóhívás indult itt: %(roomName)s.",
"Room info": "Szoba információ",
"Underline": "Aláhúzott",
"Italic": "Dőlt",
"View chat timeline": "Beszélgetés idővonal megjelenítése",
"Close call": "Hívás befejezése",
"Spotlight": "Reflektor",
@ -3449,8 +3396,6 @@
"When enabled, the other party might be able to see your IP address": "Ha engedélyezett, akkor a másik fél láthatja az Ön IP-címét",
"Allow Peer-to-Peer for 1:1 calls": "Közvetlen kapcsolat engedélyezése a kétszereplős hívásoknál",
"Go live": "Élő közvetítés indítása",
"%(minutes)sm %(seconds)ss left": "%(minutes)s p %(seconds)s mp van hátra",
"%(hours)sh %(minutes)sm %(seconds)ss left": "%(hours)s ó %(minutes)s p %(seconds)s mp van hátra",
"This means that you have all the keys needed to unlock your encrypted messages and confirm to other users that you trust this session.": "Ez azt jelenti, hogy a titkosított üzenetek visszafejtéséhez minden kulccsal rendelkezik valamint a többi felhasználó megbízhat ebben a munkamenetben.",
"Verified sessions are anywhere you are using this account after entering your passphrase or confirming your identity with another verified session.": "Mindenhol ellenőrzött munkamenetek vannak ahol ezt a fiókot használja a jelmondattal vagy azonosította magát egy másik ellenőrzött munkamenetből.",
"Verify your email to continue": "E-mail ellenőrzés a továbblépéshez",
@ -3494,9 +3439,6 @@
"You have unverified sessions": "Ellenőrizetlen bejelentkezései vannak",
"Buffering…": "Pufferelés…",
"Change input device": "Bemeneti eszköz megváltoztatása",
"%(minutes)sm %(seconds)ss": "%(minutes)s p %(seconds)s mp",
"%(hours)sh %(minutes)sm %(seconds)ss": "%(hours)s ó %(minutes)s p %(seconds)s mp",
"%(days)sd %(hours)sh %(minutes)sm %(seconds)ss": "%(days)s n %(hours)s ó %(minutes)s p %(seconds)s mp",
"%(senderName)s ended a <a>voice broadcast</a>": "%(senderName)s befejezte a <a>hangközvetítést</a>",
"You ended a <a>voice broadcast</a>": "Befejezte a <a>hangközvetítést</a>",
"Unable to decrypt message": "Üzenet visszafejtése sikertelen",
@ -3518,7 +3460,6 @@
"Mark as read": "Megjelölés olvasottként",
"Text": "Szöveg",
"Create a link": "Hivatkozás készítése",
"Link": "Hivatkozás",
"Force 15s voice broadcast chunk length": "Hangközvetítések 15 másodperces darabolásának kényszerítése",
"Sign out of %(count)s sessions": {
"one": "Kijelentkezés %(count)s munkamenetből",
@ -3533,8 +3474,6 @@
"You can't start a voice message as you are currently recording a live broadcast. Please end your live broadcast in order to start recording a voice message.": "Nem lehet hang üzenetet indítani élő közvetítés felvétele közben. Az élő közvetítés bejezése szükséges a hang üzenet indításához.",
"Can't start voice message": "Hang üzenetet nem lehet elindítani",
"Edit link": "Hivatkozás szerkesztése",
"Numbered list": "Számozott lista",
"Bulleted list": "Lista",
"Decrypted source unavailable": "A visszafejtett forrás nem érhető el",
"%(displayName)s (%(matrixId)s)": "%(displayName)s (%(matrixId)s)",
"Connection error - Recording paused": "Kapcsolódási hiba Felvétel szüneteltetve",
@ -3546,8 +3485,6 @@
"Ignore %(user)s": "%(user)s figyelmen kívül hagyása",
"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>.",
"Indent decrease": "Behúzás csökkentés",
"Indent increase": "Behúzás növelés",
"Thread Id: ": "Üzenetszál-azonosító: ",
"Threads timeline": "Üzenetszálak idővonala",
"Sender: ": "Küldő: ",
@ -3754,7 +3691,22 @@
"dark": "Sötét",
"beta": "Béta",
"attachment": "Melléklet",
"appearance": "Megjelenítés"
"appearance": "Megjelenítés",
"guest": "Vendég",
"legal": "Jogi feltételek",
"credits": "Közreműködők",
"faq": "GYIK",
"access_token": "Hozzáférési kulcs",
"preferences": "Beállítások",
"presence": "Állapot",
"timeline": "Idővonal",
"privacy": "Adatvédelem",
"camera": "Kamera",
"microphone": "Mikrofon",
"emoji": "Emodzsi",
"random": "Véletlen",
"support": "Támogatás",
"space": "Tér"
},
"action": {
"continue": "Folytatás",
@ -3826,7 +3778,23 @@
"back": "Vissza",
"apply": "Alkalmaz",
"add": "Hozzáadás",
"accept": "Elfogadás"
"accept": "Elfogadás",
"disconnect": "Kapcsolat bontása",
"change": "Módosítás",
"subscribe": "Feliratkozás",
"unsubscribe": "Leiratkozás",
"approve": "Engedélyezés",
"complete": "Kiegészít",
"revoke": "Visszavon",
"rename": "Átnevezés",
"view_all": "Összes megtekintése",
"show_all": "Mind megjelenítése",
"show": "Megjelenítés",
"review": "Átnézés",
"restore": "Visszaállítás",
"play": "Lejátszás",
"pause": "Szünet",
"register": "Regisztráció"
},
"a11y": {
"user_menu": "Felhasználói menü"
@ -3887,5 +3855,54 @@
"default_cover_photo": "Az <photo>alapértelmezett borítóképre</photo> a következő vonatkozik: © <author>Jesús Roncero</author>, a <terms>CC BY-SA 4.0</terms> licenc feltételei szerint használva.",
"twemoji_colr": "A <colr>twemoji-colr</colr> betűkészletre a következő vonatkozik: © <author>Mozilla Foundation</author>, az <terms>Apache 2.0</terms> licenc feltételei szerint használva.",
"twemoji": "A <twemoji>Twemoji</twemoji> emodzsikra a következő vonatkozik: © <author>Twitter, Inc. és egyéb közreműködők</author>, a <terms>CC-BY 4.0</terms> licenc feltételei szerint használva."
},
"composer": {
"format_bold": "Félkövér",
"format_italic": "Dőlt",
"format_underline": "Aláhúzott",
"format_strikethrough": "Áthúzott",
"format_unordered_list": "Lista",
"format_ordered_list": "Számozott lista",
"format_increase_indent": "Behúzás növelés",
"format_decrease_indent": "Behúzás csökkentés",
"format_inline_code": "Kód",
"format_code_block": "Kód blokk",
"format_link": "Hivatkozás"
},
"Bold": "Félkövér",
"Link": "Hivatkozás",
"Code": "Kód",
"power_level": {
"default": "Alapértelmezett",
"restricted": "Korlátozott",
"moderator": "Moderátor",
"admin": "Admin",
"custom": "Egyéni (%(level)s)",
"mod": "Mod"
},
"bug_reporting": {
"introduction": "Ha a GitHubon keresztül küldött be hibajegyet, akkor a hibakeresési napló segít nekünk felderíteni a problémát. ",
"description": "A hibakeresési napló alkalmazáshasználati adatokat tartalmaz, amely tartalmazza a felhasználónevét, a felkeresett szobák azonosítóit vagy álneveit, az utolsó felhasználói felület elemét, amelyet használt, valamint a többi felhasználó neveit. A csevegési üzenetek szövegét nem tartalmazza.",
"matrix_security_issue": "A Matrixszal kapcsolatos biztonsági hibák jelentésével kapcsolatban olvassa el a Matrix.org <a>biztonsági hibák közzétételi házirendjét</a>.",
"submit_debug_logs": "Hibakeresési napló elküldése",
"title": "Hibajelentés",
"additional_context": "Ha a hiba felderítésében további adat is segítséget adhat, mint az, hogy mit csináltál éppen, mi a szoba-, felhasználó azonosítója, stb... itt add meg.",
"send_logs": "Naplófájlok elküldése",
"github_issue": "GitHub hibajegy",
"download_logs": "Napló letöltése",
"before_submitting": "Mielőtt a naplót elküldöd, egy <a>Github jegyet kell nyitni</a> amiben leírod a problémádat."
},
"time": {
"hours_minutes_seconds_left": "%(hours)s ó %(minutes)s p %(seconds)s mp van hátra",
"minutes_seconds_left": "%(minutes)s p %(seconds)s mp van hátra",
"seconds_left": "%(seconds)s mp van hátra",
"date_at_time": "%(date)s %(time)s",
"short_days": "%(value)s n",
"short_hours": "%(value)s ó",
"short_minutes": "%(value)s p",
"short_seconds": "%(value)s mp",
"short_days_hours_minutes_seconds": "%(days)s n %(hours)s ó %(minutes)s p %(seconds)s mp",
"short_hours_minutes_seconds": "%(hours)s ó %(minutes)s p %(seconds)s mp",
"short_minutes_seconds": "%(minutes)s p %(seconds)s mp"
}
}
}

View file

@ -2,8 +2,6 @@
"Account": "Akun",
"No Microphones detected": "Tidak ada mikrofon terdeteksi",
"No media permissions": "Tidak ada izin media",
"Microphone": "Mikrofon",
"Camera": "Kamera",
"Are you sure?": "Apakah Anda yakin?",
"An error has occurred.": "Telah terjadi kesalahan.",
"Are you sure you want to reject the invitation?": "Anda yakin menolak undangannya?",
@ -33,7 +31,6 @@
"Permissions": "Izin",
"Profile": "Profil",
"Reason": "Alasan",
"Register": "Daftar",
"%(brand)s version:": "Versi %(brand)s:",
"Return to login screen": "Kembali ke halaman masuk",
"Rooms": "Ruangan",
@ -123,7 +120,6 @@
"Wednesday": "Rabu",
"You cannot delete this message. (%(code)s)": "Anda tidak dapat menghapus pesan ini. (%(code)s)",
"Send": "Kirim",
"Send logs": "Kirim catatan",
"All messages": "Semua pesan",
"Call invitation": "Undangan panggilan",
"What's new?": "Apa yang baru?",
@ -246,7 +242,6 @@
"We sent the others, but the below people couldn't be invited to <RoomName/>": "Kami telah mengirim yang lainnya, tetapi orang berikut ini tidak dapat diundang ke <RoomName/>",
"Some invites couldn't be sent": "Beberapa undangan tidak dapat dikirim",
"Failed to invite": "Gagal untuk mengundang",
"Custom (%(level)s)": "Kustom (%(level)s)",
"Moderator": "Moderator",
"Restricted": "Dibatasi",
"Sign In or Create Account": "Masuk atau Buat Akun",
@ -510,7 +505,6 @@
"This action requires accessing the default identity server <server /> to validate an email address or phone number, but the server does not have any terms of service.": "Aksi ini memerlukan mengakses server identitas bawaan <server /> untuk memvalidasi sebuah alamat email atau nomor telepon, tetapi server ini tidak memiliki syarat layanan apa pun.",
"Identity server has no terms of service": "Identitas server ini tidak memiliki syarat layanan",
"Unnamed Room": "Ruangan Tanpa Nama",
"%(date)s at %(time)s": "%(date)s pada %(time)s",
"%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s": "%(weekDayName)s, %(day)s %(monthName)s %(fullYear)s %(time)s",
"%(weekDayName)s, %(monthName)s %(day)s %(time)s": "%(weekDayName)s, %(day)s %(monthName)s %(time)s",
"%(weekDayName)s %(time)s": "%(weekDayName)s %(time)s",
@ -558,7 +552,6 @@
"Toolbox": "Kotak Peralatan",
"expand": "buka",
"collapse": "tutup",
"Code": "Kode",
"Refresh": "Muat Ulang",
"%(oneUser)sleft %(count)s times": {
"one": "%(oneUser)skeluar",
@ -585,7 +578,6 @@
"Unignore": "Hilangkan Abaian",
"Copied!": "Disalin!",
"Users": "Pengguna",
"Emoji": "Emoji",
"Phone": "Ponsel",
"Historical": "Riwayat",
"Idle": "Idle",
@ -593,40 +585,32 @@
"Anyone": "Siapa Saja",
"Unban": "Hilangkan Cekalan",
"Home": "Beranda",
"Restore": "Pulihkan",
"Support": "Dukungan",
"Random": "Sembarangan",
"Removing…": "Menghilangkan…",
"Suggested": "Disarankan",
"Away": "Idle",
"Resume": "Lanjutkan",
"Approve": "Setujui",
"Comment": "Komentar",
"Information": "Informasi",
"Widgets": "Widget",
"Favourited": "Difavorit",
"A-Z": "A-Z",
"Activity": "Aktivitas",
"Privacy": "Privasi",
"ready": "siap",
"Algorithm:": "Algoritma:",
"Autocomplete": "Pelengkapan Otomatis",
"Calls": "Panggilan",
"Navigation": "Navigasi",
"Space": "Space",
"Feedback": "Masukan",
"Matrix": "Matrix",
"Categories": "Categori",
"Go": "Mulai",
"Unencrypted": "Tidak Dienkripsi",
"Mod": "Mod",
"Bridges": "Jembatan",
"Cross-signing": "Penandatanganan silang",
"Manage": "Kelola",
"exists": "sudah ada",
"Lock": "Gembok",
"Later": "Nanti",
"Review": "Lihat",
"Document": "Dokumen",
"Flags": "Bendera",
"Symbols": "Simbol",
@ -634,16 +618,9 @@
"Activities": "Aktivitas",
"Trusted": "Dipercayai",
"Accepting…": "Menerima…",
"Strikethrough": "Coret",
"Italics": "Miring",
"Bold": "Tebal",
"Complete": "Selesai",
"Subscribe": "Berlangganan",
"Unsubscribe": "Berhenti Berlangganan",
"None": "Tidak Ada",
"Ignored/Blocked": "Diabaikan/Diblokir",
"Disconnect": "Lepaskan Hubungan",
"Revoke": "Hapus",
"Mushroom": "Jamur",
"Encrypted": "Terenkripsi",
"Folder": "Map",
@ -658,9 +635,7 @@
"Re-join": "Bergabung Ulang",
"Browse": "Jelajahi",
"Sounds": "Suara",
"Credits": "Kredit",
"Discovery": "Penemuan",
"Change": "Ubah",
"Headphones": "Headphone",
"Anchor": "Jangkar",
"Bell": "Lonceng",
@ -718,22 +693,16 @@
"Lion": "Singa",
"Cat": "Kucing",
"Dog": "Anjing",
"Guest": "Tamu",
"Demote": "Turunkan",
"Stickerpack": "Paket Stiker",
"Replying": "Membalas",
"Timeline": "Lini Masa",
"Composer": "Komposer",
"Preferences": "Preferensi",
"Versions": "Versi",
"FAQ": "FAQ",
"Legal": "Hukum",
"Encryption": "Enkripsi",
"General": "Umum",
"Verified!": "Terverifikasi!",
"Emoji Autocomplete": "Penyelesaian Otomatis Emoji",
"Deactivate user?": "Nonaktifkan pengguna?",
"Code block": "Blok kode",
"Phone (optional)": "Nomor telepon (opsional)",
"Remove %(phone)s?": "Hapus %(phone)s?",
"Remove %(email)s?": "Hapus %(email)s?",
@ -749,7 +718,6 @@
"Cancel All": "Batalkan Semua",
"Upload all": "Unggah semua",
"Upload files": "Unggah file",
"GitHub issue": "Masalah GitHub",
"Power level": "Tingkat daya",
"Rotate Right": "Putar ke Kanan",
"Rotate Left": "Putar ke Kiri",
@ -786,7 +754,6 @@
"Bulk options": "Opsi massal",
"Room list": "Daftar ruangan",
"Ignored users": "Pengguna yang diabaikan",
"Bug reporting": "Pelaporan bug",
"Account management": "Manajemen akun",
"Phone numbers": "Nomor telepon",
"Email addresses": "Alamat email",
@ -886,14 +853,11 @@
"Access": "Akses",
"Global": "Global",
"Keyword": "Kata kunci",
"Rename": "Ubah Nama",
"Visibility": "Visibilitas",
"Address": "Alamat",
"Hangup": "Akhiri",
"Dialpad": "Tombol Penyetel",
"More": "Lagi",
"Play": "Mainkan",
"Pause": "Jeda",
"Avatar": "Avatar",
"Hold": "Jeda",
"Transfer": "Pindah",
@ -1504,10 +1468,8 @@
"Error adding ignored user/server": "Terjadi kesalahan menambahkan pengguna/server yang diabaikan",
"Clear cache and reload": "Hapus cache dan muat ulang",
"Your access token gives full access to your account. Do not share it with anyone.": "Token akses Anda memberikan akses penuh ke akun Anda. Jangan bagikan dengan siapa pun.",
"Access Token": "Token Akses",
"Help & About": "Bantuan & Tentang",
"To report a Matrix-related security issue, please read the Matrix.org <a>Security Disclosure Policy</a>.": "Untuk melaporkan masalah keamanan yang berkaitan dengan Matrix, mohon baca <a>Kebijakan Penyingkapan Keamanan</a> Matrix.org.",
"Submit debug logs": "Kirim catatan pengawakutu",
"Chat with %(brand)s Bot": "Mulai mengobrol dengan %(brand)s Bot",
"For help with using %(brand)s, click <a>here</a> or start a chat with our bot using the button below.": "Untuk bantuan dengan menggunakan %(brand)s, klik <a>di sini</a> atau mulai sebuah obrolan dengan bot kami dengan menggunakan tombol di bawah.",
"For help with using %(brand)s, click <a>here</a>.": "Untuk bantuan dengan menggunakan %(brand)s, klik <a>di sini</a>.",
@ -1668,7 +1630,6 @@
"This is the beginning of your direct message history with <displayName/>.": "Ini adalah awal dari pesan langsung Anda dengan <displayName/>.",
"Only the two of you are in this conversation, unless either of you invites anyone to join.": "Hanya Anda berdua yang ada dalam percakapan ini, kecuali jika salah satu dari Anda mengundang siapa saja untuk bergabung.",
"Insert link": "Tambahkan tautan",
"%(seconds)ss left": "%(seconds)sd lagi",
"You do not have permission to post to this room": "Anda tidak memiliki izin untuk mengirim ke ruangan ini",
"This room has been replaced and is no longer active.": "Ruangan ini telah diganti dan tidak aktif lagi.",
"The conversation continues here.": "Obrolannya dilanjutkan di sini.",
@ -1809,7 +1770,6 @@
"Message deleted on %(date)s": "Pesan terhapus di %(date)s",
"<reactors/><reactedWith>reacted with %(shortName)s</reactedWith>": "<reactors/><reactedWith>bereaksi dengan %(shortName)s</reactedWith>",
"%(reactors)s reacted with %(content)s": "%(reactors)s berekasi dengan %(content)s",
"Show all": "Tampilkan semua",
"Add reaction": "Tambahkan reaksi",
"Error processing voice message": "Terjadi kesalahan mengolah pesan suara",
"Error decrypting video": "Terjadi kesalahan mendekripsi video",
@ -1974,8 +1934,6 @@
"Clear all data in this session?": "Hapus semua data di sesi ini?",
"Reason (optional)": "Alasan (opsional)",
"Unable to load commit detail: %(msg)s": "Tidak dapat memuat detail komit: %(msg)s",
"If there is additional context that would help in analysing the issue, such as what you were doing at the time, room IDs, user IDs, etc., please include those things here.": "Jika ada konteks yang mungkin akan membantu saat memeriksa masalahnya, seperti apa yang Anda lakukan waktu itu, ID ruangan, ID pengguna, dll., dan silakan menambahkannya di sini.",
"Download logs": "Unduh catatan",
"Before submitting logs, you must <a>create a GitHub issue</a> to describe your problem.": "Sebelum mengirimkan catatan, Anda harus <a>membuat sebuah issue GitHub</a> untuk menjelaskan masalah Anda.",
"Reminder: Your browser is unsupported, so your experience may be unpredictable.": "Ingat: Browser Anda tidak didukung, jadi pengalaman Anda mungkin tidak dapat diprediksi.",
"Preparing to download logs": "Mempersiapkan untuk mengunduh catatan",
@ -2978,7 +2936,6 @@
"Unable to load map": "Tidak dapat memuat peta",
"Can't create a thread from an event with an existing relation": "Tidak dapat membuat utasan dari sebuah peristiwa dengan relasi yang sudah ada",
"Busy": "Sibuk",
"If you've submitted a bug via GitHub, debug logs can help us track down the problem. ": "Jika Anda mengirim sebuah kutu via GitHub, catatan pengawakutu dapat membantu kami melacak masalahnya. ",
"Toggle Link": "Alih Tautan",
"Toggle Code Block": "Alih Blok Kode",
"You are sharing your live location": "Anda membagikan lokasi langsung Anda",
@ -2994,14 +2951,9 @@
"other": "Saat ini menghapus pesan-pesan di %(count)s ruangan"
},
"Share for %(duration)s": "Bagikan selama %(duration)s",
"%(value)ss": "%(value)sd",
"%(value)sm": "%(value)sm",
"%(value)sh": "%(value)sj",
"%(value)sd": "%(value)sh",
"%(timeRemaining)s left": "%(timeRemaining)sd lagi",
"Next recently visited room or space": "Ruangan atau space berikut yang dikunjungi",
"Previous recently visited room or space": "Ruangan atau space yang dikunjungi sebelumnya",
"Debug logs contain application usage data including your username, the IDs or aliases of the rooms you have visited, which UI elements you last interacted with, and the usernames of other users. They do not contain messages.": "Catatan pengawakutu berisi data penggunaan aplikasi termasuk nama pengguna Anda, ID atau alias ruangan yang telah Anda kunjungi, elemen UI apa saja yang Anda terakhir berinteraksi, dan nama pengguna lain. Mereka tidak berisi pesan.",
"You can use the custom server options to sign into other Matrix servers by specifying a different homeserver URL. This allows you to use %(brand)s with an existing Matrix account on a different homeserver.": "Anda dapat menggunakan opsi server khusus untuk masuk ke server Matrix lain dengan menentukan URL homeserver yang berbeda. Ini memungkinkan Anda untuk menggunakan %(brand)s dengan akun Matrix yang ada di homeserver yang berbeda.",
"%(brand)s was denied permission to fetch your location. Please allow location access in your browser settings.": "Izin %(brand)s ditolak untuk mengakses lokasi Anda. Mohon izinkan akses lokasi di pengaturan peramban Anda.",
"Developer tools": "Alat pengembang",
@ -3247,7 +3199,6 @@
"Download %(brand)s Desktop": "Unduh %(brand)s Desktop",
"Your server doesn't support disabling sending read receipts.": "Server Anda tidak mendukung penonaktifkan pengiriman laporan dibaca.",
"Share your activity and status with others.": "Bagikan aktivitas dan status Anda dengan orang lain.",
"Presence": "Presensi",
"You did it!": "Anda berhasil!",
"Only %(count)s steps to go": {
"one": "Hanya %(count)s langkah lagi untuk dilalui",
@ -3294,7 +3245,6 @@
"Verified session": "Sesi terverifikasi",
"Welcome": "Selamat datang",
"Show shortcut to welcome checklist above the room list": "Tampilkan pintasan ke daftar centang selamat datang di atas daftar ruangan",
"View all": "Tampilkan semua",
"Security recommendations": "Saran keamanan",
"Filter devices": "Saring perangkat",
"Inactive for %(inactiveAgeDays)s days or longer": "Tidak aktif selama %(inactiveAgeDays)s hari atau lebih",
@ -3326,7 +3276,6 @@
"other": "%(user)s dan %(count)s lainnya"
},
"%(user1)s and %(user2)s": "%(user1)s dan %(user2)s",
"Show": "Tampilkan",
"%(downloadButton)s or %(copyButton)s": "-%(downloadButton)s atau %(copyButton)s",
"%(securityKey)s or %(recoveryFile)s": "%(securityKey)s atau %(recoveryFile)s",
"Proxy URL": "URL Proksi",
@ -3388,8 +3337,6 @@
"Video call started in %(roomName)s.": "Panggilan video dimulai di %(roomName)s.",
"resume voice broadcast": "lanjutkan siaran suara",
"pause voice broadcast": "jeda siaran suara",
"Underline": "Garis Bawah",
"Italic": "Miring",
"Notifications silenced": "Notifikasi dibisukan",
"Completing set up of your new device": "Menyelesaikan penyiapan perangkat baru Anda",
"Waiting for device to sign in": "Menunggu perangkat untuk masuk",
@ -3448,8 +3395,6 @@
"Automatic gain control": "Kendali suara otomatis",
"When enabled, the other party might be able to see your IP address": "Ketika diaktifkan, pihak lain mungkin dapat melihat alamat IP Anda",
"Go live": "Mulai siaran langsung",
"%(minutes)sm %(seconds)ss left": "Sisa %(minutes)sm %(seconds)sd",
"%(hours)sh %(minutes)sm %(seconds)ss left": "Sisa %(hours)sj %(minutes)sm %(seconds)sd",
"That e-mail address or phone number is already in use.": "Alamat e-mail atau nomor telepon itu sudah digunakan.",
"Allow Peer-to-Peer for 1:1 calls": "Perbolehkan Peer-to-Peer untuk panggilan 1:1",
"This means that you have all the keys needed to unlock your encrypted messages and confirm to other users that you trust this session.": "Ini berarti bahwa Anda memiliki semua kunci yang dibutuhkan untuk membuka pesan terenkripsi Anda dan mengonfirmasi ke pengguna lain bahwa Anda mempercayai sesi ini.",
@ -3473,9 +3418,6 @@
"Too many attempts in a short time. Wait some time before trying again.": "Terlalu banyak upaya. Tunggu beberapa waktu sebelum mencoba lagi.",
"Thread root ID: %(threadRootId)s": "ID akar utasan: %(threadRootId)s",
"Change input device": "Ubah perangkat masukan",
"%(minutes)sm %(seconds)ss": "%(minutes)sm %(seconds)sd",
"%(hours)sh %(minutes)sm %(seconds)ss": "%(hours)sj %(minutes)sm %(seconds)sd",
"%(days)sd %(hours)sh %(minutes)sm %(seconds)ss": "%(days)sh %(hours)sj %(minutes)sm %(seconds)sd",
"We were unable to start a chat with the other user.": "Kami tidak dapat memulai sebuah obrolan dengan pengguna lain.",
"Error starting verification": "Terjadi kesalahan memulai verifikasi",
"Buffering…": "Memuat…",
@ -3518,7 +3460,6 @@
"Your current session is ready for secure messaging.": "Sesi Anda saat ini siap untuk perpesanan aman.",
"Text": "Teks",
"Create a link": "Buat sebuah tautan",
"Link": "Tautan",
"Force 15s voice broadcast chunk length": "Paksakan panjang bagian siaran suara 15d",
"Sign out of %(count)s sessions": {
"one": "Keluar dari %(count)s sesi",
@ -3533,8 +3474,6 @@
"You can't start a voice message as you are currently recording a live broadcast. Please end your live broadcast in order to start recording a voice message.": "Anda tidak dapat memulai sebuah pesan suara karena Anda saat ini merekam sebuah siaran langsung. Silakan mengakhiri siaran langsung Anda untuk memulai merekam sebuah pesan suara.",
"Can't start voice message": "Tidak dapat memulai pesan suara",
"Edit link": "Sunting tautan",
"Numbered list": "Daftar nomor",
"Bulleted list": "Daftar bulat",
"Decrypted source unavailable": "Sumber terdekripsi tidak tersedia",
"Connection error - Recording paused": "Kesalahan koneksi - Perekaman dijeda",
"%(senderName)s started a voice broadcast": "%(senderName)s memulai sebuah siaran suara",
@ -3546,8 +3485,6 @@
"Your account details are managed separately at <code>%(hostname)s</code>.": "Detail akun Anda dikelola secara terpisah di <code>%(hostname)s</code>.",
"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",
"Indent increase": "Tambahkan indentasi",
"Indent decrease": "Kurangi indentasi",
"Unable to decrypt voice broadcast": "Tidak dapat mendekripsi siaran suara",
"Thread Id: ": "ID utasan: ",
"Threads timeline": "Lini masa utasan",
@ -3723,7 +3660,6 @@
"Email summary": "Kirim surel ikhtisar",
"Receive an email summary of missed notifications": "Terima surel ikhtisar notifikasi yang terlewat",
"People, Mentions and Keywords": "Orang, Sebutan, dan Kata Kunci",
"Proceed": "Lanjut",
"Show message preview in desktop notification": "Tampilkan tampilan pesan di notifikasi desktop",
"I want to be notified for (Default Setting)": "Saya ingin diberi tahu (Pengaturan Bawaan)",
"This setting will be applied by default to all your rooms.": "Pengaturan ini akan diterapkan secara bawaan ke semua ruangan Anda.",
@ -3799,7 +3735,6 @@
"Your homeserver is too old and does not support the minimum API version required. Please contact your server owner, or upgrade your server.": "Homeserver Anda terlalu lawas dan tidak mendukung versi API minimum yang diperlukan. Silakan menghubungi pemilik server Anda, atau tingkatkan server Anda.",
"See less": "Lihat lebih sedikit",
"See more": "Lihat lebih banyak",
"Deny": "Tolak",
"Asking to join": "Meminta untuk bergabung",
"No requests": "Tidak ada permintaan",
"common": {
@ -3850,7 +3785,22 @@
"dark": "Gelap",
"beta": "Beta",
"attachment": "Lampiran",
"appearance": "Tampilan"
"appearance": "Tampilan",
"guest": "Tamu",
"legal": "Hukum",
"credits": "Kredit",
"faq": "FAQ",
"access_token": "Token Akses",
"preferences": "Preferensi",
"presence": "Presensi",
"timeline": "Lini Masa",
"privacy": "Privasi",
"camera": "Kamera",
"microphone": "Mikrofon",
"emoji": "Emoji",
"random": "Sembarangan",
"support": "Dukungan",
"space": "Space"
},
"action": {
"continue": "Lanjut",
@ -3922,7 +3872,25 @@
"back": "Kembali",
"apply": "Terapkan",
"add": "Tambahkan",
"accept": "Terima"
"accept": "Terima",
"disconnect": "Lepaskan Hubungan",
"change": "Ubah",
"subscribe": "Berlangganan",
"unsubscribe": "Berhenti Berlangganan",
"approve": "Setujui",
"deny": "Tolak",
"proceed": "Lanjut",
"complete": "Selesai",
"revoke": "Hapus",
"rename": "Ubah Nama",
"view_all": "Tampilkan semua",
"show_all": "Tampilkan semua",
"show": "Tampilkan",
"review": "Lihat",
"restore": "Pulihkan",
"play": "Mainkan",
"pause": "Jeda",
"register": "Daftar"
},
"a11y": {
"user_menu": "Menu pengguna"
@ -3988,5 +3956,54 @@
"default_cover_photo": "<photo>Foto kover bawaan</photo> © <author>Jesús Roncero</author> digunakan di bawah ketentuan <terms>CC-BY-SA 4.0</terms>.",
"twemoji_colr": "Fon <colr>twemoji-colr</colr> © <author>Mozilla Foundation</author> digunakan di bawah ketentuan <terms>Apache 2.0</terms>.",
"twemoji": "Gambar emoji <twemoji>Twemoji</twemoji> © <author>Twitter, Inc dan kontributor lainnya</author> digunakan di bawah ketentuan <terms>CC-BY 4.0</terms>."
},
"composer": {
"format_bold": "Tebal",
"format_italic": "Miring",
"format_underline": "Garis Bawah",
"format_strikethrough": "Coret",
"format_unordered_list": "Daftar bulat",
"format_ordered_list": "Daftar nomor",
"format_increase_indent": "Tambahkan indentasi",
"format_decrease_indent": "Kurangi indentasi",
"format_inline_code": "Kode",
"format_code_block": "Blok kode",
"format_link": "Tautan"
},
"Bold": "Tebal",
"Link": "Tautan",
"Code": "Kode",
"power_level": {
"default": "Bawaan",
"restricted": "Dibatasi",
"moderator": "Moderator",
"admin": "Admin",
"custom": "Kustom (%(level)s)",
"mod": "Mod"
},
"bug_reporting": {
"introduction": "Jika Anda mengirim sebuah kutu via GitHub, catatan pengawakutu dapat membantu kami melacak masalahnya. ",
"description": "Catatan pengawakutu berisi data penggunaan aplikasi termasuk nama pengguna Anda, ID atau alias ruangan yang telah Anda kunjungi, elemen UI apa saja yang Anda terakhir berinteraksi, dan nama pengguna lain. Mereka tidak berisi pesan.",
"matrix_security_issue": "Untuk melaporkan masalah keamanan yang berkaitan dengan Matrix, mohon baca <a>Kebijakan Penyingkapan Keamanan</a> Matrix.org.",
"submit_debug_logs": "Kirim catatan pengawakutu",
"title": "Pelaporan bug",
"additional_context": "Jika ada konteks yang mungkin akan membantu saat memeriksa masalahnya, seperti apa yang Anda lakukan waktu itu, ID ruangan, ID pengguna, dll., dan silakan menambahkannya di sini.",
"send_logs": "Kirim catatan",
"github_issue": "Masalah GitHub",
"download_logs": "Unduh catatan",
"before_submitting": "Sebelum mengirimkan catatan, Anda harus <a>membuat sebuah issue GitHub</a> untuk menjelaskan masalah Anda."
},
"time": {
"hours_minutes_seconds_left": "Sisa %(hours)sj %(minutes)sm %(seconds)sd",
"minutes_seconds_left": "Sisa %(minutes)sm %(seconds)sd",
"seconds_left": "%(seconds)sd lagi",
"date_at_time": "%(date)s pada %(time)s",
"short_days": "%(value)sh",
"short_hours": "%(value)sj",
"short_minutes": "%(value)sm",
"short_seconds": "%(value)sd",
"short_days_hours_minutes_seconds": "%(days)sh %(hours)sj %(minutes)sm %(seconds)sd",
"short_hours_minutes_seconds": "%(hours)sj %(minutes)sm %(seconds)sd",
"short_minutes_seconds": "%(minutes)sm %(seconds)sd"
}
}
}

View file

@ -125,10 +125,8 @@
"Yesterday": "Í gær",
"Error decrypting attachment": "Villa við afkóðun viðhengis",
"Copied!": "Afritað!",
"Code": "Kóði",
"powered by Matrix": "keyrt með Matrix",
"Email address": "Tölvupóstfang",
"Register": "Nýskrá",
"Something went wrong!": "Eitthvað fór úrskeiðis!",
"What's New": "Nýtt á döfinni",
"What's new?": "Hvað er nýtt á döfinni?",
@ -142,8 +140,6 @@
"Logs sent": "Sendi atvikaskrár",
"Thank you!": "Takk fyrir!",
"Failed to send logs: ": "Mistókst að senda atvikaskrár: ",
"Submit debug logs": "Senda inn villuleitarskrár",
"Send logs": "Senda atvikaskrá",
"Unavailable": "Ekki tiltækt",
"Changelog": "Breytingaskrá",
"Confirm Removal": "Staðfesta fjarlægingu",
@ -174,8 +170,6 @@
"Cryptography": "Dulritun",
"Check for update": "Athuga með uppfærslu",
"Default Device": "Sjálfgefið tæki",
"Microphone": "Hljóðnemi",
"Camera": "Myndavél",
"Email": "Tölvupóstfang",
"Profile": "Notandasnið",
"Account": "Notandaaðgangur",
@ -243,7 +237,6 @@
"No Webcams detected": "Engar vefmyndavélar fundust",
"Displays action": "Birtir aðgerð",
"Changes your display nickname": "Breytir birtu gælunafni þínu",
"Emoji": "Tjáningartáknmynd",
"Notify the whole room": "Tilkynna öllum á spjallrásinni",
"Room Notification": "Tilkynning á spjallrás",
"Passphrases must match": "Lykilfrasar verða að stemma",
@ -357,7 +350,6 @@
"Recently Direct Messaged": "Nýsend bein skilaboð",
"Direct Messages": "Bein skilaboð",
"Frequently Used": "Oft notað",
"Download logs": "Niðurhal atvikaskrá",
"Preparing to download logs": "Undirbý niðurhal atvikaskráa",
"Downloading logs": "Sæki atvikaskrá",
"Error downloading theme information.": "Villa við að niðurhala þemaupplýsingum.",
@ -384,8 +376,6 @@
"Click the button below to confirm adding this email address.": "Smelltu á hnappinn hér að neðan til að staðfesta að bæta við þessu netfangi.",
"Confirm adding email": "Staðfestu að bæta við tölvupósti",
"Trusted": "Treyst",
"Subscribe": "Skrá",
"Unsubscribe": "Afskrá",
"None": "Ekkert",
"Ignored/Blocked": "Hunsað/Hindrað",
"Flags": "Fánar",
@ -393,12 +383,7 @@
"Objects": "Hlutir",
"Activities": "Afþreying",
"Document": "Skjal",
"Complete": "Fullklára",
"Strikethrough": "Yfirstrikletrað",
"Italics": "Skáletrað",
"Bold": "Feitletrað",
"Disconnect": "Aftengjast",
"Revoke": "Afturkalla",
"Discovery": "Uppgötvun",
"Actions": "Aðgerðir",
"Messages": "Skilaboð",
@ -433,18 +418,13 @@
"Lion": "Ljón",
"Cat": "Köttur",
"Dog": "Hundur",
"Guest": "Gestur",
"Other": "Annað",
"Encrypted": "Dulritað",
"Encryption": "Dulritun",
"Timeline": "Tímalína",
"Composer": "Skrifreitur",
"Preferences": "Stillingar",
"Versions": "Útgáfur",
"FAQ": "Algengar spurningar",
"General": "Almennt",
"Verified!": "Sannreynt!",
"Legal": "Lagalegir fyrirvarar",
"Demote": "Leggja til baka",
"%(oneUser)sleft %(count)s times": {
"one": "%(oneUser)sfór út",
@ -478,7 +458,6 @@
"Welcome to <name/>": "Velkomin í <name/>",
"Welcome to %(appName)s": "Velkomin í %(appName)s",
"Identity server": "Auðkennisþjónn",
"%(date)s at %(time)s": "%(date)s kl. %(time)s",
"Unable to access microphone": "Mistókst að ná aðgangi að hljóðnema",
"Search for rooms": "Leita að spjallrásum",
"Create a new room": "Búa til nýja spjallrás",
@ -757,7 +736,6 @@
"Ok": "Í lagi",
"Use app": "Nota smáforrit",
"Later": "Seinna",
"Review": "Yfirfara",
"That's fine": "Það er í góðu",
"Topic: %(topic)s": "Umfjöllunarefni: %(topic)s",
"Current Timeline": "Núverandi tímalína",
@ -793,7 +771,6 @@
"one": "%(spaceName)s og %(count)s til viðbótar"
},
"%(space1Name)s and %(space2Name)s": "%(space1Name)s og %(space2Name)s",
"Custom (%(level)s)": "Sérsniðið (%(level)s)",
"Sign In or Create Account": "Skráðu þig inn eða búðu til aðgang",
"Failure to create room": "Mistókst að búa til spjallrás",
"Failed to transfer call": "Mistókst að áframsenda símtal",
@ -840,22 +817,17 @@
"Space used:": "Notað geymslupláss:",
"Go to Settings": "Fara í stillingar",
"The export file will be protected with a passphrase. You should enter the passphrase here, to decrypt the file.": "Útflutta skráin verður varin með lykilfrasa. Settu inn lykilfrasann hér til að afkóða skrána.",
"Restore": "Endurheimta",
"Success!": "Tókst!",
"Use a different passphrase?": "Nota annan lykilfrasa?",
"Create account": "Stofna notandaaðgang",
"Your password has been reset.": "Lykilorðið þitt hefur verið endursett.",
"Show:": "Sýna:",
"Skip for now": "Sleppa í bili",
"Support": "Aðstoð",
"Random": "Slembið",
"Results": "Niðurstöður",
"No results found": "Engar niðurstöður fundust",
"Suggested": "Tillögur",
"Delete all": "Eyða öllu",
"Wait!": "Bíddu!",
"Play": "Spila",
"Pause": "Bið",
"Sign in with": "Skrá inn með",
"Enter phone number": "Settu inn símanúmer",
"Enter username": "Settu inn notandanafn",
@ -869,7 +841,6 @@
"Move left": "Færa til vinstri",
"Manage & explore rooms": "Sýsla með og kanna spjallrásir",
"Space home": "Forsíða svæðis",
"Space": "Bil",
"Forget": "Gleyma",
"Report": "Tilkynna",
"Show preview": "Birta forskoðun",
@ -878,7 +849,6 @@
"Resume": "Halda áfram",
"Looks good!": "Lítur vel út!",
"Remember this": "Muna þetta",
"Approve": "Samþykkja",
"Upload Error": "Villa við innsendingu",
"Cancel All": "Hætta við allt",
"Upload all": "Senda allt inn",
@ -949,7 +919,6 @@
"Categories": "Flokkar",
"Share location": "Deila staðsetningu",
"Location": "Staðsetning",
"Show all": "Sýna allt",
"%(count)s votes": {
"one": "%(count)s atkvæði",
"other": "%(count)s atkvæði"
@ -995,13 +964,11 @@
"View message": "Sjá skilaboð",
"Topic: %(topic)s ": "Umfjöllunarefni: %(topic)s ",
"Insert link": "Setja inn tengil",
"Code block": "Kóðablokk",
"Poll": "Könnun",
"Voice Message": "Talskilaboð",
"Hide stickers": "Fela límmerki",
"Failed to send": "Mistókst að senda",
"Your message was sent": "Skilaboðin þín voru send",
"Mod": "Umsjón",
"Phone Number": "Símanúmer",
"Email Address": "Tölvupóstfang",
"Verification code": "Sannvottunarkóði",
@ -1018,16 +985,12 @@
"Audio Output": "Hljóðúttak",
"Rooms outside of a space": "Spjallrásir utan svæðis",
"Sidebar": "Hliðarspjald",
"Privacy": "Friðhelgi",
"Keyboard shortcuts": "Flýtileiðir á lyklaborði",
"Keyboard": "Lyklaborð",
"Bug reporting": "Tilkynningar um villur",
"Credits": "Framlög",
"Deactivate account": "Gera notandaaðgang óvirkann",
"Phone numbers": "Símanúmer",
"Email addresses": "Tölvupóstföng",
"Add theme": "Bæta við þema",
"Change": "Breyta",
"not ready": "ekki tilbúið",
"ready": "tilbúið",
"Algorithm:": "Reiknirit:",
@ -1044,7 +1007,6 @@
"Upgrade required": "Uppfærsla er nauðsynleg",
"Large": "Stórt",
"Manage": "Stjórna",
"Rename": "Endurnefna",
"Display Name": "Birtingarnafn",
"Select all": "Velja allt",
"Deselect all": "Afvelja allt",
@ -1399,7 +1361,6 @@
"Topic: %(topic)s (<a>edit</a>)": "Umfjöllunarefni: %(topic)s (<a>edit</a>)",
"You do not have permission to start polls in this room.": "Þú hefur ekki aðgangsheimildir til að hefja kannanir á þessari spjallrás.",
"Send voice message": "Senda talskilaboð",
"%(seconds)ss left": "%(seconds)ssek eftir",
"Invite to this space": "Bjóða inn á þetta svæði",
"and %(count)s others...": {
"one": "og einn í viðbót...",
@ -1587,7 +1548,6 @@
"Group all your rooms that aren't part of a space in one place.": "Hópaðu allar spjallrásir sem ekki eru hluti af svæðum á einum stað.",
"Group all your people in one place.": "Hópaðu allt fólk á einum stað.",
"Group all your favourite rooms and people in one place.": "Hópaðu allar eftirlætisspjallrásir og fólk á einum stað.",
"Access Token": "Aðgangsteikn",
"To report a Matrix-related security issue, please read the Matrix.org <a>Security Disclosure Policy</a>.": "Til að tilkynna Matrix-tengd öryggisvandamál, skaltu lesa <a>Security Disclosure Policy</a> á matrix.org.",
"Chat with %(brand)s Bot": "Spjalla við %(brand)s vélmenni",
"For help with using %(brand)s, click <a>here</a> or start a chat with our bot using the button below.": "Til að fá aðstoð við að nota %(brand)s, smelltu <a>hér</a> eða byrjaðu að spjalla við vélmennið okkar með hnappnum hér fyrir neðan.",
@ -1759,7 +1719,6 @@
"Please enter a name for the room": "Settu inn eitthvað nafn fyrir spjallrásina",
"Clear all data": "Hreinsa öll gögn",
"Reason (optional)": "Ástæða (valkvætt)",
"GitHub issue": "Villutilkynning á GitHub",
"Close dialog": "Loka glugga",
"Invite anyway": "Bjóða samt",
"Invite anyway and never warn me again": "Bjóða samt og ekki vara mig við aftur",
@ -2149,10 +2108,6 @@
"%(brand)s was not given permission to send notifications - please try again": "%(brand)s voru ekki gefnar heimildir til að senda þér tilkynningar - reyndu aftur",
"%(brand)s does not have permission to send you notifications - please check your browser settings": "%(brand)s hefur ekki heimildir til að senda þér tilkynningar - yfirfarðu stillingar vafrans þíns",
"%(name)s is requesting verification": "%(name)s biður um sannvottun",
"%(value)ss": "%(value)ss",
"%(value)sm": "%(value)sm",
"%(value)sh": "%(value)sklst",
"%(value)sd": "%(value)sd",
"%(brand)s is securely caching encrypted messages locally for them to appear in search results:": "%(brand)s er að setja dulrituð skilaboð leynilega í skyndiminni á tækinu svo þau birtist í leitarniðurstöðum:",
"Confirm Security Phrase": "Staðfestu öryggisfrasa",
"Confirm your Security Phrase": "Staðfestu öryggisfrasann þinn",
@ -2560,8 +2515,6 @@
"Adding spaces has moved.": "Aðgerðin til að bæta við svæðum hefur verið flutt.",
"You are not allowed to view this server's rooms list": "Þú hefur ekki heimild til að skoða spjallrásalistann á þessum netþjóni",
"Your access token gives full access to your account. Do not share it with anyone.": "Aðgangsteiknið þitt gefur fullan aðgang að notandaaðgangnum þínum. Ekki deila því með neinum.",
"Debug logs contain application usage data including your username, the IDs or aliases of the rooms you have visited, which UI elements you last interacted with, and the usernames of other users. They do not contain messages.": "Atvikaskrár innihalda gögn varðandi virkni hugbúnaðarins en líka notandanafn þitt, auðkenni eða samnefni spjallrása sem þú hefur skoðað, hvaða viðmótshluta þú hefur átt við, auk notendanafna annarra notenda. Atvikaskrár innihalda ekki skilaboð.",
"If you've submitted a bug via GitHub, debug logs can help us track down the problem. ": "Ef þú hefur tilkynnt vandamál í gegnum GitHub, þá geta atvikaskrár hjálpað okkur við að finna ástæður vandamálanna. ",
"Your account has a cross-signing identity in secret storage, but it is not yet trusted by this session.": "Aðgangurinn þinn er með auðkenni kross-undirritunar í leynigeymslu, en þessu er ekki ennþá treyst í þessari setu.",
"Safeguard against losing access to encrypted messages & data": "Tryggðu þig gegn því að missa aðgang að dulrituðum skilaboðum og gögnum",
"Unable to query secret storage status": "Tókst ekki að finna stöðu á leynigeymslu",
@ -2907,8 +2860,6 @@
"Click to read topic": "Smelltu til að lesa umfjöllunarefni",
"Edit topic": "Breyta umfjöllunarefni",
"Video call ended": "Mynddsímtali lauk",
"View all": "Skoða allt",
"Show": "Sýna",
"Inactive": "Óvirkt",
"All": "Allt",
"No sessions found.": "Engar setur fundust.",
@ -2932,7 +2883,6 @@
"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.",
"Share your activity and status with others.": "Deila virkni og stöðu þinni með öðrum.",
"Presence": "Viðvera",
"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.",
"Welcome to %(brand)s": "Velkomin í %(brand)s",
@ -3090,11 +3040,6 @@
"Text": "Texti",
"Create a link": "Búa til tengil",
"Edit link": "Breyta tengli",
"Link": "Tengill",
"Numbered list": "Tölusettur listi",
"Bulleted list": "Punktalisti",
"Underline": "Undirstrikað",
"Italic": "Skáletrað",
"View chat timeline": "Skoða tímalínu spjalls",
"Close call": "Loka samtali",
"Change layout": "Breyta framsetningu",
@ -3142,11 +3087,6 @@
"Failed to read events": "Mistókst að lesa atburði",
"Failed to send event": "Mistókst að senda atburð",
"%(senderName)s started a voice broadcast": "%(senderName)s hóf talútsendingu",
"%(minutes)sm %(seconds)ss": "%(minutes)sm %(seconds)ss",
"%(hours)sh %(minutes)sm %(seconds)ss": "%(hours)sk %(minutes)sm %(seconds)ss",
"%(days)sd %(hours)sh %(minutes)sm %(seconds)ss": "%(days)sd %(hours)sk %(minutes)sm %(seconds)ss",
"%(minutes)sm %(seconds)ss left": "%(minutes)sm %(seconds)ss eftir",
"%(hours)sh %(minutes)sm %(seconds)ss left": "%(hours)sk %(minutes)sm %(seconds)ss eftir",
"Unable to show image due to error": "Get ekki birt mynd vegna villu",
"%(displayName)s (%(matrixId)s)": "%(displayName)s (%(matrixId)s)",
"You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the space it will be impossible to regain privileges.": "Þú getur ekki afturkallað þessa aðgerð, þar sem þú ert að lækka sjálfa/n þig í tign, og ef þú ert síðasti notandinn með nógu mikil völd á þessu svæði, verður ómögulegt að ná aftur stjórn á því.",
@ -3257,7 +3197,22 @@
"dark": "Dökkt",
"beta": "Beta-prófunarútgáfa",
"attachment": "Viðhengi",
"appearance": "Útlit"
"appearance": "Útlit",
"guest": "Gestur",
"legal": "Lagalegir fyrirvarar",
"credits": "Framlög",
"faq": "Algengar spurningar",
"access_token": "Aðgangsteikn",
"preferences": "Stillingar",
"presence": "Viðvera",
"timeline": "Tímalína",
"privacy": "Friðhelgi",
"camera": "Myndavél",
"microphone": "Hljóðnemi",
"emoji": "Tjáningartáknmynd",
"random": "Slembið",
"support": "Aðstoð",
"space": "Bil"
},
"action": {
"continue": "Halda áfram",
@ -3328,7 +3283,23 @@
"back": "Til baka",
"apply": "Virkja",
"add": "Bæta við",
"accept": "Samþykkja"
"accept": "Samþykkja",
"disconnect": "Aftengjast",
"change": "Breyta",
"subscribe": "Skrá",
"unsubscribe": "Afskrá",
"approve": "Samþykkja",
"complete": "Fullklára",
"revoke": "Afturkalla",
"rename": "Endurnefna",
"view_all": "Skoða allt",
"show_all": "Sýna allt",
"show": "Sýna",
"review": "Yfirfara",
"restore": "Endurheimta",
"play": "Spila",
"pause": "Bið",
"register": "Nýskrá"
},
"a11y": {
"user_menu": "Valmynd notandans"
@ -3373,5 +3344,50 @@
"control": "Ctrl",
"shift": "Shift",
"number": "[tala]"
},
"composer": {
"format_bold": "Feitletrað",
"format_italic": "Skáletrað",
"format_underline": "Undirstrikað",
"format_strikethrough": "Yfirstrikletrað",
"format_unordered_list": "Punktalisti",
"format_ordered_list": "Tölusettur listi",
"format_inline_code": "Kóði",
"format_code_block": "Kóðablokk",
"format_link": "Tengill"
},
"Bold": "Feitletrað",
"Link": "Tengill",
"Code": "Kóði",
"power_level": {
"default": "Sjálfgefið",
"restricted": "Takmarkað",
"moderator": "Umsjónarmaður",
"admin": "Stjórnandi",
"custom": "Sérsniðið (%(level)s)",
"mod": "Umsjón"
},
"bug_reporting": {
"introduction": "Ef þú hefur tilkynnt vandamál í gegnum GitHub, þá geta atvikaskrár hjálpað okkur við að finna ástæður vandamálanna. ",
"description": "Atvikaskrár innihalda gögn varðandi virkni hugbúnaðarins en líka notandanafn þitt, auðkenni eða samnefni spjallrása sem þú hefur skoðað, hvaða viðmótshluta þú hefur átt við, auk notendanafna annarra notenda. Atvikaskrár innihalda ekki skilaboð.",
"matrix_security_issue": "Til að tilkynna Matrix-tengd öryggisvandamál, skaltu lesa <a>Security Disclosure Policy</a> á matrix.org.",
"submit_debug_logs": "Senda inn villuleitarskrár",
"title": "Tilkynningar um villur",
"send_logs": "Senda atvikaskrá",
"github_issue": "Villutilkynning á GitHub",
"download_logs": "Niðurhal atvikaskrá"
},
"time": {
"hours_minutes_seconds_left": "%(hours)sk %(minutes)sm %(seconds)ss eftir",
"minutes_seconds_left": "%(minutes)sm %(seconds)ss eftir",
"seconds_left": "%(seconds)ssek eftir",
"date_at_time": "%(date)s kl. %(time)s",
"short_days": "%(value)sd",
"short_hours": "%(value)sklst",
"short_minutes": "%(value)sm",
"short_seconds": "%(value)ss",
"short_days_hours_minutes_seconds": "%(days)sd %(hours)sk %(minutes)sm %(seconds)ss",
"short_hours_minutes_seconds": "%(hours)sk %(minutes)sm %(seconds)ss",
"short_minutes_seconds": "%(minutes)sm %(seconds)ss"
}
}

View file

@ -14,8 +14,6 @@
"No Webcams detected": "Nessuna Webcam rilevata",
"You may need to manually permit %(brand)s to access your microphone/webcam": "Potresti dover permettere manualmente a %(brand)s di accedere al tuo microfono/webcam",
"Default Device": "Dispositivo Predefinito",
"Microphone": "Microfono",
"Camera": "Videocamera",
"Advanced": "Avanzato",
"Always show message timestamps": "Mostra sempre l'orario dei messaggi",
"Authentication": "Autenticazione",
@ -48,7 +46,6 @@
"%(weekDayName)s %(time)s": "%(weekDayName)s %(time)s",
"%(weekDayName)s, %(monthName)s %(day)s %(time)s": "%(weekDayName)s, %(monthName)s %(day)s %(time)s",
"%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s": "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s",
"Register": "Registrati",
"Rooms": "Stanze",
"Unnamed room": "Stanza senza nome",
"Online": "Online",
@ -212,7 +209,6 @@
"Start authentication": "Inizia l'autenticazione",
"Sign in with": "Accedi con",
"Email address": "Indirizzo email",
"Code": "Codice",
"Something went wrong!": "Qualcosa è andato storto!",
"Delete Widget": "Elimina widget",
"Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "L'eliminazione di un widget lo rimuove per tutti gli utenti della stanza. Sei sicuro di eliminare il widget?",
@ -356,7 +352,6 @@
"<not supported>": "<non supportato>",
"Import E2E room keys": "Importa chiavi E2E stanza",
"Cryptography": "Crittografia",
"Submit debug logs": "Invia log di debug",
"Check for update": "Controlla aggiornamenti",
"Reject all %(invitedRooms)s invites": "Rifiuta tutti gli inviti da %(invitedRooms)s",
"Start automatically after system login": "Esegui automaticamente all'avvio del sistema",
@ -383,7 +378,6 @@
"Stops ignoring a user, showing their messages going forward": "Smetti di ignorare un utente, mostrando i suoi messaggi successivi",
"Opens the Developer Tools dialog": "Apre la finestra di strumenti per sviluppatori",
"Commands": "Comandi",
"Emoji": "Emoji",
"Notify the whole room": "Notifica l'intera stanza",
"Room Notification": "Notifica della stanza",
"Users": "Utenti",
@ -433,7 +427,6 @@
"All Rooms": "Tutte le stanze",
"Wednesday": "Mercoledì",
"You cannot delete this message. (%(code)s)": "Non puoi eliminare questo messaggio. (%(code)s)",
"Send logs": "Invia i log",
"All messages": "Tutti i messaggi",
"Call invitation": "Invito ad una chiamata",
"State Key": "Chiave dello stato",
@ -501,7 +494,6 @@
"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.": "Il tuo messaggio non è stato inviato perché questo homeserver ha oltrepassato un limite di risorse. <a>Contatta l'amministratore del servizio</a> per continuare ad usarlo.",
"Please <a>contact your service administrator</a> to continue using this service.": "<a>Contatta l'amministratore del servizio</a> per continuare ad usarlo.",
"Please contact your homeserver administrator.": "Contatta l'amministratore del tuo homeserver.",
"Legal": "Informazioni legali",
"Forces the current outbound group session in an encrypted room to be discarded": "Forza l'eliminazione dell'attuale sessione di gruppo in uscita in una stanza criptata",
"This room has been replaced and is no longer active.": "Questa stanza è stata sostituita e non è più attiva.",
"The conversation continues here.": "La conversazione continua qui.",
@ -701,17 +693,12 @@
"Language and region": "Lingua e regione",
"Account management": "Gestione account",
"General": "Generale",
"Credits": "Crediti",
"For help with using %(brand)s, click <a>here</a>.": "Per aiuto su come usare %(brand)s, clicca <a>qui</a>.",
"For help with using %(brand)s, click <a>here</a> or start a chat with our bot using the button below.": "Per aiuto su come usare %(brand)s, clicca <a>qui</a> o inizia una chat con il nostro bot usando il pulsante sotto.",
"Chat with %(brand)s Bot": "Chatta con %(brand)s Bot",
"Help & About": "Aiuto e informazioni",
"Bug reporting": "Segnalazione errori",
"FAQ": "FAQ",
"Versions": "Versioni",
"Preferences": "Preferenze",
"Composer": "Compositore",
"Timeline": "Linea temporale",
"Room list": "Elenco stanze",
"Autocomplete delay (ms)": "Ritardo autocompletamento (ms)",
"Ignored users": "Utenti ignorati",
@ -763,13 +750,11 @@
"Room Settings - %(roomName)s": "Impostazioni stanza - %(roomName)s",
"<b>Warning</b>: you should only set up key backup from a trusted computer.": "<b>Attenzione</b>: dovresti impostare il backup chiavi solo da un computer fidato.",
"This homeserver would like to make sure you are not a robot.": "Questo homeserver vorrebbe assicurarsi che non sei un robot.",
"Change": "Cambia",
"Email (optional)": "Email (facoltativa)",
"Phone (optional)": "Telefono (facoltativo)",
"Join millions for free on the largest public server": "Unisciti gratis a milioni nel più grande server pubblico",
"Other": "Altro",
"Couldn't load page": "Caricamento pagina fallito",
"Guest": "Ospite",
"Could not load user profile": "Impossibile caricare il profilo utente",
"Your password has been reset.": "La tua password è stata reimpostata.",
"This homeserver does not support login using email address.": "Questo homeserver non supporta l'accesso tramite indirizzo email.",
@ -826,9 +811,7 @@
"Rotate Left": "Ruota a sinistra",
"Rotate Right": "Ruota a destra",
"Edit message": "Modifica messaggio",
"GitHub issue": "Segnalazione GitHub",
"Notes": "Note",
"If there is additional context that would help in analysing the issue, such as what you were doing at the time, room IDs, user IDs, etc., please include those things here.": "Se ci sono ulteriori dettagli che possono aiutare ad analizzare il problema, ad esempio cosa stavi facendo in quel momento, ID stanze, ID utenti, ecc., puoi includerli qui.",
"Sign out and remove encryption keys?": "Disconnettere e rimuovere le chiavi di crittografia?",
"To help us prevent this in future, please <a>send us logs</a>.": "Per aiutarci a prevenire questa cosa in futuro, <a>inviaci i log</a>.",
"Missing session data": "Dati di sessione mancanti",
@ -887,7 +870,6 @@
"Edited at %(date)s. Click to view edits.": "Modificato alle %(date)s. Clicca per vedere le modifiche.",
"Message edits": "Modifiche del messaggio",
"Upgrading this room requires closing down the current instance of the room and creating a new room in its place. To give room members the best possible experience, we will:": "Per aggiornare questa stanza devi chiudere l'istanza attuale e creare una nuova stanza al suo posto. Per offrire la migliore esperienza possibile ai membri della stanza:",
"Show all": "Mostra tutto",
"%(severalUsers)smade no changes %(count)s times": {
"other": "%(severalUsers)snon hanno fatto modifiche %(count)s volte",
"one": "%(severalUsers)snon hanno fatto modifiche"
@ -922,7 +904,6 @@
"Displays list of commands with usages and descriptions": "Visualizza l'elenco dei comandi con usi e descrizioni",
"Checking server": "Controllo del server",
"Disconnect from the identity server <idserver />?": "Disconnettere dal server di identità <idserver />?",
"Disconnect": "Disconnetti",
"You are currently using <server></server> to discover and be discoverable by existing contacts you know. You can change your identity server below.": "Stai attualmente usando <server></server> per trovare ed essere trovabile dai contatti esistenti che conosci. Puoi cambiare il tuo server di identità sotto.",
"You are not currently using an identity server. To discover and be discoverable by existing contacts you know, add one below.": "Attualmente non stai usando un server di identità. Per trovare ed essere trovabile dai contatti esistenti che conosci, aggiungine uno sotto.",
"Disconnecting from your identity server will mean you won't be discoverable by other users and you won't be able to invite others by email or phone.": "La disconnessione dal tuo server di identità significa che non sarai trovabile da altri utenti e non potrai invitare nessuno per email o telefono.",
@ -932,7 +913,6 @@
"Always show the window menu bar": "Mostra sempre la barra dei menu della finestra",
"Unable to revoke sharing for email address": "Impossibile revocare la condivisione dell'indirizzo email",
"Unable to share email address": "Impossibile condividere l'indirizzo email",
"Revoke": "Revoca",
"Discovery options will appear once you have added an email above.": "Le opzioni di scoperta appariranno dopo aver aggiunto un'email sopra.",
"Unable to revoke sharing for phone number": "Impossibile revocare la condivisione del numero di telefono",
"Unable to share phone number": "Impossibile condividere il numero di telefono",
@ -988,13 +968,9 @@
"one": "Rimuovi 1 messaggio"
},
"Remove recent messages": "Rimuovi i messaggi recenti",
"Bold": "Grassetto",
"Italics": "Corsivo",
"Strikethrough": "Barrato",
"Code block": "Code block",
"Changes the avatar of the current room": "Cambia l'avatar della stanza attuale",
"Verify the link in your inbox": "Verifica il link nella tua posta in arrivo",
"Complete": "Completa",
"e.g. my-room": "es. mia-stanza",
"Close dialog": "Chiudi finestra",
"Please enter a name for the room": "Inserisci un nome per la stanza",
@ -1075,7 +1051,6 @@
"You have not ignored anyone.": "Non hai ignorato nessuno.",
"You are currently ignoring:": "Attualmente stai ignorando:",
"You are not subscribed to any lists": "Non sei iscritto ad alcuna lista",
"Unsubscribe": "Disiscriviti",
"View rules": "Vedi regole",
"You are currently subscribed to:": "Attualmente sei iscritto a:",
"⚠ These settings are meant for advanced users.": "⚠ Queste opzioni sono pensate per utenti esperti.",
@ -1087,7 +1062,6 @@
"Subscribed lists": "Liste sottoscritte",
"Subscribing to a ban list will cause you to join it!": "Iscriversi ad una lista di ban implica di unirsi ad essa!",
"If this isn't what you want, please use a different tool to ignore users.": "Se non è ciò che vuoi, usa uno strumento diverso per ignorare utenti.",
"Subscribe": "Iscriviti",
"Message Actions": "Azioni messaggio",
"You have ignored this user, so their message is hidden. <a>Show anyways.</a>": "Hai ignorato questo utente, perciò il suo messaggio è nascosto. <a>Mostra comunque.</a>",
"You verified %(name)s": "Hai verificato %(name)s",
@ -1099,7 +1073,6 @@
"%(name)s cancelled": "%(name)s ha annullato",
"%(name)s wants to verify": "%(name)s vuole verificare",
"You sent a verification request": "Hai inviato una richiesta di verifica",
"Custom (%(level)s)": "Personalizzato (%(level)s)",
"Trusted": "Fidato",
"Not trusted": "Non fidato",
"Messages in this room are end-to-end encrypted.": "I messaggi in questa stanza sono cifrati end-to-end.",
@ -1195,7 +1168,6 @@
"Lock": "Lucchetto",
"Failed to find the following users": "Impossibile trovare i seguenti utenti",
"The following users might not exist or are invalid, and cannot be invited: %(csvNames)s": "I seguenti utenti potrebbero non esistere o non sono validi, perciò non possono essere invitati: %(csvNames)s",
"Restore": "Ripristina",
"Other users may not trust it": "Altri utenti potrebbero non fidarsi",
"Later": "Più tardi",
"Something went wrong trying to invite the users.": "Qualcosa è andato storto provando ad invitare gli utenti.",
@ -1223,7 +1195,6 @@
"Waiting for %(displayName)s to verify…": "In attesa della verifica da %(displayName)s …",
"They match": "Corrispondono",
"They don't match": "Non corrispondono",
"Review": "Controlla",
"This bridge was provisioned by <user />.": "Questo bridge è stato fornito da <user />.",
"Show less": "Mostra meno",
"Manage": "Gestisci",
@ -1295,7 +1266,6 @@
"%(brand)s is securely caching encrypted messages locally for them to appear in search results:": "%(brand)s sta tenendo in cache localmente i messaggi cifrati in modo sicuro affinché appaiano nei risultati di ricerca:",
"Message downloading sleep time(ms)": "Tempo di attesa scaricamento messaggi (ms)",
"Cancel entering passphrase?": "Annullare l'inserimento della password?",
"Mod": "Moderatore",
"Indexed rooms:": "Stanze indicizzate:",
"Show typing notifications": "Mostra notifiche di scrittura",
"Scan this unique code": "Scansiona questo codice univoco",
@ -1385,7 +1355,6 @@
"Close dialog or context menu": "Chiudi finestra o menu contestuale",
"Activate selected button": "Attiva pulsante selezionato",
"Cancel autocomplete": "Annulla autocompletamento",
"Space": "Spazio",
"Confirm by comparing the following with the User Settings in your other session:": "Conferma confrontando il seguente con le impostazioni utente nell'altra sessione:",
"Confirm this user's session by comparing the following with their User Settings:": "Conferma questa sessione confrontando il seguente con le sue impostazioni utente:",
"If they don't match, the security of your communication may be compromised.": "Se non corrispondono, la sicurezza delle tue comunicazioni potrebbe essere compromessa.",
@ -1571,7 +1540,6 @@
"Uploading logs": "Invio dei log",
"Downloading logs": "Scaricamento dei log",
"Preparing to download logs": "Preparazione al download dei log",
"Download logs": "Scarica i log",
"Unexpected server error trying to leave the room": "Errore inaspettato del server tentando di abbandonare la stanza",
"Error leaving room": "Errore uscendo dalla stanza",
"Information": "Informazione",
@ -1591,7 +1559,6 @@
"ready": "pronto",
"not ready": "non pronto",
"Secure Backup": "Backup Sicuro",
"Privacy": "Privacy",
"Not encrypted": "Non cifrato",
"Room settings": "Impostazioni stanza",
"Take a picture": "Scatta una foto",
@ -1977,7 +1944,6 @@
"Enter email address": "Inserisci indirizzo email",
"Decline All": "Rifiuta tutti",
"Approve widget permissions": "Approva permessi del widget",
"Approve": "Approva",
"This widget would like to:": "Il widget vorrebbe:",
"About homeservers": "Riguardo gli homeserver",
"Use your preferred Matrix homeserver if you have one, or host your own.": "Usa il tuo homeserver Matrix preferito se ne hai uno, o ospitane uno tuo.",
@ -2108,8 +2074,6 @@
"Who are you working with?": "Con chi stai lavorando?",
"Skip for now": "Salta per adesso",
"Failed to create initial space rooms": "Creazione di stanze iniziali dello spazio fallita",
"Support": "Supporto",
"Random": "Casuale",
"Welcome to <name/>": "Ti diamo il benvenuto in <name/>",
"%(count)s members": {
"one": "%(count)s membro",
@ -2216,7 +2180,6 @@
"Forgotten or lost all recovery methods? <a>Reset all</a>": "Hai dimenticato o perso tutti i metodi di recupero? <a>Reimposta tutto</a>",
"If you do, please note that none of your messages will be deleted, but the search experience might be degraded for a few moments whilst the index is recreated": "Se lo fai, ricorda che nessuno dei tuoi messaggi verrà eliminato, ma l'esperienza di ricerca potrà peggiorare per qualche momento mentre l'indice viene ricreato",
"View message": "Vedi messaggio",
"%(seconds)ss left": "%(seconds)ss rimanenti",
"Change server ACLs": "Modifica le ACL del server",
"You can select all or individual messages to retry or delete": "Puoi selezionare tutti o alcuni messaggi da riprovare o eliminare",
"Sending": "Invio in corso",
@ -2233,8 +2196,6 @@
"Pick rooms or conversations to add. This is just a space for you, no one will be informed. You can add more later.": "Scegli le stanze o le conversazioni da aggiungere. Questo è uno spazio solo per te, nessuno ne saprà nulla. Puoi aggiungerne altre in seguito.",
"What do you want to organise?": "Cosa vuoi organizzare?",
"You have no ignored users.": "Non hai utenti ignorati.",
"Play": "Riproduci",
"Pause": "Pausa",
"Select a room below first": "Prima seleziona una stanza sotto",
"Join the beta": "Unisciti alla beta",
"Leave the beta": "Abbandona la beta",
@ -2251,7 +2212,6 @@
"We were unable to access your microphone. Please check your browser settings and try again.": "Non abbiamo potuto accedere al tuo microfono. Controlla le impostazioni del browser e riprova.",
"Unable to access your microphone": "Impossibile accedere al microfono",
"Your access token gives full access to your account. Do not share it with anyone.": "Il tuo token di accesso ti dà l'accesso al tuo account. Non condividerlo con nessuno.",
"Access Token": "Token di accesso",
"Please enter a name for the space": "Inserisci un nome per lo spazio",
"Connecting": "In connessione",
"Search names and descriptions": "Cerca nomi e descrizioni",
@ -2530,7 +2490,6 @@
"Are you sure you want to exit during this export?": "Vuoi davvero uscire durante l'esportazione?",
"%(senderDisplayName)s sent a sticker.": "%(senderDisplayName)s ha inviato uno sticker.",
"%(senderDisplayName)s changed the room avatar.": "%(senderDisplayName)s ha cambiato l'avatar della stanza.",
"%(date)s at %(time)s": "%(date)s alle %(time)s",
"Displaying time": "Visualizzazione dell'ora",
"Resetting your verification keys cannot be undone. After resetting, you won't have access to old encrypted messages, and any friends who have previously verified you will see security warnings until you re-verify with them.": "La reimpostazione delle chiavi di verifica non può essere annullata. Dopo averlo fatto, non avrai accesso ai vecchi messaggi cifrati, e gli amici che ti avevano verificato in precedenza vedranno avvisi di sicurezza fino a quando non ti ri-verifichi con loro.",
"I'll verify later": "Verificherò dopo",
@ -2623,7 +2582,6 @@
"The homeserver the user you're verifying is connected to": "L'homeserver al quale è connesso l'utente che stai verificando",
"This room isn't bridging messages to any platforms. <a>Learn more.</a>": "Questa stanza non fa un bridge dei messaggi con alcuna piattaforma. <a>Maggiori informazioni.</a>",
"This room is in some spaces you're not an admin of. In those spaces, the old room will still be shown, but people will be prompted to join the new one.": "Questa stanza è in alcuni spazi di cui non sei amministratore. In quegli spazi, la vecchia stanza verrà ancora mostrata, ma alla gente verrà chiesto di entrare in quella nuova.",
"Rename": "Rinomina",
"Select all": "Seleziona tutti",
"Deselect all": "Deseleziona tutti",
"Sign out devices": {
@ -2978,7 +2936,6 @@
"Unable to load map": "Impossibile caricare la mappa",
"Can't create a thread from an event with an existing relation": "Impossibile creare una conversazione da un evento con una relazione esistente",
"Busy": "Occupato",
"If you've submitted a bug via GitHub, debug logs can help us track down the problem. ": "Se hai inviato un errore via GitHub, i log di debug possono aiutarci ad individuare il problema. ",
"Toggle Link": "Attiva/disattiva collegamento",
"Toggle Code Block": "Attiva/disattiva blocco di codice",
"You are sharing your live location": "Stai condividendo la tua posizione in tempo reale",
@ -2994,14 +2951,9 @@
"one": "Rimozione di messaggi in corso in %(count)s stanza",
"other": "Rimozione di messaggi in corso in %(count)s stanze"
},
"%(value)ss": "%(value)ss",
"%(value)sm": "%(value)sm",
"%(value)sh": "%(value)so",
"%(value)sd": "%(value)sg",
"%(timeRemaining)s left": "%(timeRemaining)s rimasti",
"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",
"Debug logs contain application usage data including your username, the IDs or aliases of the rooms you have visited, which UI elements you last interacted with, and the usernames of other users. They do not contain messages.": "I log di debug contengono dati di utilizzo dell'applicazione inclusi il nome utente, gli ID o alias delle stanze o gruppi visitati, gli ultimi elementi dell'interfaccia con cui hai interagito e i nomi degli altri utenti. Non contengono messaggi.",
"Event ID: %(eventId)s": "ID evento: %(eventId)s",
"No verification requests found": "Nessuna richiesta di verifica trovata",
"Observe only": "Osserva solo",
@ -3278,7 +3230,6 @@
"Sessions": "Sessioni",
"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.",
"Presence": "Presenza",
"Send read receipts": "Invia le conferme di lettura",
"Unverified": "Non verificato",
"Verified": "Verificato",
@ -3294,7 +3245,6 @@
"Verified session": "Sessione verificata",
"Interactively verify by emoji": "Verifica interattivamente con emoji",
"Manually verify by text": "Verifica manualmente con testo",
"View all": "Vedi tutto",
"Security recommendations": "Consigli di sicurezza",
"Filter devices": "Filtra dispositivi",
"Inactive for %(inactiveAgeDays)s days or longer": "Inattiva da %(inactiveAgeDays)s giorni o più",
@ -3326,7 +3276,6 @@
"other": "%(user)s e altri %(count)s"
},
"%(user1)s and %(user2)s": "%(user1)s e %(user2)s",
"Show": "Mostra",
"%(downloadButton)s or %(copyButton)s": "%(downloadButton)s o %(copyButton)s",
"%(securityKey)s or %(recoveryFile)s": "%(securityKey)s o %(recoveryFile)s",
"Proxy URL": "URL proxy",
@ -3386,8 +3335,6 @@
"Join %(brand)s calls": "Entra in chiamate di %(brand)s",
"Start %(brand)s calls": "Inizia chiamate di %(brand)s",
"Sorry — this call is currently full": "Spiacenti — questa chiamata è piena",
"Underline": "Sottolineato",
"Italic": "Corsivo",
"resume voice broadcast": "riprendi trasmissione vocale",
"pause voice broadcast": "sospendi trasmissione vocale",
"Notifications silenced": "Notifiche silenziose",
@ -3449,8 +3396,6 @@
"When enabled, the other party might be able to see your IP address": "Quando attivo, l'altra parte potrebbe riuscire a vedere il tuo indirizzo IP",
"Allow Peer-to-Peer for 1:1 calls": "Permetti Peer-to-Peer per chiamate 1:1",
"Go live": "Vai in diretta",
"%(minutes)sm %(seconds)ss left": "%(minutes)sm %(seconds)ss rimasti",
"%(hours)sh %(minutes)sm %(seconds)ss left": "%(hours)so %(minutes)sm %(seconds)ss rimasti",
"That e-mail address or phone number is already in use.": "Quell'indirizzo email o numero di telefono è già in uso.",
"This means that you have all the keys needed to unlock your encrypted messages and confirm to other users that you trust this session.": "Ciò significa che hai tutte le chiavi necessarie per sbloccare i tuoi messaggi cifrati e che confermi agli altri utenti di fidarti di questa sessione.",
"Verified sessions are anywhere you are using this account after entering your passphrase or confirming your identity with another verified session.": "Le sessioni verificate sono ovunque tu usi questo account dopo l'inserimento della frase di sicurezza o la conferma della tua identità con un'altra sessione verificata.",
@ -3483,9 +3428,6 @@
"Requires compatible homeserver.": "Richiede un homeserver compatibile.",
"Low bandwidth mode": "Modalità larghezza di banda bassa",
"Buffering…": "Buffer…",
"%(minutes)sm %(seconds)ss": "%(minutes)sm %(seconds)ss",
"%(hours)sh %(minutes)sm %(seconds)ss": "%(hours)so %(minutes)sm %(seconds)ss",
"%(days)sd %(hours)sh %(minutes)sm %(seconds)ss": "%(days)sg %(hours)so %(minutes)sm %(seconds)ss",
"Change layout": "Cambia disposizione",
"You have unverified sessions": "Hai sessioni non verificate",
"Sign in instead": "Oppure accedi",
@ -3515,7 +3457,6 @@
"Mark as read": "Segna come letto",
"Text": "Testo",
"Create a link": "Crea un collegamento",
"Link": "Collegamento",
" in <strong>%(room)s</strong>": " in <strong>%(room)s</strong>",
"Verify your current session for enhanced secure messaging.": "Verifica la tua sessione attuale per messaggi più sicuri.",
"Your current session is ready for secure messaging.": "La tua sessione attuale è pronta per i messaggi sicuri.",
@ -3534,8 +3475,6 @@
"Unfortunately we're unable to start a recording right now. Please try again later.": "Sfortunatamente non riusciamo ad iniziare una registrazione al momento. Riprova più tardi.",
"Connection error": "Errore di connessione",
"Decrypted source unavailable": "Sorgente decifrata non disponibile",
"Numbered list": "Elenco numerato",
"Bulleted list": "Elenco puntato",
"Connection error - Recording paused": "Errore di connessione - Registrazione in pausa",
"%(senderName)s started a voice broadcast": "%(senderName)s ha iniziato una trasmissione vocale",
"%(displayName)s (%(matrixId)s)": "%(displayName)s (%(matrixId)s)",
@ -3544,8 +3483,6 @@
"Unable to play this voice broadcast": "Impossibile avviare questa trasmissione vocale",
"All messages and invites from this user will be hidden. Are you sure you want to ignore them?": "Tutti i messaggi e gli inviti da questo utente verranno nascosti. Vuoi davvero ignorarli?",
"Ignore %(user)s": "Ignora %(user)s",
"Indent decrease": "Diminuzione indentazione",
"Indent increase": "Aumento indentazione",
"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>.",
"Unable to decrypt voice broadcast": "Impossibile decifrare la trasmissione vocale",
@ -3723,7 +3660,6 @@
"Receive an email summary of missed notifications": "Ricevi un riepilogo via email delle notifiche perse",
"People, Mentions and Keywords": "Persone, menzioni e parole chiave",
"Mentions and Keywords only": "Solo menzioni e parole chiave",
"Proceed": "Procedi",
"<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>Aggiornamento:</strong>abbiamo semplificato le impostazioni di notifica per rendere più facili da trovare le opzioni. Alcune impostazioni personalizzate che hai scelto in precedenza non vengono mostrate qui, ma sono ancora attive. Se procedi, alcune tue impostazioni possono cambiare. <a>Maggiori info</a>",
"Audio and Video calls": "Chiamate audio e video",
"Notify when someone mentions using @room": "Avvisa quando qualcuno menziona usando @stanza",
@ -3800,7 +3736,6 @@
"See less": "Riduci",
"See more": "Espandi",
"No requests": "Nessuna richiesta",
"Deny": "Nega",
"Asking to join": "Richiesta di entrare",
"common": {
"about": "Al riguardo",
@ -3850,7 +3785,22 @@
"dark": "Scuro",
"beta": "Beta",
"attachment": "Allegato",
"appearance": "Aspetto"
"appearance": "Aspetto",
"guest": "Ospite",
"legal": "Informazioni legali",
"credits": "Crediti",
"faq": "FAQ",
"access_token": "Token di accesso",
"preferences": "Preferenze",
"presence": "Presenza",
"timeline": "Linea temporale",
"privacy": "Privacy",
"camera": "Videocamera",
"microphone": "Microfono",
"emoji": "Emoji",
"random": "Casuale",
"support": "Supporto",
"space": "Spazio"
},
"action": {
"continue": "Continua",
@ -3922,7 +3872,25 @@
"back": "Indietro",
"apply": "Applica",
"add": "Aggiungi",
"accept": "Accetta"
"accept": "Accetta",
"disconnect": "Disconnetti",
"change": "Cambia",
"subscribe": "Iscriviti",
"unsubscribe": "Disiscriviti",
"approve": "Approva",
"deny": "Nega",
"proceed": "Procedi",
"complete": "Completa",
"revoke": "Revoca",
"rename": "Rinomina",
"view_all": "Vedi tutto",
"show_all": "Mostra tutto",
"show": "Mostra",
"review": "Controlla",
"restore": "Ripristina",
"play": "Riproduci",
"pause": "Pausa",
"register": "Registrati"
},
"a11y": {
"user_menu": "Menu utente"
@ -3988,5 +3956,54 @@
"default_cover_photo": "La <photo>foto di copertina predefinita</photo> è © <author>Jesús Roncero</author> utilizzata secondo i termini <terms>CC-BY-SA 4.0</terms>.",
"twemoji_colr": "Il font <colr>twemoji-colr</colr> è © <author>Mozilla Foundation</author> utilizzato secondo i termini <terms>Apache 2.0</terms>.",
"twemoji": "Gli emoji <twemoji>Twemoji</twemoji> sono © <author>Twitter, Inc ed altri collaboratori</author> utilizzati secondo i termini <terms>CC-BY 4.0</terms>."
},
"composer": {
"format_bold": "Grassetto",
"format_italic": "Corsivo",
"format_underline": "Sottolineato",
"format_strikethrough": "Barrato",
"format_unordered_list": "Elenco puntato",
"format_ordered_list": "Elenco numerato",
"format_increase_indent": "Aumento indentazione",
"format_decrease_indent": "Diminuzione indentazione",
"format_inline_code": "Codice",
"format_code_block": "Code block",
"format_link": "Collegamento"
},
"Bold": "Grassetto",
"Link": "Collegamento",
"Code": "Codice",
"power_level": {
"default": "Predefinito",
"restricted": "Limitato",
"moderator": "Moderatore",
"admin": "Amministratore",
"custom": "Personalizzato (%(level)s)",
"mod": "Moderatore"
},
"bug_reporting": {
"introduction": "Se hai inviato un errore via GitHub, i log di debug possono aiutarci ad individuare il problema. ",
"description": "I log di debug contengono dati di utilizzo dell'applicazione inclusi il nome utente, gli ID o alias delle stanze o gruppi visitati, gli ultimi elementi dell'interfaccia con cui hai interagito e i nomi degli altri utenti. Non contengono messaggi.",
"matrix_security_issue": "Per segnalare un problema di sicurezza relativo a Matrix, leggi la <a>Politica di divulgazione della sicurezza</a> di Matrix.org .",
"submit_debug_logs": "Invia log di debug",
"title": "Segnalazione errori",
"additional_context": "Se ci sono ulteriori dettagli che possono aiutare ad analizzare il problema, ad esempio cosa stavi facendo in quel momento, ID stanze, ID utenti, ecc., puoi includerli qui.",
"send_logs": "Invia i log",
"github_issue": "Segnalazione GitHub",
"download_logs": "Scarica i log",
"before_submitting": "Prima di inviare i log, devi <a>creare una segnalazione su GitHub</a> per descrivere il tuo problema."
},
"time": {
"hours_minutes_seconds_left": "%(hours)so %(minutes)sm %(seconds)ss rimasti",
"minutes_seconds_left": "%(minutes)sm %(seconds)ss rimasti",
"seconds_left": "%(seconds)ss rimanenti",
"date_at_time": "%(date)s alle %(time)s",
"short_days": "%(value)sg",
"short_hours": "%(value)so",
"short_minutes": "%(value)sm",
"short_seconds": "%(value)ss",
"short_days_hours_minutes_seconds": "%(days)sg %(hours)so %(minutes)sm %(seconds)ss",
"short_hours_minutes_seconds": "%(hours)so %(minutes)sm %(seconds)ss",
"short_minutes_seconds": "%(minutes)sm %(seconds)ss"
}
}
}

View file

@ -15,16 +15,12 @@
"Upload avatar": "アバターをアップロード",
"No Microphones detected": "マイクが検出されません",
"No Webcams detected": "Webカメラが検出されません",
"Microphone": "マイク",
"Camera": "カメラ",
"Are you sure?": "よろしいですか?",
"Operation failed": "操作に失敗しました",
"powered by Matrix": "powered by Matrix",
"Submit debug logs": "デバッグログを送信",
"Online": "オンライン",
"unknown error code": "不明なエラーコード",
"Failed to forget room %(errCode)s": "ルームの履歴を消去するのに失敗しました %(errCode)s",
"Register": "登録",
"Rooms": "ルーム",
"Unnamed room": "名前のないルーム",
"This email address is already in use": "このメールアドレスは既に使用されています",
@ -68,7 +64,6 @@
"Preparing to send logs": "ログを送信する準備をしています",
"Toolbox": "ツールボックス",
"State Key": "ステートキー",
"Send logs": "ログを送信",
"What's new?": "新着",
"Logs sent": "ログが送信されました",
"Show message in desktop notification": "デスクトップ通知にメッセージの内容を表示",
@ -294,7 +289,6 @@
"Token incorrect": "誤ったトークン",
"A text message has been sent to %(msisdn)s": "テキストメッセージを%(msisdn)sに送信しました",
"Please enter the code it contains:": "それに含まれるコードを入力してください:",
"Code": "コード",
"Start authentication": "認証を開始",
"Sign in with": "ログインに使用するユーザー情報",
"Email address": "メールアドレス",
@ -477,7 +471,6 @@
"<not supported>": "<サポート対象外>",
"Import E2E room keys": "ルームのエンドツーエンド暗号鍵をインポート",
"Cryptography": "暗号",
"Legal": "法的情報",
"Check for update": "更新を確認",
"Reject all %(invitedRooms)s invites": "%(invitedRooms)sの全ての招待を拒否",
"Start automatically after system login": "システムログイン後に自動的に起動",
@ -501,7 +494,6 @@
"Can't connect to homeserver - please check your connectivity, ensure your <a>homeserver's SSL certificate</a> is trusted, and that a browser extension is not blocking requests.": "ホームサーバーに接続できません。接続を確認し、<a>ホームサーバーのSSL証明書</a>が信頼できるものであり、ブラウザーの拡張機能が要求をブロックしていないことを確認してください。",
"This server does not support authentication with a phone number.": "このサーバーは、電話番号による認証をサポートしていません。",
"Commands": "コマンド",
"Emoji": "絵文字",
"Notify the whole room": "ルーム全体に通知",
"Room Notification": "ルームの通知",
"Users": "ユーザー",
@ -604,7 +596,6 @@
"Phone numbers": "電話番号",
"Language and region": "言語と地域",
"General": "一般",
"Preferences": "環境設定",
"Security & Privacy": "セキュリティーとプライバシー",
"Room information": "ルームの情報",
"Room version": "ルームのバージョン",
@ -627,7 +618,6 @@
"Show advanced": "高度な設定を表示",
"Room Settings - %(roomName)s": "ルームの設定 - %(roomName)s",
"Enable room encryption": "ルームの暗号化を有効にする",
"Change": "変更",
"Change room avatar": "ルームのアバターの変更",
"Change main address for the room": "ルームのメインアドレスの変更",
"Change history visibility": "履歴の見え方の変更",
@ -656,11 +646,8 @@
"Delete Backup": "バックアップを削除",
"Encrypted messages are secured with end-to-end encryption. Only you and the recipient(s) have the keys to read these messages.": "暗号化されたメッセージは、エンドツーエンドの暗号化によって保護されています。これらの暗号化されたメッセージを読むための鍵を持っているのは、あなたと受信者だけです。",
"Restore from Backup": "バックアップから復元",
"Credits": "クレジット",
"For help with using %(brand)s, click <a>here</a>.": "%(brand)sの使用方法に関するヘルプは<a>こちら</a>をご覧ください。",
"Help & About": "ヘルプと概要",
"Bug reporting": "不具合の報告",
"FAQ": "よくある質問",
"Versions": "バージョン",
"Voice & Video": "音声とビデオ",
"Remove recent messages": "最近のメッセージを削除",
@ -715,7 +702,6 @@
"Sign out and remove encryption keys?": "サインアウトして、暗号鍵を削除しますか?",
"Terms of Service": "利用規約",
"To continue you need to accept the terms of this service.": "続行するには、このサービスの利用規約に同意する必要があります。",
"Bold": "太字",
"Italics": "斜字体",
"Quick Reactions": "一般的なリアクション",
"Local address": "ローカルアドレス",
@ -735,7 +721,6 @@
"Encryption upgrade available": "暗号化のアップグレードが利用できます",
"Not Trusted": "信頼されていません",
"Later": "後で",
"Review": "確認",
"Trusted": "信頼済",
"Not trusted": "信頼されていません",
"%(count)s verified sessions": {
@ -779,7 +764,6 @@
"Account management": "アカウントの管理",
"Deactivate account": "アカウントを無効化",
"Room list": "ルーム一覧",
"Timeline": "タイムライン",
"Message search": "メッセージの検索",
"Published Addresses": "公開アドレス",
"Local Addresses": "ローカルアドレス",
@ -806,7 +790,6 @@
"More options": "他のオプション",
"Manually verify all remote sessions": "全てのリモートセッションを手動で認証",
"Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "クロス署名された端末を信頼せず、ユーザーが使用する各セッションを個別に認証し、信頼済に設定。",
"Show all": "全て表示",
"Message deleted": "メッセージが削除されました",
"Message deleted by %(name)s": "%(name)sによってメッセージが削除されました",
"Show less": "詳細を非表示",
@ -882,7 +865,6 @@
"Matrix": "Matrix",
"Add a new server": "新しいサーバーを追加",
"Server name": "サーバー名",
"Privacy": "プライバシー",
"<a>Log in</a> to your new account.": "新しいアカウントに<a>ログイン</a>しましょう。",
"a few seconds ago": "数秒前",
"about a minute ago": "約1分前",
@ -1042,8 +1024,6 @@
"Unable to share phone number": "電話番号を共有できません",
"Unable to revoke sharing for phone number": "電話番号の共有を取り消せません",
"Discovery options will appear once you have added an email above.": "上でメールアドレスを追加すると、発見可能に設定するメールアドレスを選択できるようになります。",
"Revoke": "取り消す",
"Complete": "完了",
"Verify the link in your inbox": "受信したメールの認証リンクを開いてください",
"Click the link in the email you received to verify and then click continue again.": "受信したメールにあるリンクを開いて認証した後、改めて「続行する」を押してください。",
"Your email address hasn't been verified yet": "メールアドレスはまだ認証されていません",
@ -1062,7 +1042,6 @@
"Accept all %(invitedRooms)s invites": "%(invitedRooms)sの全ての招待を承認",
"Read Marker off-screen lifetime (ms)": "既読マーカーを動かすまでの時間(画面オフ時)(ミリ秒)",
"Read Marker lifetime (ms)": "既読マーカーを動かすまでの時間(ミリ秒)",
"Subscribe": "購読",
"Room ID or address of ban list": "ブロックリストのルームIDまたはアドレス",
"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!": "ブロックリストを購読すると、そのリストに参加します!",
@ -1075,7 +1054,6 @@
"⚠ These settings are meant for advanced users.": "⚠以下の設定は、上級ユーザーを対象としています。",
"You are currently subscribed to:": "以下を購読しています:",
"View rules": "ルールを表示",
"Unsubscribe": "購読の解除",
"You are not subscribed to any lists": "どのリストも購読していません",
"You are currently ignoring:": "以下を無視しています:",
"You have not ignored anyone.": "誰も無視していません。",
@ -1114,7 +1092,6 @@
"check your browser plugins for anything that might block the identity server (such as Privacy Badger)": "ブラウザーのプラグインの内、IDサーバーをブロックする可能性があるものPrivacy Badgerなどを確認してください",
"You should:": "するべきこと:",
"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.": "切断する前にIDサーバー <idserver /> から<b>個人データを削除</b>するべきですが、IDサーバー <idserver /> は現在オフライン状態か、またはアクセスできません。",
"Disconnect": "切断",
"Disconnect from the identity server <idserver />?": "IDサーバー <idserver /> から切断しますか?",
"Disconnect identity server": "IDサーバーから切断",
"The identity server you have chosen does not have any terms of service.": "選択したIDサーバーには利用規約がありません。",
@ -1337,7 +1314,6 @@
"Setting up keys": "鍵のセットアップ",
"Are you sure you want to cancel entering passphrase?": "パスフレーズの入力をキャンセルしてよろしいですか?",
"Cancel entering passphrase?": "パスフレーズの入力をキャンセルしますか?",
"Custom (%(level)s)": "ユーザー定義(%(level)s",
"Use your account or create a new one to continue.": "続行するには、作成済のアカウントを使用するか、新しいアカウントを作成してください。",
"Sign In or Create Account": "サインインするか、アカウントを作成してください",
"Zimbabwe": "ジンバブエ",
@ -1395,10 +1371,7 @@
"No recently visited rooms": "最近訪れたルームはありません",
"Recently visited rooms": "最近訪れたルーム",
"Room %(name)s": "ルーム %(name)s",
"Code block": "コードブロック",
"Strikethrough": "取り消し線",
"The authenticity of this encrypted message can't be guaranteed on this device.": "この暗号化されたメッセージの真正性はこの端末では保証できません。",
"Mod": "モデレーター",
"Edit message": "メッセージを編集",
"Someone is using an unknown session": "誰かが不明なセッションを使用しています",
"You have verified this user. This user has verified all of their sessions.": "このユーザーを認証しました。このユーザーは全てのセッションを認証しました。",
@ -1667,7 +1640,6 @@
"Call in progress": "通話しています",
"%(senderName)s joined the call": "%(senderName)sが通話に参加しました",
"You joined the call": "通話に参加しました",
"Guest": "ゲスト",
"New login. Was this you?": "新しいログインです。ログインしましたか?",
"Safeguard against losing access to encrypted messages & data": "暗号化されたメッセージとデータへのアクセスが失われるのを防ぎましょう",
"Ok": "OK",
@ -1774,7 +1746,6 @@
"Join the beta": "ベータ版に参加",
"Leave the beta": "ベータ版を終了",
"Your access token gives full access to your account. Do not share it with anyone.": "アクセストークンを用いると、あなたのアカウントの全ての情報にアクセスできます。外部に公開したり、誰かと共有したりしないでください。",
"Access Token": "アクセストークン",
"Save Changes": "変更を保存",
"Edit settings relating to your space.": "スペースの設定を変更します。",
"Spaces": "スペース",
@ -1804,7 +1775,6 @@
"Skip for now": "スキップ",
"What do you want to organise?": "何を追加しますか?",
"Pick rooms or conversations to add. This is just a space for you, no one will be informed. You can add more later.": "ルームや会話を追加できます。これはあなた専用のスペースで、他の人からは見えません。後から追加することもできます。",
"Support": "サポート",
"You can change these anytime.": "ここで入力した情報はいつでも編集できます。",
"Add some details to help people recognise it.": "説明を入力してください。",
"Integration manager": "インテグレーションマネージャー",
@ -1852,7 +1822,6 @@
"Suggested": "おすすめ",
"Joined": "参加済",
"To join a space you'll need an invite.": "スペースに参加するには招待が必要です。",
"Rename": "表示名を変更",
"Keyboard": "キーボード",
"Group all your rooms that aren't part of a space in one place.": "スペースに含まれない全てのルームを一箇所にまとめる。",
"Rooms outside of a space": "スペース外のルーム",
@ -1892,8 +1861,6 @@
"Copy room link": "ルームのリンクをコピー",
"Remove users": "ユーザーの追放",
"Manage rooms in this space": "このスペースのルームの管理",
"GitHub issue": "GitHub issue",
"Download logs": "ログのダウンロード",
"Close dialog": "ダイアログを閉じる",
"Preparing to download logs": "ログのダウンロードを準備しています",
"User Busy": "通話中",
@ -1905,8 +1872,6 @@
"Poll": "アンケート",
"Insert link": "リンクを挿入",
"Calls are unsupported": "通話はサポートされていません",
"Play": "再生",
"Pause": "一時停止",
"Reason (optional)": "理由(任意)",
"Copy link to thread": "スレッドへのリンクをコピー",
"You're all caught up": "未読はありません",
@ -1952,7 +1917,6 @@
"other": "%(spaceName)sと他%(count)s個"
},
"%(space1Name)s and %(space2Name)s": "%(space1Name)sと%(space2Name)s",
"%(date)s at %(time)s": "%(date)s %(time)s",
"<b>Please note upgrading will make a new version of the room</b>. All current messages will stay in this archived room.": "<b>アップグレードすると、このルームの新しいバージョンが作成されます。</b>今ある全てのメッセージは、アーカイブしたルームに残ります。",
"Nothing pinned, yet": "固定メッセージはありません",
"Pinned messages": "固定メッセージ",
@ -2244,7 +2208,6 @@
"Success!": "成功しました!",
"Comment": "コメント",
"Information": "情報",
"Restore": "復元",
"Failed to get room topic: Unable to find room (%(roomId)s": "ルームのトピックの取得に失敗しました:ルームを発見できません(%(roomId)s",
"Remove messages sent by me": "自分が送信したメッセージの削除",
"Search for spaces": "スペースを検索",
@ -2278,10 +2241,8 @@
"other": "あと%(count)s個のファイルをアップロード"
},
"This file is <b>too large</b> to upload. The file size limit is %(limit)s but this file is %(sizeOfThisFile)s.": "アップロードしようとしているファイルのサイズが<b>大きすぎます</b>。最大のサイズは%(limit)sですが、ファイルのサイズは%(sizeOfThisFile)sです。",
"Approve": "同意",
"Away": "離席中",
"Categories": "カテゴリー",
"Space": "スペース",
"Themes": "テーマ",
"Developer": "開発者",
"Experimental": "実験的",
@ -2357,7 +2318,6 @@
"Delete all": "全て削除",
"You don't have permission": "権限がありません",
"Results": "結果",
"Random": "ランダム",
"Failed to invite the following users to your space: %(csvUsers)s": "以下のユーザーをスペースに招待するのに失敗しました:%(csvUsers)s",
"Invite by username": "ユーザー名で招待",
"Show all threads": "全てのスレッドを表示",
@ -2730,7 +2690,6 @@
"Unnamed audio": "名前のない音声",
"e.g. my-space": "例my-space",
"Silence call": "サイレントモード",
"%(seconds)ss left": "残り%(seconds)s秒",
"Move right": "右に移動",
"Move left": "左に移動",
"Rotate Right": "右に回転",
@ -2897,7 +2856,6 @@
"Unban them from everything I'm able to": "自分に可能な範囲で、全てのものからブロック解除",
"Ban them from specific things I'm able to": "自分に可能な範囲で、特定のものからブロック",
"Ban them from everything I'm able to": "自分に可能な範囲で、全てのものからブロック",
"If you've submitted a bug via GitHub, debug logs can help us track down the problem. ": "もしGitHubで不具合を報告した場合は、デバッグログが問題の解決に役立ちます。 ",
"Live location error": "位置情報(ライブ)のエラー",
"sends hearts": "ハートを送信",
"Confirm signing out these devices": {
@ -2910,9 +2868,6 @@
"The person who invited you has already left.": "招待した人は既に退出しました。",
"Sorry, your homeserver is too old to participate here.": "あなたのホームサーバーはここに参加するには古すぎます。",
"There was an error joining.": "参加する際にエラーが発生しました。",
"%(value)sm": "%(value)s分",
"%(value)sh": "%(value)s時",
"%(value)sd": "%(value)s日",
"Live location enabled": "位置情報(ライブ)が有効です",
"Jump to the given date in the timeline": "タイムラインの指定した日に移動",
"Unban from space": "スペースからのブロックを解除",
@ -2929,7 +2884,6 @@
"User is already invited to the space": "ユーザーは既にスペースに招待されています",
"You do not have permission to invite people to this space.": "このスペースにユーザーを招待する権限がありません。",
"Failed to invite users to %(roomName)s": "ユーザーを%(roomName)sに招待するのに失敗しました",
"%(value)ss": "%(value)s秒",
"You can still join here.": "参加できます。",
"This invite was sent to %(email)s": "招待が%(email)sに送信されました",
"This room or space does not exist.": "このルームまたはスペースは存在しません。",
@ -3070,16 +3024,12 @@
"You will no longer be able to log in": "ログインできなくなります",
"Friends and family": "友達と家族",
"Minimise": "最小化",
"Underline": "下線",
"Italic": "斜字体",
"Joining…": "参加しています…",
"Show Labs settings": "ラボの設定を表示",
"Private room": "非公開ルーム",
"Video call (Jitsi)": "ビデオ通話Jitsi",
"View all": "全て表示",
"Show QR code": "QRコードを表示",
"Sign in with QR code": "QRコードでサインイン",
"Show": "表示",
"All": "全て",
"Verified session": "認証済のセッション",
"IP address": "IPアドレス",
@ -3123,8 +3073,6 @@
"Stop live broadcasting?": "ライブ配信を停止しますか?",
"Someone else is already recording a voice broadcast. Wait for their voice broadcast to end to start a new one.": "他の人が既に音声配信を録音しています。新しく始めるには音声配信が終わるまで待機してください。",
"Can't start a new voice broadcast": "新しい音声配信を開始できません",
"%(minutes)sm %(seconds)ss left": "残り%(minutes)s分%(seconds)s秒",
"%(hours)sh %(minutes)sm %(seconds)ss left": "残り%(hours)s時間%(minutes)s分%(seconds)s秒",
"Exit fullscreen": "フルスクリーンを解除",
"Video call ended": "ビデオ通話が終了しました",
"%(name)s started a video call": "%(name)sがビデオ通話を始めました",
@ -3146,7 +3094,6 @@
"Error downloading image": "画像をダウンロードする際にエラーが発生しました",
"Unable to show image due to error": "エラーにより画像を表示できません",
"Share your activity and status with others.": "アクティビティーやステータスを他の人と共有します。",
"Presence": "プレゼンス(ステータス表示)",
"Reset event store?": "イベントストアをリセットしますか?",
"Your firewall or anti-virus is blocking the request.": "ファイアーウォールまたはアンチウイルスソフトがリクエストをブロックしています。",
"We're creating a room with %(names)s": "%(names)sという名前のルームを作成しています",
@ -3242,7 +3189,6 @@
"Unverified session": "未認証のセッション",
"Community ownership": "コミュニティーの手に",
"Text": "テキスト",
"Link": "リンク",
"Freedom": "自由",
"%(count)s sessions selected": {
"one": "%(count)s個のセッションを選択済",
@ -3279,9 +3225,6 @@
"Unfortunately we're unable to start a recording right now. Please try again later.": "録音を開始できません。後でもう一度やり直してください。",
"You don't have the required permissions to start a voice broadcast in this room. Contact a room administrator to upgrade your permissions.": "このルームで音声配信を開始する権限がありません。ルームの管理者に連絡して権限の付与を依頼してください。",
"%(senderName)s started a voice broadcast": "%(senderName)sが音声配信を開始しました",
"%(minutes)sm %(seconds)ss": "%(minutes)s分%(seconds)s秒",
"%(hours)sh %(minutes)sm %(seconds)ss": "%(hours)s時%(minutes)s分%(seconds)s秒",
"%(days)sd %(hours)sh %(minutes)sm %(seconds)ss": "%(days)s日%(hours)s時%(minutes)s分%(seconds)s秒",
"Connection error": "接続エラー",
"Ongoing call": "通話中",
"Toggle push notifications on this session.": "このセッションのプッシュ通知を切り替える。",
@ -3292,8 +3235,6 @@
"Mark as read": "既読にする",
"Can't start voice message": "音声メッセージを開始できません",
"You can't start a voice message as you are currently recording a live broadcast. Please end your live broadcast in order to start recording a voice message.": "ライブ配信を録音しているため、音声メッセージを開始できません。音声メッセージの録音を開始するには、ライブ配信を終了してください。",
"Bulleted list": "箇条書きリスト",
"Numbered list": "番号付きリスト",
"%(displayName)s (%(matrixId)s)": "%(displayName)s%(matrixId)s",
"You won't be able to participate in rooms where encryption is enabled when using this session.": "このセッションでは、暗号化が有効になっているルームに参加することができません。",
"Sends the given message with hearts": "メッセージをハートと共に送信",
@ -3418,7 +3359,6 @@
"Ready for secure messaging": "安全なメッセージのやりとりに対応",
"No verified sessions found.": "認証済のセッションはありません。",
"Consider signing out from old sessions (%(inactiveAgeDays)s days or older) you don't use anymore.": "使用していない古いセッション(%(inactiveAgeDays)s日以上使用されていませんからのサインアウトを検討してください。",
"Debug logs contain application usage data including your username, the IDs or aliases of the rooms you have visited, which UI elements you last interacted with, and the usernames of other users. They do not contain messages.": "デバッグログは、ユーザー名、訪問済のルームのIDやエイリアス、最後に使用したユーザーインターフェース上の要素、他のユーザーのユーザー名などを含むアプリケーションの使用状況データを含みます。メッセージは含まれません。",
"Other users in direct messages and rooms that you join are able to view a full list of your sessions.": "あなたが参加するダイレクトメッセージとルームの他のユーザーは、あなたのセッションの一覧を閲覧できます。",
"Please be aware that session names are also visible to people you communicate with.": "セッション名は連絡先に対しても表示されます。ご注意ください。",
"This session is ready for secure messaging.": "このセッションは安全なメッセージのやりとりの準備ができています。",
@ -3449,7 +3389,6 @@
"Your old messages will still be visible to people who received them, just like emails you sent in the past. Would you like to hide your sent messages from people who join rooms in the future?": "あなたの古いメッセージは、それを受信した人には表示され続けます。これは電子メールの場合と同様です。あなたが送信したメッセージを今後のルームの参加者に表示しないようにしますか?",
"Please note: this is a labs feature using a temporary implementation. This means you will not be able to delete your location history, and advanced users will be able to see your location history even after you stop sharing your live location with this room.": "注意:これは一時的な実装による試験機能です。位置情報の履歴を削除することはできません。高度なユーザーは、あなたがこのルームで位置情報(ライブ)の共有を停止した後でも、あなたの位置情報の履歴を閲覧することができます。",
"Upgrading this room requires closing down the current instance of the room and creating a new room in its place. To give room members the best possible experience, we will:": "このルームをアップグレードするには、現在のルームを閉鎖し、新しくルームを作成する必要があります。ルームの参加者のため、アップグレードの際に以下を行います。",
"If there is additional context that would help in analysing the issue, such as what you were doing at the time, room IDs, user IDs, etc., please include those things here.": "実行していたこと、ルームID、ユーザーIDなど、問題を分析するのに役立つ追加情報があれば、それをここに含めてください。",
"Reminder: Your browser is unsupported, so your experience may be unpredictable.": "注意:ブラウザーはサポートされていません。期待通りに動作しない可能性があります。",
"Invalid identity server discovery response": "IDサーバーのディスカバリー発見に関する不正な応答です",
"Show: %(instance)s rooms (%(server)s)": "表示:%(instance)s ルーム(%(server)s",
@ -3476,8 +3415,6 @@
"Unable to query for supported registration methods.": "サポートしている登録方法を照会できません。",
"Sign in instead": "サインイン",
"Ignore %(user)s": "%(user)sを無視",
"Indent decrease": "インデントを減らす",
"Indent increase": "インデントを増やす",
"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.": "ライブ配信を終了してよろしいですか?配信を終了し、録音をこのルームで利用できるよう設定します。",
@ -3659,7 +3596,22 @@
"dark": "ダーク",
"beta": "ベータ版",
"attachment": "添付ファイル",
"appearance": "外観"
"appearance": "外観",
"guest": "ゲスト",
"legal": "法的情報",
"credits": "クレジット",
"faq": "よくある質問",
"access_token": "アクセストークン",
"preferences": "環境設定",
"presence": "プレゼンス(ステータス表示)",
"timeline": "タイムライン",
"privacy": "プライバシー",
"camera": "カメラ",
"microphone": "マイク",
"emoji": "絵文字",
"random": "ランダム",
"support": "サポート",
"space": "スペース"
},
"action": {
"continue": "続行",
@ -3730,7 +3682,23 @@
"back": "戻る",
"apply": "適用",
"add": "追加",
"accept": "同意"
"accept": "同意",
"disconnect": "切断",
"change": "変更",
"subscribe": "購読",
"unsubscribe": "購読の解除",
"approve": "同意",
"complete": "完了",
"revoke": "取り消す",
"rename": "表示名を変更",
"view_all": "全て表示",
"show_all": "全て表示",
"show": "表示",
"review": "確認",
"restore": "復元",
"play": "再生",
"pause": "一時停止",
"register": "登録"
},
"a11y": {
"user_menu": "ユーザーメニュー"
@ -3783,5 +3751,54 @@
"control": "Ctrl",
"shift": "Shift",
"number": "[番号]"
},
"composer": {
"format_bold": "太字",
"format_italic": "斜字体",
"format_underline": "下線",
"format_strikethrough": "取り消し線",
"format_unordered_list": "箇条書きリスト",
"format_ordered_list": "番号付きリスト",
"format_increase_indent": "インデントを増やす",
"format_decrease_indent": "インデントを減らす",
"format_inline_code": "コード",
"format_code_block": "コードブロック",
"format_link": "リンク"
},
"Bold": "太字",
"Link": "リンク",
"Code": "コード",
"power_level": {
"default": "既定値",
"restricted": "制限",
"moderator": "モデレーター",
"admin": "管理者",
"custom": "ユーザー定義(%(level)s",
"mod": "モデレーター"
},
"bug_reporting": {
"introduction": "もしGitHubで不具合を報告した場合は、デバッグログが問題の解決に役立ちます。 ",
"description": "デバッグログは、ユーザー名、訪問済のルームのIDやエイリアス、最後に使用したユーザーインターフェース上の要素、他のユーザーのユーザー名などを含むアプリケーションの使用状況データを含みます。メッセージは含まれません。",
"matrix_security_issue": "Matrix関連のセキュリティー問題を報告するには、Matrix.orgの<a>Security Disclosure Policy</a>をご覧ください。",
"submit_debug_logs": "デバッグログを送信",
"title": "不具合の報告",
"additional_context": "実行していたこと、ルームID、ユーザーIDなど、問題を分析するのに役立つ追加情報があれば、それをここに含めてください。",
"send_logs": "ログを送信",
"github_issue": "GitHub issue",
"download_logs": "ログのダウンロード",
"before_submitting": "ログを送信する前に、問題を説明する<a>GitHub issueを作成</a>してください。"
},
"time": {
"hours_minutes_seconds_left": "残り%(hours)s時間%(minutes)s分%(seconds)s秒",
"minutes_seconds_left": "残り%(minutes)s分%(seconds)s秒",
"seconds_left": "残り%(seconds)s秒",
"date_at_time": "%(date)s %(time)s",
"short_days": "%(value)s日",
"short_hours": "%(value)s時",
"short_minutes": "%(value)s分",
"short_seconds": "%(value)s秒",
"short_days_hours_minutes_seconds": "%(days)s日%(hours)s時%(minutes)s分%(seconds)s秒",
"short_hours_minutes_seconds": "%(hours)s時%(minutes)s分%(seconds)s秒",
"short_minutes_seconds": "%(minutes)s分%(seconds)s秒"
}
}

View file

@ -38,7 +38,6 @@
"Unnamed Room": "na da cmene",
"Unable to enable Notifications": ".i na kakne lo nu co'a kakne lo nu benji lo sajgau",
"This email address was not found": ".i na da zo'u facki le du'u samymri judri da",
"Register": "nu co'a na'o jaspu",
"Default": "zmiselcu'a",
"Restricted": "vlipa so'u da",
"Moderator": "vlipa so'o da",
@ -133,7 +132,6 @@
"Change Password": "nu basti fi le ka lerpoijaspu",
"Authentication": "lo nu facki lo du'u do du ma kau",
"Failed to set display name": ".i pu fliba lo nu galfi lo cmene",
"Custom (%(level)s)": "drata (%(level)s)",
"Messages": "notci",
"Actions": "ka'e se zukte",
"Advanced": "macnu",
@ -248,7 +246,6 @@
"Switch theme": "nu basti fi le ka jvinu",
"If you've joined lots of rooms, this might take a while": ".i gi na ja do pagbu so'i se zilbe'i gi la'a ze'u gunka",
"Incorrect password": ".i le lerpoijaspu na drani",
"Emoji": "cinmo sinxa",
"Users": "pilno",
"That matches!": ".i du",
"Success!": ".i snada",
@ -296,7 +293,6 @@
"Never send encrypted messages to unverified sessions from this session": "nu na pa mifra be pa notci cu zilbe'i pa se samtcise'u poi na se lanli ku'o le se samtcise'u",
"Later": "nu ca na co'e",
"Other users may not trust it": ".i la'a na pa na du be do cu lacri",
"Change": "nu basti",
"Change room avatar": "nu basti fi le ka pixra sinxa le ve zilbe'i",
"Change room name": "nu basti fi le ka cmene le ve zilbe'i",
"Change main address for the room": "nu basti fi le ka ralju lu'i ro judri be le ve zilbe'i",
@ -365,7 +361,8 @@
"people": "prenu",
"username": "judri cmene",
"light": "carmi",
"dark": "manku"
"dark": "manku",
"emoji": "cinmo sinxa"
},
"action": {
"continue": "",
@ -394,9 +391,18 @@
"dismiss": "nu mipri",
"close": "nu zilmipri",
"add": "jmina",
"accept": "nu fonjo'e"
"accept": "nu fonjo'e",
"change": "nu basti",
"register": "nu co'a na'o jaspu"
},
"labs": {
"pinning": "lo du'u xu kau kakne lo nu mrilu lo vitno notci"
},
"power_level": {
"default": "zmiselcu'a",
"restricted": "vlipa so'u da",
"moderator": "vlipa so'o da",
"admin": "vlipa so'i da",
"custom": "drata (%(level)s)"
}
}

View file

@ -16,7 +16,6 @@
"This phone number is already in use": "ტელეფონის ეს ნომერი დაკავებულია",
"Identity server not set": "იდენთიფიკაციის სერვერი არ არის განსაზღვრული",
"No identity access token found": "იდენთიფიკაციის წვდომის ტოკენი ვერ მოიძებნა",
"%(seconds)ss left": "%(seconds)sწმ დარჩა",
"The server does not support the room version specified.": "სერვერი არ მუშაობს ოთახის მითითებულ ვერსიაზე.",
"Sun": "მზე",
"Dec": "დეკ",
@ -34,7 +33,6 @@
"Click the button below to confirm adding this phone number.": "დააჭირეთ ღილაკს მობილურის ნომრის დასადასტურებლად.",
"Server may be unavailable, overloaded, or you hit a bug.": "სერვერი შეიძლება იყოს მიუწვდომელი, გადატვირთული, ან შეიძლება ეს ბაგია.",
"Jan": "იან",
"%(minutes)sm %(seconds)ss left": "%(minutes)sწთ %(seconds)sწმ დარჩა",
"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.": "ეს მოქმედება საჭიროებს პირადობის სერვერთან კავშირს ელ.ფოსტის ან მობილურის ნომრის დასადასტურებლად, მაგრამ სერვერს არ გააჩნია მომსახურების პირობები.",
"Cannot invite user by email without an identity server. You can connect to one under \"Settings\".": "შეუძლებელია მომხმარებლის ელ.ფოსტით დამატება პირადობის სერვერის გარეშე. თქვენ შეგიძლიათ დაუკავშირდეთ ერთ-ერთს \"პარამეტრებში\".",
"Identity server has no terms of service": "პირადობის სერვერს არ აქვს მომსახურების პირობები",
@ -48,7 +46,6 @@
"Unable to load! Check your network connectivity and try again.": "ვერ იტვირთება! შეამოწმეთ თქვენი ინტერნეტ-კავშირი და სცადეთ ისევ.",
"Add Phone Number": "მობილურის ნომრის დამატება",
"Confirm adding phone number": "დაადასტურეთ მობილურის ნომრის დამატება",
"%(hours)sh %(minutes)sm %(seconds)ss left": "%(hours)sს %(minutes)sწთ %(seconds)sწმ დარჩა",
"Feb": "თებ",
"common": {
"error": "შეცდომა",
@ -58,5 +55,10 @@
"confirm": "დადასტურება",
"dismiss": "დახურვა",
"sign_in": "შესვლა"
},
"time": {
"hours_minutes_seconds_left": "%(hours)sს %(minutes)sწთ %(seconds)sწმ დარჩა",
"minutes_seconds_left": "%(minutes)sწთ %(seconds)sწმ დარჩა",
"seconds_left": "%(seconds)sწმ დარჩა"
}
}

View file

@ -35,7 +35,6 @@
"Reason": "Taɣẓint",
"Someone": "Albaɛḍ",
"Add another word or two. Uncommon words are better.": "Rnu awal-nniḍen neɣ sin. Awalen imexḍa ad lhun.",
"Review": "Senqed",
"Later": "Ticki",
"Notifications": "Ilɣa",
"Ok": "Ih",
@ -69,36 +68,22 @@
"Manage": "Sefrek",
"Off": "Insa",
"Display Name": "Sken isem",
"Disconnect": "Ffeɣ seg tuqqna",
"Change": "Beddel",
"Profile": "Amaɣnu",
"Account": "Amiḍan",
"General": "Amatu",
"Legal": "Usḍif",
"Credits": "Asenmer",
"Chat with %(brand)s Bot": "Asqerdec akked %(brand)s Bot",
"FAQ": "Isteqsiyen FAQ",
"Versions": "Ileqman",
"None": "Ula yiwen",
"Unsubscribe": "Sefsex ajerred",
"Subscribe": "Jerred",
"Preferences": "Ismenyifen",
"Composer": "Imsuddes",
"Timeline": "Amazray",
"Microphone": "Asawaḍ",
"Camera": "Takamiṛatt",
"Sounds": "Imesla",
"Browse": "Inig",
"Default role": "Tamlilt tamzwert",
"Permissions": "Tisirag",
"Anyone": "Yal yiwen",
"Encryption": "Awgelhen",
"Complete": "Yemmed",
"Verification code": "Tangalt n usenqed",
"Email Address": "Tansa n yimayl",
"Phone Number": "Uṭṭun n tiliɣri",
"Bold": "Azuran",
"Strikethrough": "Derrer",
"Idle": "Arurmid",
"Unknown": "Arussin",
"Sign Up": "Jerred",
@ -118,7 +103,6 @@
"Today": "Ass-a",
"Yesterday": "Iḍelli",
"Error decrypting attachment": "Tuccḍa deg uwgelhen n tceqquft yeddan",
"Show all": "Sken akk",
"Message deleted": "Izen yettwakksen",
"Copied!": "Yettwanɣel!",
"edited": "yettwaẓreg",
@ -150,16 +134,13 @@
"Source URL": "URL aɣbalu",
"Home": "Agejdan",
"powered by Matrix": "s lmendad n Matrix",
"Code": "Tangalt",
"Submit": "Azen",
"Email": "Imayl",
"Phone": "Tiliɣri",
"Passwords don't match": "Awalen uffiren ur mṣadan ara",
"Email (optional)": "Imayl (Afrayan)",
"Register": "Jerred",
"Explore rooms": "Snirem tixxamin",
"Unknown error": "Tuccḍa tarussint",
"Guest": "Anerzaf",
"Feedback": "Takti",
"Your password has been reset.": "Awal uffir-inek/inem yettuwennez.",
"Create account": "Rnu amiḍan",
@ -167,13 +148,11 @@
"Users": "Iseqdacen",
"Export": "Sifeḍ",
"Import": "Kter",
"Restore": "Err-d",
"Success!": "Tammug akken iwata!",
"Navigation": "Tunigin",
"Calls": "Isawalen",
"New line": "Izirig amaynut",
"Upload a file": "Sali-d afaylu",
"Space": "Tallunt",
"This email address is already in use": "Tansa-agi n yimayl tettuseqdac yakan",
"This phone number is already in use": "Uṭṭun-agi n tilifun yettuseqddac yakan",
"Your %(brand)s is misconfigured": "%(brand)s inek(inem) ur ittusbadu ara",
@ -231,7 +210,6 @@
"This email address was not found": "Tansa-a n yimayl ulac-it",
"Sign In or Create Account": "Kcem ɣer neɣ rnu amiḍan",
"Use your account or create a new one to continue.": "Seqdec amiḍan-ik/im neɣ snulfu-d yiwen akken ad tkemmleḍ.",
"Custom (%(level)s)": "Sagen (%(level)s)",
"Failed to invite": "Ulamek i d-tnecdeḍ",
"You need to be able to invite users to do that.": "Tesriḍ ad tizmireḍ ad d-tnecdeḍ iseqdacen ad gen ayagi.",
"Failed to send request.": "Tuzna n usuter ur teddi ara.",
@ -540,8 +518,6 @@
"Account management": "Asefrek n umiḍan",
"Deactivate Account": "Sens amiḍan",
"Deactivate account": "Sens amiḍan",
"Bug reporting": "Aneqqis n wabug",
"Submit debug logs": "Azen iɣmisen n wabug",
"Clear cache and reload": "Sfeḍ takatut tuffirt syen sali-d",
"%(brand)s version:": "Lqem %(brand)s:",
"Ignored/Blocked": "Yettunfen/Yettusweḥlen",
@ -698,7 +674,6 @@
"Invite anyway": "Ɣas akken nced-d",
"Preparing to send logs": "Aheyyi n tuzna n yiɣmisen",
"Failed to send logs: ": "Tuzna n yiɣmisen ur teddi ara: ",
"Send logs": "Azen iɣmisen",
"Clear all data": "Sfeḍ meṛṛa isefka",
"Please enter a name for the room": "Ttxil-k·m sekcem isem i texxamt",
"Enable end-to-end encryption": "Awgelhen seg yixef ɣer yixef ur yeddi ara",
@ -1045,7 +1020,6 @@
"Show image": "Sken tugna",
"Invalid base_url for m.identity_server": "D arameɣtu base_url i m.identity_server",
"If you've joined lots of rooms, this might take a while": "Ma yella tettekkaḍ deg waṭas n texxamin, ayagi yezmer ad yeṭṭef kra n wakud",
"Emoji": "Imujit",
"Your keys are being backed up (the first backup could take a few minutes).": "Tisura-ik·im la ttwaḥrazent (aḥraz amezwaru yezmer ad yeṭṭef kra n tesdidin).",
"Unexpected error resolving homeserver configuration": "Tuccḍa ur nettwaṛǧa ara lawan n uṣeggem n twila n uqeddac agejdan",
"Unexpected error resolving identity server configuration": "Tuccḍa ur nettwaṛǧa ara lawan n uṣeggem n uqeddac n timagit",
@ -1135,7 +1109,6 @@
"Your email address hasn't been verified yet": "Tansa n yimayl-ik·im ur tettwasenqed ara akka ar tura",
"Unable to verify email address.": "Asenqed n tansa n yimayl ur yeddi ara.",
"Verify the link in your inbox": "Senqed aseɣwen deg tbewwaḍt-ik·im n yimayl",
"Revoke": "Ḥwi",
"Unable to revoke sharing for phone number": "Aḥwi n beṭṭu n tansa n yimayl ur yeddi ara",
"Unable to share phone number": "Beṭṭu n wuṭṭun n tilifun ur yeddi ara",
"Unable to verify phone number.": "Asenqed n wuṭṭun n tilifun ur yeddi ara.",
@ -1151,7 +1124,6 @@
"You have verified this user. This user has verified all of their sessions.": "Tesneqdeḍ aseqdac-a. Aseqdac-a issenqed akk tiɣimiyin-ines.",
"Someone is using an unknown session": "Yella win yesseqdacen tiɣimit tarussint",
"Everyone in this room is verified": "Yal yiwen deg taxxamt-a yettwasenqed",
"Mod": "Atrar",
"This event could not be displayed": "Tadyant-a ur tezmir ad d-tettwaskan",
"Encrypted by an unverified session": "Yettuwgelhen s tɣimit ur nettwasenqed ara",
"Unencrypted": "Ur yettwawgelhen ara",
@ -1161,7 +1133,6 @@
"The conversation continues here.": "Adiwenni yettkemmil dagi.",
"This room has been replaced and is no longer active.": "Taxxamt-a ad tettusmelsi, dayen d tarurmidt.",
"You do not have permission to post to this room": "Ur tesεiḍ ara tasiregt ad d-tsuffɣeḍ deg texxamt-a",
"Code block": "Iḥder n tengalt",
"%(duration)ss": "%(duration)ss",
"%(duration)sm": "%(duration)sm",
"%(duration)sh": "%(duration)sh",
@ -1487,8 +1458,6 @@
"For extra security, verify this user by checking a one-time code on both of your devices.": "I wugar n tɣellist, senqed aseqdac-a s usenqed n tengalt i yiwet n tikkelt ɣef yibenkan-ik·im i sin.",
"One of the following may be compromised:": "Yiwen seg wayen i d-iteddun yezmer ad yettwaker:",
"Information": "Talɣut",
"Download logs": "Sider imisen",
"GitHub issue": "Ugur Github",
"Unable to load commit detail: %(msg)s": "D awezɣi ad d-tali telqayt n usentem: %(msg)s",
"You cannot delete this message. (%(code)s)": "Ur tezmireḍ ara ad tekkseḍ izen-a. (%(code)s)",
"Destroy cross-signing keys?": "Erẓ tisura n uzmul anmidag?",
@ -1536,7 +1505,6 @@
"If you cancel now, you may lose encrypted messages & data if you lose access to your logins.": "Ma yella teffeḍ tura, ilaq ad tmedleḍ iznan & isefka yettwawgelhen ma yella tesruḥeḍ anekcum ɣer yinekcam-ik·im.",
"You will not be able to undo this change as you are promoting the user to have the same power level as yourself.": "Ur tettizmireḍ ara ad tesfesxeḍ asnifel-a acku tessebɣaseḍ aseqdac ad yesɛu aswir n tezmert am kečč·kemm.",
"Deactivating this user will log them out and prevent them from logging back in. Additionally, they will leave all the rooms they are in. This action cannot be reversed. Are you sure you want to deactivate this user?": "Asemmet n useqdac-a ad t-isuffeɣ yerna ur as-yettaǧǧa ara ad yales ad yeqqen. Daɣen, ad ffɣen akk seg texxamin ideg llan. Tigawt-a dayen ur tettwasefsax ara. S tidet tebɣiḍ ad tsemmteḍ aseqdac-a?",
"If there is additional context that would help in analysing the issue, such as what you were doing at the time, room IDs, user IDs, etc., please include those things here.": "Ma yella umnaḍ-nniḍen ara iɛawnen deg tesleḍt n wugur, am wamek akken i txeddmeḍ zik, isulay n texxamt, isulay n useqdac, atg., ttxil-k·m rnu iferdisen-a da.",
"Deleting cross-signing keys is permanent. Anyone you have verified with will see security alerts. You almost certainly don't want to do this, unless you've lost every device you can cross-sign from.": "Tukksa n tsura n uzmul anmidag ad yili i lebda. Yal amdan i tesneqdeḍ ad iwali ilɣa n tɣellist. Maca ur tebɣiḍ ara ad txedmeḍ aya, ala ma yella tesruḥeḍ ibenkan akk ara ak·akem-yeǧǧen ad tkecmeḍ seg-s.",
"To avoid losing your chat history, you must export your room keys before logging out. You will need to go back to the newer version of %(brand)s to do this": "I wakken ur tesruḥuyeḍ ara amazray n udiwenni, ilaq ad tsifḍeḍ tisura seg texxam-ik·im send ad teffɣeḍ seg tuqqna. Tesriḍ ad tuɣaleḍ ɣer lqem amaynut n %(brand)s i wakken ad tgeḍ aya",
"You've previously used a newer version of %(brand)s with this session. To use this version again with end to end encryption, you will need to sign out and back in again.": "Tesxedmeḍ yakan lqem akk aneggaru n %(brand)s s tɣimit-a. I useqdec n lqem-a i tikkelt-nniḍen s uwgelhen seg yixef ɣer yixef, tesriḍ ad teffɣeḍ syen ad talseḍ anekcum i tikkelt-nniḍen.",
@ -1588,7 +1556,6 @@
"ready": "yewjed",
"not ready": "ur yewjid ara",
"Secure Backup": "Aklas aɣellsan",
"Privacy": "Tabaḍnit",
"Not encrypted": "Ur yettwawgelhen ara",
"Room settings": "Iɣewwaṛen n texxamt",
"Take a picture": "Ṭṭef tawlaft",
@ -1768,7 +1735,6 @@
"Costa Rica": "Costa Rica",
"Afghanistan": "Afɣanistan",
"Angola": "Angula",
"Approve": "Qbel",
"Heard & McDonald Islands": "Tigzirin n Hird d Tigzirin n MakDunald",
"Puerto Rico": "Porto Rico",
"Suriname": "Surinam",
@ -1929,7 +1895,18 @@
"description": "Aglam",
"dark": "Aberkan",
"attachment": "Taceqquft yeddan",
"appearance": "Arwes"
"appearance": "Arwes",
"guest": "Anerzaf",
"legal": "Usḍif",
"credits": "Asenmer",
"faq": "Isteqsiyen FAQ",
"preferences": "Ismenyifen",
"timeline": "Amazray",
"privacy": "Tabaḍnit",
"camera": "Takamiṛatt",
"microphone": "Asawaḍ",
"emoji": "Imujit",
"space": "Tallunt"
},
"action": {
"continue": "Kemmel",
@ -1989,7 +1966,18 @@
"cancel": "Sefsex",
"back": "Uɣal ɣer deffir",
"add": "Rnu",
"accept": "Qbel"
"accept": "Qbel",
"disconnect": "Ffeɣ seg tuqqna",
"change": "Beddel",
"subscribe": "Jerred",
"unsubscribe": "Sefsex ajerred",
"approve": "Qbel",
"complete": "Yemmed",
"revoke": "Ḥwi",
"show_all": "Sken akk",
"review": "Senqed",
"restore": "Err-d",
"register": "Jerred"
},
"a11y": {
"user_menu": "Umuɣ n useqdac"
@ -2011,5 +1999,31 @@
"alt": "Alt",
"control": "Ctrl",
"shift": "Shift"
},
"composer": {
"format_bold": "Azuran",
"format_strikethrough": "Derrer",
"format_inline_code": "Tangalt",
"format_code_block": "Iḥder n tengalt"
},
"Bold": "Azuran",
"Code": "Tangalt",
"power_level": {
"default": "Amezwer",
"restricted": "Yesεa tilas",
"moderator": "Aseɣyad",
"admin": "Anedbal",
"custom": "Sagen (%(level)s)",
"mod": "Atrar"
},
"bug_reporting": {
"matrix_security_issue": "I wakken ad d-tazneḍ ugur n tɣellist i icudden ɣer Matrix, ttxil-k·m ɣer <a>tasertit n ukcaf n tɣellist</a> deg Matrix.org.",
"submit_debug_logs": "Azen iɣmisen n wabug",
"title": "Aneqqis n wabug",
"additional_context": "Ma yella umnaḍ-nniḍen ara iɛawnen deg tesleḍt n wugur, am wamek akken i txeddmeḍ zik, isulay n texxamt, isulay n useqdac, atg., ttxil-k·m rnu iferdisen-a da.",
"send_logs": "Azen iɣmisen",
"github_issue": "Ugur Github",
"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."
}
}

View file

@ -10,8 +10,6 @@
"No Webcams detected": "카메라 감지 없음",
"No media permissions": "미디어 권한 없음",
"Default Device": "기본 기기",
"Microphone": "마이크",
"Camera": "카메라",
"Advanced": "고급",
"Always show message timestamps": "항상 메시지의 시간을 보이기",
"Authentication": "인증",
@ -55,7 +53,6 @@
"Deops user with given id": "받은 ID로 사용자의 등급을 낮추기",
"Displays action": "활동 표시하기",
"Download %(text)s": "%(text)s 다운로드",
"Emoji": "이모지",
"Enter passphrase": "암호 입력",
"Error decrypting attachment": "첨부 파일 복호화 중 오류",
"Export": "내보내기",
@ -116,7 +113,6 @@
"Privileged Users": "권한 있는 사용자",
"Profile": "프로필",
"Reason": "이유",
"Register": "등록",
"Reject invitation": "초대 거절",
"Return to login screen": "로그인 화면으로 돌아가기",
"%(brand)s does not have permission to send you notifications - please check your browser settings": "%(brand)s은 알림을 보낼 권한을 가지고 있지 않습니다. 브라우저 설정을 확인해주세요",
@ -274,7 +270,6 @@
"Toolbox": "도구 상자",
"Collecting logs": "로그 수집 중",
"All Rooms": "모든 방",
"Send logs": "로그 보내기",
"All messages": "모든 메시지",
"Call invitation": "전화 초대",
"What's new?": "새로운 점은?",
@ -324,7 +319,6 @@
"%(widgetName)s widget added by %(senderName)s": "%(senderName)s님이 추가한 %(widgetName)s 위젯",
"%(widgetName)s widget removed by %(senderName)s": "%(senderName)s님이 제거한 %(widgetName)s 위젯",
"Send analytics data": "정보 분석 데이터 보내기",
"Submit debug logs": "디버그 로그 전송하기",
"Enable inline URL previews by default": "기본으로 인라인 URL 미리 보기 사용하기",
"Enable automatic language detection for syntax highlighting": "구문 강조를 위해 자동 언어 감지 사용하기",
"Automatically replace plain text Emoji": "일반 문자로 된 이모지 자동으로 변환하기",
@ -416,7 +410,6 @@
"Failed to copy": "복사 실패함",
"Stickerpack": "스티커 팩",
"You don't currently have any stickerpacks enabled": "현재 사용하고 있는 스티커 팩이 없음",
"Code": "코드",
"Filter results": "필터 결과",
"Muted Users": "음소거된 사용자",
"Delete Widget": "위젯 삭제",
@ -679,7 +672,6 @@
"The identity server you have chosen does not have any terms of service.": "고른 ID 서버가 서비스 약관을 갖고 있지 않습니다.",
"Only continue if you trust the owner of the server.": "서버의 관리자를 신뢰하는 경우에만 계속하세요.",
"Disconnect from the identity server <idserver />?": "ID 서버 <idserver />(으)로부터 연결을 끊겠습니까?",
"Disconnect": "연결 끊기",
"You are currently using <server></server> to discover and be discoverable by existing contacts you know. You can change your identity server below.": "현재 <server></server>을(를) 사용하여 알고 있는 기존 연락처 사람들을 검색하거나 사람들이 당신을 검색할 수 있습니다. 아래에서 ID 서버를 변경할 수 있습니다.",
"If you don't want to use <server /> to discover and be discoverable by existing contacts you know, enter another identity server below.": "알고 있는 기존 연락처 사람들을 검색하거나 사람들이 당신을 검색할 수 있는 <server />을(를) 쓰고 싶지 않다면, 아래에 다른 ID 서버를 입력하세요.",
"You are not currently using an identity server. To discover and be discoverable by existing contacts you know, add one below.": "현재 ID 서버를 사용하고 있지 않습니다. 알고 있는 기존 연락처 사람들을 검색하거나 사람들이 당신을 검색하려면, 아래에 하나를 추가하세요.",
@ -687,7 +679,6 @@
"Using an identity server is optional. If you choose not to use an identity server, you won't be discoverable by other users and you won't be able to invite others by email or phone.": "ID 서버를 사용하는 것은 선택입니다. ID 서버를 사용하지 않는다면, 다른 사용자에게 검색될 수 없고, 이메일과 전화번호로 다른 사람을 초대할 수 없게 됩니다.",
"Do not use an identity server": "ID 서버를 사용하지 않기",
"Enter a new identity server": "새 ID 서버 입력",
"Change": "변경",
"Email addresses": "이메일 주소",
"Phone numbers": "전화번호",
"Language and region": "언어와 나라",
@ -696,19 +687,13 @@
"General": "기본",
"Discovery": "탐색",
"Deactivate account": "계정 비활성화",
"Legal": "법적",
"Credits": "크레딧",
"For help with using %(brand)s, click <a>here</a>.": "%(brand)s 사용 중 도움이 필요하다면, <a>여기</a>를 클릭하세요.",
"For help with using %(brand)s, click <a>here</a> or start a chat with our bot using the button below.": "%(brand)s을 사용하다가 도움이 필요하다면, <a>여기</a>를 클릭하거나, 아래 버튼을 사용해 우리의 봇과 대화를 시작하세요.",
"Chat with %(brand)s Bot": "%(brand)s 봇과 대화",
"Help & About": "도움 & 정보",
"Bug reporting": "버그 신고하기",
"FAQ": "자주 묻는 질문 (FAQ)",
"Versions": "버전",
"Always show the window menu bar": "항상 윈도우 메뉴 막대에 보이기",
"Preferences": "환경 설정",
"Composer": "작성기",
"Timeline": "타임라인",
"Room list": "방 목록",
"Autocomplete delay (ms)": "자동 완성 딜레이 (ms)",
"Ignored users": "무시한 사용자",
@ -755,7 +740,6 @@
"Encrypted": "암호화됨",
"Unable to revoke sharing for email address": "이메일 주소 공유를 취소할 수 없음",
"Unable to share email address": "이메일 주소를 공유할 수 없음",
"Revoke": "취소",
"Discovery options will appear once you have added an email above.": "위에 이메일을 추가하면 검색 옵션에 나타납니다.",
"Unable to revoke sharing for phone number": "전화번호 공유를 취소할 수 없음",
"Unable to share phone number": "전화번호를 공유할 수 없음",
@ -799,7 +783,6 @@
"Room avatar": "방 아바타",
"Room Name": "방 이름",
"Room Topic": "방 주제",
"Show all": "전체 보기",
"<reactors/><reactedWith>reacted with %(shortName)s</reactedWith>": "<reactors/><reactedWith>%(shortName)s으로 리액션함</reactedWith>",
"Edited at %(date)s. Click to view edits.": "%(date)s에 편집함. 클릭해서 편집 보기.",
"edited": "편집됨",
@ -829,9 +812,7 @@
"Invite anyway": "무시하고 초대",
"Please tell us what went wrong or, better, create a GitHub issue that describes the problem.": "무엇이 잘못되거나 더 나은 지 알려주세요, 문제를 설명하는 GitHub 이슈를 만들어주세요.",
"Before submitting logs, you must <a>create a GitHub issue</a> to describe your problem.": "로그를 전송하기 전에, 문제를 설명하는 <a>GitHub 이슈를 만들어야 합니다</a>.",
"GitHub issue": "GitHub 이슈",
"Notes": "참고",
"If there is additional context that would help in analysing the issue, such as what you were doing at the time, room IDs, user IDs, etc., please include those things here.": "언제, 방 ID, 사용자 ID 등, 문제 분석에 도움이 되는 추가 문맥이 있다면, 그것들도 여기에 포함해주세요.",
"Unable to load commit detail: %(msg)s": "커밋 세부 정보를 불러올 수 없음: %(msg)s",
"Removing…": "제거 중…",
"Clear all data": "모든 데이터 지우기",
@ -912,7 +893,6 @@
"other": "이 방의 이전 버전에서 읽지 않은 %(count)s개의 알림이 있습니다.",
"one": "이 방의 이전 버전에서 읽지 않은 %(count)s개의 알림이 있습니다."
},
"Guest": "손님",
"Could not load user profile": "사용자 프로필을 불러올 수 없음",
"Your password has been reset.": "비밀번호가 초기화되었습니다.",
"Invalid homeserver discovery response": "잘못된 홈서버 검색 응답",
@ -970,10 +950,7 @@
"Share this email in Settings to receive invites directly in %(brand)s.": "설정에서 이 이메일을 공유해서 %(brand)s에서 직접 초대를 받을 수 있습니다.",
"Error changing power level": "권한 등급 변경 중 오류",
"An error occurred changing the user's power level. Ensure you have sufficient permissions and try again.": "사용자의 권한 등급을 변경하는 중 오류가 발생했습니다. 변경할 수 있는 권한이 있는 지 확인한 후 다시 시도하세요.",
"Bold": "굵게",
"Italics": "기울게",
"Strikethrough": "취소선",
"Code block": "코드 블록",
"Change identity server": "ID 서버 변경",
"Disconnect from the identity server <current /> and connect to <new /> instead?": "현재 ID 서버 <current />와의 연결을 끊고 새 ID 서버 <new />에 연결하겠습니까?",
"Disconnect identity server": "ID 서버 연결 끊기",
@ -997,7 +974,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.": "이 메시지를 신고하면 고유 '이벤트 ID'를 홈서버의 관리자에게 보내게 됩니다. 이 방의 메시지가 암호화되어 있다면, 홈서버 관리자는 메시지 문자를 읽거나 파일 혹은 사진을 볼 수 없습니다.",
"Send report": "신고 보내기",
"Verify the link in your inbox": "메일함에 있는 링크로 확인",
"Complete": "완료",
"Read Marker lifetime (ms)": "이전 대화 경계선 표시 시간 (ms)",
"Read Marker off-screen lifetime (ms)": "이전 대화 경계선 사라지는 시간 (ms)",
"Changes the avatar of the current room": "현재 방의 아바타 변경하기",
@ -1085,12 +1061,10 @@
"You have not ignored anyone.": "아무도 무시하고 있지 않습니다.",
"You are currently ignoring:": "현재 무시하고 있음:",
"You are not subscribed to any lists": "어느 목록에도 구독하고 있지 않습니다",
"Unsubscribe": "구독 해제",
"View rules": "규칙 보기",
"You are currently subscribed to:": "현재 구독 중임:",
"⚠ These settings are meant for advanced users.": "⚠ 이 설정은 고급 사용자를 위한 것입니다.",
"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>@bot:*</code>이라면 모든 서버에서 'bot'이라는 문자를 가진 이름의 모든 사용자를 무시합니다.",
"Custom (%(level)s)": "맞춤 (%(level)s)",
"Ignoring people is done through ban lists which contain rules for who to ban. Subscribing to a ban list means the users/servers blocked by that list will be hidden from you.": "차단당하는 사람은 규칙에 따라 차단 목록을 통해 무시됩니다. 차단 목록을 구독하면 그 목록에서 차단당한 사용자/서버를 당신으로부터 감추게됩니다.",
"Personal ban list": "개인 차단 목록",
"Server or user ID to ignore": "무시할 서버 또는 사용자 ID",
@ -1098,7 +1072,6 @@
"Subscribed lists": "구독 목록",
"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.": "이것을 원한 것이 아니라면, 사용자를 무시하는 다른 도구를 사용해주세요.",
"Subscribe": "구독",
"Trusted": "신뢰함",
"Not trusted": "신뢰하지 않음",
"Messages in this room are end-to-end encrypted.": "이 방의 메시지는 종단간 암호화되었습니다.",
@ -1341,7 +1314,16 @@
"description": "설명",
"dark": "다크",
"attachment": "첨부 파일",
"appearance": "모습"
"appearance": "모습",
"guest": "손님",
"legal": "법적",
"credits": "크레딧",
"faq": "자주 묻는 질문 (FAQ)",
"preferences": "환경 설정",
"timeline": "타임라인",
"camera": "카메라",
"microphone": "마이크",
"emoji": "이모지"
},
"action": {
"continue": "계속하기",
@ -1393,7 +1375,15 @@
"cancel": "취소",
"back": "돌아가기",
"add": "추가",
"accept": "수락"
"accept": "수락",
"disconnect": "연결 끊기",
"change": "변경",
"subscribe": "구독",
"unsubscribe": "구독 해제",
"complete": "완료",
"revoke": "취소",
"show_all": "전체 보기",
"register": "등록"
},
"labs": {
"pinning": "메시지 고정",
@ -1401,5 +1391,28 @@
},
"keyboard": {
"home": "홈"
},
"composer": {
"format_bold": "굵게",
"format_strikethrough": "취소선",
"format_inline_code": "코드",
"format_code_block": "코드 블록"
},
"Bold": "굵게",
"Code": "코드",
"power_level": {
"default": "기본",
"restricted": "제한됨",
"moderator": "조정자",
"admin": "관리자",
"custom": "맞춤 (%(level)s)"
},
"bug_reporting": {
"submit_debug_logs": "디버그 로그 전송하기",
"title": "버그 신고하기",
"additional_context": "언제, 방 ID, 사용자 ID 등, 문제 분석에 도움이 되는 추가 문맥이 있다면, 그것들도 여기에 포함해주세요.",
"send_logs": "로그 보내기",
"github_issue": "GitHub 이슈",
"before_submitting": "로그를 전송하기 전에, 문제를 설명하는 <a>GitHub 이슈를 만들어야 합니다</a>."
}
}

View file

@ -273,7 +273,6 @@
"Failed to invite users to %(roomName)s": "ໃນການເຊີນຜູ້ໃຊ້ໄປຫາ %(roomName)s ບໍ່ສຳເລັດ",
"Operation failed": "ການດໍາເນີນງານບໍ່ສຳເລັດ",
"Failed to invite": "ການເຊີນບໍ່ສຳເລັດ",
"Custom (%(level)s)": "ກຳນົດ(%(level)s)ເອງ",
"Admin": "ບໍລິຫານ",
"Moderator": "ຜູ້ດຳເນິນລາຍການ",
"Restricted": "ຖືກຈຳກັດ",
@ -394,8 +393,6 @@
"Unable to share phone number": "ບໍ່ສາມາດແບ່ງປັນເບີໂທລະສັບໄດ້",
"Unable to revoke sharing for phone number": "ບໍ່ສາມາດຖອນການແບ່ງປັນສຳລັບເບີໂທລະສັບໄດ້",
"Discovery options will appear once you have added an email above.": "ຕົວເລືອກການຄົ້ນພົບຈະປາກົດຂຶ້ນເມື່ອທ່ານໄດ້ເພີ່ມອີເມວຂ້າງເທິງ.",
"Revoke": "ຖອນຄືນ",
"Complete": "ສໍາເລັດ",
"Verify the link in your inbox": "ຢືນຢັນການເຊື່ອມຕໍ່ໃນ inbox ຂອງທ່ານ",
"Unable to verify email address.": "ບໍ່ສາມາດຢັ້ງຢືນທີ່ຢູ່ອີເມວໄດ້.",
"Click the link in the email you received to verify and then click continue again.": "ກົດທີ່ລິ້ງໃນອີເມວທີ່ທ່ານໄດ້ຮັບເພື່ອກວດສອບ ແລະ ຈາກນັ້ນກົດສືບຕໍ່ອີກຄັ້ງ.",
@ -487,9 +484,7 @@
"This room is not accessible by remote Matrix servers": "ຫ້ອງນີ້ບໍ່ສາມາດເຂົ້າເຖິງໄດ້ໂດຍເຊີບເວີ Matrix ໄລຍະໄກ",
"Voice & Video": "ສຽງ & ວິດີໂອ",
"No Webcams detected": "ບໍ່ພົບ Webcam",
"Camera": "ກ້ອງຖ່າຍຮູບ",
"No Microphones detected": "ບໍ່ພົບໄມໂຄຣໂຟນ",
"Microphone": "ໄມໂຄຣໂຟນ",
"No Audio Outputs detected": "ບໍ່ພົບສຽງອອກ",
"Audio Output": "ສຽງອອກ",
"Request media permissions": "ຮ້ອງຂໍການອະນຸຍາດສື່ມວນຊົນ",
@ -507,7 +502,6 @@
"Spaces to show": "ພຶ້ນທີ່ຈະສະແດງ",
"Sidebar": "ແຖບດ້ານຂ້າງ",
"Share anonymous data to help us identify issues. Nothing personal. No third parties.": "ແບ່ງປັນຂໍ້ມູນທີ່ບໍ່ເປີດເຜີຍຊື່ເພື່ອຊ່ວຍໃຫ້ພວກເຮົາລະບຸບັນຫາ. ບໍ່ມີຫຍັງເປັນສ່ວນຕົວ. ບໍ່ມີພາກສ່ວນທີສາມ.",
"Privacy": "ຄວາມເປັນສ່ວນຕົວ",
"Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "ຜູ້ຄຸມເຊີບເວີຂອງທ່ານໄດ້ປິດການນຳໃຊ້ການເຂົ້າລະຫັດແບບຕົ້ນທາງຮອດປາຍທາງໂດຍຄ່າເລີ່ມຕົ້ນໃນຫ້ອງສ່ວນຕົວ ແລະ ຂໍ້ຄວາມໂດຍກົງ.",
"Cross-signing": "ການເຂົ້າລະຫັດແບບໄຂ້ວ",
"Message search": "ຄົ້ນຫາຂໍ້ຄວາມ",
@ -520,7 +514,6 @@
"Read Marker off-screen lifetime (ms)": "ອ່ານອາຍຸການໃຊ້ງານຂອງໜ້າຈໍ (ມິລິວິນາທີ)",
"Read Marker lifetime (ms)": "ອ່ານອາຍຸ ການໃຊ້ງານຂອງເຄື່ອງຫມາຍ. (ມິນລິວິນາທີ)",
"Autocomplete delay (ms)": "ການຕື່ມຂໍ້ມູນອັດຕະໂນມັດຊັກຊ້າ (ms)",
"Timeline": "ທາມລາຍ",
"Images, GIFs and videos": "ຮູບພາບ, GIF ແລະ ວິດີໂອ",
"Code blocks": "ບລັອກລະຫັດ",
"Composer": "ນັກປະພັນ",
@ -528,12 +521,10 @@
"To view all keyboard shortcuts, <a>click here</a>.": "ເພື່ອເບິ່ງປຸ່ມລັດທັງໝົດ, <a>ຄລິກທີ່ນີ້</a>.",
"Keyboard shortcuts": "ປຸ່ມລັດ",
"Room list": "ລາຍຊື່ຫ້ອງ",
"Preferences": "ການຕັ້ງຄ່າ",
"Show tray icon and minimise window to it on close": "ສະແດງໄອຄອນ ແລະ ຫຍໍ້ຫນ້າຕ່າງໃຫ້ມັນຢູ່ໃກ້",
"Always show the window menu bar": "ສະແດງແຖບເມນູໜ້າຕ່າງສະເໝີ",
"Warn before quitting": "ເຕືອນກ່ອນຢຸດຕິ",
"Start automatically after system login": "ເລີ່ມອັດຕະໂນມັດຫຼັງຈາກເຂົ້າສູ່ລະບົບ",
"Subscribe": "ຕິດຕາມ",
"Room ID or address of ban list": "IDຫ້ອງ ຫຼື ທີ່ຢູ່ຂອງລາຍການຫ້າມ",
"If this isn't what you want, please use a different tool to ignore users.": "ຖ້າສິ່ງນີ້ບໍ່ແມ່ນສິ່ງທີ່ທ່ານຕ້ອງການ, ກະລຸນາໃຊ້ເຄື່ອງມືອື່ນເພື່ອລະເວັ້ນຜູ້ໃຊ້.",
"Subscribed lists": "ລາຍຊື່ທີ່ສະໝັກແລ້ວ",
@ -545,7 +536,6 @@
"Ignored users": "ຜູ້ໃຊ້ຖືກຍົກເວັ້ນ",
"You are currently subscribed to:": "ປະຈຸບັນທ່ານສະໝັກໃຊ້:",
"View rules": "ເບິ່ງກົດລະບຽບ",
"Unsubscribe": "ເຊົາຕິດຕາມ",
"You are not subscribed to any lists": "ເຈົ້າຍັງບໍ່ໄດ້ສະໝັກໃຊ້ລາຍການໃດໆ",
"You are currently ignoring:": "ຕອນນີ້ທ່ານກຳລັງລະເລີຍ:",
"You have not ignored anyone.": "ເຈົ້າຍັງບໍ່ໄດ້ລະເລີຍຜູ້ໃດຜູ້ໜຶ່ງ.",
@ -564,9 +554,7 @@
"Keyboard": "ແປ້ນພິມ",
"Clear cache and reload": "ລຶບ cache ແລະ ໂຫຼດໃຫມ່",
"Your access token gives full access to your account. Do not share it with anyone.": "ການເຂົ້າເຖິງໂທເຄັນຂອງທ່ານເປັນການເຂົ້າເຖິງບັນຊີຂອງທ່ານຢ່າງເຕັມທີ່. ຢ່າແບ່ງປັນໃຫ້ຄົນອຶ່ນ.",
"Access Token": "ເຂົ້າເຖິງToken",
"Versions": "ເວິຊັ້ນ",
"FAQ": "ຄໍາຖາມທີ່ພົບເປັນປະຈໍາ",
"Cross-signing public keys:": "ກະແຈສາທາລະນະທີ່ມີ Cross-signing:",
"Cross-signing is not set up.": "ບໍ່ໄດ້ຕັ້ງຄ່າ Cross-signing.",
"Your account has a cross-signing identity in secret storage, but it is not yet trusted by this session.": "ບັນຊີຂອງທ່ານມີຂໍ້ມູນແບບ cross-signing ໃນການເກັບຮັກສາຄວາມລັບ, ແຕ່ວ່າຍັງບໍ່ມີຄວາມເຊື່ອຖືໃນລະບົບນີ້.",
@ -670,8 +658,6 @@
"Thumbs up": "ຍົກໂປ້",
"Santa": "ຊານຕາ",
"Ready": "ຄວາມພ້ອມ/ພ້ອມ",
"Code block": "ບລັອກລະຫັດ",
"Strikethrough": "ບຸກທະລຸ",
"Italics": "ໂຕໜັງສືອຽງ",
"Home options": "ຕົວເລືອກໜ້າຫຼັກ",
"%(spaceName)s menu": "ເມນູ %(spaceName)s",
@ -703,7 +689,6 @@
"Unable to start audio streaming.": "ບໍ່ສາມາດເລີ່ມການຖ່າຍທອດສຽງໄດ້.",
"Thread options": "ຕົວເລືອກກະທູ້",
"Manage & explore rooms": "ຈັດການ ແລະ ສຳຫຼວດຫ້ອງ",
"Space": "ຍະຫວ່າງ",
"See room timeline (devtools)": "ເບິ່ງທາມລາຍຫ້ອງ (devtools)",
"Mentions only": "ກ່າວເຖິງເທົ່ານັ້ນ",
"Forget": "ລືມ",
@ -947,8 +932,6 @@
"What do you want to organise?": "ທ່ານຕ້ອງການຈັດບໍ?",
"Skip for now": "ຂ້າມໄປດຽວນີ້",
"Failed to create initial space rooms": "ການສ້າງພື້ນທີ່ຫ້ອງເບື້ອງຕົ້ນບໍ່ສຳເລັດ",
"Support": "ສະຫນັບສະຫນູນ",
"Random": "ສຸ່ມ",
"Welcome to <name/>": "ຍິນດີຕ້ອນຮັບສູ່ <name/>",
"<inviter/> invites you": "<inviter/> ເຊີນທ່ານ",
"Private space": "ພື້ນທີ່ສ່ວນຕົວ",
@ -1254,7 +1237,6 @@
"Store your Security Key somewhere safe, like a password manager or a safe, as it's used to safeguard your encrypted data.": "ການເກັບຮັກສາກະແຈຄວາມປອດໄພຂອງທ່ານໄວ້ບ່ອນໃດບ່ອນໜຶ່ງທີ່ປອດໄພ ເຊັ່ນ: ຕົວຈັດການລະຫັດຜ່ານ ຫຼືບ່ອນປອດໄພ ເພາະຈະຖືກໃຊ້ເພື່ອປົກປ້ອງຂໍ້ມູນທີ່ເຂົ້າລະຫັດໄວ້ຂອງທ່ານ.",
"Upgrade this session to allow it to verify other sessions, granting them access to encrypted messages and marking them as trusted for other users.": "ປັບປຸງລະບົບນີ້ເພື່ອໃຫ້ມັນກວດສອບລະບົບອື່ນ, ອະນຸຍາດໃຫ້ພວກເຂົາເຂົ້າເຖິງຂໍ້ຄວາມທີ່ຖືກເຂົ້າລະຫັດ ແລະເປັນເຄື່ອງໝາຍໃຫ້ເປັນທີ່ເຊື່ອຖືໄດ້ສໍາລັບຜູ້ໃຊ້ອື່ນ.",
"You'll need to authenticate with the server to confirm the upgrade.": "ທ່ານຈະຕ້ອງພິສູດຢືນຢັນກັບເຊີບເວີເພື່ອຢືນຢັນການປັບປຸງ.",
"Restore": "ກູ້ຄືນ",
"Restore your key backup to upgrade your encryption": "ກູ້ຄືນການສຳຮອງຂໍ້ມູນກະແຈຂອງທ່ານເພື່ອຍົກລະດັບການເຂົ້າລະຫັດຂອງທ່ານ",
"Enter your account password to confirm the upgrade:": "ໃສ່ລະຫັດຜ່ານບັນຊີຂອງທ່ານເພື່ອຢືນຢັນການຍົກລະດັບ:",
"Safeguard against losing access to encrypted messages & data by backing up encryption keys on your server.": "ປ້ອງກັນການສູນເສຍການເຂົ້າເຖິງຂໍ້ຄວາມ & ຂໍ້ມູນທີ່ຖືກເຂົ້າລະຫັດໂດຍການສໍາຮອງລະຫັດການເຂົ້າລະຫັດຢູ່ໃນເຊີບເວີຂອງທ່ານ.",
@ -1591,7 +1573,6 @@
"other": "ຈັດເກັບຂໍ້ຄວາມທີ່ຖືກເຂົ້າລະຫັດໄວ້ຢ່າງປອດໄພຢູ່ໃນເຄື່ອງເພື່ອໃຫ້ປາກົດໃນຜົນການຊອກຫາ, ໂດຍໃຊ້ %(size)s ເພື່ອເກັບຂໍ້ຄວາມຈາກ %(rooms)s ຫ້ອງ."
},
"Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "ຢືນຢັນແຕ່ລະລະບົບທີ່ໃຊ້ໂດຍຜູ້ໃຊ້ເພື່ອໝາຍວ່າເປັນທີ່ໜ້າເຊື່ອຖືໄດ້, ບໍ່ໄວ້ໃຈອຸປະກອນທີ່ cross-signed.",
"Rename": "ປ່ຽນຊື່",
"Display Name": "ຊື່ສະແດງ",
"Failed to set display name": "ກຳນົດການສະເເດງຊື່ບໍ່ສຳເລັດ",
"Reset event store": "ກູ້ຄືນທີ່ຈັດເກັບ",
@ -1612,15 +1593,12 @@
"You must <a>register</a> to use this functionality": "ທ່ານຕ້ອງ <a>ລົງທະບຽນ</a> ເພື່ອໃຊ້ຟັງຊັນນີ້",
"Drop file here to upload": "ວາງໄຟລ໌ໄວ້ບ່ອນນີ້ເພື່ອອັບໂຫລດ",
"Couldn't load page": "ບໍ່ສາມາດໂຫຼດໜ້າໄດ້",
"Play": "ຫຼິ້ນ",
"Pause": "ຢຸດຊົ່ວຄາວ",
"Error downloading audio": "ເກີດຄວາມຜິດພາດໃນການດາວໂຫຼດສຽງ",
"Unnamed audio": "ສຽງບໍ່ມີຊື່",
"Sign in with SSO": "ເຂົ້າສູ່ລະບົບດ້ວຍປະຕຸດຽວ ( SSO)",
"Use email to optionally be discoverable by existing contacts.": "ໃຊ້ອີເມລ໌ເພື່ອເປັນທາງເລືອກໃຫ້ຜູ້ຕິດຕໍ່ທີ່ມີຢູ່ແລ້ວສາມາດຄົ້ນຫາໄດ້.",
"Use email or phone to optionally be discoverable by existing contacts.": "ໃຊ້ອີເມລ໌ ຫຼື ໂທລະສັບເພື່ອຜູ້ຕິດຕໍ່ທີ່ມີຢູ່ແລ້ວຄົ້ນຫາໄດ້.",
"Add an email to be able to reset your password.": "ເພີ່ມອີເມວເພື່ອສາມາດກູ້ຄືນລະຫັດຜ່ານຂອງທ່ານໄດ້.",
"Register": "ລົງທະບຽນ",
"Phone (optional)": "ໂທລະສັບ (ທາງເລືອກ)",
"Someone already has that username. Try another or if it is you, sign in below.": "ບາງຄົນມີຊື່ຜູ້ໃຊ້ນັ້ນແລ້ວ. ລອງທາງອື່ນ ຫຼື ຖ້າມັນແມ່ນຕົວເຈົ້າ, ເຂົ້າສູ່ລະບົບຂ້າງລຸ່ມນີ້.",
"Unable to check if username has been taken. Try again later.": "ບໍ່ສາມາດກວດສອບໄດ້ວ່າຊື່ຜູ້ໃຊ້ໄດ້ຖືກນຳໄປໃຊ້. ລອງໃໝ່ໃນພາຍຫຼັງ.",
@ -1640,7 +1618,6 @@
"Start authentication": "ເລີ່ມການພິສູດຢືນຢັນ",
"Something went wrong in confirming your identity. Cancel and try again.": "ມີບາງຢ່າງຜິດພາດໃນການຢືນຢັນຕົວຕົນຂອງທ່ານ. ຍົກເລີກແລ້ວລອງໃໝ່.",
"Submit": "ສົ່ງ",
"Code": "ລະຫັດ",
"Please enter the code it contains:": "ກະລຸນາໃສ່ລະຫັດທີ່ມີຢູ່:",
"A text message has been sent to %(msisdn)s": "ຂໍ້ຄວາມໄດ້ຖືກສົ່ງໄປຫາ %(msisdn)s",
"Token incorrect": "ໂທເຄັນບໍ່ຖືກຕ້ອງ",
@ -1727,7 +1704,6 @@
"Allow this widget to verify your identity": "ອະນຸຍາດໃຫ້ widget ນີ້ຢືນຢັນຕົວຕົນຂອງທ່ານ",
"Remember my selection for this widget": "ຈື່ການເລືອກຂອງຂ້ອຍສໍາລັບ widget ນີ້",
"Decline All": "ປະຕິເສດທັງໝົດ",
"Approve": "ອະນຸມັດ",
"This widget would like to:": "widget ນີ້ຕ້ອງການ:",
"Approve widget permissions": "ອະນຸມັດການອະນຸຍາດ widget",
"Verification Request": "ການຮ້ອງຂໍການຢັ້ງຢືນ",
@ -2267,7 +2243,6 @@
"Message deleted on %(date)s": "ຂໍ້ຄວາມຖືກລຶບເມື່ອ %(date)s",
"<reactors/><reactedWith>reacted with %(shortName)s</reactedWith>": "<reactors/><reactedWith>ປະຕິກິລິຍາດ້ວຍ %(shortName)s</reactedWith>",
"%(reactors)s reacted with %(content)s": "%(reactors)sປະຕິກິລິຍາກັບ %(content)s",
"Show all": "ສະແດງທັງໝົດ",
"Add reaction": "ເພີ່ມການຕອບໂຕ້",
"Error processing voice message": "ການປະມວນຜົນຂໍ້ຄວາມສຽງຜິດພາດ",
"Error decrypting video": "ການຖອດລະຫັດວິດີໂອຜິດພາດ",
@ -2312,7 +2287,6 @@
"Please contact your homeserver administrator.": "ກະລຸນາຕິດຕໍ່ຜູ້ຄຸ້ມຄອງເຊີບເວີຂອງທ່ານ.",
"Sorry, your homeserver is too old to participate here.": "ຂໍອະໄພ, homeserverຂອງທ່ານເກົ່າເກີນໄປທີ່ຈະເຂົ້າຮ່ວມທີ່ນີ້.",
"There was an error joining.": "ເກີດຄວາມຜິດພາດໃນການເຂົ້າຮ່ວມ.",
"Guest": "ແຂກ",
"New version of %(brand)s is available": "ເວີຊັນໃໝ່ຂອງ %(brand)s ພ້ອມໃຊ້ງານ",
"Update %(brand)s": "ອັບເດດ %(brand)s",
"What's New": "ມີຫຍັງໃຫມ່",
@ -2340,7 +2314,6 @@
"Notifications": "ການແຈ້ງເຕືອນ",
"Don't miss a reply": "ຢ່າພາດການຕອບກັບ",
"Later": "ຕໍ່ມາ",
"Review": "ທົບທວນຄືນ",
"Review to ensure your account is safe": "ກວດສອບໃຫ້ແນ່ໃຈວ່າບັນຊີຂອງທ່ານປອດໄພ",
"Share anonymous data to help us identify issues. Nothing personal. No third parties. <LearnMoreLink>Learn More</LearnMoreLink>": "ແບ່ງປັນຂໍ້ມູນທີ່ບໍ່ເປີດເຜີຍຊື່ເພື່ອຊ່ວຍພວກເຮົາລະບຸບັນຫາ. ບໍ່ມີຫຍັງສ່ວນຕົວ. ບໍ່ມີຄົນທີສາມ. <LearnMoreLink>ສຶກສາເພີ່ມເຕີມ</LearnMoreLink>",
"You previously consented to share anonymous usage data with us. We're updating how that works.": "ກ່ອນໜ້ານີ້ທ່ານໄດ້ຍິນຍອມທີ່ຈະແບ່ງປັນຂໍ້ມູນການນຳໃຊ້ທີ່ບໍ່ເປີດເຜີຍຊື່ກັບພວກເຮົາ. ພວກເຮົາກຳລັງອັບເດດວິທີການເຮັດວຽກນັ້ນ.",
@ -2535,7 +2508,6 @@
"Mute microphone": "ປິດສຽງໄມໂຄຣໂຟນ",
"Audio devices": "ອຸປະກອນສຽງ",
"Dial": "ໂທ",
"%(date)s at %(time)s": "%(date)s at %(time)s",
"%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s": "%(weekDayName)s, %(monthName)s%(day)s%(fullYear)s%(time)s",
"%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s",
"Tuesday": "ວັນອັງຄານ",
@ -2739,7 +2711,6 @@
"Manage integrations": "ຈັດການການເຊື່ອມໂຍງ",
"Use an integration manager to manage bots, widgets, and sticker packs.": "ໃຊ້ຕົວຈັດການການເຊື່ອມໂຍງເພື່ອຈັດການ bots, widget, ແລະຊຸດສະຕິກເກີ.",
"Use an integration manager <b>(%(serverName)s)</b> to manage bots, widgets, and sticker packs.": "ໃຊ້ຕົວຈັດການການເຊື່ອມໂຍງ <b>(%(serverName)s)</b> ເພື່ອຈັດການບັອດ, widgets, ແລະ ຊຸດສະຕິກເກີ.",
"Change": "ປ່ຽນແປງ",
"Enter a new identity server": "ໃສ່ເຊີບເວີໃໝ່",
"Do not use an identity server": "ກະລຸນນາຢ່າໃຊ້ເຊີບເວີລະບຸຕົວຕົນ",
"Using an identity server is optional. If you choose not to use an identity server, you won't be discoverable by other users and you won't be able to invite others by email or phone.": "ການນໍາໃຊ້ຕົວເຊີບເວີເປັນທາງເລືອກ. ຖ້າທ່ານເລືອກທີ່ຈະບໍ່ໃຊ້ຕົວເຊີບເວີ, ທ່ານຈະບໍ່ຖືກຄົ້ນພົບໂດຍຜູ້ໃຊ້ອື່ນ ແລະ ທ່ານຈະບໍ່ສາມາດເຊີນຜູ້ອື່ນໂດຍອີເມລ໌ຫຼືໂທລະສັບ.",
@ -2765,7 +2736,6 @@
"check your browser plugins for anything that might block the identity server (such as Privacy Badger)": "ກວດເບິ່ງ plugins ຂອງບ່ໜາວເຊີຂອງທ່ານສໍາລັບສິ່ງໃດແດ່ທີ່ອາດຈະກີດກັ້ນເຊີບເວີ (ເຊັ່ນ: ຄວາມເປັນສ່ວນຕົວ Badger)",
"You should:": "ທ່ານຄວນ:",
"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 /> ຢູ່ໃນຂະນະອອບລາຍຢູ່ ຫຼືບໍ່ສາມາດຕິດຕໍ່ໄດ້.",
"Disconnect": "ຕັດການເຊື່ອມຕໍ່",
"Disconnect from the identity server <idserver />?": "ຕັດການເຊື່ອມຕໍ່ຈາກເຊີບເວີ <idserver />?",
"Disconnect identity server": "ຕັດການເຊື່ອມຕໍ່ເຊີບເວີ",
"The identity server you have chosen does not have any terms of service.": "ເຊີບທີ່ທ່ານເລືອກບໍ່ມີເງື່ອນໄຂການບໍລິການໃດໆ.",
@ -2942,15 +2912,9 @@
"Failed to upgrade room": "ຍົກລະດັບຫ້ອງບໍ່ສຳເລັດ",
"Help & About": "ຊ່ວຍເຫຼືອ & ກ່ຽວກັບ",
"To report a Matrix-related security issue, please read the Matrix.org <a>Security Disclosure Policy</a>.": "ເພື່ອລາຍງານບັນຫາຄວາມປອດໄພທີ່ກ່ຽວຂ້ອງກັບ Matrix, ກະລຸນາອ່ານ <a>ນະໂຍບາຍການເປີດເຜີຍຄວາມປອດໄພ</a> Matrix.org.",
"Submit debug logs": "ສົ່ງບັນທຶກການແກ້ໄຂບັນຫາ",
"Debug logs contain application usage data including your username, the IDs or aliases of the rooms you have visited, which UI elements you last interacted with, and the usernames of other users. They do not contain messages.": "ບັນທຶກຂໍ້ຜິດພາດຂໍ້ມູນການນຳໃຊ້ແອັບພລິເຄຊັນ ລວມທັງຊື່ຜູ້ໃຊ້ຂອງທ່ານ, ID ຫຼືນາມແຝງຂອງຫ້ອງທີ່ທ່ານໄດ້ເຂົ້າເບິ່ງ, ເຊິ່ງອົງປະກອບ UI ທີ່ທ່ານໂຕ້ຕອບກັບຫຼ້າສຸດ, ແລະ ຊື່ຜູ້ໃຊ້ຂອງຜູ່ໃຊ້ອື່ນໆທີ່ບໍ່ມີຂໍ້ຄວາມ.",
"If you've submitted a bug via GitHub, debug logs can help us track down the problem. ": "ຖ້າທ່ານໄດ້ສົ່ງຂໍ້ບົກພ່ອງຜ່ານ GitHub, ບັນທຶກການຂໍ້ຜິດພາດສາມາດຊ່ວຍພວກເຮົາຕິດຕາມບັນຫາໄດ້. ",
"Bug reporting": "ລາຍງານຂໍ້ຜິດພາດ",
"Chat with %(brand)s Bot": "ສົນທະນາກັບ %(brand)s Bot",
"For help with using %(brand)s, click <a>here</a> or start a chat with our bot using the button below.": "ສໍາລັບການຊ່ວຍເຫຼືອໃນການນໍາໃຊ້ %(brand)s, ກົດ <a>ທີ່ນີ້</a> ຫຼືເລີ່ມການສົນທະນາກັບ bot ຂອງພວກເຮົາໂດຍໃຊ້ປຸ່ມຂ້າງລຸ່ມນີ້.",
"For help with using %(brand)s, click <a>here</a>.": "ສໍາລັບການຊ່ວຍເຫຼືອໃນການນໍາໃຊ້ %(brand)s, ກົດ <a>ທີ່ນີ້</a>.",
"Credits": "ສິນເຊື່ອ",
"Legal": "ຖືກກົດໝາຍ",
"Clear all data in this session?": "ລຶບລ້າງຂໍ້ມູນທັງໝົດໃນລະບົບນີ້ບໍ?",
"Reason (optional)": "ເຫດຜົນ (ທາງເລືອກ)",
"Confirm Removal": "ຢືນຢັນການລຶບອອກ",
@ -2973,11 +2937,7 @@
"Remove recent messages by %(user)s": "ລຶບຂໍ້ຄວາມຫຼ້າສຸດໂດຍ %(user)s",
"Try scrolling up in the timeline to see if there are any earlier ones.": "ລອງເລື່ອນຂຶ້ນໃນທາມລາຍເພື່ອເບິ່ງວ່າມີອັນໃດກ່ອນໜ້ານີ້.",
"No recent messages by %(user)s found": "ບໍ່ພົບຂໍ້ຄວາມຫຼ້າສຸດໂດຍ %(user)s",
"Send logs": "ສົ່ງບັນທຶກ",
"If there is additional context that would help in analysing the issue, such as what you were doing at the time, room IDs, user IDs, etc., please include those things here.": "ຖ້າມີເນື້ອຫາເພີ່ມເຕີມທີ່ຈະຊ່ວຍໃນການວິເຄາະບັນຫາ, ເຊັ່ນວ່າທ່ານກໍາລັງເຮັດຫຍັງໃນເວລານັ້ນ, ID ຫ້ອງ, ID ຜູ້ໃຊ້, ແລະອື່ນໆ, ກະລຸນາລວມສິ່ງເຫຼົ່ານັ້ນຢູ່ທີ່ນີ້.",
"Notes": "ບັນທຶກ",
"GitHub issue": "ບັນຫາ GitHub",
"Download logs": "ບັນທຶກການດາວໂຫຼດ",
"Before submitting logs, you must <a>create a GitHub issue</a> to describe your problem.": "ກ່ອນທີ່ຈະສົ່ງບັນທຶກ, ທ່ານຕ້ອງ <a>ສ້າງບັນຫາ GitHub</a> ເພື່ອອະທິບາຍບັນຫາຂອງທ່ານ.",
"Reminder: Your browser is unsupported, so your experience may be unpredictable.": "ແຈ້ງເຕືອນ: ບຼາວເຊີຂອງທ່ານບໍ່ຮອງຮັບ, ດັ່ງນັ້ນປະສົບການຂອງທ່ານຈຶ່ງຄາດເດົາບໍ່ໄດ້.",
"Preparing to download logs": "ກຳລັງກະກຽມດາວໂຫຼດບັນທຶກ",
@ -2995,7 +2955,6 @@
},
"Scroll to most recent messages": "ເລື່ອນໄປຫາຂໍ້ຄວາມຫຼ້າສຸດ",
"You can't see earlier messages": "ທ່ານບໍ່ສາມາດເຫັນຂໍ້ຄວາມກ່ອນໜ້ານີ້",
"Mod": "ກາປັບປ່ຽນ",
"Once enabled, encryption for a room cannot be disabled. Messages sent in an encrypted room cannot be seen by the server, only by the participants of the room. Enabling encryption may prevent many bots and bridges from working correctly. <a>Learn more about encryption.</a>": "ເມື່ອເປີດໃຊ້ແລ້ວ, ການເຂົ້າລະຫັດລັບຂອງຫ້ອງບໍ່ສາມາດປິດໃຊ້ງານໄດ້. ຂໍ້ຄວາມທີ່ສົ່ງຢູ່ໃນຫ້ອງທີ່ເຂົ້າລະຫັດບໍ່ສາມາດເຫັນໄດ້ໂດຍເຊີບເວີ, ສະເພາະແຕ່ຜູ້ເຂົ້າຮ່ວມຂອງຫ້ອງເທົ່ານັ້ນ. ການເປີດໃຊ້ການເຂົ້າລະຫັດອາດຈະເຮັດໃຫ້ bots ແລະ bridges ຈໍານວນຫຼາຍເຮັດວຽກບໍ່ຖືກຕ້ອງ. <a>ສຶກສາເພີ່ມເຕີມກ່ຽວກັບການເຂົ້າລະຫັດ.</a>",
"Enable encryption?": "ເປີດໃຊ້ງານການເຂົ້າລະຫັດບໍ?",
"To avoid these issues, create a <a>new encrypted room</a> for the conversation you plan to have.": "ເພື່ອຫຼີກລ້ຽງບັນຫາເຫຼົ່ານີ້, ສ້າງ <a>ຫ້ອງເຂົ້າລະຫັດໃຫມ່</a> ສໍາລັບການສົນທະນາທີ່ທ່ານວາງແຜນຈະມີ.",
@ -3038,10 +2997,6 @@
"%(senderName)s: %(message)s": "%(senderName)s: %(message)s",
"* %(senderName)s %(emote)s": "* %(senderName)s%(emote)s",
"The authenticity of this encrypted message can't be guaranteed on this device.": "ອຸປະກອນນີ້ບໍ່ສາມາດຮັບປະກັນຄວາມຖືກຕ້ອງຂອງຂໍ້ຄວາມທີ່ເຂົ້າລະຫັດນີ້ໄດ້.",
"%(value)ss": "%(value)ss",
"%(value)sm": "%(value)sm",
"%(value)sh": "%(value)sh",
"%(value)sd": "%(value)sd",
"Reply to encrypted thread…": "ຕອບກັບກະທູ້ທີ່ເຂົ້າລະຫັດໄວ້…",
"Send message": "ສົ່ງຂໍ້ຄວາມ",
"%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (power %(powerLevelNumber)s)",
@ -3051,7 +3006,6 @@
"Add people": "ເພີ່ມຄົນ",
"You do not have permissions to invite people to this space": "ທ່ານບໍ່ມີສິດທີ່ຈະເຊີນຄົນເຂົ້າມາໃນພື້ນທີ່ນີ້",
"Invite to space": "ເຊີນໄປຍັງພື້ນທີ່",
"Bold": "ຕົວໜາ",
"a key signature": "ລາຍເຊັນຫຼັກ",
"a device cross-signing signature": "ການ cross-signing ອຸປະກອນ",
"a new cross-signing key signature": "ການລົງລາຍເຊັນ cross-signing ແບບໃໝ່",
@ -3121,9 +3075,7 @@
"You do not have permission to start polls in this room.": "ທ່ານບໍ່ໄດ້ຮັບອະນຸຍາດໃຫ້ເລີ່ມແບບສຳຫຼວດຢູ່ໃນຫ້ອງນີ້.",
"Voice Message": "ຂໍ້ຄວາມສຽງ",
"Hide stickers": "ເຊື່ອງສະຕິກເກີ",
"Emoji": "ອີໂມຈິ",
"Send voice message": "ສົ່ງຂໍ້ຄວາມສຽງ",
"%(seconds)ss left": "ຍັງເຫຼືອ %(seconds)s",
"You do not have permission to post to this room": "ທ່ານບໍ່ໄດ້ຮັບອະນຸຍາດໃຫ້ໂພສໃສ່ຫ້ອງນີ້",
"This room has been replaced and is no longer active.": "ຫ້ອງນີ້ໄດ້ໍປ່ຽນແທນ ແລະບໍ່ມີການເຄື່ອນໄຫວອີກຕໍ່ໄປ.",
"The conversation continues here.": "ການສົນທະນາສືບຕໍ່ຢູ່ທີ່ນີ້.",
@ -3215,7 +3167,21 @@
"dark": "ມືດ",
"beta": "ເບຕ້າ",
"attachment": "ຄັດຕິດ",
"appearance": "ຮູບລັກສະນະ"
"appearance": "ຮູບລັກສະນະ",
"guest": "ແຂກ",
"legal": "ຖືກກົດໝາຍ",
"credits": "ສິນເຊື່ອ",
"faq": "ຄໍາຖາມທີ່ພົບເປັນປະຈໍາ",
"access_token": "ເຂົ້າເຖິງToken",
"preferences": "ການຕັ້ງຄ່າ",
"timeline": "ທາມລາຍ",
"privacy": "ຄວາມເປັນສ່ວນຕົວ",
"camera": "ກ້ອງຖ່າຍຮູບ",
"microphone": "ໄມໂຄຣໂຟນ",
"emoji": "ອີໂມຈິ",
"random": "ສຸ່ມ",
"support": "ສະຫນັບສະຫນູນ",
"space": "ຍະຫວ່າງ"
},
"action": {
"continue": "ສືບຕໍ່",
@ -3285,7 +3251,21 @@
"call": "ໂທ",
"back": "ກັບຄືນ",
"add": "ຕື່ມ",
"accept": "ຍອມຮັບ"
"accept": "ຍອມຮັບ",
"disconnect": "ຕັດການເຊື່ອມຕໍ່",
"change": "ປ່ຽນແປງ",
"subscribe": "ຕິດຕາມ",
"unsubscribe": "ເຊົາຕິດຕາມ",
"approve": "ອະນຸມັດ",
"complete": "ສໍາເລັດ",
"revoke": "ຖອນຄືນ",
"rename": "ປ່ຽນຊື່",
"show_all": "ສະແດງທັງໝົດ",
"review": "ທົບທວນຄືນ",
"restore": "ກູ້ຄືນ",
"play": "ຫຼິ້ນ",
"pause": "ຢຸດຊົ່ວຄາວ",
"register": "ລົງທະບຽນ"
},
"a11y": {
"user_menu": "ເມນູຜູ້ໃຊ້"
@ -3313,5 +3293,41 @@
"control": "ປຸ່ມ Ctrl",
"shift": "ປຸ່ມShift",
"number": "[ຕົວເລກ]"
},
"composer": {
"format_bold": "ຕົວໜາ",
"format_strikethrough": "ບຸກທະລຸ",
"format_inline_code": "ລະຫັດ",
"format_code_block": "ບລັອກລະຫັດ"
},
"Bold": "ຕົວໜາ",
"Code": "ລະຫັດ",
"power_level": {
"default": "ຄ່າເລີ່ມຕົ້ນ",
"restricted": "ຖືກຈຳກັດ",
"moderator": "ຜູ້ດຳເນິນລາຍການ",
"admin": "ບໍລິຫານ",
"custom": "ກຳນົດ(%(level)s)ເອງ",
"mod": "ກາປັບປ່ຽນ"
},
"bug_reporting": {
"introduction": "ຖ້າທ່ານໄດ້ສົ່ງຂໍ້ບົກພ່ອງຜ່ານ GitHub, ບັນທຶກການຂໍ້ຜິດພາດສາມາດຊ່ວຍພວກເຮົາຕິດຕາມບັນຫາໄດ້. ",
"description": "ບັນທຶກຂໍ້ຜິດພາດຂໍ້ມູນການນຳໃຊ້ແອັບພລິເຄຊັນ ລວມທັງຊື່ຜູ້ໃຊ້ຂອງທ່ານ, ID ຫຼືນາມແຝງຂອງຫ້ອງທີ່ທ່ານໄດ້ເຂົ້າເບິ່ງ, ເຊິ່ງອົງປະກອບ UI ທີ່ທ່ານໂຕ້ຕອບກັບຫຼ້າສຸດ, ແລະ ຊື່ຜູ້ໃຊ້ຂອງຜູ່ໃຊ້ອື່ນໆທີ່ບໍ່ມີຂໍ້ຄວາມ.",
"matrix_security_issue": "ເພື່ອລາຍງານບັນຫາຄວາມປອດໄພທີ່ກ່ຽວຂ້ອງກັບ Matrix, ກະລຸນາອ່ານ <a>ນະໂຍບາຍການເປີດເຜີຍຄວາມປອດໄພ</a> Matrix.org.",
"submit_debug_logs": "ສົ່ງບັນທຶກການແກ້ໄຂບັນຫາ",
"title": "ລາຍງານຂໍ້ຜິດພາດ",
"additional_context": "ຖ້າມີເນື້ອຫາເພີ່ມເຕີມທີ່ຈະຊ່ວຍໃນການວິເຄາະບັນຫາ, ເຊັ່ນວ່າທ່ານກໍາລັງເຮັດຫຍັງໃນເວລານັ້ນ, ID ຫ້ອງ, ID ຜູ້ໃຊ້, ແລະອື່ນໆ, ກະລຸນາລວມສິ່ງເຫຼົ່ານັ້ນຢູ່ທີ່ນີ້.",
"send_logs": "ສົ່ງບັນທຶກ",
"github_issue": "ບັນຫາ GitHub",
"download_logs": "ບັນທຶກການດາວໂຫຼດ",
"before_submitting": "ກ່ອນທີ່ຈະສົ່ງບັນທຶກ, ທ່ານຕ້ອງ <a>ສ້າງບັນຫາ GitHub</a> ເພື່ອອະທິບາຍບັນຫາຂອງທ່ານ."
},
"time": {
"seconds_left": "ຍັງເຫຼືອ %(seconds)s",
"date_at_time": "%(date)s at %(time)s",
"short_days": "%(value)sd",
"short_hours": "%(value)sh",
"short_minutes": "%(value)sm",
"short_seconds": "%(value)ss"
}
}

View file

@ -39,7 +39,6 @@
"What's New": "Kas naujo",
"Wednesday": "Trečiadienis",
"Send": "Siųsti",
"Send logs": "Siųsti žurnalus",
"All messages": "Visos žinutės",
"unknown error code": "nežinomas klaidos kodas",
"Call invitation": "Skambučio pakvietimas",
@ -54,7 +53,6 @@
"Yesterday": "Vakar",
"Error encountered (%(errorDetail)s).": "Susidurta su klaida (%(errorDetail)s).",
"Low Priority": "Žemo prioriteto",
"Register": "Registruotis",
"Off": "Išjungta",
"Event Type": "Įvykio tipas",
"Developer Tools": "Programuotojo Įrankiai",
@ -159,7 +157,6 @@
"Failed to copy": "Nepavyko nukopijuoti",
"A text message has been sent to %(msisdn)s": "Tekstinė žinutė buvo išsiųsta į %(msisdn)s",
"Please enter the code it contains:": "Įveskite joje esantį kodą:",
"Code": "Kodas",
"Email address": "El. pašto adresas",
"Something went wrong!": "Kažkas nutiko!",
"Delete Widget": "Ištrinti valdiklį",
@ -187,8 +184,6 @@
"No Webcams detected": "Neaptikta jokių kamerų",
"Default Device": "Numatytasis įrenginys",
"Audio Output": "Garso išvestis",
"Microphone": "Mikrofonas",
"Camera": "Kamera",
"Email": "El. paštas",
"Profile": "Profilis",
"Account": "Paskyra",
@ -283,7 +278,6 @@
"expand": "išskleisti",
"Logs sent": "Žurnalai išsiųsti",
"Failed to send logs: ": "Nepavyko išsiųsti žurnalų: ",
"Submit debug logs": "Pateikti derinimo žurnalus",
"Unknown error": "Nežinoma klaida",
"Incorrect password": "Neteisingas slaptažodis",
"An error has occurred.": "Įvyko klaida.",
@ -506,7 +500,6 @@
"Enter username": "Įveskite vartotojo vardą",
"Create account": "Sukurti paskyrą",
"Change identity server": "Pakeisti tapatybės serverį",
"Change": "Keisti",
"Change room avatar": "Keisti kambario pseudoportretą",
"Change room name": "Keisti kambario pavadinimą",
"Change main address for the room": "Keisti pagrindinį kambario adresą",
@ -666,7 +659,6 @@
"Homeserver URL does not appear to be a valid Matrix homeserver": "Serverio adresas neatrodo esantis tinkamas Matrix serveris",
"This homeserver does not support login using email address.": "Šis serveris nepalaiko prisijungimo naudojant el. pašto adresą.",
"Setting up keys": "Raktų nustatymas",
"Review": "Peržiūrėti",
"Message deleted": "Žinutė ištrinta",
"Message deleted by %(name)s": "Žinutė, ištrinta %(name)s",
"Confirm your identity by entering your account password below.": "Patvirtinkite savo tapatybę žemiau įvesdami savo paskyros slaptažodį.",
@ -691,7 +683,6 @@
"Messages containing @room": "Žinutės, kuriose yra @kambarys",
"To be secure, do this in person or use a trusted way to communicate.": "Norėdami užtikrinti saugumą, darykite tai asmeniškai arba naudokite patikimą komunikacijos būdą.",
"Restore from Backup": "Atkurti iš Atsarginės Kopijos",
"Preferences": "Nuostatos",
"Cryptography": "Kriptografija",
"Security & Privacy": "Saugumas ir Privatumas",
"Voice & Video": "Garsas ir Vaizdas",
@ -919,11 +910,9 @@
"Verify by comparing unique emoji.": "Patvirtinti palyginant unikalius jaustukus.",
"Verify by emoji": "Patvirtinti naudojant jaustukus",
"Show image": "Rodyti vaizdą",
"If there is additional context that would help in analysing the issue, such as what you were doing at the time, room IDs, user IDs, etc., please include those things here.": "Jei yra papildomo konteksto, kuris padėtų analizuojant šią problemą, tokio kaip ką jūs darėte tuo metu, kambarių ID, vartotojų ID ir t.t., įtraukite tuos dalykus čia.",
"Create a new room with the same name, description and avatar": "Sukurti naują kambarį su tuo pačiu pavadinimu, aprašymu ir pseudoportretu",
"Upgrading a room is an advanced action and is usually recommended when a room is unstable due to bugs, missing features or security vulnerabilities.": "Kambario atnaujinimas yra sudėtingas veiksmas ir paprastai rekomenduojamas, kai kambarys nestabilus dėl klaidų, trūkstamų funkcijų ar saugos spragų.",
"To help us prevent this in future, please <a>send us logs</a>.": "Norėdami padėti mums išvengti to ateityje, <a>atsiųskite mums žurnalus</a>.",
"Emoji": "Jaustukai",
"Emoji Autocomplete": "Jaustukų automatinis užbaigimas",
"Select room from the room list": "Pasirinkti kambarį iš kambarių sąrašo",
"Collapse room list section": "Sutraukti kambarių sąrašo skyrių",
@ -940,7 +929,6 @@
"Sign In or Create Account": "Prisijungti arba Sukurti Paskyrą",
"Use your account or create a new one to continue.": "Norėdami tęsti naudokite savo paskyrą arba sukurkite naują.",
"Create Account": "Sukurti Paskyrą",
"Custom (%(level)s)": "Pasirinktinis (%(level)s)",
"Ask this user to verify their session, or manually verify it below.": "Paprašykite šio vartotojo patvirtinti savo seansą, arba patvirtinkite jį rankiniu būdu žemiau.",
"Encryption upgrade available": "Galimas šifravimo atnaujinimas",
"Verify this user by confirming the following number appears on their screen.": "Patvirtinkite šį vartotoją, įsitikindami, kad jo ekrane rodomas toliau esantis skaičius.",
@ -971,7 +959,6 @@
"You are not currently using an identity server. To discover and be discoverable by existing contacts you know, add one below.": "Šiuo metu jūs nenaudojate tapatybės serverio. Tam, kad galėtumėte rasti ir tam, kad būtumėte randamas esamų, jums žinomų kontaktų, pridėkite jį žemiau.",
"Disconnecting from your identity server will mean you won't be discoverable by other users and you won't be able to invite others by email or phone.": "Atsijungimas nuo tapatybės serverio reikš, kad jūs nebebūsite randamas kitų vartotojų ir jūs nebegalėsite pakviesti kitų, naudodami jų el. paštą arba telefoną.",
"Deactivate account": "Deaktyvuoti paskyrą",
"Timeline": "Laiko juosta",
"Try scrolling up in the timeline to see if there are any earlier ones.": "Pabandykite slinkti aukštyn laiko juostoje, kad sužinotumėte, ar yra ankstesnių.",
"Tried to load a specific point in this room's timeline, but you do not have permission to view the message in question.": "Bandyta įkelti konkrečią vietą šio kambario laiko juostoje, bet jūs neturite leidimo peržiūrėti tos žinutės.",
"Failed to load timeline position": "Nepavyko įkelti laiko juostos pozicijos",
@ -1009,15 +996,11 @@
"Never send encrypted messages to unverified sessions in this room from this session": "Niekada nesiųsti šifruotų žinučių nepatvirtintiems seansams šiame kambaryje iš šio seanso",
"Cannot connect to integration manager": "Neįmanoma prisijungti prie integracijų tvarkytuvo",
"The integration manager is offline or it cannot reach your homeserver.": "Integracijų tvarkytuvas yra išjungtas arba negali pasiekti jūsų serverio.",
"Disconnect": "Atsijungti",
"Disconnect anyway": "Vis tiek atsijungti",
"Credits": "Padėka",
"For help with using %(brand)s, click <a>here</a>.": "Norėdami gauti pagalbos naudojant %(brand)s, paspauskite <a>čia</a>.",
"For help with using %(brand)s, click <a>here</a> or start a chat with our bot using the button below.": "Norėdami gauti pagalbos naudojant %(brand)s, paspauskite <a>čia</a> arba pradėkite pokalbį su mūsų botu pasinaudoję žemiau esančiu mygtuku.",
"Bug reporting": "Pranešti apie klaidą",
"Clear cache and reload": "Išvalyti podėlį ir perkrauti",
"To report a Matrix-related security issue, please read the Matrix.org <a>Security Disclosure Policy</a>.": "Norėdami pranešti apie su Matrix susijusią saugos problemą, perskaitykite Matrix.org <a>Saugumo Atskleidimo Poliiką</a>.",
"FAQ": "DUK",
"Versions": "Versijos",
"Import E2E room keys": "Importuoti E2E (visapusio šifravimo) kambarių raktus",
"Session ID:": "Seanso ID:",
@ -1026,11 +1009,9 @@
"Please <newIssueLink>create a new issue</newIssueLink> on GitHub so that we can investigate this bug.": "Prašome <newIssueLink>sukurti naują problemą</newIssueLink> GitHub'e, kad mes galėtume ištirti šią klaidą.",
"Please tell us what went wrong or, better, create a GitHub issue that describes the problem.": "Pasakyite mums kas nutiko, arba, dar geriau, sukurkite GitHub problemą su jos apibūdinimu.",
"Before submitting logs, you must <a>create a GitHub issue</a> to describe your problem.": "Prieš pateikiant žurnalus jūs turite <a>sukurti GitHub problemą</a>, kad apibūdintumėte savo problemą.",
"GitHub issue": "GitHub problema",
"Notes": "Pastabos",
"Integrations are disabled": "Integracijos yra išjungtos",
"Integrations not allowed": "Integracijos neleidžiamos",
"Restore": "Atkurti",
"Use a different passphrase?": "Naudoti kitą slaptafrazę?",
"New Recovery Method": "Naujas atgavimo metodas",
"This session is encrypting history using the new recovery method.": "Šis seansas šifruoja istoriją naudodamas naują atgavimo metodą.",
@ -1136,7 +1117,6 @@
"%(senderName)s joined the call": "%(senderName)s prisijungė prie skambučio",
"You joined the call": "Jūs prisijungėte prie skambučio",
"Joins room with given address": "Prisijungia prie kambario su nurodytu adresu",
"Show all": "Rodyti viską",
"You have ignored this user, so their message is hidden. <a>Show anyways.</a>": "Jūs ignoravote šį vartotoją, todėl jo žinutė yra paslėpta. <a>Rodyti vistiek.</a>",
"When someone puts a URL in their message, a URL preview can be shown to give more information about that link such as the title, description, and an image from the website.": "Kai kas nors į savo žinutę įtraukia URL, gali būti rodoma URL peržiūra, suteikianti daugiau informacijos apie tą nuorodą, tokios kaip pavadinimas, aprašymas ir vaizdas iš svetainės.",
"Show %(count)s more": {
@ -1223,7 +1203,6 @@
"Video conference updated by %(senderName)s": "%(senderName)s atnaujino 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",
"Subscribe": "Prenumeruoti",
"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.",
"Subscribed lists": "Prenumeruojami sąrašai",
@ -1233,7 +1212,6 @@
"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.": "Čia pridėkite vartotojus ir serverius, kuriuos norite ignoruoti. Naudokite žvaigždutes, kad %(brand)s atitiktų bet kokius simbolius. Pavyzdžiui, <code>@botas:*</code> ignoruotų visus vartotojus, turinčius vardą 'botas' bet kuriame serveryje.",
"Ignored users": "Ignoruojami vartotojai",
"View rules": "Peržiūrėti taisykles",
"Unsubscribe": "Atsisakyti prenumeratos",
"You have not ignored anyone.": "Jūs nieko neignoruojate.",
"User rules": "Vartotojo taisyklės",
"Server rules": "Serverio taisyklės",
@ -1246,7 +1224,6 @@
"Something went wrong. Please try again or view your console for hints.": "Kažkas ne taip. Bandykite dar kartą arba peržiūrėkite konsolę, kad rastumėte užuominų.",
"Error adding ignored user/server": "Klaida pridedant ignoruojamą vartotoją/serverį",
"Ignored/Blocked": "Ignoruojami/Blokuojami",
"Legal": "Teisiniai",
"Appearance Settings only affect this %(brand)s session.": "Išvaizdos nustatymai įtakoja tik šį %(brand)s seansą.",
"Customise your appearance": "Tinkinti savo išvaizdą",
"Set the name of a font installed on your system & %(brand)s will attempt to use it.": "Nustatykite sistemoje įdiegto šrifto pavadinimą ir %(brand)s bandys jį naudoti.",
@ -1324,12 +1301,10 @@
"You started a call": "Jūs pradėjote skambutį",
"Call ended": "Skambutis baigtas",
"Call in progress": "Vykdomas skambutis",
"Guest": "Svečias",
"Verifying this user will mark their session as trusted, and also mark your session as trusted to them.": "Patvirtinant šį vartotoją, jo seansas bus pažymėtas kaip patikimas, taip pat jūsų seansas bus pažymėtas kaip patikimas jam.",
"Verify the link in your inbox": "Patvirtinkite nuorodą savo el. pašto dėžutėje",
"Click the link in the email you received to verify and then click continue again.": "Paspauskite nuorodą gautame el. laiške, kad patvirtintumėte, tada dar kartą spustelėkite tęsti.",
"Please verify the room ID or address and try again.": "Patikrinkite kambario ID arba adresą ir bandykite dar kartą.",
"Privacy": "Privatumas",
"Accept all %(invitedRooms)s invites": "Priimti visus %(invitedRooms)s pakvietimus",
"Bulk options": "Grupinės parinktys",
"Confirm Security Phrase": "Patvirtinkite Slaptafrazę",
@ -1402,7 +1377,6 @@
"Preparing to download logs": "Ruošiamasi parsiųsti žurnalus",
"Server Options": "Serverio Parinktys",
"Your homeserver": "Jūsų serveris",
"Download logs": "Parsisiųsti žurnalus",
"edited": "pakeista",
"Edited at %(date)s. Click to view edits.": "Keista %(date)s. Spustelėkite kad peržiūrėti pakeitimus.",
"Edited at %(date)s": "Keista %(date)s",
@ -1524,7 +1498,6 @@
"Allow this widget to verify your identity": "Leiskite šiam valdikliui patvirtinti jūsų tapatybę",
"Remember my selection for this widget": "Prisiminti mano pasirinkimą šiam valdikliui",
"Decline All": "Atmesti Visus",
"Approve": "Patvirtinti",
"This widget would like to:": "Šis valdiklis norėtų:",
"Approve widget permissions": "Patvirtinti valdiklio leidimus",
"Verification Request": "Patikrinimo Užklausa",
@ -1707,7 +1680,6 @@
"Mozambique": "Mozambikas",
"Bahamas": "Bahamų salos",
"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.": "Paprašėme naršyklės įsiminti, kurį namų serverį naudojate prisijungimui, bet, deja, naršyklė tai pamiršo. Eikite į prisijungimo puslapį ir bandykite dar kartą.",
"%(date)s at %(time)s": "%(date)s %(time)s",
"Transfer Failed": "Perdavimas Nepavyko",
"Unable to transfer call": "Nepavyksta perduoti skambučio",
"There was an error looking up the phone number": "Įvyko klaida ieškant telefono numerio",
@ -1718,8 +1690,6 @@
"Calls are unsupported": "Skambučiai nėra palaikomi",
"Unable to share email address": "Nepavyko pasidalinti el. pašto adresu",
"Verification code": "Patvirtinimo kodas",
"Revoke": "Panaikinti",
"Complete": "Užbaigti",
"Olm version:": "Olm versija:",
"Enable email notifications for %(email)s": "Įjungti el. pašto pranešimus %(email)s",
"Messages containing keywords": "Žinutės turinčios raktažodžių",
@ -1746,7 +1716,6 @@
"other": "Spustelėkite mygtuką žemiau kad patvirtinti šių įrenginių atjungimą.",
"one": "Spustelėkite mygtuką žemiau kad patvirtinti šio įrenginio atjungimą."
},
"Rename": "Pervadinti",
"Deselect all": "Nuimti pasirinkimą nuo visko",
"Select all": "Pasirinkti viską",
"Sign out devices": {
@ -1997,15 +1966,11 @@
"Code blocks": "Kodo blokai",
"Your server doesn't support disabling sending read receipts.": "Jūsų serveris nepalaiko skaitymo kvitų siuntimo išjungimo.",
"Share your activity and status with others.": "Dalinkitės savo veikla ir būkle su kitais.",
"Presence": "Esamumas",
"Displaying time": "Rodomas laikas",
"To view all keyboard shortcuts, <a>click here</a>.": "Norint peržiūrėti visus sparčiuosius klavišus, <a>paspauskite čia</a>.",
"Keyboard shortcuts": "Spartieji klavišai",
"Keyboard": "Klaviatūra",
"Your access token gives full access to your account. Do not share it with anyone.": "Jūsų prieigos žetonas suteikia visišką prieigą prie paskyros. Niekam jo neduokite.",
"Access Token": "Prieigos žetonas",
"Debug logs contain application usage data including your username, the IDs or aliases of the rooms you have visited, which UI elements you last interacted with, and the usernames of other users. They do not contain messages.": "Derinimo žurnaluose pateikiami programos naudojimo duomenys, įskaitant jūsų naudotojo vardą, aplankytų kambarių ID arba pseudonimus, naudotojo sąsajos elementus, su kuriais paskutinį kartą sąveikavote, ir kitų naudotojų vardus. Juose nėra žinučių.",
"If you've submitted a bug via GitHub, debug logs can help us track down the problem. ": "Jei per GitHub pateikėte klaidą, derinimo žurnalai gali padėti mums nustatyti problemą. ",
"Deactivating your account is a permanent action — be careful!": "Paskyros deaktyvavimas yra negrįžtamas veiksmas — būkite atsargūs!",
"Spell check": "Rašybos tikrinimas",
"Your password was successfully changed.": "Jūsų slaptažodis sėkmingai pakeistas.",
@ -2295,17 +2260,13 @@
"Topic: %(topic)s (<a>edit</a>)": "Tema: %(topic)s (<a>redaguoti</a>)",
"Send your first message to invite <displayName/> to chat": "Siųskite pirmąją žinutę kad pakviestumėte <displayName/> į pokalbį",
"Insert link": "Įterpti nuorodą",
"Code block": "Kodo blokas",
"Strikethrough": "Perbrauktas",
"Italics": "Kursyvas",
"Bold": "Pusjuodis",
"Poll": "Apklausa",
"You do not have permission to start polls in this room.": "Jūs neturite leidimo pradėti apklausas šiame kambaryje.",
"Voice Message": "Balso žinutė",
"Voice broadcast": "Balso transliacija",
"Hide stickers": "Slėpti lipdukus",
"Send voice message": "Siųsti balso žinutę",
"%(seconds)ss left": "%(seconds)ss liko",
"Send a reply…": "Siųsti atsakymą…",
"Reply to thread…": "Atsakyti į temą…",
"Reply to encrypted thread…": "Atsakyti į užšifruotą temą…",
@ -2326,11 +2287,8 @@
"Copy link to thread": "Kopijuoti nuorodą į temą",
"View in room": "Peržiūrėti kambaryje",
"From a thread": "Iš temos",
"Mod": "Moderatorius",
"Edit message": "Redaguoti žinutę",
"View all": "Žiūrėti visus",
"Security recommendations": "Saugumo rekomendacijos",
"Show": "Rodyti",
"Filter devices": "Filtruoti įrenginius",
"Inactive for %(inactiveAgeDays)s days or longer": "Neaktyvus %(inactiveAgeDays)s dienas ar ilgiau",
"Inactive": "Neaktyvus",
@ -2354,10 +2312,6 @@
},
"%(user1)s and %(user2)s": "%(user1)s ir %(user2)s",
"Empty room": "Tuščias kambarys",
"%(value)ss": "%(value)ss",
"%(value)sm": "%(value)sm",
"%(value)sh": "%(value)sval",
"%(value)sd": "%(value)sd",
"Public rooms": "Vieši kambariai",
"Search for": "Ieškoti",
"Original event source": "Originalus įvykio šaltinis",
@ -2431,7 +2385,19 @@
"description": "Aprašas",
"dark": "Tamsi",
"attachment": "Priedas",
"appearance": "Išvaizda"
"appearance": "Išvaizda",
"guest": "Svečias",
"legal": "Teisiniai",
"credits": "Padėka",
"faq": "DUK",
"access_token": "Prieigos žetonas",
"preferences": "Nuostatos",
"presence": "Esamumas",
"timeline": "Laiko juosta",
"privacy": "Privatumas",
"camera": "Kamera",
"microphone": "Mikrofonas",
"emoji": "Jaustukai"
},
"action": {
"continue": "Tęsti",
@ -2497,7 +2463,21 @@
"call": "Skambinti",
"back": "Atgal",
"add": "Pridėti",
"accept": "Priimti"
"accept": "Priimti",
"disconnect": "Atsijungti",
"change": "Keisti",
"subscribe": "Prenumeruoti",
"unsubscribe": "Atsisakyti prenumeratos",
"approve": "Patvirtinti",
"complete": "Užbaigti",
"revoke": "Panaikinti",
"rename": "Pervadinti",
"view_all": "Žiūrėti visus",
"show_all": "Rodyti viską",
"show": "Rodyti",
"review": "Peržiūrėti",
"restore": "Atkurti",
"register": "Registruotis"
},
"labs": {
"video_rooms": "Vaizdo kambariai",
@ -2526,5 +2506,41 @@
"control": "Ctrl",
"shift": "Shift",
"number": "[skaičius]"
},
"composer": {
"format_bold": "Pusjuodis",
"format_strikethrough": "Perbrauktas",
"format_inline_code": "Kodas",
"format_code_block": "Kodo blokas"
},
"Bold": "Pusjuodis",
"Code": "Kodas",
"power_level": {
"default": "Numatytas",
"restricted": "Apribotas",
"moderator": "Moderatorius",
"admin": "Administratorius",
"custom": "Pasirinktinis (%(level)s)",
"mod": "Moderatorius"
},
"bug_reporting": {
"introduction": "Jei per GitHub pateikėte klaidą, derinimo žurnalai gali padėti mums nustatyti problemą. ",
"description": "Derinimo žurnaluose pateikiami programos naudojimo duomenys, įskaitant jūsų naudotojo vardą, aplankytų kambarių ID arba pseudonimus, naudotojo sąsajos elementus, su kuriais paskutinį kartą sąveikavote, ir kitų naudotojų vardus. Juose nėra žinučių.",
"matrix_security_issue": "Norėdami pranešti apie su Matrix susijusią saugos problemą, perskaitykite Matrix.org <a>Saugumo Atskleidimo Poliiką</a>.",
"submit_debug_logs": "Pateikti derinimo žurnalus",
"title": "Pranešti apie klaidą",
"additional_context": "Jei yra papildomo konteksto, kuris padėtų analizuojant šią problemą, tokio kaip ką jūs darėte tuo metu, kambarių ID, vartotojų ID ir t.t., įtraukite tuos dalykus čia.",
"send_logs": "Siųsti žurnalus",
"github_issue": "GitHub problema",
"download_logs": "Parsisiųsti žurnalus",
"before_submitting": "Prieš pateikiant žurnalus jūs turite <a>sukurti GitHub problemą</a>, kad apibūdintumėte savo problemą."
},
"time": {
"seconds_left": "%(seconds)ss liko",
"date_at_time": "%(date)s %(time)s",
"short_days": "%(value)sd",
"short_hours": "%(value)sval",
"short_minutes": "%(value)sm",
"short_seconds": "%(value)ss"
}
}

View file

@ -7,8 +7,6 @@
"No media permissions": "Nav datu nesēju, kuriem atļauta piekļuve",
"You may need to manually permit %(brand)s to access your microphone/webcam": "Jums varētu būt nepieciešams manuāli atļaut %(brand)s piekļuvi mikrofonam vai tīmekļa kamerai",
"Default Device": "Noklusējuma ierīce",
"Microphone": "Mikrofons",
"Camera": "Kamera",
"Advanced": "Papildu",
"Always show message timestamps": "Vienmēr rādīt ziņas laika zīmogu",
"Authentication": "Autentifikācija",
@ -43,7 +41,6 @@
"Download %(text)s": "Lejupielādēt: %(text)s",
"Email": "Epasts",
"Email address": "Epasta adrese",
"Emoji": "Emocijzīmes",
"Enter passphrase": "Ievadiet frāzveida paroli",
"Error decrypting attachment": "Kļūda atšifrējot pielikumu",
"Export": "Eksportēt",
@ -107,7 +104,6 @@
"Privileged Users": "Priviliģētie lietotāji",
"Profile": "Profils",
"Reason": "Iemesls",
"Register": "Reģistrēties",
"Reject invitation": "Noraidīt uzaicinājumu",
"Return to login screen": "Atgriezties uz pierakstīšanās lapu",
"%(brand)s does not have permission to send you notifications - please check your browser settings": "%(brand)s nav atļauts nosūtīt jums paziņojumus. Lūdzu pārbaudi sava pārlūka iestatījumus",
@ -385,7 +381,6 @@
"Stops ignoring a user, showing their messages going forward": "Atceļ lietotāja ignorēšanu, rādot viņa turpmāk sūtītās ziņas",
"Notify the whole room": "Paziņot visai istabai",
"Room Notification": "Istabas paziņojums",
"Code": "Kods",
"%(oneUser)srejected their invitation %(count)s times": {
"other": "%(oneUser)snoraidīja uzaicinājumu %(count)s reizes",
"one": "%(oneUser)snoraidīja uzaicinājumu"
@ -402,7 +397,6 @@
"one": "%(items)s un viens cits",
"other": "%(items)s un %(count)s citus"
},
"Submit debug logs": "Iesniegt atutošanas logfailus",
"Opens the Developer Tools dialog": "Atver izstrādātāja rīku logu",
"Sunday": "Svētdiena",
"Notification targets": "Paziņojumu adresāti",
@ -434,7 +428,6 @@
"All Rooms": "Visās istabās",
"Wednesday": "Trešdiena",
"You cannot delete this message. (%(code)s)": "Tu nevari dzēst šo ziņu. (%(code)s)",
"Send logs": "Nosūtīt logfailus",
"All messages": "Visas ziņas",
"Call invitation": "Uzaicinājuma zvans",
"State Key": "Stāvokļa atslēga",
@ -853,7 +846,6 @@
"Bulk options": "Lielapjoma opcijas",
"Clear cache and reload": "Notīrīt kešatmiņu un pārlādēt",
"Versions": "Versijas",
"FAQ": "BUJ",
"For help with using %(brand)s, click <a>here</a>.": "Palīdzībai %(brand)s izmantošanā, spiediet <a>šeit</a>.",
"Account management": "Konta pārvaldība",
"Set the name of a font installed on your system & %(brand)s will attempt to use it.": "Iestaties uz jūsu sistēmas instalēta fonta nosaukumu, kuru & %(brand)s vajadzētu mēģināt izmantot.",
@ -884,12 +876,10 @@
"Enable desktop notifications": "Iespējot darbvirsmas paziņojumus",
"Don't miss a reply": "Nepalaidiet garām atbildi",
"Later": "Vēlāk",
"Review": "Pārlūkot",
"Ensure you have a stable internet connection, or get in touch with the server admin": "Pārliecinieties par stabilu internet savienojumu vai sazinieties ar servera administratoru",
"Could not find user in room": "Lietotājs istabā netika atrasts",
"You do not have the required permissions to use this command.": "Jums trūkst šīs komandas lietošanai nepieciešamo atļauju.",
"Missing roomId.": "Trūkst roomId.",
"Custom (%(level)s)": "Pielāgots (%(level)s)",
"Create Account": "Izveidot kontu",
"Use your account or create a new one to continue.": "Izmantojiet esošu kontu vai izveidojiet jaunu, lai turpinātu.",
"Sign In or Create Account": "Pierakstīties vai izveidot kontu",
@ -1486,7 +1476,6 @@
"Share content": "Dalīties ar saturu",
"Your theme": "Jūsu tēma",
"Your user ID": "Jūsu lietotāja ID",
"Show all": "Rādīt visu",
"Show image": "Rādīt attēlu",
"Call back": "Atzvanīt",
"Call declined": "Zvans noraidīts",
@ -1495,7 +1484,6 @@
"Forget this room": "Aizmirst šo istabu",
"Explore public rooms": "Pārlūkot publiskas istabas",
"Enable encryption in settings.": "Iespējot šifrēšanu iestatījumos.",
"%(seconds)ss left": "%(seconds)s sekundes atlikušas",
"Show %(count)s other previews": {
"one": "Rādīt %(count)s citu priekšskatījumu",
"other": "Rādīt %(count)s citus priekšskatījumus"
@ -1504,7 +1492,6 @@
"People with supported clients will be able to join the room without having a registered account.": "Cilvēki ar atbalstītām lietotnēm varēs pievienoties istabai bez reģistrēta konta.",
"Decide who can join %(roomName)s.": "Nosakiet, kas var pievienoties %(roomName)s.",
"Select the roles required to change various parts of the room": "Izvēlieties lomas, kas nepieciešamas, lai mainītu dažādus istabas parametrus",
"Timeline": "Laika skala",
"Code blocks": "Koda bloki",
"Displaying time": "Laika attēlošana",
"Keyboard shortcuts": "Īsinājumtaustiņi",
@ -1542,7 +1529,6 @@
"Use custom size": "Izmantot pielāgotu izmēru",
"Font size": "Šrifta izmērs",
"Call ended": "Zvans beidzās",
"Guest": "Viesis",
"Dates are often easy to guess": "Datumi bieži vien ir viegli uzminami",
"%(senderName)s unpinned a message from this room. See all pinned messages.": "%(senderName)s noņēma piespraustu ziņu šajā istabā. Skatīt visas piespraustās ziņas.",
"%(senderName)s unpinned <a>a message</a> from this room. See all <b>pinned messages</b>.": "%(senderName)s noņēma piespraustu <a>ziņu</a> šajā istabā. Skatīt visas <b>piespraustās ziņas</b>.",
@ -1767,7 +1753,13 @@
"description": "Apraksts",
"dark": "Tumša",
"attachment": "Pielikums",
"appearance": "Izskats"
"appearance": "Izskats",
"guest": "Viesis",
"faq": "BUJ",
"timeline": "Laika skala",
"camera": "Kamera",
"microphone": "Mikrofons",
"emoji": "Emocijzīmes"
},
"action": {
"continue": "Turpināt",
@ -1825,7 +1817,10 @@
"cancel": "Atcelt",
"back": "Atpakaļ",
"add": "Pievienot",
"accept": "Akceptēt"
"accept": "Akceptēt",
"show_all": "Rādīt visu",
"review": "Pārlūkot",
"register": "Reģistrēties"
},
"a11y": {
"user_menu": "Lietotāja izvēlne"
@ -1836,5 +1831,23 @@
},
"keyboard": {
"home": "Mājup"
},
"composer": {
"format_inline_code": "Kods"
},
"Code": "Kods",
"power_level": {
"default": "Noklusējuma",
"restricted": "Ierobežots",
"moderator": "Moderators",
"admin": "Administrators",
"custom": "Pielāgots (%(level)s)"
},
"bug_reporting": {
"submit_debug_logs": "Iesniegt atutošanas logfailus",
"send_logs": "Nosūtīt logfailus"
},
"time": {
"seconds_left": "%(seconds)s sekundes atlikušas"
}
}

View file

@ -7,8 +7,6 @@
"powered by Matrix": "മാട്രിക്സില്‍ പ്രവര്‍ത്തിക്കുന്നു",
"unknown error code": "അപരിചിത എറര്‍ കോഡ്",
"Failed to change password. Is your password correct?": "രഹസ്യവാക്ക് മാറ്റാന്‍ സാധിച്ചില്ല. രഹസ്യവാക്ക് ശരിയാണോ ?",
"Microphone": "മൈക്രോഫോൺ",
"Camera": "ക്യാമറ",
"Sunday": "ഞായര്‍",
"Messages sent by bot": "ബോട്ട് അയയ്ക്കുന്ന സന്ദേശങ്ങള്‍ക്ക്",
"Notification targets": "നോട്ടിഫിക്കേഷന്‍ ടാര്‍ഗെറ്റുകള്‍",
@ -36,7 +34,6 @@
"Wednesday": "ബുധന്‍",
"You cannot delete this message. (%(code)s)": "നിങ്ങള്‍ക്ക് ഈ സന്ദേശം നീക്കം ചെയ്യാനാകില്ല. (%(code)s)",
"Send": "അയയ്ക്കുക",
"Send logs": "നാള്‍വഴി അയയ്ക്കുക",
"All messages": "എല്ലാ സന്ദേശങ്ങളും",
"Call invitation": "വിളിയ്ക്കുന്നു",
"What's new?": "എന്തൊക്കെ പുതിയ വിശേഷങ്ങള്‍ ?",
@ -58,7 +55,9 @@
"error": "എറര്‍",
"mute": "നിശ്ശബ്ദം",
"settings": "സജ്ജീകരണങ്ങള്‍",
"warning": "മുന്നറിയിപ്പ്"
"warning": "മുന്നറിയിപ്പ്",
"camera": "ക്യാമറ",
"microphone": "മൈക്രോഫോൺ"
},
"action": {
"continue": "മുന്നോട്ട്",
@ -77,5 +76,8 @@
"close": "അടയ്ക്കുക",
"cancel": "റദ്ദാക്കുക",
"back": "തിരികെ"
},
"bug_reporting": {
"send_logs": "നാള്‍വഴി അയയ്ക്കുക"
}
}

View file

@ -74,7 +74,6 @@
"%(brand)s was not given permission to send notifications - please try again": "%(brand)s fikk ikke tillatelse til å sende deg varsler - vennligst prøv igjen",
"Unable to enable Notifications": "Klarte ikke slå på Varslinger",
"This email address was not found": "Denne e-postadressen ble ikke funnet",
"Register": "Registrer",
"Default": "Standard",
"Restricted": "Begrenset",
"Moderator": "Moderator",
@ -178,7 +177,6 @@
"Anchor": "Anker",
"Headphones": "Hodetelefoner",
"Folder": "Mappe",
"Review": "Gjennomgang",
"Show less": "Vis mindre",
"Current password": "Nåværende passord",
"New Password": "Nytt passord",
@ -186,26 +184,16 @@
"Change Password": "Endre passordet",
"Manage": "Administrér",
"Display Name": "Visningsnavn",
"Disconnect": "Koble fra",
"Change": "Endre",
"Profile": "Profil",
"Email addresses": "E-postadresser",
"Phone numbers": "Telefonnumre",
"Account": "Konto",
"Language and region": "Språk og område",
"General": "Generelt",
"Legal": "Juridisk",
"Credits": "Takk til",
"FAQ": "Ofte Stilte Spørsmål",
"Versions": "Versjoner",
"None": "Ingen",
"Unsubscribe": "Meld ut",
"Subscribe": "Abonnér",
"Preferences": "Brukervalg",
"Composer": "Komposør",
"Timeline": "Tidslinje",
"Security & Privacy": "Sikkerhet og personvern",
"Camera": "Kamera",
"Browse": "Bla",
"Unban": "Opphev utestengelse",
"Banned users": "Bannlyste brukere",
@ -213,22 +201,17 @@
"Anyone": "Alle",
"Encryption": "Kryptering",
"Encrypted": "Kryptert",
"Complete": "Fullført",
"Revoke": "Tilbakekall",
"Unable to verify phone number.": "Klarte ikke å verifisere telefonnummeret.",
"Verification code": "Verifikasjonskode",
"Email Address": "E-postadresse",
"Phone Number": "Telefonnummer",
"Mod": "Mod",
"Are you sure?": "Er du sikker?",
"Admin Tools": "Adminverktøy",
"Invited": "Invitert",
"Send an encrypted reply…": "Send et kryptert svar …",
"Send an encrypted message…": "Send en kryptert beskjed …",
"Send a message…": "Send en melding …",
"Bold": "Fet",
"Italics": "Kursiv",
"Strikethrough": "Gjennomstreking",
"Online": "Tilkoblet",
"Idle": "Rolig",
"Unknown": "Ukjent",
@ -238,7 +221,6 @@
"All Rooms": "Alle rom",
"Search…": "Søk …",
"Download %(text)s": "Last ned %(text)s",
"Show all": "Vis alt",
"Copied!": "Kopiert!",
"What's New": "Hva er nytt",
"Frequently Used": "Ofte brukte",
@ -277,22 +259,18 @@
"Document": "Dokument",
"Cancel All": "Avbryt alt",
"Home": "Hjem",
"Code": "Kode",
"Submit": "Send",
"Email": "E-post",
"Phone": "Telefon",
"Enter password": "Skriv inn passord",
"Enter username": "Skriv inn brukernavn",
"Explore rooms": "Se alle rom",
"Guest": "Gjest",
"Your password has been reset.": "Passordet ditt har blitt tilbakestilt.",
"Create account": "Opprett konto",
"Commands": "Kommandoer",
"Emoji": "Emoji",
"Users": "Brukere",
"Export": "Eksporter",
"Import": "Importer",
"Restore": "Gjenopprett",
"Success!": "Suksess!",
"Set up": "Sett opp",
"Identity server has no terms of service": "Identitetstjeneren har ingen brukervilkår",
@ -367,7 +345,6 @@
"Deactivate account": "Deaktiver kontoen",
"Check for update": "Let etter oppdateringer",
"Help & About": "Hjelp/Om",
"Bug reporting": "Feilrapportering",
"%(brand)s version:": "'%(brand)s'-versjon:",
"Ignored/Blocked": "Ignorert/Blokkert",
"Server rules": "Tjenerregler",
@ -390,7 +367,6 @@
"No Webcams detected": "Ingen USB-kameraer ble oppdaget",
"Default Device": "Standardenhet",
"Audio Output": "Lydutdata",
"Microphone": "Mikrofon",
"Voice & Video": "Stemme og video",
"Room information": "Rominformasjon",
"Room version": "Romversjon",
@ -544,7 +520,6 @@
"If you don't want to use <server /> to discover and be discoverable by existing contacts you know, enter another identity server below.": "Hvis du ikke ønsker å bruke <server /> til å oppdage og bli oppdaget av eksisterende kontakter som du kjenner, skriv inn en annen identitetstjener nedenfor.",
"Enter a new identity server": "Skriv inn en ny identitetstjener",
"For help with using %(brand)s, click <a>here</a>.": "For å få hjelp til å bruke %(brand)s, klikk <a>her</a>.",
"Submit debug logs": "Send inn avlusingsloggbøker",
"Clear cache and reload": "Tøm mellomlageret og last inn siden på nytt",
"To report a Matrix-related security issue, please read the Matrix.org <a>Security Disclosure Policy</a>.": "For å rapportere inn et Matrix-relatert sikkerhetsproblem, vennligst less Matrix.org sine <a>Retningslinjer for sikkerhetspublisering</a>.",
"Import E2E room keys": "Importer E2E-romnøkler",
@ -567,7 +542,6 @@
"Share Link to User": "Del en lenke til brukeren",
"Filter room members": "Filtrer rommets medlemmer",
"Send a reply…": "Send et svar …",
"Code block": "Kodefelt",
"Replying": "Svarer på",
"Room %(name)s": "Rom %(name)s",
"Start chatting": "Begynn å chatte",
@ -628,8 +602,6 @@
},
"Matrix": "Matrix",
"Logs sent": "Loggbøkene ble sendt",
"GitHub issue": "Github-saksrapport",
"Send logs": "Send loggbøker",
"Please enter a name for the room": "Vennligst skriv inn et navn for rommet",
"Create a public room": "Opprett et offentlig rom",
"Create a private room": "Opprett et privat rom",
@ -661,7 +633,6 @@
"Autocomplete": "Autofullfør",
"New line": "Ny linje",
"Cancel replying to a message": "Avbryt å svare på en melding",
"Space": "Mellomrom",
"Enter passphrase": "Skriv inn passordfrase",
"Avoid sequences": "Unngå sekvenser",
"Avoid recent years": "Unngå nylige år",
@ -1040,7 +1011,6 @@
"No results found": "Ingen resultater ble funnet",
"Public space": "Offentlig område",
"Private space": "Privat område",
"Support": "Support",
"Suggested": "Anbefalte",
"%(deviceId)s from %(ip)s": "%(deviceId)s fra %(ip)s",
"Value:": "Verdi:",
@ -1055,7 +1025,6 @@
"Your public space": "Ditt offentlige område",
"Your private space": "Ditt private område",
"Invite to %(spaceName)s": "Inviter til %(spaceName)s",
"Random": "Tilfeldig",
"unknown person": "ukjent person",
"Click to copy": "Klikk for å kopiere",
"Share invite link": "Del invitasjonslenke",
@ -1089,7 +1058,6 @@
"Security Phrase": "Sikkerhetsfrase",
"Open dial pad": "Åpne nummerpanelet",
"Message deleted on %(date)s": "Meldingen ble slettet den %(date)s",
"Approve": "Godkjenn",
"Already have an account? <a>Sign in here</a>": "Har du allerede en konto? <a>Logg på</a>",
"%(ssoButtons)s Or %(usernamePassword)s": "%(ssoButtons)s eller %(usernamePassword)s",
"New here? <a>Create an account</a>": "Er du ny her? <a>Opprett en konto</a>",
@ -1159,7 +1127,6 @@
"Explore public rooms": "Utforsk offentlige rom",
"Verify the link in your inbox": "Verifiser lenken i innboksen din",
"Bridges": "Broer",
"Privacy": "Personvern",
"Reject all %(invitedRooms)s invites": "Avslå alle %(invitedRooms)s-invitasjoner",
"Upgrade Room Version": "Oppgrader romversjon",
"You cancelled verification.": "Du avbrøt verifiseringen.",
@ -1405,8 +1372,6 @@
"Show:": "Vis:",
"Results": "Resultat",
"Retry all": "Prøv alle igjen",
"Play": "Spill av",
"Pause": "Pause",
"Report": "Rapporter",
"Sent": "Sendt",
"Sending": "Sender",
@ -1459,7 +1424,6 @@
"St. Pierre & Miquelon": "Saint-Pierre og Miquelon",
"St. Martin": "Saint Martin",
"St. Barthélemy": "Saint Barthélemy",
"%(date)s at %(time)s": "%(date)s klokken %(time)s",
"You cannot place calls without a connection to the server.": "Du kan ikke ringe uten tilkobling til serveren.",
"Connectivity to the server has been lost": "Mistet forbindelsen til serveren",
"You cannot place calls in this browser.": "Du kan ikke ringe i denne nettleseren.",
@ -1510,7 +1474,20 @@
"dark": "Mørk",
"beta": "Beta",
"attachment": "Vedlegg",
"appearance": "Utseende"
"appearance": "Utseende",
"guest": "Gjest",
"legal": "Juridisk",
"credits": "Takk til",
"faq": "Ofte Stilte Spørsmål",
"preferences": "Brukervalg",
"timeline": "Tidslinje",
"privacy": "Personvern",
"camera": "Kamera",
"microphone": "Mikrofon",
"emoji": "Emoji",
"random": "Tilfeldig",
"support": "Support",
"space": "Mellomrom"
},
"action": {
"continue": "Fortsett",
@ -1575,7 +1552,20 @@
"cancel": "Avbryt",
"back": "tilbake",
"add": "Legg til",
"accept": "Godta"
"accept": "Godta",
"disconnect": "Koble fra",
"change": "Endre",
"subscribe": "Abonnér",
"unsubscribe": "Meld ut",
"approve": "Godkjenn",
"complete": "Fullført",
"revoke": "Tilbakekall",
"show_all": "Vis alt",
"review": "Gjennomgang",
"restore": "Gjenopprett",
"play": "Spill av",
"pause": "Pause",
"register": "Registrer"
},
"a11y": {
"user_menu": "Brukermeny"
@ -1594,5 +1584,30 @@
"alt": "Alt",
"control": "Ctrl",
"shift": "Shift"
},
"composer": {
"format_bold": "Fet",
"format_strikethrough": "Gjennomstreking",
"format_inline_code": "Kode",
"format_code_block": "Kodefelt"
},
"Bold": "Fet",
"Code": "Kode",
"power_level": {
"default": "Standard",
"restricted": "Begrenset",
"moderator": "Moderator",
"admin": "Admin",
"mod": "Mod"
},
"bug_reporting": {
"matrix_security_issue": "For å rapportere inn et Matrix-relatert sikkerhetsproblem, vennligst less Matrix.org sine <a>Retningslinjer for sikkerhetspublisering</a>.",
"submit_debug_logs": "Send inn avlusingsloggbøker",
"title": "Feilrapportering",
"send_logs": "Send loggbøker",
"github_issue": "Github-saksrapport"
},
"time": {
"date_at_time": "%(date)s klokken %(time)s"
}
}

View file

@ -30,8 +30,6 @@
"No media permissions": "Geen mediatoestemmingen",
"You may need to manually permit %(brand)s to access your microphone/webcam": "Je moet %(brand)s wellicht handmatig toestaan je microfoon/webcam te gebruiken",
"Default Device": "Standaardapparaat",
"Microphone": "Microfoon",
"Camera": "Camera",
"Anyone": "Iedereen",
"Are you sure you want to leave the room '%(roomName)s'?": "Weet je zeker dat je de kamer %(roomName)s wil verlaten?",
"Create new room": "Nieuwe kamer aanmaken",
@ -54,7 +52,6 @@
"Privileged Users": "Bevoegde personen",
"Profile": "Profiel",
"Reason": "Reden",
"Register": "Registreren",
"Reject invitation": "Uitnodiging weigeren",
"Start authentication": "Authenticatie starten",
"Submit": "Bevestigen",
@ -93,7 +90,6 @@
"Deops user with given id": "Ontmachtigt persoon met de gegeven ID",
"Default": "Standaard",
"Displays action": "Toont actie",
"Emoji": "Emoji",
"Enter passphrase": "Wachtwoord invoeren",
"Error decrypting attachment": "Fout bij het ontsleutelen van de bijlage",
"Export": "Wegschrijven",
@ -403,8 +399,6 @@
"Failed to add tag %(tagName)s to room": "Toevoegen van %(tagName)s-label aan kamer is mislukt",
"Stickerpack": "Stickerpakket",
"You don't currently have any stickerpacks enabled": "Je hebt momenteel geen stickerpakketten ingeschakeld",
"Code": "Code",
"Submit debug logs": "Foutenlogboek versturen",
"Opens the Developer Tools dialog": "Opent het dialoogvenster met ontwikkelaarsgereedschap",
"Sunday": "Zondag",
"Notification targets": "Meldingsbestemmingen",
@ -432,7 +426,6 @@
"Toolbox": "Gereedschap",
"Collecting logs": "Logs worden verzameld",
"Invite to this room": "Uitnodigen voor deze kamer",
"Send logs": "Logs versturen",
"All messages": "Alle berichten",
"Call invitation": "Oproep-uitnodiging",
"State Key": "Toestandssleutel",
@ -651,17 +644,11 @@
"Language and region": "Taal en regio",
"Account management": "Accountbeheer",
"General": "Algemeen",
"Legal": "Juridisch",
"Credits": "Met dank aan",
"For help with using %(brand)s, click <a>here</a>.": "Klik <a>hier</a> voor hulp bij het gebruiken van %(brand)s.",
"For help with using %(brand)s, click <a>here</a> or start a chat with our bot using the button below.": "Klik <a>hier</a> voor hulp bij het gebruiken van %(brand)s of begin een kamer met onze robot met de knop hieronder.",
"Help & About": "Hulp & info",
"Bug reporting": "Bug meldingen",
"FAQ": "FAQ",
"Versions": "Versies",
"Preferences": "Voorkeuren",
"Composer": "Opsteller",
"Timeline": "Tijdslijn",
"Room list": "Kamerslijst",
"Autocomplete delay (ms)": "Vertraging voor autoaanvullen (ms)",
"Accept all %(invitedRooms)s invites": "Alle %(invitedRooms)s de uitnodigingen aannemen",
@ -746,7 +733,6 @@
"This homeserver would like to make sure you are not a robot.": "Deze homeserver wil graag weten of je geen robot bent.",
"Please review and accept all of the homeserver's policies": "Gelieve het beleid van de homeserver door te nemen en te aanvaarden",
"Please review and accept the policies of this homeserver:": "Gelieve het beleid van deze homeserver door te nemen en te aanvaarden:",
"Change": "Wijzigen",
"Email (optional)": "E-mailadres (optioneel)",
"Phone (optional)": "Telefoonnummer (optioneel)",
"Join millions for free on the largest public server": "Neem deel aan de grootste publieke server samen met miljoenen anderen",
@ -754,7 +740,6 @@
"Couldn't load page": "Kon pagina niet laden",
"Your message wasn't sent because this homeserver has hit its Monthly Active User Limit. Please <a>contact your service administrator</a> to continue using the service.": "Je bericht is niet verstuurd omdat deze homeserver zijn limiet voor maandelijks actieve personen heeft bereikt. <a>Neem contact op met je beheerder</a> om de dienst te blijven gebruiken.",
"Your message wasn't sent because this homeserver has exceeded a resource limit. Please <a>contact your service administrator</a> to continue using the service.": "Je bericht is niet verstuurd omdat deze homeserver een systeembronlimiet heeft overschreden. <a>Neem contact op met je dienstbeheerder</a> om de dienst te blijven gebruiken.",
"Guest": "Gast",
"Could not load user profile": "Kon persoonsprofiel niet laden",
"Your password has been reset.": "Jouw wachtwoord is opnieuw ingesteld.",
"Invalid homeserver discovery response": "Ongeldig homeserver-vindbaarheids-antwoord",
@ -797,9 +782,7 @@
"one": "Je hebt %(count)s ongelezen meldingen in een vorige versie van deze kamer."
},
"The file '%(fileName)s' failed to upload.": "Het bestand %(fileName)s kon niet geüpload worden.",
"GitHub issue": "GitHub-melding",
"Notes": "Opmerkingen",
"If there is additional context that would help in analysing the issue, such as what you were doing at the time, room IDs, user IDs, etc., please include those things here.": "Alle verdere informatie die zou kunnen helpen het probleem te analyseren graag toevoegen (wat je aan het doen was, relevante kamer-IDs, persoon-IDs, etc.).",
"Sign out and remove encryption keys?": "Uitloggen en versleutelingssleutels verwijderen?",
"To help us prevent this in future, please <a>send us logs</a>.": "<a>Stuur ons jouw logs</a> om dit in de toekomst te helpen voorkomen.",
"Missing session data": "Sessiegegevens ontbreken",
@ -887,7 +870,6 @@
"Edited at %(date)s. Click to view edits.": "Bewerkt op %(date)s. Klik om de bewerkingen te bekijken.",
"Message edits": "Berichtbewerkingen",
"Upgrading this room requires closing down the current instance of the room and creating a new room in its place. To give room members the best possible experience, we will:": "Deze kamer bijwerken vereist dat je de huidige afsluit en in de plaats een nieuwe kamer aanmaakt. Om leden de best mogelijke ervaring te bieden, zullen we:",
"Show all": "Alles tonen",
"%(severalUsers)smade no changes %(count)s times": {
"other": "%(severalUsers)s hebben %(count)s keer niets gewijzigd",
"one": "%(severalUsers)s hebben niets gewijzigd"
@ -921,7 +903,6 @@
"Displays list of commands with usages and descriptions": "Toont een lijst van beschikbare opdrachten, met hun toepassing en omschrijving",
"Checking server": "Server wordt gecontroleerd",
"Disconnect from the identity server <idserver />?": "Wil je de verbinding met de identiteitsserver <idserver /> verbreken?",
"Disconnect": "Verbinding verbreken",
"You are currently using <server></server> to discover and be discoverable by existing contacts you know. You can change your identity server below.": "Om bekenden te kunnen vinden en voor hen vindbaar te zijn gebruik je momenteel <server></server>. Je kan die identiteitsserver hieronder wijzigen.",
"You are not currently using an identity server. To discover and be discoverable by existing contacts you know, add one below.": "Je gebruikt momenteel geen identiteitsserver. Voeg er hieronder één toe om bekenden te kunnen vinden en voor hen vindbaar te zijn.",
"Disconnecting from your identity server will mean you won't be discoverable by other users and you won't be able to invite others by email or phone.": "Als je de verbinding met je identiteitsserver verbreekt zal je niet door andere personen gevonden kunnen worden, en dat je anderen niet via e-mail of telefoon zal kunnen uitnodigen.",
@ -930,7 +911,6 @@
"Always show the window menu bar": "De venstermenubalk altijd tonen",
"Unable to revoke sharing for email address": "Kan delen voor dit e-mailadres niet intrekken",
"Unable to share email address": "Kan e-mailadres niet delen",
"Revoke": "Intrekken",
"Discovery options will appear once you have added an email above.": "Vindbaarheidopties zullen verschijnen wanneer je een e-mailadres hebt toegevoegd.",
"Unable to revoke sharing for phone number": "Kan delen voor dit telefoonnummer niet intrekken",
"Unable to share phone number": "Kan telefoonnummer niet delen",
@ -973,7 +953,6 @@
"Error changing power level": "Fout bij wijzigen van machtsniveau",
"An error occurred changing the user's power level. Ensure you have sufficient permissions and try again.": "Er is een fout opgetreden bij het wijzigen van het machtsniveau van de persoon. Zorg ervoor dat je over voldoende machtigingen beschikt en probeer het opnieuw.",
"Verify the link in your inbox": "Verifieer de koppeling in je postvak",
"Complete": "Voltooien",
"No recent messages by %(user)s found": "Geen recente berichten door %(user)s gevonden",
"Try scrolling up in the timeline to see if there are any earlier ones.": "Probeer omhoog te scrollen in de tijdslijn om te kijken of er eerdere zijn.",
"Remove recent messages by %(user)s": "Recente berichten door %(user)s verwijderen",
@ -986,10 +965,7 @@
"Deactivating this user will log them out and prevent them from logging back in. Additionally, they will leave all the rooms they are in. This action cannot be reversed. Are you sure you want to deactivate this user?": "Deze persoon deactiveren zal deze persoon uitloggen en verhinderen dat de persoon weer inlogt. Bovendien zal de persoon alle kamers waaraan de persoon deelneemt verlaten. Deze actie is niet terug te draaien. Weet je zeker dat je deze persoon wilt deactiveren?",
"Deactivate user": "Persoon deactiveren",
"Remove recent messages": "Recente berichten verwijderen",
"Bold": "Vet",
"Italics": "Cursief",
"Strikethrough": "Doorstreept",
"Code block": "Codeblok",
"This invite to %(roomName)s was sent to %(email)s which is not associated with your account": "Deze uitnodiging tot %(roomName)s was verstuurd naar %(email)s, dat niet aan uw account gekoppeld is",
"Link this email with your account in Settings to receive invites directly in %(brand)s.": "Koppel in de instellingen dit e-mailadres aan uw account om uitnodigingen direct in %(brand)s te ontvangen.",
"This invite to %(roomName)s was sent to %(email)s": "Deze uitnodiging tot %(roomName)s was verstuurd naar %(email)s",
@ -1039,7 +1015,6 @@
"Encryption upgrade available": "Versleutelingsupgrade beschikbaar",
"You can use <code>/help</code> to list available commands. Did you mean to send this as a message?": "Typ <code>/help</code> om alle opdrachten te zien. Was het je bedoeling dit als bericht te sturen?",
"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.": "Dit vergt validatie van een e-mailadres of telefoonnummer middels de standaard identiteitsserver <server />, maar die server heeft geen gebruiksvoorwaarden.",
"Custom (%(level)s)": "Aangepast (%(level)s)",
"Error upgrading room": "Upgraden van kamer mislukt",
"Double check that your server supports the room version chosen and try again.": "Ga nogmaals na dat de server de gekozen kamerversie ondersteunt, en probeer het dan opnieuw.",
"Verifies a user, session, and pubkey tuple": "Verifieert de combinatie van persoon, sessie en publieke sleutel",
@ -1096,7 +1071,6 @@
"Lock": "Hangslot",
"Other users may not trust it": "Mogelijk wantrouwen anderen het",
"Later": "Later",
"Review": "Controleer",
"This bridge was provisioned by <user />.": "Dank aan <user /> voor de brug.",
"This bridge is managed by <user />.": "Brug onderhouden door <user />.",
"Show less": "Minder tonen",
@ -1123,7 +1097,6 @@
"You have not ignored anyone.": "Je hebt niemand genegeerd.",
"You are currently ignoring:": "Je negeert op dit moment:",
"You are not subscribed to any lists": "Je hebt geen abonnement op een lijst",
"Unsubscribe": "Abonnement opzeggen",
"View rules": "Bekijk regels",
"You are currently subscribed to:": "Je hebt een abonnement op:",
"⚠ These settings are meant for advanced users.": "⚠ Deze instellingen zijn bedoeld voor gevorderde personen.",
@ -1134,7 +1107,6 @@
"Subscribed lists": "Abonnementen op lijsten",
"Subscribing to a ban list will cause you to join it!": "Wanneer je jezelf abonneert op een banlijst zal je eraan worden toegevoegd!",
"If this isn't what you want, please use a different tool to ignore users.": "Als je dit niet wilt kan je een andere methode gebruiken om personen te negeren.",
"Subscribe": "Abonneren",
"Enable desktop notifications for this session": "Bureaubladmeldingen voor deze sessie inschakelen",
"Enable audible notifications for this session": "Meldingen met geluid voor deze sessie inschakelen",
"You should:": "Je zou best:",
@ -1156,7 +1128,6 @@
"Someone is using an unknown session": "Iemand gebruikt een onbekende sessie",
"This room is end-to-end encrypted": "Deze kamer is eind-tot-eind-versleuteld",
"Everyone in this room is verified": "Iedereen in deze kamer is geverifieerd",
"Mod": "Mod",
"Direct Messages": "Direct gesprek",
"If disabled, messages from encrypted rooms won't appear in search results.": "Dit moet aan staan om te kunnen zoeken in versleutelde kamers.",
"Indexed rooms:": "Geïndexeerde kamers:",
@ -1307,7 +1278,6 @@
"Command Autocomplete": "Opdrachten autoaanvullen",
"Enter your account password to confirm the upgrade:": "Voer je wachtwoord in om het upgraden te bevestigen:",
"Restore your key backup to upgrade your encryption": "Herstel je sleutelback-up om je versleuteling te upgraden",
"Restore": "Herstellen",
"You'll need to authenticate with the server to confirm the upgrade.": "Je zal moeten inloggen bij de server om het upgraden te bevestigen.",
"Upgrade this session to allow it to verify other sessions, granting them access to encrypted messages and marking them as trusted for other users.": "Upgrade deze sessie om er andere sessies mee te verifiëren. Hiermee krijgen de andere sessies toegang tot je versleutelde berichten en is het voor andere personen als vertrouwd gemarkeerd .",
"Upgrade your encryption": "Upgrade je versleuteling",
@ -1675,7 +1645,6 @@
"The authenticity of this encrypted message can't be guaranteed on this device.": "De echtheid van dit versleutelde bericht kan op dit apparaat niet worden gegarandeerd.",
"To link to this room, please add an address.": "Voeg een adres toe om naar deze kamer te kunnen verwijzen.",
"Remove messages sent by others": "Berichten van anderen verwijderen",
"Privacy": "Privacy",
"Appearance Settings only affect this %(brand)s session.": "Weergave-instellingen zijn alleen van toepassing op deze %(brand)s sessie.",
"Customise your appearance": "Weergave aanpassen",
"Use between %(min)s pt and %(max)s pt": "Gebruik een getal tussen %(min)s pt en %(max)s pt",
@ -1727,7 +1696,6 @@
"Enable end-to-end encryption": "Eind-tot-eind-versleuteling inschakelen",
"Your server requires encryption to be enabled in private rooms.": "Jouw server vereist dat versleuteling in een privékamer is ingeschakeld.",
"Reason (optional)": "Reden (niet vereist)",
"Download logs": "Logs downloaden",
"Server name": "Servernaam",
"Add a new server": "Een nieuwe server toevoegen",
"Matrix": "Matrix",
@ -1900,7 +1868,6 @@
"Dismiss read marker and jump to bottom": "Verlaat de leesmarkering en spring naar beneden",
"Cancel replying to a message": "Antwoord op bericht annuleren",
"New line": "Nieuwe regel",
"Space": "Space",
"Cancel autocomplete": "Autoaanvullen annuleren",
"Autocomplete": "Autoaanvullen",
"Room List": "Kamerslijst",
@ -1987,7 +1954,6 @@
"The widget will verify your user ID, but won't be able to perform actions for you:": "De widget zal uw persoon-ID verifiëren, maar zal geen acties voor u kunnen uitvoeren:",
"Allow this widget to verify your identity": "Sta deze widget toe om uw identiteit te verifiëren",
"Decline All": "Alles weigeren",
"Approve": "Goedkeuren",
"This widget would like to:": "Deze widget zou willen:",
"Approve widget permissions": "Machtigingen voor widgets goedkeuren",
"Use your preferred Matrix homeserver if you have one, or host your own.": "Gebruik de Matrix-homeserver van je voorkeur als je er een hebt, of host je eigen.",
@ -2107,8 +2073,6 @@
"Who are you working with?": "Met wie werk je samen?",
"Skip for now": "Voorlopig overslaan",
"Failed to create initial space rooms": "Het maken van de Space kamers is mislukt",
"Support": "Ondersteuning",
"Random": "Willekeurig",
"Welcome to <name/>": "Welkom in <name/>",
"%(count)s members": {
"other": "%(count)s personen",
@ -2214,7 +2178,6 @@
"Forgotten or lost all recovery methods? <a>Reset all</a>": "Alles vergeten en alle herstelmethoden verloren? <a>Alles opnieuw instellen</a>",
"If you do, please note that none of your messages will be deleted, but the search experience might be degraded for a few moments whilst the index is recreated": "Als je dat doet, let wel op dat geen van jouw berichten wordt verwijderd, maar de zoekresultaten zullen gedurende enkele ogenblikken verslechteren terwijl de index opnieuw wordt aangemaakt",
"View message": "Bericht bekijken",
"%(seconds)ss left": "%(seconds)s's over",
"Change server ACLs": "Wijzig server ACL's",
"You can select all or individual messages to retry or delete": "Je kan alles selecteren of per individueel bericht opnieuw versturen of verwijderen",
"Sending": "Wordt verstuurd",
@ -2231,8 +2194,6 @@
"Pick rooms or conversations to add. This is just a space for you, no one will be informed. You can add more later.": "Kies een kamer of gesprek om hem toe te voegen. Dit is een Space voor jou, niemand zal hiervan een melding krijgen. Je kan er later meer toevoegen.",
"What do you want to organise?": "Wat wil je organiseren?",
"You have no ignored users.": "Je hebt geen persoon genegeerd.",
"Play": "Afspelen",
"Pause": "Pauze",
"Select a room below first": "Start met selecteren van een kamer hieronder",
"Join the beta": "Beta inschakelen",
"Leave the beta": "Beta verlaten",
@ -2249,7 +2210,6 @@
"We were unable to access your microphone. Please check your browser settings and try again.": "We hebben geen toegang tot je microfoon. Controleer je browserinstellingen en probeer het opnieuw.",
"Unable to access your microphone": "Geen toegang tot je microfoon",
"Your access token gives full access to your account. Do not share it with anyone.": "Jouw toegangstoken geeft je toegang tot je account. Deel hem niet met anderen.",
"Access Token": "Toegangstoken",
"Please enter a name for the space": "Vul een naam in voor deze space",
"Connecting": "Verbinden",
"Message search initialisation failed": "Zoeken in berichten opstarten is mislukt",
@ -2524,7 +2484,6 @@
"Don't leave any rooms": "Geen kamers verlaten",
"%(senderDisplayName)s sent a sticker.": "%(senderDisplayName)s Verstuurde een sticker.",
"%(senderDisplayName)s changed the room avatar.": "%(senderDisplayName)s veranderde de kamerafbeelding.",
"%(date)s at %(time)s": "%(date)s om %(time)s",
"Include Attachments": "Bijlages toevoegen",
"Size Limit": "Bestandsgrootte",
"Format": "Formaat",
@ -2623,7 +2582,6 @@
"Use a more compact 'Modern' layout": "Compacte 'Moderne'-indeling gebruiken",
"Other rooms": "Andere kamers",
"Automatically send debug logs on any error": "Automatisch foutenlogboek versturen bij een fout",
"Rename": "Hernoemen",
"Show all threads": "Threads weergeven",
"Keep discussions organised with threads": "Houd threads georganiseerd",
"Shows all threads you've participated in": "Toon alle threads waarin je hebt bijgedragen",
@ -2930,10 +2888,6 @@
"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",
"Failed to invite users to %(roomName)s": "Kan personen niet uitnodigen voor %(roomName)s",
"%(value)ss": "%(value)ss",
"%(value)sm": "%(value)sm",
"%(value)sh": "%(value)sh",
"%(value)sd": "%(value)sd",
"Observe only": "Alleen observeren",
"Requester": "Aanvrager",
"Methods": "Methoden",
@ -3048,8 +3002,6 @@
"Remove messages sent by me": "Door mij verzonden berichten verwijderen",
"View older version of %(spaceName)s.": "Bekijk oudere versie van %(spaceName)s.",
"Upgrade this space to the recommended room version": "Upgrade deze ruimte naar de aanbevolen kamerversie",
"Debug logs contain application usage data including your username, the IDs or aliases of the rooms you have visited, which UI elements you last interacted with, and the usernames of other users. They do not contain messages.": "Foutopsporingslogboeken bevatten toepassingsgebruiksgegevens, waaronder je inlognaam, de ID's of aliassen van de kamers die je hebt bezocht, met welke UI-elementen je voor het laatst interactie hebt gehad en de inlognamen van andere personen. Ze bevatten geen berichten.",
"If you've submitted a bug via GitHub, debug logs can help us track down the problem. ": "Als je een bug via GitHub hebt ingediend, kunnen foutopsporingslogboeken ons helpen het probleem op te sporen. ",
"Spaces are a new way to group rooms and people. What kind of Space do you want to create? You can change this later.": "Spaces zijn een nieuwe manier om kamers en mensen te groeperen. Wat voor ruimte wil je aanmaken? Je kan dit later wijzigen.",
"Match system": "Match systeem",
"Developer tools": "Ontwikkelaarstools",
@ -3275,7 +3227,6 @@
"You made it!": "Het is je gelukt!",
"Interactively verify by emoji": "Interactief verifiëren door emoji",
"Manually verify by text": "Handmatig verifiëren via tekst",
"View all": "Bekijk alles",
"Security recommendations": "Beveiligingsaanbevelingen",
"Filter devices": "Filter apparaten",
"Inactive for %(inactiveAgeDays)s days or longer": "Inactief gedurende %(inactiveAgeDays)s dagen of langer",
@ -3310,7 +3261,6 @@
"Sessions": "Sessies",
"Your server doesn't support disabling sending read receipts.": "Jouw server biedt geen ondersteuning voor het uitschakelen van het verzenden van leesbevestigingen.",
"Share your activity and status with others.": "Deel je activiteit en status met anderen.",
"Presence": "Aanwezigheid",
"Welcome": "Welkom",
"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",
@ -3337,7 +3287,6 @@
"Your server has native support": "Jouw server heeft native ondersteuning",
"%(qrCode)s or %(appLinks)s": "%(qrCode)s of %(appLinks)s",
"%(qrCode)s or %(emojiCompare)s": "%(qrCode)s of %(emojiCompare)s",
"Show": "Toon",
"Completing set up of your new device": "De configuratie van je nieuwe apparaat voltooien",
"Waiting for device to sign in": "Wachten op apparaat om in te loggen",
"Review and approve the sign in": "Controleer en keur de aanmelding goed",
@ -3359,8 +3308,6 @@
"Video call ended": "Video oproep beëindigd",
"%(name)s started a video call": "%(name)s is een videogesprek gestart",
"Room info": "Kamer informatie",
"Underline": "Onderstrepen",
"Italic": "Cursief",
"View chat timeline": "Gesprekstijdslijn bekijken",
"Close call": "Sluit oproep",
"Spotlight": "Schijnwerper",
@ -3480,7 +3427,22 @@
"dark": "Donker",
"beta": "Beta",
"attachment": "Bijlage",
"appearance": "Weergave"
"appearance": "Weergave",
"guest": "Gast",
"legal": "Juridisch",
"credits": "Met dank aan",
"faq": "FAQ",
"access_token": "Toegangstoken",
"preferences": "Voorkeuren",
"presence": "Aanwezigheid",
"timeline": "Tijdslijn",
"privacy": "Privacy",
"camera": "Camera",
"microphone": "Microfoon",
"emoji": "Emoji",
"random": "Willekeurig",
"support": "Ondersteuning",
"space": "Space"
},
"action": {
"continue": "Doorgaan",
@ -3550,7 +3512,23 @@
"call": "Bellen",
"back": "Terug",
"add": "Toevoegen",
"accept": "Aannemen"
"accept": "Aannemen",
"disconnect": "Verbinding verbreken",
"change": "Wijzigen",
"subscribe": "Abonneren",
"unsubscribe": "Abonnement opzeggen",
"approve": "Goedkeuren",
"complete": "Voltooien",
"revoke": "Intrekken",
"rename": "Hernoemen",
"view_all": "Bekijk alles",
"show_all": "Alles tonen",
"show": "Toon",
"review": "Controleer",
"restore": "Herstellen",
"play": "Afspelen",
"pause": "Pauze",
"register": "Registreren"
},
"a11y": {
"user_menu": "Persoonsmenu"
@ -3589,5 +3567,43 @@
"control": "Ctrl",
"shift": "Shift",
"number": "[number]"
},
"composer": {
"format_bold": "Vet",
"format_italic": "Cursief",
"format_underline": "Onderstrepen",
"format_strikethrough": "Doorstreept",
"format_inline_code": "Code",
"format_code_block": "Codeblok"
},
"Bold": "Vet",
"Code": "Code",
"power_level": {
"default": "Standaard",
"restricted": "Beperkte toegang",
"moderator": "Moderator",
"admin": "Beheerder",
"custom": "Aangepast (%(level)s)",
"mod": "Mod"
},
"bug_reporting": {
"introduction": "Als je een bug via GitHub hebt ingediend, kunnen foutopsporingslogboeken ons helpen het probleem op te sporen. ",
"description": "Foutopsporingslogboeken bevatten toepassingsgebruiksgegevens, waaronder je inlognaam, de ID's of aliassen van de kamers die je hebt bezocht, met welke UI-elementen je voor het laatst interactie hebt gehad en de inlognamen van andere personen. Ze bevatten geen berichten.",
"matrix_security_issue": "Bekijk eerst het <a>openbaarmakingsbeleid</a> van Matrix.org als je een probleem met de beveiliging van Matrix wilt melden.",
"submit_debug_logs": "Foutenlogboek versturen",
"title": "Bug meldingen",
"additional_context": "Alle verdere informatie die zou kunnen helpen het probleem te analyseren graag toevoegen (wat je aan het doen was, relevante kamer-IDs, persoon-IDs, etc.).",
"send_logs": "Logs versturen",
"github_issue": "GitHub-melding",
"download_logs": "Logs downloaden",
"before_submitting": "Voordat je logs indient, dien je jouw probleem te melden <a>in een GitHub issue</a>."
},
"time": {
"seconds_left": "%(seconds)s's over",
"date_at_time": "%(date)s om %(time)s",
"short_days": "%(value)sd",
"short_hours": "%(value)sh",
"short_minutes": "%(value)sm",
"short_seconds": "%(value)ss"
}
}

View file

@ -240,12 +240,10 @@
"Failed to copy": "Noko gjekk gale med kopieringa",
"A text message has been sent to %(msisdn)s": "Ei tekstmelding vart send til %(msisdn)s",
"Please enter the code it contains:": "Ver venleg og skriv koden den inneheld inn:",
"Code": "Kode",
"Start authentication": "Start authentisering",
"powered by Matrix": "Matrixdriven",
"Sign in with": "Logg inn med",
"Email address": "Epostadresse",
"Register": "Meld deg inn",
"Something went wrong!": "Noko gjekk gale!",
"What's New": "Kva er nytt",
"What's new?": "Kva er nytt?",
@ -351,8 +349,6 @@
"Logs sent": "Loggar sende",
"Thank you!": "Takk skal du ha!",
"Failed to send logs: ": "Fekk ikkje til å senda loggar: ",
"Submit debug logs": "Send inn feil-logg",
"Send logs": "Send loggar inn",
"Unavailable": "Utilgjengeleg",
"Changelog": "Endringslogg",
"not specified": "Ikkje spesifisert",
@ -438,8 +434,6 @@
"No Webcams detected": "Ingen Nettkamera funne",
"Default Device": "Eininga som brukast i utgangspunktet",
"Audio Output": "Ljodavspeling",
"Microphone": "Ljodopptaking",
"Camera": "Kamera",
"Email": "Epost",
"Account": "Brukar",
"%(brand)s version:": "%(brand)s versjon:",
@ -453,7 +447,6 @@
"Can't connect to homeserver - please check your connectivity, ensure your <a>homeserver's SSL certificate</a> is trusted, and that a browser extension is not blocking requests.": "Kan ikkje kopla til heimtenaren - ver venleg og sjekk tilkoplinga di, og sjå til at <a>heimtenaren din sitt CCL-sertifikat</a> er stolt på og at ein nettlesartillegg ikkje hindrar førespurnader.",
"This server does not support authentication with a phone number.": "Denne tenaren støttar ikkje stadfesting gjennom telefonnummer.",
"Commands": "Kommandoar",
"Emoji": "Emoji",
"Notify the whole room": "Varsle heile rommet",
"Room Notification": "Romvarsel",
"Users": "Brukarar",
@ -503,7 +496,6 @@
"other": "Du har %(count)s uleste varslingar i ein tidligare versjon av dette rommet.",
"one": "Du har %(count)s ulest varsel i ein tidligare versjon av dette rommet."
},
"Guest": "Gjest",
"Could not load user profile": "Klarde ikkje å laste brukarprofilen",
"Your password has been reset.": "Passodet ditt vart nullstilt.",
"Invalid homeserver discovery response": "Feil svar frå heimetenaren (discovery response)",
@ -583,7 +575,6 @@
"Identity server has no terms of service": "Identitetstenaren manglar bruksvilkår",
"This action requires accessing the default identity server <server /> to validate an email address or phone number, but the server does not have any terms of service.": "Denne handlinga krev kommunikasjon mot <server />(standard identitetstenar) for å verifisere e-post eller telefonnummer, men tenaren manglar bruksvilkår.",
"Only continue if you trust the owner of the server.": "Gå vidare så lenge du har tillit til eigar av tenaren.",
"Custom (%(level)s)": "Tilpassa (%(level)s)",
"Error upgrading room": "Feil ved oppgradering av rom",
"Double check that your server supports the room version chosen and try again.": "Sjekk at tenar støttar denne romversjonen, og prøv på nytt.",
"Verifies a user, session, and pubkey tuple": "Verifiser brukar, økt eller public-key objekt (pubkey tuple)",
@ -616,7 +607,6 @@
"Email addresses": "E-postadresser",
"Phone numbers": "Telefonnummer",
"Help & About": "Hjelp og om",
"Bug reporting": "Feilrapportering",
"Accept all %(invitedRooms)s invites": "Aksepter alle invitasjonar frå %(invitedRooms)s",
"Security & Privacy": "Tryggleik og personvern",
"Error changing power level requirement": "Feil under endring av krav for tilgangsnivå",
@ -641,10 +631,7 @@
"Send a message…": "Send melding…",
"The conversation continues here.": "Samtalen held fram her.",
"This room has been replaced and is no longer active.": "Dette rommet er erstatta og er ikkje lenger aktivt.",
"Bold": "Feit",
"Italics": "Kursiv",
"Strikethrough": "Gjennomstreka",
"Code block": "Kodeblokk",
"Room %(name)s": "Rom %(name)s",
"Direct Messages": "Folk",
"Join the conversation with an account": "Bli med i samtalen med ein konto",
@ -711,9 +698,7 @@
"Invalid theme schema.": "",
"Language and region": "Språk og region",
"General": "Generelt",
"Preferences": "Innstillingar",
"Room list": "Romkatalog",
"Timeline": "Historikk",
"Autocomplete delay (ms)": "Forsinkelse på autofullfør (ms)",
"Room information": "Rominformasjon",
"Room Addresses": "Romadresser",
@ -770,7 +755,6 @@
"Enable audible notifications for this session": "Aktiver høyrbare varslingar for denne økta",
"Custom theme URL": "Tilpassa tema-URL",
"Add theme": "Legg til tema",
"Credits": "Bidragsytarar",
"For help with using %(brand)s, click <a>here</a>.": "For hjelp med å bruka %(brand)s, klikk <a>her</a>.",
"For help with using %(brand)s, click <a>here</a> or start a chat with our bot using the button below.": "For hjelp med å bruka %(brand)s, klikk <a>her</a>, eller start ein samtale med vår bot ved å bruke knappen under.",
"Clear cache and reload": "Tøm buffer og last inn på nytt",
@ -790,7 +774,6 @@
"Server or user ID to ignore": "Tenar eller brukar-ID for å ignorere",
"If this isn't what you want, please use a different tool to ignore users.": "Om det ikkje var dette du ville, bruk eit anna verktøy til å ignorera brukarar.",
"Enter the name of a new server you want to explore.": "Skriv inn namn på ny tenar du ynskjer å utforske.",
"If there is additional context that would help in analysing the issue, such as what you were doing at the time, room IDs, user IDs, etc., please include those things here.": "Om du har meir info rundt korleis problemet oppstod, som kva du prøvde å gjere på det tidspunktet, brukar-IDar m.m ,inkluder gjerne den informasjonen her.",
"Topic (optional)": "Emne (valfritt)",
"Command Help": "Kommandohjelp",
"To help us prevent this in future, please <a>send us logs</a>.": "For å bistå med å forhindre dette i framtida, gjerne <a>send oss loggar</a>.",
@ -885,9 +868,7 @@
"Email Address": "E-postadresse",
"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.": "Du bør <b>fjerne dine personlege data</b> frå identitetstenaren <idserver /> før du koplar frå. Dessverre er identitetstenaren <idserver /> utilgjengeleg og kan ikkje nåast akkurat no.",
"We recommend that you remove your email addresses and phone numbers from the identity server before disconnecting.": "Vi tilrår at du slettar personleg informasjon, som e-postadresser og telefonnummer frå identitetstenaren før du koplar frå.",
"Privacy": "Personvern",
"Versions": "Versjonar",
"Legal": "Juridisk",
"Identity server": "Identitetstenar",
"You're already in a call with this person.": "Du er allereie i ein samtale med denne personen.",
"Already in call": "Allereie i ein samtale",
@ -914,7 +895,6 @@
"United States": "Sambandsstatane (USA)",
"United Kingdom": "Storbritannia",
"We couldn't log you in": "Vi klarte ikkje å logga deg inn",
"%(date)s at %(time)s": "%(date)s klokka %(time)s",
"Too Many Calls": "For mange samtalar",
"Unable to access microphone": "Får ikkje tilgang til mikrofonen",
"The call could not be established": "Samtalen kunne ikkje opprettast",
@ -958,7 +938,6 @@
"Not a valid identity server (status code %(code)s)": "Ikkje ein gyldig identietstenar (statuskode %(code)s)",
"Identity server URL must be HTTPS": "URL for identitetstenar må vera HTTPS",
"Review to ensure your account is safe": "Undersøk dette for å gjere kontoen trygg",
"Review": "Undersøk",
"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",
"Enable Markdown": "Aktiver Markdown",
@ -976,7 +955,6 @@
"To view all keyboard shortcuts, <a>click here</a>.": "For å sjå alle tastatursnarvegane, <a>klikk her</a>.",
"Deactivate account": "Avliv brukarkontoen",
"Enter a new identity server": "Skriv inn ein ny identitetstenar",
"Rename": "Endra namn",
"Click the button below to confirm signing out these devices.": {
"one": "Trykk på knappen under for å stadfesta utlogging frå denne eininga."
},
@ -1014,13 +992,6 @@
"Permission is granted to use the webcam": "Tilgang til nettkamera er aktivert",
"A microphone and webcam are plugged in and set up correctly": "Du har kopla til mikrofon og nettkamera, og at desse fungerer som dei skal",
"Call failed because microphone could not be accessed. Check that a microphone is plugged in and set up correctly.": "Samtalen feila fordi mikrofonen ikkje kunne aktiverast. Sjekk att ein mikrofon er tilkopla og at den fungerer.",
"%(minutes)sm %(seconds)ss": "%(minutes)sm %(seconds)ss",
"%(hours)sh %(minutes)sm %(seconds)ss": "%(hours)st %(minutes)sm %(seconds)ss",
"%(days)sd %(hours)sh %(minutes)sm %(seconds)ss": "%(days)sd %(hours)st %(minutes)sm %(seconds)ss",
"%(value)sd": "%(value)sd",
"%(seconds)ss left": "%(seconds)ss att",
"%(minutes)sm %(seconds)ss left": "%(minutes)sm %(seconds)ss att",
"%(hours)sh %(minutes)sm %(seconds)ss left": "%(hours)st %(minutes)sm %(seconds)ss att",
"common": {
"analytics": "Statistikk",
"error": "Noko gjekk gale",
@ -1047,7 +1018,16 @@
"description": "Skildring",
"dark": "Mørkt tema",
"attachment": "Vedlegg",
"appearance": "Utsjånad"
"appearance": "Utsjånad",
"guest": "Gjest",
"legal": "Juridisk",
"credits": "Bidragsytarar",
"preferences": "Innstillingar",
"timeline": "Historikk",
"privacy": "Personvern",
"camera": "Kamera",
"microphone": "Ljodopptaking",
"emoji": "Emoji"
},
"action": {
"continue": "Fortset",
@ -1093,7 +1073,10 @@
"cancel": "Bryt av",
"back": "Attende",
"add": "Legg til",
"accept": "Sei ja"
"accept": "Sei ja",
"rename": "Endra namn",
"review": "Undersøk",
"register": "Meld deg inn"
},
"labs": {
"pinning": "Meldingsfesting",
@ -1101,5 +1084,37 @@
},
"keyboard": {
"home": "Heim"
},
"composer": {
"format_bold": "Feit",
"format_strikethrough": "Gjennomstreka",
"format_inline_code": "Kode",
"format_code_block": "Kodeblokk"
},
"Bold": "Feit",
"Code": "Kode",
"power_level": {
"default": "Opphavleg innstilling",
"restricted": "Avgrensa",
"moderator": "Moderator",
"admin": "Administrator",
"custom": "Tilpassa (%(level)s)"
},
"bug_reporting": {
"matrix_security_issue": "For å rapportere eit Matrix-relatert sikkerheitsproblem, les Matrix.org sin <a>Security Disclosure Policy</a>.",
"submit_debug_logs": "Send inn feil-logg",
"title": "Feilrapportering",
"additional_context": "Om du har meir info rundt korleis problemet oppstod, som kva du prøvde å gjere på det tidspunktet, brukar-IDar m.m ,inkluder gjerne den informasjonen her.",
"send_logs": "Send loggar inn"
},
"time": {
"hours_minutes_seconds_left": "%(hours)st %(minutes)sm %(seconds)ss att",
"minutes_seconds_left": "%(minutes)sm %(seconds)ss att",
"seconds_left": "%(seconds)ss att",
"date_at_time": "%(date)s klokka %(time)s",
"short_days": "%(value)sd",
"short_days_hours_minutes_seconds": "%(days)sd %(hours)st %(minutes)sm %(seconds)ss",
"short_hours_minutes_seconds": "%(hours)st %(minutes)sm %(seconds)ss",
"short_minutes_seconds": "%(minutes)sm %(seconds)ss"
}
}

View file

@ -10,7 +10,6 @@
"Send a reply…": "Enviar una responsa…",
"Send an encrypted message…": "Enviar un messatge chifrat…",
"Send a message…": "Enviar un messatge…",
"Bold": "Gras",
"Online for %(duration)s": "En linha dempuèi %(duration)s",
"Idle for %(duration)s": "Inactiu dempuèi %(duration)s",
"Offline for %(duration)s": "Fòra linha dempuèi %(duration)s",
@ -69,7 +68,6 @@
"Usage": "Usatge",
"Thank you!": "Mercés !",
"Reason": "Rason",
"Review": "Reveire",
"Notifications": "Notificacions",
"Ok": "Validar",
"Set up": "Parametrar",
@ -105,25 +103,14 @@
"Restore from Backup": "Restablir a partir de l'archiu",
"Off": "Atudat",
"Display Name": "Nom d'afichatge",
"Disconnect": "Se desconnectar",
"Change": "Cambiar",
"Profile": "Perfil",
"Account": "Compte",
"General": "General",
"Legal": "Legal",
"Credits": "Crèdits",
"FAQ": "FAQ",
"Versions": "Versions",
"Unsubscribe": "Se desabonar",
"Subscribe": "S'inscriure",
"Preferences": "Preferéncias",
"Composer": "Compositor",
"Timeline": "Axe temporal",
"Unignore": "Ignorar pas",
"Security & Privacy": "Seguretat e vida privada",
"Audio Output": "Sortida àudio",
"Microphone": "Microfòn",
"Camera": "Aparelh de fotografiar",
"Bridges": "Bridges",
"Sounds": "Sons",
"Browse": "Percórrer",
@ -131,14 +118,10 @@
"Permissions": "Permissions",
"Encryption": "Chiframent",
"Encrypted": "Chifrat",
"Complete": "Acabat",
"Revoke": "Revocar",
"Phone Number": "Numèro de telefòn",
"Mod": "Moderador",
"Unencrypted": "Pas chifrat",
"Hangup": "Penjar",
"Italics": "Italicas",
"Strikethrough": "Raiat",
"Historical": "Istoric",
"Sign Up": "Sinscriure",
"Sort by": "Triar per",
@ -162,7 +145,6 @@
"Today": "Uèi",
"Yesterday": "Ièr",
"Show image": "Afichar l'imatge",
"Show all": "O mostrar tot",
"Failed to copy": "Impossible de copiar",
"Smileys & People": "Emoticònas e personatges",
"Animals & Nature": "Animals e natura",
@ -203,21 +185,17 @@
"Email": "Corrièl",
"Phone": "Telefòn",
"Passwords don't match": "Los senhals correspondon pas",
"Register": "S'enregistrar",
"Unknown error": "Error desconeguda",
"Search failed": "La recèrca a fracassat",
"Feedback": "Comentaris",
"Incorrect password": "Senhal incorrècte",
"Commands": "Comandas",
"Emoji": "Emoji",
"Users": "Utilizaires",
"Export": "Exportar",
"Import": "Importar",
"Restore": "Restablir",
"Success!": "Capitada!",
"Navigation": "Navigacion",
"Upload a file": "Actualizar un fichièr",
"Space": "Espaci",
"Explore rooms": "Percórrer las salas",
"Create Account": "Crear un compte",
"Click the button below to confirm adding this email address.": "Clicatz sus lo boton aicí dejós per confirmar l'adicion de l'adreça e-mail.",
@ -247,7 +225,16 @@
"description": "descripcion",
"dark": "Escur",
"attachment": "Pèça junta",
"appearance": "Aparéncia"
"appearance": "Aparéncia",
"legal": "Legal",
"credits": "Crèdits",
"faq": "FAQ",
"preferences": "Preferéncias",
"timeline": "Axe temporal",
"camera": "Aparelh de fotografiar",
"microphone": "Microfòn",
"emoji": "Emoji",
"space": "Espaci"
},
"action": {
"continue": "Contunhar",
@ -295,7 +282,17 @@
"cancel": "Anullar",
"back": "Precedenta",
"add": "Ajustar",
"accept": "Acceptar"
"accept": "Acceptar",
"disconnect": "Se desconnectar",
"change": "Cambiar",
"subscribe": "S'inscriure",
"unsubscribe": "Se desabonar",
"complete": "Acabat",
"revoke": "Revocar",
"show_all": "O mostrar tot",
"review": "Reveire",
"restore": "Restablir",
"register": "S'enregistrar"
},
"keyboard": {
"home": "Dorsièr personal",
@ -308,5 +305,16 @@
"alt": "Alt",
"control": "Ctrl",
"shift": "Descalatge"
},
"composer": {
"format_bold": "Gras",
"format_strikethrough": "Raiat"
},
"Bold": "Gras",
"power_level": {
"default": "Predefinit",
"moderator": "Moderator",
"admin": "Admin",
"mod": "Moderador"
}
}

View file

@ -31,8 +31,6 @@
"Usage": "Użycie",
"Unban": "Odbanuj",
"Account": "Konto",
"Microphone": "Mikrofon",
"Camera": "Kamera",
"Are you sure?": "Czy jesteś pewien?",
"Banned users": "Zbanowani użytkownicy",
"Change Password": "Zmień Hasło",
@ -86,7 +84,6 @@
"Download %(text)s": "Pobierz %(text)s",
"Email": "E-mail",
"Email address": "Adres e-mail",
"Emoji": "Emoji",
"Enable automatic language detection for syntax highlighting": "Włącz automatyczne rozpoznawanie języka dla podświetlania składni",
"Enter passphrase": "Wpisz frazę",
"Error decrypting attachment": "Błąd odszyfrowywania załącznika",
@ -148,7 +145,6 @@
"Privileged Users": "Użytkownicy uprzywilejowani",
"Profile": "Profil",
"Reason": "Powód",
"Register": "Rejestracja",
"Reject invitation": "Odrzuć zaproszenie",
"Return to login screen": "Wróć do ekranu logowania",
"%(brand)s does not have permission to send you notifications - please check your browser settings": "%(brand)s nie ma uprawnień, by wysyłać Ci powiadomienia - sprawdź ustawienia swojej przeglądarki",
@ -259,7 +255,6 @@
"%(widgetName)s widget added by %(senderName)s": "Widżet %(widgetName)s został dodany przez %(senderName)s",
"%(widgetName)s widget removed by %(senderName)s": "Widżet %(widgetName)s został usunięty przez %(senderName)s",
"%(widgetName)s widget modified by %(senderName)s": "Widżet %(widgetName)s został zmodyfikowany przez %(senderName)s",
"Submit debug logs": "Wyślij dzienniki błędów",
"%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s, %(day)s %(monthName)s %(fullYear)s",
"Restricted": "Ograniczony",
"Ignored user": "Ignorowany użytkownik",
@ -311,7 +306,6 @@
"All Rooms": "Wszystkie pokoje",
"Wednesday": "Środa",
"You cannot delete this message. (%(code)s)": "Nie możesz usunąć tej wiadomości. (%(code)s)",
"Send logs": "Wyślij logi",
"All messages": "Wszystkie wiadomości",
"Call invitation": "Zaproszenie do rozmowy",
"State Key": "Klucz stanu",
@ -343,7 +337,6 @@
"Copied!": "Skopiowano!",
"Failed to copy": "Kopiowanie nieudane",
"A text message has been sent to %(msisdn)s": "Wysłano wiadomość tekstową do %(msisdn)s",
"Code": "Kod",
"Delete Widget": "Usuń widżet",
"Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "Usunięcie widżetu usuwa go dla wszystkich użytkowników w tym pokoju. Czy na pewno chcesz usunąć ten widżet?",
"%(nameList)s %(transitionList)s": "%(nameList)s %(transitionList)s",
@ -614,10 +607,7 @@
"Phone numbers": "Numery telefonów",
"Language and region": "Język i region",
"Account management": "Zarządzanie kontem",
"Bug reporting": "Zgłaszanie błędów",
"Versions": "Wersje",
"Preferences": "Preferencje",
"Timeline": "Oś czasu",
"Room list": "Lista pokojów",
"Security & Privacy": "Bezpieczeństwo i prywatność",
"Room Addresses": "Adresy pokoju",
@ -739,21 +729,16 @@
"The identity server you have chosen does not have any terms of service.": "Serwer tożsamości który został wybrany nie posiada warunków użytkowania.",
"Only continue if you trust the owner of the server.": "Kontynuj tylko wtedy, gdy ufasz właścicielowi serwera.",
"Disconnect from the identity server <idserver />?": "Odłączyć od serwera tożsamości <idserver />?",
"Disconnect": "Odłącz",
"You are currently using <server></server> to discover and be discoverable by existing contacts you know. You can change your identity server below.": "Używasz <server></server>, aby odnajdywać i móc być odnajdywanym przez istniejące kontakty, które znasz. Możesz zmienić serwer tożsamości poniżej.",
"You are not currently using an identity server. To discover and be discoverable by existing contacts you know, add one below.": "Nie używasz serwera tożsamości. Aby odkrywać i być odkrywanym przez istniejące kontakty które znasz, dodaj jeden poniżej.",
"Disconnecting from your identity server will mean you won't be discoverable by other users and you won't be able to invite others by email or phone.": "Odłączenie się od serwera tożsamości oznacza, że inni nie będą mogli Cię odnaleźć ani Ty nie będziesz w stanie zaprosić nikogo za pomocą e-maila czy telefonu.",
"Enter a new identity server": "Wprowadź nowy serwer tożsamości",
"Change": "Zmień",
"Agree to the identity server (%(serverName)s) Terms of Service to allow yourself to be discoverable by email address or phone number.": "Wyrażasz zgodę na warunki użytkowania serwera%(serverName)s aby pozwolić na odkrywanie Ciebie za pomocą adresu e-mail oraz numeru telefonu.",
"Discovery": "Odkrywanie",
"Deactivate account": "Dezaktywuj konto",
"Legal": "Zasoby prawne",
"Credits": "Podziękowania",
"For help with using %(brand)s, click <a>here</a>.": "Aby uzyskać pomoc w używaniu %(brand)s, naciśnij <a>tutaj</a>.",
"For help with using %(brand)s, click <a>here</a> or start a chat with our bot using the button below.": "Aby uzyskać pomoc w korzystaniu z %(brand)s, kliknij <a>tutaj</a> lub rozpocznij czat z botem za pomocą przycisku poniżej.",
"Chat with %(brand)s Bot": "Rozmowa z Botem %(brand)s",
"FAQ": "Najczęściej zadawane pytania",
"Always show the window menu bar": "Zawsze pokazuj pasek menu okna",
"Add Email Address": "Dodaj adres e-mail",
"Add Phone Number": "Dodaj numer telefonu",
@ -763,7 +748,6 @@
"Changes the avatar of the current room": "Zmienia awatar dla obecnego pokoju",
"Use an identity server": "Użyj serwera tożsamości",
"Show previews/thumbnails for images": "Pokaż podgląd/miniatury obrazów",
"Custom (%(level)s)": "Własny (%(level)s)",
"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.",
"%(name)s (%(userId)s)": "%(name)s (%(userId)s)",
@ -861,7 +845,6 @@
"Add theme": "Dodaj motyw",
"Ignored users": "Zignorowani użytkownicy",
"⚠ These settings are meant for advanced users.": "⚠ Te ustawienia są przeznaczone dla zaawansowanych użytkowników.",
"Subscribe": "Subskrybuj",
"Local address": "Lokalny adres",
"Published Addresses": "Opublikowane adresy",
"Local Addresses": "Lokalne adresy",
@ -872,7 +855,6 @@
"Calls": "Połączenia",
"Room List": "Lista pokojów",
"New line": "Nowa linia",
"Space": "Przestrzeń",
"Sign In or Create Account": "Zaloguj się lub utwórz konto",
"Use your account or create a new one to continue.": "Użyj konta lub utwórz nowe, aby kontynuować.",
"Edited at %(date)s. Click to view edits.": "Edytowano w %(date)s. Kliknij, aby zobaczyć zmiany.",
@ -912,7 +894,6 @@
"Enter username": "Wprowadź nazwę użytkownika",
"Explore rooms": "Przeglądaj pokoje",
"Forgotten your password?": "Nie pamiętasz hasła?",
"Restore": "Przywróć",
"Success!": "Sukces!",
"Manage integrations": "Zarządzaj integracjami",
"%(count)s verified sessions": {
@ -943,7 +924,6 @@
"Session key": "Klucz sesji",
"Go": "Przejdź",
"Email (optional)": "Adres e-mail (opcjonalnie)",
"Guest": "Gość",
"Setting up keys": "Konfigurowanie kluczy",
"Verify this session": "Zweryfikuj tę sesję",
"%(name)s is requesting verification": "%(name)s prosi o weryfikację",
@ -962,9 +942,7 @@
"about a minute ago": "około minuty temu",
"about an hour ago": "około godziny temu",
"about a day ago": "około dzień temu",
"Bold": "Pogrubienie",
"Italics": "Kursywa",
"Strikethrough": "Przekreślenie",
"Reason: %(reason)s": "Powód: %(reason)s",
"Reject & Ignore user": "Odrzuć i zignoruj użytkownika",
"Show image": "Pokaż obraz",
@ -1090,7 +1068,6 @@
},
"Room options": "Ustawienia pokoju",
"Manually verify all remote sessions": "Ręcznie weryfikuj wszystkie zdalne sesje",
"Privacy": "Prywatność",
"This version of %(brand)s does not support searching encrypted messages": "Ta wersja %(brand)s nie obsługuje wyszukiwania zabezpieczonych wiadomości",
"Use the <a>Desktop app</a> to search encrypted messages": "Używaj <a>Aplikacji desktopowej</a>, aby wyszukiwać zaszyfrowane wiadomości",
"Message search": "Wyszukiwanie wiadomości",
@ -1261,20 +1238,16 @@
"Emoji Autocomplete": "Autouzupełnianie emoji",
"Phone (optional)": "Telefon (opcjonalny)",
"Upload Error": "Błąd wysyłania",
"GitHub issue": "Zgłoszenie GitHub",
"Close dialog": "Zamknij okno dialogowe",
"Show all": "Zobacz wszystko",
"Deactivate user": "Dezaktywuj użytkownika",
"Deactivate user?": "Dezaktywować użytkownika?",
"Revoke invite": "Odwołaj zaproszenie",
"Code block": "Blok kodu",
"Ban users": "Zablokuj użytkowników",
"General failure": "Ogólny błąd",
"Removing…": "Usuwanie…",
"Cancelling…": "Anulowanie…",
"Algorithm:": "Algorytm:",
"Bulk options": "Masowe działania",
"Approve": "Zatwierdź",
"Incompatible Database": "Niekompatybilna baza danych",
"Information": "Informacje",
"Categories": "Kategorie",
@ -1282,9 +1255,7 @@
"Accepting…": "Akceptowanie…",
"Re-join": "Dołącz ponownie",
"Unencrypted": "Nieszyfrowane",
"Revoke": "Odwołaj",
"Encrypted": "Szyfrowane",
"Unsubscribe": "Odsubskrybuj",
"None": "Brak",
"exists": "istnieje",
"Change the topic of this room": "Zmień temat tego pokoju",
@ -1558,7 +1529,6 @@
"Contact your <a>server admin</a>.": "Skontaktuj się ze swoim <a>administratorem serwera</a>.",
"Your homeserver has exceeded one of its resource limits.": "Twój homeserver przekroczył jeden z limitów zasobów.",
"Your homeserver has exceeded its user limit.": "Twój homeserver przekroczył limit użytkowników.",
"Review": "Przejrzyj",
"Error leaving room": "Błąd opuszczania pokoju",
"Unexpected server error trying to leave the room": "Nieoczekiwany błąd serwera podczas próby opuszczania pokoju",
"%(num)s days from now": "za %(num)s dni",
@ -1632,7 +1602,6 @@
"Generate a Security Key": "Wygeneruj klucz bezpieczeństwa",
"Safeguard against losing access to encrypted messages & data by backing up encryption keys on your server.": "Zabezpiecz się przed utratą dostępu do szyfrowanych wiadomości i danych, tworząc kopię zapasową kluczy szyfrowania na naszym serwerze.",
"Safeguard against losing access to encrypted messages & data": "Zabezpiecz się przed utratą dostępu do szyfrowanych wiadomości i danych",
"Access Token": "Token dostępu",
"Your access token gives full access to your account. Do not share it with anyone.": "Twój token dostępu daje pełen dostęp do Twojego konta. Nie dziel się nim z nikim.",
"Avatar": "Awatar",
"Leave the beta": "Opuść betę",
@ -1698,7 +1667,6 @@
"There was an error looking up the phone number": "Podczas wyszukiwania numeru telefonu wystąpił błąd",
"Unable to look up phone number": "Nie można wyszukać numeru telefonu",
"We sent the others, but the below people couldn't be invited to <RoomName/>": "Wysłaliśmy pozostałym, ale osoby poniżej nie mogły zostać zaproszone do <RoomName/>",
"%(date)s at %(time)s": "%(date)s o %(time)s",
"%(senderDisplayName)s changed the server ACLs for this room.": "%(senderDisplayName)s zmienił ACLe serwera dla pokoju.",
"Prepends ┬──┬ ( ゜-゜ノ) to a plain-text message": "Dodaje ┬──┬ ( ゜-゜ノ) na początku wiadomości tekstowej",
"%(targetName)s accepted an invitation": "%(targetName)s zaakceptował zaproszenie",
@ -1937,7 +1905,6 @@
"Size must be a number": "Rozmiar musi być liczbą",
"Hey you. You're the best!": "Hej, ty. Jesteś super!",
"Message search initialisation failed": "Inicjalizacja wyszukiwania wiadomości nie powiodła się",
"Rename": "Zmień nazwę",
"Select all": "Zaznacz wszystkie",
"Deselect all": "Odznacz wszystkie",
"Close dialog or context menu": "Zamknij dialog lub menu kontekstowe",
@ -1985,7 +1952,6 @@
"other": "%(user)s i %(count)s innych"
},
"%(user1)s and %(user2)s": "%(user1)s i %(user2)s",
"%(value)sd": "%(value)sd",
"Send your first message to invite <displayName/> to chat": "Wyślij pierwszą wiadomość, aby zaprosić <displayName/> do rozmowy",
"Spell check": "Sprawdzanie pisowni",
"Download %(brand)s Desktop": "Pobierz %(brand)s Desktop",
@ -2006,7 +1972,6 @@
"Unverified session": "Sesja niezweryfikowana",
"Inactive for %(inactiveAgeDays)s+ days": "Nieaktywne przez %(inactiveAgeDays)s+ dni",
"Unverified sessions": "Sesje niezweryfikowane",
"View all": "Pokaż wszystkie",
"Inactive sessions": "Sesje nieaktywne",
"Verified sessions": "Sesje zweryfikowane",
"No verified sessions found.": "Nie znaleziono zweryfikowanych sesji.",
@ -2018,7 +1983,6 @@
"Not ready for secure messaging": "Nieprzygotowane do bezpiecznej komunikacji",
"Inactive": "Nieaktywny",
"Inactive for %(inactiveAgeDays)s days or longer": "Nieaktywne przez %(inactiveAgeDays)s dni lub dłużej",
"Show": "Pokaż",
"%(qrCode)s or %(emojiCompare)s": "%(qrCode)s lub %(emojiCompare)s",
"%(qrCode)s or %(appLinks)s": "%(qrCode)s lub %(appLinks)s",
"%(securityKey)s or %(recoveryFile)s": "%(securityKey)s lub %(recoveryFile)s",
@ -2197,8 +2161,6 @@
"Poll": "Ankieta",
"Voice Message": "Wiadomość głosowa",
"Join public room": "Dołącz do publicznego pokoju",
"Debug logs contain application usage data including your username, the IDs or aliases of the rooms you have visited, which UI elements you last interacted with, and the usernames of other users. They do not contain messages.": "Dzienniki debugowania zawierają dane o korzystaniu z aplikacji, w tym nazwę użytkownika, identyfikatory lub aliasy odwiedzonych pokoi, elementy interfejsu użytkownika, z którymi ostatnio wchodziłeś w interakcje oraz nazwy innych użytkowników. Nie zawierają treści wiadomości.",
"If you've submitted a bug via GitHub, debug logs can help us track down the problem. ": "Jeśli zgłosiłeś błąd za pomocą serwisu GitHub, dzienniki debugowania mogą pomóc nam w namierzeniu problemu. ",
"Seen by %(count)s people": {
"one": "Odczytane przez %(count)s osobę",
"other": "Odczytane przez %(count)s osób"
@ -2210,7 +2172,6 @@
"Copy room link": "Kopiuj link do pokoju",
"Spaces are ways to group rooms and people. Alongside the spaces you're in, you can use some pre-built ones too.": "Przestrzenie to sposób grupowania pokoi i osób. Oprócz przestrzeni, w których się znajdujesz, możesz też skorzystać z gotowych grupowań.",
"Spaces to show": "Wyświetlanie przestrzeni",
"Complete": "Uzupełnij",
"Previous autocomplete suggestion": "Poprzednia sugestia autouzupełniania",
"Next autocomplete suggestion": "Następna sugestia autouzupełniania",
"Next room or DM": "Następny pokój lub wiadomość prywatna",
@ -2226,15 +2187,6 @@
"Sidebar": "Pasek boczny",
"Export chat": "Eksportuj czat",
"Files": "Pliki",
"%(hours)sh %(minutes)sm %(seconds)ss left": "pozostało %(hours)s godz. %(minutes)s min. %(seconds)ss",
"%(minutes)sm %(seconds)ss left": "pozostało %(minutes)s min. %(seconds)ss",
"%(seconds)ss left": "pozostało %(seconds)ss",
"%(value)ss": "%(value)ss",
"%(minutes)sm %(seconds)ss": "%(minutes)s min. %(seconds)ss",
"%(hours)sh %(minutes)sm %(seconds)ss": "%(hours)s godz. %(minutes)s min. %(seconds)ss",
"%(days)sd %(hours)sh %(minutes)sm %(seconds)ss": "%(days)sd %(hours)s godz. %(minutes)s min. %(seconds)ss",
"%(value)sm": "%(value)s min.",
"%(value)sh": "%(value)s godz.",
"Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "Indywidualnie weryfikuj każdą sesję używaną przez użytkownika, aby oznaczyć ją jako zaufaną, nie ufając urządzeniom weryfikowanym krzyżowo.",
"Cross-signing private keys:": "Klucze prywatne weryfikacji krzyżowej:",
"Cross-signing public keys:": "Klucze publiczne weryfikacji krzyżowej:",
@ -2475,7 +2427,6 @@
"Images, GIFs and videos": "Obrazy, GIFy i wideo",
"Code blocks": "Bloki kodu",
"Share your activity and status with others.": "Udostępnij swoją aktywność i status z innymi.",
"Presence": "Prezencja",
"Displaying time": "Wyświetlanie czasu",
"Keyboard shortcuts": "Skróty klawiszowe",
"Subscribed lists": "Listy subskrybowanych",
@ -2649,7 +2600,6 @@
"Encrypted by an unverified session": "Zaszyfrowano przez sesję niezweryfikowaną",
" in <strong>%(room)s</strong>": " w <strong>%(room)s</strong>",
"From a thread": "Z wątku",
"Mod": "Moderator",
"Someone is using an unknown session": "Ktoś używa nieznanej sesji",
"You have verified this user. This user has verified all of their sessions.": "Zweryfikowałeś tego użytkownika. Użytkownik zweryfikował wszystkie swoje sesje.",
"You have not verified this user.": "Nie zweryfikowałeś tego użytkownika.",
@ -2762,13 +2712,6 @@
"Text": "Tekst",
"Create a link": "Utwórz link",
"Edit link": "Edytuj link",
"Link": "Link",
"Indent decrease": "Zmniejszenie wcięcia",
"Indent increase": "Zwiększenie wcięcia",
"Numbered list": "Lista numerowana",
"Bulleted list": "Lista punktorów",
"Underline": "Podkreślenie",
"Italic": "Kursywa",
"We were unable to access your microphone. Please check your browser settings and try again.": "Nie byliśmy w stanie uzyskać dostępu do Twojego mikrofonu. Sprawdź ustawienia swojej wyszukiwarki.",
"Unable to access your microphone": "Nie można uzyskać dostępu do mikrofonu",
"Unable to decrypt message": "Nie można rozszyfrować wiadomości",
@ -3124,8 +3067,6 @@
"other": "Zamierzasz usunąć %(count)s wiadomości przez %(user)s. To usunie je permanentnie dla wszystkich w konwersacji. Czy chcesz kontynuować?"
},
"Try scrolling up in the timeline to see if there are any earlier ones.": "Spróbuj przewinąć się w górę na osi czasu, aby sprawdzić, czy nie ma wcześniejszych.",
"If there is additional context that would help in analysing the issue, such as what you were doing at the time, room IDs, user IDs, etc., please include those things here.": "Jeśli istnieje dodatkowy kontekst, który pomógłby nam w analizie zgłoszenia, taki jak co robiłeś w trakcie wystąpienia problemu, ID pokojów, ID użytkowników, itd., wprowadź go tutaj.",
"Download logs": "Pobierz dzienniki",
"Reminder: Your browser is unsupported, so your experience may be unpredictable.": "Przypomnienie: Twoja przeglądarka nie jest wspierana, więc Twoje doświadczenie może być nieprzewidywalne.",
"Preparing to download logs": "Przygotowuję do pobrania dzienników",
"Please tell us what went wrong or, better, create a GitHub issue that describes the problem.": "Powiedz nam, co poszło nie tak, lub nawet lepiej - utwórz zgłoszenie na platformie GitHub, które opisuje problem.",
@ -3670,8 +3611,6 @@
"Creating rooms…": "Tworzenie pokojów…",
"Skip for now": "Pomiń na razie",
"Failed to create initial space rooms": "Nie udało się utworzyć początkowych pokoi przestrzeni",
"Support": "Wsparcie",
"Random": "Losowe",
"Welcome to <name/>": "Witamy w <name/>",
"Search names and descriptions": "Przeszukuj nazwy i opisy",
"Rooms and spaces": "Pokoje i przestrzenie",
@ -3702,8 +3641,6 @@
"Own your conversations.": "Bądź właścicielem swoich konwersacji.",
"Add a photo so people know it's you.": "Dodaj zdjęcie, aby inni mogli Cię rozpoznać.",
"Great, that'll help people know it's you": "Świetnie, pomoże to innym Cię rozpoznać",
"Play": "Odtwórz",
"Pause": "Wstrzymaj",
"Error downloading audio": "Wystąpił błąd w trakcie pobierania audio",
"Unnamed audio": "Audio bez nazwy",
"Use email to optionally be discoverable by existing contacts.": "Użyj adresu e-mail, aby opcjonalnie móc być odkrywanym przez istniejące kontakty.",
@ -3735,7 +3672,6 @@
"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",
"Proceed": "Kontynuuj",
"Play a sound for": "Odtwórz dźwięk dla",
"Notify when someone mentions using @room": "Powiadom mnie, gdy ktoś użyje wzmianki @room",
"Email Notifications": "Powiadomienia e-mail",
@ -3827,7 +3763,22 @@
"dark": "Ciemny",
"beta": "Beta",
"attachment": "Załącznik",
"appearance": "Wygląd"
"appearance": "Wygląd",
"guest": "Gość",
"legal": "Zasoby prawne",
"credits": "Podziękowania",
"faq": "Najczęściej zadawane pytania",
"access_token": "Token dostępu",
"preferences": "Preferencje",
"presence": "Prezencja",
"timeline": "Oś czasu",
"privacy": "Prywatność",
"camera": "Kamera",
"microphone": "Mikrofon",
"emoji": "Emoji",
"random": "Losowe",
"support": "Wsparcie",
"space": "Przestrzeń"
},
"action": {
"continue": "Kontynuuj",
@ -3899,7 +3850,24 @@
"back": "Powrót",
"apply": "Zastosuj",
"add": "Dodaj",
"accept": "Akceptuj"
"accept": "Akceptuj",
"disconnect": "Odłącz",
"change": "Zmień",
"subscribe": "Subskrybuj",
"unsubscribe": "Odsubskrybuj",
"approve": "Zatwierdź",
"proceed": "Kontynuuj",
"complete": "Uzupełnij",
"revoke": "Odwołaj",
"rename": "Zmień nazwę",
"view_all": "Pokaż wszystkie",
"show_all": "Zobacz wszystko",
"show": "Pokaż",
"review": "Przejrzyj",
"restore": "Przywróć",
"play": "Odtwórz",
"pause": "Wstrzymaj",
"register": "Rejestracja"
},
"a11y": {
"user_menu": "Menu użytkownika"
@ -3965,5 +3933,54 @@
"default_cover_photo": "Autorem <photo>domyślnego zdjęcia okładkowego</photo> jest <author>Jesús Roncero</author> na licencji <terms>CC-BY-SA 4.0</terms>.",
"twemoji_colr": "Czcionka <colr>twemoji-colr</colr> jest w użyciu na warunkach licencji <terms>Apache 2.0</terms>. <author>© Mozilla Foundation</author>.",
"twemoji": "Czcionka <twemoji>Twemoji</twemoji> jest w użyciu na warunkach licencji <terms>CC-BY 4.0</terms>. <author>© Twitter, Inc i pozostali kontrybutorzy</author>."
},
"composer": {
"format_bold": "Pogrubienie",
"format_italic": "Kursywa",
"format_underline": "Podkreślenie",
"format_strikethrough": "Przekreślenie",
"format_unordered_list": "Lista punktorów",
"format_ordered_list": "Lista numerowana",
"format_increase_indent": "Zwiększenie wcięcia",
"format_decrease_indent": "Zmniejszenie wcięcia",
"format_inline_code": "Kod",
"format_code_block": "Blok kodu",
"format_link": "Link"
},
"Bold": "Pogrubienie",
"Link": "Link",
"Code": "Kod",
"power_level": {
"default": "Zwykły",
"restricted": "Ograniczony",
"moderator": "Moderator",
"admin": "Administrator",
"custom": "Własny (%(level)s)",
"mod": "Moderator"
},
"bug_reporting": {
"introduction": "Jeśli zgłosiłeś błąd za pomocą serwisu GitHub, dzienniki debugowania mogą pomóc nam w namierzeniu problemu. ",
"description": "Dzienniki debugowania zawierają dane o korzystaniu z aplikacji, w tym nazwę użytkownika, identyfikatory lub aliasy odwiedzonych pokoi, elementy interfejsu użytkownika, z którymi ostatnio wchodziłeś w interakcje oraz nazwy innych użytkowników. Nie zawierają treści wiadomości.",
"matrix_security_issue": "Aby zgłosić błąd związany z bezpieczeństwem Matriksa, przeczytaj <a>Politykę odpowiedzialnego ujawniania informacji</a> Matrix.org.",
"submit_debug_logs": "Wyślij dzienniki błędów",
"title": "Zgłaszanie błędów",
"additional_context": "Jeśli istnieje dodatkowy kontekst, który pomógłby nam w analizie zgłoszenia, taki jak co robiłeś w trakcie wystąpienia problemu, ID pokojów, ID użytkowników, itd., wprowadź go tutaj.",
"send_logs": "Wyślij logi",
"github_issue": "Zgłoszenie GitHub",
"download_logs": "Pobierz dzienniki",
"before_submitting": "Przed wysłaniem logów, <a>zgłoś problem na GitHubie</a> opisujący twój problem."
},
"time": {
"hours_minutes_seconds_left": "pozostało %(hours)s godz. %(minutes)s min. %(seconds)ss",
"minutes_seconds_left": "pozostało %(minutes)s min. %(seconds)ss",
"seconds_left": "pozostało %(seconds)ss",
"date_at_time": "%(date)s o %(time)s",
"short_days": "%(value)sd",
"short_hours": "%(value)s godz.",
"short_minutes": "%(value)s min.",
"short_seconds": "%(value)ss",
"short_days_hours_minutes_seconds": "%(days)sd %(hours)s godz. %(minutes)s min. %(seconds)ss",
"short_hours_minutes_seconds": "%(hours)s godz. %(minutes)s min. %(seconds)ss",
"short_minutes_seconds": "%(minutes)s min. %(seconds)ss"
}
}
}

View file

@ -17,7 +17,6 @@
"Default": "Padrão",
"Deops user with given id": "Retirar função de moderador do usuário com o identificador informado",
"Displays action": "Visualizar atividades",
"Emoji": "Emoji",
"Export E2E room keys": "Exportar chaves ponta-a-ponta da sala",
"Failed to change password. Is your password correct?": "Falha ao alterar a palavra-passe. A sua palavra-passe está correta?",
"Failed to reject invitation": "Falha ao tentar rejeitar convite",
@ -210,12 +209,9 @@
"No media permissions": "Não há permissões para o uso de vídeo/áudio no seu navegador",
"You may need to manually permit %(brand)s to access your microphone/webcam": "Você talvez precise autorizar manualmente que o %(brand)s acesse seu microfone e webcam",
"Default Device": "Dispositivo padrão",
"Microphone": "Microfone",
"Camera": "Câmera de vídeo",
"Anyone": "Qualquer pessoa",
"Are you sure you want to leave the room '%(roomName)s'?": "Você tem certeza que deseja sair da sala '%(roomName)s'?",
"Custom level": "Nível personalizado",
"Register": "Registar",
"You have <a>disabled</a> URL previews by default.": "Você <a>desabilitou</a> pré-visualizações de links por padrão.",
"You have <a>enabled</a> URL previews by default.": "Você <a>habilitou</a> pré-visualizações de links por padrão.",
"Create new room": "Criar nova sala",
@ -299,7 +295,6 @@
"Invite to this room": "Convidar para esta sala",
"State Key": "Chave de estado",
"Send": "Enviar",
"Send logs": "Enviar relatórios de erro",
"All messages": "Todas as mensagens",
"Call invitation": "Convite para chamada",
"What's new?": "O que há de novo?",
@ -343,20 +338,9 @@
"The file '%(fileName)s' failed to upload.": "O carregamento do ficheiro '%(fileName)s' falhou.",
"The file '%(fileName)s' exceeds this homeserver's size limit for uploads": "O ficheiro '%(fileName)s' excede o tamanho limite deste homeserver para carregamentos",
"The server does not support the room version specified.": "O servidor não suporta a versão especificada da sala.",
"%(date)s at %(time)s": "%(date)s às %(time)s",
"%(value)sh": "%(value)sh",
"%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s, %(day)s-%(monthName)s-%(fullYear)s",
"%(value)sd": "%(value)sd",
"%(days)sd %(hours)sh %(minutes)sm %(seconds)ss": "%(days)sd %(hours)sh %(minutes)sm %(seconds)ss",
"%(hours)sh %(minutes)sm %(seconds)ss": "%(hours)sh %(minutes)sm %(seconds)ss",
"%(minutes)sm %(seconds)ss": "%(minutes)sm %(seconds)ss",
"%(value)ss": "%(value)ss",
"%(seconds)ss left": "%(seconds)ss restantes",
"%(value)sm": "%(value)sm",
"Identity server has no terms of service": "O servidor de identidade não tem termos de serviço",
"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.": "Esta acção requer acesso ao servidor de identidade padrão <server /> para validar um endereço de email ou número de telefone, mas o servidor não tem quaisquer termos de serviço.",
"%(hours)sh %(minutes)sm %(seconds)ss left": "%(hours)sh %(minutes)sm %(seconds)ss restantes",
"%(minutes)sm %(seconds)ss left": "%(minutes)sm %(seconds)ss restantes",
"Only continue if you trust the owner of the server.": "Continue apenas se confia no dono do servidor.",
"User Busy": "Utilizador ocupado",
"The user you called is busy.": "O utilizador para o qual tentou ligar está ocupado.",
@ -564,7 +548,6 @@
"New? <a>Create account</a>": "Novo? <a>Crie uma conta</a>",
"Invite someone using their name, email address, username (like <userId/>) or <a>share this space</a>.": "Convide alguém a partir do nome, endereço de email, nome de utilizador (como <userId/>) ou <a>partilhe este espaço</a>.",
"Invite someone using their name, email address, username (like <userId/>) or <a>share this room</a>.": "Convide alguém a partir do nome, email ou nome de utilizador (como <userId/>) ou <a>partilhe esta sala</a>.",
"Debug logs contain application usage data including your username, the IDs or aliases of the rooms you have visited, which UI elements you last interacted with, and the usernames of other users. They do not contain messages.": "Os registos de depuração contêm dados de utilização da aplicação, incluindo o seu nome de utilizador, os IDs ou pseudónimos das salas que visitou, os últimos elementos da IU com que interagiu e os nomes de utilizador de outros utilizadores. No entanto não contêm mensagens.",
"Unable to check if username has been taken. Try again later.": "Não foi possível verificar se o nome de utilizador já foi usado. Tente novamente mais tarde.",
"<userName/> invited you": "<userName/> convidou-o",
"Someone already has that username. Try another or if it is you, sign in below.": "Alguém já tem esse nome de utilizador. Tente outro ou, se fores tu, inicia sessão em baixo.",
@ -577,7 +560,6 @@
"Effects": "Ações",
"Zambia": "Zâmbia",
"Missing roomId.": "Falta ID de Sala.",
"Custom (%(level)s)": "Personalizado (%(level)s)",
"Sign In or Create Account": "Iniciar Sessão ou Criar Conta",
"Zimbabwe": "Zimbabué",
"Yemen": "Iémen",
@ -732,7 +714,10 @@
"home": "Início",
"favourites": "Favoritos",
"description": "Descrição",
"attachment": "Anexo"
"attachment": "Anexo",
"camera": "Câmera de vídeo",
"microphone": "Microfone",
"emoji": "Emoji"
},
"action": {
"continue": "Continuar",
@ -767,9 +752,34 @@
"cancel": "Cancelar",
"back": "Voltar",
"add": "Adicionar",
"accept": "Aceitar"
"accept": "Aceitar",
"register": "Registar"
},
"keyboard": {
"home": "Início"
},
"power_level": {
"default": "Padrão",
"restricted": "Restrito",
"moderator": "Moderador/a",
"admin": "Administrador",
"custom": "Personalizado (%(level)s)"
},
"bug_reporting": {
"description": "Os registos de depuração contêm dados de utilização da aplicação, incluindo o seu nome de utilizador, os IDs ou pseudónimos das salas que visitou, os últimos elementos da IU com que interagiu e os nomes de utilizador de outros utilizadores. No entanto não contêm mensagens.",
"send_logs": "Enviar relatórios de erro"
},
"time": {
"hours_minutes_seconds_left": "%(hours)sh %(minutes)sm %(seconds)ss restantes",
"minutes_seconds_left": "%(minutes)sm %(seconds)ss restantes",
"seconds_left": "%(seconds)ss restantes",
"date_at_time": "%(date)s às %(time)s",
"short_days": "%(value)sd",
"short_hours": "%(value)sh",
"short_minutes": "%(value)sm",
"short_seconds": "%(value)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_minutes_seconds": "%(minutes)sm %(seconds)ss"
}
}

View file

@ -17,7 +17,6 @@
"Default": "Padrão",
"Deops user with given id": "Retira o nível de moderador do usuário com o ID informado",
"Displays action": "Visualizar atividades",
"Emoji": "Emoji",
"Export E2E room keys": "Exportar chaves ponta-a-ponta da sala",
"Failed to change password. Is your password correct?": "Não foi possível alterar a senha. A sua senha está correta?",
"Failed to reject invitation": "Falha ao tentar recusar o convite",
@ -210,12 +209,9 @@
"No media permissions": "Não tem permissões para acessar a mídia",
"You may need to manually permit %(brand)s to access your microphone/webcam": "Pode ser necessário permitir manualmente ao %(brand)s acessar seu microfone ou sua câmera",
"Default Device": "Aparelho padrão",
"Microphone": "Microfone",
"Camera": "Câmera",
"Anyone": "Qualquer pessoa",
"Are you sure you want to leave the room '%(roomName)s'?": "Tem certeza de que deseja sair da sala '%(roomName)s'?",
"Custom level": "Nível personalizado",
"Register": "Registre-se",
"You have <a>disabled</a> URL previews by default.": "Você <a>desativou</a> pré-visualizações de links por padrão.",
"You have <a>enabled</a> URL previews by default.": "Você <a>ativou</a> pré-visualizações de links por padrão.",
"Home": "Home",
@ -426,7 +422,6 @@
"Toolbox": "Ferramentas",
"Collecting logs": "Coletando logs",
"Invite to this room": "Convidar para esta sala",
"Send logs": "Enviar relatórios",
"All messages": "Todas as mensagens novas",
"Call invitation": "Recebendo chamada",
"State Key": "Chave do Estado",
@ -513,12 +508,10 @@
"Click here to see older messages.": "Clique aqui para ver as mensagens mais antigas.",
"Please review and accept all of the homeserver's policies": "Por favor, revise e aceite todas as políticas do homeserver",
"Please review and accept the policies of this homeserver:": "Por favor, revise e aceite as políticas deste servidor local:",
"Code": "Código",
"Unable to load event that was replied to, it either does not exist or you do not have permission to view it.": "Não é possível carregar o evento que foi respondido, ele não existe ou você não tem permissão para visualizá-lo.",
"Preparing to send logs": "Preparando para enviar relatórios",
"Logs sent": "Relatórios enviados",
"Failed to send logs: ": "Falha ao enviar os relatórios:· ",
"Submit debug logs": "Enviar relatórios de erros",
"Before submitting logs, you must <a>create a GitHub issue</a> to describe your problem.": "Antes de enviar os relatórios, você deve <a>criar um bilhete de erro no GitHub</a> para descrever seu problema.",
"Unable to load commit detail: %(msg)s": "Não foi possível carregar os detalhes do envio: %(msg)s",
"To avoid losing your chat history, you must export your room keys before logging out. You will need to go back to the newer version of %(brand)s to do this": "Para evitar perder seu histórico de bate-papo, você precisa exportar as chaves da sua sala antes de se desconectar. Quando entrar novamente, você precisará usar a versão mais atual do %(brand)s",
@ -561,7 +554,6 @@
"You can't send any messages until you review and agree to <consentLink>our terms and conditions</consentLink>.": "Você não pode enviar nenhuma mensagem até revisar e concordar com <consentLink>nossos termos e condições</consentLink>.",
"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.": "Sua mensagem não foi enviada porque este homeserver atingiu seu Limite de usuário ativo mensal. Por favor, <a>entre em contato com o seu administrador de serviços</a> para continuar usando o serviço.",
"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.": "Sua mensagem não foi enviada porque este servidor local excedeu o limite de recursos. Por favor, <a>entre em contato com o seu administrador de serviços</a> para continuar usando o serviço.",
"Legal": "Legal",
"No Audio Outputs detected": "Nenhuma caixa de som detectada",
"Audio Output": "Caixa de som",
"Invalid homeserver discovery response": "Resposta de descoberta de homeserver inválida",
@ -699,17 +691,12 @@
"Language and region": "Idioma e região",
"Account management": "Gerenciamento da Conta",
"General": "Geral",
"Credits": "Licenças",
"For help with using %(brand)s, click <a>here</a>.": "Para obter ajuda com o uso do %(brand)s, clique <a>aqui</a>.",
"For help with using %(brand)s, click <a>here</a> or start a chat with our bot using the button below.": "Para obter ajuda com o uso do %(brand)s, clique <a>aqui</a> ou inicie um bate-papo com nosso bot usando o botão abaixo.",
"Chat with %(brand)s Bot": "Converse com o bot do %(brand)s",
"Help & About": "Ajuda e sobre",
"Bug reporting": "Relato de Erros",
"FAQ": "FAQ",
"Versions": "Versões",
"Preferences": "Preferências",
"Composer": "Campo de texto",
"Timeline": "Conversas",
"Room list": "Lista de salas",
"Autocomplete delay (ms)": "Atraso no preenchimento automático (ms)",
"Ignored users": "Usuários bloqueados",
@ -755,7 +742,6 @@
"Sign In or Create Account": "Faça login ou crie uma conta",
"Use your account or create a new one to continue.": "Use sua conta ou crie uma nova para continuar.",
"Create Account": "Criar Conta",
"Custom (%(level)s)": "Personalizado (%(level)s)",
"Messages": "Mensagens",
"Actions": "Ações",
"Other": "Outros",
@ -851,7 +837,6 @@
"%(num)s days from now": "dentro de %(num)s dias",
"%(name)s (%(userId)s)": "%(name)s (%(userId)s)",
"The user's homeserver does not support the version of the room.": "O servidor desta(e) usuária(o) não suporta a versão desta sala.",
"Review": "Revisar",
"Later": "Mais tarde",
"Your homeserver has exceeded its user limit.": "Seu servidor ultrapassou seu limite de usuárias(os).",
"Your homeserver has exceeded one of its resource limits.": "Seu servidor local excedeu um de seus limites de recursos.",
@ -861,7 +846,6 @@
"Verify this session": "Confirmar esta sessão",
"Other users may not trust it": "Outras(os) usuárias(os) podem não confiar nela",
"New login. Was this you?": "Novo login. Foi você?",
"Guest": "Convidada(o)",
"You joined the call": "Você entrou na chamada",
"%(senderName)s joined the call": "%(senderName)s entrou na chamada",
"Call in progress": "Chamada em andamento",
@ -1037,7 +1021,6 @@
"%(name)s declined": "%(name)s recusou",
"%(name)s cancelled": "%(name)s cancelou",
"You sent a verification request": "Você enviou uma solicitação de confirmação",
"Show all": "Mostrar tudo",
"<reactors/><reactedWith>reacted with %(shortName)s</reactedWith>": "<reactors/><reactedWith>reagiu com %(shortName)s</reactedWith>",
"Message deleted": "Mensagem apagada",
"Message deleted by %(name)s": "Mensagem apagada por %(name)s",
@ -1138,8 +1121,6 @@
"Power level": "Nível de permissão",
"Looks good": "Muito bem",
"Close dialog": "Fechar caixa de diálogo",
"GitHub issue": "Bilhete de erro no GitHub",
"If there is additional context that would help in analysing the issue, such as what you were doing at the time, room IDs, user IDs, etc., please include those things here.": "Se houver um contexto adicional que ajude a analisar o problema, tal como o que você estava fazendo no momento, IDs de salas, IDs de usuários etc, inclua essas coisas aqui.",
"Topic (optional)": "Descrição (opcional)",
"There was a problem communicating with the server. Please try again.": "Ocorreu um problema na comunicação com o servidor. Por favor, tente novamente.",
"Server did not require any authentication": "O servidor não exigiu autenticação",
@ -1167,7 +1148,6 @@
"The identity server you have chosen does not have any terms of service.": "O servidor de identidade que você escolheu não possui nenhum termo de serviço.",
"Disconnect identity server": "Desconectar servidor de identidade",
"Disconnect from the identity server <idserver />?": "Desconectar-se do servidor de identidade <idserver />?",
"Disconnect": "Desconectar",
"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.": "Você deve <b>remover seus dados pessoais</b> do servidor de identidade <idserver /> antes de desconectar. Infelizmente, o servidor de identidade <idserver /> ou está indisponível no momento, ou não pode ser acessado.",
"You should:": "Você deveria:",
"check your browser plugins for anything that might block the identity server (such as Privacy Badger)": "verifique se há extensões no seu navegador que possam bloquear o servidor de identidade (por exemplo, Privacy Badger)",
@ -1182,7 +1162,6 @@
"Using an identity server is optional. If you choose not to use an identity server, you won't be discoverable by other users and you won't be able to invite others by email or phone.": "Usar um servidor de identidade é opcional. Se você optar por não usar um servidor de identidade, não poderá ser descoberto por outros usuários e não poderá convidar outras pessoas por e-mail ou por número de celular.",
"Do not use an identity server": "Não usar um servidor de identidade",
"Enter a new identity server": "Digite um novo servidor de identidade",
"Change": "Alterar",
"Manage integrations": "Gerenciar integrações",
"New version available. <a>Update now.</a>": "Nova versão disponível. <a>Atualize agora.</a>",
"Hey you. You're the best!": "Ei, você aí. Você é incrível!",
@ -1279,13 +1258,11 @@
"You have not ignored anyone.": "Você não bloqueou ninguém.",
"You are currently ignoring:": "Você está bloqueando:",
"You are not subscribed to any lists": "Você não está inscrito em nenhuma lista",
"Unsubscribe": "Desinscrever-se",
"View rules": "Ver regras",
"You are currently subscribed to:": "No momento, você está inscrito em:",
"⚠ These settings are meant for advanced users.": "⚠ Essas configurações são destinadas a usuários avançados.",
"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.": "Adicione aqui os usuários e servidores que você deseja bloquear. Use asteriscos para fazer com que o %(brand)s corresponda a qualquer caractere. Por exemplo, <code>@bot:*</code> bloqueará todos os usuários em qualquer servidor que tenham 'bot' no nome.",
"Server or user ID to ignore": "Servidor ou ID de usuário para bloquear",
"Subscribe": "Inscrever-se",
"Session ID:": "ID da sessão:",
"Message search": "Pesquisa de mensagens",
"Set a new custom sound": "Definir um novo som personalizado",
@ -1294,7 +1271,6 @@
"Ban users": "Banir usuários",
"Notify everyone": "Notificar todos",
"Your email address hasn't been verified yet": "Seu endereço de e-mail ainda não foi confirmado",
"Revoke": "Revogar",
"Unable to revoke sharing for phone number": "Não foi possível revogar o compartilhamento do número de celular",
"Unable to share phone number": "Não foi possível compartilhar o número de celular",
"Please enter verification code sent via text.": "Digite o código de confirmação enviado por mensagem de texto.",
@ -1307,15 +1283,11 @@
"Someone is using an unknown session": "Alguém está usando uma sessão desconhecida",
"Everyone in this room is verified": "Todos nesta sala estão confirmados",
"Edit message": "Editar mensagem",
"Mod": "Moderador",
"Scroll to most recent messages": "Ir para as mensagens recentes",
"Close preview": "Fechar a visualização",
"Send a reply…": "Digite sua resposta…",
"Send a message…": "Digite uma mensagem…",
"Bold": "Negrito",
"Italics": "Itálico",
"Strikethrough": "Riscado",
"Code block": "Bloco de código",
"Failed to connect to integration manager": "Falha ao conectar-se ao gerenciador de integrações",
"Failed to revoke invite": "Falha ao revogar o convite",
"Could not revoke the invite. The server may be experiencing a temporary problem or you do not have sufficient permissions to revoke the invite.": "Não foi possível revogar o convite. O servidor pode estar com um problema temporário ou você não tem permissões suficientes para revogar o convite.",
@ -1427,7 +1399,6 @@
"Invalid base_url for m.identity_server": "base_url inválido para m.identity_server",
"This account has been deactivated.": "Esta conta foi desativada.",
"Forgotten your password?": "Esqueceu sua senha?",
"Restore": "Restaurar",
"Success!": "Pronto!",
"Space used:": "Espaço usado:",
"Navigation": "Navegação",
@ -1487,7 +1458,6 @@
"Upgrade this room to the recommended room version": "Atualizar a versão desta sala",
"View older messages in %(roomName)s.": "Ler mensagens antigas em %(roomName)s.",
"Error changing power level": "Erro ao alterar a permissão do usuário",
"Complete": "Concluir",
"Discovery options will appear once you have added a phone number above.": "As opções de descoberta aparecerão assim que você adicione um número de telefone acima.",
"No other published addresses yet, add one below": "Nenhum endereço publicado ainda, adicione um abaixo",
"Set addresses for this room so users can find this room through your homeserver (%(localDomain)s)": "Defina endereços para esta sala, de modo que os usuários possam encontrar esta sala em seu servidor local (%(localDomain)s)",
@ -1524,10 +1494,8 @@
"Try scrolling up in the timeline to see if there are any earlier ones.": "Tente rolar para cima na conversa para ver se há mensagens anteriores.",
"Unexpected server error trying to leave the room": "Erro inesperado no servidor, ao tentar sair da sala",
"Error leaving room": "Erro ao sair da sala",
"Space": "Barra de espaço",
"Unknown App": "App desconhecido",
"eg: @bot:* or example.org": "por exemplo: @bot:* ou exemplo.org",
"Privacy": "Privacidade",
"Widgets": "Widgets",
"Edit widgets, bridges & bots": "Editar widgets, integrações e bots",
"Add widgets, bridges & bots": "Adicionar widgets, integrações e bots",
@ -1577,7 +1545,6 @@
"Video conference updated by %(senderName)s": "Chamada de vídeo em grupo atualizada por %(senderName)s",
"Video conference started by %(senderName)s": "Chamada de vídeo em grupo iniciada por %(senderName)s",
"Preparing to download logs": "Preparando os relatórios para download",
"Download logs": "Baixar relatórios",
"Your server requires encryption to be enabled in private rooms.": "O seu servidor demanda que a criptografia esteja ativada em salas privadas.",
"You might enable this if the room will only be used for collaborating with internal teams on your homeserver. This cannot be changed later.": "Você pode ativar essa opção se a sala for usada apenas para colaboração dentre equipes internas em seu servidor local. Essa opção não poderá ser alterado mais tarde.",
"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.": "Você pode desativar essa opção se a sala for usada para colaboração dentre equipes externas que possuem seu próprio servidor local. Isso não poderá ser alterado mais tarde.",
@ -1923,7 +1890,6 @@
"Enter phone number": "Digite o número de telefone",
"Enter email address": "Digite o endereço de e-mail",
"Decline All": "Recusar tudo",
"Approve": "Autorizar",
"This widget would like to:": "Este widget gostaria de:",
"Approve widget permissions": "Autorizar as permissões do widget",
"Return to call": "Retornar para a chamada",
@ -2101,7 +2067,6 @@
"Add existing room": "Adicionar sala existente",
"Send message": "Enviar mensagem",
"Skip for now": "Ignorar por enquanto",
"Random": "Aleatório",
"Welcome to <name/>": "Boas-vindas ao <name/>",
"This homeserver has been blocked by its administrator.": "Este servidor local foi bloqueado pelo seu administrador.",
"You're already in a call with this person.": "Você já está em uma chamada com essa pessoa.",
@ -2139,7 +2104,6 @@
"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",
"Invite by username": "Convidar por nome de usuário",
"Support": "Suporte",
"Original event source": "Fonte do evento original",
"Integration manager": "Gerenciador de integrações",
"Your %(brand)s doesn't allow you to use an integration manager to do this. Please contact an admin.": "Seu %(brand)s não permite que você use o gerenciador de integrações para fazer isso. Entre em contato com o administrador.",
@ -2171,7 +2135,6 @@
"View message": "Ver mensagem",
"End-to-end encryption isn't enabled": "Criptografia de ponta-a-ponta não está habilitada",
"Invite to just this room": "Convidar apenas a esta sala",
"%(seconds)ss left": "%(seconds)s restantes",
"Failed to send": "Falhou a enviar",
"Access": "Acesso",
"Decide who can join %(roomName)s.": "Decida quem pode entrar em %(roomName)s.",
@ -2192,7 +2155,6 @@
"Code blocks": "Blocos de código",
"Keyboard shortcuts": "Teclas de atalho do teclado",
"Warn before quitting": "Avisar antes de sair",
"Access Token": "Símbolo de acesso",
"Message bubbles": "Balões de mensagem",
"Mentions & keywords": "Menções e palavras-chave",
"Global": "Global",
@ -2385,7 +2347,6 @@
"one": "%(spaceName)s e %(count)s outro",
"other": "%(spaceName)s e %(count)s outros"
},
"%(date)s at %(time)s": "%(date)s às %(time)s",
"Experimental": "Experimental",
"Themes": "Temas",
"Moderation": "Moderação",
@ -2544,7 +2505,6 @@
"This room is in some spaces you're not an admin of. In those spaces, the old room will still be shown, but people will be prompted to join the new one.": "Esta sala está em alguns espaços dos quais você não é administrador. Nesses espaços, a sala antiga ainda será exibida, mas as pessoas serão solicitadas a ingressar na nova.",
"Large": "Grande",
"Image size in the timeline": "Tamanho da imagem na linha do tempo",
"Rename": "Renomear",
"Deselect all": "Desmarcar todos",
"Select all": "Selecionar tudo",
"Sign out devices": {
@ -2553,8 +2513,6 @@
},
"Command error: Unable to handle slash command.": "Erro de comando: Não é possível manipular o comando de barra.",
"%(space1Name)s and %(space2Name)s": "%(space1Name)s e %(space2Name)s",
"%(value)ss": "%(value)ss",
"%(value)sm": "%(value)sm",
"Open user settings": "Abrir as configurações do usuário",
"Switch to space by number": "Mudar para o espaço por número",
"Next recently visited room or space": "Próxima sala ou espaço visitado recentemente",
@ -2640,8 +2598,6 @@
"User does not exist": "O usuário não existe",
"Inviting %(user1)s and %(user2)s": "Convidando %(user1)s e %(user2)s",
"%(user1)s and %(user2)s": "%(user1)s e %(user2)s",
"%(value)sh": "%(value)sh",
"%(value)sd": "%(value)sd",
"Live": "Ao vivo",
"%(senderName)s has ended a poll": "%(senderName)s encerrou uma enquete",
"%(senderName)s has started a poll - %(pollQuestion)s": "%(senderName)s começou uma enquete - %(pollQuestion)s",
@ -2750,22 +2706,13 @@
"Connection error": "Erro de conexão",
"Failed to read events": "Falha ao ler evento",
"Failed to send event": "Falha ao enviar evento",
"%(minutes)sm %(seconds)ss": "%(minutes)sm %(seconds)ss",
"%(hours)sh %(minutes)sm %(seconds)ss": "%(hours)sh %(minutes)sm %(seconds)ss",
"%(days)sd %(hours)sh %(minutes)sm %(seconds)ss": "%(days)sd %(hours)sh %(minutes)sm %(seconds)ss",
"%(minutes)sm %(seconds)ss left": "%(minutes)sm %(seconds)ss restantes",
"%(hours)sh %(minutes)sm %(seconds)ss left": "%(hours)sh %(minutes)sm %(seconds)ss restantes",
"If you start listening to this live broadcast, your current live broadcast recording will be ended.": "Se você começar a ouvir esta tramissão ao vivo, a gravação desta transmissão, será encerrada.",
"Listen to live broadcast?": "Ouvir transmissão ao vivo?",
"%(senderName)s started a voice broadcast": "%(senderName)s iniciou uma transmissão de voz",
"Underline": "Sublinhar",
"Numbered list": "Lista numerada",
"Text": "Texto",
"Edit link": "Editar ligação",
"Link": "Ligação",
"Copy link to thread": "Copiar ligação para o tópico",
"Create a link": "Criar uma ligação",
"Italic": "Itálico",
"View in room": "Ver na sala",
"common": {
"about": "Sobre a sala",
@ -2810,7 +2757,21 @@
"description": "Descrição",
"dark": "Escuro",
"attachment": "Anexo",
"appearance": "Aparência"
"appearance": "Aparência",
"guest": "Convidada(o)",
"legal": "Legal",
"credits": "Licenças",
"faq": "FAQ",
"access_token": "Símbolo de acesso",
"preferences": "Preferências",
"timeline": "Conversas",
"privacy": "Privacidade",
"camera": "Câmera",
"microphone": "Microfone",
"emoji": "Emoji",
"random": "Aleatório",
"support": "Suporte",
"space": "Barra de espaço"
},
"action": {
"continue": "Continuar",
@ -2877,7 +2838,19 @@
"cancel": "Cancelar",
"back": "Voltar",
"add": "Adicionar",
"accept": "Aceitar"
"accept": "Aceitar",
"disconnect": "Desconectar",
"change": "Alterar",
"subscribe": "Inscrever-se",
"unsubscribe": "Desinscrever-se",
"approve": "Autorizar",
"complete": "Concluir",
"revoke": "Revogar",
"rename": "Renomear",
"show_all": "Mostrar tudo",
"review": "Revisar",
"restore": "Restaurar",
"register": "Registre-se"
},
"a11y": {
"user_menu": "Menu do usuário"
@ -2903,5 +2876,49 @@
"control": "Ctrl",
"shift": "Shift",
"number": "[número]"
},
"composer": {
"format_bold": "Negrito",
"format_italic": "Itálico",
"format_underline": "Sublinhar",
"format_strikethrough": "Riscado",
"format_ordered_list": "Lista numerada",
"format_inline_code": "Código",
"format_code_block": "Bloco de código",
"format_link": "Ligação"
},
"Bold": "Negrito",
"Link": "Ligação",
"Code": "Código",
"power_level": {
"default": "Padrão",
"restricted": "Restrito",
"moderator": "Moderador/a",
"admin": "Administrador/a",
"custom": "Personalizado (%(level)s)",
"mod": "Moderador"
},
"bug_reporting": {
"matrix_security_issue": "Para relatar um problema de segurança relacionado à tecnologia Matrix, leia a <a>Política de Divulgação de Segurança</a> da Matrix.org.",
"submit_debug_logs": "Enviar relatórios de erros",
"title": "Relato de Erros",
"additional_context": "Se houver um contexto adicional que ajude a analisar o problema, tal como o que você estava fazendo no momento, IDs de salas, IDs de usuários etc, inclua essas coisas aqui.",
"send_logs": "Enviar relatórios",
"github_issue": "Bilhete de erro no GitHub",
"download_logs": "Baixar relatórios",
"before_submitting": "Antes de enviar os relatórios, você deve <a>criar um bilhete de erro no GitHub</a> para descrever seu problema."
},
"time": {
"hours_minutes_seconds_left": "%(hours)sh %(minutes)sm %(seconds)ss restantes",
"minutes_seconds_left": "%(minutes)sm %(seconds)ss restantes",
"seconds_left": "%(seconds)s restantes",
"date_at_time": "%(date)s às %(time)s",
"short_days": "%(value)sd",
"short_hours": "%(value)sh",
"short_minutes": "%(value)sm",
"short_seconds": "%(value)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_minutes_seconds": "%(minutes)sm %(seconds)ss"
}
}

View file

@ -13,7 +13,6 @@
"Default": "По умолчанию",
"Deops user with given id": "Снимает полномочия оператора с пользователя с заданным ID",
"Displays action": "Отображение действий",
"Emoji": "Смайлы",
"Export E2E room keys": "Экспорт ключей шифрования",
"Failed to change password. Is your password correct?": "Не удалось сменить пароль. Вы правильно ввели текущий пароль?",
"Failed to reject invitation": "Не удалось отклонить приглашение",
@ -152,8 +151,6 @@
"powered by Matrix": "основано на Matrix",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "Отображать время в 12-часовом формате (напр. 2:30 ПП)",
"No Microphones detected": "Микрофоны не обнаружены",
"Camera": "Камера",
"Microphone": "Микрофон",
"Start automatically after system login": "Автозапуск при входе в систему",
"Default Device": "Устройство по умолчанию",
"No Webcams detected": "Веб-камера не обнаружена",
@ -172,7 +169,6 @@
"Invited": "Приглашены",
"Jump to first unread message.": "Перейти к первому непрочитанному сообщению.",
"Privileged Users": "Привилегированные пользователи",
"Register": "Зарегистрироваться",
"Server error": "Ошибка сервера",
"Server may be unavailable, overloaded, or search timed out :(": "Сервер может быть недоступен, перегружен или поиск прекращен по тайм-ауту :(",
"Server may be unavailable, overloaded, or you hit a bug.": "Возможно, сервер недоступен, перегружен или случилась ошибка.",
@ -401,8 +397,6 @@
"<a>In reply to</a> <pill>": "<a>В ответ на</a> <pill>",
"Failed to remove tag %(tagName)s from room": "Не удалось удалить тег %(tagName)s из комнаты",
"Failed to add tag %(tagName)s to room": "Не удалось добавить тег %(tagName)s в комнату",
"Code": "Код",
"Submit debug logs": "Отправить отладочные журналы",
"Opens the Developer Tools dialog": "Открывает инструменты разработчика",
"Stickerpack": "Наклейки",
"Sunday": "Воскресенье",
@ -433,7 +427,6 @@
"Toolbox": "Панель инструментов",
"Collecting logs": "Сбор журналов",
"Invite to this room": "Пригласить в комнату",
"Send logs": "Отправить журналы",
"All messages": "Все сообщения",
"Call invitation": "Звонки",
"State Key": "Ключ состояния",
@ -572,11 +565,8 @@
"Account management": "Управление учётной записью",
"Chat with %(brand)s Bot": "Чат с ботом %(brand)s",
"Help & About": "Помощь и о программе",
"FAQ": "Часто задаваемые вопросы",
"Versions": "Версии",
"Preferences": "Параметры",
"Room list": "Список комнат",
"Timeline": "Лента сообщений",
"Autocomplete delay (ms)": "Задержка автодополнения (мс)",
"Roles & Permissions": "Роли и права",
"Security & Privacy": "Безопасность",
@ -596,7 +586,6 @@
"Prompt before sending invites to potentially invalid matrix IDs": "Подтверждать отправку приглашений на потенциально недействительные matrix ID",
"All keys backed up": "Все ключи сохранены",
"General": "Общие",
"Legal": "Правовая информация",
"Room avatar": "Аватар комнаты",
"The following users may not exist": "Следующих пользователей может не существовать",
"Invite anyway and never warn me again": "Пригласить и больше не предупреждать",
@ -711,7 +700,6 @@
"Change room name": "Изменить название комнаты",
"For help with using %(brand)s, click <a>here</a>.": "Для получения помощи по использованию %(brand)s, нажмите <a>здесь</a>.",
"For help with using %(brand)s, click <a>here</a> or start a chat with our bot using the button below.": "Для получения помощи по использованию %(brand)s, нажмите <a>здесь</a> или начните чат с нашим ботом с помощью кнопки ниже.",
"Bug reporting": "Сообщить об ошибке",
"Change room avatar": "Изменить аватар комнаты",
"Change main address for the room": "Изменить основной адрес комнаты",
"Change permissions": "Изменить разрешения",
@ -741,7 +729,6 @@
"Show read receipts sent by other users": "Уведомления о прочтении другими пользователями",
"Show hidden events in timeline": "Показывать скрытые события в ленте сообщений",
"When rooms are upgraded": "При обновлении комнат",
"Credits": "Благодарности",
"Bulk options": "Основные опции",
"Upgrade this room to the recommended room version": "Модернизируйте комнату до рекомендованной версии",
"View older messages in %(roomName)s.": "Просмотр старых сообщений в %(roomName)s.",
@ -788,9 +775,7 @@
"Power level": "Уровень прав",
"Unable to find profiles for the Matrix IDs listed below - would you like to invite them anyway?": "Не возможно найти профили для MatrixID, приведенных ниже — все равно желаете их пригласить?",
"Invite anyway": "Всё равно пригласить",
"GitHub issue": "GitHub вопрос",
"Notes": "Заметка",
"If there is additional context that would help in analysing the issue, such as what you were doing at the time, room IDs, user IDs, etc., please include those things here.": "Если есть дополнительный контекст, который может помочь в анализе проблемы, такой как то, что вы делали в то время, ID комнат, ID пользователей и т. д., пожалуйста, включите эти данные.",
"Unable to load commit detail: %(msg)s": "Не возможно загрузить детали подтверждения:: %(msg)s",
"To avoid losing your chat history, you must export your room keys before logging out. You will need to go back to the newer version of %(brand)s to do this": "Чтобы не потерять историю чата, вы должны экспортировать ключи от комнаты перед выходом из системы. Для этого вам нужно будет вернуться к более новой версии %(brand)s",
"Verify this user to mark them as trusted. Trusting users gives you extra peace of mind when using end-to-end encrypted messages.": "Проверить этого пользователя, чтобы отметить его, как доверенного. Доверенные пользователи дают вам больше уверенности при использовании шифрованных сообщений.",
@ -821,7 +806,6 @@
"This homeserver would like to make sure you are not a robot.": "Этот сервер хотел бы убедиться, что вы не робот.",
"Please review and accept all of the homeserver's policies": "Пожалуйста, просмотрите и примите все правила сервера",
"Please review and accept the policies of this homeserver:": "Пожалуйста, просмотрите и примите политику этого сервера:",
"Change": "Изменить",
"Use an email address to recover your account": "Используйте почтовый адрес, чтобы восстановить доступ к учётной записи",
"Enter email address (required on this homeserver)": "Введите адрес электронной почты (требуется для этого сервера)",
"Doesn't look like a valid email address": "Не похоже на действительный адрес электронной почты",
@ -840,7 +824,6 @@
"other": "У вас есть %(count)s непрочитанных уведомлений в предыдущей версии этой комнаты.",
"one": "В предыдущей версии этой комнаты у вас есть непрочитанное уведомление %(count)s."
},
"Guest": "Гость",
"Could not load user profile": "Не удалось загрузить профиль пользователя",
"Your password has been reset.": "Ваш пароль был сброшен.",
"Invalid homeserver discovery response": "Неверный ответ при попытке обнаружения домашнего сервера",
@ -881,7 +864,6 @@
"You can log in, but some features will be unavailable until the identity server is back online. If you keep seeing this warning, check your configuration or contact a server admin.": "Вы можете войти в систему, но некоторые возможности не будет доступны, пока сервер идентификации не станет доступным. Если вы продолжаете видеть это предупреждение, проверьте вашу конфигурацию или свяжитесь с администратором сервера.",
"<a>Log in</a> to your new account.": "<a>Войти</a> в новую учётную запись.",
"Registration Successful": "Регистрация успешно завершена",
"Show all": "Показать все",
"Edited at %(date)s. Click to view edits.": "Изменено %(date)s. Нажмите для посмотра истории изменений.",
"%(severalUsers)smade no changes %(count)s times": {
"other": "%(severalUsers)sничего не изменили %(count)s раз(а)",
@ -929,7 +911,6 @@
"The identity server you have chosen does not have any terms of service.": "Сервер идентификации, который вы выбрали, не имеет никаких условий обслуживания.",
"Only continue if you trust the owner of the server.": "Продолжайте, только если доверяете владельцу сервера.",
"Disconnect from the identity server <idserver />?": "Отсоединиться от сервера идентификации <idserver />?",
"Disconnect": "Отключить",
"Do not use an identity server": "Не использовать сервер идентификации",
"Enter a new identity server": "Введите новый идентификационный сервер",
"Sends a message as plain text, without interpreting it as markdown": "Посылает сообщение в виде простого текста, не интерпретируя его как разметку",
@ -977,8 +958,6 @@
"Your email address hasn't been verified yet": "Ваш адрес электронной почты еще не проверен",
"Click the link in the email you received to verify and then click continue again.": "Нажмите на ссылку в электронном письме, которое вы получили, чтобы подтвердить, и затем нажмите продолжить снова.",
"Verify the link in your inbox": "Проверьте ссылку в вашем почтовом ящике(папка \"Входящие\")",
"Complete": "Выполнено",
"Revoke": "Отмена",
"Discovery options will appear once you have added an email above.": "Параметры поиска по электронной почты появятся после добавления её выше.",
"Unable to revoke sharing for phone number": "Не удалось отменить общий доступ к номеру телефона",
"Unable to share phone number": "Не удается предоставить общий доступ к номеру телефона",
@ -998,10 +977,7 @@
"Deactivate user?": "Деактивировать пользователя?",
"Deactivate user": "Деактивировать пользователя",
"Remove recent messages": "Удалить последние сообщения",
"Bold": "Жирный",
"Italics": "Курсив",
"Strikethrough": "Перечёркнутый",
"Code block": "Блок кода",
"%(count)s unread messages.": {
"other": "%(count)s непрочитанных сообщения(-й).",
"one": "1 непрочитанное сообщение."
@ -1060,7 +1036,6 @@
"Unread messages.": "Непрочитанные сообщения.",
"Message Actions": "Сообщение действий",
"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/> для подтверждения адреса электронной почты или номера телефона, но у сервера нет никакого пользовательского соглашения.",
"Custom (%(level)s)": "Пользовательский (%(level)s)",
"%(name)s (%(userId)s)": "%(name)s (%(userId)s)",
"My Ban List": "Мой список блокировки",
"Ignored/Blocked": "Игнорируемые/Заблокированные",
@ -1086,7 +1061,6 @@
"Your keys are <b>not being backed up from this session</b>.": "Ваши ключи <b>не резервируются с этом сеансе</b>.",
"Server or user ID to ignore": "Сервер или ID пользователя для игнорирования",
"Subscribed lists": "Подписанные списки",
"Subscribe": "Подписаться",
"Cancel entering passphrase?": "Отменить ввод кодовой фразы?",
"Setting up keys": "Настройка ключей",
"Encryption upgrade available": "Доступно обновление шифрования",
@ -1127,7 +1101,6 @@
"Lock": "Заблокировать",
"Other users may not trust it": "Другие пользователи могут не доверять этому сеансу",
"Later": "Позже",
"Review": "Обзор",
"This bridge was provisioned by <user />.": "Этот мост был подготовлен пользователем <user />.",
"This bridge is managed by <user />.": "Этот мост управляется <user />.",
"Show less": "Показать меньше",
@ -1200,7 +1173,6 @@
"You have not ignored anyone.": "Вы никого не игнорируете.",
"You are currently ignoring:": "Вы игнорируете:",
"You are not subscribed to any lists": "Вы не подписаны ни на один список",
"Unsubscribe": "Отписаться",
"View rules": "Посмотреть правила",
"You are currently subscribed to:": "Вы подписаны на:",
"Verify by scanning": "Подтверждение сканированием",
@ -1242,7 +1214,6 @@
"Someone is using an unknown session": "Кто-то использует неизвестный сеанс",
"This room is end-to-end encrypted": "Эта комната зашифрована сквозным шифрованием",
"Everyone in this room is verified": "Все в этой комнате подтверждены",
"Mod": "Модератор",
"Encrypted by an unverified session": "Зашифровано неподтверждённым сеансом",
"Unencrypted": "Не зашифровано",
"Encrypted by a deleted session": "Зашифровано удалённым сеансом",
@ -1519,7 +1490,6 @@
"Use a secret phrase only you know, and optionally save a Security Key to use for backup.": "Используйте секретную фразу, известную только вам, и при необходимости сохраните ключ безопасности для резервного копирования.",
"Enter your account password to confirm the upgrade:": "Введите пароль своей учетной записи для подтверждения обновления:",
"Restore your key backup to upgrade your encryption": "Восстановите резервную копию ключа для обновления шифрования",
"Restore": "Восстановление",
"You'll need to authenticate with the server to confirm the upgrade.": "Вам нужно будет пройти аутентификацию на сервере,чтобы подтвердить обновление.",
"Upgrade this session to allow it to verify other sessions, granting them access to encrypted messages and marking them as trusted for other users.": "Модернизируйте этот сеанс, чтобы через него можно было подтвердить другие сеансы, предоставляя им доступ к зашифрованным сообщениям и помечая их как доверенные для других пользователей.",
"Use a different passphrase?": "Использовать другую кодовую фразу?",
@ -1562,7 +1532,6 @@
"Expand room list section": "Раскрыть секцию списка комнат",
"Toggle the top left menu": "Переключение верхнего левого меню",
"Close dialog or context menu": "Закрыть диалоговое окно или контекстное меню",
"Space": "Подпространство",
"No files visible in this room": "Нет видимых файлов в этой комнате",
"Attach files from chat or just drag and drop them anywhere in a room.": "Прикрепите файлы из чата или просто перетащите их в комнату.",
"Master private key:": "Приватный мастер-ключ:",
@ -1570,7 +1539,6 @@
"Uploading logs": "Загрузка журналов",
"Downloading logs": "Скачивание журналов",
"Preparing to download logs": "Подготовка к загрузке журналов",
"Download logs": "Скачать журналы",
"Unexpected server error trying to leave the room": "Неожиданная ошибка сервера при попытке покинуть комнату",
"Error leaving room": "Ошибка при выходе из комнаты",
"Set up Secure Backup": "Настроить безопасное резервное копирование",
@ -1578,7 +1546,6 @@
"You might enable this if the room will only be used for collaborating with internal teams on your homeserver. This cannot be changed later.": "Вы можете включить это, если комната будет использоваться только для совместной работы с внутренними командами на вашем домашнем сервере. Это не может быть изменено позже.",
"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.": "Вы можете отключить это, если комната будет использоваться для совместной работы с внешними командами, у которых есть собственный домашний сервер. Это не может быть изменено позже.",
"Block anyone not part of %(serverName)s from ever joining this room.": "Запретить кому-либо, не входящему в %(serverName)s, когда-либо присоединяться к этой комнате.",
"Privacy": "Конфиденциальность",
"Prepends ( ͡° ͜ʖ ͡°) to a plain-text message": "Добавляет ( ͡° ͜ʖ ͡°) в начало сообщения",
"Unknown App": "Неизвестное приложение",
"Not encrypted": "Не зашифровано",
@ -1698,7 +1665,6 @@
"Other homeserver": "Другой домашний сервер",
"Server Options": "Параметры сервера",
"Decline All": "Отклонить все",
"Approve": "Согласиться",
"Approve widget permissions": "Одобрить разрешения виджета",
"Send stickers into your active room": "Отправить стикеры в активную комнату",
"Remain on your screen while running": "Оставаться на экране во время работы",
@ -2171,8 +2137,6 @@
"Share %(name)s": "Поделиться %(name)s",
"Skip for now": "Пропустить сейчас",
"Failed to create initial space rooms": "Не удалось создать первоначальные комнаты пространства",
"Support": "Поддержка",
"Random": "Случайный",
"Welcome to <name/>": "Добро пожаловать в <name/>",
"Your server does not support showing space hierarchies.": "Ваш сервер не поддерживает отображение пространственных иерархий.",
"Private space": "Приватное пространство",
@ -2184,8 +2148,6 @@
"Mark as not suggested": "Отметить как не рекомендуется",
"Failed to remove some rooms. Try again later": "Не удалось удалить несколько комнат. Попробуйте позже",
"Sends the given message as a spoiler": "Отправить данное сообщение под спойлером",
"Play": "Воспроизведение",
"Pause": "Пауза",
"Connecting": "Подключение",
"%(deviceId)s from %(ip)s": "%(deviceId)s с %(ip)s",
"The user you called is busy.": "Вызываемый пользователь занят.",
@ -2368,7 +2330,6 @@
"View message": "Посмотреть сообщение",
"End-to-end encryption isn't enabled": "Сквозное шифрование не включено",
"Invite to just this room": "Пригласить только в эту комнату",
"%(seconds)ss left": "%(seconds)s осталось",
"Show %(count)s other previews": {
"one": "Показать %(count)s другой предварительный просмотр",
"other": "Показать %(count)s других предварительных просмотров"
@ -2402,7 +2363,6 @@
"Keyboard shortcuts": "Горячие клавиши",
"Warn before quitting": "Предупредить перед выходом",
"Your access token gives full access to your account. Do not share it with anyone.": "Ваш токен доступа даёт полный доступ к вашей учётной записи. Не передавайте его никому.",
"Access Token": "Токен доступа",
"Message bubbles": "Пузыри сообщений",
"There was an error loading your notification settings.": "Произошла ошибка при загрузке настроек уведомлений.",
"Mentions & keywords": "Упоминания и ключевые слова",
@ -2551,7 +2511,6 @@
"Are you sure you want to exit during this export?": "Вы уверены, что хотите выйти во время экспорта?",
"%(senderDisplayName)s sent a sticker.": "%(senderDisplayName)s отправил(а) наклейку.",
"%(senderDisplayName)s changed the room avatar.": "%(senderDisplayName)s изменил(а) аватар комнаты.",
"%(date)s at %(time)s": "%(date)s в %(time)s",
"Select from the options below to export chats from your timeline": "Выберите один из приведенных ниже вариантов экспорта чатов из вашей временной шкалы",
"Current Timeline": "Текущая лента сообщений",
"Resetting your verification keys cannot be undone. After resetting, you won't have access to old encrypted messages, and any friends who have previously verified you will see security warnings until you re-verify with them.": "Сброс ключей проверки нельзя отменить. После сброса вы не сможете получить доступ к старым зашифрованным сообщениям, а друзья, которые ранее проверили вас, будут видеть предупреждения о безопасности, пока вы не пройдете повторную проверку.",
@ -2811,7 +2770,6 @@
"This room is in some spaces you're not an admin of. In those spaces, the old room will still be shown, but people will be prompted to join the new one.": "Эта комната находится в некоторых пространствах, администратором которых вы не являетесь. В этих пространствах старая комната будет по-прежнему отображаться, но людям будет предложено присоединиться к новой.",
"Large": "Большой",
"Image size in the timeline": "Размер изображения в ленте сообщений",
"Rename": "Переименовать",
"Select all": "Выбрать все",
"Deselect all": "Отменить выбор",
"Sign out devices": {
@ -2984,10 +2942,6 @@
"User is already in the room": "Пользователь уже в комнате",
"User is already invited to the room": "Пользователь уже приглашён в комнату",
"Failed to invite users to %(roomName)s": "Не удалось пригласить пользователей в %(roomName)s",
"%(value)ss": "%(value)sс",
"%(value)sm": "%(value)sм",
"%(value)sh": "%(value)sч",
"%(value)sd": "%(value)sд",
"Enable Markdown": "Использовать Markdown",
"The person who invited you has already left.": "Человек, который вас пригласил, уже ушёл.",
"There was an error joining.": "Ошибка при вступлении.",
@ -3024,7 +2978,6 @@
"Enable hardware acceleration (restart %(appName)s to take effect)": "Включить аппаратное ускорение (перезапустите %(appName)s, чтобы изменение вступило в силу)",
"Busy": "Занят(а)",
"View older version of %(spaceName)s.": "Посмотреть предыдущую версию %(spaceName)s.",
"Debug logs contain application usage data including your username, the IDs or aliases of the rooms you have visited, which UI elements you last interacted with, and the usernames of other users. They do not contain messages.": "Журналы отладки содержат данные об использовании приложения, включая ваше имя пользователя, идентификаторы или названия комнат, которые вы посетили, с какими элементами пользовательского интерфейса вы взаимодействовали в последний раз, а также имена пользователей других пользователей. Они не содержат сообщений.",
"Deactivating your account is a permanent action — be careful!": "Деактивация вашей учётной записи является необратимым действием — будьте осторожны!",
"Your password was successfully changed.": "Ваш пароль успешно изменён.",
"Confirm signing out these devices": {
@ -3192,7 +3145,6 @@
"other": "Просмотрели %(count)s людей"
},
"Upgrade this space to the recommended room version": "Обновите это пространство до рекомендуемой версии комнаты",
"If you've submitted a bug via GitHub, debug logs can help us track down the problem. ": "Если вы отправили ошибку через GitHub, журналы отладки могут помочь нам отследить проблему. ",
"Enable live location sharing": "Включить функцию \"Поделиться трансляцией местоположения\"",
"Live location ended": "Трансляция местоположения завершена",
"Please note: this is a labs feature using a temporary implementation. This means you will not be able to delete your location history, and advanced users will be able to see your location history even after you stop sharing your live location with this room.": "Обратите внимание: это временная реализация функции. Это означает, что вы не сможете удалить свою историю местоположений, а опытные пользователи смогут просмотреть вашу историю местоположений даже после того, как вы перестанете делиться своим местоположением в этой комнате.",
@ -3264,7 +3216,6 @@
"Verify or sign out from this session for best security and reliability.": "Заверьте или выйдите из этого сеанса для лучшей безопасности и надёжности.",
"Your server doesn't support disabling sending read receipts.": "Ваш сервер не поддерживает отключение отправки уведомлений о прочтении.",
"Share your activity and status with others.": "Поделитесь своей активностью и статусом с другими.",
"Presence": "Присутствие",
"Complete these to get the most out of %(brand)s": "Выполните их, чтобы получить максимальную отдачу от %(brand)s",
"You did it!": "Вы сделали это!",
"Only %(count)s steps to go": {
@ -3300,7 +3251,6 @@
"All": "Все",
"Verified sessions": "Заверенные сеансы",
"Inactive": "Неактивно",
"View all": "Посмотреть все",
"Empty room (was %(oldName)s)": "Пустая комната (без %(oldName)s)",
"%(user1)s and %(user2)s": "%(user1)s и %(user2)s",
"No unverified sessions found.": "Незаверенных сеансов не обнаружено.",
@ -3314,7 +3264,6 @@
"Inactive for %(inactiveAgeDays)s days or longer": "Неактивны %(inactiveAgeDays)s дней или дольше",
"No inactive sessions found.": "Неактивных сеансов не обнаружено.",
"No sessions found.": "Сеансов не найдено.",
"Show": "Показать",
"Ready for secure messaging": "Готовы к безопасному обмену сообщениями",
"Not ready for secure messaging": "Не готовы к безопасному обмену сообщениями",
"Manually verify by text": "Ручная сверка по тексту",
@ -3358,8 +3307,6 @@
"Fill screen": "Заполнить экран",
"Sorry — this call is currently full": "Извините — этот вызов в настоящее время заполнен",
"Record the client name, version, and url to recognise sessions more easily in session manager": "Записывать название клиента, версию и URL-адрес для более лёгкого распознавания сеансов в менеджере сеансов",
"Italic": "Курсив",
"Underline": "Подчёркнутый",
"Notifications silenced": "Оповещения приглушены",
"Go live": "Начать эфир",
"pause voice broadcast": "приостановить голосовую трансляцию",
@ -3371,8 +3318,6 @@
"You don't have the required permissions to start a voice broadcast in this room. Contact a room administrator to upgrade your permissions.": "У вас нет необходимых разрешений, чтобы начать голосовую трансляцию в этой комнате. Свяжитесь с администратором комнаты для получения разрешений.",
"You are already recording a voice broadcast. Please end your current voice broadcast to start a new one.": "Вы уже записываете голосовую трансляцию. Пожалуйста, завершите текущую голосовую трансляцию, чтобы начать новую.",
"Can't start a new voice broadcast": "Не получилось начать новую голосовую трансляцию",
"%(minutes)sm %(seconds)ss left": "Осталось %(minutes)sм %(seconds)sс",
"%(hours)sh %(minutes)sm %(seconds)ss left": "Осталось %(hours)sч %(minutes)sм %(seconds)sс",
"Verified sessions are anywhere you are using this account after entering your passphrase or confirming your identity with another verified session.": "Подтверждённые сеансы — это везде, где вы используете учётную запись после ввода кодовой фразы или идентификации через другой сеанс.",
"Consider signing out from old sessions (%(inactiveAgeDays)s days or older) you don't use anymore.": "Сочтите выйти из старых сеансов (%(inactiveAgeDays)s дней и более), которые вы более не используете.",
"This session doesn't support encryption and thus can't be verified.": "Этот сеанс не поддерживает шифрование, потому и не может быть подтверждён.",
@ -3430,7 +3375,6 @@
"Error starting verification": "Ошибка при запуске подтверждения",
"Text": "Текст",
"Create a link": "Создать ссылку",
"Link": "Ссылка",
"Close call": "Закрыть звонок",
"Change layout": "Изменить расположение",
"Spotlight": "Освещение",
@ -3468,9 +3412,6 @@
"Cant start a call": "Невозможно начать звонок",
"Failed to read events": "Не удалось считать события",
"Failed to send event": "Не удалось отправить событие",
"%(minutes)sm %(seconds)ss": "%(minutes)s мин %(seconds)s с",
"%(hours)sh %(minutes)sm %(seconds)ss": "%(hours)s ч %(minutes)s мин %(seconds)s с",
"%(days)sd %(hours)sh %(minutes)sm %(seconds)ss": "%(days)s д %(hours)s ч %(minutes)s мин %(seconds)s с",
"Feeling experimental? Try out our latest ideas in development. These features are not finalised; they may be unstable, may change, or may be dropped altogether. <a>Learn more</a>.": "Время экспериментов? Попробуйте наши последние наработки. Эти функции не заверешены; они могут быть нестабильными, постоянно меняющимися, или вовсе отброшенными. <a>Узнайте больше</a>.",
"Early previews": "Предпросмотр",
"Yes, it was me": "Да, это я",
@ -3483,12 +3424,8 @@
"Last event:": "Последнее событие:",
"WARNING: session already verified, but keys do NOT MATCH!": "ВНИМАНИЕ: сеанс уже заверен, но ключи НЕ СОВПАДАЮТ!",
"ID: ": "ID: ",
"Bulleted list": "Список",
"Edit link": "Изменить ссылку",
"Numbered list": "Нумерованный список",
"Signing In…": "Выполняется вход…",
"Indent decrease": "Пункт",
"Indent increase": "Подпункт",
"%(sender)s reacted %(reaction)s to %(message)s": "%(sender)s отреагировал(а) %(reaction)s на %(message)s",
"Grey": "Серый",
"Red": "Красный",
@ -3551,7 +3488,22 @@
"dark": "Темная",
"beta": "Бета",
"attachment": "Вложение",
"appearance": "Внешний вид"
"appearance": "Внешний вид",
"guest": "Гость",
"legal": "Правовая информация",
"credits": "Благодарности",
"faq": "Часто задаваемые вопросы",
"access_token": "Токен доступа",
"preferences": "Параметры",
"presence": "Присутствие",
"timeline": "Лента сообщений",
"privacy": "Конфиденциальность",
"camera": "Камера",
"microphone": "Микрофон",
"emoji": "Смайлы",
"random": "Случайный",
"support": "Поддержка",
"space": "Подпространство"
},
"action": {
"continue": "Продолжить",
@ -3622,7 +3574,23 @@
"back": "Назад",
"apply": "Применить",
"add": "Добавить",
"accept": "Принять"
"accept": "Принять",
"disconnect": "Отключить",
"change": "Изменить",
"subscribe": "Подписаться",
"unsubscribe": "Отписаться",
"approve": "Согласиться",
"complete": "Выполнено",
"revoke": "Отмена",
"rename": "Переименовать",
"view_all": "Посмотреть все",
"show_all": "Показать все",
"show": "Показать",
"review": "Обзор",
"restore": "Восстановление",
"play": "Воспроизведение",
"pause": "Пауза",
"register": "Зарегистрироваться"
},
"a11y": {
"user_menu": "Меню пользователя"
@ -3670,5 +3638,54 @@
"control": "Ctrl",
"shift": "Shift",
"number": "[количество]"
},
"composer": {
"format_bold": "Жирный",
"format_italic": "Курсив",
"format_underline": "Подчёркнутый",
"format_strikethrough": "Перечёркнутый",
"format_unordered_list": "Список",
"format_ordered_list": "Нумерованный список",
"format_increase_indent": "Подпункт",
"format_decrease_indent": "Пункт",
"format_inline_code": "Код",
"format_code_block": "Блок кода",
"format_link": "Ссылка"
},
"Bold": "Жирный",
"Link": "Ссылка",
"Code": "Код",
"power_level": {
"default": "По умолчанию",
"restricted": "Ограниченный пользователь",
"moderator": "Модератор",
"admin": "Администратор",
"custom": "Пользовательский (%(level)s)",
"mod": "Модератор"
},
"bug_reporting": {
"introduction": "Если вы отправили ошибку через GitHub, журналы отладки могут помочь нам отследить проблему. ",
"description": "Журналы отладки содержат данные об использовании приложения, включая ваше имя пользователя, идентификаторы или названия комнат, которые вы посетили, с какими элементами пользовательского интерфейса вы взаимодействовали в последний раз, а также имена пользователей других пользователей. Они не содержат сообщений.",
"matrix_security_issue": "Чтобы сообщить о проблеме безопасности Matrix, пожалуйста, прочитайте <a>Политику раскрытия информации</a> Matrix.org.",
"submit_debug_logs": "Отправить отладочные журналы",
"title": "Сообщить об ошибке",
"additional_context": "Если есть дополнительный контекст, который может помочь в анализе проблемы, такой как то, что вы делали в то время, ID комнат, ID пользователей и т. д., пожалуйста, включите эти данные.",
"send_logs": "Отправить журналы",
"github_issue": "GitHub вопрос",
"download_logs": "Скачать журналы",
"before_submitting": "Перед отправкой логов необходимо <a>создать GitHub issue</a>, для описания проблемы."
},
"time": {
"hours_minutes_seconds_left": "Осталось %(hours)sч %(minutes)sм %(seconds)sс",
"minutes_seconds_left": "Осталось %(minutes)sм %(seconds)sс",
"seconds_left": "%(seconds)s осталось",
"date_at_time": "%(date)s в %(time)s",
"short_days": "%(value)sд",
"short_hours": "%(value)sч",
"short_minutes": "%(value)sм",
"short_seconds": "%(value)sс",
"short_days_hours_minutes_seconds": "%(days)s д %(hours)s ч %(minutes)s мин %(seconds)s с",
"short_hours_minutes_seconds": "%(hours)s ч %(minutes)s мин %(seconds)s с",
"short_minutes_seconds": "%(minutes)s мин %(seconds)s с"
}
}

View file

@ -177,7 +177,6 @@
"powered by Matrix": "používa protokol Matrix",
"Sign in with": "Na prihlásenie sa použije",
"Email address": "Emailová adresa",
"Register": "Zaregistrovať",
"Something went wrong!": "Niečo sa pokazilo!",
"Delete Widget": "Vymazať widget",
"Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "Týmto vymažete widget pre všetkých používateľov v tejto miestnosti. Ste si istí, že chcete vymazať tento widget?",
@ -329,8 +328,6 @@
"No Microphones detected": "Neboli rozpoznané žiadne mikrofóny",
"No Webcams detected": "Neboli rozpoznané žiadne kamery",
"Default Device": "Predvolené zariadenie",
"Microphone": "Mikrofón",
"Camera": "Kamera",
"Email": "Email",
"Notifications": "Oznámenia",
"Profile": "Profil",
@ -353,7 +350,6 @@
"Ignores a user, hiding their messages from you": "Ignoruje používateľa a skryje pred vami jeho správy",
"Stops ignoring a user, showing their messages going forward": "Prestane ignorovať používateľa a začne zobrazovať jeho správy",
"Commands": "Príkazy",
"Emoji": "Emotikon",
"Notify the whole room": "Oznamovať celú miestnosť",
"Room Notification": "Oznámenie miestnosti",
"Users": "Používatelia",
@ -399,8 +395,6 @@
"Failed to remove tag %(tagName)s from room": "Z miestnosti sa nepodarilo odstrániť značku %(tagName)s",
"Failed to add tag %(tagName)s to room": "Miestnosti sa nepodarilo pridať značku %(tagName)s",
"<a>In reply to</a> <pill>": "<a>Odpoveď na</a> <pill>",
"Code": "Kód",
"Submit debug logs": "Odoslať ladiace záznamy",
"Opens the Developer Tools dialog": "Otvorí dialóg nástroje pre vývojárov",
"Stickerpack": "Balíček nálepiek",
"You don't currently have any stickerpacks enabled": "Momentálne nemáte aktívne žiadne balíčky s nálepkami",
@ -432,7 +426,6 @@
"All Rooms": "Vo všetkých miestnostiach",
"State Key": "Stavový kľúč",
"Wednesday": "Streda",
"Send logs": "Odoslať záznamy",
"All messages": "Všetky správy",
"Call invitation": "Pozvánka na telefonát",
"Messages containing my display name": "Správy obsahujúce moje zobrazované meno",
@ -512,7 +505,6 @@
"Before submitting logs, you must <a>create a GitHub issue</a> to describe your problem.": "Pred tým, než odošlete záznamy, musíte <a>nahlásiť váš problém na GitHub</a>. Uvedte prosím podrobný popis.",
"%(brand)s now uses 3-5x less memory, by only loading information about other users when needed. Please wait whilst we resynchronise with the server!": "%(brand)s teraz vyžaduje 3-5× menej pamäte, pretože informácie o ostatných používateľoch načítava len podľa potreby. Prosím počkajte na dokončenie synchronizácie so serverom!",
"Updating %(brand)s": "Prebieha aktualizácia %(brand)s",
"Legal": "Právne informácie",
"Unable to load! Check your network connectivity and try again.": "Nie je možné načítať! Skontrolujte prístup na internet a skúste neskôr.",
"Unrecognised address": "Nerozpoznaná adresa",
"You do not have permission to invite people to this room.": "Nemáte povolenie pozývať ľudí do tejto miestnosti.",
@ -699,17 +691,12 @@
"Language and region": "Jazyk a región",
"Account management": "Správa účtu",
"General": "Všeobecné",
"Credits": "Poďakovanie",
"For help with using %(brand)s, click <a>here</a>.": "Pomoc pri používaní %(brand)s môžete získať kliknutím <a>sem</a>.",
"For help with using %(brand)s, click <a>here</a> or start a chat with our bot using the button below.": "Pomoc pri používaní aplikácie %(brand)s môžete získať kliknutím <a>sem</a>, alebo začnite konverzáciu s našim robotom pomocou tlačidla dole.",
"Chat with %(brand)s Bot": "Konverzácia s %(brand)s Bot",
"Help & About": "Pomocník a o programe",
"Bug reporting": "Hlásenie chýb",
"FAQ": "Často kladené otázky (FAQ)",
"Versions": "Verzie",
"Preferences": "Predvoľby",
"Composer": "Písanie správ",
"Timeline": "Časová os",
"Room list": "Zoznam miestností",
"Autocomplete delay (ms)": "Oneskorenie automatického dokončovania (ms)",
"Ignored users": "Ignorovaní používatelia",
@ -761,13 +748,11 @@
"Room Settings - %(roomName)s": "Nastavenia miestnosti - %(roomName)s",
"<b>Warning</b>: you should only set up key backup from a trusted computer.": "<b>Varovanie</b>: zálohovanie šifrovacích kľúčov by ste mali nastavovať na dôveryhodnom počítači.",
"This homeserver would like to make sure you are not a robot.": "Tento domovský server by sa rád uistil, že nie ste robot.",
"Change": "Zmeniť",
"Email (optional)": "Email (nepovinné)",
"Phone (optional)": "Telefón (nepovinné)",
"Join millions for free on the largest public server": "Pripojte sa k mnohým používateľom najväčšieho verejného domovského servera zdarma",
"Other": "Ďalšie",
"Couldn't load page": "Nie je možné načítať stránku",
"Guest": "Hosť",
"Could not load user profile": "Nie je možné načítať profil používateľa",
"Your password has been reset.": "Vaše heslo bolo obnovené.",
"This homeserver does not support login using email address.": "Tento domovský server nepodporuje prihlásenie sa zadaním emailovej adresy.",
@ -814,7 +799,6 @@
"Add Email Address": "Pridať emailovú adresu",
"Add Phone Number": "Pridať telefónne čí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.": "Táto akcia vyžaduje prístup k predvolenému serveru totožností <server /> na overenie emailovej adresy alebo telefónneho čísla, ale server nemá žiadne podmienky používania.",
"Custom (%(level)s)": "Vlastný (%(level)s)",
"Sends a message as plain text, without interpreting it as markdown": "Odošle správu ako obyčajný text bez interpretácie ako markdown",
"You do not have the required permissions to use this command.": "Na použitie tohoto príkazu nemáte dostatočné povolenia.",
"Error upgrading room": "Chyba pri aktualizácii miestnosti",
@ -862,7 +846,6 @@
"Disconnect from the identity server <current /> and connect to <new /> instead?": "Naozaj si želáte odpojiť od servera totožností <current /> a pripojiť sa namiesto toho k serveru <new />?",
"Disconnect identity server": "Odpojiť server totožností",
"Disconnect from the identity server <idserver />?": "Naozaj sa chcete odpojiť od servera totožností <idserver />?",
"Disconnect": "Odpojiť",
"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.": "Pred odpojením by ste mali <b>odstrániť vaše osobné údaje</b> zo servera totožností <idserver />. Žiaľ, server totožnosti <idserver /> momentálne nie je dostupný a nie je možné sa k nemu pripojiť.",
"You should:": "Mali by ste:",
"check your browser plugins for anything that might block the identity server (such as Privacy Badger)": "Skontrolovať rozšírenia inštalované vo webovom prehliadači, ktoré by mohli blokovať prístup k serveru totožností (napr. rozšírenie Privacy Badger)",
@ -990,7 +973,6 @@
"If you can't scan the code above, verify by comparing unique emoji.": "Ak sa vám nepodarí naskenovať uvedený kód, overte pomocou porovnania jedinečných emotikonov.",
"Verify by comparing unique emoji.": "Overenie porovnaním jedinečnej kombinácie emotikonov.",
"Verify by emoji": "Overiť pomocou emotikonov",
"Review": "Skontrolovať",
"Later": "Neskôr",
"Other users may not trust it": "Ostatní používatelia jej nemusia dôverovať",
"This bridge was provisioned by <user />.": "Toto premostenie poskytuje <user />.",
@ -1065,7 +1047,6 @@
"You have not ignored anyone.": "Nikoho neignorujete.",
"You are currently ignoring:": "Ignorujete:",
"You are not subscribed to any lists": "Nie ste prihlásený do žiadneho zoznamu",
"Unsubscribe": "Odhlásenie z odberu",
"View rules": "Zobraziť pravidlá",
"You are currently subscribed to:": "Aktuálne odoberáte:",
"⚠ These settings are meant for advanced users.": "⚠ Tieto nastavenia sú určené pre pokročilých používateľov.",
@ -1078,7 +1059,6 @@
"Subscribing to a ban list will cause you to join it!": "Prihlásenie sa na zoznam zákazov spôsobí, že sa naň pridáte!",
"If this isn't what you want, please use a different tool to ignore users.": "Pokiaľ toto nechcete, tak použite prosím iný nástroj na ignorovanie používateľov.",
"Room ID or address of ban list": "ID miestnosti alebo adresa zoznamu zákazov",
"Subscribe": "Prihlásiť sa na odber",
"Always show the window menu bar": "Vždy zobraziť hornú lištu okna",
"Read Marker lifetime (ms)": "Platnosť značky Prečítané (ms)",
"Read Marker off-screen lifetime (ms)": "Platnosť značky Prečítané mimo obrazovku (ms)",
@ -1107,8 +1087,6 @@
"Your email address hasn't been verified yet": "Vaša emailová adresa nebola zatiaľ overená",
"Click the link in the email you received to verify and then click continue again.": "Pre overenie kliknite na odkaz v emaile, ktorý ste dostali, a potom znova kliknite pokračovať.",
"Verify the link in your inbox": "Overte odkaz vo vašej emailovej schránke",
"Complete": "Dokončiť",
"Revoke": "Odvolať",
"Unable to revoke sharing for phone number": "Nepodarilo sa zrušiť zdieľanie telefónneho čísla",
"Unable to share phone number": "Nepodarilo sa zdieľanie telefónneho čísla",
"Please enter verification code sent via text.": "Zadajte prosím overovací kód zaslaný prostredníctvom SMS.",
@ -1122,7 +1100,6 @@
"This room is end-to-end encrypted": "Táto miestnosť je end-to-end šifrovaná",
"Everyone in this room is verified": "Všetci v tejto miestnosti sú overení",
"Edit message": "Upraviť správu",
"Mod": "Moderátor",
"Are you sure you want to cancel entering passphrase?": "Naozaj chcete zrušiť zadávanie prístupovej frázy?",
"%(num)s minutes from now": "o %(num)s minút",
"%(num)s hours from now": "o %(num)s hodín",
@ -1143,9 +1120,7 @@
"Unexpected server error trying to leave the room": "Neočakávaná chyba servera pri pokuse opustiť miestnosť",
"Send a reply…": "Odoslať odpoveď…",
"Send a message…": "Odoslať správu…",
"Bold": "Tučné",
"Italics": "Kurzíva",
"Strikethrough": "Preškrtnuté",
"Send a Direct Message": "Poslať priamu správu",
"Toggle Italics": "Prepnúť kurzíva",
"Zimbabwe": "Zimbabwe",
@ -1507,7 +1482,6 @@
"one": "Odhlásiť zariadenie",
"other": "Odhlásené zariadenia"
},
"Rename": "Premenovať",
"Image size in the timeline": "Veľkosť obrázku na časovej osi",
"Unable to copy a link to the room to the clipboard.": "Nie je možné skopírovať odkaz na miestnosť do schránky.",
"Unable to copy room link": "Nie je možné skopírovať odkaz na miestnosť",
@ -1544,12 +1518,10 @@
"Show previews of messages": "Zobraziť náhľady správ",
"Activity": "Aktivity",
"Sort by": "Zoradiť podľa",
"Access Token": "Prístupový token",
"Your access token gives full access to your account. Do not share it with anyone.": "Váš prístupový token poskytuje úplný prístup k vášmu účtu. S nikým ho nezdieľajte.",
"You have no ignored users.": "Nemáte žiadnych ignorovaných používateľov.",
"Some suggestions may be hidden for privacy.": "Niektoré návrhy môžu byť skryté kvôli ochrane súkromia.",
"You can read all our terms <PrivacyPolicyUrl>here</PrivacyPolicyUrl>": "Všetky naše podmienky si môžete prečítať <PrivacyPolicyUrl>tu</PrivacyPolicyUrl>",
"Privacy": "Súkromie",
"Cross-signing is ready for use.": "Krížové podpisovanie je pripravené na použitie.",
"Back up your encryption keys with your account data in case you lose access to your sessions. Your keys will be secured with a unique Security Key.": "Zálohujte si šifrovacie kľúče s údajmi o účte pre prípad, že stratíte prístup k reláciám. Vaše kľúče budú zabezpečené jedinečným bezpečnostným kľúčom.",
"The authenticity of this encrypted message can't be guaranteed on this device.": "Vierohodnosť tejto zašifrovanej správy nie je možné na tomto zariadení zaručiť.",
@ -1604,7 +1576,6 @@
"Topic (optional)": "Téma (voliteľné)",
"e.g. my-room": "napr. moja-miestnost",
"Deactivate user?": "Deaktivovať používateľa?",
"Show all": "Zobraziť všetko",
"Upload all": "Nahrať všetko",
"Add room": "Pridať miestnosť",
"Enter username": "Zadať používateľské meno",
@ -1630,22 +1601,15 @@
"Visibility": "Viditeľnosť",
"Sent": "Odoslané",
"Connecting": "Pripájanie",
"Play": "Prehrať",
"Pause": "Pozastaviť",
"Sending": "Odosielanie",
"Avatar": "Obrázok",
"Suggested": "Navrhované",
"Support": "Podpora",
"Random": "Náhodné",
"Value:": "Hodnota:",
"Level": "Úroveň",
"Setting:": "Nastavenie:",
"Approve": "Schváliť",
"Comment": "Komentár",
"Away": "Preč",
"Restore": "Obnoviť",
"A-Z": "A-Z",
"Space": "Priestor",
"Calls": "Hovory",
"Navigation": "Navigácia",
"Matrix": "Matrix",
@ -1993,7 +1957,6 @@
"You are about to leave <spaceName/>.": "Chystáte sa opustiť <spaceName/>.",
"Leave %(spaceName)s": "Opustiť %(spaceName)s",
"Leave Space": "Opustiť priestor",
"Download logs": "Stiahnuť záznamy",
"Preparing to download logs": "Príprava na prevzatie záznamov",
"Downloading logs": "Sťahovanie záznamov",
"This room isn't bridging messages to any platforms. <a>Learn more.</a>": "Táto miestnosť nepremosťuje správy so žiadnymi platformami. <a>Viac informácií</a>",
@ -2187,7 +2150,6 @@
"Submit logs": "Odoslať záznamy",
"Country Dropdown": "Rozbaľovacie okno krajiny",
"%(name)s accepted": "%(name)s prijal",
"Code block": "Blok kódu",
"Clear": "Vyčistiť",
"Forget": "Zabudnúť",
"Dialpad": "Číselník",
@ -2211,7 +2173,6 @@
"Failed to send": "Nepodarilo sa odoslať",
"Reset everything": "Obnoviť všetko",
"View message": "Zobraziť správu",
"%(seconds)ss left": "%(seconds)ss ostáva",
"We couldn't create your DM.": "Nemohli sme vytvoriť vašu priamu správu.",
"unknown person": "neznáma osoba",
"%(deviceId)s from %(ip)s": "%(deviceId)s z %(ip)s",
@ -2358,7 +2319,6 @@
"other": "%(spaceName)s a %(count)s ďalší"
},
"Some invites couldn't be sent": "Niektoré pozvánky nebolo možné odoslať",
"%(date)s at %(time)s": "%(date)s o %(time)s",
"Toggle space panel": "Prepnúť panel priestoru",
"Enter your Security Phrase a second time to confirm it.": "Zadajte svoju bezpečnostnú frázu znova, aby ste ju potvrdili.",
"Enter a Security Phrase": "Zadajte bezpečnostnú frázu",
@ -2379,7 +2339,6 @@
"Failed to remove user": "Nepodarilo sa odstrániť používateľa",
"Remove from room": "Odstrániť z miestnosti",
"Message bubbles": "Správy v bublinách",
"GitHub issue": "Správa o probléme na GitHub",
"Are you sure you want to end this poll? This will show the final results of the poll and stop people from being able to vote.": "Ste si istí, že chcete ukončiť túto anketu? Zobrazia sa konečné výsledky ankety a ľudia nebudú môcť už hlasovať.",
"Send reactions": "Odoslanie reakcií",
"Open this settings tab": "Otvoriť túto kartu nastavení",
@ -2518,7 +2477,6 @@
"Navigate to next message in composer history": "Prejsť na ďalšiu správu v histórii editora",
"Navigate to previous message in composer history": "Prejsť na predchádzajúcu správu v histórii editora",
"Missing session data": "Chýbajú údaje relácie",
"If there is additional context that would help in analysing the issue, such as what you were doing at the time, room IDs, user IDs, etc., please include those things here.": "Ak existujú ďalšie súvislosti, ktoré by pomohli pri analýze problému, napríklad čo ste v tom čase robili, ID miestnosti, ID používateľa atď., uveďte ich tu.",
"Make sure the right people have access. You can invite more later.": "Uistite sa, že majú prístup správni ľudia. Neskôr môžete pozvať ďalších.",
"Make sure the right people have access to %(name)s": "Uistite sa, že k %(name)s majú prístup správni ľudia",
"Only people invited will be able to find and join this space.": "Tento priestor budú môcť nájsť a pripojiť sa k nemu len pozvaní ľudia.",
@ -2968,7 +2926,6 @@
"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",
"If you've submitted a bug via GitHub, debug logs can help us track down the problem. ": "Ak ste odoslali chybu prostredníctvom služby GitHub, záznamy o ladení nám môžu pomôcť nájsť problém. ",
"You are presenting": "Prezentujete",
"Consulting with %(transferTarget)s. <a>Transfer to %(transferee)s</a>": "Konzultovanie s %(transferTarget)s. <a>Presmerovanie na %(transferee)s</a>",
"sends space invaders": "odošle vesmírnych útočníkov",
@ -2993,15 +2950,10 @@
"one": "V súčasnosti sa odstraňujú správy v %(count)s miestnosti",
"other": "V súčasnosti sa odstraňujú správy v %(count)s miestnostiach"
},
"%(value)ss": "%(value)ss",
"%(value)sm": "%(value)sm",
"%(value)sh": "%(value)sh",
"%(value)sd": "%(value)sd",
"Share for %(duration)s": "Zdieľať na %(duration)s",
"%(timeRemaining)s left": "zostáva %(timeRemaining)s",
"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",
"Debug logs contain application usage data including your username, the IDs or aliases of the rooms you have visited, which UI elements you last interacted with, and the usernames of other users. They do not contain messages.": "Ladiace záznamy obsahujú údaje o používaní aplikácie vrátane vášho používateľského mena, ID alebo aliasov navštívených miestností alebo skupín, prvkov používateľského rozhrania, s ktorými ste naposledy interagovali, a používateľských mien iných používateľov. Neobsahujú správy.",
"Event ID: %(eventId)s": "ID udalosti: %(eventId)s",
"No verification requests found": "Nenašli sa žiadne žiadosti o overenie",
"Observe only": "Iba pozorovať",
@ -3275,7 +3227,6 @@
"Download %(brand)s": "Stiahnuť %(brand)s",
"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.",
"Presence": "Prítomnosť",
"Send read receipts": "Odosielať potvrdenia o prečítaní",
"Last activity": "Posledná aktivita",
"Sessions": "Relácie",
@ -3295,7 +3246,6 @@
"Welcome": "Vitajte",
"Show shortcut to welcome checklist above the room list": "Zobraziť skratku na uvítací kontrolný zoznam nad zoznamom miestností",
"Inactive sessions": "Neaktívne relácie",
"View all": "Zobraziť všetky",
"Verify your sessions for enhanced secure messaging or sign out from those you don't recognize or use anymore.": "Overte si relácie pre vylepšené bezpečné zasielanie správ alebo sa odhláste z tých, ktoré už nepoznáte alebo nepoužívate.",
"Unverified sessions": "Neoverené relácie",
"Security recommendations": "Bezpečnostné odporúčania",
@ -3326,7 +3276,6 @@
"other": "%(user)s a %(count)s ďalších"
},
"%(user1)s and %(user2)s": "%(user1)s a %(user2)s",
"Show": "Zobraziť",
"%(downloadButton)s or %(copyButton)s": "%(downloadButton)s alebo %(copyButton)s",
"%(securityKey)s or %(recoveryFile)s": "%(securityKey)s alebo %(recoveryFile)s",
"%(qrCode)s or %(appLinks)s": "%(qrCode)s alebo %(appLinks)s",
@ -3386,8 +3335,6 @@
"Start %(brand)s calls": "Spustiť %(brand)s hovory",
"Fill screen": "Vyplniť obrazovku",
"Sorry — this call is currently full": "Prepáčte — tento hovor je momentálne obsadený",
"Underline": "Podčiarknuté",
"Italic": "Kurzíva",
"resume voice broadcast": "obnoviť hlasové vysielanie",
"pause voice broadcast": "pozastaviť hlasové vysielanie",
"Notifications silenced": "Oznámenia stlmené",
@ -3449,8 +3396,6 @@
"When enabled, the other party might be able to see your IP address": "Ak je táto možnosť povolená, druhá strana môže vidieť vašu IP adresu",
"Allow Peer-to-Peer for 1:1 calls": "Povolenie Peer-to-Peer pre hovory 1:1",
"Go live": "Prejsť naživo",
"%(minutes)sm %(seconds)ss left": "ostáva %(minutes)sm %(seconds)ss",
"%(hours)sh %(minutes)sm %(seconds)ss left": "ostáva %(hours)sh %(minutes)sm %(seconds)ss",
"That e-mail address or phone number is already in use.": "Táto e-mailová adresa alebo telefónne číslo sa už používa.",
"This means that you have all the keys needed to unlock your encrypted messages and confirm to other users that you trust this session.": "Toto znamená, že máte všetky kľúče potrebné na odomknutie zašifrovaných správ a potvrdzujete ostatným používateľom, že tejto relácii dôverujete.",
"Verified sessions are anywhere you are using this account after entering your passphrase or confirming your identity with another verified session.": "Overené relácie sú všade tam, kde používate toto konto po zadaní svojho prístupového hesla alebo po potvrdení vašej totožnosti inou overenou reláciou.",
@ -3473,9 +3418,6 @@
"Too many attempts in a short time. Wait some time before trying again.": "Príliš veľa pokusov v krátkom čase. Pred ďalším pokusom počkajte nejakú dobu.",
"Thread root ID: %(threadRootId)s": "ID koreňového vlákna: %(threadRootId)s",
"Change input device": "Zmeniť vstupné zariadenie",
"%(minutes)sm %(seconds)ss": "%(minutes)sm %(seconds)ss",
"%(hours)sh %(minutes)sm %(seconds)ss": "%(hours)sh %(minutes)sm %(seconds)ss",
"%(days)sd %(hours)sh %(minutes)sm %(seconds)ss": "%(days)sd %(hours)sh %(minutes)sm %(seconds)ss",
"We were unable to start a chat with the other user.": "Nepodarilo sa nám spustiť konverzáciu s druhým používateľom.",
"Error starting verification": "Chyba pri spustení overovania",
"Buffering…": "Načítavanie do vyrovnávacej pamäte…",
@ -3518,7 +3460,6 @@
"Your current session is ready for secure messaging.": "Vaša aktuálna relácia je pripravená na bezpečné zasielanie správ.",
"Text": "Text",
"Create a link": "Vytvoriť odkaz",
"Link": "Odkaz",
"Force 15s voice broadcast chunk length": "Vynútiť 15s dĺžku sekcie hlasového vysielania",
"Sign out of %(count)s sessions": {
"one": "Odhlásiť sa z %(count)s relácie",
@ -3533,8 +3474,6 @@
"You can't start a voice message as you are currently recording a live broadcast. Please end your live broadcast in order to start recording a voice message.": "Nemôžete spustiť hlasovú správu, pretože práve nahrávate živé vysielanie. Ukončite prosím živé vysielanie, aby ste mohli začať nahrávať hlasovú správu.",
"Can't start voice message": "Nemožno spustiť hlasovú správu",
"Edit link": "Upraviť odkaz",
"Numbered list": "Číslovaný zoznam",
"Bulleted list": "Zoznam v odrážkach",
"Decrypted source unavailable": "Dešifrovaný zdroj nie je dostupný",
"Connection error - Recording paused": "Chyba pripojenia - nahrávanie pozastavené",
"%(senderName)s started a voice broadcast": "%(senderName)s začal/a hlasové vysielanie",
@ -3546,8 +3485,6 @@
"Your account details are managed separately at <code>%(hostname)s</code>.": "Údaje o vašom účte sú spravované samostatne na adrese <code>%(hostname)s</code>.",
"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",
"Indent decrease": "Zmenšenie odsadenia",
"Indent increase": "Zväčšenie odsadenia",
"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: ",
@ -3743,7 +3680,6 @@
"Email summary": "Emailový súhrn",
"People, Mentions and Keywords": "Ľudia, zmienky a kľúčové slová",
"Mentions and Keywords only": "Iba zmienky a kľúčové slová",
"Proceed": "Pokračovať",
"Show message preview in desktop notification": "Zobraziť náhľad správy v oznámení na pracovnej ploche",
"I want to be notified for (Default Setting)": "Chcem byť upozornený na (Predvolené nastavenie)",
"This setting will be applied by default to all your rooms.": "Toto nastavenie sa predvolene použije pre všetky vaše miestnosti.",
@ -3845,7 +3781,22 @@
"dark": "Tmavý",
"beta": "Beta",
"attachment": "Príloha",
"appearance": "Vzhľad"
"appearance": "Vzhľad",
"guest": "Hosť",
"legal": "Právne informácie",
"credits": "Poďakovanie",
"faq": "Často kladené otázky (FAQ)",
"access_token": "Prístupový token",
"preferences": "Predvoľby",
"presence": "Prítomnosť",
"timeline": "Časová os",
"privacy": "Súkromie",
"camera": "Kamera",
"microphone": "Mikrofón",
"emoji": "Emotikon",
"random": "Náhodné",
"support": "Podpora",
"space": "Priestor"
},
"action": {
"continue": "Pokračovať",
@ -3917,7 +3868,24 @@
"back": "Naspäť",
"apply": "Použiť",
"add": "Pridať",
"accept": "Prijať"
"accept": "Prijať",
"disconnect": "Odpojiť",
"change": "Zmeniť",
"subscribe": "Prihlásiť sa na odber",
"unsubscribe": "Odhlásenie z odberu",
"approve": "Schváliť",
"proceed": "Pokračovať",
"complete": "Dokončiť",
"revoke": "Odvolať",
"rename": "Premenovať",
"view_all": "Zobraziť všetky",
"show_all": "Zobraziť všetko",
"show": "Zobraziť",
"review": "Skontrolovať",
"restore": "Obnoviť",
"play": "Prehrať",
"pause": "Pozastaviť",
"register": "Zaregistrovať"
},
"a11y": {
"user_menu": "Používateľské menu"
@ -3983,5 +3951,54 @@
"default_cover_photo": "<photo>Predvolená titulná fotografia</photo> je © <author>Jesús Roncero</author> používaná podľa podmienok <terms>CC-BY-SA 4.0</terms>.",
"twemoji_colr": "Písmo <colr>twemoji-colr</colr> je © <author>Mozilla Foundation</author> používané podľa podmienok <terms>Apache 2.0</terms>.",
"twemoji": "<twemoji>Twemoji</twemoji> emoji grafika je © <author>Twitter, Inc a ďalší prispievatelia</author> používaná podľa podmienok <terms>CC-BY 4.0</terms>."
},
"composer": {
"format_bold": "Tučné",
"format_italic": "Kurzíva",
"format_underline": "Podčiarknuté",
"format_strikethrough": "Preškrtnuté",
"format_unordered_list": "Zoznam v odrážkach",
"format_ordered_list": "Číslovaný zoznam",
"format_increase_indent": "Zväčšenie odsadenia",
"format_decrease_indent": "Zmenšenie odsadenia",
"format_inline_code": "Kód",
"format_code_block": "Blok kódu",
"format_link": "Odkaz"
},
"Bold": "Tučné",
"Link": "Odkaz",
"Code": "Kód",
"power_level": {
"default": "Predvolené",
"restricted": "Obmedzené",
"moderator": "Moderátor",
"admin": "Správca",
"custom": "Vlastný (%(level)s)",
"mod": "Moderátor"
},
"bug_reporting": {
"introduction": "Ak ste odoslali chybu prostredníctvom služby GitHub, záznamy o ladení nám môžu pomôcť nájsť problém. ",
"description": "Ladiace záznamy obsahujú údaje o používaní aplikácie vrátane vášho používateľského mena, ID alebo aliasov navštívených miestností alebo skupín, prvkov používateľského rozhrania, s ktorými ste naposledy interagovali, a používateľských mien iných používateľov. Neobsahujú správy.",
"matrix_security_issue": "Ak chcete nahlásiť bezpečnostný problém týkajúci sa Matrix-u, prečítajte si, prosím, <a>zásady zverejňovania informácií o bezpečnosti Matrix.org</a>.",
"submit_debug_logs": "Odoslať ladiace záznamy",
"title": "Hlásenie chýb",
"additional_context": "Ak existujú ďalšie súvislosti, ktoré by pomohli pri analýze problému, napríklad čo ste v tom čase robili, ID miestnosti, ID používateľa atď., uveďte ich tu.",
"send_logs": "Odoslať záznamy",
"github_issue": "Správa o probléme na GitHub",
"download_logs": "Stiahnuť záznamy",
"before_submitting": "Pred tým, než odošlete záznamy, musíte <a>nahlásiť váš problém na GitHub</a>. Uvedte prosím podrobný popis."
},
"time": {
"hours_minutes_seconds_left": "ostáva %(hours)sh %(minutes)sm %(seconds)ss",
"minutes_seconds_left": "ostáva %(minutes)sm %(seconds)ss",
"seconds_left": "%(seconds)ss ostáva",
"date_at_time": "%(date)s o %(time)s",
"short_days": "%(value)sd",
"short_hours": "%(value)sh",
"short_minutes": "%(value)sm",
"short_seconds": "%(value)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_minutes_seconds": "%(minutes)sm %(seconds)ss"
}
}
}

View file

@ -15,18 +15,9 @@
"Click the button below to confirm adding this phone number.": "Pritisnite gumb spodaj da potrdite dodajanje te telefonske številke.",
"Add Phone Number": "Dodaj telefonsko številko",
"Call Failed": "Klic ni uspel",
"Change": "Sprememba",
"Explore rooms": "Raziščite sobe",
"Create Account": "Registracija",
"Identity server has no terms of service": "Identifikacijski strežnik nima pogojev storitve",
"%(value)ss": "%(value)s sekunda",
"%(value)sm": "%(value)s minuta",
"%(value)sh": "%(value)s ura",
"%(value)sd": "%(value)sd",
"%(date)s at %(time)s": "%(date)s ob %(time)s",
"%(seconds)ss left": "Preostalo je %(seconds)s sekund",
"%(minutes)sm %(seconds)ss left": "Preostalo je %(minutes)s minut %(seconds)s sekund",
"%(hours)sh %(minutes)sm %(seconds)ss left": "Preostalo je %(hours)s ur, %(minutes)s minut %(seconds)s sekund",
"%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s": "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s",
"%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s",
"%(weekDayName)s, %(monthName)s %(day)s %(time)s": "%(weekDayName)s, %(monthName)s %(day)s %(time)s",
@ -66,6 +57,17 @@
"action": {
"confirm": "Potrdi",
"dismiss": "Opusti",
"sign_in": "Prijava"
"sign_in": "Prijava",
"change": "Sprememba"
},
"time": {
"hours_minutes_seconds_left": "Preostalo je %(hours)s ur, %(minutes)s minut %(seconds)s sekund",
"minutes_seconds_left": "Preostalo je %(minutes)s minut %(seconds)s sekund",
"seconds_left": "Preostalo je %(seconds)s sekund",
"date_at_time": "%(date)s ob %(time)s",
"short_days": "%(value)sd",
"short_hours": "%(value)s ura",
"short_minutes": "%(value)s minuta",
"short_seconds": "%(value)s sekunda"
}
}

View file

@ -89,9 +89,7 @@
"Toolbox": "Grup mjetesh",
"Collecting logs": "Po grumbullohen regjistra",
"Failed to forget room %(errCode)s": "Su arrit të harrohej dhoma %(errCode)s",
"Submit debug logs": "Parashtro regjistra diagnostikimi",
"Wednesday": "E mërkurë",
"Send logs": "Dërgo regjistra",
"All messages": "Krejt mesazhet",
"unknown error code": "kod gabimi të panjohur",
"Call invitation": "Ftesë për thirrje",
@ -111,7 +109,6 @@
"Event Type": "Lloj Akti",
"Low Priority": "Përparësi e Ulët",
"What's New": ka të Re",
"Register": "Regjistrohuni",
"Off": "Off",
"Developer Tools": "Mjete Zhvilluesi",
"Event Content": "Lëndë Akti",
@ -186,7 +183,6 @@
"Copied!": "U kopjua!",
"Add an Integration": "Shtoni një Integrim",
"Please enter the code it contains:": "Ju lutemi, jepni kodin që përmbahet:",
"Code": "Kod",
"Start authentication": "Fillo mirëfilltësim",
"Sign in with": "Hyni me",
"Email address": "Adresë email",
@ -254,8 +250,6 @@
"No Microphones detected": "Su pikasën Mikrofona",
"No Webcams detected": "Su pikasën kamera",
"Default Device": "Pajisje Parazgjedhje",
"Microphone": "Mikrofon",
"Camera": "Kamerë",
"Email": "Email",
"Profile": "Profil",
"Account": "Llogari",
@ -358,7 +352,6 @@
"Define the power level of a user": "Përcaktoni shkallë pushteti të një përdoruesi",
"Deops user with given id": "I heq cilësinë e operatorit përdoruesit me ID-në e dhënë",
"Changes your display nickname": "Ndryshon nofkën tuaj në ekran",
"Emoji": "Emoji",
"You are no longer ignoring %(userId)s": "Nuk e shpërfillni më %(userId)s",
"%(senderDisplayName)s changed the room name to %(roomName)s.": "%(senderDisplayName)s ndryshoi emrin e dhomës në %(roomName)s.",
"%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": "%(senderName)s dërgoi një ftesë për %(targetDisplayName)s që të marrë pjesë në dhomë.",
@ -430,7 +423,6 @@
"To continue using the %(homeserverDomain)s homeserver you must review and agree to our terms and conditions.": "Që të vazhdohet të përdoret shërbyesi home %(homeserverDomain)s, duhet të shqyrtoni dhe pajtoheni me termat dhe kushtet.",
"Review terms and conditions": "Shqyrtoni terma & kushte",
"Failed to reject invite": "Su arrit të hidhet tej ftesa",
"Legal": "Ligjore",
"Please <a>contact your service administrator</a> to continue using this service.": "Ju lutemi, që të vazhdoni të përdorni këtë shërbim, <a>lidhuni me përgjegjësin e shërbimit tuaj</a>.",
"You do not have permission to start a conference call in this room": "Skeni leje për të nisur një thirrje konferencë këtë në këtë dhomë",
"Missing roomId.": "Mungon roomid.",
@ -623,13 +615,9 @@
"For help with using %(brand)s, click <a>here</a>.": "Për ndihmë rreth përdorimit të %(brand)s-it, klikoni <a>këtu</a>.",
"For help with using %(brand)s, click <a>here</a> or start a chat with our bot using the button below.": "Për ndihmë rreth përdorimit të %(brand)s-it, klikoni <a>këtu</a>, ose nisni një fjalosje me robotin tonë duke përdorur butonin më poshtë.",
"Help & About": "Ndihmë & Rreth",
"Bug reporting": "Njoftim të metash",
"FAQ": "FAQ",
"Versions": "Versione",
"Preferences": "Parapëlqime",
"Composer": "Hartues",
"Room list": "Listë dhomash",
"Timeline": "Rrjedhë Kohore",
"Autocomplete delay (ms)": "Vonesë Vetëplotësimi (ms)",
"Roles & Permissions": "Role & Leje",
"Changes to who can read history will only apply to future messages in this room. The visibility of existing history will be unchanged.": "Ndryshime se cilët mund të lexojnë historikun do të vlejnë vetëm për mesazhe të ardhshëm në këtë dhomë. Dukshmëria e historikut ekzistues nuk do të ndryshohet.",
@ -653,7 +641,6 @@
"Phone (optional)": "Telefoni (në daçi)",
"Join millions for free on the largest public server": "Bashkojuni milionave, falas, në shërbyesin më të madh publik",
"Other": "Tjetër",
"Guest": "Mysafir",
"General failure": "Dështim i përgjithshëm",
"Create account": "Krijoni llogari",
"Recovery Method Removed": "U hoq Metodë Rimarrje",
@ -720,7 +707,6 @@
"Folder": "Dosje",
"Chat with %(brand)s Bot": "Fjalosuni me Robotin %(brand)s",
"This homeserver would like to make sure you are not a robot.": "Ky Shërbyes Home do të donte të sigurohej se sjeni robot.",
"Change": "Ndërroje",
"Couldn't load page": "Su ngarkua dot faqja",
"Your password has been reset.": "Fjalëkalimi juaj u ricaktua.",
"This homeserver does not support login using email address.": "Ky shërbyes Home nuk mbulon hyrje përmes adresash email.",
@ -748,7 +734,6 @@
"<b>Warning</b>: you should only set up key backup from a trusted computer.": "<b>Kujdes</b>: duhet të ujdisni kopjeruajtje kyçesh vetëm nga një kompjuter i besuar.",
"Your keys are being backed up (the first backup could take a few minutes).": "Kyçet tuaj po kopjeruhen (kopjeruajtja e parë mund të hajë disa minuta).",
"Success!": "Sukses!",
"Credits": "Kredite",
"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ë",
@ -804,7 +789,6 @@
"Rotate Left": "Rrotulloje Majtas",
"Rotate Right": "Rrotulloje Djathtas",
"Edit message": "Përpunoni mesazhin",
"GitHub issue": "Çështje në GitHub",
"Notes": "Shënime",
"Sign out and remove encryption keys?": "Të dilet dhe të hiqen kyçet e fshehtëzimit?",
"Missing session data": "Mungojnë të dhëna sesioni",
@ -846,7 +830,6 @@
"This room is running room version <roomVersion />, which this homeserver has marked as <i>unstable</i>.": "Kjo dhomë gjendet nën versionin <roomVersion /> e dhomës, të cilit shërbyesi Home i ka vënë shenjë si <i>i paqëndrueshëm</i>.",
"Could not revoke the invite. The server may be experiencing a temporary problem or you do not have sufficient permissions to revoke the invite.": "Su shfuqizua dot ftesa. Shërbyesi mund të jetë duke kaluar një problem të përkohshëm ose skeni leje të mjaftueshme për të shfuqizuar ftesën.",
"<reactors/><reactedWith>reacted with %(shortName)s</reactedWith>": "<reactors/><reactedWith>reagoi me %(shortName)s</reactedWith>",
"If there is additional context that would help in analysing the issue, such as what you were doing at the time, room IDs, user IDs, etc., please include those things here.": "Nëse ka kontekst shtesë që mund të ndihmonte në analizimin e problemit, b.f., çpo bënit në atë kohë, ID dhomash, ID përdorueusish, etj, ju lutemi, përfshijini këto gjëra këtu.",
"To help us prevent this in future, please <a>send us logs</a>.": "Për të na ndihmuar ta parandalojmë këtë në të ardhmen, ju lutemi, <a>dërgonani regjistra</a>.",
"Some session data, including encrypted message keys, is missing. Sign out and sign in to fix this, restoring keys from backup.": "Mungojnë disa të dhëna sesioni, përfshi kyçe mesazhesh të fshehtëzuar. Për të ndrequr këtë, dilni dhe hyni, duke rikthyer kështu kyçet nga kopjeruajtje.",
"Your browser likely removed this data when running low on disk space.": "Ka gjasa që shfletuesi juaj të ketë hequr këto të dhëna kur kish pak hapësirë në disk.",
@ -883,7 +866,6 @@
"Edited at %(date)s. Click to view edits.": "Përpunuar më %(date)s. Klikoni që të shihni përpunimet.",
"Message edits": "Përpunime mesazhi",
"Upgrading this room requires closing down the current instance of the room and creating a new room in its place. To give room members the best possible experience, we will:": "Përmirësimi i kësaj dhome lyp mbylljen e instancës së tanishme të dhomës dhe krijimin e një dhome të re në vend të saj. Për tu dhënë anëtarëve të dhomës më të mirën, do të:",
"Show all": "Shfaqi krejt",
"%(severalUsers)smade no changes %(count)s times": {
"other": "%(severalUsers)s sbënë ndryshime gjatë %(count)s herësh",
"one": "%(severalUsers)s sbënë ndryshime"
@ -904,7 +886,6 @@
"Always show the window menu bar": "Shfaqe përherë shtyllën e menusë së dritares",
"Unable to revoke sharing for email address": "Sarrihet të shfuqizohet ndarja për këtë adresë email",
"Unable to share email address": "Sarrihet të ndahet adresë email",
"Revoke": "Shfuqizoje",
"Unable to revoke sharing for phone number": "Sarrihet të shfuqizohet ndarja për numrin e telefonit",
"Unable to share phone number": "Sarrihet të ndahet numër telefoni",
"Please enter verification code sent via text.": "Ju lutemi, jepni kod verifikimi të dërguar përmes teksti.",
@ -930,7 +911,6 @@
"Spanner": "Çelës",
"Checking server": "Po kontrollohet shërbyesi",
"Disconnect from the identity server <idserver />?": "Të shkëputet prej shërbyesit të identiteteve <idserver />?",
"Disconnect": "Shkëputu",
"You are currently using <server></server> to discover and be discoverable by existing contacts you know. You can change your identity server below.": "Jeni duke përdorur <server></server> për të zbuluar dhe për tu zbuluar nga kontakte ekzistues që njihni. Shërbyesin tuaj të identiteteve mund ta ndryshoni më poshtë.",
"You are not currently using an identity server. To discover and be discoverable by existing contacts you know, add one below.": "Spo përdorni ndonjë shërbyes identitetesh. Që të zbuloni dhe të jeni i zbulueshëm nga kontakte ekzistues që njihni, shtoni një të tillë më poshtë.",
"Disconnecting from your identity server will mean you won't be discoverable by other users and you won't be able to invite others by email or phone.": "Shkëputja prej shërbyesit tuaj të identiteteve do të thotë se sdo të jeni i zbulueshëm nga përdorues të tjerë dhe sdo të jeni në gjendje të ftoni të tjerë përmes email-i apo telefoni.",
@ -970,10 +950,7 @@
"Share this email in Settings to receive invites directly in %(brand)s.": "Që të merrni ftesa drejt e te %(brand)s, ndajeni me të tjerët këtë email, te Rregullimet.",
"Error changing power level": "Gabim në ndryshimin e shkallës së pushtetit",
"An error occurred changing the user's power level. Ensure you have sufficient permissions and try again.": "Ndodhi një gabim gjatë ndryshimit të shkallës së pushtetit të përdoruesit. Sigurohuni se keni leje të mjaftueshme dhe riprovoni.",
"Bold": "Të trasha",
"Italics": "Të pjerrëta",
"Strikethrough": "Hequrvije",
"Code block": "Bllok kodi",
"Change identity server": "Ndryshoni shërbyes identitetesh",
"Disconnect from the identity server <current /> and connect to <new /> instead?": "Të shkëputet më mirë nga shërbyesi i identiteteve <current /> dhe të lidhet me <new />?",
"Disconnect identity server": "Shkëpute shërbyesin e identiteteve",
@ -1084,7 +1061,6 @@
"You have not ignored anyone.": "Skeni shpërfillur ndonjë.",
"You are currently ignoring:": "Aktualisht shpërfillni:",
"You are not subscribed to any lists": "Sjeni pajtuar te ndonjë listë",
"Unsubscribe": "Shpajtohuni",
"View rules": "Shihni rregulla",
"You are currently subscribed to:": "Jeni i pajtuar te:",
"⚠ These settings are meant for advanced users.": "⚠ Këto rregullime janë menduar për përdorues të përparuar.",
@ -1096,9 +1072,7 @@
"Subscribed lists": "Lista me pajtim",
"Subscribing to a ban list will cause you to join it!": "Pajtimi te një listë dëbimesh do të shkaktojë pjesëmarrjen tuaj në të!",
"If this isn't what you want, please use a different tool to ignore users.": "Nëse kjo sështë ajo çka doni, ju lutemi, përdorni një tjetër mjet për të shpërfillur përdorues.",
"Subscribe": "Pajtohuni",
"You have ignored this user, so their message is hidden. <a>Show anyways.</a>": "E keni shpërfillur këtë përdorues, ndaj mesazhi i tij është fshehur. <a>Shfaqe, sido qoftë.</a>",
"Custom (%(level)s)": "Vetjak (%(level)s)",
"Trusted": "E besuar",
"Not trusted": "Jo e besuar",
"Messages in this room are end-to-end encrypted.": "Mesazhet në këtë dhomë janë të fshehtëzuara skaj-më-skaj.",
@ -1191,7 +1165,6 @@
"Other users may not trust it": "Përdorues të tjerë mund të mos e besojnë",
"Later": "Më vonë",
"Cross-signing private keys:": "Kyçe privatë për <em>cross-signing</em>:",
"Complete": "E plotë",
"This room is end-to-end encrypted": "Kjo dhomë është e fshehtëzuar skaj-më-skaj",
"Everyone in this room is verified": "Gjithkush në këtë dhomë është verifikuar",
"Send a reply…": "Dërgoni një përgjigje…",
@ -1209,13 +1182,11 @@
"We couldn't invite those users. Please check the users you want to invite and try again.": "Si ftuam dot këta përdorues. Ju lutemi, kontrolloni përdoruesit që doni të ftoni dhe riprovoni.",
"Failed to find the following users": "Su arrit të gjendeshin përdoruesit vijues",
"The following users might not exist or are invalid, and cannot be invited: %(csvNames)s": "Përdoruesit vijues mund të mos ekzistojnë ose janë të pavlefshëm, dhe smund të ftohen: %(csvNames)s",
"Restore": "Riktheje",
"Enter your account password to confirm the upgrade:": "Që të ripohohet përmirësimi, jepni fjalëkalimin e llogarisë tuaj:",
"You'll need to authenticate with the server to confirm the upgrade.": "Do tju duhet të bëni mirëfilltësimin me shërbyesin që të ripohohet përmirësimi.",
"Upgrade your encryption": "Përmirësoni fshehtëzimin tuaj",
"Verify this session": "Verifikoni këtë sesion",
"Encryption upgrade available": "Ka të gatshëm përmirësim fshehtëzimi",
"Review": "Shqyrtojeni",
"Enable message search in encrypted rooms": "Aktivizo kërkim mesazhesh në dhoma të fshehtëzuara",
"Manage": "Administroni",
"Securely cache encrypted messages locally for them to appear in search results.": "Ruaj lokalisht në mënyrë të sigurt në fshehtinë mesazhet që të shfaqen në përfundime kërkimi.",
@ -1257,7 +1228,6 @@
"You have not verified this user.": "Se keni verifikuar këtë përdorues.",
"You have verified this user. This user has verified all of their sessions.": "E keni verifikuar këtë përdorues. Ky përdorues ka verifikuar krejt sesionet e veta.",
"Someone is using an unknown session": "Dikush po përdor një sesion të panjohur",
"Mod": "Moderator",
"Encrypted by an unverified session": "Fshehtëzuar nga një sesion i paverifikuar",
"Encrypted by a deleted session": "Fshehtëzuar nga një sesion i fshirë",
"Waiting for %(displayName)s to accept…": "Po pritet për %(displayName)s të pranojë…",
@ -1381,7 +1351,6 @@
"Close dialog or context menu": "Mbyllni dialog ose menu konteksti",
"Activate selected button": "Aktivizo buton të përzgjedhur",
"Cancel autocomplete": "Anulo vetëplotësim",
"Space": "Space",
"Confirm by comparing the following with the User Settings in your other session:": "Ripohojeni duke krahasuar sa vijon me Rregullimet e Përdoruesit te sesioni juaj tjetër:",
"Confirm this user's session by comparing the following with their User Settings:": "Ripohojeni këtë sesion përdoruesi duke krahasuar sa vijon me Rregullimet e tij të Përdoruesit:",
"If they don't match, the security of your communication may be compromised.": "Nëse spërputhen, siguria e komunikimeve tuaja mund të jetë komprometuar.",
@ -1568,13 +1537,11 @@
"Downloading logs": "Po shkarkohen regjistra",
"Explore public rooms": "Eksploroni dhoma publike",
"Preparing to download logs": "Po bëhet gati për shkarkim regjistrash",
"Download logs": "Shkarko regjistra",
"Unexpected server error trying to leave the room": "Gabim i papritur shërbyesi në përpjekje për dalje nga dhoma",
"Error leaving room": "Gabim në dalje nga dhoma",
"Set up Secure Backup": "Ujdisni Kopjeruajtje të Sigurt",
"Prepends ( ͡° ͜ʖ ͡°) to a plain-text message": "Një mesazhi tekst të thjeshtë vëri përpara ( ͡° ͜ʖ ͡°)",
"Unknown App": "Aplikacion i Panjohur",
"Privacy": "Privatësi",
"Not encrypted": "Jo e fshehtëzuar",
"Room settings": "Rregullime dhome",
"Take a picture": "Bëni një foto",
@ -1955,7 +1922,6 @@
"Enter phone number": "Jepni numër telefoni",
"Enter email address": "Jepni adresë email-i",
"Decline All": "Hidhi Krejt Poshtë",
"Approve": "Miratojeni",
"This widget would like to:": "Ky widget do të donte të:",
"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",
@ -2101,8 +2067,6 @@
"Who are you working with?": "Me cilët po punoni?",
"Skip for now": "Hëpërhë anashkaloje",
"Failed to create initial space rooms": "Su arrit të krijohen dhomat fillestare të hapësirës",
"Support": "Asistencë",
"Random": "Kuturu",
"Welcome to <name/>": "Mirë se vini te <name/>",
"%(count)s members": {
"one": "%(count)s anëtar",
@ -2208,7 +2172,6 @@
"Forgotten or lost all recovery methods? <a>Reset all</a>": "Harruat, ose humbët krejt metodat e rimarrjes? <a>Riujdisini të gjitha</a>",
"If you do, please note that none of your messages will be deleted, but the search experience might be degraded for a few moments whilst the index is recreated": "Nëse e bëni, ju lutemi, kini parasysh se sdo të fshihet asnjë nga mesazhet tuaj, por puna me kërkimin mund degradojë për pak çaste, ndërkohë që rikrijohet treguesi",
"View message": "Shihni mesazh",
"%(seconds)ss left": "Edhe %(seconds)ss",
"Change server ACLs": "Ndryshoni ACL-ra shërbyesi",
"Consulting with %(transferTarget)s. <a>Transfer to %(transferee)s</a>": "Po kryhet këshillim me %(transferTarget)s. <a>Shpërngule te %(transferee)s</a>",
"You can select all or individual messages to retry or delete": "Për riprovim ose fshirje mund të përzgjidhni krejt mesazhet, ose të tillë individualë",
@ -2226,8 +2189,6 @@
"Pick rooms or conversations to add. This is just a space for you, no one will be informed. You can add more later.": "Zgjidhni dhoma ose biseda që të shtohen. Kjo është thjesht një hapësirë për ju, sdo ta dijë kush tjetër. Mund të shtoni të tjerë më vonë.",
"What do you want to organise?": doni të sistemoni?",
"You have no ignored users.": "Skeni përdorues të shpërfillur.",
"Play": "Luaje",
"Pause": "Ndalesë",
"Search names and descriptions": "Kërko te emra dhe përshkrime",
"Select a room below first": "Së pari, përzgjidhni më poshtë një dhomë",
"Join the beta": "Merrni pjesë te beta",
@ -2249,7 +2210,6 @@
"We were unable to access your microphone. Please check your browser settings and try again.": "Sqemë në gjendje të përdorim mikrofonin tuaj. Ju lutemi, kontrolloni rregullimet e shfletuesit tuaj dhe riprovoni.",
"Unable to access your microphone": "Sarrihet të përdoret mikrofoni juaj",
"Your access token gives full access to your account. Do not share it with anyone.": "Tokeni-i juaj i hyrjeve jep hyrje të plotë në llogarinë tuaj. Mos ia jepni kujt.",
"Access Token": "Token Hyrjesh",
"Please enter a name for the space": "Ju lutemi, jepni një emër për hapësirën",
"Connecting": "Po lidhet",
"Message search initialisation failed": "Dështoi gatitje kërkimi mesazhesh",
@ -2550,7 +2510,6 @@
"Are you sure you want to exit during this export?": "Jeni i sigurt se doni të dilet gjatë këtij eksportimi?",
"%(senderDisplayName)s sent a sticker.": "%(senderDisplayName)s dërgoi një ngjitës.",
"%(senderDisplayName)s changed the room avatar.": "%(senderDisplayName)s ndryshoi avatarin e dhomës.",
"%(date)s at %(time)s": "%(date)s më %(time)s",
"I'll verify later": "Do ta verifikoj më vonë",
"Verify with Security Key": "Verifikoje me Kyç Sigurie",
"Verify with Security Key or Phrase": "Verifikojeni me Kyç ose Frazë Sigurie",
@ -2617,7 +2576,6 @@
"The homeserver the user you're verifying is connected to": "Shërbyesi Home te i cili është lidhur përdoruesi që po verifikoni",
"This room isn't bridging messages to any platforms. <a>Learn more.</a>": "Kjo dhomë skalon mesazhe në ndonjë platformë. <a>Mësoni më tepër.</a>",
"This room is in some spaces you're not an admin of. In those spaces, the old room will still be shown, but people will be prompted to join the new one.": "Kjo dhomë gjendet në disa hapësira për të cilat nuk jeni një nga përgjegjësit. Në këto hapësira, dhoma e vjetër prapë do të shfaqet, por njerëzve do tu kërkohet të marrin pjesë te e reja.",
"Rename": "Riemërtojeni",
"Select all": "Përzgjidhi krejt",
"Deselect all": "Shpërzgjidhi krejt",
"Sign out devices": {
@ -2969,7 +2927,6 @@
"Unable to load map": "Sarrihet të ngarkohet hartë",
"Click": "Klikim",
"Can't create a thread from an event with an existing relation": "Smund të krijohet një rrjedhë prej një akti me një marrëdhënie ekzistuese",
"If you've submitted a bug via GitHub, debug logs can help us track down the problem. ": "Nëse keni parashtruar një të metë përmes GitHub-i, regjistrat e diagnostikimit na ndihmojnë të kapim problemin. ",
"Toggle Code Block": "Shfaq/Fshih Bllok Kodi",
"You are sharing your live location": "Po jepni vendndodhjen tuaj aty për aty",
"%(displayName)s's live location": "Vendndodhje aty për aty e %(displayName)s",
@ -2984,10 +2941,6 @@
"one": "Aktualisht po hiqen mesazhe në %(count)s dhomë",
"other": "Aktualisht po hiqen mesazhe në %(count)s dhoma"
},
"%(value)ss": "%(value)ss",
"%(value)sm": "%(value)sm",
"%(value)sh": "%(value)sh",
"%(value)sd": "%(value)sd",
"Shared a location: ": "Dha një vendndodhje: ",
"Shared their location: ": "Dha vendndodhjen e vet: ",
"Busy": "I zënë",
@ -2996,7 +2949,6 @@
"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",
"%(timeRemaining)s left": "Edhe %(timeRemaining)s",
"Debug logs contain application usage data including your username, the IDs or aliases of the rooms you have visited, which UI elements you last interacted with, and the usernames of other users. They do not contain messages.": "Regjistrat e diagnostikimit përmbajnë të dhëna përdorimi aplikacioni, përfshi emrin tuaj të përdoruesit, ID-të ose aliaset e dhomave që keni vizituar, me cilët elementë të UI-t keni ndërvepruar së fundi dhe emrat e përdoruesve të përdoruesve të tjerë. Ata spërmbajnë mesazhe.",
"Accessibility": "Përdorim nga persona me aftësi të kufizuara",
"Event ID: %(eventId)s": "ID Veprimtarie: %(eventId)s",
"No verification requests found": "Su gjetën kërkesa verifikimi",
@ -3280,8 +3232,6 @@
"iOS": "iOS",
"Video call ended": "Thirrja video përfundoi",
"Room info": "Hollësi dhome",
"Underline": "Të nënvizuara",
"Italic": "Të pjerrëta",
"View chat timeline": "Shihni rrjedhë kohore fjalosjeje",
"Close call": "Mbylli krejt",
"Spotlight": "Projektor",
@ -3292,11 +3242,9 @@
"Ongoing call": "Thirrje në kryerje e sipër",
"Video call (Jitsi)": "Thirrje me video (Jitsi)",
"Show formatting": "Shfaq formatim",
"View all": "Shihini krejt",
"Security recommendations": "Rekomandime sigurie",
"Show QR code": "Shfaq kod QR",
"Sign in with QR code": "Hyni me kod QR",
"Show": "Shfaqe",
"Inactive for %(inactiveAgeDays)s days or longer": "Joaktiv për for %(inactiveAgeDays)s ditë ose më gjatë",
"Inactive": "Joaktiv",
"Not ready for secure messaging": "Jo gati për shkëmbim të sigurt mesazhesh",
@ -3350,7 +3298,6 @@
"For best security, verify your sessions and sign out from any session that you don't recognize or use anymore.": "Për sigurinë më të mirë, verifikoni sesionet tuaja dhe dilni nga çfarëdo sesioni që se njihni, ose se përdorni më.",
"Other sessions": "Sesione të tjerë",
"Sessions": "Sesione",
"Presence": "Prani",
"Enable notifications for this account": "Aktivizo njoftime për këtë llogari",
"You did it!": "Ia dolët!",
"Welcome to %(brand)s": "Mirë se vini te %(brand)s",
@ -3464,14 +3411,9 @@
"30s forward": "30s përpara",
"30s backward": "30s mbrapsht",
"Developer command: Discards the current outbound group session and sets up new Olm sessions": "Urdhër zhvilluesish: Hedh tej sesionin e tanishëm të grupit me dikë dhe ujdis sesione të rinj Olm",
"%(minutes)sm %(seconds)ss left": "Edhe %(minutes)sm %(seconds)ss",
"%(hours)sh %(minutes)sm %(seconds)ss left": "Edhe %(hours)sh %(minutes)sm %(seconds)ss",
"We were unable to start a chat with the other user.": "Sqemë në gjendje të nisim një bisedë me përdoruesin tjetër.",
"Error starting verification": "Gabim në nisje verifikimi",
"Change input device": "Ndryshoni pajisje dhëniesh",
"%(minutes)sm %(seconds)ss": "%(minutes)sm %(seconds)ss",
"%(hours)sh %(minutes)sm %(seconds)ss": "%(hours)sh %(minutes)sm %(seconds)ss",
"%(days)sd %(hours)sh %(minutes)sm %(seconds)ss": "%(days)sd %(hours)sh %(minutes)sm %(seconds)ss",
"<w>WARNING:</w> <description/>": "<w>KUJDES:</w> <description/>",
"Feeling experimental? Try out our latest ideas in development. These features are not finalised; they may be unstable, may change, or may be dropped altogether. <a>Learn more</a>.": "Ndiheni eksperimentues? Provoni idetë tona më të reja në zhvillim. Këto veçori sjanë të përfunduara; mund të jenë të paqëndrueshme, mund të ndryshojnë, ose mund të braktisen faqe. <a>Mësoni më tepër</a>.",
"Early previews": "Paraparje të hershme",
@ -3509,7 +3451,6 @@
"Mark as read": "Vëri shenjë si të lexuar",
"Text": "Tekst",
"Create a link": "Krijoni një lidhje",
"Link": "Lidhje",
"Sign out of %(count)s sessions": {
"one": "Dilni nga %(count)s sesion",
"other": "Dilni nga %(count)s sesione"
@ -3524,8 +3465,6 @@
"You can't start a voice message as you are currently recording a live broadcast. Please end your live broadcast in order to start recording a voice message.": "Smund të niset mesazh zanor, ngaqë aktualisht po incizoni një transmetim të drejtpërdrejtë. Ju lutemi, përfundoni transmetimin e drejtpërdrejtë, që të mund të nisni incizimin e një mesazhi zanor.",
"Can't start voice message": "Sniset dot mesazh zanor",
"Edit link": "Përpunoni lidhje",
"Numbered list": "Listë e numërtuar",
"Bulleted list": "Listë me toptha",
"Connection error - Recording paused": "Gabim lidhjeje - Regjistrimi u ndal",
"Unfortunately we're unable to start a recording right now. Please try again later.": "Mjerisht, sqemë në gjendje të nisnim tani një regjistrim. Ju lutemi, riprovoni më vonë.",
"Connection error": "Gabim lidhjeje",
@ -3550,8 +3489,6 @@
"Room status": "Gjendje dhome",
"Notifications debug": "Diagnostikim njoftimesh",
"%(displayName)s (%(matrixId)s)": "%(displayName)s (%(matrixId)s)",
"Indent decrease": "Zvogëlim shmangieje kryeradhe",
"Indent increase": "Rritje shmangieje kryeradhe",
"unknown": "e panjohur",
"Red": "E kuqe",
"Grey": "Gri",
@ -3746,7 +3683,22 @@
"dark": "E errët",
"beta": "Beta",
"attachment": "Bashkëngjitje",
"appearance": "Dukje"
"appearance": "Dukje",
"guest": "Mysafir",
"legal": "Ligjore",
"credits": "Kredite",
"faq": "FAQ",
"access_token": "Token Hyrjesh",
"preferences": "Parapëlqime",
"presence": "Prani",
"timeline": "Rrjedhë Kohore",
"privacy": "Privatësi",
"camera": "Kamerë",
"microphone": "Mikrofon",
"emoji": "Emoji",
"random": "Kuturu",
"support": "Asistencë",
"space": "Space"
},
"action": {
"continue": "Vazhdo",
@ -3818,7 +3770,23 @@
"back": "Mbrapsht",
"apply": "Aplikoje",
"add": "Shtojeni",
"accept": "Pranoje"
"accept": "Pranoje",
"disconnect": "Shkëputu",
"change": "Ndërroje",
"subscribe": "Pajtohuni",
"unsubscribe": "Shpajtohuni",
"approve": "Miratojeni",
"complete": "E plotë",
"revoke": "Shfuqizoje",
"rename": "Riemërtojeni",
"view_all": "Shihini krejt",
"show_all": "Shfaqi krejt",
"show": "Shfaqe",
"review": "Shqyrtojeni",
"restore": "Riktheje",
"play": "Luaje",
"pause": "Ndalesë",
"register": "Regjistrohuni"
},
"a11y": {
"user_menu": "Menu përdoruesi"
@ -3876,5 +3844,54 @@
"default_cover_photo": "<photo>Fotoja kopertinë parazgjedhje</photo> © <author>Jesús Roncero</author> përdoret sipas kushteve të <terms>CC-BY-SA 4.0</terms>.",
"twemoji_colr": "Shkronjat <colr>twemoji-colr</colr> © <author>Mozilla Foundation</author> përdoren sipas kushteve të <terms>Apache 2.0</terms>.",
"twemoji": "<twemoji>Twemoji</twemoji> © <author>Twitter, Inc dhe kontribues të tjerë</author> përdoren sipas kushteve të <terms>CC-BY 4.0</terms>."
},
"composer": {
"format_bold": "Të trasha",
"format_italic": "Të pjerrëta",
"format_underline": "Të nënvizuara",
"format_strikethrough": "Hequrvije",
"format_unordered_list": "Listë me toptha",
"format_ordered_list": "Listë e numërtuar",
"format_increase_indent": "Rritje shmangieje kryeradhe",
"format_decrease_indent": "Zvogëlim shmangieje kryeradhe",
"format_inline_code": "Kod",
"format_code_block": "Bllok kodi",
"format_link": "Lidhje"
},
"Bold": "Të trasha",
"Link": "Lidhje",
"Code": "Kod",
"power_level": {
"default": "Parazgjedhje",
"restricted": "E kufizuar",
"moderator": "Moderator",
"admin": "Përgjegjës",
"custom": "Vetjak (%(level)s)",
"mod": "Moderator"
},
"bug_reporting": {
"introduction": "Nëse keni parashtruar një të metë përmes GitHub-i, regjistrat e diagnostikimit na ndihmojnë të kapim problemin. ",
"description": "Regjistrat e diagnostikimit përmbajnë të dhëna përdorimi aplikacioni, përfshi emrin tuaj të përdoruesit, ID-të ose aliaset e dhomave që keni vizituar, me cilët elementë të UI-t keni ndërvepruar së fundi dhe emrat e përdoruesve të përdoruesve të tjerë. Ata spërmbajnë mesazhe.",
"matrix_security_issue": "Që të njoftoni një problem sigurie lidhur me Matrix-in, ju lutemi, lexoni <a>Rregulla Tregimi Çështjes Sigurie</a> te Matrix.org.",
"submit_debug_logs": "Parashtro regjistra diagnostikimi",
"title": "Njoftim të metash",
"additional_context": "Nëse ka kontekst shtesë që mund të ndihmonte në analizimin e problemit, b.f., çpo bënit në atë kohë, ID dhomash, ID përdorueusish, etj, ju lutemi, përfshijini këto gjëra këtu.",
"send_logs": "Dërgo regjistra",
"github_issue": "Çështje në GitHub",
"download_logs": "Shkarko regjistra",
"before_submitting": "Përpara se të parashtroni regjistra, duhet <a>të krijoni një çështje në GitHub issue</a> që të përshkruani problemin tuaj."
},
"time": {
"hours_minutes_seconds_left": "Edhe %(hours)sh %(minutes)sm %(seconds)ss",
"minutes_seconds_left": "Edhe %(minutes)sm %(seconds)ss",
"seconds_left": "Edhe %(seconds)ss",
"date_at_time": "%(date)s më %(time)s",
"short_days": "%(value)sd",
"short_hours": "%(value)sh",
"short_minutes": "%(value)sm",
"short_seconds": "%(value)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_minutes_seconds": "%(minutes)sm %(seconds)ss"
}
}
}

View file

@ -203,7 +203,6 @@
"powered by Matrix": "покреће га Матрикс",
"Sign in with": "Пријавите се преко",
"Email address": "Мејл адреса",
"Register": "Регистровање",
"Something went wrong!": "Нешто је пошло наопако!",
"Delete Widget": "Обриши виџет",
"Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "Брисање виџета уклања виџет за све чланове ове собе. Да ли сте сигурни да желите обрисати овај виџет?",
@ -359,8 +358,6 @@
"No Microphones detected": "Нема уочених микрофона",
"No Webcams detected": "Нема уочених веб камера",
"Default Device": "Подразумевани уређај",
"Microphone": "Микрофон",
"Camera": "Камера",
"Email": "Мејл",
"Notifications": "Обавештења",
"Profile": "Профил",
@ -384,7 +381,6 @@
"Ignores a user, hiding their messages from you": "Занемарује корисника и тиме скрива њихове поруке од вас",
"Stops ignoring a user, showing their messages going forward": "Престаје са занемаривањем корисника и тиме приказује њихове поруке одсад",
"Commands": "Наредбе",
"Emoji": "Емоџи",
"Notify the whole room": "Обавести све у соби",
"Room Notification": "Собно обавештење",
"Users": "Корисници",
@ -428,7 +424,6 @@
"All Rooms": "Све собе",
"State Key": "Кључ стања",
"Wednesday": "Среда",
"Send logs": "Пошаљи записнике",
"All messages": "Све поруке",
"Call invitation": "Позивница за позив",
"Messages containing my display name": "Поруке које садрже моје приказно име",
@ -451,11 +446,9 @@
"Missing roomId.": "Недостаје roomId.",
"You don't currently have any stickerpacks enabled": "Тренутно немате омогућено било које паковање са налепницама",
"Stickerpack": "Паковање са налепницама",
"Code": "Код",
"Preparing to send logs": "Припремам се за слање записника",
"Logs sent": "Записници су послати",
"Failed to send logs: ": "Нисам успео да пошаљем записнике: ",
"Submit debug logs": "Пошаљи записнике за поправљање грешака",
"Opens the Developer Tools dialog": "Отвори прозор програмерских алатки",
"Send Logs": "Пошаљи записнике",
"Clear Storage and Sign Out": "Очисти складиште и одјави ме",
@ -496,7 +489,6 @@
"Join millions for free on the largest public server": "Придружите се милионима других бесплатно на највећем јавном серверу",
"Create account": "Направи налог",
"Email (optional)": "Мејл (изборно)",
"Change": "Промени",
"Messages containing my username": "Поруке које садрже моје корисничко",
"Are you sure you want to sign out?": "Заиста желите да се одјавите?",
"Call failed due to misconfigured server": "Позив неуспешан због лоше подешеног сервера",
@ -600,10 +592,8 @@
"Customise your appearance": "Прилагодите изглед",
"Appearance Settings only affect this %(brand)s session.": "Подешавања изгледа се примењују само на %(brand)s сесију.",
"Help & About": "Помоћ и подаци о програму",
"Preferences": "Поставке",
"Voice & Video": "Глас и видео",
"Unable to revoke sharing for email address": "Не могу да опозовем дељење ове мејл адресе",
"Revoke": "Опозови",
"Unable to revoke sharing for phone number": "Не могу да опозовем дељење броја телефона",
"Send a reply…": "Пошаљи одговор…",
"No recently visited rooms": "Нема недавно посећених соба",
@ -640,7 +630,6 @@
"Setting up keys": "Постављам кључеве",
"Are you sure you want to cancel entering passphrase?": "Заиста желите да откажете унос фразе?",
"Cancel entering passphrase?": "Отказати унос фразе?",
"Custom (%(level)s)": "Посебан %(level)s",
"Create Account": "Направи налог",
"Use your account or create a new one to continue.": "Користите постојећи или направите нови да наставите.",
"Sign In or Create Account": "Пријавите се или направите налог",
@ -1079,14 +1068,11 @@
"Please enter verification code sent via text.": "Унесите верификациони код послат путем текста.",
"Unable to verify phone number.": "Није могуће верификовати број телефона.",
"Unable to share phone number": "Није могуће делити телефонски број",
"Complete": "Заврши",
"You'll need to authenticate with the server to confirm the upgrade.": "Да бисте потврдили надоградњу, мораћете да се пријавите на серверу.",
"Restore": "Врати",
"Restore your key backup to upgrade your encryption": "Вратите сигурносну копију кључа да бисте надоградили шифровање",
"Enter your account password to confirm the upgrade:": "Унесите лозинку за налог да бисте потврдили надоградњу:",
"Safeguard against losing access to encrypted messages & data by backing up encryption keys on your server.": "Заштитите од губитка приступа шифрованим порукама и подацима је подржан сигурносном копијом кључева за шифровање на серверу.",
"Clear all data": "Очисти све податке",
"Guest": "Гост",
"New version of %(brand)s is available": "Доступна је нова верзија %(brand)s",
"Update %(brand)s": "Ажурирај %(brand)s",
"New login. Was this you?": "Нова пријава. Да ли сте то били Ви?",
@ -1189,8 +1175,6 @@
"Away": "Неприсутан",
"Go to Home View": "Идите на почетни приказ",
"End": "",
"Credits": "Заслуге",
"Legal": "Легално",
"Deactivate account": "Деактивирај налог",
"Account management": "Управљање профилом",
"Server name": "Име сервера",
@ -1288,7 +1272,14 @@
"description": "Опис",
"dark": "Тамна",
"attachment": "Прилог",
"appearance": "Изглед"
"appearance": "Изглед",
"guest": "Гост",
"legal": "Легално",
"credits": "Заслуге",
"preferences": "Поставке",
"camera": "Камера",
"microphone": "Микрофон",
"emoji": "Емоџи"
},
"action": {
"continue": "Настави",
@ -1336,7 +1327,12 @@
"cancel": "Откажи",
"back": "Назад",
"add": "Додај",
"accept": "Прихвати"
"accept": "Прихвати",
"change": "Промени",
"complete": "Заврши",
"revoke": "Опозови",
"restore": "Врати",
"register": "Регистровање"
},
"labs": {
"pinning": "Закачене поруке",
@ -1345,5 +1341,20 @@
"keyboard": {
"home": "Почетна",
"alt": "Алт"
},
"composer": {
"format_inline_code": "Код"
},
"Code": "Код",
"power_level": {
"default": "Подразумевано",
"restricted": "Ограничено",
"moderator": "Модератор",
"admin": "Админ",
"custom": "Посебан %(level)s"
},
"bug_reporting": {
"submit_debug_logs": "Пошаљи записнике за поправљање грешака",
"send_logs": "Пошаљи записнике"
}
}

View file

@ -35,7 +35,6 @@
"%(brand)s does not have permission to send you notifications - please check your browser settings": "%(brand)s nema dozvolu da vam šalje obaveštenja. Molim proverite podešavanja vašeg internet pregledača",
"%(brand)s was not given permission to send notifications - please try again": "%(brand)s nije dobio dozvolu da šalje obaveštenja. Molim pokušajte ponovo",
"This email address was not found": "Ova adresa elektronske pošte nije pronađena",
"Register": "Registruj se",
"Default": "Podrazumevano",
"Restricted": "Ograničeno",
"Moderator": "Moderator",
@ -56,9 +55,6 @@
"Only continue if you trust the owner of the server.": "Produžite samo pod uslovom da vjerujete vlasniku servera.",
"This action requires accessing the default identity server <server /> to validate an email address or phone number, but the server does not have any terms of service.": "Ova akcija zahtijeva pristup zadanom serveru za provjeru identiteta <server /> radi provjere adrese e-pošte ili telefonskog broja, no server nema nikakve uslove za pružanje usluge.",
"Identity server has no terms of service": "Server identiteta nema uslove pružanja usluge",
"%(seconds)ss left": "preostalo još %(seconds)ss",
"%(minutes)sm %(seconds)ss left": "%(minutes)sm %(seconds)ss preostalo",
"%(hours)sh %(minutes)sm %(seconds)ss left": "%(hours)sh %(minutes)sm %(seconds)ss preostalo",
"%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s": "",
"%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s, %(monthName)s%(day)s%(fullYear)s",
"%(weekDayName)s, %(monthName)s %(day)s %(time)s": "%(weekDayName)s, %(monthName)s%(day)s%(time)s",
@ -97,6 +93,18 @@
"confirm": "Potvrdi",
"dismiss": "Odbaci",
"trust": "Vjeruj",
"sign_in": "Prijavite se"
"sign_in": "Prijavite se",
"register": "Registruj se"
},
"power_level": {
"default": "Podrazumevano",
"restricted": "Ograničeno",
"moderator": "Moderator",
"admin": "Administrator"
},
"time": {
"hours_minutes_seconds_left": "%(hours)sh %(minutes)sm %(seconds)ss preostalo",
"minutes_seconds_left": "%(minutes)sm %(seconds)ss preostalo",
"seconds_left": "preostalo još %(seconds)ss"
}
}

View file

@ -6,8 +6,6 @@
"No media permissions": "Inga mediebehörigheter",
"You may need to manually permit %(brand)s to access your microphone/webcam": "Du behöver manuellt tillåta %(brand)s att komma åt din mikrofon/kamera",
"Default Device": "Standardenhet",
"Microphone": "Mikrofon",
"Camera": "Kamera",
"Advanced": "Avancerat",
"Always show message timestamps": "Visa alltid tidsstämplar för meddelanden",
"Authentication": "Autentisering",
@ -44,7 +42,6 @@
"Download %(text)s": "Ladda ner %(text)s",
"Email": "E-post",
"Email address": "E-postadress",
"Emoji": "Emoji",
"Error decrypting attachment": "Fel vid avkryptering av bilagan",
"Export": "Exportera",
"Export E2E room keys": "Exportera krypteringsrumsnycklar",
@ -109,7 +106,6 @@
"Privileged Users": "Privilegierade användare",
"Profile": "Profil",
"Reason": "Orsak",
"Register": "Registrera",
"Reject invitation": "Avböj inbjudan",
"Return to login screen": "Tillbaka till inloggningsskärmen",
"%(brand)s does not have permission to send you notifications - please check your browser settings": "%(brand)s har inte tillstånd att skicka aviseringar - kontrollera webbläsarens inställningar",
@ -204,7 +200,6 @@
"Wednesday": "onsdag",
"You cannot delete this message. (%(code)s)": "Du kan inte radera det här meddelandet. (%(code)s)",
"Send": "Skicka",
"Send logs": "Skicka loggar",
"All messages": "Alla meddelanden",
"Call invitation": "Inbjudan till samtal",
"What's new?": "Vad är nytt?",
@ -288,11 +283,9 @@
"Preparing to send logs": "Förbereder sändning av loggar",
"Logs sent": "Loggar skickade",
"Failed to send logs: ": "Misslyckades att skicka loggar: ",
"Submit debug logs": "Skicka felsökningsloggar",
"Token incorrect": "Felaktig token",
"A text message has been sent to %(msisdn)s": "Ett SMS har skickats till %(msisdn)s",
"Please enter the code it contains:": "Vänligen ange koden det innehåller:",
"Code": "Kod",
"This server does not support authentication with a phone number.": "Denna server stöder inte autentisering via telefonnummer.",
"Uploading %(filename)s and %(count)s others": {
"other": "Laddar upp %(filename)s och %(count)s till",
@ -494,7 +487,6 @@
"This homeserver has exceeded one of its resource limits.": "Hemservern har överskridit en av sina resursgränser.",
"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.": "Ditt meddelande skickades inte eftersom hemservern har nått sin månatliga gräns för användaraktivitet. Vänligen <a>kontakta din serviceadministratör</a> för att fortsätta använda tjänsten.",
"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.": "Ditt meddelande skickades inte eftersom hemservern har överskridit en av sina resursgränser. Vänligen <a>kontakta din serviceadministratör</a> för att fortsätta använda tjänsten.",
"Legal": "Juridiskt",
"Please <a>contact your service administrator</a> to continue using this service.": "Vänligen <a>kontakta din tjänstadministratör</a> för att fortsätta använda tjänsten.",
"This room has been replaced and is no longer active.": "Detta rum har ersatts och är inte längre aktivt.",
"The conversation continues here.": "Konversationen fortsätter här.",
@ -649,16 +641,11 @@
"Language and region": "Språk och region",
"Account management": "Kontohantering",
"General": "Allmänt",
"Credits": "Medverkande",
"For help with using %(brand)s, click <a>here</a>.": "För hjälp med att använda %(brand)s, klicka <a>här</a>.",
"For help with using %(brand)s, click <a>here</a> or start a chat with our bot using the button below.": "För hjälp med att använda %(brand)s, klicka <a>här</a> eller starta en chatt med vår bott med knappen nedan.",
"Chat with %(brand)s Bot": "Chatta med %(brand)s-bott",
"Help & About": "Hjälp & om",
"Bug reporting": "Buggrapportering",
"FAQ": "FAQ",
"Versions": "Versioner",
"Preferences": "Alternativ",
"Timeline": "Tidslinje",
"Room list": "Rumslista",
"Autocomplete delay (ms)": "Autokompletteringsfördröjning (ms)",
"Voice & Video": "Röst & video",
@ -667,7 +654,6 @@
"Room version:": "Rumsversion:",
"Room Addresses": "Rumsadresser",
"This homeserver would like to make sure you are not a robot.": "Denna hemserver vill se till att du inte är en robot.",
"Change": "Ändra",
"Email (optional)": "E-post (valfritt)",
"Phone (optional)": "Telefon (valfritt)",
"Join millions for free on the largest public server": "Gå med miljontals användare gratis på den största publika servern",
@ -741,13 +727,11 @@
"Verify this user to mark them as trusted. Trusting users gives you extra peace of mind when using end-to-end encrypted messages.": "Verifiera denna användare för att markera den som betrodd. Att lita på användare ger en extra sinnesfrid när man använder totalsträckskrypterade meddelanden.",
"Remember my selection for this widget": "Kom ihåg mitt val för den här widgeten",
"Unable to load backup status": "Kunde inte ladda status för säkerhetskopia",
"Guest": "Gäst",
"Could not load user profile": "Kunde inte ladda användarprofil",
"The file '%(fileName)s' failed to upload.": "Filen '%(fileName)s' kunde inte laddas upp.",
"Composer": "Meddelandefält",
"Power level": "Behörighetsnivå",
"Unable to find profiles for the Matrix IDs listed below - would you like to invite them anyway?": "Kunde inte hitta profiler för de Matrix-ID:n som listas nedan - vill du bjuda in dem ändå?",
"GitHub issue": "GitHub-ärende",
"Notes": "Anteckningar",
"You've previously used %(brand)s on %(host)s with lazy loading of members enabled. In this version lazy loading is disabled. As the local cache is not compatible between these two settings, %(brand)s needs to resync your account.": "Du har tidigare använt %(brand)s på %(host)s med fördröjd inladdning av medlemmar aktiverat. I den här versionen är fördröjd inladdning inaktiverat. Eftersom den lokala cachen inte är kompatibel mellan dessa två inställningar behöver %(brand)s synkronisera om ditt konto.",
"If the other version of %(brand)s is still open in another tab, please close it as using %(brand)s on the same host with both lazy loading enabled and disabled simultaneously will cause issues.": "Om den andra versionen av %(brand)s fortfarande är öppen i en annan flik, stäng den eftersom användning av %(brand)s på samma värd med fördröjd inladdning både aktiverad och inaktiverad samtidigt kommer att orsaka problem.",
@ -805,7 +789,6 @@
"Only continue if you trust the owner of the server.": "Fortsätt endast om du litar på serverns ägare.",
"Disconnect identity server": "Koppla ifrån identitetsservern",
"Disconnect from the identity server <idserver />?": "Koppla ifrån från identitetsservern <idserver />?",
"Disconnect": "Koppla ifrån",
"You are still <b>sharing your personal data</b> on the identity server <idserver />.": "Du <b>delar fortfarande dina personuppgifter</b> på identitetsservern <idserver />.",
"We recommend that you remove your email addresses and phone numbers from the identity server before disconnecting.": "Vi rekommenderar att du tar bort dina e-postadresser och telefonnummer från identitetsservern innan du kopplar från.",
"Disconnect anyway": "Koppla ifrån ändå",
@ -826,7 +809,6 @@
"Set a new custom sound": "Ställ in ett nytt anpassat ljud",
"Upgrade the room": "Uppgradera rummet",
"Enable room encryption": "Aktivera rumskryptering",
"Revoke": "Återkalla",
"Discovery options will appear once you have added an email above.": "Upptäcktsalternativ kommer att visas när du har lagt till en e-postadress ovan.",
"Remove %(email)s?": "Ta bort %(email)s?",
"Remove %(phone)s?": "Ta bort %(phone)s?",
@ -844,14 +826,10 @@
"Deactivating this user will log them out and prevent them from logging back in. Additionally, they will leave all the rooms they are in. This action cannot be reversed. Are you sure you want to deactivate this user?": "Vid inaktivering av användare loggas den ut och förhindras från att logga in igen. Den kommer dessutom att lämna alla rum den befinner sig i. Den här åtgärden kan inte ångras. Är du säker på att du vill inaktivera den här användaren?",
"Deactivate user": "Inaktivera användaren",
"Remove recent messages": "Ta bort nyliga meddelanden",
"Bold": "Fet",
"Italics": "Kursiv",
"Strikethrough": "Genomstruken",
"Code block": "Kodblock",
"Join the conversation with an account": "Gå med i konversationen med ett konto",
"Sign Up": "Registrera dig",
"Prompt before sending invites to potentially invalid matrix IDs": "Fråga innan inbjudningar skickas till potentiellt ogiltiga Matrix-ID:n",
"Show all": "Visa alla",
"<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": "redigerat",
@ -871,7 +849,6 @@
"This action requires accessing the default identity server <server /> to validate an email address or phone number, but the server does not have any terms of service.": "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)",
"Show previews/thumbnails for images": "Visa förhandsgranskning/miniatyr för bilder",
"Custom (%(level)s)": "Anpassad (%(level)s)",
"Error upgrading room": "Fel vid uppgradering av rum",
"Double check that your server supports the room version chosen and try again.": "Dubbelkolla att din server stöder den valda rumsversionen och försök igen.",
"%(senderName)s placed a voice call.": "%(senderName)s ringde ett röstsamtal.",
@ -982,7 +959,6 @@
"Your email address hasn't been verified yet": "Din e-postadress har inte verifierats än",
"Click the link in the email you received to verify and then click continue again.": "Klicka på länken i e-postmeddelandet för att bekräfta och klicka sedan på Fortsätt igen.",
"Verify the link in your inbox": "Verifiera länken i din inkorg",
"Complete": "Färdigställ",
"Unable to revoke sharing for phone number": "Kunde inte återkalla delning för telefonnummer",
"Unable to share phone number": "Kunde inte dela telefonnummer",
"Please enter verification code sent via text.": "Ange verifieringskod skickad via SMS.",
@ -1010,7 +986,6 @@
"Toggle Quote": "Växla citat",
"New line": "Ny rad",
"Jump to room search": "Hoppa till rumssökning",
"Space": "Utrymme",
"Use Single Sign On to continue": "Använd samlad inloggning (single sign on) för att fortsätta",
"Confirm adding this email address by using Single Sign On to prove your identity.": "Bekräfta tilläggning av e-postadressen genom att använda samlad inloggning för att bevisa din identitet.",
"Single Sign On": "Samlad inloggning",
@ -1079,7 +1054,6 @@
"%(num)s days from now": "om %(num)s dagar",
"Unexpected server error trying to leave the room": "Oväntat serverfel vid försök att lämna rummet",
"Error leaving room": "Fel när rummet lämnades",
"Review": "Granska",
"Later": "Senare",
"Your homeserver has exceeded its user limit.": "Din hemserver har överskridit sin användargräns.",
"Your homeserver has exceeded one of its resource limits.": "Din hemserver har överskridit en av sina resursgränser.",
@ -1200,7 +1174,6 @@
"You have not ignored anyone.": "Du har inte ignorerat någon.",
"You are currently ignoring:": "Du ignorerar just nu:",
"You are not subscribed to any lists": "Du prenumererar inte på några listor",
"Unsubscribe": "Avprenumerera",
"View rules": "Visa regler",
"You are currently subscribed to:": "Du prenumerera just nu på:",
"⚠ These settings are meant for advanced users.": "⚠ Dessa inställningar är till för avancerade användare.",
@ -1213,7 +1186,6 @@
"Subscribing to a ban list will cause you to join it!": "Att prenumerera till en bannlista kommer att få dig att gå med i den!",
"If this isn't what you want, please use a different tool to ignore users.": "Om det här inte är det du vill, använd ett annat verktyg för att ignorera användare.",
"Room ID or address of ban list": "Rums-ID eller adress för bannlista",
"Subscribe": "Prenumerera",
"Read Marker lifetime (ms)": "Läsmarkörens livstid (ms)",
"Read Marker off-screen lifetime (ms)": "Läsmarkörens livstid utanför skärmen (ms)",
"Session ID:": "Sessions-ID:",
@ -1235,7 +1207,6 @@
"Someone is using an unknown session": "Någon använder en okänd session",
"This room is end-to-end encrypted": "Det här rummet är totalsträckskrypterat",
"Everyone in this room is verified": "Alla i det här rummet är verifierade",
"Mod": "Mod",
"Encrypted by an unverified session": "Krypterat av en overifierad session",
"Unencrypted": "Okrypterat",
"Encrypted by a deleted session": "Krypterat av en raderad session",
@ -1374,8 +1345,6 @@
"Server name": "Servernamn",
"Preparing to download logs": "Förbereder nedladdning av loggar",
"Reminder: Your browser is unsupported, so your experience may be unpredictable.": "Påminnelse: Din webbläsare stöds inte, så din upplevelse kan vara oförutsägbar.",
"Download logs": "Ladda ner loggar",
"If there is additional context that would help in analysing the issue, such as what you were doing at the time, room IDs, user IDs, etc., please include those things here.": "Om det finns ytterligare sammanhang som kan hjälpa för att analysera problemet, till exempel vad du gjorde vid den tiden, rums-ID:n, användar-ID:n o.s.v., vänligen inkludera dessa saker här.",
"Unable to load commit detail: %(msg)s": "Kunde inte ladda commit-detalj: %(msg)s",
"Removing…": "Tar bort…",
"Destroy cross-signing keys?": "Förstöra korssigneringsnycklar?",
@ -1505,7 +1474,6 @@
"Identity server URL does not appear to be a valid identity server": "Identitetsserver-URL:en verkar inte vara en giltig Matrix-identitetsserver",
"This account has been deactivated.": "Det här kontot har avaktiverats.",
"Failed to perform homeserver discovery": "Misslyckades att genomföra hemserverupptäckt",
"Privacy": "Sekretess",
"If you've joined lots of rooms, this might take a while": "Om du har gått med i många rum kan det här ta ett tag",
"Your new account (%(newAccountId)s) is registered, but you're already logged into a different account (%(loggedInUserId)s).": "Ditt nya konto (%(newAccountId)s) är registrerat, men du är redan inloggad på ett annat konto (%(loggedInUserId)s).",
"Continue with previous account": "Fortsätt med de tidigare kontot",
@ -1532,7 +1500,6 @@
"Use a secret phrase only you know, and optionally save a Security Key to use for backup.": "Använd en hemlig fras endast du känner till, och spara valfritt en säkerhetsnyckel att använda för säkerhetskopiering.",
"Enter your account password to confirm the upgrade:": "Ange ditt kontolösenord för att bekräfta uppgraderingen:",
"Restore your key backup to upgrade your encryption": "Återställ din nyckelsäkerhetskopia för att uppgradera din kryptering",
"Restore": "Återställ",
"You'll need to authenticate with the server to confirm the upgrade.": "Du kommer behöva autentisera mot servern för att bekräfta uppgraderingen.",
"Upgrade this session to allow it to verify other sessions, granting them access to encrypted messages and marking them as trusted for other users.": "Uppgradera den här sessionen för att låta den verifiera andra sessioner, för att ge dem åtkomst till krypterade meddelanden och markera dem som betrodda för andra användare.",
"That matches!": "Det matchar!",
@ -2007,7 +1974,6 @@
"Hold": "Parkera",
"Resume": "Återuppta",
"Decline All": "Neka alla",
"Approve": "Godta",
"This widget would like to:": "Den här widgeten skulle vilja:",
"Approve widget permissions": "Godta widgetbehörigheter",
"About homeservers": "Om hemservrar",
@ -2106,8 +2072,6 @@
"Who are you working with?": "Vem arbetar du med?",
"Skip for now": "Hoppa över för tillfället",
"Failed to create initial space rooms": "Misslyckades att skapa initiala utrymmesrum",
"Support": "Hjälp",
"Random": "Slumpmässig",
"Welcome to <name/>": "Välkommen till <name/>",
"%(count)s members": {
"one": "%(count)s medlem",
@ -2214,7 +2178,6 @@
"Forgotten or lost all recovery methods? <a>Reset all</a>": "Glömt eller förlorat alla återställningsalternativ? <a>Återställ allt</a>",
"If you do, please note that none of your messages will be deleted, but the search experience might be degraded for a few moments whilst the index is recreated": "Om du gör det, observera att inga av dina meddelanden kommer att raderas, men sökupplevelsen kan degraderas en stund medans registret byggs upp igen",
"View message": "Visa meddelande",
"%(seconds)ss left": "%(seconds)ss kvar",
"Change server ACLs": "Ändra server-ACLer",
"Delete all": "Radera alla",
"View all %(count)s members": {
@ -2231,8 +2194,6 @@
"Pick rooms or conversations to add. This is just a space for you, no one will be informed. You can add more later.": "Välj rum eller konversationer att lägga till. Detta är bara ett utrymmer för dig, ingen kommer att informeras. Du kan lägga till fler senare.",
"What do you want to organise?": "Vad vill du organisera?",
"You have no ignored users.": "Du har inga ignorerade användare.",
"Play": "Spela",
"Pause": "Pausa",
"Message search initialisation failed": "Initialisering av meddelandesökning misslyckades",
"Search names and descriptions": "Sök namn och beskrivningar",
"Select a room below first": "Välj ett rum nedan först",
@ -2255,7 +2216,6 @@
"We were unable to access your microphone. Please check your browser settings and try again.": "Vi kunde inte komma åt din mikrofon. Vänligen kolla dina webbläsarinställningar och försök igen.",
"Unable to access your microphone": "Kan inte komma åt din mikrofon",
"Your access token gives full access to your account. Do not share it with anyone.": "Din åtkomsttoken ger full åtkomst till ditt konto. Dela den inte med någon.",
"Access Token": "Åtkomsttoken",
"Please enter a name for the space": "Vänligen ange ett namn för utrymmet",
"Connecting": "Ansluter",
"Space Autocomplete": "Utrymmesautokomplettering",
@ -2524,7 +2484,6 @@
"Don't leave any rooms": "Lämna inga rum",
"%(senderDisplayName)s sent a sticker.": "%(senderDisplayName)s skickade en dekal.",
"%(senderDisplayName)s changed the room avatar.": "%(senderDisplayName)s bytte rummets avatar.",
"%(date)s at %(time)s": "%(date)s vid %(time)s",
"Error fetching file": "Fel vid hämtning av fil",
"Topic: %(topic)s": "Ämne: %(topic)s",
"This is the start of export of <roomName/>. Exported by <exporterDetails/> at %(exportDate)s.": "Det här är början på exporten av <roomName/>. Exporterad av <exporterDetails/> vid %(exportDate)s.",
@ -2634,7 +2593,6 @@
"You do not have permission to start polls in this room.": "Du får inte starta omröstningar i det här rummet.",
"This room isn't bridging messages to any platforms. <a>Learn more.</a>": "Det här rummet bryggar inte meddelanden till några platformar. <a>Läs mer.</a>",
"This room is in some spaces you're not an admin of. In those spaces, the old room will still be shown, but people will be prompted to join the new one.": "Det här rummet är med i några utrymmen du inte är admin för. I de utrymmena så kommer det gamla rummet fortfarande visas, men folk kommer uppmanas att gå med i det nya.",
"Rename": "Döp om",
"Select all": "Välj alla",
"Deselect all": "Välj bort alla",
"Sign out devices": {
@ -2952,10 +2910,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 ä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 to display maps.": "Den här hemservern har inte konfigurerats för att visa kartor.",
"%(value)ss": "%(value)ss",
"%(value)sm": "%(value)sm",
"%(value)sh": "%(value)st",
"%(value)sd": "%(value)sd",
"This invite was sent to %(email)s": "Denna inbjudan skickades till %(email)s",
"This invite was sent to %(email)s which is not associated with your account": "Denna inbjudan skickades till %(email)s vilken inte är associerad med ditt konto",
"You can still join here.": "Du kan fortfarande gå med här.",
@ -2974,8 +2928,6 @@
"Busy": "Upptagen",
"View older version of %(spaceName)s.": "Visa tidigare version av %(spaceName)s.",
"Upgrade this space to the recommended room version": "Uppgradera det här utrymmet till den rekommenderade rumsversionen",
"Debug logs contain application usage data including your username, the IDs or aliases of the rooms you have visited, which UI elements you last interacted with, and the usernames of other users. They do not contain messages.": "Felsökningsloggar innehåller programanvändningsdata som ditt användarnamn, ID:n eller alias för rum du har besökt, vilka UI-element du senast interagerade med och användarnamn för andra användare. De innehåller inte meddelanden.",
"If you've submitted a bug via GitHub, debug logs can help us track down the problem. ": "Om du har rapporterat en bugg via GitHub så kan felsökningsloggar hjälpa oss att hitta problemet. ",
"Spaces are a new way to group rooms and people. What kind of Space do you want to create? You can change this later.": "Utrymmen är ett nytt sätt att gruppera rum och personer. Vad för slags utrymme vill du skapa? Du kan ändra detta senare.",
"Failed to join": "Misslyckades att gå med",
"The person who invited you has already left, or their server is offline.": "Personen som bjöd in dig har redan lämnat, eller så är deras hemserver offline.",
@ -3289,8 +3241,6 @@
"When enabled, the other party might be able to see your IP address": "När aktiverat så kan den andra parten kanske se din IP-adress",
"Allow Peer-to-Peer for 1:1 calls": "Tillåt peer-to-peer för direktsamtal",
"Go live": "Börja sända",
"%(minutes)sm %(seconds)ss left": "%(minutes)sm %(seconds)ss kvar",
"%(hours)sh %(minutes)sm %(seconds)ss left": "%(hours)st %(minutes)sm %(seconds)ss kvar",
"Secure messaging for friends and family": "Säkra meddelanden för vänner och familj",
"Change input device": "Byt ingångsenhet",
"30s forward": "30s framåt",
@ -3309,7 +3259,6 @@
"Sessions": "Sessioner",
"Your server doesn't support disabling sending read receipts.": "Din server stöder inte inaktivering av läskvitton.",
"Share your activity and status with others.": "Dela din aktivitet och status med andra.",
"Presence": "Närvaro",
"Feeling experimental? Try out our latest ideas in development. These features are not finalised; they may be unstable, may change, or may be dropped altogether. <a>Learn more</a>.": "Känner du dig äventyrlig? Pröva våra senaste idéer under utveckling. Dessa funktioner är inte slutförda; de kan vara instabila, kan ändras, eller kan tas bort helt. <a>Läs mer</a>.",
"Early previews": "Tidiga förhandstittar",
"What's next for %(brand)s? Labs are the best way to get things early, test out new features and help shape them before they actually launch.": "Vad händer härnäst med %(brand)s? Experiment är det bästa sättet att få saker tidigt, pröva nya funktioner, och hjälpa till att forma dem innan de egentligen släpps.",
@ -3341,9 +3290,6 @@
"Buffering…": "Buffrar…",
"%(senderName)s ended a <a>voice broadcast</a>": "%(senderName)s avslutade en <a>röstsändning</a>",
"You ended a <a>voice broadcast</a>": "Du avslutade en <a>röstsändning</a>",
"%(minutes)sm %(seconds)ss": "%(minutes)sm %(seconds)ss",
"%(hours)sh %(minutes)sm %(seconds)ss": "%(hours)st %(minutes)sm %(seconds)ss",
"%(days)sd %(hours)sh %(minutes)sm %(seconds)ss": "%(days)sd %(hours)st %(minutes)sm %(seconds)ss",
"%(securityKey)s or %(recoveryFile)s": "%(securityKey)s eller %(recoveryFile)s",
"Interactively verify by emoji": "Verifiera interaktivt med emoji",
"Manually verify by text": "Verifiera manuellt med text",
@ -3373,8 +3319,6 @@
"Room info": "Rumsinfo",
"We were unable to start a chat with the other user.": "Vi kunde inte starta en chatt med den andra användaren.",
"Error starting verification": "Fel vid start av verifiering",
"Underline": "Understrykning",
"Italic": "Kursivt",
"View chat timeline": "Visa chattidslinje",
"Close call": "Stäng samtal",
"Change layout": "Byt utseende",
@ -3389,12 +3333,10 @@
"Show formatting": "Visa formatering",
"Hide formatting": "Dölj formatering",
"Failed to set pusher state": "Misslyckades att sätta pusharläge",
"View all": "Visa alla",
"Security recommendations": "Säkerhetsrekommendationer",
"Show QR code": "Visa QR-kod",
"You can use this device to sign in a new device with a QR code. You will need to scan the QR code shown on this device with your device that's signed out.": "Du kan använda den här enheten för att logga in en ny enhet med en QR-kod. Du kommer behöva skanna QR-koden som visas på den här enheten med din enhet som är utloggad.",
"Sign in with QR code": "Logga in med QR-kod",
"Show": "Visa",
"Filter devices": "Filtrera enheter",
"Inactive for %(inactiveAgeDays)s days or longer": "Inaktiv i %(inactiveAgeDays)s dagar eller längre",
"Inactive": "Inaktiv",
@ -3509,7 +3451,6 @@
"Text": "Text",
"Create a link": "Skapa en länk",
"Edit link": "Redigera länk",
"Link": "Länk",
" in <strong>%(room)s</strong>": " i <strong>%(room)s</strong>",
"Improve your account security by following these recommendations.": "Förbättra din kontosäkerhet genom att följa dessa rekommendationer.",
"Sign out of %(count)s sessions": {
@ -3533,8 +3474,6 @@
"Connection error": "Anslutningsfel",
"Failed to read events": "Misslyckades att läsa händelser",
"Failed to send event": "Misslyckades att skicka händelse",
"Numbered list": "Numrerad lista",
"Bulleted list": "Punktlista",
"Decrypted source unavailable": "Avkrypterad källa otillgänglig",
"Registration token": "Registreringstoken",
"Enter a registration token provided by the homeserver administrator.": "Ange en registreringstoken försedd av hemserveradministratören.",
@ -3560,8 +3499,6 @@
"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?",
"Ignore %(user)s": "Ignorera %(user)s",
"Indent decrease": "Minska indrag",
"Indent increase": "Öka indrad",
"unknown": "okänd",
"Red": "Röd",
"Grey": "Grå",
@ -3785,7 +3722,22 @@
"dark": "Mörkt",
"beta": "Beta",
"attachment": "Bilaga",
"appearance": "Utseende"
"appearance": "Utseende",
"guest": "Gäst",
"legal": "Juridiskt",
"credits": "Medverkande",
"faq": "FAQ",
"access_token": "Åtkomsttoken",
"preferences": "Alternativ",
"presence": "Närvaro",
"timeline": "Tidslinje",
"privacy": "Sekretess",
"camera": "Kamera",
"microphone": "Mikrofon",
"emoji": "Emoji",
"random": "Slumpmässig",
"support": "Hjälp",
"space": "Utrymme"
},
"action": {
"continue": "Fortsätt",
@ -3857,7 +3809,23 @@
"back": "Tillbaka",
"apply": "Tillämpa",
"add": "Lägg till",
"accept": "Godkänn"
"accept": "Godkänn",
"disconnect": "Koppla ifrån",
"change": "Ändra",
"subscribe": "Prenumerera",
"unsubscribe": "Avprenumerera",
"approve": "Godta",
"complete": "Färdigställ",
"revoke": "Återkalla",
"rename": "Döp om",
"view_all": "Visa alla",
"show_all": "Visa alla",
"show": "Visa",
"review": "Granska",
"restore": "Återställ",
"play": "Spela",
"pause": "Pausa",
"register": "Registrera"
},
"a11y": {
"user_menu": "Användarmeny"
@ -3923,5 +3891,54 @@
"default_cover_photo": "Det <photo>förvalda omslagsfotot</photo> är © <author>Jesús Roncero</author> och används under villkoren i <terms>CC-BY-SA 4.0</terms>.",
"twemoji_colr": "Teckensnittet <colr>twemoji-colr</colr> är © <author>Mozilla Foundation</author> och används under villkoren för <terms>Apache 2.0</terms>.",
"twemoji": "Emojigrafiken <twemoji>Twemoji</twemoji> är © <author>Twitter, Inc och andra bidragsgivare</author> och används under villkoren i <terms>CC-BY 4.0</terms>."
},
"composer": {
"format_bold": "Fet",
"format_italic": "Kursivt",
"format_underline": "Understrykning",
"format_strikethrough": "Genomstruken",
"format_unordered_list": "Punktlista",
"format_ordered_list": "Numrerad lista",
"format_increase_indent": "Öka indrad",
"format_decrease_indent": "Minska indrag",
"format_inline_code": "Kod",
"format_code_block": "Kodblock",
"format_link": "Länk"
},
"Bold": "Fet",
"Link": "Länk",
"Code": "Kod",
"power_level": {
"default": "Standard",
"restricted": "Begränsad",
"moderator": "Moderator",
"admin": "Administratör",
"custom": "Anpassad (%(level)s)",
"mod": "Mod"
},
"bug_reporting": {
"introduction": "Om du har rapporterat en bugg via GitHub så kan felsökningsloggar hjälpa oss att hitta problemet. ",
"description": "Felsökningsloggar innehåller programanvändningsdata som ditt användarnamn, ID:n eller alias för rum du har besökt, vilka UI-element du senast interagerade med och användarnamn för andra användare. De innehåller inte meddelanden.",
"matrix_security_issue": "För att rapportera ett Matrix-relaterat säkerhetsproblem, vänligen läs Matrix.orgs <a>riktlinjer för säkerhetspublicering</a>.",
"submit_debug_logs": "Skicka felsökningsloggar",
"title": "Buggrapportering",
"additional_context": "Om det finns ytterligare sammanhang som kan hjälpa för att analysera problemet, till exempel vad du gjorde vid den tiden, rums-ID:n, användar-ID:n o.s.v., vänligen inkludera dessa saker här.",
"send_logs": "Skicka loggar",
"github_issue": "GitHub-ärende",
"download_logs": "Ladda ner loggar",
"before_submitting": "Innan du skickar in loggar måste du <a>skapa ett GitHub-ärende</a> för att beskriva problemet."
},
"time": {
"hours_minutes_seconds_left": "%(hours)st %(minutes)sm %(seconds)ss kvar",
"minutes_seconds_left": "%(minutes)sm %(seconds)ss kvar",
"seconds_left": "%(seconds)ss kvar",
"date_at_time": "%(date)s vid %(time)s",
"short_days": "%(value)sd",
"short_hours": "%(value)st",
"short_minutes": "%(value)sm",
"short_seconds": "%(value)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_minutes_seconds": "%(minutes)sm %(seconds)ss"
}
}
}

View file

@ -24,7 +24,6 @@
"powered by Matrix": "Matrix-ஆல் ஆனது",
"Search…": "தேடு…",
"Send": "அனுப்பு",
"Send logs": "பதிவுகளை அனுப்பு",
"Source URL": "மூல முகவரி",
"This Room": "இந்த அறை",
"Unavailable": "இல்லை",
@ -50,7 +49,6 @@
"Event sent!": "நிகழ்வு அனுப்பப்பட்டது",
"Event Type": "நிகழ்வு வகை",
"Event Content": "நிகழ்வு உள்ளடக்கம்",
"Register": "பதிவு செய்",
"Rooms": "அறைகள்",
"This email address is already in use": "இந்த மின்னஞ்சல் முகவரி முன்னதாகவே பயன்பாட்டில் உள்ளது",
"This phone number is already in use": "இந்த தொலைபேசி எண் முன்னதாகவே பயன்பாட்டில் உள்ளது",
@ -147,6 +145,10 @@
"confirm": "உறுதிப்படுத்தவும்",
"close": "மூடு",
"cancel": "ரத்து",
"back": "பின்"
"back": "பின்",
"register": "பதிவு செய்"
},
"bug_reporting": {
"send_logs": "பதிவுகளை அனுப்பு"
}
}

View file

@ -6,8 +6,6 @@
"No Webcams detected": "వెబ్కామ్లు కనుగొనబడలేదు",
"No media permissions": "మీడియా అనుమతులు లేవు",
"Default Device": "డిఫాల్ట్ పరికరం",
"Microphone": "మైక్రోఫోన్",
"Camera": "కెమెరా",
"Advanced": "ఆధునిక",
"Always show message timestamps": "ఎల్లప్పుడూ సందేశాల సమయ ముద్రలు చూపించు",
"Authentication": "ప్రామాణీకరణ",
@ -93,7 +91,6 @@
"All Rooms": "అన్ని గదులు",
"Wednesday": "బుధవారం",
"Send": "పంపండి",
"Send logs": "నమోదును పంపు",
"All messages": "అన్ని సందేశాలు",
"Call invitation": "మాట్లాడడానికి ఆహ్వానం",
"Invite to this room": "ఈ గదికి ఆహ్వానించండి",
@ -117,7 +114,9 @@
"mute": "నిశబ్ధము",
"settings": "అమరికలు",
"warning": "హెచ్చరిక",
"attachment": "జోడింపు"
"attachment": "జోడింపు",
"camera": "కెమెరా",
"microphone": "మైక్రోఫోన్"
},
"action": {
"continue": "కొనసాగించు",
@ -132,5 +131,12 @@
"cancel": "రద్దు",
"add": "చేర్చు",
"accept": "అంగీకరించు"
},
"power_level": {
"default": "డిఫాల్ట్",
"admin": "అడ్మిన్"
},
"bug_reporting": {
"send_logs": "నమోదును పంపు"
}
}

View file

@ -1,8 +1,6 @@
{
"Account": "บัญชี",
"Microphone": "ไมโครโฟน",
"No Microphones detected": "ไม่พบไมโครโฟน",
"Camera": "กล้อง",
"Advanced": "ขึ้นสูง",
"Change Password": "เปลี่ยนรหัสผ่าน",
"Default": "ค่าเริ่มต้น",
@ -10,11 +8,9 @@
"%(senderDisplayName)s changed the topic to \"%(topic)s\".": "%(senderDisplayName)s เปลี่ยนหัวข้อเป็น \"%(topic)s\"",
"Decrypt %(text)s": "ถอดรหัส %(text)s",
"Download %(text)s": "ดาวน์โหลด %(text)s",
"Emoji": "อีโมจิ",
"Low priority": "ความสำคัญต่ำ",
"Profile": "โปรไฟล์",
"Reason": "เหตุผล",
"Register": "ลงทะเบียน",
"%(brand)s version:": "เวอร์ชัน %(brand)s:",
"Notifications": "การแจ้งเตือน",
"Operation failed": "การดำเนินการล้มเหลว",
@ -208,7 +204,6 @@
"Collecting logs": "กำลังรวบรวมล็อก",
"All Rooms": "ทุกห้อง",
"Wednesday": "วันพุธ",
"Send logs": "ส่งล็อก",
"All messages": "ทุกข้อความ",
"Call invitation": "คำเชิญเข้าร่วมการโทร",
"What's new?": "มีอะไรใหม่?",
@ -243,10 +238,6 @@
"Only continue if you trust the owner of the server.": "ดำเนินการต่อหากคุณไว้วางใจเจ้าของเซิร์ฟเวอร์เท่านั้น.",
"This action requires accessing the default identity server <server /> to validate an email address or phone number, but the server does not have any terms of service.": "การดำเนินการนี้จำเป็นต้องเข้าถึงเซิร์ฟเวอร์ identity เริ่มต้น <server /> เพื่อตรวจสอบที่อยู่อีเมลหรือหมายเลขโทรศัพท์ แต่เซิร์ฟเวอร์ไม่มีข้อกำหนดในการให้บริการใดๆ.",
"Identity server has no terms of service": "เซิร์ฟเวอร์ประจำตัวไม่มีข้อกำหนดในการให้บริการ",
"%(date)s at %(time)s": "%(date)s เมื่อ %(time)s",
"%(seconds)ss left": "%(seconds)ss ที่ผ่านมา",
"%(minutes)sm %(seconds)ss left": "%(minutes)sm %(seconds)ss ที่ผ่านมา",
"%(hours)sh %(minutes)sm %(seconds)ss left": "%(hours)sh %(minutes)sm %(seconds)ss ที่ผ่านมา",
"The server does not support the room version specified.": "เซิร์ฟเวอร์ไม่รองรับเวอร์ชันห้องที่ระบุ.",
"The file '%(fileName)s' exceeds this homeserver's size limit for uploads": "ไฟล์ '%(fileName)s' เกินขีดจำกัดขนาดของโฮมเซิร์ฟเวอร์นี้สำหรับการอัปโหลด",
"The file '%(fileName)s' failed to upload.": "ไฟล์ '%(fileName)s' อัปโหลดไม่สำเร็จ.",
@ -393,10 +384,6 @@
"Message Actions": "การดำเนินการกับข้อความ",
"Text": "ตัวอักษร",
"Create a link": "สร้างลิงค์",
"Link": "ลิงค์",
"Code": "โค้ด",
"Underline": "ขีดเส้นใต้",
"Italic": "ตัวเอียง",
"Stop recording": "หยุดการบันทึก",
"We didn't find a microphone on your device. Please check your settings and try again.": "เราไม่พบไมโครโฟนบนอุปกรณ์ของคุณ โปรดตรวจสอบการตั้งค่าของคุณแล้วลองอีกครั้ง.",
"No microphone found": "ไม่พบไมโครโฟน",
@ -423,7 +410,6 @@
"Idle": "ว่าง",
"Online": "ออนไลน์",
"Your email address does not appear to be associated with a Matrix ID on this homeserver.": "ที่อยู่อีเมลของคุณไม่ได้เชื่อมโยงกับ Matrix ID บนโฮมเซิร์ฟเวอร์นี้",
"Timeline": "เส้นเวลา",
"common": {
"encryption_enabled": "เปิดใช้งานการเข้ารหัส",
"error": "ข้อผิดพลาด",
@ -442,7 +428,11 @@
"labs": "ห้องทดลอง",
"home": "เมนูหลัก",
"favourites": "รายการโปรด",
"attachment": "ไฟล์แนบ"
"attachment": "ไฟล์แนบ",
"timeline": "เส้นเวลา",
"camera": "กล้อง",
"microphone": "ไมโครโฟน",
"emoji": "อีโมจิ"
},
"action": {
"continue": "ดำเนินการต่อ",
@ -480,9 +470,32 @@
"close": "ปิด",
"cancel": "ยกเลิก",
"add": "เพิ่ม",
"accept": "ยอมรับ"
"accept": "ยอมรับ",
"register": "ลงทะเบียน"
},
"keyboard": {
"home": "เมนูหลัก"
},
"composer": {
"format_italic": "ตัวเอียง",
"format_underline": "ขีดเส้นใต้",
"format_inline_code": "โค้ด",
"format_link": "ลิงค์"
},
"Link": "ลิงค์",
"Code": "โค้ด",
"power_level": {
"default": "ค่าเริ่มต้น",
"moderator": "ผู้ช่วยดูแล",
"admin": "ผู้ดูแล"
},
"bug_reporting": {
"send_logs": "ส่งล็อก"
},
"time": {
"hours_minutes_seconds_left": "%(hours)sh %(minutes)sm %(seconds)ss ที่ผ่านมา",
"minutes_seconds_left": "%(minutes)sm %(seconds)ss ที่ผ่านมา",
"seconds_left": "%(seconds)ss ที่ผ่านมา",
"date_at_time": "%(date)s เมื่อ %(time)s"
}
}

View file

@ -7,8 +7,6 @@
"No media permissions": "Medya izinleri yok",
"You may need to manually permit %(brand)s to access your microphone/webcam": "%(brand)s'un mikrofonunuza / web kameranıza el le erişmesine izin vermeniz gerekebilir",
"Default Device": "Varsayılan Cihaz",
"Microphone": "Mikrofon",
"Camera": "Kamera",
"Advanced": "Gelişmiş",
"Always show message timestamps": "Her zaman mesaj zaman dalgalarını (timestamps) gösterin",
"Authentication": "Doğrulama",
@ -47,7 +45,6 @@
"Download %(text)s": "%(text)s metnini indir",
"Email": "E-posta",
"Email address": "E-posta Adresi",
"Emoji": "Emoji (Karakter)",
"Enter passphrase": "Şifre deyimi Girin",
"Error decrypting attachment": "Ek şifresini çözme hatası",
"Export": "Dışa Aktar",
@ -110,7 +107,6 @@
"Privileged Users": "Ayrıcalıklı Kullanıcılar",
"Profile": "Profil",
"Reason": "Sebep",
"Register": "Kaydolun",
"Reject invitation": "Daveti Reddet",
"Return to login screen": "Giriş ekranına dön",
"%(brand)s does not have permission to send you notifications - please check your browser settings": "%(brand)s size bildirim gönderme iznine sahip değil - lütfen tarayıcı ayarlarınızı kontrol edin",
@ -269,7 +265,6 @@
"All Rooms": "Tüm Odalar",
"Wednesday": "Çarşamba",
"Send": "Gönder",
"Send logs": "Kayıtları gönder",
"All messages": "Tüm mesajlar",
"Call invitation": "Arama davetiyesi",
"Messages containing my display name": "İsmimi içeren mesajlar",
@ -385,7 +380,6 @@
"Logs sent": "Loglar gönderiliyor",
"Thank you!": "Teşekkürler!",
"Failed to send logs: ": "Logların gönderilmesi başarısız: ",
"GitHub issue": "GitHub sorunu",
"Notes": "Notlar",
"Removing…": "Siliniyor…",
"Clear all data": "Bütün verileri sil",
@ -448,7 +442,6 @@
"Remove for everyone": "Herkes için sil",
"This homeserver would like to make sure you are not a robot.": "Bu ana sunucu sizin bir robot olup olmadığınızdan emin olmak istiyor.",
"Country Dropdown": "Ülke Listesi",
"Code": "Kod",
"Use an email address to recover your account": "Hesabınızı kurtarmak için bir e-posta adresi kullanın",
"Enter email address (required on this homeserver)": "E-posta adresi gir ( bu ana sunucuda gerekli)",
"Doesn't look like a valid email address": "Geçerli bir e-posta adresine benzemiyor",
@ -466,7 +459,6 @@
"Jump to first unread room.": "Okunmamış ilk odaya zıpla.",
"Jump to first invite.": "İlk davete zıpla.",
"Add room": "Oda ekle",
"Guest": "Misafir",
"Could not load user profile": "Kullanıcı profili yüklenemedi",
"Your password has been reset.": "Parolanız sıfırlandı.",
"General failure": "Genel başarısızlık",
@ -602,7 +594,6 @@
"Disconnect anyway": "Yinede bağlantıyı kes",
"Do not use an identity server": "Bir kimlik sunucu kullanma",
"Enter a new identity server": "Yeni bir kimlik sunucu gir",
"Change": "Değiştir",
"Manage integrations": "Entegrasyonları yönet",
"Email addresses": "E-posta adresleri",
"Phone numbers": "Telefon numaraları",
@ -610,11 +601,8 @@
"Account management": "Hesap yönetimi",
"General": "Genel",
"Discovery": "Keşfet",
"Legal": "Yasal",
"Check for update": "Güncelleme kontrolü",
"Help & About": "Yardım & Hakkında",
"Bug reporting": "Hata raporlama",
"FAQ": "FAQ",
"Versions": "Sürümler",
"Server rules": "Sunucu kuralları",
"User rules": "Kullanıcı kuralları",
@ -681,7 +669,6 @@
"The identity server you have chosen does not have any terms of service.": "Seçtiğiniz kimlik sunucu herhangi bir hizmet şartları sözleşmesine sahip değil.",
"Disconnect identity server": "Kimlik sunucu bağlantısını kes",
"Disconnect from the identity server <idserver />?": "<idserver /> kimlik sunucusundan bağlantıyı kes?",
"Disconnect": "Bağlantıyı kes",
"contact the administrators of identity server <idserver />": "<idserver /> kimlik sunucusu yöneticisiyle bağlantıya geç",
"Deactivate user?": "Kullanıcıyı pasifleştir?",
"Deactivate user": "Kullanıcıyı pasifleştir",
@ -689,9 +676,7 @@
"Share Link to User": "Kullanıcıya Link Paylaş",
"Send an encrypted reply…": "Şifrelenmiş bir cevap gönder…",
"Send an encrypted message…": "Şifreli bir mesaj gönder…",
"Bold": "Kalın",
"Italics": "Eğik",
"Code block": "Kod bloku",
"%(duration)ss": "%(duration)ssn",
"%(duration)sm": "%(duration)sdk",
"%(duration)sh": "%(duration)ssa",
@ -747,7 +732,6 @@
"%(name)s cancelled": "%(name)s iptal etti",
"%(name)s wants to verify": "%(name)s doğrulamak istiyor",
"You sent a verification request": "Doğrulama isteği gönderdiniz",
"Show all": "Hepsini göster",
"Click here to see older messages.": "Daha eski mesajları görmek için buraya tıklayın.",
"Copied!": "Kopyalandı!",
"Failed to copy": "Kopyalama başarısız",
@ -757,14 +741,12 @@
"Deactivate account": "Hesabı pasifleştir",
"For help with using %(brand)s, click <a>here</a>.": "%(brand)s kullanarak yardım etmek için, <a>buraya</a> tıklayın.",
"Chat with %(brand)s Bot": "%(brand)s Bot ile Sohbet Et",
"Submit debug logs": "Hata ayıklama kayıtlarını gönder",
"Something went wrong. Please try again or view your console for hints.": "Bir şeyler hatalı gitti. Lütfen yeniden deneyin veya ipuçları için konsolunuza bakın.",
"Please try again or view your console for hints.": "Lütfen yeniden deneyin veya ipuçları için konsolunuza bakın.",
"None": "Yok",
"Ban list rules - %(roomName)s": "Yasak Liste Kuralları - %(roomName)s",
"You have not ignored anyone.": "Kimseyi yok saymamışsınız.",
"You are currently ignoring:": "Halihazırda yoksaydıklarınız:",
"Unsubscribe": "Abonelikten Çık",
"You are currently subscribed to:": "Halizhazırdaki abonelikleriniz:",
"Ignored users": "Yoksayılan kullanıcılar",
"Personal ban list": "Kişisel yasak listesi",
@ -772,7 +754,6 @@
"eg: @bot:* or example.org": "örn: @bot:* veya example.org",
"Subscribed lists": "Abone olunmuş listeler",
"If this isn't what you want, please use a different tool to ignore users.": "Eğer istediğiniz bu değilse, kullanıcıları yoksaymak için lütfen farklı bir araç kullanın.",
"Subscribe": "Abone ol",
"Always show the window menu bar": "Pencerenin menü çubuğunu her zaman göster",
"Bulk options": "Toplu işlem seçenekleri",
"Accept all %(invitedRooms)s invites": "Bütün %(invitedRooms)s davetlerini kabul et",
@ -793,8 +774,6 @@
"The conversation continues here.": "Sohbet buradan devam ediyor.",
"You can only join it with a working invite.": "Sadece çalışan bir davet ile katılınabilir.",
"Try to join anyway": "Katılmak için yinede deneyin",
"Preferences": "Tercihler",
"Timeline": "Zaman Çizelgesi",
"This room has been replaced and is no longer active.": "Bu oda değiştirildi ve artık aktif değil.",
"Idle for %(duration)s": "%(duration)s süresince boşta",
"You were banned from %(roomName)s by %(memberName)s": "%(memberName)s tarafından %(roomName)s odası size yasaklandı",
@ -847,7 +826,6 @@
"Mirror local video feed": "Yerel video beslemesi yansısı",
"Match system theme": "Sistem temasıyla eşle",
"Missing media permissions, click the button below to request.": "Medya izinleri eksik, alttaki butona tıkayarak talep edin.",
"Credits": "Katkıda Bulunanlar",
"Clear cache and reload": "Belleği temizle ve yeniden yükle",
"Ignored/Blocked": "Yoksayılan/Bloklanan",
"Error adding ignored user/server": "Yoksayılan kullanıcı/sunucu eklenirken hata",
@ -983,7 +961,6 @@
"They don't match": "Eşleşmiyorlar",
"Other users may not trust it": "Diğer kullanıcılar güvenmeyebilirler",
"Later": "Sonra",
"Review": "Gözden Geçirme",
"Show less": "Daha az göster",
"Show more": "Daha fazla göster",
"in memory": "hafızada",
@ -1001,7 +978,6 @@
"Someone is using an unknown session": "Birisi bilinmeyen bir oturum kullanıyor",
"Everyone in this room is verified": "Bu odadaki herkes doğrulanmış",
"Setting up keys": "Anahtarları ayarla",
"Custom (%(level)s)": "Özel (%(level)s)",
"Upload %(count)s other files": {
"other": "%(count)s diğer dosyaları yükle",
"one": "%(count)s dosyayı sağla"
@ -1073,7 +1049,6 @@
"This room is end-to-end encrypted": "Bu oda uçtan uça şifreli",
"Encrypted by an unverified session": "Doğrulanmamış bir oturum tarafından şifrelenmiş",
"Encrypted by a deleted session": "Silinen bir oturumla şifrelenmiş",
"Strikethrough": "Üstü çizili",
"Reject & Ignore user": "Kullanıcı Reddet & Yoksay",
"%(count)s unread messages including mentions.": {
"one": "1 okunmamış bahis.",
@ -1091,7 +1066,6 @@
"Registration has been disabled on this homeserver.": "Bu anasunucuda kayıt işlemleri kapatılmış.",
"Enter your password to sign in and regain access to your account.": "Oturum açmak için şifreni gir ve hesabına yeniden erişimi sağla.",
"Enter your account password to confirm the upgrade:": "Güncellemeyi başlatmak için hesap şifreni gir:",
"Restore": "Geri yükle",
"You'll need to authenticate with the server to confirm the upgrade.": "Güncellemeyi teyit etmek için sunucuda oturum açmaya ihtiyacınız var.",
"Unable to set up secret storage": "Sır deposu ayarlanamıyor",
"Your keys are being backed up (the first backup could take a few minutes).": "Anahtarlarınız yedekleniyor (ilk yedek bir kaç dakika sürebilir).",
@ -1543,7 +1517,6 @@
"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",
"Font size": "Yazı boyutu",
"Space": "Boşluk",
"%(senderName)s: %(stickerName)s": "%(senderName)s%(stickerName)s",
"%(senderName)s: %(message)s": "%(senderName)s%(message)s",
"* %(senderName)s %(emote)s": "%(senderName)s%(emote)s",
@ -1684,7 +1657,6 @@
"Away": "Uzakta",
"Quick Reactions": "Hızlı Tepkiler",
"Widgets": "Widgetlar",
"Download logs": "Günlükleri indir",
"Notification options": "Bildirim ayarları",
"Looks good!": "İyi görünüyor!",
"Security Key": "Güvenlik anahtarı",
@ -1705,7 +1677,6 @@
"Transfer": "Aktar",
"Hold": "Beklet",
"Resume": "Devam et",
"Approve": "Onayla",
"Information": "Bilgi",
"Calls": "Aramalar",
"Feedback": "Geri bildirim",
@ -1717,10 +1688,6 @@
"Room options": "Oda ayarları",
"Forget Room": "Odayı unut",
"Open dial pad": "Arama tuşlarını aç",
"Mod": "Mod",
"Revoke": "İptal et",
"Complete": "Tamamla",
"Privacy": "Gizlilik",
"New version available. <a>Update now.</a>": "Yeni sürüm mevcut: <a> Şimdi güncelle.</a>",
"Use between %(min)s pt and %(max)s pt": "%(min)s ile %(max)s arasında girin",
"Custom font size can only be between %(min)s pt and %(max)s pt": "Özel yazı tipi boyutu %(min)s ile %(max)s arasında olmalı",
@ -1741,7 +1708,6 @@
"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.": "Bu oturum <b> anahtarlarınızı yedeklemiyor</b>, ama zaten geri yükleyebileceğiniz ve ileride ekleyebileceğiniz bir yedeğiniz var.",
"Converts the room to a DM": "Odayı birebir mesajlaşmaya dönüştürür",
"Converts the DM to a room": "Birebir mesajlaşmayı odaya çevirir",
"If there is additional context that would help in analysing the issue, such as what you were doing at the time, room IDs, user IDs, etc., please include those things here.": "O sırada ne yaptığınız, oda kimlikleri, kullanıcı kimlikleri vb.gibi sorunu analiz etmede yardımcı olacak ek öğe varsa lütfen buraya ekleyin.",
"Continue with %(provider)s": "%(provider)s ile devam et",
"Sign in with single sign-on": "Çoklu oturum açma ile giriş yap",
"Enter a server name": "Sunucu adı girin",
@ -1855,7 +1821,6 @@
"Suggested Rooms": "Önerilen Odalar",
"View message": "Mesajı görüntüle",
"Invite to just this room": "Sadece bu odaya davet et",
"%(seconds)ss left": "%(seconds)s saniye kaldı",
"Send message": "Mesajı gönder",
"Your message was sent": "Mesajınız gönderildi",
"Code blocks": "Kod blokları",
@ -1891,9 +1856,7 @@
"Failed to transfer call": "Arama aktarılırken hata oluştu",
"Plain Text": "Düz Metin",
"For best security, sign out from any session that you don't recognize or use anymore.": "En iyi güvenlik için, tanımadığın ya da artık kullanmadığın oturumlardan çıkış yap.",
"View all": "Hepsini göster",
"Security recommendations": "Güvenlik önerileri",
"Show": "Göster",
"Filter devices": "Cihazları filtrele",
"Not ready for secure messaging": "Güvenli mesajlaşma için hazır değil",
"Ready for secure messaging": "Güvenli mesajlaşma için hazır",
@ -1956,7 +1919,18 @@
"description": "Tanım",
"dark": "Karanlık",
"attachment": "Ek Dosya",
"appearance": "Görünüm"
"appearance": "Görünüm",
"guest": "Misafir",
"legal": "Yasal",
"credits": "Katkıda Bulunanlar",
"faq": "FAQ",
"preferences": "Tercihler",
"timeline": "Zaman Çizelgesi",
"privacy": "Gizlilik",
"camera": "Kamera",
"microphone": "Mikrofon",
"emoji": "Emoji (Karakter)",
"space": "Boşluk"
},
"action": {
"continue": "Devam Et",
@ -2014,7 +1988,20 @@
"cancel": "İptal",
"back": "Geri",
"add": "Ekle",
"accept": "Kabul Et"
"accept": "Kabul Et",
"disconnect": "Bağlantıyı kes",
"change": "Değiştir",
"subscribe": "Abone ol",
"unsubscribe": "Abonelikten Çık",
"approve": "Onayla",
"complete": "Tamamla",
"revoke": "İptal et",
"view_all": "Hepsini göster",
"show_all": "Hepsini göster",
"show": "Göster",
"review": "Gözden Geçirme",
"restore": "Geri yükle",
"register": "Kaydolun"
},
"a11y": {
"user_menu": "Kullanıcı menüsü"
@ -2037,5 +2024,33 @@
"alt": "Alt",
"control": "Ctrl",
"shift": "Shift"
},
"composer": {
"format_bold": "Kalın",
"format_strikethrough": "Üstü çizili",
"format_inline_code": "Kod",
"format_code_block": "Kod bloku"
},
"Bold": "Kalın",
"Code": "Kod",
"power_level": {
"default": "Varsayılan",
"restricted": "Sınırlı",
"moderator": "Moderatör",
"admin": "Admin",
"custom": "Özel (%(level)s)",
"mod": "Mod"
},
"bug_reporting": {
"submit_debug_logs": "Hata ayıklama kayıtlarını gönder",
"title": "Hata raporlama",
"additional_context": "O sırada ne yaptığınız, oda kimlikleri, kullanıcı kimlikleri vb.gibi sorunu analiz etmede yardımcı olacak ek öğe varsa lütfen buraya ekleyin.",
"send_logs": "Kayıtları gönder",
"github_issue": "GitHub sorunu",
"download_logs": "Günlükleri indir",
"before_submitting": "Logları göndermeden önce, probleminizi betimleyen <a>bir GitHub talebi oluşturun</a>."
},
"time": {
"seconds_left": "%(seconds)s saniye kaldı"
}
}

View file

@ -24,9 +24,6 @@
"Add Phone Number": "Rnu uṭṭun n utilifun",
"Add Email Address": "Rnu tasna imayl",
"Permissions": "Tisirag",
"Subscribe": "Zemmem",
"Change": "Senfel",
"Disconnect": "Kkes azday",
"exists": "illa",
"Santa": "Santa",
"Pizza": "Tapizzat",
@ -51,9 +48,7 @@
"Andorra": "Andura",
"Algeria": "Dzayer",
"Albania": "Albanya",
"Space": "Space",
"Calls": "Iɣuṛiten",
"Emoji": "Imuji",
"Afghanistan": "Afɣanistan",
"Phone": "Atilifun",
"Email": "Imayl",
@ -67,8 +62,6 @@
"A-Z": "A-Ẓ",
"Re-join": "als-lkem",
"%(duration)sd": "%(duration)sas",
"Camera": "Takamiṛa",
"Microphone": "Amikṛu",
"None": "Walu",
"Account": "Amiḍan",
"Algorithm:": "Talguritmit:",
@ -99,7 +92,6 @@
"Lion": "Izem",
"Cat": "Amuc",
"Dog": "Aydi",
"Guest": "Anebgi",
"Ok": "Wax",
"Notifications": "Tineɣmisin",
"Usage": "Asemres",
@ -113,7 +105,12 @@
"theme": "Asgum",
"name": "Isem",
"home": "Asnubeg",
"dark": "Adeɣmum"
"dark": "Adeɣmum",
"guest": "Anebgi",
"camera": "Takamiṛa",
"microphone": "Amikṛu",
"emoji": "Imuji",
"space": "Space"
},
"action": {
"continue": "Kemmel",
@ -137,7 +134,10 @@
"confirm": "Sentem",
"close": "Rgel",
"cancel": "Sser",
"add": "Rnu"
"add": "Rnu",
"disconnect": "Kkes azday",
"change": "Senfel",
"subscribe": "Zemmem"
},
"keyboard": {
"home": "Asnubeg",

View file

@ -15,8 +15,6 @@
"No media permissions": "Немає медіадозволів",
"You may need to manually permit %(brand)s to access your microphone/webcam": "Можливо, вам треба дозволити %(brand)s використання мікрофону/камери вручну",
"Default Device": "Уставний пристрій",
"Microphone": "Мікрофон",
"Camera": "Камера",
"Advanced": "Подробиці",
"Always show message timestamps": "Завжди показувати часові позначки повідомлень",
"Authentication": "Автентифікація",
@ -41,7 +39,6 @@
"%(senderDisplayName)s changed the topic to \"%(topic)s\".": "%(senderDisplayName)s змінює тему на %(topic)s.",
"Email": "Е-пошта",
"Email address": "Адреса е-пошти",
"Register": "Зареєструватися",
"Rooms": "Кімнати",
"This email address is already in use": "Ця е-пошта вже використовується",
"This phone number is already in use": "Цей телефонний номер вже використовується",
@ -78,7 +75,6 @@
"Wednesday": "Середа",
"You cannot delete this message. (%(code)s)": "Ви не можете видалити це повідомлення. (%(code)s)",
"Send": "Надіслати",
"Send logs": "Надіслати журнали",
"All messages": "Усі повідомлення",
"Call invitation": "Запрошення до виклику",
"State Key": "Ключ стану",
@ -284,7 +280,6 @@
"Upload Error": "Помилка вивантаження",
"Upload avatar": "Вивантажити аватар",
"For security, this session has been signed out. Please sign in again.": "З метою безпеки ваш сеанс було завершено. Увійдіть знову.",
"Custom (%(level)s)": "Власний (%(level)s)",
"Error upgrading room": "Помилка поліпшення кімнати",
"Double check that your server supports the room version chosen and try again.": "Перевірте, чи підримує ваш сервер вказану версію кімнати та спробуйте ще.",
"Send a Direct Message": "Надіслати особисте повідомлення",
@ -310,13 +305,10 @@
"Use your account or create a new one to continue.": "Скористайтесь вашим обліковим записом або створіть новий, щоб продовжити.",
"Create Account": "Створити обліковий запис",
"Later": "Пізніше",
"Review": "Переглянути",
"Language and region": "Мова та регіон",
"Account management": "Керування обліковим записом",
"Deactivate Account": "Деактивувати обліковий запис",
"Deactivate account": "Деактивувати обліковий запис",
"Legal": "Правові положення",
"Credits": "Подяки",
"For help with using %(brand)s, click <a>here</a>.": "Якщо необхідна допомога у користуванні %(brand)s'ом, клацніть <a>тут</a>.",
"For help with using %(brand)s, click <a>here</a> or start a chat with our bot using the button below.": "Якщо необхідна допомога у користуванні %(brand)s, клацніть <a>тут</a> або розпочніть бесіду з нашим ботом, клацнувши на кнопку внизу.",
"Join the conversation with an account": "Приєднатись до бесіди з обліковим записом",
@ -491,7 +483,6 @@
"Set up": "Налаштувати",
"Other users may not trust it": "Інші користувачі можуть не довіряти цьому",
"New login. Was this you?": "Новий вхід. Це були ви?",
"Guest": "Гість",
"You joined the call": "Ви приєднались до виклику",
"%(senderName)s joined the call": "%(senderName)s приєднується до виклику",
"Call in progress": "Виклик триває",
@ -509,11 +500,8 @@
"General": "Загальні",
"Discovery": "Виявлення",
"Help & About": "Допомога та про програму",
"Bug reporting": "Звітування про вади",
"Submit debug logs": "Надіслати журнал зневадження",
"Clear cache and reload": "Очистити кеш та перезавантажити",
"To report a Matrix-related security issue, please read the Matrix.org <a>Security Disclosure Policy</a>.": "Щоб повідомити про проблеми безпеки Matrix, будь ласка, прочитайте <a>Політику розкриття інформації</a> Matrix.org.",
"FAQ": "ЧаПи",
"Versions": "Версії",
"%(brand)s version:": "Версія %(brand)s:",
"Ignored/Blocked": "Ігноровані/Заблоковані",
@ -530,7 +518,6 @@
"You have not ignored anyone.": "Ви нікого не ігноруєте.",
"You are currently ignoring:": "Ви ігноруєте:",
"You are not subscribed to any lists": "Ви не підписані ні на один список",
"Unsubscribe": "Відписатись",
"View rules": "Переглянути правила",
"You are currently subscribed to:": "Ви підписані на:",
"⚠ These settings are meant for advanced users.": "⚠ Ці налаштування розраховані на досвідчених користувачів.",
@ -542,10 +529,8 @@
"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.": "Якщо вас це не влаштовує, спробуйте інший інструмент для ігнорування користувачів.",
"Room ID or address of ban list": "ID кімнати або адреса списку блокування",
"Subscribe": "Підписатись",
"Start automatically after system login": "Автозапуск при вході в систему",
"Always show the window menu bar": "Завжди показувати рядок меню",
"Preferences": "Параметри",
"Room list": "Перелік кімнат",
"Composer": "Редактор",
"Security & Privacy": "Безпека й приватність",
@ -656,12 +641,10 @@
"All keys backed up": "Усі ключі збережено",
"Enable audible notifications for this session": "Увімкнути звукові сповіщення для цього сеансу",
"Checking server": "Перевірка сервера",
"Disconnect": "Від'єднатися",
"You should:": "Вам варто:",
"Disconnect anyway": "Відключити в будь-якому випадку",
"Do not use an identity server": "Не використовувати сервер ідентифікації",
"Enter a new identity server": "Введіть новий сервер ідентифікації",
"Change": "Змінити",
"Manage integrations": "Керування інтеграціями",
"Size must be a number": "Розмір повинен бути числом",
"No Audio Outputs detected": "Звуковий вивід не виявлено",
@ -670,7 +653,6 @@
"Upgrade this room to the recommended room version": "Поліпшити цю кімнату до рекомендованої версії",
"Upgrade the room": "Поліпшити кімнату",
"Unable to revoke sharing for email address": "Не вдалось відкликати оприлюднювання адреси е-пошти",
"Revoke": "Відкликати",
"Unable to revoke sharing for phone number": "Не вдалось відкликати оприлюднювання телефонного номеру",
"Filter room members": "Відфільтрувати учасників кімнати",
"Voice call": "Голосовий виклик",
@ -757,7 +739,6 @@
"Failed to copy": "Не вдалося скопіювати",
"Your display name": "Ваш псевдонім",
"Cancel replying to a message": "Скасувати відповідання на повідомлення",
"Space": "Простір",
"Clearing all data from this session is permanent. Encrypted messages will be lost unless their keys have been backed up.": "Видалення даних з цього сеансу є безповоротним. Зашифровані повідомлення будуть втрачені якщо їхні ключі не було продубльовано.",
"Verify this user to mark them as trusted. Trusting users gives you extra peace of mind when using end-to-end encrypted messages.": "Звірте цього користувача щоб позначити його довіреним. Довіряння користувачам додає спокою якщо ви користуєтесь наскрізно зашифрованими повідомленнями.",
"Verify this device to mark it as trusted. Trusting this device gives you and other users extra peace of mind when using end-to-end encrypted messages.": "Звірте цей пристрій щоб позначити його довіреним. Довіряння цьому пристрою додає вам та іншим користувачам спокою якщо ви користуєтесь наскрізно зашифрованими повідомленнями.",
@ -776,7 +757,6 @@
"If you can't scan the code above, verify by comparing unique emoji.": "Якщо ви не можете сканувати зазначений код, звірте порівнянням унікальних емодзі.",
"Verify by comparing unique emoji.": "Звірити порівнянням унікальних емодзі.",
"Verify by emoji": "Звірити за допомогою емодзі",
"Emoji": "Емодзі",
"Emoji Autocomplete": "Самодоповнення емодзі",
"%(senderName)s created a ban rule matching %(glob)s for %(reason)s": "%(senderName)s створює правило блокування зі збігом з %(glob)s через %(reason)s",
"%(senderName)s changed a rule that was banning users matching %(oldGlob)s to matching %(newGlob)s for %(reason)s": "%(senderName)s змінює правило блокування користувачів зі збігу з %(oldGlob)s на збіг з %(newGlob)s через %(reason)s",
@ -797,7 +777,6 @@
"Failed to connect to integration manager": "Не вдалось з'єднатись з менеджером інтеграцій",
"Show image": "Показати зображення",
"You have ignored this user, so their message is hidden. <a>Show anyways.</a>": "Ви ігноруєте цього користувача, тож його повідомлення приховано. <a>Все одно показати.</a>",
"Show all": "Показати все",
"Add an Integration": "Додати інтеграцію",
"Show advanced": "Показати розширені",
"Review terms and conditions": "Переглянути умови користування",
@ -1343,7 +1322,6 @@
"Published Addresses": "Загальнодоступні адреси",
"Room Addresses": "Адреси кімнати",
"Error downloading audio": "Помилка завантаження аудіо",
"Download logs": "Завантажити журнали",
"Preparing to download logs": "Приготування до завантаження журналів",
"Download %(text)s": "Завантажити %(text)s",
"Error downloading theme information.": "Помилка завантаження відомостей теми.",
@ -1369,7 +1347,6 @@
"Share your public space": "Поділитися своїм загальнодоступним простором",
"Join the beta": "Долучитися до бета-тестування",
"Some suggestions may be hidden for privacy.": "Деякі пропозиції можуть бути сховані для приватності.",
"Privacy": "Приватність",
"Safeguard against losing access to encrypted messages & data by backing up encryption keys on your server.": "Захистіться від втрати доступу до зашифрованих повідомлень і даних створенням резервної копії ключів шифрування на своєму сервері.",
"Secure Backup": "Безпечне резервне копіювання",
"You may contact me if you have any follow up questions": "Можете зв’язатися зі мною, якщо у вас виникнуть додаткові запитання",
@ -1462,7 +1439,6 @@
"Please review and accept all of the homeserver's policies": "Перегляньте та прийміть усі правила домашнього сервера",
"Confirm your identity by entering your account password below.": "Підтвердьте свою особу, ввівши внизу пароль до свого облікового запису.",
"A text message has been sent to %(msisdn)s": "Текстове повідомлення надіслано на %(msisdn)s",
"Code": "Код",
"Please enter the code it contains:": "Введіть отриманий код:",
"Token incorrect": "Хибний токен",
"Country Dropdown": "Спадний список країн",
@ -1494,7 +1470,6 @@
"Confirm Removal": "Підтвердити вилучення",
"Removing…": "Вилучення…",
"Notes": "Примітки",
"GitHub issue": "Обговорення на GitHub",
"Close dialog": "Закрити діалогове вікно",
"Invite anyway": "Усе одно запросити",
"Invite anyway and never warn me again": "Усе одно запросити й більше не попереджати",
@ -1574,8 +1549,6 @@
"What do you want to organise?": "Що б ви хотіли організувати?",
"Skip for now": "Пропустити зараз",
"Failed to create initial space rooms": "Не вдалося створити початкові кімнати простору",
"Support": "Підтримка",
"Random": "Випадковий",
"Welcome to <name/>": "Вітаємо у <name/>",
"<inviter/> invites you": "<inviter/> запрошує вас",
"Private space": "Приватний простір",
@ -1739,7 +1712,6 @@
"Add reaction": "Додати реакцію",
"%(senderDisplayName)s sent a sticker.": "%(senderDisplayName)s надсилає наліпку.",
"%(senderDisplayName)s changed the room avatar.": "%(senderDisplayName)s змінює аватар кімнати.",
"%(date)s at %(time)s": "%(date)s о %(time)s",
"Manually export keys": "Експорт ключів власноруч",
"Don't leave any rooms": "Не виходити з будь-якої кімнати",
"Updating %(brand)s": "Оновлення %(brand)s",
@ -1850,10 +1822,7 @@
"<a>Add a topic</a> to help people know what it is about.": "<a>Додайте тему</a>, щоб люди розуміли про що вона.",
"Topic: %(topic)s ": "Тема: %(topic)s ",
"Topic: %(topic)s (<a>edit</a>)": "Тема: %(topic)s (<a>змінити</a>)",
"Code block": "Блок коду",
"Strikethrough": "Перекреслений",
"Italics": "Курсив",
"Bold": "Жирний",
"More options": "Інші опції",
"Send a sticker": "Надіслати наліпку",
"Send a reply…": "Надіслати відповідь…",
@ -1866,7 +1835,6 @@
"one": "%(count)s відповідь",
"other": "%(count)s відповідей"
},
"Mod": "Модератор",
"Edit message": "Редагувати повідомлення",
"Unrecognised command: %(commandText)s": "Нерозпізнана команда: %(commandText)s",
"Unknown Command": "Невідома команда",
@ -1878,7 +1846,6 @@
"Invalid Email Address": "Хибна адреса е-пошти",
"Remove %(email)s?": "Вилучити %(email)s?",
"Verification code": "Код перевірки",
"Complete": "Завершити",
"Verify the link in your inbox": "Перевірте посилання у теці «Вхідні»",
"Unable to verify email address.": "Не вдалося перевірити адресу е-пошти.",
"Access": "Доступ",
@ -1977,7 +1944,6 @@
"Cryptography": "Криптографія",
"Ignored users": "Нехтувані користувачі",
"You have no ignored users.": "Ви не маєте нехтуваних користувачів.",
"Rename": "Перейменувати",
"The server is offline.": "Сервер вимкнено.",
"%(spaceName)s and %(count)s others": {
"one": "%(spaceName)s і %(count)s інших",
@ -2031,7 +1997,6 @@
"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": "Переходити вниз стрічки під час надсилання повідомлення",
"Timeline": "Стрічка",
"Images, GIFs and videos": "Зображення, GIF та відео",
"Displaying time": "Формат часу",
"Code blocks": "Блоки коду",
@ -2040,7 +2005,6 @@
"Use Ctrl + F to search timeline": "Ctrl + F для пошуку в стрічці",
"Olm version:": "Версія Olm:",
"Your access token gives full access to your account. Do not share it with anyone.": "Токен доступу надає повний доступ до вашого облікового запису. Не передавайте його нікому.",
"Access Token": "Токен доступу",
"Messaging": "Спілкування",
"Store your Security Key somewhere safe, like a password manager or a safe, as it's used to safeguard your encrypted data.": "Зберігайте ключ безпеки в надійному місці, скажімо в менеджері паролів чи сейфі, бо ключ оберігає ваші зашифровані дані.",
"You do not have permission to start polls in this room.": "Ви не маєте дозволу створювати опитування в цій кімнаті.",
@ -2176,7 +2140,6 @@
"Waiting for %(displayName)s to verify…": "Очікування звірки %(displayName)s…",
"Message didn't send. Click for info.": "Повідомлення не надіслане. Натисніть, щоб дізнатись більше.",
"Invite to just this room": "Запросити лише до цієї кімнати",
"%(seconds)ss left": "Ще %(seconds)s с",
"Insert link": "Додати посилання",
"Only the two of you are in this conversation, unless either of you invites anyone to join.": "У цій розмові вас лише двоє, поки хтось із вас не запросить іще когось приєднатися.",
"Set my room layout for everyone": "Встановити мій вигляд кімнати всім",
@ -2294,8 +2257,6 @@
"Use email to optionally be discoverable by existing contacts.": "Можете ввести е-пошту, щоб наявні контакти знаходили вас за нею.",
"Use email or phone to optionally be discoverable by existing contacts.": "Можете ввести е-пошту чи телефон, щоб наявні контакти знаходили вас за ними.",
"Add an email to be able to reset your password.": "Додайте е-пошту, щоб могти скинути пароль.",
"Play": "Відтворити",
"Pause": "Призупинити",
"You must join the room to see its files": "Приєднайтесь до кімнати, щоб бачити її файли",
"You must <a>register</a> to use this functionality": "<a>Зареєструйтеся</a>, щоб скористатись цим функціоналом",
"Attach files from chat or just drag and drop them anywhere in a room.": "Перешліть файли з бесіди чи просто потягніть їх до кімнати.",
@ -2549,7 +2510,6 @@
"other": "%(severalUsers)sнічого не змінюють %(count)s разів"
},
"Unable to load commit detail: %(msg)s": "Не вдалося звантажити дані про коміт: %(msg)s",
"If there is additional context that would help in analysing the issue, such as what you were doing at the time, room IDs, user IDs, etc., please include those things here.": "Наведіть додатковий контекст, який може допомогти нам аналізувати проблему, наприклад що ви намагалися зробити, ID кімнат і користувачів тощо.",
"Clear": "Очистити",
"Server did not return valid authentication information.": "Сервер надав хибні дані розпізнання.",
"Server did not require any authentication": "Сервер не попросив увійти",
@ -2624,7 +2584,6 @@
"Remember this": "Запам'ятати це",
"Remember my selection for this widget": "Запам'ятати мій вибір для цього віджета",
"Decline All": "Відхилити все",
"Approve": "Дозволити",
"This widget would like to:": "Віджет бажає:",
"Approve widget permissions": "Підтвердьте дозволи віджета",
"Looks good!": "Виглядає файно!",
@ -2674,7 +2633,6 @@
"Message preview": "Попередній перегляд повідомлення",
"We couldn't create your DM.": "Не вдалося створити особисте повідомлення.",
"Unable to query secret storage status": "Не вдалося дізнатися стан таємного сховища",
"Restore": "Відновити",
"You can also set up Secure Backup & manage your keys in Settings.": "Ввімкнути захищене резервне копіювання й керувати своїми ключами можна в налаштуваннях.",
"If you cancel now, you may lose encrypted messages & data if you lose access to your logins.": "Якщо скасуєте це й загубите пристрій, то втратите зашифровані повідомлення й дані.",
"Verifying this user will mark their session as trusted, and also mark your session as trusted to them.": "Звірка цього користувача позначить його сеанс довіреним вам, а ваш йому.",
@ -2978,7 +2936,6 @@
"Unable to load map": "Неможливо завантажити карту",
"Can't create a thread from an event with an existing relation": "Неможливо створити гілку з події з наявним відношенням",
"Busy": "Зайнятий",
"If you've submitted a bug via GitHub, debug logs can help us track down the problem. ": "Якщо ви надіслали звіт про ваду на GitHub, журнали зневадження можуть допомогти нам визначити проблему. ",
"Toggle Link": "Перемкнути посилання",
"Toggle Code Block": "Перемкнути блок коду",
"You are sharing your live location": "Ви ділитеся місцеперебуванням",
@ -2993,14 +2950,9 @@
"one": "Триває видалення повідомлень в %(count)s кімнаті",
"other": "Триває видалення повідомлень у %(count)s кімнатах"
},
"%(value)ss": "%(value)sс",
"%(value)sm": "%(value)sхв",
"%(value)sh": "%(value)sгод",
"%(value)sd": "%(value)sд",
"Share for %(duration)s": "Поділитися на %(duration)s",
"%(timeRemaining)s left": "Іще %(timeRemaining)s",
"Previous recently visited room or space": "Попередня недавно відвідана кімната або простір",
"Debug logs contain application usage data including your username, the IDs or aliases of the rooms you have visited, which UI elements you last interacted with, and the usernames of other users. They do not contain messages.": "Журнали зневадження містять дані використання застосунків, включно з вашим іменем користувача, ID або псевдонімами відвіданих вами кімнат, дані про взаємодію з елементами, та імена користувачів інших користувачів. Вони не містять повідомлень.",
"Next recently visited room or space": "Наступна недавно відвідана кімната або простір",
"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.": "Допомагайте нам визначати проблеми й удосконалювати %(analyticsOwner)s, надсилаючи анонімні дані про використання. Щоб розуміти, як люди використовують кілька пристроїв, ми створимо спільний для ваших пристроїв випадковий ідентифікатор.",
"You can use the custom server options to sign into other Matrix servers by specifying a different homeserver URL. This allows you to use %(brand)s with an existing Matrix account on a different homeserver.": "Використайте нетипові параметри сервера, щоб увійти в інший домашній сервер Matrix, вказавши його URL-адресу. Це дасть вам змогу використовувати %(brand)s з уже наявним у вас на іншому домашньому сервері обліковим записом Matrix.",
@ -3275,7 +3227,6 @@
"We're creating a room with %(names)s": "Ми створюємо кімнату з %(names)s",
"Your server doesn't support disabling sending read receipts.": "Ваш сервер не підтримує вимкнення надсилання сповіщень про прочитання.",
"Share your activity and status with others.": "Діліться своєю активністю та станом з іншими.",
"Presence": "Присутність",
"Send read receipts": "Надсилати підтвердження прочитання",
"Last activity": "Остання активність",
"Sessions": "Сеанси",
@ -3295,7 +3246,6 @@
"Welcome": "Вітаємо",
"Show shortcut to welcome checklist above the room list": "Показати ярлик контрольного списку привітання над списком кімнат",
"Inactive sessions": "Неактивні сеанси",
"View all": "Переглянути всі",
"Verify your sessions for enhanced secure messaging or sign out from those you don't recognize or use anymore.": "Звірте свої сеанси для покращеного безпечного обміну повідомленнями або вийдіть із тих, які ви не розпізнаєте або не використовуєте.",
"Unverified sessions": "Не звірені сеанси",
"Security recommendations": "Поради щодо безпеки",
@ -3326,7 +3276,6 @@
"other": "%(user)s і ще %(count)s"
},
"%(user1)s and %(user2)s": "%(user1)s і %(user2)s",
"Show": "Показати",
"%(downloadButton)s or %(copyButton)s": "%(downloadButton)s або %(copyButton)s",
"%(securityKey)s or %(recoveryFile)s": "%(securityKey)s або %(recoveryFile)s",
"%(qrCode)s or %(appLinks)s": "%(qrCode)s або %(appLinks)s",
@ -3386,8 +3335,6 @@
"Join %(brand)s calls": "Приєднатися до %(brand)s викликів",
"Start %(brand)s calls": "Розпочати %(brand)s викликів",
"Sorry — this call is currently full": "Перепрошуємо, цей виклик заповнено",
"Underline": "Підкреслений",
"Italic": "Курсив",
"resume voice broadcast": "поновити голосову трансляцію",
"pause voice broadcast": "призупинити голосову трансляцію",
"Notifications silenced": "Сповіщення стишено",
@ -3449,8 +3396,6 @@
"Go live": "Слухати",
"Error downloading image": "Помилка завантаження зображення",
"Unable to show image due to error": "Не вдалося показати зображення через помилку",
"%(minutes)sm %(seconds)ss left": "Залишилося %(minutes)sхв %(seconds)sс",
"%(hours)sh %(minutes)sm %(seconds)ss left": "Залишилося %(hours)sгод %(minutes)sхв %(seconds)sс",
"That e-mail address or phone number is already in use.": "Ця адреса електронної пошти або номер телефону вже використовується.",
"This means that you have all the keys needed to unlock your encrypted messages and confirm to other users that you trust this session.": "Це означає, що у вас є всі ключі, необхідні для розблокування ваших зашифрованих повідомлень і підтвердження іншим користувачам, що ви довіряєте цьому сеансу.",
"Verified sessions are anywhere you are using this account after entering your passphrase or confirming your identity with another verified session.": "Звірені сеанси — це будь-який пристрій, на якому ви використовуєте цей обліковий запис після введення парольної фрази або підтвердження вашої особи за допомогою іншого перевіреного сеансу.",
@ -3473,9 +3418,6 @@
"Too many attempts in a short time. Wait some time before trying again.": "Забагато спроб за короткий час. Зачекайте трохи, перш ніж повторити спробу.",
"Thread root ID: %(threadRootId)s": "ID кореневої гілки: %(threadRootId)s",
"Change input device": "Змінити пристрій вводу",
"%(minutes)sm %(seconds)ss": "%(minutes)sхв %(seconds)sс",
"%(hours)sh %(minutes)sm %(seconds)ss": "%(hours)sгод %(minutes)sхв %(seconds)sс",
"%(days)sd %(hours)sh %(minutes)sm %(seconds)ss": "%(days)sд %(hours)sгод %(minutes)sхв %(seconds)sс",
"We were unable to start a chat with the other user.": "Ми не змогли розпочати бесіду з іншим користувачем.",
"Error starting verification": "Помилка запуску перевірки",
"Buffering…": "Буферизація…",
@ -3518,7 +3460,6 @@
"Mark as read": "Позначити прочитаним",
"Text": "Текст",
"Create a link": "Створити посилання",
"Link": "Посилання",
"Force 15s voice broadcast chunk length": "Примусово обмежити тривалість голосових трансляцій до 15 с",
"Sign out of %(count)s sessions": {
"one": "Вийти з %(count)s сеансу",
@ -3533,8 +3474,6 @@
"You can't start a voice message as you are currently recording a live broadcast. Please end your live broadcast in order to start recording a voice message.": "Ви не можете розпочати запис голосового повідомлення, оскільки зараз відбувається запис трансляції наживо. Завершіть трансляцію, щоб розпочати запис голосового повідомлення.",
"Can't start voice message": "Не можливо запустити запис голосового повідомлення",
"Edit link": "Змінити посилання",
"Numbered list": "Нумерований список",
"Bulleted list": "Маркований список",
"Decrypted source unavailable": "Розшифроване джерело недоступне",
"Connection error - Recording paused": "Помилка з'єднання - Запис призупинено",
"%(senderName)s started a voice broadcast": "%(senderName)s розпочинає голосову трансляцію",
@ -3546,8 +3485,6 @@
"Your account details are managed separately at <code>%(hostname)s</code>.": "Ваші дані облікового запису керуються окремо за адресою <code>%(hostname)s</code>.",
"All messages and invites from this user will be hidden. Are you sure you want to ignore them?": "Усі повідомлення та запрошення від цього користувача будуть приховані. Ви впевнені, що хочете їх нехтувати?",
"Ignore %(user)s": "Нехтувати %(user)s",
"Indent decrease": "Зменшення відступу",
"Indent increase": "Збільшення відступу",
"Unable to decrypt voice broadcast": "Невдалося розшифрувати голосову трансляцію",
"Thread Id: ": "Id стрічки: ",
"Threads timeline": "Стрічка гілок",
@ -3727,7 +3664,6 @@
"Show profile picture changes": "Показувати зміни зображення профілю",
"Ask to join": "Запит на приєднання",
"Mentions and Keywords only": "Лише згадки та ключові слова",
"Proceed": "Продовжити",
"This setting will be applied by default to all your rooms.": "Цей параметр буде застосовано усталеним до всіх ваших кімнат.",
"Play a sound for": "Відтворювати звук про",
"Mentions and Keywords": "Згадки та ключові слова",
@ -3845,7 +3781,22 @@
"dark": "Темна",
"beta": "Бета",
"attachment": "Прикріплення",
"appearance": "Вигляд"
"appearance": "Вигляд",
"guest": "Гість",
"legal": "Правові положення",
"credits": "Подяки",
"faq": "ЧаПи",
"access_token": "Токен доступу",
"preferences": "Параметри",
"presence": "Присутність",
"timeline": "Стрічка",
"privacy": "Приватність",
"camera": "Камера",
"microphone": "Мікрофон",
"emoji": "Емодзі",
"random": "Випадковий",
"support": "Підтримка",
"space": "Простір"
},
"action": {
"continue": "Продовжити",
@ -3917,7 +3868,24 @@
"back": "Назад",
"apply": "Застосувати",
"add": "Додати",
"accept": "Погодитись"
"accept": "Погодитись",
"disconnect": "Від'єднатися",
"change": "Змінити",
"subscribe": "Підписатись",
"unsubscribe": "Відписатись",
"approve": "Дозволити",
"proceed": "Продовжити",
"complete": "Завершити",
"revoke": "Відкликати",
"rename": "Перейменувати",
"view_all": "Переглянути всі",
"show_all": "Показати все",
"show": "Показати",
"review": "Переглянути",
"restore": "Відновити",
"play": "Відтворити",
"pause": "Призупинити",
"register": "Зареєструватися"
},
"a11y": {
"user_menu": "Користувацьке меню"
@ -3983,5 +3951,54 @@
"default_cover_photo": "<photo>Типова світлина обкладинки</photo> від © <author>Jesús Roncero</author> використовується на умовах <terms>CC-BY-SA 4.0</terms>.",
"twemoji_colr": "Шрифт <colr>wemoji-colr</colr> від © <author>Mozilla Foundation</author> використовується на умовах <terms>Apache 2.0</terms>.",
"twemoji": "Стиль емоджі <twemoji>Twemoji</twemoji> від © <author>Twitter, Inc та інших учасників</author> використовується на умовах <terms>CC-BY 4.0</terms>."
},
"composer": {
"format_bold": "Жирний",
"format_italic": "Курсив",
"format_underline": "Підкреслений",
"format_strikethrough": "Перекреслений",
"format_unordered_list": "Маркований список",
"format_ordered_list": "Нумерований список",
"format_increase_indent": "Збільшення відступу",
"format_decrease_indent": "Зменшення відступу",
"format_inline_code": "Код",
"format_code_block": "Блок коду",
"format_link": "Посилання"
},
"Bold": "Жирний",
"Link": "Посилання",
"Code": "Код",
"power_level": {
"default": "Типовий",
"restricted": "Обмежено",
"moderator": "Модератор",
"admin": "Адміністратор",
"custom": "Власний (%(level)s)",
"mod": "Модератор"
},
"bug_reporting": {
"introduction": "Якщо ви надіслали звіт про ваду на GitHub, журнали зневадження можуть допомогти нам визначити проблему. ",
"description": "Журнали зневадження містять дані використання застосунків, включно з вашим іменем користувача, ID або псевдонімами відвіданих вами кімнат, дані про взаємодію з елементами, та імена користувачів інших користувачів. Вони не містять повідомлень.",
"matrix_security_issue": "Щоб повідомити про проблеми безпеки Matrix, будь ласка, прочитайте <a>Політику розкриття інформації</a> Matrix.org.",
"submit_debug_logs": "Надіслати журнал зневадження",
"title": "Звітування про вади",
"additional_context": "Наведіть додатковий контекст, який може допомогти нам аналізувати проблему, наприклад що ви намагалися зробити, ID кімнат і користувачів тощо.",
"send_logs": "Надіслати журнали",
"github_issue": "Обговорення на GitHub",
"download_logs": "Завантажити журнали",
"before_submitting": "Перш ніж надіслати журнали, <a>створіть обговорення на GitHub</a> із описом проблеми."
},
"time": {
"hours_minutes_seconds_left": "Залишилося %(hours)sгод %(minutes)sхв %(seconds)sс",
"minutes_seconds_left": "Залишилося %(minutes)sхв %(seconds)sс",
"seconds_left": "Ще %(seconds)s с",
"date_at_time": "%(date)s о %(time)s",
"short_days": "%(value)sд",
"short_hours": "%(value)sгод",
"short_minutes": "%(value)sхв",
"short_seconds": "%(value)sс",
"short_days_hours_minutes_seconds": "%(days)sд %(hours)sгод %(minutes)sхв %(seconds)sс",
"short_hours_minutes_seconds": "%(hours)sгод %(minutes)sхв %(seconds)sс",
"short_minutes_seconds": "%(minutes)sхв %(seconds)sс"
}
}
}

View file

@ -44,7 +44,6 @@
"%(brand)s was not given permission to send notifications - please try again": "%(brand)s vẫn chưa được cấp quyền để gửi thông báo - vui lòng thử lại",
"Unable to enable Notifications": "Không thể bật thông báo",
"This email address was not found": "Địa chỉ thư điện tử này không tồn tại trong hệ thống",
"Register": "Đăng ký",
"Default": "Mặc định",
"Restricted": "Bị hạn chế",
"Moderator": "Điều phối viên",
@ -195,7 +194,6 @@
"Enable widget screenshots on supported widgets": "Bật widget chụp màn hình cho các widget có hỗ trợ",
"Explore rooms": "Khám phá các phòng",
"Create Account": "Tạo tài khoản",
"Bug reporting": "Báo cáo lỗi",
"Vietnam": "Việt Nam",
"Voice call": "Gọi thoại",
"%(senderName)s started a call": "%(senderName)s đã bắt đầu một cuộc gọi",
@ -212,8 +210,6 @@
"Secure messages with this user are end-to-end encrypted and not able to be read by third parties.": "Tin nhắn an toàn với người dùng này được mã hóa đầu cuối và không thể được các bên thứ ba đọc.",
"You've successfully verified this user.": "Bạn đã xác thực thành công người dùng này.",
"Verified!": "Đã xác thực!",
"Play": "Chạy",
"Pause": "Tạm dừng",
"Are you sure?": "Bạn có chắc không?",
"Confirm Removal": "Xác nhận Loại bỏ",
"Removing…": "Đang xóa…",
@ -293,7 +289,6 @@
"Unable to query secret storage status": "Không thể truy vấn trạng thái lưu trữ bí mật",
"Upgrade this session to allow it to verify other sessions, granting them access to encrypted messages and marking them as trusted for other users.": "Nâng cấp phiên này để cho phép nó xác thực các phiên khác, cấp cho họ quyền truy cập vào các thư được mã hóa và đánh dấu chúng là đáng tin cậy đối với những người dùng khác.",
"You'll need to authenticate with the server to confirm the upgrade.": "Bạn sẽ cần xác thực với máy chủ để xác nhận nâng cấp.",
"Restore": "Khôi phục",
"Restore your key backup to upgrade your encryption": "Khôi phục bản sao lưu khóa của bạn để nâng cấp mã hóa của bạn",
"Enter your account password to confirm the upgrade:": "Nhập mật khẩu tài khoản của bạn để xác nhận nâng cấp:",
"Safeguard against losing access to encrypted messages & data by backing up encryption keys on your server.": "Bảo vệ chống mất quyền truy cập vào các tin nhắn và dữ liệu được mã hóa bằng cách sao lưu các khóa mã hóa trên máy chủ của bạn.",
@ -319,7 +314,6 @@
"Room Notification": "Thông báo phòng",
"Notify the whole room": "Thông báo cho cả phòng",
"Emoji Autocomplete": "Tự động hoàn thành biểu tượng cảm xúc",
"Emoji": "Biểu tượng cảm xúc",
"Command Autocomplete": "Tự động hoàn thành lệnh",
"Commands": "Lệnh",
"Clear personal data": "Xóa dữ liệu cá nhân",
@ -453,7 +447,6 @@
"Start authentication": "Bắt đầu xác thực",
"Something went wrong in confirming your identity. Cancel and try again.": "Đã xảy ra sự cố khi xác nhận danh tính của bạn. Hủy và thử lại.",
"Submit": "Xác nhận",
"Code": "Mã",
"Please enter the code it contains:": "Vui lòng nhập mã mà nó chứa:",
"A text message has been sent to %(msisdn)s": "Một tin nhắn văn bản đã được gửi tới %(msisdn)s",
"Token incorrect": "Mã thông báo không chính xác",
@ -702,13 +695,10 @@
"What do you want to organise?": "Bạn muốn tổ chức những gì?",
"Skip for now": "Bỏ qua ngay bây giờ",
"Failed to create initial space rooms": "Không tạo được các phòng space ban đầu",
"Support": "Hỗ trợ",
"Random": "Ngẫu nhiên",
"Welcome to <name/>": "Chào mừng đến với <name />",
"<inviter/> invites you": "<inviter /> mời bạn",
"Private space": "Space riêng tư",
"Search names and descriptions": "Tìm kiếm tên và mô tả",
"Space": "space",
"You may want to try a different search or check for typos.": "Bạn có thể muốn thử một tìm kiếm khác hoặc kiểm tra lỗi chính tả.",
"No results found": "không tim được kêt quả",
"Your server does not support showing space hierarchies.": "Máy chủ của bạn không hỗ trợ hiển thị phân cấp space.",
@ -803,11 +793,7 @@
"Changelog": "Lịch sử thay đổi",
"Unavailable": "Không có sẵn",
"Unable to load commit detail: %(msg)s": "Không thể tải chi tiết cam kết: %(msg)s",
"Send logs": "Gửi nhật ký",
"If there is additional context that would help in analysing the issue, such as what you were doing at the time, room IDs, user IDs, etc., please include those things here.": "Nếu có ngữ cảnh bổ sung có thể giúp phân tích vấn đề, chẳng hạn như bạn đang làm gì vào thời điểm đó, ID phòng, ID người dùng, v.v., hãy đưa những điều đó vào đây.",
"Notes": "Ghi chú",
"GitHub issue": "Sự cố GitHub",
"Download logs": "Tải xuống nhật ký",
"Before submitting logs, you must <a>create a GitHub issue</a> to describe your problem.": "Trước khi gửi log, bạn phải <a>tạo một sự cố trên Github</a> để mô tả vấn đề của mình.",
"Reminder: Your browser is unsupported, so your experience may be unpredictable.": "Nhắc nhở: Trình duyệt của bạn không được hỗ trợ, vì vậy trải nghiệm của bạn có thể không thể đoán trước được.",
"Preparing to download logs": "Chuẩn bị tải nhật ký xuống",
@ -914,7 +900,6 @@
"Allow this widget to verify your identity": "Cho phép tiện ích widget này xác thực danh tính của bạn",
"Remember my selection for this widget": "Hãy nhớ lựa chọn của tôi cho tiện ích này",
"Decline All": "Từ chối tất cả",
"Approve": "Chấp thuận",
"This widget would like to:": "Tiện ích widget này muốn:",
"Approve widget permissions": "Phê duyệt quyền của tiện ích widget",
"Verification Request": "Yêu cầu xác thực",
@ -1089,7 +1074,6 @@
"Message deleted on %(date)s": "Tin nhắn đã bị xóa vào %(date)s",
"<reactors/><reactedWith>reacted with %(shortName)s</reactedWith>": "<reactors/><reactedWith>đã phản hồi với %(shortName)s</reactedWith>",
"%(reactors)s reacted with %(content)s": "%(reactors)s đã phản hồi với %(content)s",
"Show all": "Hiển thị tất cả",
"Add reaction": "Thêm phản ứng",
"Error processing voice message": "Lỗi khi xử lý tin nhắn thoại",
"Error decrypting video": "Lỗi khi giải mã video",
@ -1365,11 +1349,7 @@
"other": "%(severalUsers)s đã tham gia %(count)s lần"
},
"Insert link": "Chèn liên kết",
"Code block": "Khối mã",
"Strikethrough": "Gạch ngang",
"Italics": "In nghiêng",
"Bold": "In đậm",
"%(seconds)ss left": "Còn %(seconds)s giây",
"You do not have permission to post to this room": "Bạn không có quyền đăng lên phòng này",
"This room has been replaced and is no longer active.": "Phòng này đã được thay thế và không còn hoạt động nữa.",
"The conversation continues here.": "Cuộc trò chuyện tiếp tục tại đây.",
@ -1414,9 +1394,7 @@
"This room is not accessible by remote Matrix servers": "Phòng này không thể truy cập từ xa bằng máy chủ Matrix",
"Voice & Video": "Âm thanh & Hình ảnh",
"No Webcams detected": "Không có Webcam nào được phát hiện",
"Camera": "Máy ảnh",
"No Microphones detected": "Không phát hiện thấy micrô",
"Microphone": "Micrô",
"No Audio Outputs detected": "Không phát hiện thấy đầu ra âm thanh",
"Audio Output": "Đầu ra âm thanh",
"Request media permissions": "Yêu cầu quyền phương tiện",
@ -1424,7 +1402,6 @@
"You may need to manually permit %(brand)s to access your microphone/webcam": "Bạn có thể cần phải cho phép %(brand)s truy cập vào micrô/webcam của mình theo cách thủ công",
"No media permissions": "Không có quyền sử dụng công cụ truyền thông",
"Default Device": "Thiết bị mặc định",
"Privacy": "Quyền riêng tư",
"Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "Người quản trị máy chủ của bạn đã vô hiệu hóa mã hóa đầu cuối theo mặc định trong phòng riêng và Tin nhắn trực tiếp.",
"Cross-signing": "Xác thực chéo",
"Message search": "Tìm kiếm tin nhắn",
@ -1437,18 +1414,15 @@
"Read Marker off-screen lifetime (ms)": "Đọc thời gian tồn tại ngoài màn hình của Marker (mili giây)",
"Read Marker lifetime (ms)": "Đọc thời gian Marker (mili giây)",
"Autocomplete delay (ms)": "Độ trễ tự động hoàn thành (mili giây)",
"Timeline": "Dòng thời gian",
"Images, GIFs and videos": "Hình ảnh, GIF và video",
"Code blocks": "Khối mã",
"Composer": "Soạn thảo",
"Displaying time": "Thời gian hiển thị",
"Keyboard shortcuts": "Các phím tắt bàn phím",
"Room list": "Danh sách phòng",
"Preferences": "Tùy chọn",
"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",
"Subscribe": "Đặt mua",
"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.",
"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 đó!",
@ -1462,7 +1436,6 @@
"Ignored users": "Người dùng bị bỏ qua",
"You are currently subscribed to:": "Bạn hiện đã đăng ký:",
"View rules": "Xem các quy tắc",
"Unsubscribe": "Hủy đăng ký",
"You are not subscribed to any lists": "Bạn chưa đăng ký bất kỳ danh sách nào",
"You are currently ignoring:": "Bạn hiện đang bỏ qua:",
"You have not ignored anyone.": "Bạn đã không bỏ qua bất cứ ai.",
@ -1480,17 +1453,12 @@
"Ignored/Blocked": "Bị bỏ qua / bị chặn",
"Clear cache and reload": "Xóa bộ nhớ cache và tải lại",
"Your access token gives full access to your account. Do not share it with anyone.": "Mã thông báo truy cập của bạn cấp quyền truy cập đầy đủ vào tài khoản của bạn. Không chia sẻ nó với bất kỳ ai.",
"Access Token": "Token truy cập",
"Versions": "Phiên bản",
"FAQ": "Câu hỏi thường gặp",
"Help & About": "Trợ giúp & Giới thiệu",
"To report a Matrix-related security issue, please read the Matrix.org <a>Security Disclosure Policy</a>.": "Để báo cáo sự cố bảo mật liên quan đến Matrix, vui lòng đọc Chính sách tiết lộ bảo mật của Matrix.org <a>Security Disclosure Policy</a>.",
"Submit debug logs": "Gửi nhật ký gỡ lỗi",
"Chat with %(brand)s Bot": "Trò chuyện với Bot %(brand)s",
"For help with using %(brand)s, click <a>here</a> or start a chat with our bot using the button below.": "Để được trợ giúp về cách sử dụng %(brand)s, hãy nhấp vào đây <a>here</a> hoặc bắt đầu trò chuyện với bot của chúng tôi bằng nút bên dưới.",
"For help with using %(brand)s, click <a>here</a>.": "Để được trợ giúp về cách sử dụng %(brand)s, hãy nhấp vào đây <a>here</a>.",
"Credits": "Ghi công",
"Legal": "Pháp lý",
"Olm version:": "Phiên bản Olm:",
"%(brand)s version:": "Phiên bản %(brand)s:",
"Discovery": "Khám phá",
@ -1519,7 +1487,6 @@
"Manage integrations": "Quản lý các tích hợp",
"Use an integration manager to manage bots, widgets, and sticker packs.": "Sử dụng trình quản lý tích hợp để quản lý bot, tiện ích và gói sticker cảm xúc.",
"Use an integration manager <b>(%(serverName)s)</b> to manage bots, widgets, and sticker packs.": "Sử dụng trình quản lý tích hợp <b>(%(serverName)s)</b> để quản lý bot, tiện ích và gói sticker cảm xúc.",
"Change": "Thay đổi",
"Enter a new identity server": "Nhập một máy chủ nhận dạng mới",
"Do not use an identity server": "Không sử dụng máy chủ nhận dạng",
"Using an identity server is optional. If you choose not to use an identity server, you won't be discoverable by other users and you won't be able to invite others by email or phone.": "Sử dụng máy chủ định danh là tùy chọn. Nếu bạn chọn không sử dụng máy chủ định danh, bạn sẽ không thể bị phát hiện bởi những người dùng khác và bạn sẽ không thể mời người khác qua thư điện tử hoặc số điện thoại.",
@ -1537,7 +1504,6 @@
"check your browser plugins for anything that might block the identity server (such as Privacy Badger)": "kiểm tra các plugin trình duyệt của bạn để tìm bất kỳ thứ gì có thể chặn máy chủ nhận dạng (chẳng hạn như Privacy Badger)",
"You should:": "Bạn nên:",
"You should <b>remove your personal data</b> from identity server <idserver /> before disconnecting. Unfortunately, identity server <idserver /> is currently offline or cannot be reached.": "Bạn nên xóa dữ liệu cá nhân của mình <b>remove your personal data</b> khỏi máy chủ nhận dạng <idserver /> trước khi ngắt kết nối. Rất tiếc, máy chủ nhận dạng <idserver /> hiện đang ngoại tuyến hoặc không thể kết nối được.",
"Disconnect": "Ngắt kết nối",
"Disconnect from the identity server <idserver />?": "Ngắt kết nối với máy chủ định danh <idserver />?",
"They'll still be able to access whatever you're not an admin of.": "Họ sẽ vẫn có thể truy cập vào bất cứ gì mà bạn không phải là quản trị viên.",
"Disinvite from %(roomName)s": "Hủy mời từ %(roomName)s",
@ -1805,7 +1771,6 @@
"one": "%(count)s trả lời",
"other": "%(count)s trả lời"
},
"Mod": "Người quản trị",
"Edit message": "Chỉnh sửa tin nhắn",
"Send as message": "Gửi dưới dạng tin nhắn",
"Hint: Begin your message with <code>//</code> to start it with a slash.": "Gợi ý: Bắt đầu thư của bạn bằng <code>//</code> để bắt đầu thư bằng dấu gạch chéo.",
@ -1838,8 +1803,6 @@
"Unable to share phone number": "Không thể chia sẻ số điện thoại",
"Unable to revoke sharing for phone number": "Không thể thu hồi chia sẻ cho số điện thoại",
"Discovery options will appear once you have added an email above.": "Tùy chọn khám phá sẽ xuất hiện khi nào bạn đã thêm địa chỉ thư điện tử.",
"Revoke": "Rút lại",
"Complete": "Hoàn thành",
"Verify the link in your inbox": "Xác minh liên kết trong hộp thư đến của bạn",
"Unable to verify email address.": "Không thể xác minh địa chỉ thư điện tử.",
"Click the link in the email you received to verify and then click continue again.": "Nhấp vào liên kết trong thư điện tử bạn nhận được để xác minh và sau đó nhấp lại tiếp tục.",
@ -1939,7 +1902,6 @@
"Notifications": "Thông báo",
"Don't miss a reply": "Đừng bỏ lỡ một câu trả lời",
"Later": "Để sau",
"Review": "Xem xét",
"Review to ensure your account is safe": "Xem lại để đảm bảo tài khoản của bạn an toàn",
"File Attached": "Tệp được đính kèm",
"Error fetching file": "Lỗi lấy tệp",
@ -2253,7 +2215,6 @@
"Cancel entering passphrase?": "Hủy nhập cụm mật khẩu?",
"Some invites couldn't be sent": "Không thể gửi một số lời mời",
"We sent the others, but the below people couldn't be invited to <RoomName/>": "Chúng tôi đã mời những người khác, nhưng những người dưới đây không thể được mời tham gia <RoomName/>",
"Custom (%(level)s)": "Tùy chỉnh (%(level)s)",
"Use your account or create a new one to continue.": "Sử dụng tài khoản của bạn hoặc tạo một tài khoản mới để tiếp tục.",
"Sign In or Create Account": "Đăng nhập hoặc Tạo tài khoản",
"Zimbabwe": "Zimbabwe",
@ -2437,7 +2398,6 @@
"* %(senderName)s %(emote)s": "* %(senderName)s %(emote)s",
"%(senderName)s is calling": "%(senderName)s đang gọi",
"Waiting for answer": "Chờ câu trả lời",
"Guest": "Khách",
"New version of %(brand)s is available": "Đã có phiên bản mới của %(brand)s",
"Update %(brand)s": "Cập nhật %(brand)s",
"Guinea": "Guinea",
@ -2542,7 +2502,6 @@
"Only continue if you trust the owner of the server.": "Chỉ tiếp tục nếu bạn tin tưởng chủ sở hữu máy chủ.",
"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.": "Hành động này yêu cầu truy cập máy chủ định danh mặc định <server /> để xác thực địa chỉ thư điện tử hoặc số điện thoại, nhưng máy chủ không có bất kỳ điều khoản dịch vụ nào.",
"Identity server has no terms of service": "Máy chủ định danh này không có điều khoản dịch vụ",
"%(date)s at %(time)s": "%(date)s lúc %(time)s",
"Failed to transfer call": "Có lỗi khi chuyển hướng cuộc gọi",
"Transfer Failed": "Không chuyển hướng cuộc gọi được",
"Unable to transfer call": "Không thể chuyển cuộc gọi",
@ -2690,7 +2649,6 @@
"This room is in some spaces you're not an admin of. In those spaces, the old room will still be shown, but people will be prompted to join the new one.": "Phòng này đang trong một số space mà bạn không phải là quản trị viên. Trong các space đó, phòng cũ vẫn sẽ được hiển thị, nhưng mọi người sẽ được thông báo để tham gia phòng mới.",
"Large": "Lớn",
"Image size in the timeline": "Kích thước hình ảnh trong timeline",
"Rename": "Đặt lại tên",
"Select all": "Chọn tất cả",
"Deselect all": "Bỏ chọn tất cả",
"Sign out devices": {
@ -2815,10 +2773,6 @@
"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",
"%(value)ss": "%(value)ss",
"%(value)sm": "%(value)sm",
"%(value)sh": "%(value)sh",
"%(value)sd": "%(value)sd",
"Explore public spaces in the new search dialog": "Khám phá các space công cộng trong hộp thoại tìm kiếm mới",
"You were disconnected from the call. (Error: %(message)s)": "Bạn bị mất kết nối đến cuộc gọi. (Lỗi: %(message)s)",
"Connection lost": "Mất kết nối",
@ -2902,11 +2856,6 @@
},
"%(user1)s and %(user2)s": "%(user1)s và %(user2)s",
"Database unexpectedly closed": "Cơ sở dữ liệu đột nhiên bị đóng",
"%(minutes)sm %(seconds)ss left": "Còn lại %(minutes)s phút %(seconds)s giây",
"%(hours)sh %(minutes)sm %(seconds)ss left": "Còn lại %(hours)s giờ %(minutes)s phút %(seconds)s giây",
"%(minutes)sm %(seconds)ss": "%(minutes)s phút %(seconds)s giây",
"%(hours)sh %(minutes)sm %(seconds)ss": "%(hours)s giờ %(minutes)s phút %(seconds)s giây",
"%(days)sd %(hours)sh %(minutes)sm %(seconds)ss": "%(days)s ngày %(hours)s giờ %(minutes)s phút %(seconds)s giây",
"Identity server not set": "Máy chủ định danh chưa được đặt",
"Busy": "Bận",
"Sign out of this session": "Đăng xuất phiên",
@ -2974,7 +2923,6 @@
"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.",
"Secure Backup successful": "Sao lưu bảo mật thành công",
"Presence": "Hiện diện",
"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>",
@ -3113,7 +3061,6 @@
"Stop live broadcasting?": "Ngừng phát thanh trực tiếp?",
"Welcome to %(brand)s": "Chào mừng bạn tới %(brand)s",
"Automatically send debug logs when key backup is not functioning": "Tự động gửi nhật ký gỡ lỗi mỗi lúc sao lưu khóa không hoạt động",
"If you've submitted a bug via GitHub, debug logs can help us track down the problem. ": "Nếu bạn đã báo cáo lỗi qua GitHub, nhật ký gỡ lỗi có thể giúp chúng tôi theo dõi vấn đề. ",
"With free end-to-end encrypted messaging, and unlimited voice and video calls, %(brand)s is a great way to stay in touch.": "Với mã hóa đầu cuối miễn phí, cuộc gọi thoại và truyền hình không giới hạn, %(brand)s là cách tuyệt vời để giữ liên lạc.",
"Connecting to integration manager…": "Đang kết nối tới quản lý tích hợp…",
"IRC (Experimental)": "IRC (thử nghiệm)",
@ -3143,7 +3090,6 @@
"Reset password": "Đặt lại mật khẩu",
"%(members)s and more": "%(members)s và nhiều người khác",
"Read receipts": "Thông báo đã đọc",
"Numbered list": "Danh sách đánh số",
"Export Cancelled": "Đã hủy trích xuất",
"Hide stickers": "Ẩn thẻ (sticker)",
"This room or space does not exist.": "Phòng này hay space này không tồn tại.",
@ -3157,11 +3103,9 @@
"other": "Gửi bởi %(count)s người"
},
"Search all rooms": "Tìm tất cả phòng",
"Link": "Liên kết",
"Rejecting invite…": "Từ chối lời mời…",
"Are you sure you're at the right place?": "Bạn có chắc là bạn đang ở đúng chỗ?",
"To view %(roomName)s, you need an invite": "Để xem %(roomName)s, bạn cần một lời mời",
"Bulleted list": "Danh sách gạch đầu dòng",
"Event ID: %(eventId)s": "Định danh (ID) sự kiện: %(eventId)s",
"Disinvite from room": "Không mời vào phòng nữa",
"Your language": "Ngôn ngữ của bạn",
@ -3200,7 +3144,6 @@
"You do not have permission to invite users": "Bạn không có quyền mời người khác",
"Remove them from everything I'm able to": "Loại bỏ khỏi mọi phòng mà tôi có thể",
"Hide formatting": "Ẩn định dạng",
"Italic": "Nghiêng",
"Processing…": "Đang xử lý…",
"The beginning of the room": "Bắt đầu phòng",
"Poll": "Bỏ phiếu",
@ -3219,7 +3162,6 @@
"%(members)s and %(last)s": "%(members)s và %(last)s",
"Private room": "Phòng riêng tư",
"Join the room to participate": "Tham gia phòng để tương tác",
"Underline": "Gạch chân",
"Edit link": "Sửa liên kết",
"Create a link": "Tạo liên kết",
"Text": "Chữ",
@ -3262,10 +3204,8 @@
"This message could not be decrypted": "Không giải mã được tin nhắn",
"Inactive for %(inactiveAgeDays)s days or longer": "Không hoạt động trong %(inactiveAgeDays)s ngày hoặc lâu hơn",
"Filter devices": "Bộ lọc",
"View all": "Xem tất cả",
"URL": "Đường dẫn URL",
"Show QR code": "Hiện mã QR",
"Show": "Hiện",
"Sign in with QR code": "Đăng nhập bằng mã QR",
"Room directory": "Thư mục phòng",
"Receive push notifications on this session.": "Nhận thông báo đẩy trong phiên này.",
@ -3376,7 +3316,6 @@
"Group all your favourite rooms and people in one place.": "Nhóm tất cả các phòng và người mà bạn yêu thích ở một nơi.",
"The add / bind with MSISDN flow is misconfigured": "Thêm / liên kết với luồng MSISDN sai cấu hình",
"Keep ownership and control of community discussion.\nScale to support millions, with powerful moderation and interoperability.": "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ẽ.",
"Debug logs contain application usage data including your username, the IDs or aliases of the rooms you have visited, which UI elements you last interacted with, and the usernames of other users. They do not contain messages.": "Nhật ký gỡ lỗi chứa dữ liệu sử dụng ứng dụng bao gồm tên người dùng của bạn, ID hoặc bí danh của các phòng bạn đã truy cập, các thành phần giao diện người dùng mà bạn tương tác lần cuối và tên người dùng của những người dùng khác. Chúng không chứa tin nhắn.",
"Allow fallback call assist server (%(server)s)": "Cho phép máy chủ hỗ trợ cuộc gọi dự phòng (%(server)s)",
"Past polls": "Các cuộc bỏ phiếu trước",
"This provides them with confidence that they are really speaking to you, but it also means they can see the session name you enter here.": "Những người đó sẽ chắc chắn rằng họ đang thực sự nói với bạn, nhưng cũng có nghĩa là họ sẽ thấy tên phiên mà bạn xác định tại đây.",
@ -3491,7 +3430,6 @@
"Play a sound for": "Phát âm thanh cho",
"Close call": "Đóng cuộc gọi",
"Email Notifications": "Thông báo qua thư điện tử",
"Proceed": "Tiếp tục",
"Reset to default settings": "Đặt lại về cài đặt mặc định",
"Failed to cancel": "Không hủy được",
"%(senderDisplayName)s changed the join rule to ask to join.": "%(senderDisplayName)s thay đổi quy tắc tham gia thành yêu cầu để tham gia.",
@ -3552,7 +3490,22 @@
"dark": "Tối",
"beta": "Beta",
"attachment": "Tập tin đính kèm",
"appearance": "Giao diện"
"appearance": "Giao diện",
"guest": "Khách",
"legal": "Pháp lý",
"credits": "Ghi công",
"faq": "Câu hỏi thường gặp",
"access_token": "Token truy cập",
"preferences": "Tùy chọn",
"presence": "Hiện diện",
"timeline": "Dòng thời gian",
"privacy": "Quyền riêng tư",
"camera": "Máy ảnh",
"microphone": "Micrô",
"emoji": "Biểu tượng cảm xúc",
"random": "Ngẫu nhiên",
"support": "Hỗ trợ",
"space": "space"
},
"action": {
"continue": "Tiếp tục",
@ -3624,7 +3577,24 @@
"back": "Quay lại",
"apply": "Áp dụng",
"add": "Thêm",
"accept": "Đồng ý"
"accept": "Đồng ý",
"disconnect": "Ngắt kết nối",
"change": "Thay đổi",
"subscribe": "Đặt mua",
"unsubscribe": "Hủy đăng ký",
"approve": "Chấp thuận",
"proceed": "Tiếp tục",
"complete": "Hoàn thành",
"revoke": "Rút lại",
"rename": "Đặt lại tên",
"view_all": "Xem tất cả",
"show_all": "Hiển thị tất cả",
"show": "Hiện",
"review": "Xem xét",
"restore": "Khôi phục",
"play": "Chạy",
"pause": "Tạm dừng",
"register": "Đăng ký"
},
"a11y": {
"user_menu": "Menu người dùng"
@ -3686,5 +3656,52 @@
},
"credits": {
"default_cover_photo": "Các <photo>ảnh bìa mặc định</photo> Là © <author>Chúa Jesus Roncero</author> Được sử dụng theo các điều khoản của <terms>CC-BY-SA 4.0</terms>."
},
"composer": {
"format_bold": "In đậm",
"format_italic": "Nghiêng",
"format_underline": "Gạch chân",
"format_strikethrough": "Gạch ngang",
"format_unordered_list": "Danh sách gạch đầu dòng",
"format_ordered_list": "Danh sách đánh số",
"format_inline_code": "Mã",
"format_code_block": "Khối mã",
"format_link": "Liên kết"
},
"Bold": "In đậm",
"Link": "Liên kết",
"Code": "Mã",
"power_level": {
"default": "Mặc định",
"restricted": "Bị hạn chế",
"moderator": "Điều phối viên",
"admin": "Quản trị viên",
"custom": "Tùy chỉnh (%(level)s)",
"mod": "Người quản trị"
},
"bug_reporting": {
"introduction": "Nếu bạn đã báo cáo lỗi qua GitHub, nhật ký gỡ lỗi có thể giúp chúng tôi theo dõi vấn đề. ",
"description": "Nhật ký gỡ lỗi chứa dữ liệu sử dụng ứng dụng bao gồm tên người dùng của bạn, ID hoặc bí danh của các phòng bạn đã truy cập, các thành phần giao diện người dùng mà bạn tương tác lần cuối và tên người dùng của những người dùng khác. Chúng không chứa tin nhắn.",
"matrix_security_issue": "Để báo cáo sự cố bảo mật liên quan đến Matrix, vui lòng đọc Chính sách tiết lộ bảo mật của Matrix.org <a>Security Disclosure Policy</a>.",
"submit_debug_logs": "Gửi nhật ký gỡ lỗi",
"title": "Báo cáo lỗi",
"additional_context": "Nếu có ngữ cảnh bổ sung có thể giúp phân tích vấn đề, chẳng hạn như bạn đang làm gì vào thời điểm đó, ID phòng, ID người dùng, v.v., hãy đưa những điều đó vào đây.",
"send_logs": "Gửi nhật ký",
"github_issue": "Sự cố GitHub",
"download_logs": "Tải xuống nhật ký",
"before_submitting": "Trước khi gửi log, bạn phải <a>tạo một sự cố trên Github</a> để mô tả vấn đề của mình."
},
"time": {
"hours_minutes_seconds_left": "Còn lại %(hours)s giờ %(minutes)s phút %(seconds)s giây",
"minutes_seconds_left": "Còn lại %(minutes)s phút %(seconds)s giây",
"seconds_left": "Còn %(seconds)s giây",
"date_at_time": "%(date)s lúc %(time)s",
"short_days": "%(value)sd",
"short_hours": "%(value)sh",
"short_minutes": "%(value)sm",
"short_seconds": "%(value)ss",
"short_days_hours_minutes_seconds": "%(days)s ngày %(hours)s giờ %(minutes)s phút %(seconds)s giây",
"short_hours_minutes_seconds": "%(hours)s giờ %(minutes)s phút %(seconds)s giây",
"short_minutes_seconds": "%(minutes)s phút %(seconds)s giây"
}
}
}

View file

@ -44,7 +44,6 @@
"%(brand)s was not given permission to send notifications - please try again": "%(brand)s èt geen toestemmienge gekreegn ghed vo joun meldiengn te verstuurn - herprobeer t e ki",
"Unable to enable Notifications": "Kostege meldiengn nie inschoakeln",
"This email address was not found": "Dat e-mailadresse hier es nie gevoundn",
"Register": "Registreern",
"Default": "Standoard",
"Restricted": "Beperkten toegank",
"Moderator": "Moderator",
@ -321,23 +320,16 @@
"Account management": "Accountbeheer",
"Deactivate Account": "Account deactiveern",
"General": "Algemeen",
"Legal": "Wettelik",
"Credits": "Me dank an",
"For help with using %(brand)s, click <a>here</a>.": "Klikt <a>hier</a> voor hulp by t gebruukn van %(brand)s.",
"For help with using %(brand)s, click <a>here</a> or start a chat with our bot using the button below.": "Klikt <a>hier</a> voor hulp by t gebruukn van %(brand)s, of begint e gesprek met uzze robot me de knop hieroundern.",
"Chat with %(brand)s Bot": "Chattn me %(brand)s-robot",
"Check for update": "Controleern ip updates",
"Help & About": "Hulp & Info",
"Bug reporting": "Foutmeldiengn",
"Submit debug logs": "Foutipsporiengslogboekn indienn",
"FAQ": "VGV",
"Versions": "Versies",
"%(brand)s version:": "%(brand)s-versie:",
"Notifications": "Meldiengn",
"Start automatically after system login": "Automatisch startn achter systeemanmeldienge",
"Preferences": "Instelliengn",
"Composer": "Ipsteller",
"Timeline": "Tydslyn",
"Room list": "Gesprekslyste",
"Autocomplete delay (ms)": "Vertroagienge vo t automatisch anvulln (ms)",
"Unignore": "Nie mi negeern",
@ -358,8 +350,6 @@
"No Webcams detected": "Geen webcams gevoundn",
"Default Device": "Standoardtoestel",
"Audio Output": "Geluudsuutgang",
"Microphone": "Microfoon",
"Camera": "Camera",
"Voice & Video": "Sproak & video",
"This room is not accessible by remote Matrix servers": "Dit gesprek es nie toegankelik voor externe Matrix-servers",
"Upgrade this room to the recommended room version": "Actualiseert dit gesprek noar danbevooln gespreksversie",
@ -645,10 +635,7 @@
"Thank you!": "Merci!",
"Failed to send logs: ": "Verstuurn van logboekn mislukt: ",
"Before submitting logs, you must <a>create a GitHub issue</a> to describe your problem.": "Vooraleer da je logboekn indient, moe je <a>meldienge openn ip GitHub</a> woarin da je je probleem beschryft.",
"GitHub issue": "GitHub-meldienge",
"Notes": "Ipmerkiengn",
"If there is additional context that would help in analysing the issue, such as what you were doing at the time, room IDs, user IDs, etc., please include those things here.": "Indien da t er bykomende context zou kunn helpn vo t probleem tanalyseern, lyk wyk dan je juste an t doen woart, relevante gespreks-IDs, gebruukers-IDs, enz., gelieve deze informoasje ton hier mee te geevn.",
"Send logs": "Logboekn verstuurn",
"Unable to load commit detail: %(msg)s": "Kostege t commitdetail nie loadn: %(msg)s",
"Unavailable": "Nie beschikboar",
"Changelog": "Wyzigiengslogboek",
@ -742,12 +729,10 @@
"Token incorrect": "Verkeerd bewys",
"A text message has been sent to %(msisdn)s": "t Is een smse noa %(msisdn)s verstuurd gewist",
"Please enter the code it contains:": "Gift de code in da t er in stoat:",
"Code": "Code",
"Submit": "Bevestign",
"Start authentication": "Authenticoasje beginn",
"Email": "E-mailadresse",
"Phone": "Telefongnumero",
"Change": "Wyzign",
"Sign in with": "Anmeldn me",
"Use an email address to recover your account": "Gebruukt een e-mailadresse vo jen account therstelln",
"Enter email address (required on this homeserver)": "Gift een e-mailadresse in (vereist ip deze thuusserver)",
@ -799,7 +784,6 @@
"Tried to load a specific point in this room's timeline, but you do not have permission to view the message in question.": "Jè geprobeerd van e gegeven punt in de tydslyn van dit gesprek te loadn, moa jè geen toeloatienge vo t desbetreffend bericht te zien.",
"Tried to load a specific point in this room's timeline, but was unable to find it.": "Geprobeerd voor e gegeven punt in de tydslyn van dit gesprek te loadn, moar kostege dit nie viendn.",
"Failed to load timeline position": "Loadn van tydslynpositie is mislukt",
"Guest": "Gast",
"Uploading %(filename)s and %(count)s others": {
"other": "%(filename)s en %(count)s andere wordn ipgeloadn",
"one": "%(filename)s en %(count)s ander wordn ipgeloadn"
@ -832,7 +816,6 @@
"Unable to query for supported registration methods.": "Kostege doundersteunde registroasjemethodes nie ipvroagn.",
"This server does not support authentication with a phone number.": "Deze server biedt geen oundersteunienge voor authenticoasje met e telefongnumero.",
"Commands": "Ipdrachtn",
"Emoji": "Emoticons",
"Notify the whole room": "Loat dit an gans t groepsgesprek weetn",
"Room Notification": "Groepsgespreksmeldienge",
"Users": "Gebruukers",
@ -887,7 +870,6 @@
"Upload all": "Alles iploadn",
"Your new account (%(newAccountId)s) is registered, but you're already logged into a different account (%(loggedInUserId)s).": "Je nieuwen account (%(newAccountId)s) is geregistreerd, mo je zyt al angemeld met een anderen account (%(loggedInUserId)s).",
"Continue with previous account": "Verdergoan me de vorigen account",
"Show all": "Alles toogn",
"%(severalUsers)smade no changes %(count)s times": {
"other": "%(severalUsers)s èn %(count)s kis nietent gewyzigd",
"one": "%(severalUsers)s èn nietent gewyzigd"
@ -921,7 +903,6 @@
"Displays list of commands with usages and descriptions": "Toogt e lyste van beschikboare ipdrachtn, met hunder gebruukn en beschryviengn",
"Checking server": "Server wor gecontroleerd",
"Disconnect from the identity server <idserver />?": "Wil je de verbindienge me den identiteitsserver <idserver /> verbreekn?",
"Disconnect": "Verbindienge verbreekn",
"You are currently using <server></server> to discover and be discoverable by existing contacts you know. You can change your identity server below.": "Je makt vo de moment gebruuk van <server></server> vo deur je contactn gevoundn te kunn wordn, en von hunder te kunn viendn. Je kut hierounder jen identiteitsserver wyzign.",
"You are not currently using an identity server. To discover and be discoverable by existing contacts you know, add one below.": "Je makt vo de moment geen gebruuk van een identiteitsserver. Voegt der hierounder één toe vo deur je contactn gevoundn te kunn wordn en von hunder te kunn viendn.",
"Disconnecting from your identity server will mean you won't be discoverable by other users and you won't be able to invite others by email or phone.": "De verbindienge me jen identiteitsserver verbreekn goat dervoorn zorgn da je nie mi deur andere gebruukers gevoundn goa kunn wordn, en dat andere menschn je nie via e-mail of telefong goan kunn uutnodign.",
@ -930,7 +911,6 @@
"Always show the window menu bar": "De veinstermenubalk alsan toogn",
"Unable to revoke sharing for email address": "Kostege t deeln vo dat e-mailadresse hier nie intrekkn",
"Unable to share email address": "Kostege t e-mailadresse nie deeln",
"Revoke": "Intrekkn",
"Discovery options will appear once you have added an email above.": "Ountdekkiengsopties goan verschynn a jeen e-mailadresse toegevoegd ghed èt.",
"Unable to revoke sharing for phone number": "Kostege t deeln vo dien telefongnumero hier nie intrekkn",
"Unable to share phone number": "Kostege den telefongnumero nie deeln",
@ -975,7 +955,16 @@
"home": "Thuus",
"favourites": "Favorietn",
"description": "Beschryvienge",
"attachment": "Byloage"
"attachment": "Byloage",
"guest": "Gast",
"legal": "Wettelik",
"credits": "Me dank an",
"faq": "VGV",
"preferences": "Instelliengn",
"timeline": "Tydslyn",
"camera": "Camera",
"microphone": "Microfoon",
"emoji": "Emoticons"
},
"action": {
"continue": "Verdergoan",
@ -1019,7 +1008,12 @@
"cancel": "Annuleern",
"back": "Were",
"add": "Toevoegn",
"accept": "Anveirdn"
"accept": "Anveirdn",
"disconnect": "Verbindienge verbreekn",
"change": "Wyzign",
"revoke": "Intrekkn",
"show_all": "Alles toogn",
"register": "Registreern"
},
"labs": {
"pinning": "Bericht vastprikkn",
@ -1027,5 +1021,23 @@
},
"keyboard": {
"home": "Thuus"
},
"composer": {
"format_inline_code": "Code"
},
"Code": "Code",
"power_level": {
"default": "Standoard",
"restricted": "Beperkten toegank",
"moderator": "Moderator",
"admin": "Beheerder"
},
"bug_reporting": {
"submit_debug_logs": "Foutipsporiengslogboekn indienn",
"title": "Foutmeldiengn",
"additional_context": "Indien da t er bykomende context zou kunn helpn vo t probleem tanalyseern, lyk wyk dan je juste an t doen woart, relevante gespreks-IDs, gebruukers-IDs, enz., gelieve deze informoasje ton hier mee te geevn.",
"send_logs": "Logboekn verstuurn",
"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."
}
}
}

View file

@ -8,7 +8,6 @@
"Download %(text)s": "下载 %(text)s",
"Email": "电子邮箱",
"Email address": "邮箱地址",
"Emoji": "表情符号",
"Error decrypting attachment": "解密附件时出错",
"Export E2E room keys": "导出房间的端到端加密密钥",
"Failed to ban user": "封禁失败",
@ -70,8 +69,6 @@
"No media permissions": "没有媒体存取权限",
"You may need to manually permit %(brand)s to access your microphone/webcam": "你可能需要手动授权 %(brand)s 使用你的麦克风或摄像头",
"Default Device": "默认设备",
"Microphone": "麦克风",
"Camera": "摄像头",
"Authentication": "认证",
"%(items)s and %(lastItem)s": "%(items)s 和 %(lastItem)s",
"and %(count)s others...": {
@ -121,7 +118,6 @@
"No more results": "没有更多结果",
"Privileged Users": "特权用户",
"Reason": "理由",
"Register": "注册",
"Reject invitation": "拒绝邀请",
"Users": "用户",
"Verified key": "已验证的密钥",
@ -309,7 +305,6 @@
"Members only (since they joined)": "只有成员(从他们加入开始)",
"Failed to remove tag %(tagName)s from room": "移除房间标签 %(tagName)s 失败",
"Failed to add tag %(tagName)s to room": "无法为房间新增标签 %(tagName)s",
"Submit debug logs": "提交调试日志",
"Restricted": "受限",
"Stickerpack": "贴纸包",
"You don't currently have any stickerpacks enabled": "你目前未启用任何贴纸包",
@ -324,7 +319,6 @@
"Idle for %(duration)s": "已闲置 %(duration)s",
"Offline for %(duration)s": "已离线 %(duration)s",
"Unknown for %(duration)s": "未知状态已持续 %(duration)s",
"Code": "代码",
"%(nameList)s %(transitionList)s": "%(nameList)s %(transitionList)s",
"%(severalUsers)sjoined %(count)s times": {
"other": "%(severalUsers)s 已加入 %(count)s 次",
@ -426,7 +420,6 @@
"All Rooms": "全部房间",
"Wednesday": "星期三",
"You cannot delete this message. (%(code)s)": "你无法删除这条消息。(%(code)s)",
"Send logs": "发送日志",
"All messages": "全部消息",
"Call invitation": "当受到通话邀请时",
"State Key": "状态键State Key",
@ -502,7 +495,6 @@
"Update any local room aliases to point to the new room": "更新所有本地房间别名以使其指向新房间",
"Stop users from speaking in the old version of the room, and post a message advising users to move to the new room": "阻止用户在旧房间中发言,并发送消息建议用户迁移至新房间",
"Put a link back to the old room at the start of the new room so people can see old messages": "在新房间的开始处发送一条指回旧房间的链接,这样用户可以查看旧消息",
"Legal": "法律信息",
"This homeserver has hit its Monthly Active User limit.": "此家服务器已达到其每月活跃用户限制。",
"This homeserver has exceeded one of its resource limits.": "本服务器已达到其使用量限制之一。",
"Please <a>contact your service administrator</a> to continue using this service.": "请 <a>联系你的服务管理员</a> 以继续使用本服务。",
@ -672,17 +664,12 @@
"Language and region": "语言与地区",
"Account management": "账户管理",
"General": "通用",
"Credits": "感谢",
"For help with using %(brand)s, click <a>here</a>.": "关于 %(brand)s 的<a>使用说明</a>。",
"For help with using %(brand)s, click <a>here</a> or start a chat with our bot using the button below.": "关于 %(brand)s 的使用说明,请点击<a>这里</a>或者通过下方按钮同我们的机器人聊聊。",
"Chat with %(brand)s Bot": "与 %(brand)s 机器人聊天",
"Help & About": "帮助及关于",
"Bug reporting": "错误上报",
"FAQ": "常见问答集",
"Versions": "版本",
"Preferences": "偏好",
"Composer": "编辑器",
"Timeline": "时间线",
"Room list": "房间列表",
"Autocomplete delay (ms)": "自动完成延迟(毫秒)",
"Ignored users": "已忽略的用户",
@ -728,13 +715,11 @@
"This homeserver would like to make sure you are not a robot.": "此家服务器想要确认你不是机器人。",
"Please review and accept all of the homeserver's policies": "请阅读并接受此家服务器的所有政策",
"Please review and accept the policies of this homeserver:": "请阅读并接受此家服务器的政策:",
"Change": "更改",
"Email (optional)": "电子邮箱(可选)",
"Phone (optional)": "电话号码(可选)",
"Join millions for free on the largest public server": "免费加入最大的公共服务器,成为数百万用户中的一员",
"Other": "其他",
"Couldn't load page": "无法加载页面",
"Guest": "游客",
"Could not load user profile": "无法加载用户资料",
"Your password has been reset.": "你的密码已重置。",
"Invalid homeserver discovery response": "无效的家服务器搜索响应",
@ -821,7 +806,6 @@
"Sign In or Create Account": "登录或创建账户",
"Use your account or create a new one to continue.": "使用已有账户或创建一个新账户。",
"Create Account": "创建账户",
"Custom (%(level)s)": "自定义(%(level)s",
"Messages": "消息",
"Actions": "动作",
"Sends a message as plain text, without interpreting it as markdown": "以纯文本形式发送消息,不将其作为 markdown 处理",
@ -914,7 +898,6 @@
"%(name)s (%(userId)s)": "%(name)s%(userId)s",
"Your browser does not support the required cryptography extensions": "你的浏览器不支持所需的密码学扩展",
"The user's homeserver does not support the version of the room.": "用户的家服务器不支持此房间版本。",
"Review": "开始验证",
"Later": "稍后再说",
"Your homeserver has exceeded its user limit.": "你的家服务器已超过用户限制。",
"Your homeserver has exceeded one of its resource limits.": "你的家服务器已超过某项资源限制。",
@ -983,7 +966,6 @@
"The identity server you have chosen does not have any terms of service.": "你选择的身份服务器没有服务协议。",
"Disconnect identity server": "断开身份服务器连接",
"Disconnect from the identity server <idserver />?": "从身份服务器 <idserver /> 断开连接吗?",
"Disconnect": "断开连接",
"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.": "断开连接前,你应从身份服务器<idserver />上<b>删除你的个人数据</b>。不幸的是,身份服务器<idserver />当前处于离线状态或无法访问。",
"You should:": "你应该:",
"contact the administrators of identity server <idserver />": "联系身份服务器 <idserver /> 的管理员",
@ -1026,7 +1008,6 @@
"You have not ignored anyone.": "你没有忽略任何人。",
"You are currently ignoring:": "你正在忽略:",
"You are not subscribed to any lists": "你没有订阅任何列表",
"Unsubscribe": "取消订阅",
"View rules": "查看规则",
"You are currently subscribed to:": "你正在订阅:",
"⚠ These settings are meant for advanced users.": "⚠ 这些设置是为高级用户准备的。",
@ -1039,7 +1020,6 @@
"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.": "如果这不是你想要的,请使用别的的工具来忽略用户。",
"Room ID or address of ban list": "封禁列表的房间 ID 或地址",
"Subscribe": "订阅",
"Always show the window menu bar": "总是显示窗口菜单栏",
"Session ID:": "会话 ID",
"Session key:": "会话密钥:",
@ -1062,7 +1042,6 @@
"Your email address hasn't been verified yet": "你的邮件地址尚未被验证",
"Click the link in the email you received to verify and then click continue again.": "点击你所收到的电子邮件中的链接进行验证,然后再次点击继续。",
"Verify the link in your inbox": "验证你的收件箱中的链接",
"Complete": "完成",
"Discovery options will appear once you have added an email above.": "你在上方添加邮箱后发现选项将会出现。",
"Unable to share phone number": "无法共享电话号码",
"Please enter verification code sent via text.": "请输入短信中发送的验证码。",
@ -1109,10 +1088,7 @@
"Close preview": "关闭预览",
"Send a reply…": "发送回复…",
"Send a message…": "发送消息…",
"Bold": "粗体",
"Italics": "斜体",
"Strikethrough": "删除线",
"Code block": "代码块",
"Room %(name)s": "房间 %(name)s",
"No recently visited rooms": "没有最近访问过的房间",
"Join the conversation with an account": "使用一个账户加入对话",
@ -1255,7 +1231,6 @@
"%(name)s cancelled": "%(name)s 取消了",
"%(name)s wants to verify": "%(name)s 想要验证",
"You sent a verification request": "你发送了一个验证请求",
"Show all": "显示全部",
"<reactors/><reactedWith>reacted with %(shortName)s</reactedWith>": "<reactors/><reactedWith>回应了 %(shortName)s</reactedWith>",
"Message deleted": "消息已删除",
"Message deleted by %(name)s": "消息被 %(name)s 删除",
@ -1312,9 +1287,7 @@
"Close dialog": "关闭对话框",
"Please tell us what went wrong or, better, create a GitHub issue that describes the problem.": "请告诉我们哪里出错了,或最好创建一个 GitHub issue 来描述此问题。",
"Reminder: Your browser is unsupported, so your experience may be unpredictable.": "提醒:你的浏览器不被支持,所以你的体验可能不可预料。",
"GitHub issue": "GitHub 上的 issue",
"Notes": "提示",
"If there is additional context that would help in analysing the issue, such as what you were doing at the time, room IDs, user IDs, etc., please include those things here.": "如果有额外的上下文可以帮助我们分析问题,比如你当时在做什么、房间 ID、用户 ID 等等,请将其列于此处。",
"Removing…": "正在移除…",
"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.": "删除交叉签名密钥是永久的。所有你验证过的人都会看到安全警报。除非你丢失了所有可以交叉签名的设备,否则几乎可以确定你不想这么做。",
@ -1487,7 +1460,6 @@
"Use a secret phrase only you know, and optionally save a Security Key to use for backup.": "使用一个只有你知道的密码,你也可以保存安全密钥以供备份使用。",
"Enter your account password to confirm the upgrade:": "输入你的账户密码以确认升级:",
"Restore your key backup to upgrade your encryption": "恢复你的密钥备份以更新你的加密方式",
"Restore": "恢复",
"You'll need to authenticate with the server to confirm the upgrade.": "你需要和服务器进行认证以确认更新。",
"Upgrade this session to allow it to verify other sessions, granting them access to encrypted messages and marking them as trusted for other users.": "更新此会话以允许其验证其他会话、允许其他会话访问加密消息,并将它们对别的用户标记为已信任。",
"Use a different passphrase?": "使用不同的口令词组?",
@ -1525,7 +1497,6 @@
"Expand room list section": "展开房间列表段",
"Close dialog or context menu": "关闭对话框或上下文菜单",
"Cancel autocomplete": "取消自动补全",
"Space": "空格",
"How fast should messages be downloaded.": "消息下载速度。",
"IRC display name width": "IRC 显示名称宽度",
"When rooms are upgraded": "当房间升级时",
@ -1543,9 +1514,7 @@
"Read Marker lifetime (ms)": "已读标记生存期(毫秒)",
"Read Marker off-screen lifetime (ms)": "已读标记屏幕外生存期(毫秒)",
"Unable to revoke sharing for email address": "无法撤消电子邮件地址共享",
"Revoke": "撤销",
"Unable to revoke sharing for phone number": "无法撤销电话号码共享",
"Mod": "管理员",
"Explore public rooms": "探索公共房间",
"You can only join it with a working invite.": "你只能通过有效邀请加入。",
"Language Dropdown": "语言下拉菜单",
@ -1558,7 +1527,6 @@
"one": "%(oneUser)s 未做更改"
},
"Preparing to download logs": "正在准备下载日志",
"Download logs": "下载日志",
"%(brand)s encountered an error during upload of:": "%(brand)s 在上传此文件时出错:",
"Country Dropdown": "国家下拉菜单",
"Attach files from chat or just drag and drop them anywhere in a room.": "从聊天中附加文件或将文件拖放到房间的任何地方。",
@ -1586,7 +1554,6 @@
"ready": "就绪",
"not ready": "尚未就绪",
"Secure Backup": "安全备份",
"Privacy": "隐私",
"No other application is using the webcam": "没有其他应用程序正在使用摄像头",
"Permission is granted to use the webcam": "授权使用摄像头",
"A microphone and webcam are plugged in and set up correctly": "已插入并正确设置麦克风和摄像头",
@ -1713,7 +1680,6 @@
"Go to Home View": "转到主视图",
"Search (must be enabled)": "搜索(必须启用)",
"%(ssoButtons)s Or %(usernamePassword)s": "%(ssoButtons)s 或 %(usernamePassword)s",
"Random": "随机",
"%(count)s members": {
"one": "%(count)s 位成员",
"other": "%(count)s 位成员"
@ -1767,7 +1733,6 @@
"Sends the given message with fireworks": "附加烟火发送",
"sends fireworks": "发送烟火",
"The <b>%(capability)s</b> capability": "<b>%(capability)s</b> 容量",
"Support": "支持",
"Your server does not support showing space hierarchies.": "你的服务器不支持显示空间层次结构。",
"This version of %(brand)s does not support searching encrypted messages": "当前版本的 %(brand)s 不支持搜索加密消息",
"This version of %(brand)s does not support viewing some encrypted files": "当前版本的 %(brand)s 不支持查看某些加密文件",
@ -1871,7 +1836,6 @@
"Enter Security Phrase": "输入安全短语",
"Allow this widget to verify your identity": "允许此挂件验证你的身份",
"Decline All": "全部拒绝",
"Approve": "批准",
"This widget would like to:": "此挂件想要:",
"Approve widget permissions": "批准挂件权限",
"Failed to save space settings.": "空间设置保存失败。",
@ -2183,13 +2147,11 @@
"Invite to just this room": "仅邀请至此房间",
"This is the beginning of your direct message history with <displayName/>.": "这是你与<displayName/>的私聊历史的开端。",
"Only the two of you are in this conversation, unless either of you invites anyone to join.": "除非你们其中一个邀请了别人加入,否则将仅有你们两个人在此对话中。",
"%(seconds)ss left": "剩余 %(seconds)s 秒",
"Failed to send": "发送失败",
"Change server ACLs": "更改服务器访问控制列表",
"You have no ignored users.": "你没有设置忽略用户。",
"Warn before quitting": "退出前警告",
"Your access token gives full access to your account. Do not share it with anyone.": "你的访问令牌可以完全访问你的账户。不要将其与任何人分享。",
"Access Token": "访问令牌",
"Message search initialisation failed": "消息搜索初始化失败",
"Securely cache encrypted messages locally for them to appear in search results, using %(size)s to store messages from %(rooms)s rooms.": {
"one": "使用%(size)s存储%(rooms)s个房间的消息。在本地安全地缓存已加密的消息以使其出现在搜索结果中。",
@ -2197,8 +2159,6 @@
},
"Manage & explore rooms": "管理并探索房间",
"Please enter a name for the space": "请输入空间名称",
"Play": "播放",
"Pause": "暂停",
"%(name)s on hold": "保留 %(name)s",
"Connecting": "连接中",
"Consulting with %(transferTarget)s. <a>Transfer to %(transferee)s</a>": "与 %(transferTarget)s 进行协商。<a>转让至 %(transferee)s</a>",
@ -2555,7 +2515,6 @@
"Are you sure you want to exit during this export?": "你确定要在导出过程中退出吗?",
"%(senderDisplayName)s sent a sticker.": "%(senderDisplayName)s 发送了一张贴纸。",
"%(senderDisplayName)s changed the room avatar.": "%(senderDisplayName)s 更改了房间头像。",
"%(date)s at %(time)s": "%(date)s 的 %(time)s",
"Verify with Security Key or Phrase": "使用安全密钥或短语进行验证",
"Resetting your verification keys cannot be undone. After resetting, you won't have access to old encrypted messages, and any friends who have previously verified you will see security warnings until you re-verify with them.": "无法撤消重置验证密钥的操作。重置后,你将无法访问旧的加密消息,任何之前验证过你的朋友将看到安全警告,直到你再次和他们进行验证。",
"I'll verify later": "我稍后进行验证",
@ -2607,7 +2566,6 @@
"Light high contrast": "浅色高对比",
"Joining": "加入中",
"Automatically send debug logs on any error": "遇到任何错误自动发送调试日志",
"Rename": "重命名",
"Select all": "全选",
"Deselect all": "取消全选",
"Sign out devices": {
@ -2836,10 +2794,6 @@
"Unrecognised room address: %(roomAlias)s": "无法识别的房间地址:%(roomAlias)s",
"Failed to get room topic: Unable to find room (%(roomId)s": "获取房间话题失败:无法找到房间(%(roomId)s",
"Command error: Unable to find rendering type (%(renderingType)s)": "命令错误:无法找到渲染类型(%(renderingType)s",
"%(value)ss": "%(value)s 秒",
"%(value)sm": "%(value)s 分钟",
"%(value)sh": "%(value)s 小时",
"%(value)sd": "%(value)s 天",
"Failed to remove user": "移除用户失败",
"Pinned": "已固定",
"Maximise": "最大化",
@ -2917,8 +2871,6 @@
"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": "键盘",
"Debug logs contain application usage data including your username, the IDs or aliases of the rooms you have visited, which UI elements you last interacted with, and the usernames of other users. They do not contain messages.": "调试日志包含应用使用数据其中包括你的用户名、你访问过的房间的别名或ID、你上次与哪些UI元素互动、还有其它用户的用户名。但不包含消息。",
"If you've submitted a bug via GitHub, debug logs can help us track down the problem. ": "若你通过GitHub提交bug则调试日志能帮助我们追踪问题。 ",
"Deactivating your account is a permanent action — be careful!": "停用你的账户是永久性动作——小心!",
"Your password was successfully changed.": "你的密码已成功更改。",
"IRC (Experimental)": "IRC实验性",
@ -3166,7 +3118,6 @@
},
"Remove them from everything I'm able to": "",
"Inactive sessions": "不活跃的会话",
"View all": "查看全部",
"Verify your sessions for enhanced secure messaging or sign out from those you don't recognize or use anymore.": "验证你的会话以增强消息传输的安全性,或从那些你不认识或不再使用的会话登出。",
"Unverified sessions": "未验证的会话",
"Security recommendations": "安全建议",
@ -3282,7 +3233,6 @@
"%(user1)s and %(user2)s": "%(user1)s和%(user2)s",
"Choose a locale": "选择区域设置",
"Empty room (was %(oldName)s)": "空房间(曾是%(oldName)s",
"Show": "显示",
"%(qrCode)s or %(emojiCompare)s": "%(qrCode)s或%(emojiCompare)s",
"%(qrCode)s or %(appLinks)s": "%(qrCode)s或%(appLinks)s",
"%(securityKey)s or %(recoveryFile)s": "%(securityKey)s或%(recoveryFile)s",
@ -3353,11 +3303,6 @@
"Go live": "开始直播",
"30s forward": "前进30秒",
"30s backward": "后退30秒",
"%(minutes)sm %(seconds)ss": "%(minutes)s分钟%(seconds)s秒",
"%(hours)sh %(minutes)sm %(seconds)ss": "%(hours)s小时%(minutes)s分钟%(seconds)s秒",
"%(days)sd %(hours)sh %(minutes)sm %(seconds)ss": "%(days)s天%(hours)s小时%(minutes)s分钟%(seconds)s秒",
"%(minutes)sm %(seconds)ss left": "剩余%(minutes)s分钟%(seconds)s秒",
"%(hours)sh %(minutes)sm %(seconds)ss left": "剩余%(hours)s小时%(minutes)s分钟%(seconds)s秒",
"Notifications silenced": "通知已静音",
"Join %(brand)s calls": "加入%(brand)s呼叫",
"Start %(brand)s calls": "开始%(brand)s呼叫",
@ -3366,7 +3311,6 @@
"one": "你确定要登出%(count)s个会话吗",
"other": "你确定要退出这 %(count)s 个会话吗?"
},
"Presence": "在线",
"Search users in this room…": "搜索该房间内的用户……",
"Give one or multiple users in this room more privileges": "授权给该房间内的某人或某些人",
"Add privileged users": "添加特权用户",
@ -3451,7 +3395,22 @@
"dark": "深色",
"beta": "beta",
"attachment": "附件",
"appearance": "外观"
"appearance": "外观",
"guest": "游客",
"legal": "法律信息",
"credits": "感谢",
"faq": "常见问答集",
"access_token": "访问令牌",
"preferences": "偏好",
"presence": "在线",
"timeline": "时间线",
"privacy": "隐私",
"camera": "摄像头",
"microphone": "麦克风",
"emoji": "表情符号",
"random": "随机",
"support": "支持",
"space": "空格"
},
"action": {
"continue": "继续",
@ -3523,7 +3482,23 @@
"back": "返回",
"apply": "申请",
"add": "添加",
"accept": "接受"
"accept": "接受",
"disconnect": "断开连接",
"change": "更改",
"subscribe": "订阅",
"unsubscribe": "取消订阅",
"approve": "批准",
"complete": "完成",
"revoke": "撤销",
"rename": "重命名",
"view_all": "查看全部",
"show_all": "显示全部",
"show": "显示",
"review": "开始验证",
"restore": "恢复",
"play": "播放",
"pause": "暂停",
"register": "注册"
},
"a11y": {
"user_menu": "用户菜单"
@ -3573,5 +3548,46 @@
"control": "Ctrl",
"shift": "Shift",
"number": "[number]"
},
"composer": {
"format_bold": "粗体",
"format_strikethrough": "删除线",
"format_inline_code": "代码",
"format_code_block": "代码块"
},
"Bold": "粗体",
"Code": "代码",
"power_level": {
"default": "默认",
"restricted": "受限",
"moderator": "协管员",
"admin": "管理员",
"custom": "自定义(%(level)s",
"mod": "管理员"
},
"bug_reporting": {
"introduction": "若你通过GitHub提交bug则调试日志能帮助我们追踪问题。 ",
"description": "调试日志包含应用使用数据其中包括你的用户名、你访问过的房间的别名或ID、你上次与哪些UI元素互动、还有其它用户的用户名。但不包含消息。",
"matrix_security_issue": "要报告 Matrix 相关的安全问题,请阅读 Matrix.org 的<a>安全公开策略</a>。",
"submit_debug_logs": "提交调试日志",
"title": "错误上报",
"additional_context": "如果有额外的上下文可以帮助我们分析问题,比如你当时在做什么、房间 ID、用户 ID 等等,请将其列于此处。",
"send_logs": "发送日志",
"github_issue": "GitHub 上的 issue",
"download_logs": "下载日志",
"before_submitting": "在提交日志之前,你必须<a>创建一个GitHub issue</a> 来描述你的问题。"
},
"time": {
"hours_minutes_seconds_left": "剩余%(hours)s小时%(minutes)s分钟%(seconds)s秒",
"minutes_seconds_left": "剩余%(minutes)s分钟%(seconds)s秒",
"seconds_left": "剩余 %(seconds)s 秒",
"date_at_time": "%(date)s 的 %(time)s",
"short_days": "%(value)s 天",
"short_hours": "%(value)s 小时",
"short_minutes": "%(value)s 分钟",
"short_seconds": "%(value)s 秒",
"short_days_hours_minutes_seconds": "%(days)s天%(hours)s小时%(minutes)s分钟%(seconds)s秒",
"short_hours_minutes_seconds": "%(hours)s小时%(minutes)s分钟%(seconds)s秒",
"short_minutes_seconds": "%(minutes)s分钟%(seconds)s秒"
}
}

View file

@ -22,7 +22,6 @@
"Download %(text)s": "下載 %(text)s",
"Email": "電子郵件地址",
"Email address": "電子郵件地址",
"Emoji": "表情符號",
"Error decrypting attachment": "解密附件時出錯",
"Export E2E room keys": "匯出聊天室的端對端加密金鑰",
"Failed to ban user": "無法封鎖使用者",
@ -86,13 +85,10 @@
"powered by Matrix": "由 Matrix 提供",
"unknown error code": "未知的錯誤代碼",
"Default Device": "預設裝置",
"Microphone": "麥克風",
"Camera": "相機",
"Anyone": "任何人",
"Command error": "指令出錯",
"Commands": "指令",
"Reason": "原因",
"Register": "註冊",
"Error decrypting image": "解密圖片出錯",
"Error decrypting video": "解密影片出錯",
"Add an Integration": "新增整合器",
@ -400,8 +396,6 @@
"<a>In reply to</a> <pill>": "<a>回覆給</a> <pill>",
"Failed to remove tag %(tagName)s from room": "無法從聊天室移除標籤 %(tagName)s",
"Failed to add tag %(tagName)s to room": "無法新增標籤 %(tagName)s 到聊天室",
"Code": "代碼",
"Submit debug logs": "遞交除錯訊息",
"Opens the Developer Tools dialog": "開啟開發者工具對話視窗",
"Stickerpack": "貼圖包",
"You don't currently have any stickerpacks enabled": "您目前沒有啟用任何貼圖包",
@ -433,7 +427,6 @@
"Collecting logs": "收集記錄檔",
"All Rooms": "所有聊天室",
"What's New": "新鮮事",
"Send logs": "傳送紀錄檔",
"All messages": "所有訊息",
"Call invitation": "接到通話邀請時",
"State Key": "狀態金鑰",
@ -500,7 +493,6 @@
"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>以繼序使用服務。",
"Please <a>contact your service administrator</a> to continue using this service.": "請<a>聯絡您的服務管理員</a>以繼續使用此服務。",
"Please contact your homeserver administrator.": "請聯絡您的家伺服器的管理員。",
"Legal": "法律",
"This room has been replaced and is no longer active.": "這個聊天室已被取代,且不再使用。",
"The conversation continues here.": "對話在此繼續。",
"This room is a continuation of another conversation.": "此聊天室是另一個對話的延續。",
@ -625,13 +617,9 @@
"For help with using %(brand)s, click <a>here</a> or start a chat with our bot using the button below.": "對於使用 %(brand)s 的說明,點選<a>這裡</a>或是使用下面的按鈕開始與我們的聊天機器人聊天。",
"Chat with %(brand)s Bot": "與 %(brand)s 機器人聊天",
"Help & About": "說明與關於",
"Bug reporting": "錯誤回報",
"FAQ": "常見問答集",
"Versions": "版本",
"Preferences": "偏好設定",
"Composer": "編輯器",
"Room list": "聊天室清單",
"Timeline": "時間軸",
"Autocomplete delay (ms)": "自動完成延遲(毫秒)",
"Roles & Permissions": "角色與權限",
"Changes to who can read history will only apply to future messages in this room. The visibility of existing history will be unchanged.": "對可閱讀訊息紀錄的使用者的變更,僅適用於此聊天室的新訊息。現有訊息的顯示狀態將保持不變。",
@ -654,7 +642,6 @@
"Phone (optional)": "電話(選擇性)",
"Join millions for free on the largest public server": "在最大的公開伺服器上,免費與數百萬人一起交流",
"Other": "其他",
"Guest": "訪客",
"Create account": "建立帳號",
"Recovery Method Removed": "已移除復原方法",
"If you didn't remove the recovery method, an attacker may be trying to access your account. Change your account password and set a new recovery method immediately in Settings.": "如果您沒有移除復原方法,攻擊者可能會試圖存取您的帳號。請立刻在設定中變更您帳號的密碼並設定新的復原方式。",
@ -731,7 +718,6 @@
"Headphones": "耳機",
"Folder": "資料夾",
"This homeserver would like to make sure you are not a robot.": "這個家伺服器想要確認您不是機器人。",
"Change": "變更",
"Couldn't load page": "無法載入頁面",
"Your password has been reset.": "您的密碼已重設。",
"This homeserver does not support login using email address.": "此家伺服器不支援使用電子郵件地址登入。",
@ -742,7 +728,6 @@
"Restore from Backup": "從備份還原",
"Back up your keys before signing out to avoid losing them.": "請在登出前備份您的金鑰,以免遺失。",
"Start using Key Backup": "開始使用金鑰備份",
"Credits": "感謝",
"I don't want my encrypted messages": "我不要我的加密訊息了",
"Manually export keys": "手動匯出金鑰",
"You'll lose access to your encrypted messages": "您將會失去您的加密訊息",
@ -795,9 +780,7 @@
"one": "您在此聊天室的先前版本有 %(count)s 個未讀的通知。"
},
"The file '%(fileName)s' failed to upload.": "無法上傳檔案「%(fileName)s」。",
"GitHub issue": "GitHub 議題",
"Notes": "註記",
"If there is additional context that would help in analysing the issue, such as what you were doing at the time, room IDs, user IDs, etc., please include those things here.": "如果有其他有助於釐清問題的情境,如您當時正在做什麼,聊天室 ID、使用者 ID 等等,請在這裡加入這些資訊。",
"Sign out and remove encryption keys?": "登出並移除加密金鑰?",
"To help us prevent this in future, please <a>send us logs</a>.": "要協助我們讓這個問題不再發生,請<a>將紀錄檔傳送給我們</a>。",
"Missing session data": "遺失工作階段資料",
@ -885,7 +868,6 @@
"Edited at %(date)s. Click to view edits.": "編輯於 %(date)s。點擊以檢視編輯。",
"Message edits": "訊息編輯紀錄",
"Upgrading this room requires closing down the current instance of the room and creating a new room in its place. To give room members the best possible experience, we will:": "升級這個聊天室需要關閉目前的執行個體並重新建立一個新的聊天室來替代。為了給予聊天室成員最佳的體驗,我們將會:",
"Show all": "顯示全部",
"%(severalUsers)smade no changes %(count)s times": {
"other": "%(severalUsers)s 未做出變更 %(count)s 次",
"one": "%(severalUsers)s 未做出變更"
@ -923,7 +905,6 @@
"Deactivate account": "停用帳號",
"Unable to revoke sharing for email address": "無法撤回電子郵件的分享",
"Unable to share email address": "無法分享電子郵件",
"Revoke": "撤回",
"Discovery options will appear once you have added an email above.": "當您在上面加入電子郵件時將會出現探索選項。",
"Unable to revoke sharing for phone number": "無法撤回電話號碼的分享",
"Unable to share phone number": "無法分享電話號碼",
@ -932,7 +913,6 @@
"A text message has been sent to +%(msisdn)s. Please enter the verification code it contains.": "文字訊息將會被傳送到 +%(msisdn)s。請輸入其中包含的驗證碼。",
"Checking server": "正在檢查伺服器",
"Disconnect from the identity server <idserver />?": "要中斷與身分伺服器 <idserver /> 的連線嗎?",
"Disconnect": "中斷連線",
"You are currently using <server></server> to discover and be discoverable by existing contacts you know. You can change your identity server below.": "您目前使用 <server></server> 來尋找聯絡人,以及被您的聯絡人找到。可以在下方變更身分伺服器。",
"You are not currently using an identity server. To discover and be discoverable by existing contacts you know, add one below.": "您目前未使用身分伺服器。若想要尋找聯絡人,或被您認識的聯絡人找到,請在下方加入伺服器。",
"Disconnecting from your identity server will mean you won't be discoverable by other users and you won't be able to invite others by email or phone.": "與您的身分伺服器中斷連線後,其他使用者就無法再探索到您,您也不能透過電子郵件地址或電話號碼邀請其他人。",
@ -973,7 +953,6 @@
"Error changing power level": "變更權限等級錯誤",
"An error occurred changing the user's power level. Ensure you have sufficient permissions and try again.": "變更使用者的權限等級時遇到錯誤。請確定您有足夠的權限並再試一次。",
"Verify the link in your inbox": "驗證您收件匣中的連結",
"Complete": "完成",
"No recent messages by %(user)s found": "找不到 %(user)s 最近的訊息",
"Try scrolling up in the timeline to see if there are any earlier ones.": "試著在時間軸上捲動以檢視有沒有較早的。",
"Remove recent messages by %(user)s": "移除 %(user)s 最近的訊息",
@ -983,10 +962,7 @@
"one": "移除 1 則訊息"
},
"Remove recent messages": "移除最近的訊息",
"Bold": "粗體",
"Italics": "斜體",
"Strikethrough": "刪除線",
"Code block": "程式碼區塊",
"This invite to %(roomName)s was sent to %(email)s which is not associated with your account": "這個 %(roomName)s 的邀請已傳送給與您帳號無關聯的 %(email)s",
"Link this email with your account in Settings to receive invites directly in %(brand)s.": "在設定中連結此電子郵件與您的帳號以直接在 %(brand)s 中接收邀請。",
"This invite to %(roomName)s was sent to %(email)s": "此 %(roomName)s 的邀請已傳送給 %(email)s",
@ -1084,7 +1060,6 @@
"You have not ignored anyone.": "您尚未忽略任何人。",
"You are currently ignoring:": "您目前忽略了:",
"You are not subscribed to any lists": "您尚未訂閱任何清單",
"Unsubscribe": "取消訂閱",
"View rules": "檢視規則",
"You are currently subscribed to:": "您目前已訂閱:",
"⚠ These settings are meant for advanced users.": "⚠ 這些設定適用於進階使用者。",
@ -1096,9 +1071,7 @@
"Subscribed lists": "訂閱清單",
"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.": "如果您不想這樣,請使用其他工具來忽略使用者。",
"Subscribe": "訂閱",
"You have ignored this user, so their message is hidden. <a>Show anyways.</a>": "您已忽略這個使用者,所以他們的訊息會隱藏。<a>無論如何都顯示。</a>",
"Custom (%(level)s)": "自訂 (%(level)s)",
"Trusted": "受信任",
"Not trusted": "未受信任",
"Messages in this room are end-to-end encrypted.": "此聊天室內的訊息有端對端加密。",
@ -1179,7 +1152,6 @@
"Failed to find the following users": "找不到以下使用者",
"The following users might not exist or are invalid, and cannot be invited: %(csvNames)s": "以下使用者可能不存在或無效,且無法被邀請:%(csvNames)s",
"Lock": "鎖定",
"Restore": "還原",
"a few seconds ago": "數秒前",
"about a minute ago": "大約一分鐘前",
"%(num)s minutes ago": "%(num)s 分鐘前",
@ -1228,7 +1200,6 @@
"They match": "它們相符",
"They don't match": "它們不相符",
"To be secure, do this in person or use a trusted way to communicate.": "為了確保安全,請面對面進行驗證,或使用其他方式來通訊。",
"Review": "評論",
"This bridge was provisioned by <user />.": "此橋接是由 <user /> 設定。",
"Show less": "顯示更少",
"Your account has a cross-signing identity in secret storage, but it is not yet trusted by this session.": "您的帳號在秘密儲存空間中有交叉簽署的身分,但尚未被此工作階段信任。",
@ -1277,7 +1248,6 @@
"Restore your key backup to upgrade your encryption": "復原您的金鑰備份以升級您的加密",
"Upgrade this session to allow it to verify other sessions, granting them access to encrypted messages and marking them as trusted for other users.": "升級此工作階段以驗證其他工作階段,給予其他工作階段存取加密訊息的權限,並為其他使用者標記它們為受信任。",
"This session is encrypting history using the new recovery method.": "此工作階段正在使用新的復原方法加密歷史。",
"Mod": "版主",
"Encryption not enabled": "加密未啟用",
"The encryption used by this room isn't supported.": "不支援此聊天室使用的加密。",
"Verify this device to mark it as trusted. Trusting this device gives you and other users extra peace of mind when using end-to-end encrypted messages.": "驗證此裝置,並標記為可受信任。由您將裝置標記為可受信任後,可讓聊天夥伴傳送端到端加密訊息時能更加放心。",
@ -1383,7 +1353,6 @@
"Close dialog or context menu": "關閉對話框或內容選單",
"Activate selected button": "啟動已選取按鈕",
"Cancel autocomplete": "取消自動完成",
"Space": "群組空間",
"Confirm by comparing the following with the User Settings in your other session:": "透過將下列內容與您其他工作階段中的「使用者設定」所顯示的內容來確認:",
"Confirm this user's session by comparing the following with their User Settings:": "將以下內容與對方的「使用者設定」當中顯示的內容進行比對,來確認對方的工作階段:",
"If they don't match, the security of your communication may be compromised.": "如果它們不相符,則可能會威脅到您的通訊安全。",
@ -1571,7 +1540,6 @@
"Uploading logs": "正在上傳紀錄檔",
"Downloading logs": "正在下載紀錄檔",
"Preparing to download logs": "正在準備下載紀錄檔",
"Download logs": "下載紀錄檔",
"Unexpected server error trying to leave the room": "試圖離開聊天室時發生意外的伺服器錯誤",
"Error leaving room": "離開聊天室時發生錯誤",
"Set up Secure Backup": "設定安全備份",
@ -1579,7 +1547,6 @@
"You might enable this if the room will only be used for collaborating with internal teams on your homeserver. This cannot be changed later.": "如果聊天室僅用於與在您的家伺服器上的內部團隊協作的話,可以啟用此功能。這無法在稍後變更。",
"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.": "如果聊天室會用於與有自己家伺服器的外部團隊協作的話,可以停用此功能。這無法在稍後變更。",
"Block anyone not part of %(serverName)s from ever joining this room.": "阻止任何不屬於 %(serverName)s 的人加入此聊天室。",
"Privacy": "隱私",
"Prepends ( ͡° ͜ʖ ͡°) to a plain-text message": "把 ( ͡° ͜ʖ ͡°) 加在純文字訊息前",
"Unknown App": "未知的應用程式",
"Not encrypted": "未加密",
@ -1918,7 +1885,6 @@
"other": "使用 %(size)s 來儲存來自 %(rooms)s 個聊天室的訊息,在本機安全地快取已加密的訊息以使其出現在搜尋結果中。"
},
"Decline All": "全部拒絕",
"Approve": "批准",
"This widget would like to:": "這個小工具想要:",
"Approve widget permissions": "批准小工具權限",
"Use Ctrl + Enter to send a message": "使用 Ctrl + Enter 來傳送訊息",
@ -2108,8 +2074,6 @@
"Who are you working with?": "您與誰一起工作?",
"Skip for now": "現在跳過",
"Failed to create initial space rooms": "無法建立第一個聊天空間中的聊天室",
"Support": "支援",
"Random": "隨機",
"Welcome to <name/>": "歡迎加入 <name/>",
"%(count)s members": {
"one": "%(count)s 位成員",
@ -2216,7 +2180,6 @@
"Forgotten or lost all recovery methods? <a>Reset all</a>": "忘記或遺失了所有復原方法?<a>重設全部</a>",
"If you do, please note that none of your messages will be deleted, but the search experience might be degraded for a few moments whilst the index is recreated": "如果這樣做,請注意,您的訊息不會被刪除,但在重新建立索引時,搜尋體驗可能會降低片刻",
"View message": "檢視訊息",
"%(seconds)ss left": "剩 %(seconds)s 秒",
"Change server ACLs": "變更伺服器 ACL",
"You can select all or individual messages to retry or delete": "您可以選取全部或單獨的訊息來重試或刪除",
"Sending": "傳送中",
@ -2233,8 +2196,6 @@
"Pick rooms or conversations to add. This is just a space for you, no one will be informed. You can add more later.": "挑選要新增的聊天室或對話。這是專屬於您的空間,不會有人被通知。您稍後可以再新增更多。",
"What do you want to organise?": "您想要整理什麼?",
"You have no ignored users.": "您沒有忽略的使用者。",
"Play": "播放",
"Pause": "暫停",
"Select a room below first": "首先選取一個聊天室",
"Join the beta": "加入 Beta 測試",
"Leave the beta": "離開 Beta 測試",
@ -2251,7 +2212,6 @@
"We were unable to access your microphone. Please check your browser settings and try again.": "我們無法存取您的麥克風。請檢查您的瀏覽器設定並再試一次。",
"Unable to access your microphone": "無法存取您的麥克風",
"Your access token gives full access to your account. Do not share it with anyone.": "您的存取權杖可提供您帳號完整的存取權限。請勿分享給任何人。",
"Access Token": "存取權杖",
"Please enter a name for the space": "請輸入聊天空間名稱",
"Connecting": "連線中",
"Message search initialisation failed": "訊息搜尋初始化失敗",
@ -2555,7 +2515,6 @@
"Are you sure you want to exit during this export?": "您確定要從此匯出流程中退出嗎?",
"%(senderDisplayName)s sent a sticker.": "%(senderDisplayName)s 傳送了貼圖。",
"%(senderDisplayName)s changed the room avatar.": "%(senderDisplayName)s 變更了聊天室大頭照。",
"%(date)s at %(time)s": "%(date)s 於 %(time)s",
"Resetting your verification keys cannot be undone. After resetting, you won't have access to old encrypted messages, and any friends who have previously verified you will see security warnings until you re-verify with them.": "重設您的驗證金鑰將無法復原。重設後,您將無法存取舊的加密訊息,之前任何驗證過您的朋友也會看到安全警告,直到您重新驗證。",
"I'll verify later": "我稍後驗證",
"Verify with Security Key": "使用安全金鑰進行驗證",
@ -2606,7 +2565,6 @@
"Joining": "正在加入",
"Use high contrast": "使用高對比",
"Light high contrast": "亮色高對比",
"Rename": "重新命名",
"Select all": "全部選取",
"Deselect all": "取消選取",
"Sign out devices": {
@ -2978,7 +2936,6 @@
"Unable to load map": "無法載入地圖",
"Can't create a thread from an event with an existing relation": "無法從討論串既有的關係建立活動",
"Busy": "忙碌",
"If you've submitted a bug via GitHub, debug logs can help us track down the problem. ": "若您透過 GitHub 遞交錯誤,除錯紀錄檔可以協助我們追蹤問題。 ",
"Toggle Link": "切換連結",
"Toggle Code Block": "切換程式碼區塊",
"You are sharing your live location": "您正在分享您的即時位置",
@ -2994,12 +2951,7 @@
"other": "目前正在移除 %(count)s 個聊天室中的訊息"
},
"Share for %(duration)s": "分享 %(duration)s",
"%(value)sm": "%(value)sm",
"%(value)ss": "%(value)ss",
"%(value)sh": "%(value)sh",
"%(value)sd": "%(value)sd",
"%(timeRemaining)s left": "剩下 %(timeRemaining)s",
"Debug logs contain application usage data including your username, the IDs or aliases of the rooms you have visited, which UI elements you last interacted with, and the usernames of other users. They do not contain messages.": "除錯紀錄檔包含了應用程式使用資料,其中包括了您的使用者名稱、您造訪過的聊天室別名或 ID您先前與哪些使用者介面元素互動過以及其他使用者的使用者名稱。但不會包含任何訊息內容。",
"Next recently visited room or space": "下一個最近造訪過的聊天室或聊天空間",
"Previous recently visited room or space": "上一個最近造訪過的聊天室或群組空間",
"Event ID: %(eventId)s": "事件 ID%(eventId)s",
@ -3275,7 +3227,6 @@
"We're creating a room with %(names)s": "正在建立包含 %(names)s 的聊天室",
"Your server doesn't support disabling sending read receipts.": "您的伺服器不支援停用傳送讀取回條。",
"Share your activity and status with others.": "與他人分享您的活動與狀態。",
"Presence": "出席",
"Send read receipts": "傳送讀取回條",
"Last activity": "上次活動",
"Sessions": "工作階段",
@ -3295,7 +3246,6 @@
"Welcome": "歡迎",
"Show shortcut to welcome checklist above the room list": "在聊天室清單上方顯示歡迎新人檢核表的捷徑",
"Inactive sessions": "不活躍的工作階段",
"View all": "檢視全部",
"Verify your sessions for enhanced secure messaging or sign out from those you don't recognize or use anymore.": "請驗證您的工作階段來加強通訊安全,或將您不認識,或已不再使用的工作階段登出。",
"Unverified sessions": "未驗證的工作階段",
"Security recommendations": "安全建議",
@ -3314,7 +3264,6 @@
"Interactively verify by emoji": "透過表情符號互動來驗證",
"Manually verify by text": "透過文字手動驗證",
"Dont miss a thing by taking %(brand)s with you": "隨身攜帶 %(brand)s不錯過任何事情",
"Show": "顯示",
"<b>It's not recommended to add encryption to public rooms.</b> Anyone can find and join public rooms, so anyone can read messages in them. You'll get none of the benefits of encryption, and you won't be able to turn it off later. Encrypting messages in a public room will make receiving and sending messages slower.": "<b>不建議為公開聊天室新增加密。</b>任何人都可以找到並加入公開聊天室,所以任何人都可以閱讀其中的訊息。您將無法享受加密帶來的任何好處,且您將無法在稍後將其關閉。在公開聊天室中加密訊息將會讓接收與傳送訊息變慢。",
"Empty room (was %(oldName)s)": "空的聊天室(曾為 %(oldName)s",
"Inviting %(user)s and %(count)s others": {
@ -3386,8 +3335,6 @@
"Start %(brand)s calls": "開始 %(brand)s 通話",
"Fill screen": "填滿螢幕",
"Sorry — this call is currently full": "抱歉 — 此通話目前已滿",
"Underline": "底線",
"Italic": "義式斜體",
"resume voice broadcast": "恢復語音廣播",
"pause voice broadcast": "暫停語音廣播",
"Notifications silenced": "通知已靜音",
@ -3449,8 +3396,6 @@
"Error downloading image": "下載圖片時發生錯誤",
"Unable to show image due to error": "因為錯誤而無法顯示圖片",
"Go live": "開始直播",
"%(minutes)sm %(seconds)ss left": "剩餘 %(minutes)s 分鐘 %(seconds)s 秒",
"%(hours)sh %(minutes)sm %(seconds)ss left": "剩餘 %(hours)s 小時 %(minutes)s 分鐘 %(seconds)s 秒",
"That e-mail address or phone number is already in use.": "該電子郵件地址或電話號碼已被使用。",
"This means that you have all the keys needed to unlock your encrypted messages and confirm to other users that you trust this session.": "這代表了您擁有解鎖加密訊息所需的所有金鑰,並向其他使用者確認您信任此工作階段。",
"Verified sessions are anywhere you are using this account after entering your passphrase or confirming your identity with another verified session.": "已驗證的工作階段是在輸入安全密語,或透過另一個已驗證工作階段,確認您的身分後使用此帳號的任何地方。",
@ -3473,9 +3418,6 @@
"Too many attempts in a short time. Wait some time before trying again.": "短時間內嘗試太多次,請稍待一段時間後再嘗試。",
"Thread root ID: %(threadRootId)s": "討論串根 ID%(threadRootId)s",
"Change input device": "變更輸入裝置",
"%(minutes)sm %(seconds)ss": "%(minutes)s 分鐘 %(seconds)s 秒",
"%(hours)sh %(minutes)sm %(seconds)ss": "%(hours)s 小時 %(minutes)s 分鐘 %(seconds)s 秒",
"%(days)sd %(hours)sh %(minutes)sm %(seconds)ss": "%(days)s 天 %(hours)s 小時 %(minutes)s 分鐘 %(seconds)s 秒",
"<w>WARNING:</w> <description/>": "<w>警告:</w> <description/>",
"We were unable to start a chat with the other user.": "我們無法與其他使用者開始聊天。",
"Error starting verification": "開始驗證時發生錯誤",
@ -3518,7 +3460,6 @@
"Your current session is ready for secure messaging.": "您目前的工作階段已準備好安全通訊。",
"Text": "文字",
"Create a link": "建立連結",
"Link": "連結",
"Force 15s voice broadcast chunk length": "強制 15 秒語音廣播區塊長度",
"Sign out of %(count)s sessions": {
"one": "登出 %(count)s 個工作階段",
@ -3534,8 +3475,6 @@
"Can't start voice message": "無法開始語音訊息",
"Edit link": "編輯連結",
"Decrypted source unavailable": "已解密的來源不可用",
"Numbered list": "編號清單",
"Bulleted list": "項目符號清單",
"Connection error - Recording paused": "連線錯誤 - 已暫停錄音",
"%(senderName)s started a voice broadcast": "%(senderName)s 開始了語音廣播",
"%(displayName)s (%(matrixId)s)": "%(displayName)s (%(matrixId)s)",
@ -3546,8 +3485,6 @@
"Unable to play this voice broadcast": "無法播放此語音廣播",
"All messages and invites from this user will be hidden. Are you sure you want to ignore them?": "來自該使用者的所有訊息與邀請都將被隱藏。您確定要忽略它們嗎?",
"Ignore %(user)s": "忽略 %(user)s",
"Indent decrease": "減少縮排",
"Indent increase": "增加縮排",
"Unable to decrypt voice broadcast": "無法解密語音廣播",
"Thread Id: ": "討論串 ID ",
"Threads timeline": "討論串時間軸",
@ -3730,7 +3667,6 @@
"Email summary": "電子郵件摘要",
"Select which emails you want to send summaries to. Manage your emails in <button>General</button>.": "選取您要將摘要傳送到的電子郵件地址。請在<button>一般</button>中管理您的電子郵件地址。",
"Mentions and Keywords only": "僅提及與關鍵字",
"Proceed": "繼續",
"Show message preview in desktop notification": "在桌面通知顯示訊息預覽",
"I want to be notified for (Default Setting)": "我想收到相關的通知(預設設定)",
"Your server requires encryption to be disabled.": "您的伺服器必須停用加密。",
@ -3845,7 +3781,22 @@
"dark": "暗色",
"beta": "Beta",
"attachment": "附件",
"appearance": "外觀"
"appearance": "外觀",
"guest": "訪客",
"legal": "法律",
"credits": "感謝",
"faq": "常見問答集",
"access_token": "存取權杖",
"preferences": "偏好設定",
"presence": "出席",
"timeline": "時間軸",
"privacy": "隱私",
"camera": "相機",
"microphone": "麥克風",
"emoji": "表情符號",
"random": "隨機",
"support": "支援",
"space": "群組空間"
},
"action": {
"continue": "繼續",
@ -3917,7 +3868,24 @@
"back": "上一步",
"apply": "套用",
"add": "新增",
"accept": "接受"
"accept": "接受",
"disconnect": "中斷連線",
"change": "變更",
"subscribe": "訂閱",
"unsubscribe": "取消訂閱",
"approve": "批准",
"proceed": "繼續",
"complete": "完成",
"revoke": "撤回",
"rename": "重新命名",
"view_all": "檢視全部",
"show_all": "顯示全部",
"show": "顯示",
"review": "評論",
"restore": "還原",
"play": "播放",
"pause": "暫停",
"register": "註冊"
},
"a11y": {
"user_menu": "使用者選單"
@ -3983,5 +3951,54 @@
"default_cover_photo": "<photo>預設封面照片</photo>作者為 © <author>Jesús Roncero</author>,以 <terms>CC-BY-SA 4.0</terms> 授權使用。",
"twemoji_colr": "<colr>twemoji-colr</colr> 字型作者為 © <author>Mozilla 基金會</author>,以 <terms>Apache 2.0</terms> 授權使用。",
"twemoji": "<twemoji>Twemoji</twemoji> 表情符號藝術作者為 © <author>Twitter 公司與其他貢獻者</author>,以 <terms>CC-BY 4.0</terms> 授權使用。"
},
"composer": {
"format_bold": "粗體",
"format_italic": "義式斜體",
"format_underline": "底線",
"format_strikethrough": "刪除線",
"format_unordered_list": "項目符號清單",
"format_ordered_list": "編號清單",
"format_increase_indent": "增加縮排",
"format_decrease_indent": "減少縮排",
"format_inline_code": "代碼",
"format_code_block": "程式碼區塊",
"format_link": "連結"
},
"Bold": "粗體",
"Link": "連結",
"Code": "代碼",
"power_level": {
"default": "預設",
"restricted": "已限制",
"moderator": "版主",
"admin": "管理員",
"custom": "自訂 (%(level)s)",
"mod": "版主"
},
"bug_reporting": {
"introduction": "若您透過 GitHub 遞交錯誤,除錯紀錄檔可以協助我們追蹤問題。 ",
"description": "除錯紀錄檔包含了應用程式使用資料,其中包括了您的使用者名稱、您造訪過的聊天室別名或 ID您先前與哪些使用者介面元素互動過以及其他使用者的使用者名稱。但不會包含任何訊息內容。",
"matrix_security_issue": "要回報與 Matrix 有關的安全性問題,請閱讀 Matrix.org 的<a>安全性揭露政策</a>。",
"submit_debug_logs": "遞交除錯訊息",
"title": "錯誤回報",
"additional_context": "如果有其他有助於釐清問題的情境,如您當時正在做什麼,聊天室 ID、使用者 ID 等等,請在這裡加入這些資訊。",
"send_logs": "傳送紀錄檔",
"github_issue": "GitHub 議題",
"download_logs": "下載紀錄檔",
"before_submitting": "在遞交紀錄檔前,您必須<a>建立 GitHub 議題</a>以描述您的問題。"
},
"time": {
"hours_minutes_seconds_left": "剩餘 %(hours)s 小時 %(minutes)s 分鐘 %(seconds)s 秒",
"minutes_seconds_left": "剩餘 %(minutes)s 分鐘 %(seconds)s 秒",
"seconds_left": "剩 %(seconds)s 秒",
"date_at_time": "%(date)s 於 %(time)s",
"short_days": "%(value)sd",
"short_hours": "%(value)sh",
"short_minutes": "%(value)sm",
"short_seconds": "%(value)ss",
"short_days_hours_minutes_seconds": "%(days)s 天 %(hours)s 小時 %(minutes)s 分鐘 %(seconds)s 秒",
"short_hours_minutes_seconds": "%(hours)s 小時 %(minutes)s 分鐘 %(seconds)s 秒",
"short_minutes_seconds": "%(minutes)s 分鐘 %(seconds)s 秒"
}
}
}

View file

@ -63,7 +63,7 @@ export class OwnProfileStore extends AsyncStoreWithClient<IState> {
if (!this.matrixClient) return this.state.displayName || null;
if (this.matrixClient.isGuest()) {
return _t("Guest");
return _t("common|guest");
} else if (this.state.displayName) {
return this.state.displayName;
} else {

View file

@ -44,7 +44,7 @@ export const showToast = (deviceIds: Set<string>): void => {
icon: "verification_warning",
props: {
description: _t("Review to ensure your account is safe"),
acceptLabel: _t("Review"),
acceptLabel: _t("action|review"),
onAccept,
rejectLabel: _t("Later"),
onReject,

View file

@ -47,7 +47,7 @@ export const showToast = (
{errorText} {contactText}
</React.Fragment>
),
acceptLabel: _t("Ok"),
acceptLabel: _t("action|ok"),
onAccept: () => {
hideToast();
if (onHideToast) onHideToast();