Port more strings to translation keys (#11474)

* Port composer formatting strings to translation keys

```
replace "Bold" "composer|format_bold"
replace "Italic" "composer|format_italic"
replace "Underline" "composer|format_underline"
replace "Strikethrough" "composer|format_strikethrough"
replace "Bulleted list" "composer|format_unordered_list"
replace "Numbered list" "composer|format_ordered_list"
replace "Indent increase" "composer|format_increase_indent"
replace "Indent decrease" "composer|format_decrease_indent"
replace "Code" "composer|format_inline_code"
replace "Code block" "composer|format_code_block"
replace "Link" "composer|format_link"

copy "composer|format_bold" "Bold"
copy "composer|format_link" "Link"
copy "composer|format_inline_code" "Code"
```

* Port role strings to translation keys

```
copy "Default" "power_level|default"
copy "Restricted" "power_level|restricted"
copy "Moderator" "power_level|moderator"
copy "Admin" "power_level|admin"
```

* Port bug reporting strings to translation keys

```
replace "If you've submitted a bug via GitHub, debug logs can help us track down the problem. " "bug_reporting|introduction"
replace "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." "bug_reporting|description"
copy "To report a Matrix-related security issue, please read the Matrix.org <a>Security Disclosure Policy</a>." "bug_reporting|matrix_security_issue"
replace "Submit debug logs" "bug_reporting|submit_debug_logs"
replace "Bug reporting" "bug_reporting|title"
replace "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." "bug_reporting|additional_context"
replace "Send logs" "bug_reporting|send_logs"
replace "GitHub issue" "bug_reporting|github_issue"
replace "Download logs" "bug_reporting|download_logs"
copy "Before submitting logs, you must <a>create a GitHub issue</a> to describe your problem." "bug_reporting|before_submitting"
```

* i18n

* Port time duration strings to translation keys

```
replace "%(hours)sh %(minutes)sm %(seconds)ss left" "time|hours_minutes_seconds_left"
replace "%(minutes)sm %(seconds)ss left" "time|minutes_seconds_left"
replace "%(seconds)ss left" "time|seconds_left"
replace "%(date)s at %(time)s" "time|date_at_time"
replace "%(value)sd" "time|short_days"
replace "%(value)sh" "time|short_hours"
replace "%(value)sm" "time|short_minutes"
replace "%(value)ss" "time|short_seconds"
replace "%(days)sd %(hours)sh %(minutes)sm %(seconds)ss" "time|short_days_hours_minutes_seconds"
replace "%(hours)sh %(minutes)sm %(seconds)ss" "time|short_hours_minutes_seconds"
replace "%(minutes)sm %(seconds)ss" "time|short_minutes_seconds"
```

* i18n
pull/28788/head^2
Michael Telatynski 2023-08-31 08:35:34 +01:00 committed by GitHub
parent 2bc129b848
commit 9329b896b3
No known key found for this signature in database
GPG Key ID: 4AEE18F83AFDEB23
65 changed files with 1786 additions and 1043 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"),
};
}

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

@ -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

@ -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

@ -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) => (

View File

@ -16,7 +16,6 @@
"Collecting app version information": "تجميع المعلومات حول نسخة التطبيق",
"Changelog": "سِجل التغييرات",
"Waiting for response from server": "في انتظار الرد مِن الخادوم",
"Send logs": "إرسال السِجلات",
"Thank you!": "شكرًا !",
"Call invitation": "دعوة لمحادثة",
"Developer Tools": "أدوات التطوير",
@ -468,10 +467,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.": "تستمر المحادثة هنا.",
@ -524,8 +520,6 @@
"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>.",
@ -1256,7 +1250,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.": "لا يمكنك إجراء المكالمات في هذا المتصفّح.",
@ -1343,5 +1336,26 @@
},
"keyboard": {
"number": "[رقم]"
},
"composer": {
"format_bold": "ثخين",
"format_strikethrough": "مشطوب",
"format_code_block": "كتلة برمجية"
},
"Bold": "ثخين",
"power_level": {
"default": "المبدئي",
"restricted": "مقيد",
"moderator": "مشرف",
"admin": "مدير"
},
"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

@ -259,5 +259,11 @@
},
"keyboard": {
"home": "Başlanğıc"
},
"power_level": {
"default": "Varsayılan olaraq",
"restricted": "Məhduddur",
"moderator": "Moderator",
"admin": "Administrator"
}
}

View File

@ -401,8 +401,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 +431,6 @@
"Collecting logs": "Събиране на логове",
"All Rooms": "Във всички стаи",
"Wednesday": "Сряда",
"Send logs": "Изпращане на логове",
"All messages": "Всички съобщения",
"Call invitation": "Покана за разговор",
"Messages containing my display name": "Съобщения, съдържащи моя псевдоним",
@ -627,7 +624,6 @@
"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": "Настройки",
@ -792,9 +788,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": "Липсват данни за сесията",
@ -988,10 +982,7 @@
"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) до администратора на сървъра. Ако съобщенията в стаята са шифровани, администратора няма да може да прочете текста им или да види снимките или файловете.",
@ -1577,7 +1568,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 не поддържа търсенето в шифровани съобщения",
@ -1982,11 +1972,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": "Не може да се прехвърли обаждането",
@ -2130,5 +2115,36 @@
"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": "Администратор"
},
"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

@ -361,7 +361,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 +393,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?",
@ -662,5 +660,15 @@
},
"keyboard": {
"home": "Inici"
},
"power_level": {
"default": "Predeterminat",
"restricted": "Restringit",
"moderator": "Moderador",
"admin": "Administrador"
},
"bug_reporting": {
"submit_debug_logs": "Enviar logs de depuració",
"send_logs": "Envia els registres"
}
}

View File

@ -417,7 +417,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 +461,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 +469,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,7 +519,6 @@
"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",
@ -821,9 +817,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",
@ -981,10 +975,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.",
@ -1483,7 +1474,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í:",
@ -2214,7 +2204,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í",
@ -2555,7 +2544,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.",
@ -2977,7 +2965,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 +2980,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",
@ -3388,8 +3370,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 +3429,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 +3451,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 +3493,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 +3507,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 +3518,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",
@ -3988,5 +3958,52 @@
"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"
},
"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

@ -95,7 +95,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 +127,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?",
@ -661,7 +659,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",
@ -722,5 +719,18 @@
"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"
},
"bug_reporting": {
"submit_debug_logs": "Indsend debug-logfiler",
"send_logs": "Send logs"
},
"time": {
"date_at_time": "%(date)s om %(time)s"
}
}

View File

@ -401,8 +401,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 +433,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",
@ -626,7 +623,6 @@
"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",
@ -809,7 +805,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",
@ -1185,10 +1180,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",
@ -1306,7 +1298,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",
@ -1571,7 +1562,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",
@ -2211,7 +2201,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": {
@ -2581,7 +2570,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.",
@ -2978,7 +2966,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 +2982,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 +3093,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.",
@ -3388,8 +3370,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 +3429,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 +3451,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 +3493,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 +3507,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 +3518,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",
@ -3988,5 +3958,52 @@
"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"
},
"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

@ -271,7 +271,6 @@
"Collecting logs": "Συγκέντρωση πληροφοριών",
"All Rooms": "Όλα τα δωμάτια",
"Wednesday": "Τετάρτη",
"Send logs": "Αποστολή πληροφοριών",
"All messages": "Όλα τα μηνύματα",
"Call invitation": "Πρόσκληση σε κλήση",
"What's new?": "Τι νέο υπάρχει;",
@ -738,7 +737,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 +801,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": "Φωνητικό μήνυμα",
@ -1365,10 +1360,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": "μη αποθηκευμένο",
@ -1517,9 +1508,6 @@
"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>.",
@ -1576,7 +1564,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": "Μη κρυπτογραφημένο",
@ -1688,7 +1675,6 @@
"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.": "Ο διακομιστής σας δε φαίνεται να υποστηρίζει αυτήν τη δυνατότητα.",
@ -1827,7 +1813,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",
@ -2274,7 +2259,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": "Προετοιμασία λήψης αρχείων καταγραφής",
@ -2770,8 +2754,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 και τον διαχειριστή πρόσθετων.",
@ -3296,5 +3278,39 @@
"control": "Ctrl",
"shift": "Shift",
"number": "[αριθμός]"
},
"composer": {
"format_bold": "Έντονα",
"format_strikethrough": "Διαγράμμιση",
"format_inline_code": "Κωδικός",
"format_code_block": "Μπλοκ κώδικα"
},
"Bold": "Έντονα",
"Code": "Κωδικός",
"power_level": {
"default": "Προεπιλογή",
"restricted": "Περιορισμένο/η",
"moderator": "Συντονιστής",
"admin": "Διαχειριστής"
},
"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

@ -145,17 +145,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,10 +226,12 @@
"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",
"power_level": {
"default": "Default",
"restricted": "Restricted",
"moderator": "Moderator",
"admin": "Admin"
},
"Custom (%(level)s)": "Custom (%(level)s)",
"Failed to invite": "Failed to invite",
"Operation failed": "Operation failed",
@ -773,6 +777,7 @@
"Usage": "Usage",
"Messages": "Messages",
"Actions": "Actions",
"Admin": "Admin",
"Advanced": "Advanced",
"Effects": "Effects",
"Other": "Other",
@ -1166,6 +1171,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",
@ -1335,11 +1341,18 @@
"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",
@ -1777,9 +1790,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 +1997,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 +2621,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",
@ -3214,6 +3226,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",

View File

@ -296,7 +296,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?",
@ -402,9 +401,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",
@ -458,5 +454,19 @@
},
"keyboard": {
"home": "Home"
},
"power_level": {
"default": "Default",
"restricted": "Restricted",
"moderator": "Moderator",
"admin": "Admin"
},
"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

@ -397,7 +397,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 +425,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",
@ -566,7 +564,6 @@
"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",
@ -610,7 +607,6 @@
"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)",
@ -815,9 +811,7 @@
"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",
@ -971,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?": "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",
@ -1578,7 +1569,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",
@ -2193,7 +2183,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",
@ -2522,7 +2511,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 +2652,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",
@ -2964,5 +2943,42 @@
"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"
},
"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

@ -225,7 +225,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 +256,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 +356,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",
@ -668,7 +665,6 @@
"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",
@ -1111,9 +1107,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 +1177,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",
@ -1470,7 +1461,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.",
@ -2224,7 +2214,6 @@
"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.",
@ -2547,7 +2536,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",
@ -2965,7 +2953,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 +2981,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 +3019,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",
@ -3355,8 +3337,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 +3375,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 +3389,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 +3436,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 +3459,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 +3496,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…",
@ -3789,5 +3759,52 @@
},
"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"
},
"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

@ -862,7 +862,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.",
@ -951,10 +950,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 +1010,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",
@ -1195,7 +1190,6 @@
"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",
@ -1324,8 +1318,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",
@ -1532,7 +1524,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 +1562,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",
@ -2216,7 +2206,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",
@ -2554,7 +2543,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.",
@ -2976,7 +2964,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 +2979,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",
@ -3388,8 +3370,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 +3429,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 +3451,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 +3494,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 +3507,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 +3516,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",
@ -3983,5 +3953,52 @@
"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"
},
"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

@ -401,8 +401,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 +433,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",
@ -674,7 +671,6 @@
"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",
@ -834,7 +830,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 +863,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.",
@ -992,10 +986,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.",
@ -1639,5 +1630,28 @@
"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"
},
"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": "دعوت به تماس",
@ -822,11 +821,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": "بارگیری و نمایش پیام‌ها با مشکل مواجه شد",
@ -1223,11 +1219,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.": "گفتگو در اینجا ادامه دارد.",
@ -1974,7 +1966,6 @@
"Start authentication": "آغاز فرآیند احراز هویت",
"Something went wrong in confirming your identity. Cancel and try again.": "تائید هویت شما با مشکل مواجه شد. لطفا فرآیند را لغو کرده و مجددا اقدام نمائید.",
"Submit": "ارسال",
"Code": "کد",
"This room is public": "این اتاق عمومی است",
"Avatar": "نمایه",
"Join the beta": "اضافه‌شدن به نسخه‌ی بتا",
@ -2092,8 +2083,6 @@
"Versions": "نسخه‌ها",
"FAQ": "سوالات پرتکرار",
"Help & About": "کمک و درباره‌ی‌ ما",
"Submit debug logs": "ارسال لاگ مشکل",
"Bug reporting": "گزارش مشکل",
"Credits": "اعتبارها",
"Legal": "قانونی",
"General": "عمومی",
@ -2291,7 +2280,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 +2327,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": "نمایش نوار کناری",
@ -2635,5 +2619,37 @@
"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": "ادمین"
},
"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

@ -415,7 +415,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",
@ -596,7 +595,6 @@
"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",
@ -670,7 +668,6 @@
"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",
@ -746,7 +743,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",
@ -856,9 +852,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ä",
@ -962,10 +956,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",
@ -1542,7 +1533,6 @@
"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.",
@ -2068,7 +2058,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",
@ -2259,7 +2248,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.",
@ -2613,8 +2601,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 +2793,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.",
@ -3130,8 +3114,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 +3240,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 +3249,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 +3261,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 +3283,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 +3347,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",
@ -3582,5 +3554,50 @@
"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ä"
},
"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

@ -401,8 +401,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 +432,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",
@ -626,7 +623,6 @@
"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",
@ -797,9 +793,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",
@ -971,10 +965,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é",
@ -1583,7 +1574,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",
@ -2216,7 +2206,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",
@ -2555,7 +2544,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",
@ -2977,7 +2965,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 +3022,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",
@ -3388,8 +3370,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 +3429,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 +3454,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 +3493,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 +3507,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 +3518,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",
@ -3983,5 +3953,52 @@
"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"
},
"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

@ -296,9 +296,7 @@
"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ú",
@ -316,7 +314,6 @@
"Phone": "Guthán",
"Email": "Ríomhphost",
"Submit": "Cuir isteach",
"Code": "Cód",
"Home": "Tús",
"Favourite": "Cuir mar ceanán",
"Summary": "Achoimre",
@ -740,5 +737,18 @@
"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"
}
}

View File

@ -401,8 +401,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 +434,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?",
@ -596,7 +593,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",
@ -924,7 +920,6 @@
"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",
@ -1054,9 +1049,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 +1160,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!",
@ -1261,7 +1253,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…",
@ -1571,7 +1562,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",
@ -2216,7 +2206,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",
@ -2563,7 +2552,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",
@ -2992,11 +2980,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 +3022,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",
@ -3347,11 +3329,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",
@ -3506,5 +3483,44 @@
"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"
},
"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,7 +27,6 @@
"Dec": "דצמבר",
"PM": "PM",
"AM": "AM",
"Submit debug logs": "צרף לוגים",
"Online": "מקוון",
"Register": "צור חשבון",
"Rooms": "חדרים",
@ -70,7 +69,6 @@
"All Rooms": "כל החדרים",
"State Key": "מקש מצב",
"Wednesday": "רביעי",
"Send logs": "שלח יומנים",
"All messages": "כל ההודעות",
"Call invitation": "הזמנה לשיחה",
"What's new?": "מה חדש?",
@ -932,10 +930,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": "מתכונן להורדת יומנים",
@ -1277,10 +1272,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.": "השיחה נמשכת כאן.",
@ -1510,7 +1502,6 @@
"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>.",
@ -1656,7 +1647,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": "אסימון שגוי",
@ -2102,7 +2092,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.": "המכשיר שלך מוגדר כעת כמאומת. יש לו גישה להודעות המוצפנות שלך ומשתמשים אחרים יראו אותו כמכשיר מהימן.",
@ -2223,10 +2212,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,8 +2281,6 @@
"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": "נוכחות",
@ -2628,9 +2611,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",
@ -2779,5 +2759,41 @@
"alt": "ALT",
"control": "CTRL",
"shift": "הזזה"
},
"composer": {
"format_bold": "מודגש",
"format_strikethrough": "קו חוצה",
"format_inline_code": "קוד",
"format_code_block": "בלוק קוד"
},
"Bold": "מודגש",
"Code": "קוד",
"power_level": {
"default": "ברירת מחדל",
"restricted": "מחוץ לתחום",
"moderator": "מנהל",
"admin": "אדמין"
},
"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

@ -354,8 +354,6 @@
"Credits": "क्रेडिट",
"Check for update": "अपडेट के लिये जांचें",
"Help & About": "सहायता और के बारे में",
"Bug reporting": "बग रिपोर्टिंग",
"Submit debug logs": "डिबग लॉग जमा करें",
"FAQ": "सामान्य प्रश्न",
"Versions": "संस्करण",
"Notifications": "सूचनाएं",
@ -554,11 +552,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": "स्थानांतरण विफल",
@ -635,5 +628,22 @@
"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

@ -401,8 +401,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 +431,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",
@ -626,7 +623,6 @@
"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",
@ -797,9 +793,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",
@ -971,10 +965,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",
@ -1574,7 +1565,6 @@
"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.",
@ -2217,7 +2207,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",
@ -2548,7 +2537,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",
@ -2978,7 +2966,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 +3022,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.",
@ -3370,8 +3352,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 +3429,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 +3472,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 +3493,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 +3507,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 +3518,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ő: ",
@ -3887,5 +3857,52 @@
"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"
},
"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

@ -123,7 +123,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?",
@ -510,7 +509,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 +556,6 @@
"Toolbox": "Kotak Peralatan",
"expand": "buka",
"collapse": "tutup",
"Code": "Kode",
"Refresh": "Muat Ulang",
"%(oneUser)sleft %(count)s times": {
"one": "%(oneUser)skeluar",
@ -634,9 +631,7 @@
"Activities": "Aktivitas",
"Trusted": "Dipercayai",
"Accepting…": "Menerima…",
"Strikethrough": "Coret",
"Italics": "Miring",
"Bold": "Tebal",
"Complete": "Selesai",
"Subscribe": "Berlangganan",
"Unsubscribe": "Berhenti Berlangganan",
@ -733,7 +728,6 @@
"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 +743,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 +779,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",
@ -1507,7 +1499,6 @@
"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 +1659,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.",
@ -1974,8 +1964,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 +2966,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 +2981,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",
@ -3388,8 +3370,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 +3428,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 +3451,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 +3493,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 +3507,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 +3518,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",
@ -3988,5 +3958,52 @@
"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"
},
"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,7 +125,6 @@
"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á",
@ -142,8 +141,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",
@ -357,7 +354,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.",
@ -394,9 +390,7 @@
"Activities": "Afþreying",
"Document": "Skjal",
"Complete": "Fullklára",
"Strikethrough": "Yfirstrikletrað",
"Italics": "Skáletrað",
"Bold": "Feitletrað",
"Disconnect": "Aftengjast",
"Revoke": "Afturkalla",
"Discovery": "Uppgötvun",
@ -478,7 +472,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",
@ -995,7 +988,6 @@
"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",
@ -1021,7 +1013,6 @@
"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",
@ -1399,7 +1390,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...",
@ -1759,7 +1749,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 +2138,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 +2545,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",
@ -3090,11 +3073,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 +3120,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í.",
@ -3373,5 +3346,48 @@
"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"
},
"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

@ -212,7 +212,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 +355,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",
@ -433,7 +431,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",
@ -706,7 +703,6 @@
"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",
@ -826,9 +822,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",
@ -988,10 +982,7 @@
"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",
@ -1571,7 +1562,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",
@ -2216,7 +2206,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",
@ -2530,7 +2519,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",
@ -2978,7 +2966,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 +2981,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",
@ -3386,8 +3368,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 +3429,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 +3461,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 +3490,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 +3508,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 +3516,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",
@ -3988,5 +3958,52 @@
"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"
},
"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

@ -20,7 +20,6 @@
"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",
@ -68,7 +67,6 @@
"Preparing to send logs": "ログを送信する準備をしています",
"Toolbox": "ツールボックス",
"State Key": "ステートキー",
"Send logs": "ログを送信",
"What's new?": "新着",
"Logs sent": "ログが送信されました",
"Show message in desktop notification": "デスクトップ通知にメッセージの内容を表示",
@ -294,7 +292,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": "メールアドレス",
@ -659,7 +656,6 @@
"Credits": "クレジット",
"For help with using %(brand)s, click <a>here</a>.": "%(brand)sの使用方法に関するヘルプは<a>こちら</a>をご覧ください。",
"Help & About": "ヘルプと概要",
"Bug reporting": "不具合の報告",
"FAQ": "よくある質問",
"Versions": "バージョン",
"Voice & Video": "音声とビデオ",
@ -715,7 +711,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": "ローカルアドレス",
@ -1395,8 +1390,6 @@
"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": "メッセージを編集",
@ -1892,8 +1885,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": "通話中",
@ -1952,7 +1943,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": "固定メッセージ",
@ -2730,7 +2720,6 @@
"Unnamed audio": "名前のない音声",
"e.g. my-space": "例my-space",
"Silence call": "サイレントモード",
"%(seconds)ss left": "残り%(seconds)s秒",
"Move right": "右に移動",
"Move left": "左に移動",
"Rotate Right": "右に回転",
@ -2897,7 +2886,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 +2898,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 +2914,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,8 +3054,6 @@
"You will no longer be able to log in": "ログインできなくなります",
"Friends and family": "友達と家族",
"Minimise": "最小化",
"Underline": "下線",
"Italic": "斜字体",
"Joining…": "参加しています…",
"Show Labs settings": "ラボの設定を表示",
"Private room": "非公開ルーム",
@ -3123,8 +3105,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がビデオ通話を始めました",
@ -3242,7 +3222,6 @@
"Unverified session": "未認証のセッション",
"Community ownership": "コミュニティーの手に",
"Text": "テキスト",
"Link": "リンク",
"Freedom": "自由",
"%(count)s sessions selected": {
"one": "%(count)s個のセッションを選択済",
@ -3279,9 +3258,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 +3268,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 +3392,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 +3422,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 +3448,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.": "ライブ配信を終了してよろしいですか?配信を終了し、録音をこのルームで利用できるよう設定します。",
@ -3783,5 +3753,52 @@
"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": "管理者"
},
"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

@ -398,5 +398,11 @@
},
"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"
}
}

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

@ -97,8 +97,6 @@
"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",
@ -150,7 +148,6 @@
"Source URL": "URL aɣbalu",
"Home": "Agejdan",
"powered by Matrix": "s lmendad n Matrix",
"Code": "Tangalt",
"Submit": "Azen",
"Email": "Imayl",
"Phone": "Tiliɣri",
@ -540,8 +537,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 +693,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",
@ -1161,7 +1155,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 +1480,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 +1527,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.",
@ -2011,5 +2001,29 @@
"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"
},
"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

@ -274,7 +274,6 @@
"Toolbox": "도구 상자",
"Collecting logs": "로그 수집 중",
"All Rooms": "모든 방",
"Send logs": "로그 보내기",
"All messages": "모든 메시지",
"Call invitation": "전화 초대",
"What's new?": "새로운 점은?",
@ -324,7 +323,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 +414,6 @@
"Failed to copy": "복사 실패함",
"Stickerpack": "스티커 팩",
"You don't currently have any stickerpacks enabled": "현재 사용하고 있는 스티커 팩이 없음",
"Code": "코드",
"Filter results": "필터 결과",
"Muted Users": "음소거된 사용자",
"Delete Widget": "위젯 삭제",
@ -702,7 +699,6 @@
"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": "항상 윈도우 메뉴 막대에 보이기",
@ -829,9 +825,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": "모든 데이터 지우기",
@ -970,10 +964,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 서버 연결 끊기",
@ -1401,5 +1392,27 @@
},
"keyboard": {
"home": "홈"
},
"composer": {
"format_bold": "굵게",
"format_strikethrough": "취소선",
"format_inline_code": "코드",
"format_code_block": "코드 블록"
},
"Bold": "굵게",
"Code": "코드",
"power_level": {
"default": "기본",
"restricted": "제한됨",
"moderator": "조정자",
"admin": "관리자"
},
"bug_reporting": {
"submit_debug_logs": "디버그 로그 전송하기",
"title": "버그 신고하기",
"additional_context": "언제, 방 ID, 사용자 ID 등, 문제 분석에 도움이 되는 추가 문맥이 있다면, 그것들도 여기에 포함해주세요.",
"send_logs": "로그 보내기",
"github_issue": "GitHub 이슈",
"before_submitting": "로그를 전송하기 전에, 문제를 설명하는 <a>GitHub 이슈를 만들어야 합니다</a>."
}
}

View File

@ -670,8 +670,6 @@
"Thumbs up": "ຍົກໂປ້",
"Santa": "ຊານຕາ",
"Ready": "ຄວາມພ້ອມ/ພ້ອມ",
"Code block": "ບລັອກລະຫັດ",
"Strikethrough": "ບຸກທະລຸ",
"Italics": "ໂຕໜັງສືອຽງ",
"Home options": "ຕົວເລືອກໜ້າຫຼັກ",
"%(spaceName)s menu": "ເມນູ %(spaceName)s",
@ -1640,7 +1638,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": "ໂທເຄັນບໍ່ຖືກຕ້ອງ",
@ -2535,7 +2532,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": "ວັນອັງຄານ",
@ -2942,10 +2938,6 @@
"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>.",
@ -2973,11 +2965,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": "ກຳລັງກະກຽມດາວໂຫຼດບັນທຶກ",
@ -3038,10 +3026,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 +3035,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 ແບບໃໝ່",
@ -3123,7 +3106,6 @@
"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.": "ການສົນທະນາສືບຕໍ່ຢູ່ທີ່ນີ້.",
@ -3313,5 +3295,39 @@
"control": "ປຸ່ມ Ctrl",
"shift": "ປຸ່ມShift",
"number": "[ຕົວເລກ]"
},
"composer": {
"format_bold": "ຕົວໜາ",
"format_strikethrough": "ບຸກທະລຸ",
"format_inline_code": "ລະຫັດ",
"format_code_block": "ບລັອກລະຫັດ"
},
"Bold": "ຕົວໜາ",
"Code": "ລະຫັດ",
"power_level": {
"default": "ຄ່າເລີ່ມຕົ້ນ",
"restricted": "ຖືກຈຳກັດ",
"moderator": "ຜູ້ດຳເນິນລາຍການ",
"admin": "ບໍລິຫານ"
},
"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",
@ -159,7 +158,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į",
@ -283,7 +281,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.",
@ -919,7 +916,6 @@
"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>.",
@ -1014,7 +1010,6 @@
"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",
@ -1026,7 +1021,6 @@
"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",
@ -1402,7 +1396,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",
@ -1707,7 +1700,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",
@ -2004,8 +1996,6 @@
"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 +2285,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ą…",
@ -2354,10 +2340,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",
@ -2526,5 +2508,39 @@
"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"
},
"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

@ -385,7 +385,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 +401,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 +432,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",
@ -1495,7 +1492,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"
@ -1836,5 +1832,22 @@
},
"keyboard": {
"home": "Mājup"
},
"composer": {
"format_inline_code": "Kods"
},
"Code": "Kods",
"power_level": {
"default": "Noklusējuma",
"restricted": "Ierobežots",
"moderator": "Moderators",
"admin": "Administrators"
},
"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

@ -36,7 +36,6 @@
"Wednesday": "ബുധന്‍",
"You cannot delete this message. (%(code)s)": "നിങ്ങള്‍ക്ക് ഈ സന്ദേശം നീക്കം ചെയ്യാനാകില്ല. (%(code)s)",
"Send": "അയയ്ക്കുക",
"Send logs": "നാള്‍വഴി അയയ്ക്കുക",
"All messages": "എല്ലാ സന്ദേശങ്ങളും",
"Call invitation": "വിളിയ്ക്കുന്നു",
"What's new?": "എന്തൊക്കെ പുതിയ വിശേഷങ്ങള്‍ ?",
@ -77,5 +76,8 @@
"close": "അടയ്ക്കുക",
"cancel": "റദ്ദാക്കുക",
"back": "തിരികെ"
},
"bug_reporting": {
"send_logs": "നാള്‍വഴി അയയ്ക്കുക"
}
}

View File

@ -226,9 +226,7 @@
"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",
@ -277,7 +275,6 @@
"Document": "Dokument",
"Cancel All": "Avbryt alt",
"Home": "Hjem",
"Code": "Kode",
"Submit": "Send",
"Email": "E-post",
"Phone": "Telefon",
@ -367,7 +364,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",
@ -544,7 +540,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 +562,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 +622,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",
@ -1459,7 +1451,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.",
@ -1594,5 +1585,29 @@
"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"
},
"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

@ -403,8 +403,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 +430,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",
@ -656,7 +653,6 @@
"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",
@ -797,9 +793,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",
@ -986,10 +980,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",
@ -1727,7 +1718,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",
@ -2214,7 +2204,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",
@ -2524,7 +2513,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",
@ -2930,10 +2918,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 +3032,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",
@ -3359,8 +3341,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",
@ -3589,5 +3569,41 @@
"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"
},
"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,7 +240,6 @@
"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",
@ -351,8 +350,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",
@ -616,7 +613,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 +637,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",
@ -790,7 +783,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>.",
@ -914,7 +906,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",
@ -1014,13 +1005,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",
@ -1101,5 +1085,36 @@
},
"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"
},
"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",
@ -138,7 +137,6 @@
"Unencrypted": "Pas chifrat",
"Hangup": "Penjar",
"Italics": "Italicas",
"Strikethrough": "Raiat",
"Historical": "Istoric",
"Sign Up": "Sinscriure",
"Sort by": "Triar per",
@ -308,5 +306,15 @@
"alt": "Alt",
"control": "Ctrl",
"shift": "Descalatge"
},
"composer": {
"format_bold": "Gras",
"format_strikethrough": "Raiat"
},
"Bold": "Gras",
"power_level": {
"default": "Predefinit",
"moderator": "Moderator",
"admin": "Admin"
}
}

View File

@ -259,7 +259,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 +310,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 +341,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,7 +611,6 @@
"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",
@ -962,9 +958,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",
@ -1261,13 +1255,11 @@
"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…",
@ -1698,7 +1690,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",
@ -1985,7 +1976,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",
@ -2197,8 +2187,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"
@ -2226,15 +2214,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:",
@ -2762,13 +2741,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 +3096,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.",
@ -3965,5 +3935,52 @@
"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"
},
"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

@ -299,7 +299,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 +342,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 +552,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.",
@ -771,5 +758,28 @@
},
"keyboard": {
"home": "Início"
},
"power_level": {
"default": "Padrão",
"restricted": "Restrito",
"moderator": "Moderador/a",
"admin": "Administrador"
},
"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

@ -426,7 +426,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 +512,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",
@ -704,7 +701,6 @@
"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",
@ -1138,8 +1134,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",
@ -1312,10 +1306,7 @@
"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.",
@ -1577,7 +1568,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.",
@ -2171,7 +2161,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.",
@ -2385,7 +2374,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",
@ -2553,8 +2541,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 +2626,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 +2734,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",
@ -2903,5 +2878,47 @@
"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"
},
"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

@ -401,8 +401,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 +431,6 @@
"Toolbox": "Панель инструментов",
"Collecting logs": "Сбор журналов",
"Invite to this room": "Пригласить в комнату",
"Send logs": "Отправить журналы",
"All messages": "Все сообщения",
"Call invitation": "Звонки",
"State Key": "Ключ состояния",
@ -711,7 +708,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": "Изменить разрешения",
@ -788,9 +784,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.": "Проверить этого пользователя, чтобы отметить его, как доверенного. Доверенные пользователи дают вам больше уверенности при использовании шифрованных сообщений.",
@ -998,10 +992,7 @@
"Deactivate user?": "Деактивировать пользователя?",
"Deactivate user": "Деактивировать пользователя",
"Remove recent messages": "Удалить последние сообщения",
"Bold": "Жирный",
"Italics": "Курсив",
"Strikethrough": "Перечёркнутый",
"Code block": "Блок кода",
"%(count)s unread messages.": {
"other": "%(count)s непрочитанных сообщения(-й).",
"one": "1 непрочитанное сообщение."
@ -1570,7 +1561,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": "Настроить безопасное резервное копирование",
@ -2368,7 +2358,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 других предварительных просмотров"
@ -2551,7 +2540,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.": "Сброс ключей проверки нельзя отменить. После сброса вы не сможете получить доступ к старым зашифрованным сообщениям, а друзья, которые ранее проверили вас, будут видеть предупреждения о безопасности, пока вы не пройдете повторную проверку.",
@ -2984,10 +2972,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 +3008,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 +3175,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.": "Обратите внимание: это временная реализация функции. Это означает, что вы не сможете удалить свою историю местоположений, а опытные пользователи смогут просмотреть вашу историю местоположений даже после того, как вы перестанете делиться своим местоположением в этой комнате.",
@ -3358,8 +3340,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 +3351,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 +3408,6 @@
"Error starting verification": "Ошибка при запуске подтверждения",
"Text": "Текст",
"Create a link": "Создать ссылку",
"Link": "Ссылка",
"Close call": "Закрыть звонок",
"Change layout": "Изменить расположение",
"Spotlight": "Освещение",
@ -3468,9 +3445,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 +3457,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": "Красный",
@ -3670,5 +3640,52 @@
"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": "Администратор"
},
"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

@ -399,8 +399,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 +430,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",
@ -704,7 +701,6 @@
"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",
@ -1143,9 +1139,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",
@ -1993,7 +1987,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 +2180,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 +2203,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 +2349,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 +2369,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 +2507,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 +2956,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 +2980,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ť",
@ -3386,8 +3368,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 +3429,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 +3451,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 +3493,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 +3507,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 +3518,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: ",
@ -3983,5 +3953,52 @@
"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"
},
"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

@ -19,14 +19,6 @@
"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",
@ -67,5 +59,15 @@
"confirm": "Potrdi",
"dismiss": "Opusti",
"sign_in": "Prijava"
},
"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",
@ -186,7 +184,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",
@ -623,7 +620,6 @@
"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",
@ -804,7 +800,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 +841,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.",
@ -970,10 +964,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",
@ -1568,7 +1559,6 @@
"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",
@ -2208,7 +2198,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ë",
@ -2550,7 +2539,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",
@ -2969,7 +2957,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 +2971,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 +2979,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 +3262,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",
@ -3464,14 +3444,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 +3484,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 +3498,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 +3522,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",
@ -3876,5 +3846,52 @@
"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"
},
"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

@ -428,7 +428,6 @@
"All Rooms": "Све собе",
"State Key": "Кључ стања",
"Wednesday": "Среда",
"Send logs": "Пошаљи записнике",
"All messages": "Све поруке",
"Call invitation": "Позивница за позив",
"Messages containing my display name": "Поруке које садрже моје приказно име",
@ -451,11 +450,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": "Очисти складиште и одјави ме",
@ -1345,5 +1342,19 @@
"keyboard": {
"home": "Почетна",
"alt": "Алт"
},
"composer": {
"format_inline_code": "Код"
},
"Code": "Код",
"power_level": {
"default": "Подразумевано",
"restricted": "Ограничено",
"moderator": "Модератор",
"admin": "Админ"
},
"bug_reporting": {
"submit_debug_logs": "Пошаљи записнике за поправљање грешака",
"send_logs": "Пошаљи записнике"
}
}

View File

@ -56,9 +56,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",
@ -98,5 +95,16 @@
"dismiss": "Odbaci",
"trust": "Vjeruj",
"sign_in": "Prijavite 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

@ -204,7 +204,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 +287,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",
@ -654,7 +651,6 @@
"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",
@ -747,7 +743,6 @@
"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.",
@ -844,10 +839,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?": "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",
@ -1374,8 +1366,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?",
@ -2214,7 +2204,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": {
@ -2524,7 +2513,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.",
@ -2952,10 +2940,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 +2958,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 +3271,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",
@ -3341,9 +3321,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 +3350,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",
@ -3509,7 +3484,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 +3507,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 +3532,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å",
@ -3923,5 +3893,52 @@
"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"
},
"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": "இல்லை",
@ -148,5 +147,8 @@
"close": "மூடு",
"cancel": "ரத்து",
"back": "பின்"
},
"bug_reporting": {
"send_logs": "பதிவுகளை அனுப்பு"
}
}

View File

@ -93,7 +93,6 @@
"All Rooms": "అన్ని గదులు",
"Wednesday": "బుధవారం",
"Send": "పంపండి",
"Send logs": "నమోదును పంపు",
"All messages": "అన్ని సందేశాలు",
"Call invitation": "మాట్లాడడానికి ఆహ్వానం",
"Invite to this room": "ఈ గదికి ఆహ్వానించండి",
@ -132,5 +131,12 @@
"cancel": "రద్దు",
"add": "చేర్చు",
"accept": "అంగీకరించు"
},
"power_level": {
"default": "డిఫాల్ట్",
"admin": "అడ్మిన్"
},
"bug_reporting": {
"send_logs": "నమోదును పంపు"
}
}

View File

@ -208,7 +208,6 @@
"Collecting logs": "กำลังรวบรวมล็อก",
"All Rooms": "ทุกห้อง",
"Wednesday": "วันพุธ",
"Send logs": "ส่งล็อก",
"All messages": "ทุกข้อความ",
"Call invitation": "คำเชิญเข้าร่วมการโทร",
"What's new?": "มีอะไรใหม่?",
@ -243,10 +242,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 +388,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": "ไม่พบไมโครโฟน",
@ -484,5 +475,27 @@
},
"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

@ -269,7 +269,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 +384,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 +446,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",
@ -613,7 +610,6 @@
"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ı",
@ -689,9 +685,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",
@ -757,7 +751,6 @@
"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",
@ -1073,7 +1066,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.",
@ -1684,7 +1676,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ı",
@ -1741,7 +1732,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 +1845,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ı",
@ -2037,5 +2026,31 @@
"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"
},
"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

@ -78,7 +78,6 @@
"Wednesday": "Середа",
"You cannot delete this message. (%(code)s)": "Ви не можете видалити це повідомлення. (%(code)s)",
"Send": "Надіслати",
"Send logs": "Надіслати журнали",
"All messages": "Усі повідомлення",
"Call invitation": "Запрошення до виклику",
"State Key": "Ключ стану",
@ -509,8 +508,6 @@
"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": "ЧаПи",
@ -1343,7 +1340,6 @@
"Published Addresses": "Загальнодоступні адреси",
"Room Addresses": "Адреси кімнати",
"Error downloading audio": "Помилка завантаження аудіо",
"Download logs": "Завантажити журнали",
"Preparing to download logs": "Приготування до завантаження журналів",
"Download %(text)s": "Завантажити %(text)s",
"Error downloading theme information.": "Помилка завантаження відомостей теми.",
@ -1462,7 +1458,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 +1489,6 @@
"Confirm Removal": "Підтвердити вилучення",
"Removing…": "Вилучення…",
"Notes": "Примітки",
"GitHub issue": "Обговорення на GitHub",
"Close dialog": "Закрити діалогове вікно",
"Invite anyway": "Усе одно запросити",
"Invite anyway and never warn me again": "Усе одно запросити й більше не попереджати",
@ -1739,7 +1733,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 +1843,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…": "Надіслати відповідь…",
@ -2176,7 +2166,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": "Встановити мій вигляд кімнати всім",
@ -2549,7 +2538,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": "Сервер не попросив увійти",
@ -2978,7 +2966,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 +2980,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.",
@ -3386,8 +3368,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 +3429,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 +3451,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 +3493,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 +3507,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 +3518,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": "Стрічка гілок",
@ -3983,5 +3953,52 @@
"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": "Адміністратор"
},
"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

@ -195,7 +195,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",
@ -453,7 +452,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",
@ -803,11 +801,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",
@ -1365,11 +1359,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.",
@ -1485,7 +1475,6 @@
"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>.",
@ -2542,7 +2531,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",
@ -2815,10 +2803,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 +2886,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",
@ -3113,7 +3092,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 +3121,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 +3134,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 +3175,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 +3193,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ữ",
@ -3376,7 +3349,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.",
@ -3686,5 +3658,50 @@
},
"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"
},
"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

@ -328,8 +328,6 @@
"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:",
@ -645,10 +643,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,7 +737,6 @@
"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",
@ -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

@ -309,7 +309,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 +323,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 +424,6 @@
"All Rooms": "全部房间",
"Wednesday": "星期三",
"You cannot delete this message. (%(code)s)": "你无法删除这条消息。(%(code)s)",
"Send logs": "发送日志",
"All messages": "全部消息",
"Call invitation": "当受到通话邀请时",
"State Key": "状态键State Key",
@ -677,7 +674,6 @@
"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": "偏好",
@ -1109,10 +1105,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": "使用一个账户加入对话",
@ -1312,9 +1305,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.": "删除交叉签名密钥是永久的。所有你验证过的人都会看到安全警报。除非你丢失了所有可以交叉签名的设备,否则几乎可以确定你不想这么做。",
@ -1558,7 +1549,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.": "从聊天中附加文件或将文件拖放到房间的任何地方。",
@ -2183,7 +2173,6 @@
"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.": "你没有设置忽略用户。",
@ -2555,7 +2544,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": "我稍后进行验证",
@ -2836,10 +2824,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 +2901,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实验性",
@ -3353,11 +3335,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呼叫",
@ -3573,5 +3550,44 @@
"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": "管理员"
},
"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

@ -400,8 +400,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 +431,6 @@
"Collecting logs": "收集記錄檔",
"All Rooms": "所有聊天室",
"What's New": "新鮮事",
"Send logs": "傳送紀錄檔",
"All messages": "所有訊息",
"Call invitation": "接到通話邀請時",
"State Key": "狀態金鑰",
@ -625,7 +622,6 @@
"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": "偏好設定",
@ -795,9 +791,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": "遺失工作階段資料",
@ -983,10 +977,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",
@ -1571,7 +1562,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": "設定安全備份",
@ -2216,7 +2206,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": "傳送中",
@ -2555,7 +2544,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": "使用安全金鑰進行驗證",
@ -2978,7 +2966,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 +2981,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",
@ -3386,8 +3368,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 +3429,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 +3451,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 +3493,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 +3508,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 +3518,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": "討論串時間軸",
@ -3983,5 +3953,52 @@
"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": "管理員"
},
"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 秒"
}
}
}