Merge branch 'jryans/rename-strings' into 'element'

Update brand name using variable in all strings

See merge request new-vector/element/element-web/matrix-react-sdk!3
This commit is contained in:
J. Ryan Stinnett 2020-07-13 12:23:28 +00:00
commit c77b312fd3
88 changed files with 1478 additions and 6896 deletions

View file

@ -66,7 +66,10 @@ const customVariables = {
},
'App Version': {
id: 2,
expl: _td('The version of Riot'),
expl: _td('The version of %(brand)s'),
getTextVariables: () => ({
brand: SdkConfig.get().brand,
}),
example: '15.0.0',
},
'User Type': {
@ -96,7 +99,10 @@ const customVariables = {
},
'Touch Input': {
id: 8,
expl: _td("Whether you're using Riot on a device where touch is the primary input mechanism"),
expl: _td("Whether you're using %(brand)s on a device where touch is the primary input mechanism"),
getTextVariables: () => ({
brand: SdkConfig.get().brand,
}),
example: 'false',
},
'Breadcrumbs': {
@ -106,7 +112,10 @@ const customVariables = {
},
'Installed PWA': {
id: 10,
expl: _td("Whether you're using Riot as an installed Progressive Web App"),
expl: _td("Whether you're using %(brand)s as an installed Progressive Web App"),
getTextVariables: () => ({
brand: SdkConfig.get().brand,
}),
example: 'false',
},
};
@ -356,12 +365,17 @@ class Analytics {
Modal.createTrackedDialog('Analytics Details', '', ErrorDialog, {
title: _t('Analytics'),
description: <div className="mx_AnalyticsModal">
<div>
{ _t('The information being sent to us to help make Riot better includes:') }
</div>
<div>{_t('The information being sent to us to help make %(brand)s better includes:', {
brand: SdkConfig.get().brand,
})}</div>
<table>
{ rows.map((row) => <tr key={row[0]}>
<td>{ _t(customVariables[row[0]].expl) }</td>
<td>{_t(
customVariables[row[0]].expl,
customVariables[row[0]].getTextVariables ?
customVariables[row[0]].getTextVariables() :
null,
)}</td>
{ row[1] !== undefined && <td><code>{ row[1] }</code></td> }
</tr>) }
{ otherVariables.map((item, index) =>

View file

@ -2,6 +2,7 @@
Copyright 2015, 2016 OpenMarket Ltd
Copyright 2017 Vector Creations Ltd
Copyright 2017 New Vector Ltd
Copyright 2020 The Matrix.org Foundation C.I.C.
Licensed under the Apache License, Version 2.0 (the "License");
you may not use this file except in compliance with the License.
@ -16,7 +17,8 @@ See the License for the specific language governing permissions and
limitations under the License.
*/
import {MatrixClientPeg} from './MatrixClientPeg';
import { MatrixClientPeg } from './MatrixClientPeg';
import SdkConfig from './SdkConfig';
import PlatformPeg from './PlatformPeg';
import * as TextForEvent from './TextForEvent';
import Analytics from './Analytics';
@ -226,10 +228,11 @@ const Notifier = {
if (result !== 'granted') {
// The permission request was dismissed or denied
// TODO: Support alternative branding in messaging
const brand = SdkConfig.get().brand;
const description = result === 'denied'
? _t('Riot does not have permission to send you notifications - ' +
'please check your browser settings')
: _t('Riot was not given permission to send notifications - please try again');
? _t('%(brand)s does not have permission to send you notifications - ' +
'please check your browser settings', { brand })
: _t('%(brand)s was not given permission to send notifications - please try again', { brand });
const ErrorDialog = sdk.getComponent('dialogs.ErrorDialog');
Modal.createTrackedDialog('Unable to enable Notifications', result, ErrorDialog, {
title: _t('Unable to enable Notifications'),

View file

@ -1,6 +1,6 @@
/*
Copyright 2016 OpenMarket Ltd
Copyright 2019 The Matrix.org Foundation C.I.C.
Copyright 2019, 2020 The Matrix.org Foundation C.I.C.
Licensed under the Apache License, Version 2.0 (the "License");
you may not use this file except in compliance with the License.
@ -20,6 +20,8 @@ export interface ConfigOptions {
}
export const DEFAULTS: ConfigOptions = {
// Brand name of the app
brand: "Element",
// URL to a page we show in an iframe to configure integrations
integrations_ui_url: "https://scalar.vector.im/",
// Base URL to the REST interface of the integrations server

View file

@ -18,6 +18,7 @@ import React from 'react';
import * as sdk from '../../../../index';
import PropTypes from 'prop-types';
import { _t } from '../../../../languageHandler';
import SdkConfig from '../../../../SdkConfig';
import SettingsStore, {SettingLevel} from "../../../../settings/SettingsStore";
import Modal from '../../../../Modal';
@ -134,8 +135,10 @@ export default class ManageEventIndexDialog extends React.Component {
};
render() {
let crawlerState;
const brand = SdkConfig.get().brand;
const Field = sdk.getComponent('views.elements.Field');
let crawlerState;
if (this.state.currentRoom === null) {
crawlerState = _t("Not currently indexing messages for any room.");
} else {
@ -144,17 +147,15 @@ export default class ManageEventIndexDialog extends React.Component {
);
}
const Field = sdk.getComponent('views.elements.Field');
const doneRooms = Math.max(0, (this.state.roomCount - this.state.crawlingRoomsCount));
const eventIndexingSettings = (
<div>
{
_t( "Riot is securely caching encrypted messages locally for them " +
"to appear in search results:",
)
}
{_t(
"%(brand)s is securely caching encrypted messages locally for them " +
"to appear in search results:",
{ brand },
)}
<div className='mx_SettingsTab_subsectionText'>
{crawlerState}<br />
{_t("Space used:")} {formatBytes(this.state.eventIndexSize, 0)}<br />

View file

@ -1,7 +1,7 @@
/*
Copyright 2015, 2016 OpenMarket Ltd
Copyright 2019 Michael Telatynski <7t3chguy@gmail.com>
Copyright 2019 The Matrix.org Foundation C.I.C.
Copyright 2019, 2020 The Matrix.org Foundation C.I.C.
Licensed under the Apache License, Version 2.0 (the "License");
you may not use this file except in compliance with the License.
@ -20,6 +20,7 @@ import React from 'react';
import createReactClass from 'create-react-class';
import PropTypes from 'prop-types';
import { _t } from '../../languageHandler';
import SdkConfig from '../../SdkConfig';
export default createReactClass({
displayName: 'CompatibilityPage',
@ -38,14 +39,25 @@ export default createReactClass({
},
render: function() {
const brand = SdkConfig.get().brand;
return (
<div className="mx_CompatibilityPage">
<div className="mx_CompatibilityPage_box">
<p>{ _t("Sorry, your browser is <b>not</b> able to run Riot.", {}, { 'b': (sub) => <b>{sub}</b> }) } </p>
<p>{_t(
"Sorry, your browser is <b>not</b> able to run %(brand)s.",
{
brand,
},
{
'b': (sub) => <b>{sub}</b>,
})
}</p>
<p>
{ _t(
"Riot uses many advanced browser features, some of which are not available " +
"%(brand)s uses many advanced browser features, some of which are not available " +
"or experimental in your current browser.",
{ brand },
) }
</p>
<p>

View file

@ -1445,16 +1445,18 @@ export default class MatrixChat extends React.PureComponent<IProps, IState> {
const ErrorDialog = sdk.getComponent("dialogs.ErrorDialog");
switch (type) {
case 'CRYPTO_WARNING_OLD_VERSION_DETECTED':
const brand = SdkConfig.get().brand;
Modal.createTrackedDialog('Crypto migrated', '', ErrorDialog, {
title: _t('Old cryptography data detected'),
description: _t(
"Data from an older version of Riot has been detected. " +
"Data from an older version of %(brand)s has been detected. " +
"This will have caused end-to-end cryptography to malfunction " +
"in the older version. End-to-end encrypted messages exchanged " +
"recently whilst using the older version may not be decryptable " +
"in this version. This may also cause messages exchanged with this " +
"version to fail. If you experience problems, log out and back in " +
"again. To retain message history, export and re-import your keys.",
{ brand },
),
});
break;
@ -1819,7 +1821,7 @@ export default class MatrixChat extends React.PureComponent<IProps, IState> {
} else {
subtitle = `${this.subTitleStatus} ${subtitle}`;
}
document.title = `${SdkConfig.get().brand || 'Riot'} ${subtitle}`;
document.title = `${SdkConfig.get().brand} ${subtitle}`;
}
updateStatusIndicator(state: string, prevState: string) {

View file

@ -1,6 +1,7 @@
/*
Copyright 2017 Vector Creations Ltd
Copyright 2019 Michael Telatynski <7t3chguy@gmail.com>
Copyright 2020 The Matrix.org Foundation C.I.C.
Licensed under the Apache License, Version 2.0 (the "License");
you may not use this file except in compliance with the License.
@ -19,6 +20,7 @@ import React from 'react';
import createReactClass from 'create-react-class';
import * as sdk from '../../index';
import { _t } from '../../languageHandler';
import SdkConfig from '../../SdkConfig';
import dis from '../../dispatcher/dispatcher';
import AccessibleButton from '../views/elements/AccessibleButton';
import MatrixClientContext from "../../contexts/MatrixClientContext";
@ -60,6 +62,7 @@ export default createReactClass({
},
render: function() {
const brand = SdkConfig.get().brand;
const Loader = sdk.getComponent("elements.Spinner");
const SimpleRoomHeader = sdk.getComponent('rooms.SimpleRoomHeader');
const GroupTile = sdk.getComponent("groups.GroupTile");
@ -77,7 +80,8 @@ export default createReactClass({
<div className="mx_MyGroups_microcopy">
<p>
{ _t(
"Did you know: you can use communities to filter your Riot.im experience!",
"Did you know: you can use communities to filter your %(brand)s experience!",
{ brand },
) }
</p>
<p>

View file

@ -1,7 +1,7 @@
/*
Copyright 2015, 2016 OpenMarket Ltd
Copyright 2019 Michael Telatynski <7t3chguy@gmail.com>
Copyright 2019 The Matrix.org Foundation C.I.C.
Copyright 2019, 2020 The Matrix.org Foundation C.I.C.
Licensed under the Apache License, Version 2.0 (the "License");
you may not use this file except in compliance with the License.
@ -25,6 +25,7 @@ import Modal from "../../Modal";
import { linkifyAndSanitizeHtml } from '../../HtmlUtils';
import PropTypes from 'prop-types';
import { _t } from '../../languageHandler';
import SdkConfig from '../../SdkConfig';
import { instanceForInstanceId, protocolNameForInstanceId } from '../../utils/DirectoryUtils';
import Analytics from '../../Analytics';
import {getHttpUriForMxc} from "matrix-js-sdk/src/content-repo";
@ -74,7 +75,7 @@ export default createReactClass({
this.protocols = response;
this.setState({protocolsLoading: false});
}, (err) => {
console.warn(`error loading thirdparty protocols: ${err}`);
console.warn(`error loading third party protocols: ${err}`);
this.setState({protocolsLoading: false});
if (MatrixClientPeg.get().isGuest()) {
// Guests currently aren't allowed to use this API, so
@ -83,10 +84,12 @@ export default createReactClass({
return;
}
track('Failed to get protocol list from homeserver');
const brand = SdkConfig.get().brand;
this.setState({
error: _t(
'Riot failed to get the protocol list from the homeserver. ' +
'%(brand)s failed to get the protocol list from the homeserver. ' +
'The homeserver may be too old to support third party networks.',
{ brand },
),
});
});
@ -173,12 +176,13 @@ export default createReactClass({
console.error("Failed to get publicRooms: %s", JSON.stringify(err));
track('Failed to get public room list');
const brand = SdkConfig.get().brand;
this.setState({
loading: false,
error:
`${_t('Riot failed to get the public room list.')} ` +
`${(err && err.message) ? err.message : _t('The homeserver may be unavailable or overloaded.')}`
,
error: (
_t('%(brand)s failed to get the public room list.', { brand }) +
(err && err.message) ? err.message : _t('The homeserver may be unavailable or overloaded.')
),
});
});
},
@ -314,9 +318,10 @@ export default createReactClass({
const fields = protocolName ? this._getFieldsForThirdPartyLocation(alias, this.protocols[protocolName], instance) : null;
if (!fields) {
const ErrorDialog = sdk.getComponent("dialogs.ErrorDialog");
const brand = SdkConfig.get().brand;
Modal.createTrackedDialog('Unable to join network', '', ErrorDialog, {
title: _t('Unable to join network'),
description: _t('Riot does not know how to join a room on this network'),
description: _t('%(brand)s does not know how to join a room on this network', { brand }),
});
return;
}

View file

@ -17,6 +17,7 @@ limitations under the License.
import React from 'react';
import PropTypes from 'prop-types';
import { _t } from '../../../languageHandler';
import SdkConfig from '../../../SdkConfig';
import { MatrixClientPeg } from '../../../MatrixClientPeg';
import * as sdk from '../../../index';
import {
@ -131,6 +132,8 @@ export default class SetupEncryptionBody extends React.Component {
</AccessibleButton>;
}
const brand = SdkConfig.get().brand;
return (
<div>
<p>{_t(
@ -138,17 +141,18 @@ export default class SetupEncryptionBody extends React.Component {
"granting it access to encrypted messages.",
)}</p>
<p>{_t(
"This requires the latest Riot on your other devices:",
"This requires the latest %(brand)s on your other devices:",
{ brand },
)}</p>
<div className="mx_CompleteSecurity_clients">
<div className="mx_CompleteSecurity_clients_desktop">
<div>Riot Web</div>
<div>Riot Desktop</div>
<div>{_t("%(brand)s Web", { brand })}</div>
<div>{_t("%(brand)s Desktop", { brand })}</div>
</div>
<div className="mx_CompleteSecurity_clients_mobile">
<div>Riot iOS</div>
<div>Riot X for Android</div>
<div>{_t("%(brand)s iOS", { brand })}</div>
<div>{_t("%(brand)s X for Android", { brand })}</div>
</div>
<p>{_t("or another cross-signing capable Matrix client")}</p>
</div>

View file

@ -1,5 +1,6 @@
/*
Copyright 2018 New Vector Ltd
Copyright 2020 The Matrix.org Foundation C.I.C.
Licensed under the Apache License, Version 2.0 (the "License");
you may not use this file except in compliance with the License.
@ -18,9 +19,12 @@ import React from 'react';
import * as sdk from '../../../index';
import dis from '../../../dispatcher/dispatcher';
import { _t } from '../../../languageHandler';
import SdkConfig from '../../../SdkConfig';
import Modal from '../../../Modal';
export default (props) => {
const brand = SdkConfig.get().brand;
const _onLogoutClicked = () => {
const QuestionDialog = sdk.getComponent("dialogs.QuestionDialog");
Modal.createTrackedDialog('Logout e2e db too new', '', QuestionDialog, {
@ -28,7 +32,8 @@ export default (props) => {
description: _t(
"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 " +
"Riot to do this",
"%(brand)s to do this",
{ brand },
),
button: _t("Sign out"),
focus: false,
@ -42,9 +47,12 @@ export default (props) => {
};
const description =
_t("You've previously used a newer version of Riot with this session. " +
_t(
"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.");
"need to sign out and back in again.",
{ brand },
);
const BaseDialog = sdk.getComponent('views.dialogs.BaseDialog');
const DialogButtons = sdk.getComponent('views.elements.DialogButtons');

View file

@ -1,5 +1,5 @@
/*
Copyright 2019 The Matrix.org Foundation C.I.C.
Copyright 2019, 2020 The Matrix.org Foundation C.I.C.
Licensed under the Apache License, Version 2.0 (the "License");
you may not use this file except in compliance with the License.
@ -17,6 +17,7 @@ limitations under the License.
import React from 'react';
import PropTypes from 'prop-types';
import {_t} from "../../../languageHandler";
import SdkConfig from "../../../SdkConfig";
import * as sdk from "../../../index";
export default class IntegrationsImpossibleDialog extends React.Component {
@ -29,6 +30,7 @@ export default class IntegrationsImpossibleDialog extends React.Component {
};
render() {
const brand = SdkConfig.get().brand;
const BaseDialog = sdk.getComponent('views.dialogs.BaseDialog');
const DialogButtons = sdk.getComponent('views.elements.DialogButtons');
@ -39,8 +41,9 @@ export default class IntegrationsImpossibleDialog extends React.Component {
<div className='mx_IntegrationsImpossibleDialog_content'>
<p>
{_t(
"Your Riot doesn't allow you to use an Integration Manager to do this. " +
"Your %(brand)s doesn't allow you to use an Integration Manager to do this. " +
"Please contact an admin.",
{ brand },
)}
</p>
</div>

View file

@ -17,6 +17,7 @@ limitations under the License.
import React, {useState, useCallback, useRef} from 'react';
import * as sdk from '../../../index';
import { _t } from '../../../languageHandler';
import SdkConfig from '../../../SdkConfig';
export default function KeySignatureUploadFailedDialog({
failures,
@ -65,9 +66,10 @@ export default function KeySignatureUploadFailedDialog({
let body;
if (!success && !cancelled && continuation && retry > 0) {
const reason = causes.get(source) || defaultCause;
const brand = SdkConfig.get().brand;
body = (<div>
<p>{_t("Riot encountered an error during upload of:")}</p>
<p>{_t("%(brand)s encountered an error during upload of:", { brand })}</p>
<p>{reason}</p>
{retrying && <Spinner />}
<pre>{JSON.stringify(failures, null, 2)}</pre>

View file

@ -1,5 +1,6 @@
/*
Copyright 2018 New Vector Ltd
Copyright 2020 The Matrix.org Foundation C.I.C.
Licensed under the Apache License, Version 2.0 (the "License");
you may not use this file except in compliance with the License.
@ -17,17 +18,28 @@ limitations under the License.
import React from 'react';
import QuestionDialog from './QuestionDialog';
import { _t } from '../../../languageHandler';
import SdkConfig from '../../../SdkConfig';
export default (props) => {
const description1 =
_t("You've previously used Riot 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, " +
"Riot needs to resync your account.",
{host: props.host});
const description2 = _t("If the other version of Riot is still open in another tab, " +
"please close it as using Riot on the same host with both " +
"lazy loading enabled and disabled simultaneously will cause issues.");
const brand = SdkConfig.get().brand;
const description1 = _t(
"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.",
{
brand,
host: props.host,
},
);
const description2 = _t(
"If the other version of %(brand)s is still open in another tab, " +
"please close it as using %(brand)s on the same host with both " +
"lazy loading enabled and disabled simultaneously will cause issues.",
{
brand,
},
);
return (<QuestionDialog
hasCancelButton={false}

View file

@ -1,5 +1,6 @@
/*
Copyright 2018 New Vector Ltd
Copyright 2020 The Matrix.org Foundation C.I.C.
Licensed under the Apache License, Version 2.0 (the "License");
you may not use this file except in compliance with the License.
@ -17,15 +18,21 @@ limitations under the License.
import React from 'react';
import QuestionDialog from './QuestionDialog';
import { _t } from '../../../languageHandler';
import SdkConfig from '../../../SdkConfig';
export default (props) => {
const brand = SdkConfig.get().brand;
const description =
_t("Riot now uses 3-5x less memory, by only loading information about other users"
+ " when needed. Please wait whilst we resynchronise with the server!");
_t(
"%(brand)s now uses 3-5x less memory, by only loading information " +
"about other users when needed. Please wait whilst we resynchronise " +
"with the server!",
{ brand },
);
return (<QuestionDialog
hasCancelButton={false}
title={_t("Updating Riot")}
title={_t("Updating %(brand)s", { brand })}
description={<div>{description}</div>}
button={_t("OK")}
onFinished={props.onFinished}

View file

@ -1,5 +1,5 @@
/*
Copyright 2019 The Matrix.org Foundation C.I.C.
Copyright 2019, 2020 The Matrix.org Foundation C.I.C.
Licensed under the Apache License, Version 2.0 (the "License");
you may not use this file except in compliance with the License.
@ -17,6 +17,7 @@ limitations under the License.
import React from 'react';
import PropTypes from 'prop-types';
import {_t} from "../../../languageHandler";
import SdkConfig from "../../../SdkConfig";
import * as sdk from "../../../index";
import LabelledToggleSwitch from "../elements/LabelledToggleSwitch";
import {MatrixClientPeg} from "../../../MatrixClientPeg";
@ -63,6 +64,7 @@ export default class RoomUpgradeWarningDialog extends React.Component {
};
render() {
const brand = SdkConfig.get().brand;
const BaseDialog = sdk.getComponent('views.dialogs.BaseDialog');
const DialogButtons = sdk.getComponent('views.elements.DialogButtons');
@ -96,8 +98,11 @@ export default class RoomUpgradeWarningDialog extends React.Component {
<p>
{_t(
"This usually only affects how the room is processed on the server. If you're " +
"having problems with your Riot, please <a>report a bug</a>.",
{}, {
"having problems with your %(brand)s, please <a>report a bug</a>.",
{
brand,
},
{
"a": (sub) => {
return <a href='#' onClick={this._openBugReportDialog}>{sub}</a>;
},

View file

@ -1,6 +1,7 @@
/*
Copyright 2017 Vector Creations Ltd
Copyright 2018 New Vector Ltd
Copyright 2020 The Matrix.org Foundation C.I.C.
Licensed under the Apache License, Version 2.0 (the "License");
you may not use this file except in compliance with the License.
@ -56,6 +57,7 @@ export default createReactClass({
},
render: function() {
const brand = SdkConfig.get().brand;
const BaseDialog = sdk.getComponent('views.dialogs.BaseDialog');
const DialogButtons = sdk.getComponent('views.elements.DialogButtons');
@ -94,9 +96,10 @@ export default createReactClass({
<p>{ _t("We encountered an error trying to restore your previous session.") }</p>
<p>{ _t(
"If you have previously used a more recent version of Riot, your session " +
"If you have previously used a more recent version of %(brand)s, your session " +
"may be incompatible with this version. Close this window and return " +
"to the more recent version.",
{ brand },
) }</p>
<p>{ _t(

View file

@ -1,7 +1,7 @@
/*
Copyright 2017 Vector Creations Ltd
Copyright 2018, 2019 New Vector Ltd
Copyright 2019 The Matrix.org Foundation C.I.C.
Copyright 2019, 2020 The Matrix.org Foundation C.I.C.
Licensed under the Apache License, Version 2.0 (the "License");
you may not use this file except in compliance with the License.
@ -21,6 +21,7 @@ import PropTypes from 'prop-types';
import url from 'url';
import * as sdk from '../../../index';
import { _t } from '../../../languageHandler';
import SdkConfig from '../../../SdkConfig';
import WidgetUtils from "../../../utils/WidgetUtils";
import {MatrixClientPeg} from "../../../MatrixClientPeg";
@ -76,6 +77,7 @@ export default class AppPermission extends React.Component {
}
render() {
const brand = SdkConfig.get().brand;
const AccessibleButton = sdk.getComponent("views.elements.AccessibleButton");
const MemberAvatar = sdk.getComponent("views.avatars.MemberAvatar");
const BaseAvatar = sdk.getComponent("views.avatars.BaseAvatar");
@ -96,7 +98,7 @@ export default class AppPermission extends React.Component {
<li>{_t("Your avatar URL")}</li>
<li>{_t("Your user ID")}</li>
<li>{_t("Your theme")}</li>
<li>{_t("Riot URL")}</li>
<li>{_t("%(brand)s URL", { brand })}</li>
<li>{_t("Room ID")}</li>
<li>{_t("Widget ID")}</li>
</ul>

View file

@ -24,6 +24,7 @@ import {SCAN_QR_CODE_METHOD} from "matrix-js-sdk/src/crypto/verification/QRCode"
import VerificationQRCode from "../elements/crypto/VerificationQRCode";
import {_t} from "../../../languageHandler";
import SdkConfig from "../../../SdkConfig";
import E2EIcon from "../rooms/E2EIcon";
import {
PHASE_UNSENT,
@ -63,9 +64,15 @@ export default class VerificationPanel extends React.PureComponent {
const showSAS = request.otherPartySupportsMethod(verificationMethods.SAS);
const showQR = request.otherPartySupportsMethod(SCAN_QR_CODE_METHOD);
const AccessibleButton = sdk.getComponent('elements.AccessibleButton');
const brand = SdkConfig.get().brand;
const noCommonMethodError = !showSAS && !showQR ?
<p>{_t("The session you are trying to verify doesn't support scanning a QR code or emoji verification, which is what Riot supports. Try with a different client.")}</p> :
<p>{_t(
"The session you are trying to verify doesn't support scanning a " +
"QR code or emoji verification, which is what %(brand)s supports. Try " +
"with a different client.",
{ brand },
)}</p> :
null;
if (this.props.layout === 'dialog') {

View file

@ -1,7 +1,7 @@
/*
Copyright 2015, 2016 OpenMarket Ltd
Copyright 2017 Vector Creations Ltd
Copyright 2019 The Matrix.org Foundation C.I.C.
Copyright 2019, 2020 The Matrix.org Foundation C.I.C.
Licensed under the Apache License, Version 2.0 (the "License");
you may not use this file except in compliance with the License.
@ -24,6 +24,7 @@ import {MatrixClientPeg} from '../../../MatrixClientPeg';
import dis from '../../../dispatcher/dispatcher';
import classNames from 'classnames';
import { _t } from '../../../languageHandler';
import SdkConfig from "../../../SdkConfig";
import IdentityAuthClient from '../../../IdentityAuthClient';
const MessageCase = Object.freeze({
@ -282,6 +283,7 @@ export default createReactClass({
},
render: function() {
const brand = SdkConfig.get().brand;
const Spinner = sdk.getComponent('elements.Spinner');
const AccessibleButton = sdk.getComponent('elements.AccessibleButton');
@ -398,7 +400,8 @@ export default createReactClass({
);
subTitle = _t(
"Link this email with your account in Settings to receive invites " +
"directly in Riot.",
"directly in %(brand)s.",
{ brand },
);
primaryActionLabel = _t("Join the discussion");
primaryActionHandler = this.props.onJoinClick;
@ -413,7 +416,8 @@ export default createReactClass({
},
);
subTitle = _t(
"Use an identity server in Settings to receive invites directly in Riot.",
"Use an identity server in Settings to receive invites directly in %(brand)s.",
{ brand },
);
primaryActionLabel = _t("Join the discussion");
primaryActionHandler = this.props.onJoinClick;
@ -428,7 +432,8 @@ export default createReactClass({
},
);
subTitle = _t(
"Share this email in Settings to receive invites directly in Riot.",
"Share this email in Settings to receive invites directly in %(brand)s.",
{ brand },
);
primaryActionLabel = _t("Join the discussion");
primaryActionHandler = this.props.onJoinClick;

View file

@ -17,6 +17,7 @@ limitations under the License.
import React from 'react';
import { _t } from '../../../languageHandler';
import SdkConfig from "../../../SdkConfig";
import * as sdk from '../../../index';
import Modal from '../../../Modal';
import SettingsStore, {SettingLevel} from "../../../settings/SettingsStore";
@ -121,6 +122,7 @@ export default class EventIndexPanel extends React.Component {
render() {
let eventIndexingSettings = null;
const InlineSpinner = sdk.getComponent('elements.InlineSpinner');
const brand = SdkConfig.get().brand;
if (EventIndexPeg.get() !== null) {
eventIndexingSettings = (
@ -165,11 +167,13 @@ export default class EventIndexPanel extends React.Component {
eventIndexingSettings = (
<div className='mx_SettingsTab_subsectionText'>
{
_t( "Riot is missing some components required for securely " +
_t( "%(brand)s is missing some components required for securely " +
"caching encrypted messages locally. If you'd like to " +
"experiment with this feature, build a custom Riot Desktop " +
"experiment with this feature, build a custom %(brand)s Desktop " +
"with <nativeLink>search components added</nativeLink>.",
{},
{
brand,
},
{
'nativeLink': (sub) => <a href={nativeLink} target="_blank"
rel="noreferrer noopener">{sub}</a>,
@ -182,12 +186,14 @@ export default class EventIndexPanel extends React.Component {
eventIndexingSettings = (
<div className='mx_SettingsTab_subsectionText'>
{
_t( "Riot can't securely cache encrypted messages locally " +
"while running in a web browser. Use <riotLink>Riot Desktop</riotLink> " +
_t( "%(brand)s can't securely cache encrypted messages locally " +
"while running in a web browser. Use <desktopLink>%(brand)s Desktop</desktopLink> " +
"for encrypted messages to appear in search results.",
{},
{
'riotLink': (sub) => <a href="https://riot.im/download/desktop"
brand,
},
{
'desktopLink': (sub) => <a href="https://riot.im/download/desktop"
target="_blank" rel="noreferrer noopener">{sub}</a>,
},
)

View file

@ -1,5 +1,6 @@
/*
Copyright 2016 OpenMarket Ltd
Copyright 2020 The Matrix.org Foundation C.I.C.
Licensed under the Apache License, Version 2.0 (the "License");
you may not use this file except in compliance with the License.
@ -154,7 +155,7 @@ export default createReactClass({
let emailPusherPromise;
if (checked) {
const data = {};
data['brand'] = SdkConfig.get().brand || 'Riot';
data['brand'] = SdkConfig.get().brand;
emailPusherPromise = MatrixClientPeg.get().setPusher({
kind: 'email',
app_id: 'm.email',
@ -841,11 +842,16 @@ export default createReactClass({
let advancedSettings;
if (externalRules.length) {
const brand = SdkConfig.get().brand;
advancedSettings = (
<div>
<h3>{ _t('Advanced notification settings') }</h3>
{ _t('There are advanced notifications which are not shown here') }.<br />
{ _t('You might have configured them in a client other than Riot. You cannot tune them in Riot but they still apply') }.
{ _t('There are advanced notifications which are not shown here.') }<br />
{_t(
'You might have configured them in a client other than %(brand)s. ' +
'You cannot tune them in %(brand)s but they still apply.',
{ brand },
)}
<ul>
{ externalRules }
</ul>

View file

@ -2,7 +2,6 @@
Copyright 2019 New Vector Ltd
Copyright 2019, 2020 The Matrix.org Foundation C.I.C.
Licensed under the Apache License, Version 2.0 (the "License");
you may not use this file except in compliance with the License.
You may obtain a copy of the License at
@ -18,6 +17,7 @@ limitations under the License.
import React from 'react';
import {_t} from "../../../../../languageHandler";
import SdkConfig from "../../../../../SdkConfig";
import SettingsStore, {SettingLevel} from "../../../../../settings/SettingsStore";
import { enumerateThemes } from "../../../../../theme";
import ThemeWatcher from "../../../../../settings/watchers/ThemeWatcher";
@ -438,11 +438,13 @@ export default class AppearanceUserSettingsTab extends React.Component<IProps, I
}
render() {
const brand = SdkConfig.get().brand;
return (
<div className="mx_SettingsTab mx_AppearanceUserSettingsTab">
<div className="mx_SettingsTab_heading">{_t("Customise your appearance")}</div>
<div className="mx_SettingsTab_SubHeading">
{_t("Appearance Settings only affect this Riot session.")}
{_t("Appearance Settings only affect this %(brand)s session.", { brand })}
</div>
{this.renderThemeSection()}
{SettingsStore.isFeatureEnabled("feature_font_scaling") ? this.renderFontSection() : null}

View file

@ -1,5 +1,6 @@
/*
Copyright 2019 New Vector Ltd
Copyright 2020 The Matrix.org Foundation C.I.C.
Licensed under the Apache License, Version 2.0 (the "License");
you may not use this file except in compliance with the License.
@ -36,13 +37,13 @@ export default class HelpUserSettingsTab extends React.Component {
super();
this.state = {
vectorVersion: null,
appVersion: null,
canUpdate: false,
};
}
componentDidMount(): void {
PlatformPeg.get().getAppVersion().then((ver) => this.setState({vectorVersion: ver})).catch((e) => {
PlatformPeg.get().getAppVersion().then((ver) => this.setState({appVersion: ver})).catch((e) => {
console.error("Error getting vector version: ", e);
});
PlatformPeg.get().canSelfUpdate().then((v) => this.setState({canUpdate: v})).catch((e) => {
@ -148,30 +149,52 @@ export default class HelpUserSettingsTab extends React.Component {
}
render() {
let faqText = _t('For help with using Riot, click <a>here</a>.', {}, {
'a': (sub) =>
<a href="https://about.riot.im/need-help/" rel="noreferrer noopener" target="_blank">{sub}</a>,
});
const brand = SdkConfig.get().brand;
let faqText = _t(
'For help with using %(brand)s, click <a>here</a>.',
{
brand,
},
{
'a': (sub) => <a
href="https://about.riot.im/need-help/"
rel="noreferrer noopener"
target="_blank"
>
{sub}
</a>,
},
);
if (SdkConfig.get().welcomeUserId && getCurrentLanguage().startsWith('en')) {
faqText = (
<div>
{
_t('For help with using Riot, click <a>here</a> or start a chat with our ' +
'bot using the button below.', {}, {
'a': (sub) => <a href="https://about.riot.im/need-help/" rel='noreferrer noopener'
target='_blank'>{sub}</a>,
})
}
{_t(
'For help with using %(brand)s, click <a>here</a> or start a chat with our ' +
'bot using the button below.',
{
brand,
},
{
'a': (sub) => <a
href="https://about.riot.im/need-help/"
rel='noreferrer noopener'
target='_blank'
>
{sub}
</a>,
},
)}
<div>
<AccessibleButton onClick={this._onStartBotChat} kind='primary'>
{_t("Chat with Riot Bot")}
{_t("Chat with %(brand)s Bot", { brand })}
</AccessibleButton>
</div>
</div>
);
}
const vectorVersion = this.state.vectorVersion || 'unknown';
const appVersion = this.state.appVersion || 'unknown';
let olmVersion = MatrixClientPeg.get().olmVersion;
olmVersion = olmVersion ? `${olmVersion[0]}.${olmVersion[1]}.${olmVersion[2]}` : '<not-enabled>';
@ -228,7 +251,7 @@ export default class HelpUserSettingsTab extends React.Component {
<div className='mx_SettingsTab_section mx_HelpUserSettingsTab_versions'>
<span className='mx_SettingsTab_subheading'>{_t("Versions")}</span>
<div className='mx_SettingsTab_subsectionText'>
{_t("riot-web version:")} {vectorVersion}<br />
{_t("%(brand)s version:", { brand })} {appVersion}<br />
{_t("olm version:")} {olmVersion}<br />
{updateButton}
</div>

View file

@ -1,5 +1,5 @@
/*
Copyright 2019 The Matrix.org Foundation C.I.C.
Copyright 2019, 2020 The Matrix.org Foundation C.I.C.
Licensed under the Apache License, Version 2.0 (the "License");
you may not use this file except in compliance with the License.
@ -16,6 +16,7 @@ limitations under the License.
import React from 'react';
import {_t} from "../../../../../languageHandler";
import SdkConfig from "../../../../../SdkConfig";
import {Mjolnir} from "../../../../../mjolnir/Mjolnir";
import {ListRule} from "../../../../../mjolnir/ListRule";
import {BanList, RULE_SERVER, RULE_USER} from "../../../../../mjolnir/BanList";
@ -234,6 +235,7 @@ export default class MjolnirUserSettingsTab extends React.Component {
render() {
const Field = sdk.getComponent('elements.Field');
const AccessibleButton = sdk.getComponent('elements.AccessibleButton');
const brand = SdkConfig.get().brand;
return (
<div className="mx_SettingsTab mx_MjolnirUserSettingsTab">
@ -244,9 +246,9 @@ export default class MjolnirUserSettingsTab extends React.Component {
<br />
{_t(
"Add users and servers you want to ignore here. Use asterisks " +
"to have Riot match any characters. For example, <code>@bot:*</code> " +
"to have %(brand)s match any characters. For example, <code>@bot:*</code> " +
"would ignore all users that have the name 'bot' on any server.",
{}, {code: (s) => <code>{s}</code>},
{ brand }, {code: (s) => <code>{s}</code>},
)}<br />
<br />
{_t(

View file

@ -1,5 +1,6 @@
/*
Copyright 2019 New Vector Ltd
Copyright 2020 The Matrix.org Foundation C.I.C.
Licensed under the Apache License, Version 2.0 (the "License");
you may not use this file except in compliance with the License.
@ -17,6 +18,7 @@ limitations under the License.
import React from 'react';
import PropTypes from 'prop-types';
import {_t} from "../../../../../languageHandler";
import SdkConfig from "../../../../../SdkConfig";
import {SettingLevel} from "../../../../../settings/SettingsStore";
import {MatrixClientPeg} from "../../../../../MatrixClientPeg";
import * as FormattingUtils from "../../../../../utils/FormattingUtils";
@ -281,6 +283,7 @@ export default class SecurityUserSettingsTab extends React.Component {
}
render() {
const brand = SdkConfig.get().brand;
const DevicesPanel = sdk.getComponent('views.settings.DevicesPanel');
const SettingsFlag = sdk.getComponent('views.elements.SettingsFlag');
const EventIndexPanel = sdk.getComponent('views.settings.EventIndexPanel');
@ -355,7 +358,10 @@ export default class SecurityUserSettingsTab extends React.Component {
<div className='mx_SettingsTab_section'>
<span className="mx_SettingsTab_subheading">{_t("Analytics")}</span>
<div className='mx_SettingsTab_subsectionText'>
{_t("Riot collects anonymous analytics to allow us to improve the application.")}
{_t(
"%(brand)s collects anonymous analytics to allow us to improve the application.",
{ brand },
)}
&nbsp;
{_t("Privacy is important to us, so we don't collect any personal or " +
"identifiable data for our analytics.")}

View file

@ -1,5 +1,6 @@
/*
Copyright 2019 New Vector Ltd
Copyright 2020 The Matrix.org Foundation C.I.C.
Licensed under the Apache License, Version 2.0 (the "License");
you may not use this file except in compliance with the License.
@ -16,6 +17,7 @@ limitations under the License.
import React from 'react';
import {_t} from "../../../../../languageHandler";
import SdkConfig from "../../../../../SdkConfig";
import CallMediaHandler from "../../../../../CallMediaHandler";
import Field from "../../../elements/Field";
import AccessibleButton from "../../../elements/AccessibleButton";
@ -80,10 +82,14 @@ export default class VoiceUserSettingsTab extends React.Component {
}
}
if (error) {
const brand = SdkConfig.get().brand;
const ErrorDialog = sdk.getComponent('dialogs.ErrorDialog');
Modal.createTrackedDialog('No media permissions', '', ErrorDialog, {
title: _t('No media permissions'),
description: _t('You may need to manually permit Riot to access your microphone/webcam'),
description: _t(
'You may need to manually permit %(brand)s to access your microphone/webcam',
{ brand },
),
});
} else {
this._refreshMediaDevices(stream);

View file

@ -17,15 +17,13 @@
"This email address is already in use": "عنوان البريد هذا مستخدم بالفعل",
"This phone number is already in use": "رقم الهاتف هذا مستخدم بالفعل",
"Failed to verify email address: make sure you clicked the link in the email": "فشل تأكيد عنوان البريد الإلكتروني: تحقق من نقر الرابط في البريد",
"The version of Riot.im": "إصدارة Riot.im",
"The version of %(brand)s": "إصدارة %(brand)s",
"Whether or not you're using the Richtext mode of the Rich Text Editor": "فيما إذا كنت تستخدم وضع النص الغني لمحرر النصوص الغني أم لا",
"Your homeserver's URL": "عنوان خادوم المنزل",
"Your identity server's URL": "عنوان خادوم التعريف",
"Analytics": "التحاليل",
"The information being sent to us to help make Riot.im better includes:": "تحتوي المعلومات التي تُرسل إلينا للمساعدة بتحسين جودة Riot.im الآتي:",
"The information being sent to us to help make %(brand)s better includes:": "تحتوي المعلومات التي تُرسل إلينا للمساعدة بتحسين جودة %(brand)s الآتي:",
"Couldn't find a matching Matrix room": "لا يمكن إيجاد غرفة مايتركس متطابقة",
"Unavailable": "غير متوفر",
"A new version of Riot is available.": "هناك نسخة جديدة مِن رايوت متوفرة.",
"All Rooms": "كل الغُرف",
"All messages": "كل الرسائل",
"All notifications are currently disabled for all targets.": "كل التنبيهات غير مفعلة حالياً للجميع.",
@ -42,7 +40,6 @@
"No update available.": "لا يوجد هناك أي تحديث.",
"An error occurred whilst saving your email notification preferences.": "حدث خطأ ما أثناء عملية حفظ إعدادات الإشعارات عبر البريد الإلكتروني.",
"Collecting app version information": "تجميع المعلومات حول نسخة التطبيق",
"Delete the room alias %(alias)s and remove %(name)s from the directory?": "إلغاء مُعرف الغرفة %(alias)s وحذف %(name)s من الدليل؟",
"Changelog": "سِجل التغييرات",
"Send Account Data": "إرسال بيانات الحساب",
"Waiting for response from server": "في انتظار الرد مِن الخادوم",
@ -51,7 +48,6 @@
"Thank you!": "شكرًا !",
"Advanced notification settings": "الإعدادات المتقدمة للإشعارات",
"Call invitation": "دعوة لمحادثة",
"delete the alias.": "إلغاء المُعرف.",
"Developer Tools": "أدوات التطوير",
"Downloading update...": "عملية تنزيل التحديث جارية …",
"State Key": "مفتاح الحالة",

View file

@ -25,17 +25,15 @@
"All notifications are currently disabled for all targets.": "Bütün qurğular üçün bütün bildirişlər kəsilmişdir.",
"Failed to verify email address: make sure you clicked the link in the email": "Email-i yoxlamağı bacarmadı: əmin olun ki, siz məktubda istinaddakı ünvana keçdiniz",
"The platform you're on": "İstifadə edilən platforma",
"The version of Riot.im": "Riot.im versiyası",
"The version of %(brand)s": "%(brand)s versiyası",
"Your language of choice": "Seçilmiş dil",
"Which officially provided instance you are using, if any": "Hansı rəsmən dəstəklənən müştəri tərəfindən siz istifadə edirsiniz ( əgər istifadə edirsinizsə)",
"Whether or not you're using the Richtext mode of the Rich Text Editor": "Siz Rich Text Editor redaktorunda Richtext rejimindən istifadə edirsinizmi",
"Your homeserver's URL": "Serverin URL-ünvanı",
"Your identity server's URL": "Eyniləşdirmənin serverinin URL-ünvanı",
"Every page you use in the app": "Hər səhifə, hansını ki, siz proqramda istifadə edirsiniz",
"e.g. <CurrentPageURL>": "məs. <CurrentPageURL>",
"Your User Agent": "Sizin istifadəçi agentiniz",
"Your device resolution": "Sizin cihazınızın qətnaməsi",
"The information being sent to us to help make Riot.im better includes:": "Riot.im'i daha yaxşı etmək üçün bizə göndərilən məlumatlar daxildir:",
"The information being sent to us to help make %(brand)s better includes:": "%(brand)s'i daha yaxşı etmək üçün bizə göndərilən məlumatlar daxildir:",
"Where this page includes identifiable information, such as a room, user or group ID, that data is removed before being sent to the server.": "Əgər bu səhifədə şəxsi xarakterin məlumatları rast gəlinirsə, məsələn otağın, istifadəçinin adının və ya qrupun adı, onlar serverə göndərilmədən əvvəl silinirlər.",
"Call Timeout": "Cavab yoxdur",
"Unable to capture screen": "Ekranın şəkilini etməyə müvəffəq olmur",
@ -73,7 +71,6 @@
"Default": "Varsayılan olaraq",
"Moderator": "Moderator",
"Admin": "Administrator",
"Start a chat": "Danışığa başlamaq",
"You need to be logged in.": "Siz sistemə girməlisiniz.",
"You need to be able to invite users to do that.": "Bunun üçün siz istifadəçiləri dəvət etmək imkanına malik olmalısınız.",
"Failed to send request.": "Sorğunu göndərməyi bacarmadı.",
@ -85,7 +82,6 @@
"To use it, just wait for autocomplete results to load and tab through them.": "Bu funksiyadan istifadə etmək üçün, avto-əlavənin pəncərəsində nəticələrin yükləməsini gözləyin, sonra burulma üçün Tab-dan istifadə edin.",
"Changes your display nickname": "Sizin təxəllüsünüz dəyişdirir",
"Invites user with given id to current room": "Verilmiş ID-lə istifadəçini cari otağa dəvət edir",
"Joins room with given alias": "Verilmiş təxəllüslə otağa daxil olur",
"Leave room": "Otağı tərk etmək",
"Kicks user with given id": "Verilmiş ID-lə istifadəçini çıxarır",
"Bans user with given id": "Verilmiş ID-lə istifadəçini bloklayır",
@ -142,14 +138,10 @@
"Confirm password": "Yeni şifrə təsdiq edin",
"Change Password": "Şifrəni dəyişdirin",
"Authentication": "Müəyyənləşdirilmə",
"Device ID": "Qurğunun ID-i",
"Failed to set display name": "Görünüş adını təyin etmək bacarmadı",
"Notification targets": "Xəbərdarlıqlar üçün qurğular",
"On": "Qoşmaq",
"not specified": "qeyd edilmədi",
"Local addresses for this room:": "Sizin serverinizdə bu otağın ünvanları:",
"New address (e.g. #foo:%(localDomain)s)": "Yeni ünvan (məsələn, #nəsə:%(localDomain)s)",
"Blacklisted": "Qara siyahıda",
"Disinvite": "Dəvəti geri çağırmaq",
"Kick": "Qovmaq",
"Failed to kick": "Qovmağı bacarmadı",
@ -157,13 +149,10 @@
"Ban": "Bloklamaq",
"Failed to ban user": "İstifadəçini bloklamağı bacarmadı",
"Failed to mute user": "İstifadəçini kəsməyi bacarmadı",
"Failed to toggle moderator status": "Moderatorun statusunu dəyişdirməyi bacarmadı",
"Failed to change power level": "Hüquqların səviyyəsini dəyişdirməyi bacarmadı",
"Are you sure?": "Siz əminsiniz?",
"Unignore": "Blokdan çıxarmaq",
"Ignore": "Bloklamaq",
"User Options": "Hərəkətlər",
"Direct chats": "Şəxsi çatlar",
"Invited": "Dəvət edilmişdir",
"Filter room members": "İştirakçılara görə axtarış",
"Attachment": "Əlavə",
@ -202,7 +191,6 @@
"Today": "Bu gün",
"Decrypt %(text)s": "Şifrini açmaq %(text)s",
"Download %(text)s": "Yükləmək %(text)s",
"Message removed by %(userId)s": "%(userId)s mesajı silinmişdir",
"Sign in with": "Seçmək",
"Register": "Qeydiyyatdan keçmək",
"Remove": "Silmək",
@ -212,7 +200,6 @@
"Create new room": "Otağı yaratmaq",
"No results": "Nəticə yoxdur",
"Home": "Başlanğıc",
"Could not connect to the integration server": "İnteqrasiyanın serverinə qoşulmağ mümkün deyil",
"Manage Integrations": "İnteqrasiyaları idarə etmə",
"%(items)s and %(lastItem)s": "%(items)s və %(lastItem)s",
"Room directory": "Otaqların kataloqu",
@ -280,20 +267,6 @@
"Commands": "Komandalar",
"Emoji": "Smaylar",
"Users": "İstifadəçilər",
"unknown device": "naməlum cihaz",
"NOT verified": "Yoxlanmamışdır",
"verified": "yoxlanmış",
"Verification": "Yoxlama",
"Ed25519 fingerprint": "Ed25519 iz",
"User ID": "İstifadəçinin ID-i",
"Curve25519 identity key": "Kimlik açarı Curve25519",
"none": "heç kim",
"Claimed Ed25519 fingerprint key": "Ed25519-un rəqəmli izinin tələb edilən açarı",
"Algorithm": "Alqoritm",
"unencrypted": "şifrləməsiz",
"Decryption error": "Şifrələmə xətası",
"End-to-end encryption information": "İki tərəfi açıq şifrləmə haqqında məlumatlar",
"Event information": "Hadisə haqqında informasiya",
"Confirm passphrase": "Şifrəni təsdiqləyin",
"This email address is already in use": "Bu e-mail ünvanı istifadə olunur",
"This phone number is already in use": "Bu telefon nömrəsi artıq istifadə olunur",
@ -301,13 +274,7 @@
"Whether or not you're using the 'breadcrumbs' feature (avatars above the room list)": "'Çörək parçaları' funksiyadan istifadə edmiirsiniz (otaqlar siyahısından yuxarıdakı avatarlar)",
"Analytics": "Analitik",
"Call Failed": "Uğursuz zəng",
"Review Devices": "Cihazları nəzərdən keçirin",
"Call Anyway": "Hər halda zəng edin",
"Answer Anyway": "Hər halda cavab verin",
"Call": "Zəng",
"Answer": "Cavab ver",
"The remote side failed to pick up": "Qarşı tərəf ala bilmədi",
"A conference call could not be started because the integrations server is not available": "Birləşmə serverinin mövcud olmadığı üçün bir konfrans zəngini aça bilmədi",
"Call in Progress": "Zəng edir",
"A call is currently being placed!": "Hazırda zəng edilir!",
"A call is already in progress!": "Zəng artıq edilir!",
@ -317,7 +284,6 @@
"At this time it is not possible to reply with a file. Would you like to upload this file without replying?": "Bu anda bir faylla cavab vermək mümkün deyil. Bu faylı cavab vermədən yükləməyinizi istəyirsinizmi?",
"Server may be unavailable, overloaded, or you hit a bug.": "Server, istifadə edilə bilməz, yüklənmiş ola bilər və ya bir səhv vurursunuz.",
"The server does not support the room version specified.": "Server göstərilən otaq versiyasını dəstəkləmir.",
"Send anyway": "Hər halda göndər",
"Send": "Göndər",
"PM": "24:00",
"AM": "12:00",
@ -328,18 +294,15 @@
"Invite to Community": "Cəmiyyətə dəvət edirik",
"Which rooms would you like to add to this community?": "Bu cəmiyyətə hansı otaqları əlavə etmək istərdiniz?",
"Show these rooms to non-members on the community page and room list?": "Bu otaqları icma səhifəsində və otaq siyahısında olmayanlara göstərin?",
"Room name or alias": "Otaq adı və ya ləqəb",
"Add to community": "Cəmiyyətə əlavə edin",
"Failed to invite users to community": "İstifadəçiləri cəmiyyətə dəvət etmək alınmadı",
"Unnamed Room": "Adııqlanmayan otaq",
"Unable to load! Check your network connectivity and try again.": "Yükləmək olmur! Şəbəkə bağlantınızı yoxlayın və yenidən cəhd edin.",
"Dismiss": "Nəzərə almayın",
"Riot does not have permission to send you notifications - please check your browser settings": "Riot-un sizə bildiriş göndərmək icazəsi yoxdur - brauzerinizin parametrlərini yoxlayın",
"Riot was not given permission to send notifications - please try again": "Riot bildiriş göndərmək üçün icazə verilmədi - lütfən yenidən cəhd edin",
"%(brand)s does not have permission to send you notifications - please check your browser settings": "%(brand)s-un sizə bildiriş göndərmək icazəsi yoxdur - brauzerinizin parametrlərini yoxlayın",
"%(brand)s was not given permission to send notifications - please try again": "%(brand)s bildiriş göndərmək üçün icazə verilmədi - lütfən yenidən cəhd edin",
"This email address was not found": "Bu e-poçt ünvanı tapılmadı",
"Your email address does not appear to be associated with a Matrix ID on this Homeserver.": "E-poçt adresiniz bu Ana serverdəki Matrix ID ilə əlaqəli görünmür.",
"Registration Required": "Qeydiyyat tələb olunur",
"You need to register to do this. Would you like to register now?": "Bunu etmək üçün qeydiyyatdan keçməlisiniz. İndi qeydiyyatdan keçmək istərdiniz?",
"Restricted": "Məhduddur",
"Failed to invite": "Dəvət alınmadı",
"Failed to invite users to the room:": "İstifadəçiləri otağa dəvət etmək alınmadı:",
@ -357,7 +320,6 @@
"Gets or sets the room topic": "Otaq mövzusunu alır və ya təyin edir",
"This room has no topic.": "Bu otağın mövzusu yoxdur.",
"Sets the room name": "Otaq adını təyin edir",
"Unrecognised room alias:": "Tanınmamış otaq ləqəbi:",
"Unbans user with given ID": "Verilmiş ID ilə istifadəçini qadağan etmək",
"Define the power level of a user": "Bir istifadəçinin güc səviyyəsini müəyyənləşdirin",
"Opens the Developer Tools dialog": "Geliştirici Alətlər dialoqunu açır",
@ -375,7 +337,6 @@
"Try using turn.matrix.org": "Turn.matrix.org istifadə edin",
"The file '%(fileName)s' failed to upload.": "'%(fileName)s' faylı yüklənə bilmədi.",
"The file '%(fileName)s' exceeds this homeserver's size limit for uploads": "'%(fileName)s' faylı yükləmə üçün bu server ölçü həddini aşmışdır",
"Send cross-signing keys to homeserver": "Ev serveri üçün çarpaz imzalı açarları göndərin",
"%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s": "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s",
"Add rooms to the community": "Icmaya otaqlar əlavə edin",
"Failed to invite the following users to %(groupId)s:": "Aşağıdakı istifadəçiləri %(groupId)s - ə dəvət etmək alınmadı:",

View file

@ -21,7 +21,7 @@
"Close": "Зачыніць",
"Notifications": "Апавяшчэнні",
"Low Priority": "Нізкі прыярытэт",
"Riot does not know how to join a room on this network": "Riot не ведае, як увайсці ў пакой у гэтай сетке",
"%(brand)s does not know how to join a room on this network": "%(brand)s не ведае, як увайсці ў пакой у гэтай сетке",
"Members": "Удзельнікі",
"Can't update user notification settings": "Немагчыма абнавіць налады апавяшчэнняў карыстальніка",
"Failed to change settings": "Не атрымалася змяніць налады",
@ -30,7 +30,6 @@
"On": "Уключыць",
"remove %(name)s from the directory.": "выдаліць %(name)s з каталога.",
"Off": "Выключыць",
"Delete the room alias %(alias)s and remove %(name)s from the directory?": "Выдаліць псеўданім пакоя %(alias)s і выдаліць %(name)s з каталога?",
"Invite to this room": "Запрасіць у гэты пакой",
"Notifications on the following keywords follow rules which cant be displayed here:": "Апавяшчэнні па наступных ключавых словах прытрымліваюцца правілаў, якія не могуць быць адлюстраваны тут:",
"Mentions only": "Толькі згадкі",
@ -42,7 +41,6 @@
"No rooms to show": "Няма пакояў для паказу",
"Download this file": "Спампаваць гэты файл",
"Operation failed": "Не атрымалася выканаць аперацыю",
"delete the alias.": "выдаліць псеўданім.",
"Forget": "Забыць",
"Mute": "Без гуку",
"Error saving email notification preferences": "Памылка захавання налад апавяшчэнняў па электроннай пошце",
@ -59,6 +57,5 @@
"An error occurred whilst saving your email notification preferences.": "Адбылася памылка падчас захавання налады апавяшчэнняў па электроннай пошце.",
"Room not found": "Пакой не знойдзены",
"Notify for all other messages/rooms": "Апавяшчаць для ўсіх іншых паведамленняў/пакояў",
"There are advanced notifications which are not shown here": "Ёсць пашыраныя апавяшчэння, якія не паказаныя тут",
"The server may be unavailable or overloaded": "Сервер можа быць недаступны ці перагружаны"
}

View file

@ -58,24 +58,20 @@
"This phone number is already in use": "Този телефонен номер е вече зает",
"Failed to verify email address: make sure you clicked the link in the email": "Неуспешно потвърждаване на имейл адреса: уверете се, че сте кликнали върху връзката в имейла",
"The platform you're on": "Платформата, която използвате",
"The version of Riot.im": "Версията на Riot.im",
"The version of %(brand)s": "Версията на %(brand)s",
"Your language of choice": "Вашият език по избор",
"Which officially provided instance you are using, if any": "Кой официално-предоставен сървър използвате, ако има такъв",
"Whether or not you're using the Richtext mode of the Rich Text Editor": "Дали използвате Richtext режим на Rich Text Editor",
"Your homeserver's URL": "Адресът на Вашия Home сървър",
"Your identity server's URL": "Адресът на Вашия сървър за самоличност",
"Analytics": "Статистика",
"The information being sent to us to help make Riot.im better includes:": "За да направим Riot по-добър, информацията изпратена до нас включва:",
"The information being sent to us to help make %(brand)s better includes:": "Информацията, която се изпраща за да ни помогне да подобрим %(brand)s включва:",
"Call Failed": "Неуспешно повикване",
"Call": "Позвъни",
"Answer": "Отговори",
"You are already in a call.": "Вече сте в разговор.",
"VoIP is unsupported": "Не се поддържа VoIP",
"You cannot place VoIP calls in this browser.": "Не може да осъществите VoIP разговори в този браузър.",
"You cannot place a call with yourself.": "Не може да осъществите разговор със себе си.",
"Existing Call": "Съществуващ разговор",
"Warning!": "Внимание!",
"Review Devices": "Преглед на устройства",
"Upload Failed": "Качването е неуспешно",
"PM": "PM",
"AM": "AM",
@ -86,14 +82,13 @@
"Which rooms would you like to add to this community?": "Кои стаи бихте желали да добавите в тази общност?",
"Show these rooms to non-members on the community page and room list?": "Показване на тези стаи на не-членове в страницата на общността и в списъка със стаи?",
"Add rooms to the community": "Добави стаи в общността",
"Room name or alias": "Име или псевдоним на стая",
"Add to community": "Добави в общност",
"Failed to invite the following users to %(groupId)s:": "Следните потребители не могат да бъдат поканени в %(groupId)s:",
"Failed to invite users to community": "Потребителите не могат да бъдат поканени в общността",
"Failed to invite users to %(groupId)s": "Потребителите не могат да бъдат поканени в %(groupId)s",
"Failed to add the following rooms to %(groupId)s:": "Следните стаи не могат да бъдат добавени в %(groupId)s:",
"Riot does not have permission to send you notifications - please check your browser settings": "Riot няма разрешение да Ви изпраща известия - моля проверете вашите настройки на браузъра",
"Riot was not given permission to send notifications - please try again": "Riot не е получил разрешение да изпраща известия - моля опитайте отново",
"%(brand)s does not have permission to send you notifications - please check your browser settings": "%(brand)s няма разрешение да Ви изпраща известия - моля проверете вашите настройки на браузъра",
"%(brand)s was not given permission to send notifications - please try again": "%(brand)s не е получил разрешение да изпраща известия - моля опитайте отново",
"Unable to enable Notifications": "Неупешно включване на известия",
"This email address was not found": "Този имейл адрес не беше открит",
"Your email address does not appear to be associated with a Matrix ID on this Homeserver.": "Изглежда вашият имейл адрес не може да се асоциира с Matrix ID на този Home сървър.",
@ -101,7 +96,6 @@
"Restricted": "Ограничен",
"Moderator": "Модератор",
"Admin": "Администратор",
"Start a chat": "Започване на чат",
"Failed to invite": "Неуспешна покана",
"Failed to invite the following users to the %(roomName)s room:": "Следните потребителите не успяха да бъдат добавени в %(roomName)s:",
"You need to be logged in.": "Трябва да влезете в профила си.",
@ -110,8 +104,6 @@
"Failed to send request.": "Неуспешно изпращане на заявката.",
"This room is not recognised.": "Стаята не е разпозната.",
"Power level must be positive integer.": "Нивото на достъп трябва да бъде позитивно число.",
"Call Anyway": "Позвъни въпреки това",
"Answer Anyway": "Отговори въпреки това",
"Call Timeout": "Изтекло време за повикване",
"The remote side failed to pick up": "Отсрещната страна не успя да отговори",
"Unable to capture screen": "Неуспешно заснемане на екрана",
@ -122,7 +114,6 @@
"Missing user_id in request": "Липсва user_id в заявката",
"/ddg is not a command": "/ddg не е команда",
"To use it, just wait for autocomplete results to load and tab through them.": "За използване, изчакайте зареждането на списъка с предложения и изберете от него.",
"Unrecognised room alias:": "Непознат псевдоним на стая:",
"Ignored user": "Игнориран потребител",
"You are now ignoring %(userId)s": "Вече игнорирате %(userId)s",
"Unignored user": "Неигнориран потребител",
@ -172,14 +163,12 @@
"%(widgetName)s widget removed by %(senderName)s": "Приспособлението %(widgetName)s беше премахнато от %(senderName)s",
"Failure to create room": "Неуспешно създаване на стая",
"Server may be unavailable, overloaded, or you hit a bug.": "Сървърът може би е претоварен, недостъпен или се натъкнахте на проблем.",
"Send anyway": "Изпрати въпреки това",
"Unnamed Room": "Стая без име",
"Your browser does not support the required cryptography extensions": "Вашият браузър не поддържа необходимите разширения за шифроване",
"Not a valid Riot keyfile": "Невалиден файл с ключ за Riot",
"Not a valid %(brand)s keyfile": "Невалиден файл с ключ за %(brand)s",
"Authentication check failed: incorrect password?": "Неуспешна автентикация: неправилна парола?",
"Failed to join room": "Неуспешно присъединяване към стаята",
"Message Pinning": "Функция за закачане на съобщения",
"Use compact timeline layout": "Използване на компактно оформление за списъка със съобщения",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "Показване на времето в 12-часов формат (напр. 2:30pm)",
"Always show message timestamps": "Винаги показвай часа на съобщението",
"Autoplay GIFs and videos": "Автоматично възпроизвеждане на GIF-файлове и видеа",
@ -214,11 +203,8 @@
"Confirm password": "Потвърждаване на парола",
"Change Password": "Смяна на парола",
"Authentication": "Автентикация",
"Device ID": "Идентификатор на устройство",
"Last seen": "Последно видян",
"Failed to set display name": "Неуспешно задаване на име",
"Disable Notifications": "Изключване на известия",
"Enable Notifications": "Включване на известия",
"Cannot add any more widgets": "Не могат да се добавят повече приспособления",
"The maximum permitted number of widgets have already been added to this room.": "Максимално разрешеният брой приспособления е вече добавен към тази стая.",
"Add a widget": "Добави приспособление",
@ -232,8 +218,6 @@
"%(senderName)s uploaded a file": "%(senderName)s качи файл",
"Options": "Настройки",
"Please select the destination room for this message": "Моля, изберете стаята, в която искате да изпратите това съобщение",
"Blacklisted": "В черния списък",
"device id: ": "идентификатор на устройството: ",
"Disinvite": "Отмени поканата",
"Kick": "Изгони",
"Disinvite this user?": "Отмени поканата към този потребител?",
@ -245,7 +229,6 @@
"Ban this user?": "Блокирай този потребител?",
"Failed to ban user": "Неуспешно блокиране на потребителя",
"Failed to mute user": "Неуспешно заглушаване на потребителя",
"Failed to toggle moderator status": "Неуспешна промяна на статуса на модератора",
"Failed to change power level": "Неуспешна промяна на нивото на достъп",
"You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.": "След като си намалите нивото на достъп, няма да можете да възвърнете тази промяна. Ако сте последния потребител с привилегии в тази стая, ще бъде невъзможно да възвърнете привилегии си.",
"Are you sure?": "Сигурни ли сте?",
@ -253,11 +236,8 @@
"Unignore": "Премахни игнорирането",
"Ignore": "Игнорирай",
"Mention": "Спомени",
"Direct chats": "Директни чатове",
"User Options": "Опции на потребителя",
"Invite": "Покани",
"Unmute": "Премахни заглушаването",
"Make Moderator": "Направи модератор",
"Admin Tools": "Инструменти на администратора",
"and %(count)s others...|other": "и %(count)s други...",
"and %(count)s others...|one": "и още един...",
@ -270,9 +250,7 @@
"Video call": "Видео повикване",
"Upload file": "Качи файл",
"Send an encrypted reply…": "Изпрати шифрован отговор…",
"Send a reply (unencrypted)…": "Отговори (нешифрованo)…",
"Send an encrypted message…": "Изпрати шифровано съобщение…",
"Send a message (unencrypted)…": "Изпрати съобщение (нешифровано)…",
"You do not have permission to post to this room": "Нямате разрешение да публикувате в тази стая",
"Server error": "Сървърна грешка",
"Server unavailable, overloaded, or something else went wrong.": "Сървърът е недостъпен, претоварен или нещо друго се обърка.",
@ -333,10 +311,7 @@
"Add a topic": "Добавете тема",
"Jump to first unread message.": "Отиди до първото непрочетено съобщение.",
"not specified": "неопределен",
"Remote addresses for this room:": "Отдалечени адреси на тази стая:",
"Local addresses for this room:": "Локалните адреси на тази стая са:",
"This room has no local addresses": "Тази стая няма локални адреси",
"New address (e.g. #foo:%(localDomain)s)": "Нов адрес (напр. #foo:%(localDomain)s)",
"Invalid community ID": "Невалиден идентификатор на общност",
"'%(groupId)s' is not a valid community ID": "'%(groupId)s' е невалиден идентификатор на общност",
"Flair": "Значка",
@ -383,7 +358,6 @@
"Create a community to group together users and rooms! Build a custom homepage to mark out your space in the Matrix universe.": "Създайте общност, за да групирате потребители и стаи! Изградете персонализирана начална страница, за да маркирате своето пространство в Matrix Вселената.",
"Jump to message": "Отиди до съобщението",
"Jump to read receipt": "Отиди до потвърждението за прочитане",
"Revoke Moderator": "Премахване на правата на модератора",
"Invalid file%(extra)s": "Невалиден файл%(extra)s",
"Error decrypting image": "Грешка при разшифроване на снимка",
"Error decrypting video": "Грешка при разшифроване на видео",
@ -393,10 +367,6 @@
"Copied!": "Копирано!",
"Failed to copy": "Неуспешно копиране",
"Add an Integration": "Добавяне на интеграция",
"Removed or unknown message type": "Премахнато или неизвестен тип съобщение",
"Message removed by %(userId)s": "Съобщението е премахнато от %(userId)s",
"Message removed": "Съобщението е премахнато",
"To continue, please enter your password.": "За да продължите, моля, въведете своята парола.",
"An email has been sent to %(emailAddress)s": "Имейл беше изпратен на %(emailAddress)s",
"Please check your email to continue registration.": "Моля, проверете имейла си, за да продължите регистрацията.",
"Token incorrect": "Неправителен тоукън",
@ -424,17 +394,10 @@
"Delete widget": "Изтрий приспособлението",
"Minimize apps": "Минимизирай приложенията",
"Create new room": "Създай нова стая",
"Unblacklist": "Премахни от черния списък",
"Blacklist": "Добави в черен списък",
"Unverify": "Махни потвърждението",
"Verify...": "Потвърди...",
"I have verified my email address": "Потвърдих имейл адреса си",
"NOT verified": "НЕ е потвърдено",
"verified": "потвърдено",
"No results": "Няма резултати",
"Communities": "Общности",
"Home": "Начална страница",
"Could not connect to the integration server": "Неуспешно свързване със сървъра с интеграции",
"Manage Integrations": "Управление на интеграциите",
"%(nameList)s %(transitionList)s": "%(nameList)s %(transitionList)s",
"%(severalUsers)sjoined %(count)s times|other": "%(severalUsers)sсе присъединиха %(count)s пъти",
@ -513,14 +476,8 @@
"Unknown error": "Неизвестна грешка",
"Incorrect password": "Неправилна парола",
"Deactivate Account": "Затвори акаунта",
"Start verification": "Започни потвърждението",
"Verification Pending": "Очакване на потвърждение",
"Verification": "Потвърждение",
"I verify that the keys match": "Потвърждавам, че ключовете съвпадат",
"An error has occurred.": "Възникна грешка.",
"Share without verifying": "Сподели без потвърждение",
"Ignore request": "Игнорирай поканата",
"Encryption key request": "Заявка за ключ за шифроване",
"Unable to restore session": "Неуспешно възстановяване на сесията",
"Invalid Email Address": "Невалиден имейл адрес",
"This doesn't appear to be a valid email address": "Това не изглежда да е валиден имейл адрес",
@ -541,7 +498,6 @@
"If you already have a Matrix account you can <a>log in</a> instead.": "Ако вече имате Matrix профил, можете да <a>влезете</a> с него.",
"Private Chat": "Личен чат",
"Public Chat": "Публичен чат",
"Alias (optional)": "Псевдоним (по избор)",
"Name": "Име",
"You must <a>register</a> to use this functionality": "Трябва да се <a>регистрирате</a>, за да използвате тази функционалност",
"You must join the room to see its files": "Трябва да се присъедините към стаята, за да видите файловете, които съдържа",
@ -579,7 +535,6 @@
"Sign out": "Изход",
"Error whilst fetching joined communities": "Грешка при извличането на общности, към които сте присъединени",
"You have no visible notifications": "Нямате видими известия",
"Scroll to bottom of page": "Отиди до края на страницата",
"%(count)s of your messages have not been sent.|other": "Някои от Вашите съобщение не бяха изпратени.",
"%(count)s of your messages have not been sent.|one": "Вашето съобщение не беше изпратено.",
"%(count)s <resendText>Resend all</resendText> or <cancelText>cancel all</cancelText> now. You can also select individual messages to resend or cancel.|other": "<resendText>Изпрати всички отново</resendText> или <cancelText>откажи всички</cancelText> сега. Също така може да изберете индивидуални съобщения, които да изпратите отново или да откажете.",
@ -593,7 +548,6 @@
"Search failed": "Търсенето е неуспешно",
"Server may be unavailable, overloaded, or search timed out :(": "Сървърът може би е недостъпен, претоварен или времето за търсене изтече :(",
"No more results": "Няма повече резултати",
"Unknown room %(roomId)s": "Неизвестна стая %(roomId)s",
"Room": "Стая",
"Failed to reject invite": "Неуспешно отхвърляне на поканата",
"Reject all %(invitedRooms)s invites": "Отхвърли всички %(invitedRooms)s покани",
@ -608,20 +562,18 @@
"Uploading %(filename)s and %(count)s others|other": "Качване на %(filename)s и %(count)s други",
"Uploading %(filename)s and %(count)s others|zero": "Качване на %(filename)s",
"Uploading %(filename)s and %(count)s others|one": "Качване на %(filename)s и %(count)s друг",
"Light theme": "Светла тема",
"Dark theme": "Тъмна тема",
"Success": "Успешно",
"<not supported>": "<не се поддържа>",
"Import E2E room keys": "Импортирай E2E ключове",
"Cryptography": "Криптография",
"Riot collects anonymous analytics to allow us to improve the application.": "Riot събира анонимни статистики, за да ни позволи да подобрим приложението.",
"%(brand)s collects anonymous analytics to allow us to improve the application.": "%(brand)s събира анонимни статистики, за да ни позволи да подобрим приложението.",
"Privacy is important to us, so we don't collect any personal or identifiable data for our analytics.": "Поверителността е важна за нас, затова не събираме лични или идентифициращи Вас данни.",
"Learn more about how we use analytics.": "Научете повече за това как използваме статистическите данни.",
"Labs": "Експерименти",
"Check for update": "Провери за нова версия",
"Start automatically after system login": "Автоматично стартиране след влизане в системата",
"No media permissions": "Няма разрешения за медийните устройства",
"You may need to manually permit Riot to access your microphone/webcam": "Може да се наложи ръчно да разрешите на Riot да получи достъп до Вашия микрофон/уеб камера",
"You may need to manually permit %(brand)s to access your microphone/webcam": "Може да се наложи ръчно да разрешите на %(brand)s да получи достъп до Вашия микрофон/уеб камера",
"No Microphones detected": "Няма открити микрофони",
"No Webcams detected": "Няма открити уеб камери",
"Default Device": "Устройство по подразбиране",
@ -634,7 +586,7 @@
"click to reveal": "натиснете за показване",
"Homeserver is": "Home сървър:",
"Identity Server is": "Сървър за самоличност:",
"riot-web version:": "Версия на riot-web:",
"%(brand)s version:": "Версия на %(brand)s:",
"olm version:": "Версия на olm:",
"Failed to send email": "Неуспешно изпращане на имейл",
"The email address linked to your account must be entered.": "Имейл адресът, свързан с профила Ви, трябва да бъде въведен.",
@ -657,7 +609,6 @@
"Define the power level of a user": "Променя нивото на достъп на потребителя",
"Deops user with given id": "Отнема правата на потребител с даден идентификатор",
"Invites user with given id to current room": "Поканва потребител с даден идентификатор в текущата стая",
"Joins room with given alias": "Присъединяване към стая с даден псевдоним",
"Kicks user with given id": "Изгонва потребителя с даден идентификатор",
"Changes your display nickname": "Сменя Вашия псевдоним",
"Searches DuckDuckGo for results": "Търси в DuckDuckGo за резултати",
@ -669,17 +620,7 @@
"Notify the whole room": "Извести всички в стаята",
"Room Notification": "Известие за стая",
"Users": "Потребители",
"unknown device": "неизвестно устройство",
"Ed25519 fingerprint": "Ed25519 отпечатък",
"User ID": "Потребителски идентификатор",
"Curve25519 identity key": "Curve25519 ключ за самоличност",
"Algorithm": "Алгоритъм",
"unencrypted": "нешифрован",
"Decryption error": "Грешка при разшифроването",
"Session ID": "Идентификатор на сесията",
"Claimed Ed25519 fingerprint key": "Заявен ключов отпечатък Ed25519",
"End-to-end encryption information": "Информация за шифроването от край до край",
"Event information": "Информация за събитието",
"Passphrases must match": "Паролите трябва да съвпадат",
"Passphrase must not be empty": "Паролата не трябва да е празна",
"Export room keys": "Експортиране на ключове за стаята",
@ -692,16 +633,15 @@
"Where this page includes identifiable information, such as a room, user or group ID, that data is removed before being sent to the server.": "Когато тази страница съдържа информация идентифицираща Вас (като например стая, потребител или идентификатор на група), тези данни биват премахнати преди да бъдат изпратени до сървъра.",
"You are about to be taken to a third-party site so you can authenticate your account for use with %(integrationsUrl)s. Do you wish to continue?": "На път сте да бъдете отведени до друг сайт, където можете да удостоверите профила си за използване с %(integrationsUrl)s. Искате ли да продължите?",
"Are you sure you wish to remove (delete) this event? Note that if you delete a room name or topic change, it could undo the change.": "Сигурни ли сте, че искате да премахнете (изтриете) това събитие? Забележете, че ако изтриете събитие за промяна на името на стая или тема, това може да обърне промяната.",
"If you have previously used a more recent version of Riot, your session may be incompatible with this version. Close this window and return to the more recent version.": "Ако преди сте използвали по-нова версия на Riot, Вашата сесия може да не бъде съвместима с текущата версия. Затворете този прозорец и се върнете в по-новата версия.",
"If you have previously used a more recent version of %(brand)s, your session may be incompatible with this version. Close this window and return to the more recent version.": "Ако преди сте използвали по-нова версия на %(brand)s, Вашата сесия може да не бъде съвместима с текущата версия. Затворете този прозорец и се върнете в по-новата версия.",
"This will be your account name on the <span></span> homeserver, or you can pick a <a>different server</a>.": "Това ще бъде името на профила Ви на <span></span> Home сървъра, или можете да изберете <a>друг сървър</a>.",
"Data from an older version of Riot has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "Засечени са данни от по-стара версия на Riot. Това ще доведе до неправилна работа на криптографията от край до край в по-старата версия. Шифрованите от край до край съобщения, които са били обменени наскоро (при използването на по-стара версия), може да не успеят да бъдат разшифровани в тази версия. Това също може да доведе до неуспех в обмяната на съобщения в тази версия. Ако имате проблеми, излезте и влезте отново в профила си. За да запазите историята на съобщенията, експортирайте и импортирайте отново Вашите ключове.",
"Data from an older version of %(brand)s has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "Засечени са данни от по-стара версия на %(brand)s. Това ще доведе до неправилна работа на криптографията от край до край в по-старата версия. Шифрованите от край до край съобщения, които са били обменени наскоро (при използването на по-стара версия), може да не успеят да бъдат разшифровани в тази версия. Това също може да доведе до неуспех в обмяната на съобщения в тази версия. Ако имате проблеми, излезте и влезте отново в профила си. За да запазите историята на съобщенията, експортирайте и импортирайте отново Вашите ключове.",
"Can't connect to homeserver - please check your connectivity, ensure your <a>homeserver's SSL certificate</a> is trusted, and that a browser extension is not blocking requests.": "Няма връзка с Home сървъра. Моля, проверете Вашата връзка. Уверете се, че <a>SSL сертификатът на Home сървъра</a> е надежден и че някое разширение на браузъра не блокира заявките.",
"none": "няма",
"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 клиент, така че той също да може да разшифрова такива съобщения.",
"The exported file will allow anyone who can read it to decrypt any encrypted messages that you can see, so you should be careful to keep it secure. To help with this, you should enter a passphrase below, which will be used to encrypt the exported data. It will only be possible to import the data by using the same passphrase.": "Експортираният файл ще позволи на всеки, който може да го прочете, да разшифрова всяко шифровано съобщение, което можете да видите. Трябва да го държите на сигурно място. За да направите това, трябва да въведете парола по-долу, която ще се използва за шифроване на експортираните данни. Ще бъде възможно да се импортират данните само с използване на същата парола.",
"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.": "Експортираният файл може да бъде предпазен с парола. Трябва да въведете парола тук, за да разшифровате файла.",
"Did you know: you can use communities to filter your Riot.im experience!": "Знаете ли, че: може да използвате общности, за да филтрирате Вашето Riot.im преживяване!",
"Did you know: you can use communities to filter your %(brand)s experience!": "Знаете ли, че: може да използвате общности, за да филтрирате Вашето %(brand)s преживяване!",
"To set up a filter, drag a community avatar over to the filter panel on the far left hand side of the screen. You can click on an avatar in the filter panel at any time to see only the rooms and people associated with that community.": "За да създадете филтър, дръпнете и пуснете аватара на общността върху панела за филтриране в най-лявата част на екрана. По всяко време може да натиснете върху аватар от панела, за да видите само стаите и хората от тази общност.",
"Key request sent.": "Заявката за ключ е изпратена.",
"Code": "Код",
@ -721,7 +661,6 @@
"Who can join this community?": "Кой може да се присъедини към тази общност?",
"Everyone": "Всеки",
"Fetching third party location failed": "Неуспешно извличане на адреса на стаята от друга мрежа",
"A new version of Riot is available.": "Налична е нова версия на Riot.",
"Send Account Data": "Изпращане на Account Data",
"All notifications are currently disabled for all targets.": "В момента известията са изключени за всички цели.",
"Uploading report": "Качване на доклада",
@ -740,8 +679,6 @@
"Send Custom Event": "Изпрати потребителско събитие",
"Advanced notification settings": "Разширени настройки за известяване",
"Failed to send logs: ": "Неуспешно изпращане на логове: ",
"delete the alias.": "изтрий псевдонима.",
"To return to your account in future you need to <u>set a password</u>": "За да се върнете в профила си в бъдеще, трябва да <u>зададете парола</u>",
"Forget": "Забрави",
"You cannot delete this image. (%(code)s)": "Не можете да изтриете тази снимка. (%(code)s)",
"Cancel Sending": "Откажи изпращането",
@ -765,7 +702,6 @@
"No update available.": "Няма нова версия.",
"Noisy": "Шумно",
"Collecting app version information": "Събиране на информация за версията на приложението",
"Delete the room alias %(alias)s and remove %(name)s from the directory?": "Изтриване на псевдонима %(alias)s на стаята и премахване на %(name)s от директорията?",
"Enable notifications for this account": "Включване на известия за този профил",
"Invite to this community": "Покани в тази общност",
"Search…": "Търсене…",
@ -776,7 +712,7 @@
"Forward Message": "Препрати съобщението",
"You have successfully set a password and an email address!": "Вие успешно зададохте парола и имейл адрес!",
"Remove %(name)s from the directory?": "Премахване на %(name)s от директорията?",
"Riot uses many advanced browser features, some of which are not available or experimental in your current browser.": "Riot използва много разширени браузър харектеристики, някои от които не са налични или са все още експериментални в настоящия Ви браузър.",
"%(brand)s uses many advanced browser features, some of which are not available or experimental in your current browser.": "%(brand)s използва много разширени браузър харектеристики, някои от които не са налични или са все още експериментални в настоящия Ви браузър.",
"Developer Tools": "Инструменти за разработчика",
"Preparing to send logs": "Подготовка за изпращане на логове",
"Explore Account Data": "Преглед на данните от профила",
@ -822,8 +758,7 @@
"Debug logs contain application usage data including your username, the IDs or aliases of the rooms or groups you have visited and the usernames of other users. They do not contain messages.": "Логовете за дебъгване съдържат данни за използване на приложението, включващи потребителското Ви име, идентификаторите или псевдонимите на стаите или групите, които сте посетили, и потребителските имена на други потребители. Те не съдържат съобщения.",
"Unhide Preview": "Покажи отново прегледа",
"Unable to join network": "Неуспешно присъединяване към мрежата",
"You might have configured them in a client other than Riot. You cannot tune them in Riot but they still apply": "Възможна конфигурация на настройките за известия в клиент, различен от Riot. Не могат да бъдат променени в Riot, но важат въпреки това",
"Sorry, your browser is <b>not</b> able to run Riot.": "За жалост, Вашият браузър <b>не</b> може да пусне Riot.",
"Sorry, your browser is <b>not</b> able to run %(brand)s.": "За жалост, Вашият браузър <b>не</b> може да пусне %(brand)s.",
"Messages in group chats": "Съобщения в групови чатове",
"Yesterday": "Вчера",
"Error encountered (%(errorDetail)s).": "Възникна грешка (%(errorDetail)s).",
@ -833,7 +768,7 @@
"Set Password": "Задаване на парола",
"An error occurred whilst saving your email notification preferences.": "Възникна грешка при запазване на настройките за имейл известяване.",
"Off": "Изкл.",
"Riot does not know how to join a room on this network": "Riot не знае как да се присъедини към стая от тази мрежа",
"%(brand)s does not know how to join a room on this network": "%(brand)s не знае как да се присъедини към стая от тази мрежа",
"Mentions only": "Само при споменаване",
"You can now return to your account after signing out, and sign in on other devices.": "Вече можете да се върнете в профила си след излизане от него и да влезете от други устройства.",
"Enable email notifications": "Активиране на имейл известия",
@ -847,11 +782,9 @@
"Thank you!": "Благодарим!",
"With your current browser, the look and feel of the application may be completely incorrect, and some or all features may not function. If you want to try it anyway you can continue, but you are on your own in terms of any issues you may encounter!": "С текущия Ви браузър, изглеждането и усещането на приложението може да бъде неточно, и някои или всички от функциите може да не функционират,работят......... Ако искате може да продължите така или иначе, но сте сами по отношение на евентуалните проблеми, които може да срещнете!",
"Checking for an update...": "Проверяване за нова версия...",
"There are advanced notifications which are not shown here": "Съществуват разширени настройки за известия, които не са показани тук",
"Missing roomId.": "Липсва идентификатор на стая.",
"Every page you use in the app": "Всяка използвана страница от приложението",
"e.g. <CurrentPageURL>": "например: <CurrentPageURL>",
"Your User Agent": "Вашият браузър",
"Your device resolution": "Разделителната способност на устройството Ви",
"Always show encryption icons": "Винаги показвай икони за шифроване",
"Unable to load event that was replied to, it either does not exist or you do not have permission to view it.": "Не може да се зареди събитието, на което е отговорено. Или не съществува или нямате достъп да го видите.",
@ -866,9 +799,6 @@
"e.g. %(exampleValue)s": "напр. %(exampleValue)s",
"Send analytics data": "Изпращане на статистически данни",
"Muted Users": "Заглушени потребители",
"Please help improve Riot.im by sending <UsageDataLink>anonymous usage data</UsageDataLink>. This will use a cookie (please see our <PolicyLink>Cookie Policy</PolicyLink>).": "Моля, помогнете за подобряването на Riot.im като изпращате <UsageDataLink>анонимни данни за ползване</UsageDataLink>. Това ще използва бисквитка (моля, вижте нашата <PolicyLink>политика за бисквитки</PolicyLink>).",
"Please help improve Riot.im by sending <UsageDataLink>anonymous usage data</UsageDataLink>. This will use a cookie.": "Моля, помогнете за подобряването на Riot.im като изпращате <UsageDataLink>анонимни данни за ползване</UsageDataLink>. Това ще използва бисквитка.",
"Yes, I want to help!": "Да, искам да помогна!",
"This will make your account permanently unusable. You will not be able to log in, and no one will be able to re-register the same user ID. This will cause your account to leave all rooms it is participating in, and it will remove your account details from your identity server. <b>This action is irreversible.</b>": "Това ще направи акаунта Ви неизползваем завинаги. Няма да можете да влезете пак, а регистрирането повторно на същия потребителски идентификатор няма да е възможно. Акаунтът Ви да напусне всички стаи, в които участва. Ще бъдат премахнати и данните за акаунта Ви от сървъра за самоличност. <b>Действието е необратимо.</b>",
"Deactivating your account <b>does not by default cause us to forget messages you have sent.</b> If you would like us to forget your messages, please tick the box below.": "Деактивирането на акаунта Ви <b>по подразбиране не прави така, че изпратените съобщения да бъдат забравени.</b> Ако искате да забравим съобщенията Ви, моля отбележете с отметка по-долу.",
"Message visibility in Matrix is similar to email. Our forgetting your messages means that messages you have sent will not be shared with any new or unregistered users, but registered users who already have access to these messages will still have access to their copy.": "Видимостта на съобщенията в Matrix е подобно на имейл системата. Нашето забравяне означава, че: изпратените от Вас съобщения няма да бъдат споделяни с нови или нерегистрирани потребители, но регистрираните потребители имащи достъп до тях ще продължат да имат достъп до своето копие.",
@ -912,9 +842,6 @@
"Please <a>contact your service administrator</a> to continue using the service.": "Моля, <a>свържете се с администратора на услугата</a> за да продължите да я използвате.",
"This homeserver has hit its Monthly Active User limit.": "Този сървър е достигнал лимита си за активни потребители на месец.",
"This homeserver has exceeded one of its resource limits.": "Този сървър е надвишил някой от лимитите си.",
"Please <a>contact your service administrator</a> to get this limit increased.": "Моля, <a>свържете се с администратора на услугата</a> за да се увеличи този лимит.",
"This homeserver has hit its Monthly Active User limit so <b>some users will not be able to log in</b>.": "Този сървър е достигнал своя лимит за потребители на месец, така че <b>някои потребители не биха успели да влязат</b>.",
"This homeserver has exceeded one of its resource limits so <b>some users will not be able to log in</b>.": "Този сървър е достигнал някой от лимите си, така че <b>някои потребители не биха успели да влязат</b>.",
"Upgrade Room Version": "Обнови версията на стаята",
"Create a new room with the same name, description and avatar": "Създадем нова стая със същото име, описание и снимка",
"Update any local room aliases to point to the new room": "Обновим всички локални адреси на стаята да сочат към новата",
@ -926,8 +853,6 @@
"Sorry, your homeserver is too old to participate in this room.": "Съжаляваме, вашият сървър е прекалено стар за да участва в тази стая.",
"Please contact your homeserver administrator.": "Моля, свържете се се със сървърния администратор.",
"Legal": "Юридически",
"Registration Required": "Нужна е регистрация",
"You need to register to do this. Would you like to register now?": "За да направите това е нужно да се регистрирате. Искате ли да се регистрирате сега?",
"Unable to connect to Homeserver. Retrying...": "Неуспешно свързване със сървъра. Опитване отново...",
"This room has been replaced and is no longer active.": "Тази стая е била заменена и вече не е активна.",
"The conversation continues here.": "Разговора продължава тук.",
@ -937,18 +862,13 @@
"The room upgrade could not be completed": "Обновяването на тази стая не можа да бъде завършено",
"Upgrade this room to version %(version)s": "Обновете тази стая до версия %(version)s",
"Forces the current outbound group session in an encrypted room to be discarded": "Принудително прекратява текущата изходяща групова сесия в шифрована стая",
"%(senderName)s added %(count)s %(addedAddresses)s as addresses for this room.|one": "%(senderName)s добави %(addedAddresses)s като адрес за тази стая.",
"%(senderName)s added %(count)s %(addedAddresses)s as addresses for this room.|other": "%(senderName)s добави %(addedAddresses)s като адреси за тази стая.",
"%(senderName)s removed %(count)s %(removedAddresses)s as addresses for this room.|one": "%(senderName)s премахна %(removedAddresses)s като адрес за тази стая.",
"%(senderName)s removed %(count)s %(removedAddresses)s as addresses for this room.|other": "%(senderName)s премахна %(removedAddresses)s като адреси за тази стая.",
"%(senderName)s added %(addedAddresses)s and removed %(removedAddresses)s as addresses for this room.": "%(senderName)s добави %(addedAddresses)s и премахна %(removedAddresses)s като адреси за тази стая.",
"%(senderName)s set the main address for this room to %(address)s.": "%(senderName)s настрой основния адрес на тази стая на %(address)s.",
"%(senderName)s removed the main address for this room.": "%(senderName)s премахна основния адрес на тази стая.",
"Before submitting logs, you must <a>create a GitHub issue</a> to describe your problem.": "Преди да изпратите логове, трябва да <a>отворите доклад за проблем в Github</a>.",
"Riot now uses 3-5x less memory, by only loading information about other users when needed. Please wait whilst we resynchronise with the server!": "Riot вече използва 3-5 пъти по-малко памет, като зарежда информация за потребители само когато е нужна. Моля, изчакайте докато ресинхронизираме със сървъра!",
"Updating Riot": "Обновяване на Riot",
"You've previously used Riot 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, Riot needs to resync your account.": "Преди сте използвали Riot на %(host)s с включено постепенно зареждане на членове. В тази версия, тази настройка е изключена. Понеже локалният кеш не е съвместим при тези две настройки, Riot трябва да синхронизира акаунта Ви наново.",
"If the other version of Riot is still open in another tab, please close it as using Riot on the same host with both lazy loading enabled and disabled simultaneously will cause issues.": "Ако другата версия на Riot все още е отворена в друг таб, моля затворете я. Използването на Riot на един адрес във версии с постепенно и без постепенно зареждане ще причини проблеми.",
"%(brand)s now uses 3-5x less memory, by only loading information about other users when needed. Please wait whilst we resynchronise with the server!": "%(brand)s вече използва 3-5 пъти по-малко памет, като зарежда информация за потребители само когато е нужна. Моля, изчакайте докато ресинхронизираме със сървъра!",
"Updating %(brand)s": "Обновяване на %(brand)s",
"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.": "Преди сте използвали %(brand)s на %(host)s с включено постепенно зареждане на членове. В тази версия, тази настройка е изключена. Понеже локалният кеш не е съвместим при тези две настройки, %(brand)s трябва да синхронизира акаунта Ви наново.",
"If the other version of %(brand)s is still open in another tab, please close it as using %(brand)s on the same host with both lazy loading enabled and disabled simultaneously will cause issues.": "Ако другата версия на %(brand)s все още е отворена в друг таб, моля затворете я. Използването на %(brand)s на един адрес във версии с постепенно и без постепенно зареждане ще причини проблеми.",
"Incompatible local cache": "Несъвместим локален кеш",
"Clear cache and resync": "Изчисти кеша и ресинхронизирай",
"Please review and accept the policies of this homeserver:": "Моля, прегледайте и приемете политиките на този сървър:",
@ -1000,22 +920,17 @@
"Please review and accept all of the homeserver's policies": "Моля прегледайте и приемете всички политики на сървъра",
"Failed to load group members": "Неуспешно зареждане на членовете на групата",
"That doesn't look like a valid email address": "Това не изглежда като валиден имейл адрес",
"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 Riot to do this": "За да избегнете загубата на чат история, трябва да експортирате ключовете на стаята преди да излезете от профила си. Ще трябва да се върнете към по-новата версия на Riot за да направите това",
"You've previously used a newer version of Riot on %(host)s. To use this version again with end to end encryption, you will need to sign out and back in again. ": "Преди време сте използвали по-нова версия на Riot на %(host)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 за да направите това",
"Incompatible Database": "Несъвместима база данни",
"Continue With Encryption Disabled": "Продължи с изключено шифроване",
"Checking...": "Проверяване...",
"Unable to load backup status": "Неуспешно зареждане на състоянието на резервното копие",
"Unable to restore backup": "Неуспешно възстановяване на резервно копие",
"No backup found!": "Не е открито резервно копие!",
"Backup Restored": "Резервното копие е възстановено",
"Failed to decrypt %(failedCount)s sessions!": "Неуспешно разшифроване на %(failedCount)s сесии!",
"Restored %(sessionCount)s session keys": "Възстановени бяха %(sessionCount)s сесийни ключа",
"Enter Recovery Passphrase": "Въведете парола за възстановяване",
"Access your secure message history and set up secure messaging by entering your recovery passphrase.": "Получете достъп до защитената история на съобщенията и настройте защитен чат, чрез въвеждане на паролата за възстановяване.",
"Next": "Напред",
"If you've forgotten your recovery passphrase you can <button1>use your recovery key</button1> or <button2>set up new recovery options</button2>": "Ако сте забравили паролата за възстановяване, можете да <button1>използвате ключа за възстановяване</button1> или да <button2>настройте други варианти за възстановяване</button2>",
"Enter Recovery Key": "Въведете ключ за възстановяване",
"This looks like a valid recovery key!": "Това изглежда като валиден ключ за възстановяване!",
"Not a valid recovery key": "Не е валиден ключ за възстановяване",
"Access your secure message history and set up secure messaging by entering your recovery key.": "Получете достъп до защитената история на съобщенията и настройте защитен чат, чрез въвеждане на ключа за възстановяване.",
@ -1024,23 +939,14 @@
"General failure": "Обща грешка",
"Failed to perform homeserver discovery": "Неуспешно откриване на конфигурацията за сървъра",
"Sign in with single sign-on": "Влезте посредством single-sign-on",
"Great! This passphrase looks strong enough.": "Чудесно! Паролата изглежда сигурна.",
"Enter a passphrase...": "Въведете парола...",
"That matches!": "Това съвпада!",
"That doesn't match.": "Това не съвпада.",
"Go back to set it again.": "Върнете се за да настройте нова.",
"Repeat your passphrase...": "Повторете паролата...",
"As a safety net, you can use it to restore your encrypted message history if you forget your Recovery Passphrase.": "Като предпазна мярка, можете да го използвате за възстановяване на шифрованата история на съобщенията, в случай че сте забравили паролата за възстановяване.",
"As a safety net, you can use it to restore your encrypted message history.": "Като предпазна мярка, можете да го използвате за възстановяване на шифрованата история на съобщенията.",
"Your Recovery Key": "Вашия ключ за възстановяване",
"Copy to clipboard": "Копирай в клипборд",
"Download": "Свали",
"<b>Print it</b> and store it somewhere safe": "<b>Принтирайте го</b> и го съхранявайте на безопасно място",
"<b>Save it</b> on a USB key or backup drive": "<b>Запазете го</b> на USB или резервен диск",
"<b>Copy it</b> to your personal cloud storage": "<b>Копирайте го</b> в персонално облачно пространство",
"Set up Secure Message Recovery": "Настрой Възстановяване на Защитени Съобщения",
"Keep it safe": "Пазете го в безопасност",
"Create Key Backup": "Създай резервно копие на ключа",
"Unable to create key backup": "Неуспешно създаване на резервно копие на ключа",
"Retry": "Опитай пак",
"Without setting up Secure Message Recovery, you'll lose your secure message history when you log out.": "Без настроено Възстановяване на Защитени Съобщения, ще загубите защитената история на съобщенията когато излезете от профила си.",
@ -1055,7 +961,6 @@
"If you didn't set the new recovery method, an attacker may be trying to access your account. Change your account password and set a new recovery method immediately in Settings.": "Ако не сте настройвали новия метод за възстановяване, вероятно някой се опитва да проникне в акаунта Ви. Веднага променете паролата на акаунта си и настройте нов метод за възстановяване от Настройки.",
"Set up Secure Messages": "Настрой Защитени Съобщения",
"Go to Settings": "Отиди в Настройки",
"Waiting for %(userId)s to confirm...": "Изчакване на %(userId)s да потвърди...",
"Unrecognised address": "Неразпознат адрес",
"User %(user_id)s may or may not exist": "Потребител %(user_id)s може да съществува или не",
"Prompt before sending invites to potentially invalid matrix IDs": "Питай преди изпращане на покани към потенциално невалидни Matrix идентификатори",
@ -1114,9 +1019,9 @@
"Theme": "Тема",
"Account management": "Управление на акаунта",
"Deactivating your account is a permanent action - be careful!": "Деактивирането на акаунта е необратимо действие - внимавайте!",
"For help with using Riot, click <a>here</a>.": "За помощ при използването на Riot, кликнете <a>тук</a>.",
"For help with using Riot, click <a>here</a> or start a chat with our bot using the button below.": "За помощ при използването на Riot, кликнете <a>тук</a> или започнете чат с бота ни използвайки бутона по-долу.",
"Chat with Riot Bot": "Чати с Riot Bot",
"For help with using %(brand)s, click <a>here</a>.": "За помощ при използването на %(brand)s, кликнете <a>тук</a>.",
"For help with using %(brand)s, click <a>here</a> or start a chat with our bot using the button below.": "За помощ при използването на %(brand)s, кликнете <a>тук</a> или започнете чат с бота ни използвайки бутона по-долу.",
"Chat with %(brand)s Bot": "Чати с %(brand)s Bot",
"Help & About": "Помощ и относно",
"Bug reporting": "Съобщаване за грешка",
"FAQ": "Често задавани въпроси",
@ -1127,7 +1032,6 @@
"Timeline": "Списък със съобщения",
"Autocomplete delay (ms)": "Забавяне преди подсказки (милисекунди)",
"Roles & Permissions": "Роли и привилегии",
"To link to this room, please add an alias.": "За да генерирате връзки към тази стая, въведете адрес за нея.",
"Changes to who can read history will only apply to future messages in this room. The visibility of existing history will be unchanged.": "Промени в настройките за четене на историята касаят само за нови съобщения. Видимостта на съществуващата история не се променя.",
"Security & Privacy": "Сигурност и поверителност",
"Encryption": "Шифроване",
@ -1144,18 +1048,12 @@
"Room Name": "Име на стаята",
"Room Topic": "Тема на стаята",
"Join": "Присъедини се",
"Use Legacy Verification (for older clients)": "Използвай стар метод за потвърждение (за стари клиенти)",
"Verify by comparing a short text string.": "Потвърждение чрез сравняване на кратко текстово съобщение.",
"Begin Verifying": "Започни потвърждението",
"Waiting for partner to accept...": "Изчакване партньора да приеме...",
"Use two-way text verification": "Използвай двустранно текстово потвърждение",
"Verify this user to mark them as trusted. Trusting users gives you extra peace of mind when using end-to-end encrypted messages.": "Потвърди потребителя и го маркирай като доверен. Доверяването на потребители Ви дава допълнително спокойствие при използване на съобщения шифровани от край-до-край.",
"Waiting for partner to confirm...": "Изчакване партньора да потвърди...",
"Incoming Verification Request": "Входяща заявка за потвърждение",
"To help avoid duplicate issues, please <existingIssuesLink>view existing issues</existingIssuesLink> first (and add a +1) or <newIssueLink>create a new issue</newIssueLink> if you can't find it.": "За да се избегнат дублиращи се проблеми, моля първо <existingIssuesLink>прегледайте съществуващите проблеми</existingIssuesLink> (и гласувайте с +1) или <newIssueLink>създайте нов проблем</newIssueLink>, ако не сте намерили съществуващ.",
"Report bugs & give feedback": "Съобщете за бъг и дайте обратна връзка",
"Go back": "Върни се",
"Backup could not be decrypted with this key: please verify that you entered the correct recovery key.": "Резервното копие не можа да бъде разшифровано с този ключ: потвърдете, че сте въвели правилния ключ за възстановяване.",
"Update status": "Обнови статуса",
"Set status": "Настрой статус",
"You can use the custom server options to sign into other Matrix servers by specifying a different homeserver URL. This allows you to use this app with an existing Matrix account on a different homeserver.": "Може да използвате настройките за собствен сървър за да влезете в друг Matrix сървър, чрез указване на адреса му. Това Ви позволява да използвате приложението със съществуващ Matrix акаунт принадлежащ към друг сървър.",
@ -1261,9 +1159,6 @@
"Headphones": "Слушалки",
"Folder": "Папка",
"Pin": "Кабърче",
"Recovery Key Mismatch": "Ключа за възстановяване не съвпада",
"Incorrect Recovery Passphrase": "Неправилна парола за възстановяване",
"Backup could not be decrypted with this passphrase: please verify that you entered the correct recovery passphrase.": "Резервното копие не можа да бъде разшифровано с тази парола: потвърдете, че сте въвели правилната парола.",
"This homeserver would like to make sure you are not a robot.": "Сървърът иска да потвърди, че не сте робот.",
"Change": "Промени",
"Couldn't load page": "Страницата не можа да бъде заредена",
@ -1283,22 +1178,14 @@
"Securely back up your keys to avoid losing them. <a>Learn more.</a>": "Правете защитено резервно копие на ключовете, за да не ги загубите. <a>Научи повече.</a>",
"Not now": "Не сега",
"Don't ask me again": "Не ме питай пак",
"Nothing appearing? Not all clients support interactive verification yet. <button>Use legacy verification</button>.": "Нищо не се появява? Не всички клиенти поддържат интерактивно потвърждение. <button>Използвай стария метод за потвърждение</button>.",
"I don't want my encrypted messages": "Не искам шифрованите съобщения",
"Manually export keys": "Експортирай ключове ръчно",
"You'll lose access to your encrypted messages": "Ще загубите достъп до шифрованите си съобщения",
"Are you sure you want to sign out?": "Сигурни ли сте, че искате да излезете от профила?",
"<b>Warning</b>: you should only set up key backup from a trusted computer.": "<b>Внимание</b>: настройването на резервно копие на ключовете трябва да се прави само от доверен компютър.",
"Hide": "Скрий",
"We'll store an encrypted copy of your keys on our server. Protect your backup with a passphrase to keep it secure.": "Ще съхраним шифровано копие на ключовете на сървърът ни. Предпазете резервното копие с парола.",
"For maximum security, this should be different from your account password.": "За максимална сигурност, по-добре паролата да е различна от тази за акаунта Ви.",
"Set up with a Recovery Key": "Настрой с ключ за възстановяване",
"Please enter your passphrase a second time to confirm.": "Въведете паролата отново за потвърждение.",
"Your recovery key is a safety net - you can use it to restore access to your encrypted messages if you forget your passphrase.": "Ключът за възстановяване дава допълнителна сигурност - може да го използвате за да възстановите достъпа до шифрованите съобщения, в случай че забравите паролата.",
"Your keys are being backed up (the first backup could take a few minutes).": "Прави се резервно копие на ключовете Ви (първото копие може да отнеме няколко минути).",
"Secure your backup with a passphrase": "Защитете резервното копие с парола",
"Confirm your passphrase": "Потвърдете паролата",
"Recovery key": "Ключ за възстановяване",
"Success!": "Успешно!",
"Allow Peer-to-Peer for 1:1 calls": "Позволи използването на директна връзка (P2P) за 1:1 повиквания",
"Credits": "Благодарности",
@ -1308,14 +1195,9 @@
"%(senderDisplayName)s disabled flair for %(groups)s in this room.": "%(senderDisplayName)s изключи показването на значки в тази стая за следните групи: %(groups)s.",
"%(senderDisplayName)s enabled flair for %(newGroups)s and disabled flair for %(oldGroups)s in this room.": "%(senderDisplayName)s включи показването на значки в тази стая за %(newGroups)s и изключи показването на значки за %(oldGroups)s.",
"Show read receipts sent by other users": "Показвай индикация за прочитане от други потребители",
"Order rooms in the room list by most important first instead of most recent": "Подреждай списъка със стаи според важност, а не според новост",
"Scissors": "Ножици",
"Error updating main address": "Грешка при обновяване на основния адрес",
"There was an error updating the room's main address. It may not be allowed by the server or a temporary failure occurred.": "Случи се грешка при обновяването на основния адрес за стаята. Може да не е позволено от сървъра, или да се е случила друга временна грешка.",
"Error creating alias": "Грешка при създаване на псевдоним",
"There was an error creating that alias. It may not be allowed by the server or a temporary failure occurred.": "Случи се грешка при създаването на този псевдоним. Може да не е позволено от сървъра, или да се е случила друга временна грешка.",
"Error removing alias": "Грешка при премахването на псевдоним",
"There was an error removing that alias. It may no longer exist or a temporary error occurred.": "Случи се грешка при премахването на този псевдоним. Може да не е позволено от сървъра, или да се е случила друга временна грешка.",
"Error updating flair": "Грешка при обновяването на значка",
"There was an error updating the flair for this room. The server may not allow it or a temporary error occurred.": "Случи се грешка при обновяването на значките за тази стая. Може да не е позволено от сървъра, или да се е случила друга временна грешка.",
"Room Settings - %(roomName)s": "Настройки на стая - %(roomName)s",
@ -1393,12 +1275,11 @@
"A widget located at %(widgetUrl)s would like to verify your identity. By allowing this, the widget will be able to verify your user ID, but not perform actions as you.": "Приспособлението от адрес %(widgetUrl)s иска да потвърди идентичността Ви. Ако позволите това, приспособлението ще може да потвърди потребителския Ви идентификатор, без да може да извършва действия с него.",
"Remember my selection for this widget": "Запомни избора ми за това приспособление",
"Deny": "Откажи",
"Riot failed to get the protocol list from the homeserver. The homeserver may be too old to support third party networks.": "Riot не успя да вземе списъка с протоколи от сървъра. Този сървър може да е прекалено стар за да поддържа чужди мрежи.",
"Riot failed to get the public room list.": "Riot не успя да вземе списъка с публични стаи.",
"%(brand)s failed to get the protocol list from the homeserver. The homeserver may be too old to support third party networks.": "%(brand)s не успя да вземе списъка с протоколи от сървъра. Този сървър може да е прекалено стар за да поддържа чужди мрежи.",
"%(brand)s failed to get the public room list.": "%(brand)s не успя да вземе списъка с публични стаи.",
"The homeserver may be unavailable or overloaded.": "Сървърът може да не е наличен или претоварен.",
"You have %(count)s unread notifications in a prior version of this room.|other": "Имате %(count)s непрочетени известия в предишна версия на тази стая.",
"You have %(count)s unread notifications in a prior version of this room.|one": "Имате %(count)s непрочетено известие в предишна версия на тази стая.",
"A conference call could not be started because the integrations server is not available": "Не може да бъде започнат конферентен разговор, защото сървърът за интеграции не е достъпен",
"The server does not support the room version specified.": "Сървърът не поддържа указаната версия на стая.",
"Name or Matrix ID": "Име или Matrix идентификатор",
"Changes your avatar in this current room only": "Променя снимката Ви само в тази стая",
@ -1435,7 +1316,6 @@
"%(roomName)s can't be previewed. Do you want to join it?": "%(roomName)s не може да бъде прегледана предварително. Желаете ли да се влезете?",
"This room doesn't exist. Are you sure you're at the right place?": "Стаята не съществува. Сигурни ли сте, че сте на правилното място?",
"Try again later, or ask a room admin to check if you have access.": "Опитайте отново по-късно или помолете администратора да провери дали имате достъп.",
"Show recently visited rooms above the room list": "Покажи наскоро-посетените стаи над списъка със стаите",
"Low bandwidth mode": "Режим на ниска пропускливост",
"Uploaded sound": "Качен звук",
"Sounds": "Звуци",
@ -1476,8 +1356,8 @@
"Identity server URL does not appear to be a valid identity server": "Адресът на сървърът за самоличност не изглежда да е валиден сървър за самоличност",
"Cannot reach homeserver": "Неуспешна връзка със сървъра",
"Ensure you have a stable internet connection, or get in touch with the server admin": "Уверете се, че интернет връзката ви е стабилна, или се свържете с администратора на сървъра",
"Your Riot is misconfigured": "Riot не е конфигуриран правилно",
"Ask your Riot admin to check <a>your config</a> for incorrect or duplicate entries.": "Попитайте Riot администратора да провери <a>конфигурацията ви</a> за неправилни или дублирани записи.",
"Your %(brand)s is misconfigured": "%(brand)s не е конфигуриран правилно",
"Ask your %(brand)s admin to check <a>your config</a> for incorrect or duplicate entries.": "Попитайте %(brand)s администратора да провери <a>конфигурацията ви</a> за неправилни или дублирани записи.",
"Cannot reach identity server": "Неуспешна връзка със сървъра за самоличност",
"You can register, but some features will be unavailable until the identity server is back online. If you keep seeing this warning, check your configuration or contact a server admin.": "Може да се регистрирате, но някои функции няма да са достъпни докато сървъра за самоличност е офлайн. Ако продължавате да виждате това предупреждение, проверете конфигурацията или се свържете с администратора на сървъра.",
"You can reset your password, but some features will be unavailable until the identity server is back online. If you keep seeing this warning, check your configuration or contact a server admin.": "Може да възстановите паролата си, но някои функции няма да са достъпни докато сървъра за самоличност е офлайн. Ако продължавате да виждате това предупреждение, проверете конфигурацията или се свържете с администратора на сървъра.",
@ -1587,10 +1467,10 @@
"Deactivate user": "Деактивирай потребителя",
"An error (%(errcode)s) was returned while trying to validate your invite. You could try to pass this information on to a room admin.": "Възникна грешка (%(errcode)s) при опит да се провери поканата. Може да предадете тази информация на администратор на стаята.",
"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 Riot.": "Свържете този имейл адрес с профила си от Настройки за да получавате покани директно в Riot.",
"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",
"Use an identity server in Settings to receive invites directly in Riot.": "Използвайте сървър за самоличност от Настройки за да получавате покани директно в Riot.",
"Share this email in Settings to receive invites directly in Riot.": "Споделете този имейл в Настройки за да получавате покани директно в Riot.",
"Use an identity server in Settings to receive invites directly in %(brand)s.": "Използвайте сървър за самоличност от Настройки за да получавате покани директно в %(brand)s.",
"Share this email in Settings to receive invites directly in %(brand)s.": "Споделете този имейл в Настройки за да получавате покани директно в %(brand)s.",
"Use an identity server to invite by email. <default>Use the default (%(defaultIdentityServerName)s)</default> or manage in <settings>Settings</settings>.": "Използвайте сървър за самоличност за да каните по имейл. <default>Използвайте сървъра за самоличност по подразбиране (%(defaultIdentityServerName)s)</default> или настройте друг в <settings>Настройки</settings>.",
"Use an identity server to invite by email. Manage in <settings>Settings</settings>.": "Използвайте сървър за самоличност за да каните по имейл. Управлявайте в <settings>Настройки</settings>.",
"Set an email for account recovery. Use email or phone to optionally be discoverable by existing contacts.": "Настройте имейл за възстановяване на профила. По желание, използвайте имейл или телефон за да бъдете откриваеми от сегашните ви контакти.",
@ -1636,13 +1516,8 @@
"Read Marker lifetime (ms)": "Живот на маркера за прочитане (мсек)",
"Read Marker off-screen lifetime (ms)": "Живот на маркера за прочитане извън екрана (мсек)",
"Changes the avatar of the current room": "Променя снимката на текущата стая",
"Room alias": "Псевдоним на стаята",
"e.g. my-room": "например my-room",
"Please provide a room alias": "Въведете псевдоним на стаята",
"This alias is available to use": "Този псевдоним е свободен за ползване",
"This alias is already in use": "Този псевдоним вече се използва",
"Please enter a name for the room": "Въведете име на стаята",
"Set a room alias to easily share your room with other people.": "Въведете псевдоним на стаята за лесно споделяне с други хора.",
"This room is private, and can only be joined by invitation.": "Това е частна стая и присъединяването става само с покана.",
"Create a public room": "Създай публична стая",
"Create a private room": "Създай частна стая",
@ -1724,7 +1599,6 @@
"%(senderName)s placed a voice call. (not supported by this browser)": "%(senderName)s започна гласово обаждане. (не се поддържа от този браузър)",
"%(senderName)s placed a video call.": "%(senderName)s започна видео обаждане.",
"%(senderName)s placed a video call. (not supported by this browser)": "%(senderName)s започна видео обаждане. (не се поддържа от този браузър)",
"Enable local event indexing and E2EE search (requires restart)": "Включи локални индексиране на събития и E2EE търсене (изисква рестартиране)",
"Match system theme": "Напасване със системната тема",
"My Ban List": "Моя списък с блокирания",
"This is your list of users/servers you have blocked - don't leave the room!": "Това е списък с хора/сървъри, които сте блокирали - не напускайте стаята!",
@ -1733,7 +1607,6 @@
"Cannot connect to integration manager": "Неуспешна връзка с мениджъра на интеграции",
"The integration manager is offline or it cannot reach your homeserver.": "Мениджъра на интеграции е офлайн или не може да се свърже със сървъра ви.",
"Clear notifications": "Изчисти уведомленията",
"Send cross-signing keys to homeserver": "Изпрати ключове за кръстосано-подписване към сървъра",
"Error upgrading room": "Грешка при обновяване на стаята",
"Double check that your server supports the room version chosen and try again.": "Проверете дали сървъра поддържа тази версия на стаята и опитайте пак.",
"%(senderName)s removed the rule banning users matching %(glob)s": "%(senderName)s премахна правилото блокиращо достъпа на потребители отговарящи на %(glob)s",
@ -1777,7 +1650,6 @@
"Error adding ignored user/server": "Грешка при добавяне на игнориран потребител/сървър",
"Something went wrong. Please try again or view your console for hints.": "Нещо се обърка. Опитайте пак или вижте конзолата за информация какво не е наред.",
"Error subscribing to list": "Грешка при абониране за списък",
"Please verify the room ID or alias and try again.": "Потвърдете идентификатора или адреса на стаята и опитайте пак.",
"Error removing ignored user/server": "Грешка при премахване на игнориран потребител/сървър",
"Error unsubscribing from list": "Грешка при отписването от списък",
"Please try again or view your console for hints.": "Опитайте пак или вижте конзолата за информация какво не е наред.",
@ -1792,7 +1664,7 @@
"View rules": "Виж правилата",
"You are currently subscribed to:": "В момента сте абонирани към:",
"⚠ These settings are meant for advanced users.": "⚠ Тези настройки са за напреднали потребители.",
"Add users and servers you want to ignore here. Use asterisks to have Riot match any characters. For example, <code>@bot:*</code> would ignore all users that have the name 'bot' on any server.": "Добавете тук потребители или сървъри, които искате да игнорирате. Използвайте звездички за да кажете на Riot да търси съвпадения с всеки символ. Например: <code>@bot:*</code> ще игнорира всички потребители с име 'bot' на кой да е сървър.",
"Add users and servers you want to ignore here. Use asterisks to have %(brand)s match any characters. For example, <code>@bot:*</code> would ignore all users that have the name 'bot' on any server.": "Добавете тук потребители или сървъри, които искате да игнорирате. Използвайте звездички за да кажете на %(brand)s да търси съвпадения с всеки символ. Например: <code>@bot:*</code> ще игнорира всички потребители с име 'bot' на кой да е сървър.",
"Ignoring people is done through ban lists which contain rules for who to ban. Subscribing to a ban list means the users/servers blocked by that list will be hidden from you.": "Игнорирането на хора става чрез списъци за блокиране, които съдържат правила кой да бъде блокиран. Абонирането към списък за блокиране означава, че сървърите/потребителите блокирани от този списък ще бъдат скрити от вас.",
"Personal ban list": "Персонален списък за блокиране",
"Your personal ban list holds all the users/servers you personally don't want to see messages from. After ignoring your first user/server, a new room will show up in your room list named 'My Ban List' - stay in this room to keep the ban list in effect.": "Персоналния ви списък за блокиране съдържа потребители/сървъри, от които не искате да виждате съобщения. След игнориране на първия потребител/сървър, ще се появи нова стая в списъка със стаи, наречена 'My Ban List' - останете в тази стая за да работи списъкът с блокиране.",
@ -1801,7 +1673,6 @@
"Subscribed lists": "Абонирани списъци",
"Subscribing to a ban list will cause you to join it!": "Абонирането към списък ще направи така, че да се присъедините към него!",
"If this isn't what you want, please use a different tool to ignore users.": "Ако това не е каквото искате, използвайте друг инструмент за игнориране на потребители.",
"Room ID or alias of ban list": "Идентификатор или име на стая списък за блокиране",
"Subscribe": "Абонирай ме",
"Cross-signing": "Кръстосано-подписване",
"This message cannot be decrypted": "Съобщението не може да бъде дешифровано",
@ -1828,7 +1699,7 @@
"Your avatar URL": "Адреса на профилната ви снимка",
"Your user ID": "Потребителския ви идентификатор",
"Your theme": "Вашата тема",
"Riot URL": "Riot URL адрес",
"%(brand)s URL": "%(brand)s URL адрес",
"Room ID": "Идентификатор на стаята",
"Widget ID": "Идентификатор на приспособлението",
"Using this widget may share data <helpIcon /> with %(widgetDomain)s & your Integration Manager.": "Използването на това приспособление може да сподели данни <helpIcon /> с %(widgetDomain)s и с мениджъра на интеграции.",
@ -1841,21 +1712,14 @@
"Integrations are disabled": "Интеграциите са изключени",
"Enable 'Manage Integrations' in Settings to do this.": "Включете 'Управление на интеграции' от настройките за направите това.",
"Integrations not allowed": "Интеграциите не са разрешени",
"Your Riot doesn't allow you to use an Integration Manager to do this. Please contact an admin.": "Вашият Riot не позволява да използвате мениджъра на интеграции за да направите това. Свържете се с администратор.",
"Your %(brand)s doesn't allow you to use an Integration Manager to do this. Please contact an admin.": "Вашият %(brand)s не позволява да използвате мениджъра на интеграции за да направите това. Свържете се с администратор.",
"Automatically invite users": "Автоматично кани потребители",
"Upgrade private room": "Обнови лична стая",
"Upgrade public room": "Обнови публична стая",
"Upgrading a room is an advanced action and is usually recommended when a room is unstable due to bugs, missing features or security vulnerabilities.": "Обновяването на стая е действие за напреднали и обикновено се препоръчва когато стаята е нестабилна поради бъгове, липсващи функции или проблеми със сигурността.",
"This usually only affects how the room is processed on the server. If you're having problems with your Riot, please <a>report a bug</a>.": "Това обикновено влия само на това как стаята се обработва на сървъра. Ако имате проблеми с Riot, <a>съобщете за проблем</a>.",
"This usually only affects how the room is processed on the server. If you're having problems with your %(brand)s, please <a>report a bug</a>.": "Това обикновено влия само на това как стаята се обработва на сървъра. Ако имате проблеми с %(brand)s, <a>съобщете за проблем</a>.",
"You'll upgrade this room from <oldVersion /> to <newVersion />.": "Ще обновите стаята от <oldVersion /> до <newVersion />.",
"Upgrade": "Обнови",
"Enter secret storage passphrase": "Въведете парола за секретно складиране",
"Unable to access secret storage. Please verify that you entered the correct passphrase.": "Неуспешен достъп до секретно складиране. Уверете се, че сте въвели правилната парола.",
"<b>Warning</b>: You should only access secret storage from a trusted computer.": "<b>Внимание</b>: Трябва да достъпвате секретно складиране само от доверен компютър.",
"If you've forgotten your passphrase you can <button1>use your recovery key</button1> or <button2>set up new recovery options</button2>.": "Ако сте забравили паролата си, може да <button1>използвате ключ за възстановяване</button1> или да <button2>настройте опции за възстановяване</button2>.",
"Enter secret storage recovery key": "Въведете ключ за възстановяване на секретно складиране",
"Unable to access secret storage. Please verify that you entered the correct recovery key.": "Неуспешен достъп до секретно складиране. Подсигурете се, че сте въвели правилния ключ за възстановяване.",
"If you've forgotten your recovery key you can <button>set up new recovery options</button>.": "Ако сте забравили ключа си за възстановяване, може да <button>настройте нови опции за възстановяване</button>.",
"<b>Warning</b>: You should only set up key backup from a trusted computer.": "<b>Внимание</b>: Трябва да настройвате резервно копие на ключове само от доверен компютър.",
"If you've forgotten your recovery key you can <button>set up new recovery options</button>": "Ако сте забравили ключа за възстановяване, може да <button>настройте нови опции за възстановяване</button>",
"Notification settings": "Настройки на уведомленията",
@ -1867,14 +1731,9 @@
"User Status": "Потребителски статус",
"Country Dropdown": "Падащо меню за избор на държава",
"Verification Request": "Заявка за потвърждение",
" (1/%(totalCount)s)": " (1/%(totalCount)s)",
"Set up with a recovery key": "Настрой с ключ за възстановяване",
"As a safety net, you can use it to restore your access to encrypted messages if you forget your passphrase.": "Като предпазна мярка, ако забравите паролата, може да го използвате за да възстановите достъпа до шифрованите съобщения.",
"As a safety net, you can use it to restore your access to encrypted messages.": "Като предпазна мярка, може да го използвате за да възстановите достъпа до шифрованите съобщения.",
"Keep your recovery key somewhere very secure, like a password manager (or a safe).": "Съхранявайте ключа за възстановяване на сигурно място, като в password manager (или сейф).",
"Your recovery key has been <b>copied to your clipboard</b>, paste it to:": "Ключа за възстановяване беше <b>копиран в клиборд</b>, поставете го в:",
"Your recovery key is in your <b>Downloads</b> folder.": "Ключа за възстановяване е във вашата папка <b>Изтегляния</b>.",
"Storing secrets...": "Складиране на тайни...",
"Unable to set up secret storage": "Неуспешна настройка на секретно складиране",
"Show info about bridges in room settings": "Показвай информация за връзки с други мрежи в настройките на стаята",
"This bridge is managed by <user />.": "Тази връзка с друга мрежа се управлява от <user />.",
@ -1885,13 +1744,9 @@
"Go": "Давай",
"Failed to find the following users": "Неуспешно откриване на следните потребители",
"The following users might not exist or are invalid, and cannot be invited: %(csvNames)s": "Следните потребители не съществуват или са невалидни и не могат да бъдат поканени: %(csvNames)s",
"The version of Riot": "Версията на Riot",
"Whether you're using Riot on a device where touch is the primary input mechanism": "Дали използвате Riot на устройство, на което основния механизъм за достъп е докосване",
"Whether you're using Riot as an installed Progressive Web App": "Дали използвате Riot като инсталирано прогресивно уеб приложение (PWA)",
"Whether you're using %(brand)s on a device where touch is the primary input mechanism": "Дали използвате %(brand)s на устройство, на което основния механизъм за достъп е докосване",
"Whether you're using %(brand)s as an installed Progressive Web App": "Дали използвате %(brand)s като инсталирано прогресивно уеб приложение (PWA)",
"Your user agent": "Информация за браузъра ви",
"The information being sent to us to help make Riot better includes:": "Информацията, която се изпраща за да ни помогне да подобрим Riot включва:",
"There are unknown sessions in this room: if you proceed without verifying them, it will be possible for someone to eavesdrop on your call.": "В тази стая има непознати сесии: ако продължите без да ги потвърдите, ще е възможно някой да подслуша обаждането ви.",
"Review Sessions": "Прегледай сесиите",
"If you cancel now, you won't complete verifying the other user.": "Ако се откажете сега, няма да завършите верификацията на другия потребител.",
"Use Single Sign On to continue": "Използвайте Single Sign On за да продължите",
"Confirm adding this email address by using Single Sign On to prove your identity.": "Потвърдете добавянето на този имейл адрес като потвърдите идентичността си чрез Single Sign On.",
@ -1902,13 +1757,11 @@
"Confirm adding phone number": "Потвърдете добавянето на телефонен номер",
"Click the button below to confirm adding this phone number.": "Кликнете бутона по-долу за да потвърдите добавянето на телефонния номер.",
"If you cancel now, you won't complete verifying your other session.": "Ако се откажете сега, няма да завършите потвърждаването на другата ви сесия.",
"If you cancel now, you won't complete your secret storage operation.": "Ако се откажете сега, няма да завърши операцията по секретно складиране.",
"Cancel entering passphrase?": "Откажете въвеждането на парола?",
"Setting up keys": "Настройка на ключове",
"Verify this session": "Потвърди тази сесия",
"Encryption upgrade available": "Има обновление на шифроването",
"Set up encryption": "Настрой шифроване",
"Unverified login. Was this you?": "Непотвърден вход. Вие ли бяхте?",
"Sign In or Create Account": "Влезте или Създайте профил",
"Use your account or create a new one to continue.": "Използвайте профила си или създайте нов за да продължите.",
"Create Account": "Създай профил",
@ -1948,10 +1801,7 @@
"%(num)s hours from now": "след %(num)s часа",
"about a day from now": "след около ден",
"%(num)s days from now": "след %(num)s дни",
"Show a presence dot next to DMs in the room list": "Показвай точка за присъствие до директните съобщения в списъка със стаи",
"Support adding custom themes": "Включи поддръжка за добавяне на собствени теми",
"Enable cross-signing to verify per-user instead of per-session (in development)": "Включи кръстосано-подписване за потвърждаване на потребител, вместо на отделни сесии (в процес на разработка)",
"Show padlocks on invite only rooms": "Показвай катинари на стаите изискващи покана",
"Show typing notifications": "Показвай уведомления за писане",
"Never send encrypted messages to unverified sessions from this session": "Никога не изпращай шифровани съобщения към непотвърдени сесии от тази сесия",
"Never send encrypted messages to unverified sessions in this room from this session": "Никога не изпращай шифровани съобщения към непотвърдени сесии в тази стая от тази сесия",
@ -1959,7 +1809,6 @@
"Show rooms with unread notifications first": "Показвай първи стаите с непрочетени уведомления",
"Show shortcuts to recently viewed rooms above the room list": "Показвай преки пътища до скоро-прегледаните стаи над списъка със стаи",
"Enable message search in encrypted rooms": "Включи търсенето на съобщения в шифровани стаи",
"Keep secret storage passphrase in memory for this session": "Съхрани паролата за секретното складиране в паметта за тази сесия",
"How fast should messages be downloaded.": "Колко бързо да се изтеглят съобщенията.",
"Manually verify all remote sessions": "Ръчно потвърждаване на всички отдалечени сесии",
"If you cancel now, you won't complete your operation.": "Ако се откажете сега, няма да завършите операцията.",
@ -1971,8 +1820,6 @@
"Could not find user in room": "Неуспешно намиране на потребител в стаята",
"Please supply a widget URL or embed code": "Укажете URL адрес на приспособление или код за вграждане",
"Send a bug report with logs": "Изпратете доклад за грешка с логове",
"Enable cross-signing to verify per-user instead of per-session": "Включи кръстосано-подписване за верифициране на ниво потребител, вместо на ниво сесия",
"Keep recovery passphrase in memory for this session": "Запази паролата за възстановяване в паметта за тази сесия",
"Verify this session by completing one of the following:": "Верифицирайте тази сесия чрез едно от следните действия:",
"Scan this unique code": "Сканирайте този уникален код",
"or": "или",
@ -1988,13 +1835,10 @@
"They don't match": "Не съвпадат",
"To be secure, do this in person or use a trusted way to communicate.": "За да е по-сигурно, направете го на живо или използвайте доверен начин за комуникация.",
"Lock": "Заключи",
"Unverified sessions currently have access to your account & messages": "Непотвърдени сесии в момента имат достъп до профила и съобщенията ви",
"Later": "По-късно",
"Review": "Прегледай",
"Verify yourself & others to keep your chats safe": "Потвърдете себе си и останалите за да запазите чатовете си сигурни",
"Other users may not trust it": "Други потребители може да не се доверят",
"Update your secure storage": "Обновете защитеното складиране",
"Verify the identity of the new login accessing your account & messages": "Потвърдете самоличността на новия вход достъпващ профила и съобщенията ви",
"From %(deviceName)s (%(deviceId)s)": "От %(deviceName)s (%(deviceId)s)",
"This bridge was provisioned by <user />.": "Мостът е настроен от <user />.",
"Workspace: %(networkName)s": "Работна област: %(networkName)s",
@ -2014,9 +1858,6 @@
"Session backup key:": "Ключ за резервно копие на сесията:",
"Homeserver feature support:": "Поддържани функции от сървъра:",
"exists": "съществува",
"Secret Storage key format:": "Формат на ключа за секретно складиране:",
"outdated": "остарял",
"up to date": "обновен",
"Your homeserver does not support session management.": "Сървърът ви не поддържа управление на сесии.",
"Unable to load session list": "Неуспешно зареждане на списъка със сесии",
"Confirm deleting these sessions by using Single Sign On to prove your identity.|other": "Потвърдете изтриването на тези сесии използвайки Single Sign On, за да докажете самоличността си.",
@ -2035,8 +1876,7 @@
"Manage": "Управление",
"Securely cache encrypted messages locally for them to appear in search results.": "Кеширай шифровани съобщения локално по сигурен начин за да се появяват в резултати от търсения.",
"Enable": "Включи",
"Riot is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom Riot Desktop with <nativeLink>search components added</nativeLink>.": "Липсват задължителни компоненти в Riot, за да могат да бъдат складирани локално и по сигурен начин шифровани съобщения. Ако искате да експериментирате с тази функция, \"компилирайте\" версия на Riot Desktop с <nativeLink>добавени компоненти за търсене</nativeLink>.",
"Riot can't securely cache encrypted messages locally while running in a web browser. Use <riotLink>Riot Desktop</riotLink> for encrypted messages to appear in search results.": "Riot работещ в браузър не може да складира шифровани съобщения локално по сигурен начин. Използвайте <riotLink>Riot Desktop</riotLink> за да може шифровани съобщения да се появяват в резултати от търсения.",
"%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with <nativeLink>search components added</nativeLink>.": "Липсват задължителни компоненти в %(brand)s, за да могат да бъдат складирани локално и по сигурен начин шифровани съобщения. Ако искате да експериментирате с тази функция, \"компилирайте\" версия на %(brand)s Desktop с <nativeLink>добавени компоненти за търсене</nativeLink>.",
"This session is backing up your keys. ": "Тази сесия прави резервни копия на ключовете ви. ",
"This session is <b>not backing up your keys</b>, but you do have an existing backup you can restore from and add to going forward.": "Тази сесия <b>не прави резервни копия на ключовете</b>, но имате съществуващо резервно копие, което да възстановите и към което да добавяте от тук нататък.",
"Connect this session to key backup before signing out to avoid losing any keys that may only be on this session.": "Свържете тази сесия с резервно копие на ключове преди да се отпишете от нея, за да не загубите ключове, които може би съществуват единствено в тази сесия.",
@ -2052,7 +1892,6 @@
"Backup has an <validity>invalid</validity> signature from <verify>unverified</verify> session <device></device>": "Резервното копие има <validity>невалиден</validity> подпис от <verify>непотвърдена</verify> сесия <device></device>",
"Backup is not signed by any of your sessions": "Резервното копие не е подписано от нито една ваша сесия",
"This backup is trusted because it has been restored on this session": "Това резервно копие е доверено, защото е било възстановено в текущата сесия",
"Backup key stored in secret storage, but this feature is not enabled on this session. Please enable cross-signing in Labs to modify key backup state.": "Резервно копие на ключа е съхранено в секретно складиране, но тази функция не е включена в сегашната сесия. Включете кръстосано-подписване в Labs за да модифицирате състоянието на резервното копие на ключа.",
"Your keys are <b>not being backed up from this session</b>.": "На ключовете ви <b>не се прави резервно копие от тази сесия</b>.",
"Enable desktop notifications for this session": "Включи уведомления на работния плот за тази сесия",
"Enable audible notifications for this session": "Включи звукови уведомления за тази сесия",
@ -2079,10 +1918,6 @@
"Someone is using an unknown session": "Някой използва непозната сесия",
"This room is end-to-end encrypted": "Тази стая е шифрована от-край-до-край",
"Everyone in this room is verified": "Всички в тази стая са верифицирани",
"Some sessions for this user are not trusted": "Някои сесии на този потребител не са доверени",
"All sessions for this user are trusted": "Всички сесии на този потребител са доверени",
"Some sessions in this encrypted room are not trusted": "Някои сесии в тази шифрована стая не са доверени",
"All sessions in this encrypted room are trusted": "Всички сесии в тази шифрована стая са доверени",
"Mod": "Модератор",
"Your key share request has been sent - please check your other sessions for key share requests.": "Заявката ви за споделяне на ключ е изпратена - проверете останалите си сесии за заявки за споделяне на ключове.",
"Key share requests are sent to your other sessions automatically. If you rejected or dismissed the key share request on your other sessions, click here to request the keys for this session again.": "Заявките за споделяне на ключове се изпращат до другите ви сесии автоматично. Ако сте отказали заявката от другите ви сесии, кликнете тук за да изпратите заявка за тази сесия отново.",
@ -2092,8 +1927,6 @@
"Encrypted by a deleted session": "Шифровано от изтрита сесия",
"Invite only": "Само с покани",
"Scroll to most recent messages": "Отиди до най-скорошните съобщения",
"No sessions with registered encryption keys": "Няма сесии с регистрирани ключове за шифроване",
"Sessions": "Сесии",
"Send a reply…": "Изпрати отговор…",
"Send a message…": "Изпрати съобщение…",
"Reject & Ignore user": "Откажи и игнорирай потребителя",
@ -2104,7 +1937,6 @@
"Send as message": "Изпрати като съобщение",
"Mark all as read": "Маркирай всичко като прочетено",
"There was an error updating the room's alternative addresses. It may not be allowed by the server or a temporary failure occurred.": "Възникна грешка при обновяване на алтернативните адреси на стаята. Или не е позволено от сървъра или се е случила временна грешка.",
"You don't have permission to delete the alias.": "Нямате привилегия да изтриете този алтернативен адрес.",
"Local address": "Локален адрес",
"Published Addresses": "Публикувани адреси",
"Published addresses can be used by anyone on any server to join your room. To publish an address, it needs to be set as a local address first.": "Публикуваните адреси могат да бъдат използвани от всеки човек, на кой да е сървър, за присъединяване към стаята. За да публикувате адрес, първо трябва да е настроен като локален адрес.",
@ -2130,7 +1962,7 @@
"%(count)s sessions|other": "%(count)s сесии",
"%(count)s sessions|one": "%(count)s сесия",
"Hide sessions": "Скрий сесиите",
"The session you are trying to verify doesn't support scanning a QR code or emoji verification, which is what Riot supports. Try with a different client.": "Сесията, която се опитвате да верифицирате не поддържа сканиране на QR код или емоджи верификация (нещата които Riot поддържа). Пробвайте с друг клиент.",
"The session you are trying to verify doesn't support scanning a QR code or emoji verification, which is what %(brand)s supports. Try with a different client.": "Сесията, която се опитвате да верифицирате не поддържа сканиране на QR код или емоджи верификация (нещата които %(brand)s поддържа). Пробвайте с друг клиент.",
"Verify by scanning": "Верифицирай чрез сканиране",
"Ask %(displayName)s to scan your code:": "Попитайте %(displayName)s да сканира вашия код:",
"If you can't scan the code above, verify by comparing unique emoji.": "Ако не можете да сканирате кода по-горе, верифицирайте сравнявайки уникални емоджита.",
@ -2193,11 +2025,8 @@
"Confirm account deactivation": "Потвърдете деактивирането на профила",
"There was a problem communicating with the server. Please try again.": "Имаше проблем при комуникацията със сървъра. Опитайте пак.",
"Verify session": "Потвърди сесията",
"To verify that this session can be trusted, please check that the key you see in User Settings on that device matches the key below:": "За да потвърдите, че сесията е доверена, проверете, че ключа, който виждате в потребителските настройки на устройството съвпада с ключа по-долу:",
"To verify that this session can be trusted, please contact its owner using some other means (e.g. in person or a phone call) and ask them whether the key they see in their User Settings for this session matches the key below:": "За да потвърдите, че сесията е доверена, свържете се със собственика й по друг начин (например на живо или по телефона) и ги попитайте дали ключът, който виждат в потребителските си настройки съвпада с ключа по-долу:",
"Session name": "Име на сесията",
"Session key": "Ключ за сесията",
"If it matches, press the verify button below. If it doesn't, then someone else is intercepting this session and you probably want to press the blacklist button instead.": "Ако съвпада, натиснете бутона за потвърждение по-долу. Ако пък не, тогава някой прихваща сесията и вероятно искате да използвате бутона за блокиране вместо това.",
"Verification Requests": "Заявки за верификация",
"Verifying this user will mark their session as trusted, and also mark your session as trusted to them.": "Верифицирането на този потребител ще маркира сесията им като доверена при вас, както и вашата като доверена при тях.",
"Verify this device to mark it as trusted. Trusting this device gives you and other users extra peace of mind when using end-to-end encrypted messages.": "Верифицирайте това устройство за да го маркирате като доверено. Доверявайки се на това устройство дава на вас и на другите потребители допълнително спокойствие при използването на от-край-до-край-шифровани съобщения.",
@ -2209,16 +2038,10 @@
"Recently Direct Messaged": "Скорошни директни чатове",
"Start a conversation with someone using their name, username (like <userId/>) or email address.": "Започнете чат с някой посредством име, потребителско име (като <userId/>) или имейл адрес.",
"Invite someone using their name, username (like <userId/>), email address or <a>share this room</a>.": "Поканете някой посредством име, потребителско име (като <userId/>), имейл адрес или като <a>споделите тази стая</a>.",
"You added a new session '%(displayName)s', which is requesting encryption keys.": "Добавихте нова сесия '%(displayName)s', която изисква ключове за шифроване.",
"Your unverified session '%(displayName)s' is requesting encryption keys.": "Непотвърдената ви сесия '%(displayName)s' изисква ключове за шифроване.",
"Loading session info...": "Зареждане на информация за сесията...",
"Opens chat with the given user": "Отваря чат с дадения потребител",
"Sends a message to the given user": "Изпраща съобщение до дадения потребител",
"Font scaling": "Мащабиране на шрифта",
"Use the improved room list (in development - refresh to apply changes)": "Използвай подобрения списък със стаи (в процес на разработка - презаредете за да приложите промените)",
"Use IRC layout": "Използвай IRC изглед",
"Font size": "Размер на шрифта",
"Custom font size": "Собствен размер на шрифта",
"IRC display name width": "Ширина на IRC името",
"Waiting for your other session to verify…": "Изчакване другата сесията да потвърди…",
"Size must be a number": "Размера трябва да е число",
@ -2237,7 +2060,7 @@
"a new cross-signing key signature": "нов подпис на ключа за кръстосано-подписване",
"a device cross-signing signature": "подпис за кръстосано-подписване на устройства",
"a key signature": "подпис на ключ",
"Riot encountered an error during upload of:": "Riot срещна проблем при качването на:",
"%(brand)s encountered an error during upload of:": "%(brand)s срещна проблем при качването на:",
"Upload completed": "Качването завърши",
"Cancelled signature upload": "Отказано качване на подпис",
"Unable to upload": "Неуспешно качване",
@ -2256,21 +2079,14 @@
"If you didnt sign in to this session, your account may be compromised.": "Ако не сте се вписвали в тази сесия, профила ви може би е бил компрометиран.",
"This wasn't me": "Не бях аз",
"This will allow you to return to your account after signing out, and sign in on other sessions.": "Това ще ви позволи да се върнете в профила си след излизането от него, както и да влизате от други сесии.",
"You are currently blacklisting unverified sessions; to send messages to these sessions you must verify them.": "В момента блокирате непотвърдени сесии; за да изпратите съобщения до тях ще трябва да ги потвърдите.",
"We recommend you go through the verification process for each session to confirm they belong to their legitimate owner, but you can resend the message without verifying if you prefer.": "Препоръчваме да минете през процеса на потвърждение за всяка една сесия и да проверите дали принадлежи на собственика си, но ако желаете, може да изпратите съобщението и без потвърждение.",
"Room contains unknown sessions": "Стаята съдържа непознати сесии",
"\"%(RoomName)s\" contains sessions that you haven't seen before.": "\"%(RoomName)s\" съдържа сесии, които не сте виждали досега.",
"Unknown sessions": "Непознати сесии",
"Verify other session": "Потвърди другата сесия",
"Enter recovery passphrase": "Въведете парола за възстановяване",
"Unable to access secret storage. Please verify that you entered the correct recovery passphrase.": "Неуспешен достъп до секретното складиране. Потвърдете, че сте въвели правилната парола за възстановяване.",
"<b>Warning</b>: You should only do this on a trusted computer.": "<b>Внимание</b>: трябва да правите това само от доверен компютър.",
"Access your secure message history and your cross-signing identity for verifying other sessions by entering your recovery passphrase.": "Въведете паролата си за възстановяване за да достъпите защитената история на съобщенията и самоличността си за кръстосано-подписване за потвърждаване на другите сесии.",
"Room name or address": "Име на стая или адрес",
"Joins room with given address": "Присъединява се към стая с дадения адрес",
"Unrecognised room address:": "Неразпознат адрес на стая:",
"Help us improve Riot": "Помогнете ни да подобрим Riot",
"Send <UsageDataLink>anonymous usage data</UsageDataLink> which helps us improve Riot. This will use a <PolicyLink>cookie</PolicyLink>.": "Изпращане на <UsageDataLink>анонимни данни за използването</UsageDataLink>, които помагат да се подобри Riot. Това ще използва <PolicyLink>бисквитка</PolicyLink>.",
"Help us improve %(brand)s": "Помогнете ни да подобрим %(brand)s",
"Send <UsageDataLink>anonymous usage data</UsageDataLink> which helps us improve %(brand)s. This will use a <PolicyLink>cookie</PolicyLink>.": "Изпращане на <UsageDataLink>анонимни данни за използването</UsageDataLink>, които помагат да се подобри %(brand)s. Това ще използва <PolicyLink>бисквитка</PolicyLink>.",
"I want to help": "Искам да помогна",
"Your homeserver has exceeded its user limit.": "Надвишен е лимитът за потребители на сървъра ви.",
"Your homeserver has exceeded one of its resource limits.": "Беше надвишен някой от лимитите на сървъра.",
@ -2279,8 +2095,8 @@
"Set password": "Настрой парола",
"To return to your account in future you need to set a password": "За да се върнете в профила си в бъдеще е необходимо да настройте парола",
"Restart": "Рестартирай",
"Upgrade your Riot": "Обновете Riot",
"A new version of Riot is available!": "Налична е нова версия на Riot!",
"Upgrade your %(brand)s": "Обновете %(brand)s",
"A new version of %(brand)s is available!": "Налична е нова версия на %(brand)s!",
"New version available. <a>Update now.</a>": "Налична е нова версия. <a>Обновете сега.</a>",
"Please verify the room ID or address and try again.": "Проверете идентификатора или адреса на стаята и опитайте пак.",
"Room ID or address of ban list": "Идентификатор или адрес на стая списък за блокиране",
@ -2296,10 +2112,8 @@
"This address is available to use": "Адресът е наличен за ползване",
"This address is already in use": "Адресът вече се използва",
"Set a room address to easily share your room with other people.": "Настройте адрес на стаята за да може лесно да я споделяте с други хора.",
"You've previously used a newer version of Riot with this session. To use this version again with end to end encryption, you will need to sign out and back in again.": "Използвали сте и по-нова версия на Riot от сегашната за тази сесия. За да използвате сегашната версия отново с шифроване от-край-до-край, ще е необходимо да излезете и да влезете отново.",
"If you've forgotten your recovery passphrase you can <button1>use your recovery key</button1> or <button2>set up new recovery options</button2>.": "Ако сте забравили паролата за възстановяване, може да <button1>използвате ключа за възстановяване</button1> или <button2>да настройте нови опции за възстановяване</button2>.",
"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.": "Използвали сте и по-нова версия на %(brand)s от сегашната за тази сесия. За да използвате сегашната версия отново с шифроване от-край-до-край, ще е необходимо да излезете и да влезете отново.",
"Enter recovery key": "Въведете ключ за възстановяване",
"Access your secure message history and your cross-signing identity for verifying other sessions by entering your recovery key.": "Достъпете защитената история на съобщенията и самоличността за кръстосано-подписване за верифициране на други сесии, чрез въвеждане на ключа си за възстановяване.",
"Restoring keys from backup": "Възстановяване на ключове от резервно копие",
"Fetching keys from server...": "Изтегляне на ключове от сървъра...",
"%(completed)s of %(total)s keys restored": "%(completed)s от %(total)s ключа са възстановени",
@ -2320,31 +2134,25 @@
"Self-verification request": "Заявка за само-потвърждение",
"Delete the room address %(alias)s and remove %(name)s from the directory?": "Изтрий %(alias)s адреса на стаята и премахни %(name)s от директорията?",
"delete the address.": "изтриване на адреса.",
"Message not sent due to unknown sessions being present": "Съобщението не е изпратено поради наличието на непознати сесии",
"<showSessionsText>Show sessions</showSessionsText>, <sendAnywayText>send anyway</sendAnywayText> or <cancelText>cancel</cancelText>.": "<showSessionsText>Покажи сесиите</showSessionsText>, <sendAnywayText>изпрати така или иначе</sendAnywayText> или <cancelText>откажи</cancelText>.",
"Verify this login": "Потвърди тази сесия",
"Session verified": "Сесията беше потвърдена",
"Changing your password will reset any end-to-end encryption keys on all of your sessions, making encrypted chat history unreadable. Set up Key Backup or export your room keys from another session before resetting your password.": "Промяната на паролата ще нулира всички ключове за шифроване от-край-до-край по всички ваши сесии, правейки шифрованата история на чата нечетима. Настройте резервно копие на ключовете или експортирайте ключовете на стаите от друга сесия преди да промените паролата си.",
"Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "Администраторът на сървъра е изключил шифроване от край-до-край по подразбиране за лични стаи и за директни съобщения.",
"Emoji picker": "Избор на емоджи",
"People": "Хора",
"Show %(n)s more": "Покажи още %(n)s",
"Switch to light mode": "Смени на светъл режим",
"Switch to dark mode": "Смени на тъмен режим",
"Switch theme": "Смени темата",
"Security & privacy": "Сигурност и поверителност",
"All settings": "Всички настройки",
"Archived rooms": "Архивирани стаи",
"Feedback": "Обратна връзка",
"Account settings": "Настройки на профила",
"You have been logged out of all sessions and will no longer receive push notifications. To re-enable notifications, sign in again on each device.": "Излязохте от всички сесии и вече няма да получавате push уведомления. За да включите уведомленията пак, влезте наново от всяко устройство.",
"Syncing...": "Синхронизиране...",
"Signing In...": "Влизане...",
"If you've joined lots of rooms, this might take a while": "Това може да отнеме известно време, ако сте в много стаи",
"Confirm your identity by verifying this login from one of your other sessions, granting it access to encrypted messages.": "Потвърдете идентичността на този вход чрез верифицирането му от някоя от другите ви сесии, давайки достъп до шифрованите съобщения.",
"This requires the latest Riot on your other devices:": "Това изисква най-новата версия на Riot на другите ви устройства:",
"This requires the latest %(brand)s on your other devices:": "Това изисква най-новата версия на %(brand)s на другите ви устройства:",
"or another cross-signing capable Matrix client": "или друг Matrix клиент поддържащ кръстосано-подписване",
"Use Recovery Passphrase or Key": "Използвай парола за възстановяване или ключ",
"Your new session is now verified. It has access to your encrypted messages, and other users will see it as trusted.": "Сесията ви е потвърдена. Тя има достъп до шифрованите ви съобщения. Други потребители я виждат като доверена.",
"Your new session is now verified. Other users will see it as trusted.": "Новата ви сесия е потвърдена. Другите потребители ще я виждат като доверена.",
"Without completing security on this session, it wont have access to encrypted messages.": "Без да повишите сигурността на тази сесия, няма да имате достъп до шифрованите съобщения.",
@ -2358,10 +2166,8 @@
"Restore": "Възстанови",
"You'll need to authenticate with the server to confirm the upgrade.": "Ще трябва да се автентикирате пред сървъра за да потвърдите обновяването.",
"Upgrade this session to allow it to verify other sessions, granting them access to encrypted messages and marking them as trusted for other users.": "Обновете тази сесия, за да може да потвърждава други сесии, давайки им достъп до шифрованите съобщения и маркирайки ги като доверени за другите потребители.",
"Set a recovery passphrase to secure encrypted information and recover it if you log out. This should be different to your account password:": "Настройте парола за възстановяване за да защитите шифрованата информация и за да я възстановите, ако излезете от профила. По-добре е да използвате парола различна от тази за профила ви:",
"Enter a recovery passphrase": "Въведете парола за възстановяване",
"Great! This recovery passphrase looks strong enough.": "Чудесно! Тази парола за възстановяване изглежда достатъчно силна.",
"Back up encrypted message keys": "Правене на резервно копие на ключовете за шифроване",
"Use a different passphrase?": "Използвай друга парола?",
"Enter your recovery passphrase a second time to confirm it.": "Въведете паролата за възстановяване още веднъж за да потвърдите.",
"Confirm your recovery passphrase": "Потвърдете паролата за възстановяване",
@ -2370,11 +2176,8 @@
"Your recovery key": "Ключът ви за възстановяване",
"Copy": "Копирай",
"Unable to query secret storage status": "Неуспешно допитване за състоянието на секретното складиране",
"You can now verify your other devices, and other users to keep your chats safe.": "Вече може да потвърждавате другите си устройства и другите потребители, за да пазите чатовете си сигурни.",
"Upgrade your encryption": "Обновете шифроването",
"Confirm recovery passphrase": "Потвърдете паролата за възстановяване",
"Make a copy of your recovery key": "Направете копие на ключа за възстановяване",
"You're done!": "Готови сте!",
"We'll store an encrypted copy of your keys on our server. Secure your backup with a recovery passphrase.": "Ще съхраним шифровано копие на ключовете ви на сървъра. Защитете резервното копие с парола за възстановяване.",
"Please enter your recovery passphrase a second time to confirm.": "Въведете паролата за възстановяване отново за да потвърдите.",
"Repeat your recovery passphrase...": "Повторете паролата си за възстановяване...",
@ -2388,7 +2191,7 @@
"Disable": "Изключи",
"Not currently indexing messages for any room.": "В момента не се индексират съобщения в нито една стая.",
"Currently indexing: %(currentRoom)s": "В момента се индексира: %(currentRoom)s",
"Riot is securely caching encrypted messages locally for them to appear in search results:": "Riot кешира шифровани съобщения локално по сигурен начин, за да може те да се появяват в резултати от търсения:",
"%(brand)s is securely caching encrypted messages locally for them to appear in search results:": "%(brand)s кешира шифровани съобщения локално по сигурен начин, за да може те да се появяват в резултати от търсения:",
"Space used:": "Използвано пространство:",
"Indexed messages:": "Индексирани съобщения:",
"Indexed rooms:": "Индексирани стаи:",
@ -2438,8 +2241,6 @@
"Enter": "Enter",
"Space": "Space",
"End": "End",
"sent an image.": "изпрати снимка.",
"You: %(message)s": "Вие: %(message)s",
"No recently visited rooms": "Няма наскоро-посетени стаи",
"Sort by": "Подреди по",
"Activity": "Активност",
@ -2450,7 +2251,6 @@
"Light": "Светла",
"Dark": "Тъмна",
"Use the improved room list (will refresh to apply changes)": "Използвай подобрения списък със стаи (ще презареди за да се приложи промяната)",
"Enable IRC layout option in the appearance tab": "Включи опцията за IRC изглед в раздел Изглед",
"Use custom size": "Използвай собствен размер",
"Use a system font": "Използвай системния шрифт",
"System font name": "Име на системния шрифт",
@ -2459,7 +2259,7 @@
"Compact": "Компактен",
"Modern": "Модерен",
"Customise your appearance": "Настройте изгледа",
"Appearance Settings only affect this Riot session.": "Настройките на изгледа влияят само на тази Riot сесия.",
"Appearance Settings only affect this %(brand)s session.": "Настройките на изгледа влияят само на тази %(brand)s сесия.",
"The authenticity of this encrypted message can't be guaranteed on this device.": "Автентичността на това шифровано съобщение не може да бъде гарантирана на това устройство.",
"Always show first": "Винаги показвай първо",
"Show": "Покажи",

View file

@ -6,9 +6,7 @@
"Microphone": "Micròfon",
"Camera": "Càmera",
"Advanced": "Avançat",
"Algorithm": "Algoritme",
"Always show message timestamps": "Mostra sempre la marca de temps del missatge",
"Alias (optional)": "Àlies (opcional)",
"Cancel": "Cancel·la",
"Close": "Tanca",
"Create new room": "Crea una sala nova",
@ -41,11 +39,6 @@
"This phone number is already in use": "Aquest número de telèfon ja està en ús",
"Failed to verify email address: make sure you clicked the link in the email": "No s'ha pogut verificar l'adreça de correu electrònic. Assegureu-vos de fer clic a l'enllaç del correu electrònic de verificació",
"Call Failed": "No s'ha pogut realitzar la trucada",
"Review Devices": "Revisió de dispositius",
"Call Anyway": "Truca de totes maneres",
"Answer Anyway": "Contesta de totes maneres",
"Call": "Truca",
"Answer": "Contesta",
"The remote side failed to pick up": "El costat remot no ha contestat",
"Unable to capture screen": "No s'ha pogut capturar la pantalla",
"Existing Call": "Trucada existent",
@ -87,14 +80,13 @@
"Which rooms would you like to add to this community?": "Quines sales voleu afegir a aquesta comunitat?",
"Show these rooms to non-members on the community page and room list?": "Voleu mostrar aquestes sales als que no son membres a la pàgina de la comunitat i a la llista de sales?",
"Add rooms to the community": "Afegeix sales a la comunitat",
"Room name or alias": "Nom de la sala o àlies",
"Add to community": "Afegeix a la comunitat",
"Failed to invite the following users to %(groupId)s:": "No s'ha pogut convidar a %(groupId)s els següents usuaris:",
"Failed to invite users to community": "No s'ha pogut convidar als usuaris a la comunitat",
"Failed to invite users to %(groupId)s": "No s'ha pogut convidar els usuaris a %(groupId)s",
"Failed to add the following rooms to %(groupId)s:": "No s'ha pogut afegir les següents sales al %(groupId)s:",
"Riot does not have permission to send you notifications - please check your browser settings": "Riot no té permís per enviar-vos notificacions. Comproveu la configuració del vostre navegador",
"Riot was not given permission to send notifications - please try again": "Riot no ha rebut cap permís per enviar notificacions. Torneu-ho a provar",
"%(brand)s does not have permission to send you notifications - please check your browser settings": "%(brand)s no té permís per enviar-vos notificacions. Comproveu la configuració del vostre navegador",
"%(brand)s was not given permission to send notifications - please try again": "%(brand)s no ha rebut cap permís per enviar notificacions. Torneu-ho a provar",
"Unable to enable Notifications": "No s'ha pogut activar les notificacions",
"This email address was not found": "Aquesta adreça de correu electrònic no s'ha trobat",
"Your email address does not appear to be associated with a Matrix ID on this Homeserver.": "La vostra adreça de correu electrònic no sembla que estigui associada amb un identificador de Matrix d'aquest servidor.",
@ -102,7 +94,6 @@
"Restricted": "Restringit",
"Moderator": "Moderador",
"Admin": "Administrador",
"Start a chat": "Comença un xat",
"Failed to invite": "No s'ha pogut tramitar la invitació",
"Failed to invite the following users to the %(roomName)s room:": "No s'ha pogut convidar a la sala %(roomName)s els següents usuaris:",
"You need to be logged in.": "És necessari estar autenticat.",
@ -119,7 +110,6 @@
"Usage": "Ús",
"/ddg is not a command": "/ddg no és un comandament",
"To use it, just wait for autocomplete results to load and tab through them.": "Per utilitzar-lo, simplement espereu que es completin els resultats automàticament i seleccioneu-ne el desitjat.",
"Unrecognised room alias:": "Àlies de sala no reconeguts:",
"Ignored user": "Usuari ignorat",
"You are now ignoring %(userId)s": "Esteu ignorant l'usuari %(userId)s",
"Unignored user": "Usuari no ignorat",
@ -170,15 +160,13 @@
"%(widgetName)s widget removed by %(senderName)s": "%(senderName)s ha eliminat el giny %(widgetName)s",
"Failure to create room": "No s'ha pogut crear la sala",
"Server may be unavailable, overloaded, or you hit a bug.": "És possible que el servidor no estigui disponible, amb sobrecàrrega o que s'hagi trobat un error.",
"Send anyway": "Envia de totes maneres",
"Send": "Envia",
"Unnamed Room": "Sala sense nom",
"Your browser does not support the required cryptography extensions": "El vostre navegador no és compatible amb els complements criptogràfics necessaris",
"Not a valid Riot keyfile": "El fitxer no és un fitxer de claus de Riot vàlid",
"Not a valid %(brand)s keyfile": "El fitxer no és un fitxer de claus de %(brand)s vàlid",
"Authentication check failed: incorrect password?": "Ha fallat l'autenticació: heu introduït correctament la contrasenya?",
"Failed to join room": "No s'ha pogut entrar a la sala",
"Message Pinning": "Fixació de missatges",
"Use compact timeline layout": "Utilitza el disseny compacte de la línia de temps",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "Mostra les marques de temps en format de 12 hores (per exemple, 2:30pm)",
"Autoplay GIFs and videos": "Reprodueix de forma automàtica els GIF i vídeos",
"Enable automatic language detection for syntax highlighting": "Activa la detecció automàtica d'idiomes per al ressaltat de sintaxi",
@ -211,11 +199,8 @@
"Confirm password": "Confirma la contrasenya",
"Change Password": "Canvia la contrasenya",
"Authentication": "Autenticació",
"Device ID": "ID del dispositiu",
"Last seen": "Vist per última vegada",
"Failed to set display name": "No s'ha pogut establir el nom visible",
"Disable Notifications": "Desactiva les notificacions",
"Enable Notifications": "Activa les notificacions",
"Cannot add any more widgets": "No s'ha pogut afegir cap més giny",
"The maximum permitted number of widgets have already been added to this room.": "Ja s'han afegit el màxim de ginys permesos en aquesta sala.",
"Drop File Here": "Deixeu anar un fitxer aquí",
@ -228,8 +213,6 @@
"%(senderName)s uploaded a file": "%(senderName)s ha pujat un fitxer",
"Options": "Opcions",
"Please select the destination room for this message": "Si us plau, seleccioneu la sala destinatària per a aquest missatge",
"Blacklisted": "Llista negre",
"device id: ": "ID del dispositiu: ",
"Disinvite": "Descarta la invitació",
"Kick": "Fes fora",
"Disinvite this user?": "Descartar la invitació per a aquest usuari?",
@ -242,7 +225,6 @@
"Ban this user?": "Voleu expulsar a aquest usuari?",
"Failed to ban user": "No s'ha pogut expulsar l'usuari",
"Failed to mute user": "No s'ha pogut silenciar l'usuari",
"Failed to toggle moderator status": "No s'ha pogut canviar l'estat del moderador",
"Failed to change power level": "No s'ha pogut canviar el nivell de poders",
"You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.": "No podreu desfer aquest canvi ja que estareu baixant de grau de privilegis. Només un altre usuari amb més privilegis podrà fer que els recupereu.",
"Are you sure?": "Esteu segur?",
@ -252,11 +234,7 @@
"Jump to read receipt": "Vés a l'últim missatge llegit",
"Mention": "Menciona",
"Invite": "Convida",
"User Options": "Opcions d'usuari",
"Direct chats": "Xats directes",
"Unmute": "No silenciïs",
"Revoke Moderator": "Revoca el moderador",
"Make Moderator": "Fes-lo moderador",
"Admin Tools": "Eines d'administració",
"and %(count)s others...|other": "i %(count)s altres...",
"and %(count)s others...|one": "i un altre...",
@ -269,9 +247,7 @@
"Video call": "Trucada de vídeo",
"Upload file": "Puja un fitxer",
"Send an encrypted reply…": "Envia una resposta xifrada…",
"Send a reply (unencrypted)…": "Envia una resposta (sense xifrar)…",
"Send an encrypted message…": "Envia un missatge xifrat…",
"Send a message (unencrypted)…": "Envia un missatge (sense xifrar)…",
"You do not have permission to post to this room": "No teniu el permís per escriure en aquesta sala",
"Server error": "S'ha produït un error al servidor",
"Mirror local video feed": "Mostra el vídeo local com un mirall",
@ -334,10 +310,7 @@
"Jump to first unread message.": "Salta al primer missatge no llegit.",
"Anyone who knows the room's link, including guests": "Qualsevol que conegui l'enllaç de la sala, inclosos els usuaris d'altres xarxes",
"not specified": "sense especificar",
"Remote addresses for this room:": "Adreces remotes per a aquesta sala:",
"Local addresses for this room:": "Adreces locals d'aquesta sala:",
"This room has no local addresses": "Aquesta sala no té adreces locals",
"New address (e.g. #foo:%(localDomain)s)": "Nova adreça (per exemple #foo:%(localDomain)s)",
"Invalid community ID": "L'ID de la comunitat no és vàlid",
"'%(groupId)s' is not a valid community ID": "'%(groupId)s' no és un ID de comunitat vàlid",
"New community ID (e.g. +foo:%(localDomain)s)": "Nou ID de comunitat (per exemple +foo:%(localDomain)s)",
@ -359,10 +332,6 @@
"Copied!": "Copiat!",
"Failed to copy": "No s'ha pogut copiar",
"Add an Integration": "Afegeix una integració",
"Removed or unknown message type": "El tipus de missatge ha sigut eliminat o és desconegut",
"Message removed by %(userId)s": "El missatge ha sigut eliminat per l'usuari %(userId)s",
"Message removed": "S'ha eliminat el missatge",
"To continue, please enter your password.": "Per poder continuar, si us plau, introduïu una contrasenya.",
"An email has been sent to %(emailAddress)s": "S'ha enviat un correu electrònic a %(emailAddress)s",
"Please check your email to continue registration.": "Reviseu el vostre correu electrònic per a poder continuar amb el registre.",
"Token incorrect": "El testimoni és incorrecte",
@ -398,17 +367,12 @@
"Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "La supressió d'un giny l'elimina per a tots els usuaris d'aquesta sala. Esteu segur que voleu eliminar aquest giny?",
"Delete widget": "Suprimeix el giny",
"Minimize apps": "Minimitza les aplicacions",
"Blacklist": "Llista negre",
"Unverify": "Sense verificar",
"Verify...": "Verificar...",
"No results": "Sense resultats",
"Communities": "Comunitats",
"Home": "Inici",
"Could not connect to the integration server": "No s'ha pogut connectar amb el servidor d'integració",
"Manage Integrations": "Gestiona les integracions",
"%(nameList)s %(transitionList)s": "%(transitionList)s%(nameList)s",
"%(severalUsers)sjoined %(count)s times|one": "%(severalUsers)s han entrat",
"Unblacklist": "Treure de la llista negre",
"%(oneUser)sjoined %(count)s times|one": "%(oneUser)s s'ha unit",
"%(severalUsers)sleft %(count)s times|one": "%(severalUsers)s han sortit",
"%(oneUser)sleft %(count)s times|one": "%(oneUser)s ha sortit",
@ -489,12 +453,7 @@
"Unknown error": "S'ha produït un error desconegut",
"Incorrect password": "Contrasenya incorrecta",
"Deactivate Account": "Desactivar el compte",
"I verify that the keys match": "Verifico que les claus coincideixen",
"An error has occurred.": "S'ha produït un error.",
"Start verification": "Inicia la verificació",
"Share without verifying": "Comparteix sense verificar",
"Ignore request": "Ignora la sol·licitud",
"Encryption key request": "Sol·licitud de claus",
"Unable to restore session": "No s'ha pogut restaurar la sessió",
"Invalid Email Address": "El correu electrònic no és vàlid",
"This doesn't appear to be a valid email address": "Aquest no sembla ser un correu electrònic vàlid",
@ -511,7 +470,7 @@
"To get started, please pick a username!": "Per començar, seleccioneu un nom d'usuari!",
"This will be your account name on the <span></span> homeserver, or you can pick a <a>different server</a>.": "Aquest serà el nom del seu compte al <span></span> servidor amfitrió, o bé trieu-ne un altre <a>different server</a>.",
"If you already have a Matrix account you can <a>log in</a> instead.": "Si ja teniu un compte a Matrix, podeu <a>log in</a>.",
"If you have previously used a more recent version of Riot, your session may be incompatible with this version. Close this window and return to the more recent version.": "Si anteriorment heu utilitzat un versió de Riot més recent, la vostra sessió podría ser incompatible amb aquesta versió. Tanqueu aquesta finestra i torneu a la versió més recent.",
"If you have previously used a more recent version of %(brand)s, your session may be incompatible with this version. Close this window and return to the more recent version.": "Si anteriorment heu utilitzat un versió de %(brand)s més recent, la vostra sessió podría ser incompatible amb aquesta versió. Tanqueu aquesta finestra i torneu a la versió més recent.",
"Private Chat": "Xat privat",
"Public Chat": "Xat públic",
"Custom": "Personalitzat",
@ -560,14 +519,13 @@
"Failed to leave room": "No s'ha pogut sortir de la sala",
"For security, this session has been signed out. Please sign in again.": "Per seguretat, aquesta sessió s'ha tancat. Torna a iniciar la sessió.",
"Old cryptography data detected": "S'han detectat dades de criptografia antigues",
"Data from an older version of Riot has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "S'han detectat dades d'una versió antiga del Riot. Això haurà provocat que el xifratge d'extrem a extrem no funcioni correctament a la versió anterior. Els missatges xifrats d'extrem a extrem que s'han intercanviat recentment mentre s'utilitzava la versió anterior no es poden desxifrar en aquesta versió. També pot provocar que els missatges intercanviats amb aquesta versió fallin. Si teniu problemes, sortiu de la sessió i torneu a entrar-hi. Per poder llegir l'historial dels missatges xifrats, exporteu i torneu a importar les vostres claus.",
"Data from an older version of %(brand)s has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "S'han detectat dades d'una versió antiga del %(brand)s. Això haurà provocat que el xifratge d'extrem a extrem no funcioni correctament a la versió anterior. Els missatges xifrats d'extrem a extrem que s'han intercanviat recentment mentre s'utilitzava la versió anterior no es poden desxifrar en aquesta versió. També pot provocar que els missatges intercanviats amb aquesta versió fallin. Si teniu problemes, sortiu de la sessió i torneu a entrar-hi. Per poder llegir l'historial dels missatges xifrats, exporteu i torneu a importar les vostres claus.",
"Logout": "Surt",
"Your Communities": "Les teves comunitats",
"Error whilst fetching joined communities": "S'ha produït un error en buscar comunitats unides",
"Create a new community": "Crea una comunitat nova",
"Create a community to group together users and rooms! Build a custom homepage to mark out your space in the Matrix universe.": "Crea una comunitat per agrupar usuaris i sales! Creeu una pàgina d'inici personalitzada per definir el vostre espai a l'univers Matrix.",
"You have no visible notifications": "No teniu cap notificació visible",
"Scroll to bottom of page": "Desplaça't fins a la part inferior de la pàgina",
"%(count)s of your messages have not been sent.|other": "Alguns dels vostres missatges no s'han enviat.",
"%(count)s of your messages have not been sent.|one": "El vostre missatge no s'ha enviat.",
"Warning": "Avís",
@ -579,7 +537,6 @@
"Search failed": "No s'ha pogut cercar",
"Server may be unavailable, overloaded, or search timed out :(": "Pot ser que el servidor no estigui disponible, que estigui sobrecarregat o que s'ha esgotat el temps de cerca :(",
"No more results": "No hi ha més resultats",
"Unknown room %(roomId)s": "La sala %(roomId)s és desconeguda",
"Room": "Sala",
"Failed to reject invite": "No s'ha pogut rebutjar la invitació",
"Fill screen": "Emplena la pantalla",
@ -596,36 +553,26 @@
"There's no one else here! Would you like to <inviteText>invite others</inviteText> or <nowarnText>stop warning about the empty room</nowarnText>?": "No hi ha ningú més aquí! T'agradaria <inviteText>convidar algú</inviteText> o <nowarnText>no avisar més que la sala està buida</nowarnText>?",
"Uploading %(filename)s and %(count)s others|other": "Pujant %(filename)s i %(count)s més",
"Uploading %(filename)s and %(count)s others|zero": "Pujant %(filename)s",
"Light theme": "Tema clar",
"Dark theme": "Tema fosc",
"Sign out": "Tanca la sessió",
"Import E2E room keys": "Importar claus E2E de sala",
"Cryptography": "Criptografia",
"Labs": "Laboraroris",
"riot-web version:": "Versió de riot-web:",
"%(brand)s version:": "Versió de %(brand)s:",
"olm version:": "Versió d'olm:",
"Incorrect username and/or password.": "Usuari i/o contrasenya incorrectes.",
"The phone number entered looks invalid": "El número de telèfon introduït sembla erroni",
"none": "cap",
"Curve25519 identity key": "Clau de la identitat Curve25519",
"Claimed Ed25519 fingerprint key": "Empremta digital Ed25519 reclamada",
"Session ID": "ID de la sessió",
"End-to-end encryption information": "Informació de xifratge d'extrem a extrem",
"Event information": "Informació d'esdeveniment",
"User ID": "ID de l'usuari",
"Decryption error": "Error de desxifratge",
"Export room keys": "Exporta les claus de la sala",
"Upload an avatar:": "Pujar un avatar:",
"Confirm passphrase": "Introduïu una contrasenya",
"Export": "Exporta",
"Import room keys": "Importa les claus de la sala",
"Import": "Importa",
"The version of Riot.im": "La versió del Riot.im",
"The version of %(brand)s": "La versió del %(brand)s",
"Email": "Correu electrònic",
"I have verified my email address": "He verificat l'adreça de correu electrònic",
"Send Reset Email": "Envia email de reinici",
"Your homeserver's URL": "L'URL del vostre servidor personal",
"Your identity server's URL": "L'URL del vostre servidor d'identitat",
"Analytics": "Analítiques",
"%(oldDisplayName)s changed their display name to %(displayName)s.": "%(oldDisplayName)s ha canviat el seu nom visible a %(displayName)s.",
"Identity Server is": "El servidor d'identitat és",
@ -634,9 +581,8 @@
"Your language of choice": "El teu idioma preferit",
"Which officially provided instance you are using, if any": "Quina instància oficial estàs utilitzant, si escau",
"Whether or not you're using the Richtext mode of the Rich Text Editor": "Si esteu utilitzant el mode Richtext del Rich Text Editor o no",
"The information being sent to us to help make Riot.im better includes:": "La informació enviada a Riot.im per ajudar-nos a millorar inclou:",
"The information being sent to us to help make %(brand)s better includes:": "La informació enviada a %(brand)s per ajudar-nos a millorar inclou:",
"Fetching third party location failed": "S'ha produït un error en obtenir la ubicació de tercers",
"A new version of Riot is available.": "Hi ha una versió nova del Riot disponible.",
"Send Account Data": "Envia les dades del compte",
"Advanced notification settings": "Paràmetres avançats de notificacions",
"Uploading report": "S'està enviant l'informe",
@ -657,8 +603,6 @@
"Send Custom Event": "Envia els esdeveniments personalitzats",
"All notifications are currently disabled for all targets.": "Actualment totes les notificacions estan inhabilitades per a tots els objectius.",
"Failed to send logs: ": "No s'han pogut enviar els logs: ",
"delete the alias.": "esborra l'alies.",
"To return to your account in future you need to <u>set a password</u>": "Per poder tornar al vostre compte en un futur, heu de <u>set a password</u>",
"Forget": "Oblida",
"You cannot delete this image. (%(code)s)": "No podeu eliminar aquesta imatge. (%(code)s)",
"Cancel Sending": "Cancel·la l'enviament",
@ -684,7 +628,6 @@
"No update available.": "No hi ha cap actualització disponible.",
"Noisy": "Sorollós",
"Collecting app version information": "S'està recollint la informació de la versió de l'aplicació",
"Delete the room alias %(alias)s and remove %(name)s from the directory?": "Voleu esborrar de la sala l'alies %(alias)s i retirar %(name)s del directori?",
"Enable notifications for this account": "Habilita les notificacions per aquest compte",
"Invite to this community": "Convida a aquesta comunitat",
"Search…": "Cerca…",
@ -694,7 +637,7 @@
"Enter keywords separated by a comma:": "Introduïu les paraules clau separades per una coma:",
"Forward Message": "Reenvia el missatge",
"Remove %(name)s from the directory?": "Voleu retirar %(name)s del directori?",
"Riot uses many advanced browser features, some of which are not available or experimental in your current browser.": "Riot utilitza moltes funcions avançades del navegador, algunes de les quals no estan disponibles o són experimentals al vostre navegador actual.",
"%(brand)s uses many advanced browser features, some of which are not available or experimental in your current browser.": "%(brand)s utilitza moltes funcions avançades del navegador, algunes de les quals no estan disponibles o són experimentals al vostre navegador actual.",
"Developer Tools": "Eines de desenvolupador",
"Preparing to send logs": "Preparant l'enviament de logs",
"Explore Account Data": "Explora les dades del compte",
@ -740,8 +683,7 @@
"Debug logs contain application usage data including your username, the IDs or aliases of the rooms or groups you have visited and the usernames of other users. They do not contain messages.": "Els logs de depuració contenen dades d'ús de l'aplicació que inclouen el teu nom d'usuari, les IDs o pseudònims de les sales o grups que has visitat i els noms d'usuari d'altres usuaris. No contenen missatges.",
"Unhide Preview": "Mostra la previsualització",
"Unable to join network": "No s'ha pogut unir-se a la xarxa",
"You might have configured them in a client other than Riot. You cannot tune them in Riot but they still apply": "És possible que els hàgiu configurat en un client diferent de Riot. No podeu modificar-los amb Riot, però encara s'apliquen",
"Sorry, your browser is <b>not</b> able to run Riot.": "Disculpeu, el seu navegador <b>not</b> pot executar Riot.",
"Sorry, your browser is <b>not</b> able to run %(brand)s.": "Disculpeu, el seu navegador <b>not</b> pot executar %(brand)s.",
"Quote": "Cita",
"Messages in group chats": "Missatges en xats de grup",
"Yesterday": "Ahir",
@ -750,7 +692,7 @@
"Unable to fetch notification target list": "No s'ha pogut obtenir la llista d'objectius de les notificacions",
"Set Password": "Establiu una contrasenya",
"Off": "Apagat",
"Riot does not know how to join a room on this network": "El Riot no sap com unir-se a una sala en aquesta xarxa",
"%(brand)s does not know how to join a room on this network": "El %(brand)s no sap com unir-se a una sala en aquesta xarxa",
"Mentions only": "Només mencions",
"Failed to remove tag %(tagName)s from room": "No s'ha pogut esborrar l'etiqueta %(tagName)s de la sala",
"You can now return to your account after signing out, and sign in on other devices.": "Ara podreu tornar a entrar al vostre compte des de altres dispositius.",
@ -765,11 +707,9 @@
"Thank you!": "Gràcies!",
"With your current browser, the look and feel of the application may be completely incorrect, and some or all features may not function. If you want to try it anyway you can continue, but you are on your own in terms of any issues you may encounter!": "Amb el vostre navegador actual, l'aparença de l'aplicació pot ser completament incorrecta i algunes o totes les funcions poden no funcionar correctament. Si voleu provar-ho de totes maneres, podeu continuar, però esteu sols pel que fa als problemes que pugueu trobar!",
"Checking for an update...": "Comprovant si hi ha actualitzacions...",
"There are advanced notifications which are not shown here": "Hi ha notificacions avançades que no es mostren aquí",
"e.g. %(exampleValue)s": "p. ex. %(exampleValue)s",
"Every page you use in the app": "Cada pàgina que utilitzeu a l'aplicació",
"e.g. <CurrentPageURL>": "p. ex. <CurrentPageURL>",
"Your User Agent": "El vostre agent d'usuari",
"Your device resolution": "La resolució del vostre dispositiu",
"Show Stickers": "Mostra els adhesius",
"Where this page includes identifiable information, such as a room, user or group ID, that data is removed before being sent to the server.": "Quan aquesta pàgina contingui informació identificable, com per exemple una sala, usuari o ID de grup, aquestes dades se suprimeixen abans d'enviar-se al servidor.",
@ -779,15 +719,11 @@
"Permission Required": "Permís requerit",
"You do not have permission to start a conference call in this room": "No teniu permís per iniciar una trucada de conferència en aquesta sala",
"Unable to load! Check your network connectivity and try again.": "No s'ha pogut carregar! Comproveu la vostra connectivitat i torneu-ho a provar.",
"Registration Required": "Es requereix registre",
"You need to register to do this. Would you like to register now?": "Us heu de registrar per fer això. Us voleu registrar ara?",
"Failed to invite users to the room:": "No s'ha pogut convidar els usuaris a aquesta sala:",
"Waiting for %(userId)s to confirm...": "S'està esperant a que %(userId)s confirmi...",
"Missing roomId.": "Manca l'ID de la sala.",
"Searches DuckDuckGo for results": "Cerca al DuckDuckGo els resultats",
"Changes your display nickname": "Canvia el vostre malnom",
"Invites user with given id to current room": "Convida l'usuari amb l'id donat a la sala actual",
"Joins room with given alias": "Us introdueix a la sala amb l'àlies donat",
"Kicks user with given id": "Expulsa l'usuari amb l'id donat",
"Bans user with given id": "Bandeja l'usuari amb l'id donat",
"Ignores a user, hiding their messages from you": "Ignora un usuari, amagant-te els seus missatges",
@ -809,11 +745,6 @@
"%(senderDisplayName)s has allowed guests to join the room.": "%(senderDisplayName)s ha permès que els convidats puguin entrar a la sala.",
"%(senderDisplayName)s has prevented guests from joining the room.": "%(senderDisplayName)s ha prohibit l'entrada a la sala als visitants.",
"%(senderDisplayName)s changed guest access to %(rule)s": "%(senderDisplayName)s ha canviat l'accés dels visitants a %(rule)s",
"%(senderName)s added %(count)s %(addedAddresses)s as addresses for this room.|other": "%(senderName)s ha afegit %(addedAddresses)s com a adreces d'aquesta sala.",
"%(senderName)s added %(count)s %(addedAddresses)s as addresses for this room.|one": "%(senderName)s ha afegit %(addedAddresses)s com a adreça d'aquesta sala.",
"%(senderName)s removed %(count)s %(removedAddresses)s as addresses for this room.|other": "%(senderName)s ha retirat %(removedAddresses)s com a adreces d'aquesta sala.",
"%(senderName)s removed %(count)s %(removedAddresses)s as addresses for this room.|one": "%(senderName)s ha retirat %(removedAddresses)s com a adreça d'aquesta sala.",
"%(senderName)s added %(addedAddresses)s and removed %(removedAddresses)s as addresses for this room.": "%(senderName)s ha afegit %(addedAddresses)s i retirat %(removedAddresses)s com a adreces d'aquesta sala.",
"%(senderName)s set the main address for this room to %(address)s.": "%(senderName)s ha canviat l'adreça principal d'aquesta sala a %(address)s.",
"%(senderName)s removed the main address for this room.": "%(senderName)s ha retirat l'adreça principal d'aquesta sala.",
"%(displayName)s is typing …": "%(displayName)s està escrivint…",

View file

@ -68,7 +68,6 @@
"Microphone": "Mikrofon",
"Camera": "Kamera",
"Advanced": "Rozšířené",
"Algorithm": "Algoritmus",
"Always show message timestamps": "Vždy zobrazovat časové značky zpráv",
"Authentication": "Ověření",
"A new password must be entered.": "Musíte zadat nové heslo.",
@ -95,7 +94,6 @@
"Command error": "Chyba příkazu",
"Commands": "Příkazy",
"Confirm password": "Potvrďte heslo",
"Could not connect to the integration server": "Nepodařilo se spojit se začleňovacím serverem",
"Create Room": "Vytvořit místnost",
"Cryptography": "Šifrování",
"Current password": "Současné heslo",
@ -105,13 +103,8 @@
"Deactivate Account": "Deaktivovat účet",
"Decline": "Odmítnout",
"Decrypt %(text)s": "Dešifrovat %(text)s",
"Decryption error": "Chyba dešifrování",
"Delete widget": "Vymazat widget",
"Default": "Výchozí",
"Device ID": "ID zařízení",
"device id: ": "id zařízení: ",
"Direct chats": "Přímé zprávy",
"Disable Notifications": "Vypnout oznámení",
"Disinvite": "Odvolat pozvání",
"Download %(text)s": "Stáhnout %(text)s",
"Drop File Here": "Přetáhněte soubor sem",
@ -120,13 +113,10 @@
"Email address": "E-mailová adresa",
"Emoji": "Emoji",
"Enable automatic language detection for syntax highlighting": "Zapnout automatické rozpoznávání jazyků pro zvýrazňování syntaxe",
"Enable Notifications": "Zapnout oznámení",
"%(senderName)s ended the call.": "Uživatel %(senderName)s ukončil hovor.",
"End-to-end encryption information": "Informace o end-to-end šifrování",
"Enter passphrase": "Zadejte heslo",
"Error decrypting attachment": "Chyba při dešifrování přílohy",
"Error: Problem communicating with the given homeserver.": "Chyba: problém v komunikaci s daným domovským serverem.",
"Event information": "Informace o události",
"Existing Call": "Probíhající hovor",
"Export": "Exportovat",
"Export E2E room keys": "Exportovat end-to-end klíče místnosti",
@ -140,7 +130,6 @@
"Failed to reject invite": "Nepodařilo se odmítnout pozvánku",
"Failed to send request.": "Odeslání žádosti se nezdařilo.",
"Failed to set display name": "Nepodařilo se nastavit zobrazované jméno",
"Failed to toggle moderator status": "Změna statusu moderátora se nezdařila",
"Failed to unban": "Přijetí zpět se nezdařilo",
"Failed to upload profile picture!": "Nahrání profilového obrázku se nezdařilo",
"Failure to create room": "Vytvoření místnosti se nezdařilo",
@ -177,10 +166,8 @@
"Kicks user with given id": "Vykopne uživatele s daným id",
"Last seen": "Naposledy aktivní",
"Leave room": "Opustit místnost",
"Local addresses for this room:": "Místní adresy této místnosti:",
"Moderator": "Moderátor",
"Name": "Název",
"New address (e.g. #foo:%(localDomain)s)": "Nová adresa (např. #neco:%(localDomain)s)",
"New passwords don't match": "Nová hesla se neshodují",
"New passwords must match each other.": "Nová hesla se musí shodovat.",
"not specified": "neurčeno",
@ -188,7 +175,6 @@
"<not supported>": "<nepodporováno>",
"AM": "dop.",
"PM": "odp.",
"NOT verified": "Neověřeno",
"No display name": "Žádné zobrazované jméno",
"No more results": "Žádné další výsledky",
"No results": "Žádné výsledky",
@ -204,19 +190,16 @@
"Power level must be positive integer.": "Úroveň oprávnění musí být kladné celé číslo.",
"%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (oprávnění %(powerLevelNumber)s)",
"You will not be able to undo this change as you are promoting the user to have the same power level as yourself.": "Tuto změnu nepůjde vrátit zpět, protože tomuto uživateli nastavujete stejnou úroveň oprávnění, jakou máte vy.",
"Alias (optional)": "Alias (nepovinný)",
"Results from DuckDuckGo": "Výsledky z DuckDuckGo",
"Return to login screen": "Vrátit k přihlašovací obrazovce",
"Riot does not have permission to send you notifications - please check your browser settings": "Riot není oprávněn posílat vám oznámení zkontrolujte prosím nastavení svého prohlížeče",
"Riot was not given permission to send notifications - please try again": "Riot nebyl oprávněn k posílání oznámení zkuste to prosím znovu",
"riot-web version:": "verze riot-web:",
"%(brand)s does not have permission to send you notifications - please check your browser settings": "%(brand)s není oprávněn posílat vám oznámení zkontrolujte prosím nastavení svého prohlížeče",
"%(brand)s was not given permission to send notifications - please try again": "%(brand)s nebyl oprávněn k posílání oznámení zkuste to prosím znovu",
"%(brand)s version:": "verze %(brand)s:",
"Room %(roomId)s not visible": "Místnost %(roomId)s není viditelná",
"Room Colour": "Barva místnosti",
"%(roomName)s does not exist.": "%(roomName)s neexistuje.",
"%(roomName)s is not accessible at this time.": "Místnost %(roomName)s není v tuto chvíli dostupná.",
"Save": "Uložit",
"Scroll to bottom of page": "Přejít na konec stránky",
"Send anyway": "Přesto poslat",
"Send Reset Email": "Poslat resetovací e-mail",
"%(senderDisplayName)s sent an image.": "Uživatel %(senderDisplayName)s poslal obrázek.",
"%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": "Uživatel %(senderName)s pozval uživatele %(targetDisplayName)s ke vstupu do místnosti.",
@ -232,7 +215,6 @@
"Sign out": "Odhlásit",
"%(count)s of your messages have not been sent.|other": "Některé z vašich zpráv nebyly odeslány.",
"Someone": "Někdo",
"Start a chat": "Zahájit konverzaci",
"Start authentication": "Začít ověření",
"Submit": "Odeslat",
"Success": "Úspěch",
@ -263,7 +245,6 @@
"Click to unmute video": "Klepněte pro povolení videa",
"Click to unmute audio": "Klepněte pro povolení zvuku",
"Displays action": "Zobrazí akci",
"Ed25519 fingerprint": "Ed25519 otisk",
"Fill screen": "Vyplnit obrazovku",
"%(userId)s from %(fromPowerLevel)s to %(toPowerLevel)s": "%(userId)s z %(fromPowerLevel)s na %(toPowerLevel)s",
"This doesn't appear to be a valid email address": "Tato e-mailová adresa se zdá být neplatná",
@ -280,13 +261,9 @@
"%(senderName)s unbanned %(targetName)s.": "Uživatel %(senderName)s přijal zpět uživatele %(targetName)s.",
"Unable to capture screen": "Nepodařilo se zachytit obrazovku",
"Unable to enable Notifications": "Nepodařilo se povolit oznámení",
"unencrypted": "nešifrované",
"unknown caller": "neznámý volající",
"unknown device": "neznámé zařízení",
"Unknown room %(roomId)s": "Neznámá místnost %(roomId)s",
"Unmute": "Povolit",
"Unnamed Room": "Nepojmenovaná místnost",
"Unrecognised room alias:": "Nerozpoznaný alias místnosti:",
"Uploading %(filename)s and %(count)s others|zero": "Nahrávání souboru %(filename)s",
"Uploading %(filename)s and %(count)s others|one": "Nahrávání souboru %(filename)s a %(count)s dalších",
"Uploading %(filename)s and %(count)s others|other": "Nahrávání souboru %(filename)s a %(count)s dalších",
@ -294,13 +271,9 @@
"Upload file": "Nahrát soubor",
"Upload new:": "Nahrát nový:",
"Usage": "Použití",
"Use compact timeline layout": "Použít kompaktní rozvržení časové osy",
"User ID": "ID uživatele",
"Username invalid: %(errMessage)s": "Neplatné uživatelské jméno: %(errMessage)s",
"Users": "Uživatelé",
"Verification Pending": "Čeká na ověření",
"Verification": "Ověření",
"verified": "ověreno",
"Verified key": "Ověřený klíč",
"(no answer)": "(žádná odpověď)",
"(unknown failure: %(reason)s)": "(neznámá chyba: %(reason)s)",
@ -311,7 +284,6 @@
"Which rooms would you like to add to this community?": "Které místnosti chcete přidat do této skupiny?",
"Warning: any person you add to a community will be publicly visible to anyone who knows the community ID": "Varování: osoba, kterou přidáte do této skupiny, bude veřejně viditelná každému, kdo zná ID skupiny",
"Add rooms to the community": "Přidat místnosti do skupiny",
"Room name or alias": "Název nebo alias místnosti",
"Add to community": "Přidat do skupiny",
"Failed to invite the following users to %(groupId)s:": "Následující uživatele se nepodařilo přidat do %(groupId)s:",
"Failed to invite users to community": "Nepodařilo se pozvat uživatele do skupiny",
@ -364,8 +336,6 @@
"%(senderDisplayName)s changed the room avatar to <img/>": "Uživatel %(senderDisplayName)s změnil avatar místnosti na <img/>",
"Copied!": "Zkopírováno!",
"Failed to copy": "Nepodařilo se zkopírovat",
"Removed or unknown message type": "Zpráva odstraněna nebo neznámého typu",
"Message removed by %(userId)s": "Zprávu odstranil uživatel %(userId)s",
"Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "Smazáním widgetu ho odstraníte všem uživatelům v této místnosti. Opravdu chcete tento widget smazat?",
"The maximum permitted number of widgets have already been added to this room.": "V této místnosti již bylo dosaženo limitu pro maximální počet widgetů.",
"Drop file here to upload": "Přetažením sem nahrajete",
@ -375,12 +345,9 @@
"Community ID": "ID skupiny",
"example": "příklad",
"Create": "Vytvořit",
"User Options": "Volby uživatele",
"Please select the destination room for this message": "Vyberte prosím pro tuto zprávu cílovou místnost",
"Jump to read receipt": "Skočit na poslední potvrzení o přečtení",
"Invite": "Pozvat",
"Revoke Moderator": "Odebrat moderátorství",
"Make Moderator": "Udělit moderátorství",
"and %(count)s others...|one": "a někdo další...",
"Hangup": "Zavěsit",
"Jump to message": "Přeskočit na zprávu",
@ -398,9 +365,7 @@
"(~%(count)s results)|one": "(~%(count)s výsledek)",
"Upload avatar": "Nahrát avatar",
"Mention": "Zmínit",
"Blacklisted": "Na černé listině",
"Invited": "Pozvaní",
"Joins room with given alias": "Vstoupí do místnosti s daným aliasem",
"Leave Community": "Opustit skupinu",
"Leave %(groupName)s?": "Opustit %(groupName)s?",
"Leave": "Opustit",
@ -416,7 +381,6 @@
"Privileged Users": "Privilegovaní uživatelé",
"No users have specific privileges in this room": "Žádní uživatelé v této místnosti nemají zvláštní privilegia",
"Publish this room to the public in %(domain)s's room directory?": "Zapsat tuto místnost do veřejného adresáře místností na %(domain)s?",
"Remote addresses for this room:": "Vzdálené adresy této místnosti:",
"Invalid community ID": "Neplatné ID skupiny",
"'%(groupId)s' is not a valid community ID": "'%(groupId)s' není platné ID skupiny",
"New community ID (e.g. +foo:%(localDomain)s)": "Nové ID skupiny (např. +neco:%(localDomain)s)",
@ -436,10 +400,8 @@
"URL Previews": "Náhledy webových adres",
"%(senderDisplayName)s changed the avatar for %(roomName)s": "Uživatel %(senderDisplayName)s změnil avatar místnosti %(roomName)s",
"Add an Integration": "Přidat začlenění",
"Message removed": "Zpráva odstraněna",
"An email has been sent to %(emailAddress)s": "Na adresu %(emailAddress)s jsme poslali e-mail",
"File to import": "Soubor k importu",
"none": "žádný",
"Passphrases must match": "Hesla se musí shodovat",
"Passphrase must not be empty": "Heslo nesmí být prázdné",
"Export room keys": "Exportovat klíče místnosti",
@ -454,7 +416,7 @@
"Missing user_id in request": "V zadání chybí user_id",
"(could not connect media)": "(média se nepodařilo spojit)",
"%(senderName)s made future room history visible to unknown (%(visibility)s).": "%(senderName)s nastavil viditelnost budoucí zpráv v místnosti neznámým (%(visibility)s).",
"Not a valid Riot keyfile": "Neplatný soubor s klíčem Riot",
"Not a valid %(brand)s keyfile": "Neplatný soubor s klíčem %(brand)s",
"Mirror local video feed": "Zrcadlit lokání video",
"Enable inline URL previews by default": "Nastavit povolení náhledů URL adres jako výchozí",
"Enable URL previews for this room (only affects you)": "Povolit náhledy URL adres pro tuto místnost (ovlivňuje pouze vás)",
@ -477,7 +439,6 @@
"URL previews are disabled by default for participants in this room.": "Ve výchozím nastavení jsou náhledy URL adres zakázané pro členy této místnosti.",
"Invalid file%(extra)s": "Neplatný soubor%(extra)s",
"You are about to be taken to a third-party site so you can authenticate your account for use with %(integrationsUrl)s. Do you wish to continue?": "Budete přesměrováni na stránku třetí strany k ověření svého účtu pro používání s %(integrationsUrl)s. Chcete pokračovat?",
"To continue, please enter your password.": "Aby jste mohli pokračovat, zadejte prosím své heslo.",
"Please check your email to continue registration.": "Pro pokračování v registraci prosím zkontrolujte své e-maily.",
"Token incorrect": "Neplatný token",
"A text message has been sent to %(msisdn)s": "Na číslo %(msisdn)s byla odeslána textová zpráva",
@ -501,10 +462,6 @@
"Display your community flair in rooms configured to show it.": "Zobrazovat příslušnost ke skupině v místnostech, které to mají nastaveno.",
"You're not currently a member of any communities.": "V současnosti nejste členem žádné skupiny.",
"Unknown Address": "Neznámá adresa",
"Unblacklist": "Odblokovat",
"Blacklist": "Zablokovat",
"Unverify": "Zrušit ověření",
"Verify...": "Ověřit...",
"Manage Integrations": "Správa integrací",
"%(nameList)s %(transitionList)s": "%(nameList)s %(transitionList)s",
"%(severalUsers)sjoined %(count)s times|other": "%(severalUsers)s%(count)s krát vstoupili",
@ -571,13 +528,8 @@
"Something went wrong whilst creating your community": "Něco se pokazilo během vytváření vaší skupiny",
"Unknown error": "Neznámá chyba",
"Incorrect password": "Nesprávné heslo",
"I verify that the keys match": "Ověřil jsem, klíče se shodují",
"Start verification": "Zahájit ověřování",
"Share without verifying": "Sdílet bez ověření",
"Ignore request": "Ignorovat žádost",
"Encryption key request": "Žádost o šifrovací klíč",
"Unable to restore session": "Nelze obnovit relaci",
"If you have previously used a more recent version of Riot, your session may be incompatible with this version. Close this window and return to the more recent version.": "Pokud jste se v minulosti již přihlásili s novější verzi programu Riot, vaše relace nemusí být kompatibilní s touto verzí. Zavřete prosím toto okno a přihlaste se znovu pomocí nové verze.",
"If you have previously used a more recent version of %(brand)s, your session may be incompatible with this version. Close this window and return to the more recent version.": "Pokud jste se v minulosti již přihlásili s novější verzi programu %(brand)s, vaše relace nemusí být kompatibilní s touto verzí. Zavřete prosím toto okno a přihlaste se znovu pomocí nové verze.",
"Please check your email and click on the link it contains. Once this is done, click continue.": "Zkontrolujte svou e-mailovou schránku a klepněte na odkaz ve zprávě, kterou jsme vám poslali. V případě, že jste to už udělali, klepněte na tlačítko Pokračovat.",
"This will allow you to reset your password and receive notifications.": "Toto vám umožní obnovit si heslo a přijímat oznámení e-mailem.",
"Skip": "Přeskočit",
@ -632,15 +584,13 @@
"There's no one else here! Would you like to <inviteText>invite others</inviteText> or <nowarnText>stop warning about the empty room</nowarnText>?": "Kromě vás není v této místnosti nikdo jiný! Přejete si <inviteText>Pozvat další</inviteText> anebo <nowarnText>Přestat upozorňovat na prázdnou místnost</nowarnText>?",
"Room": "Místnost",
"Failed to load timeline position": "Bod v časové ose se nepodařilo načíst",
"Light theme": "Světlý vzhled",
"Dark theme": "Tmavý vzhled",
"Analytics": "Analytické údaje",
"Riot collects anonymous analytics to allow us to improve the application.": "Riot sbírá anonymní analytické údaje, které nám umožňují aplikaci dále zlepšovat.",
"%(brand)s collects anonymous analytics to allow us to improve the application.": "%(brand)s sbírá anonymní analytické údaje, které nám umožňují aplikaci dále zlepšovat.",
"Labs": "Experimentální funkce",
"Reject all %(invitedRooms)s invites": "Odmítnutí všech %(invitedRooms)s pozvání",
"Start automatically after system login": "Zahájit automaticky po přihlášení do systému",
"No media permissions": "Žádná oprávnění k médiím",
"You may need to manually permit Riot to access your microphone/webcam": "Je možné, že budete potřebovat manuálně povolit Riot přístup k mikrofonu/webkameře",
"You may need to manually permit %(brand)s to access your microphone/webcam": "Je možné, že budete potřebovat manuálně povolit %(brand)s přístup k mikrofonu/webkameře",
"Profile": "Profil",
"The email address linked to your account must be entered.": "Musíte zadat e-mailovou adresu spojenou s vaším účtem.",
"An email has been sent to %(emailAddress)s. Once you've followed the link it contains, click below.": "Na adresu %(emailAddress)s byla odeslána zpráva. Potom, co přejdete na odkaz z této zprávy, klepněte níže.",
@ -655,24 +605,15 @@
"Stops ignoring a user, showing their messages going forward": "Přestane ignorovat uživatele a začne zobrazovat jeho zprávy",
"Notify the whole room": "Oznámení pro celou místnost",
"Room Notification": "Oznámení místnosti",
"Curve25519 identity key": "Klíč totožnosti Curve25519",
"Claimed Ed25519 fingerprint key": "Údajný klíč s otiskem Ed25519",
"This process allows you to import encryption keys that you had previously exported from another Matrix client. You will then be able to decrypt any messages that the other client could decrypt.": "Tento proces vás provede importem šifrovacích klíčů, které jste si stáhli z jiného Matrix klienta. Po úspěšném naimportování budete v tomto klientovi moci dešifrovat všechny zprávy, které jste mohli dešifrovat v původním klientovi.",
"The export file will be protected with a passphrase. You should enter the passphrase here, to decrypt the file.": "Stažený soubor je chráněn heslem. Soubor můžete naimportovat pouze pokud zadáte odpovídající heslo.",
"Call Failed": "Hovor selhal",
"Review Devices": "Ověřit zařízení",
"Call Anyway": "Přesto zavolat",
"Answer Anyway": "Přesto přijmout",
"Call": "Hovor",
"Answer": "Přijmout",
"Send": "Odeslat",
"collapse": "sbalit",
"expand": "rozbalit",
"Old cryptography data detected": "Nalezeny starší šifrované datové zprávy",
"Data from an older version of Riot has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "Byly nalezeny datové zprávy ze starší verze Riot. Důsledkem bude, že end-to-end šifrování nebude ve starší verzi Riot správně fungovat. Šifrované zprávy ze starší verze nemusí být čitelné v nové verzi. Může dojít i k selhání zasílaní zpráv s touto verzí Riotu. Pokud zaznamenáte některý z uvedených problému, odhlaste se a znovu přihlaste. Pro zachování historie zpráv exportujte a znovu importujte své klíče.",
"Warning": "Varování",
"Fetching third party location failed": "Nepodařilo se zjistit umístění třetí strany",
"A new version of Riot is available.": "Je dostupná nová verze Riotu.",
"I understand the risks and wish to continue": "Rozumím rizikům a přeji si pokračovat",
"Send Account Data": "Poslat data o účtu",
"Advanced notification settings": "Rozšířená nastavení oznámení",
@ -692,8 +633,6 @@
"Waiting for response from server": "Čekám na odezvu ze serveru",
"Send Custom Event": "Odeslat vlastní událost",
"All notifications are currently disabled for all targets.": "Veškerá oznámení jsou aktuálně pro všechny cíle vypnuty.",
"delete the alias.": "smazat alias.",
"To return to your account in future you need to <u>set a password</u>": "Abyste se mohli ke svému účtu v budoucnu vrátit, musíte si <u>nastavit heslo</u>",
"Forget": "Zapomenout",
"You cannot delete this image. (%(code)s)": "Tento obrázek nemůžete smazat. (%(code)s)",
"Cancel Sending": "Zrušit odesílání",
@ -718,7 +657,6 @@
"No update available.": "Není dostupná žádná aktualizace.",
"Resend": "Poslat znovu",
"Collecting app version information": "Sbírání informací o verzi aplikace",
"Delete the room alias %(alias)s and remove %(name)s from the directory?": "Smazat alias místnosti %(alias)s a odstranit %(name)s z adresáře?",
"Keywords": "Klíčová slova",
"Enable notifications for this account": "Zapnout oznámení na tomto účtu",
"Invite to this community": "Pozvat do této skupiny",
@ -729,7 +667,7 @@
"Forward Message": "Přeposlat",
"You have successfully set a password and an email address!": "Úspěšně jste si nastavili heslo a e-mailovou adresu!",
"Remove %(name)s from the directory?": "Odebrat %(name)s z adresáře?",
"Riot uses many advanced browser features, some of which are not available or experimental in your current browser.": "Riot používá mnoho pokročilých funkcí, z nichž některé jsou ve vašem současném prohlížeči nedostupné nebo experimentální.",
"%(brand)s uses many advanced browser features, some of which are not available or experimental in your current browser.": "%(brand)s používá mnoho pokročilých funkcí, z nichž některé jsou ve vašem současném prohlížeči nedostupné nebo experimentální.",
"Developer Tools": "Nástroje pro vývojáře",
"Explore Account Data": "Prozkoumat data o účtu",
"Remove from Directory": "Odebrat z adresáře",
@ -770,14 +708,13 @@
"Show message in desktop notification": "Zobrazovat zprávu v oznámení na ploše",
"Unhide Preview": "Zobrazit náhled",
"Unable to join network": "Nelze se připojit k síti",
"You might have configured them in a client other than Riot. You cannot tune them in Riot but they still apply": "Snad jste je nastavili v jiném klientu než Riot. V Riotu je nemůžete upravit, ale přesto platí",
"Sorry, your browser is <b>not</b> able to run Riot.": "Omlouváme se, váš prohlížeč <b>není</b> schopný Riot spustit.",
"Sorry, your browser is <b>not</b> able to run %(brand)s.": "Omlouváme se, váš prohlížeč <b>není</b> schopný %(brand)s spustit.",
"Uploaded on %(date)s by %(user)s": "Nahráno %(date)s uživatelem %(user)s",
"Messages in group chats": "Zprávy ve skupinách",
"Yesterday": "Včera",
"Error encountered (%(errorDetail)s).": "Nastala chyba (%(errorDetail)s).",
"Low Priority": "Nízká priorita",
"Riot does not know how to join a room on this network": "Riot neví, jak vstoupit do místosti na této síti",
"%(brand)s does not know how to join a room on this network": "%(brand)s neví, jak vstoupit do místosti na této síti",
"Set Password": "Nastavit heslo",
"An error occurred whilst saving your email notification preferences.": "Při ukládání nastavení e-mailových oznámení nastala chyba.",
"Off": "Vypnout",
@ -797,20 +734,16 @@
"Quote": "Citovat",
"With your current browser, the look and feel of the application may be completely incorrect, and some or all features may not function. If you want to try it anyway you can continue, but you are on your own in terms of any issues you may encounter!": "Vzhled a chování aplikace může být ve vašem aktuální prohlížeči nesprávné a některé nebo všechny funkce mohou být chybné. Chcete-li i přes to pokračovat, nebudeme vám bránit, ale se všemi problémy, na které narazíte, si musíte poradit sami!",
"Checking for an update...": "Kontrola aktualizací...",
"There are advanced notifications which are not shown here": "Jsou k dispozici pokročilá oznámení, která zde nejsou zobrazena",
"The platform you're on": "Vámi používaná platforma",
"The version of Riot.im": "Verze Riot.im",
"The version of %(brand)s": "Verze %(brand)su",
"Your language of choice": "Váš jazyk",
"Which officially provided instance you are using, if any": "Kterou oficiální instanci Riot.im používáte (a jestli vůbec)",
"Whether or not you're using the Richtext mode of the Rich Text Editor": "Zda při psaní zpráv používáte rozbalenou lištu formátování textu",
"Your homeserver's URL": "URL vašeho domovského serveru",
"Your identity server's URL": "URL Vámi používaného serveru identity",
"e.g. %(exampleValue)s": "např. %(exampleValue)s",
"Every page you use in the app": "Každou stránku v aplikaci, kterou navštívíte",
"e.g. <CurrentPageURL>": "např. <CurrentPageURL>",
"Your User Agent": "Řetězec User Agent Vašeho zařízení",
"Your device resolution": "Rozlišení obrazovky vašeho zařízení",
"The information being sent to us to help make Riot.im better includes:": "S cílem vylepšovat aplikaci Riot.im shromažďujeme následující údaje:",
"The information being sent to us to help make %(brand)s better includes:": "Abychom mohli %(brand)s zlepšovat, posíláte nám následující informace:",
"Where this page includes identifiable information, such as a room, user or group ID, that data is removed before being sent to the server.": "V případě, že se na stránce vyskytují identifikační údaje, jako například název místnosti, ID uživatele, místnosti a nebo skupiny, jsou tyto údaje před odesláním na server odstraněny.",
"Call in Progress": "Probíhající hovor",
"A call is currently being placed!": "Právě probíhá jiný hovor!",
@ -831,9 +764,7 @@
"Demote": "Degradovat",
"Share Link to User": "Sdílet odkaz na uživatele",
"Send an encrypted reply…": "Odeslat šifrovanou odpověď …",
"Send a reply (unencrypted)…": "Odeslat odpověď (nešifrovaně) …",
"Send an encrypted message…": "Odeslat šifrovanou zprávu …",
"Send a message (unencrypted)…": "Odeslat zprávu (nešifrovaně) …",
"Seen by %(displayName)s (%(userName)s) at %(dateTime)s": "%(displayName)s (%(userName)s) viděl %(dateTime)s",
"Replying": "Odpovídá",
"Share room": "Sdílet místnost",
@ -850,15 +781,9 @@
"The email field must not be blank.": "E-mail nemůže být prázdný.",
"The phone number field must not be blank.": "Telefonní číslo nemůže být prázdné.",
"The password field must not be blank.": "Heslo nemůže být prázdné.",
"Please help improve Riot.im by sending <UsageDataLink>anonymous usage data</UsageDataLink>. This will use a cookie (please see our <PolicyLink>Cookie Policy</PolicyLink>).": "Prosím pomozte nám vylepšovat Riot.im odesíláním <UsageDataLink>anonymních údajů o používaní</UsageDataLink>. Použijeme k tomu cookies (přečtěte si <PolicyLink>jak cookies používáme</PolicyLink>).",
"Please help improve Riot.im by sending <UsageDataLink>anonymous usage data</UsageDataLink>. This will use a cookie.": "Prosím pomozte nám vylepšovat Riot.im odesíláním <UsageDataLink>anonymních údajů o používaní</UsageDataLink>. Na tento účel použijeme cookie.",
"Yes, I want to help!": "Ano, chci pomoci!",
"Please <a>contact your service administrator</a> to continue using the service.": "Pro další používání vašeho zařízení prosím kontaktujte prosím <a>správce vaší služby</a>.",
"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ů.",
"Please <a>contact your service administrator</a> to get this limit increased.": "Pro zvýšení tohoto limitu prosím <a>kontaktujte správce své služby</a>.",
"This homeserver has hit its Monthly Active User limit so <b>some users will not be able to log in</b>.": "Tento domovský server dosáhl svého měsíčního limitu pro aktivní uživatele, proto se <b>někteří uživatelé nebudou moci přihlásit</b>.",
"This homeserver has exceeded one of its resource limits so <b>some users will not be able to log in</b>.": "Tento domovský server překročil některý z limitů, proto se <b>někteří uživatelé nebudou moci přihlásit</b>.",
"Failed to remove widget": "Nepovedlo se odstranit widget",
"An error ocurred whilst trying to remove the widget from the room": "Při odstraňování widgetu z místnosti nastala chyba",
"Minimize apps": "Minimalizovat aplikace",
@ -908,8 +833,7 @@
"Terms and Conditions": "Smluvní podmínky",
"To continue using the %(homeserverDomain)s homeserver you must review and agree to our terms and conditions.": "Chcete-li nadále používat domovský server %(homeserverDomain)s, měli byste si přečíst a odsouhlasit naše smluvní podmínky.",
"Review terms and conditions": "Přečíst smluvní podmínky",
"Did you know: you can use communities to filter your Riot.im experience!": "Věděli jste, že práci s Riot.im si můžete zpříjemnit používáním skupin!",
"To set up a filter, drag a community avatar over to the filter panel on the far left hand side of the screen. You can click on an avatar in the filter panel at any time to see only the rooms and people associated with that community.": "Pro nastavení filtru přetáhněte avatar skupiny na panel filtrování na levé straně obrazovky. Potom můžete kdykoliv klepnout na avatar skupiny v tomto panelu a Riot vám bude zobrazovat jen místnosti a lidi z dané skupiny.",
"Did you know: you can use communities to filter your %(brand)s experience!": "Věděli jste, že práci s %(brand)s si můžete zpříjemnit používáním skupin!",
"You can't send any messages until you review and agree to <consentLink>our terms and conditions</consentLink>.": "Dokud si nepřečtete a neodsouhlasíte <consentLink>naše smluvní podmínky</consentLink>, nebudete moci posílat žádné zprávy.",
"Your message wasn't sent because this homeserver has hit its Monthly Active User Limit. Please <a>contact your service administrator</a> to continue using the service.": "Vaše zpráva nebyla odeslána, protože tento domovský server dosáhl svého měsíčního limitu pro aktivní uživatele. Pro další využívání služby prosím kontaktujte jejího <a>správce</a>.",
"Your message wasn't sent because this homeserver has exceeded a resource limit. Please <a>contact your service administrator</a> to continue using the service.": "Vaše zpráva nebyla odeslána, protože tento domovský server dosáhl limitu svých zdrojů. Pro další využívání služby prosím kontaktujte jejího <a>správce</a>.",
@ -926,21 +850,13 @@
"Manually export keys": "Export klíčů",
"You'll lose access to your encrypted messages": "Přijdete o přístup k šifrovaným zprávám",
"Are you sure you want to sign out?": "Opravdu se chcete odhlásit?",
"Updating Riot": "Aktualizujeme Riot",
"If you run into any bugs or have feedback you'd like to share, please let us know on GitHub.": "Jestli máte nějakou zpětnou vazbu nebo máte s Riotem nějaký problém, dejte nám vědět na GitHubu.",
"Updating %(brand)s": "Aktualizujeme %(brand)s",
"To help avoid duplicate issues, please <existingIssuesLink>view existing issues</existingIssuesLink> first (and add a +1) or <newIssueLink>create a new issue</newIssueLink> if you can't find it.": "Abychom předešli řešení jednoho problému několikrát, podívejte se prosím nejdřív <existingIssuesLink>seznam existujících issue</existingIssuesLink> (a můžete jim dát 👍) nebo můžete <newIssueLink>vyrobit nové</newIssueLink>. Jenom nám prosím pište anglicky.",
"Report bugs & give feedback": "Hlášení chyb a zpětná vazba",
"Go back": "Zpět",
"Failed to upgrade room": "Nepovedlo se upgradeovat místnost",
"The room upgrade could not be completed": "Upgrade místnosti se nepovedlo dokončit",
"Upgrade this room to version %(version)s": "Upgradování místnosti na verzi %(version)s",
"Use Legacy Verification (for older clients)": "Použít starší verzi ověření (funguje se staršími klienty)",
"Verify by comparing a short text string.": "Verfikujete porovnáním krátkého textu.",
"Begin Verifying": "Zahájit ověření",
"Waiting for partner to accept...": "Čekáme až partner přijme žádost...",
"Nothing appearing? Not all clients support interactive verification yet. <button>Use legacy verification</button>.": "Nic se neděje? Ne všichni klienti klienti podporují interaktivní ověření. <button>Použít starší verzi</button>.",
"Waiting for %(userId)s to confirm...": "Čekáme až to %(userId)s potvrdí...",
"Use two-way text verification": "Použít oboustranné ověření",
"Security & Privacy": "Zabezpečení",
"Encryption": "Šifrování",
"Once enabled, encryption cannot be disabled.": "Po zapnutí, už nepůjde šifrování vypnout.",
@ -953,7 +869,6 @@
"Room Topic": "Téma místnosti",
"Room avatar": "Avatar místnosti",
"Changes to who can read history will only apply to future messages in this room. The visibility of existing history will be unchanged.": "Změny viditelnosti historie této místnosti ovlivní jenom nové zprávy. Viditelnost starších zpráv zůstane, jaká byla v době jejich odeslání.",
"To link to this room, please add an alias.": "K vytvoření odkazu je potřeba vyrobit místnosti alias.",
"Roles & Permissions": "Role a oprávnění",
"Room information": "Informace o místnosti",
"Internal room ID:": "Interní ID:",
@ -999,9 +914,9 @@
"Profile picture": "Profilový obrázek",
"Display Name": "Zobrazované jméno",
"Room Addresses": "Adresy místnosti",
"For help with using Riot, click <a>here</a>.": "Pro pomoc s používáním Riotu klepněte <a>sem</a>.",
"For help with using Riot, click <a>here</a> or start a chat with our bot using the button below.": "Pro pomoc s používáním Riotu klepněte <a>sem</a> nebo následujícím tlačítkem zahajte konverzaci s robotem.",
"Chat with Riot Bot": "Konverzovat s Riot Botem",
"For help with using %(brand)s, click <a>here</a>.": "Pro pomoc s používáním %(brand)su klepněte <a>sem</a>.",
"For help with using %(brand)s, click <a>here</a> or start a chat with our bot using the button below.": "Pro pomoc s používáním %(brand)su klepněte <a>sem</a> nebo následujícím tlačítkem zahajte konverzaci s robotem.",
"Chat with %(brand)s Bot": "Konverzovat s %(brand)s Botem",
"Ignored users": "Ignorovaní uživatelé",
"Bulk options": "Hromadná možnost",
"Key backup": "Záloha klíčů",
@ -1024,8 +939,6 @@
"Whether or not you're logged in (we don't record your username)": "Zda jste nebo nejste přihlášeni (vaše uživatelské jméno se nezaznamenává)",
"The file '%(fileName)s' exceeds this homeserver's size limit for uploads": "Soubor '%(fileName)s' je větší než povoluje limit domovského serveru",
"Unable to load! Check your network connectivity and try again.": "Stránku se nepovedlo načíst! Zkontrolujte prosím své připojení k internetu a zkuste to znovu.",
"Registration Required": "Je vyžadována registrace",
"You need to register to do this. Would you like to register now?": "Na toto potřebujete registraci. Chcete se zaregistrovat teď hned?",
"Failed to invite users to the room:": "Nepovedlo se pozvat uživatele do místnosti:",
"Upgrades a room to a new version": "Upgraduje místnost na novou verzi",
"This room has no topic.": "Tato místnost nemá žádné specifické téma.",
@ -1037,11 +950,6 @@
"%(senderDisplayName)s has allowed guests to join the room.": "Uživatel %(senderDisplayName)s povolil přístup hostům.",
"%(senderDisplayName)s has prevented guests from joining the room.": "Uživatel %(senderDisplayName)s zakázal přístup hostům.",
"%(senderDisplayName)s changed guest access to %(rule)s": "Uživatel %(senderDisplayName)s změnil pravidlo pro přístup hostů na %(rule)s",
"%(senderName)s added %(count)s %(addedAddresses)s as addresses for this room.|other": "Uživatel %(senderName)s přidal této místnosti nové adresy %(addedAddresses)s.",
"%(senderName)s added %(count)s %(addedAddresses)s as addresses for this room.|one": "Uživatel %(senderName)s přidal této místnosti novou adresu %(addedAddresses)s.",
"%(senderName)s removed %(count)s %(removedAddresses)s as addresses for this room.|other": "Uživatel %(senderName)s odstranil této místnosti adresy %(removedAddresses)s.",
"%(senderName)s removed %(count)s %(removedAddresses)s as addresses for this room.|one": "Uživatel %(senderName)s odstranil této místnosti adresu %(removedAddresses)s.",
"%(senderName)s added %(addedAddresses)s and removed %(removedAddresses)s as addresses for this room.": "Uživatel %(senderName)s přidal této místnosti adresy %(addedAddresses)s a odebral %(removedAddresses)s.",
"%(senderName)s set the main address for this room to %(address)s.": "Uživatel %(senderName)s hlavní adresu této místnosti na %(address)s.",
"%(senderName)s removed the main address for this room.": "%(senderName)s zrušil hlavní adresu této místnosti.",
"%(displayName)s is typing …": "%(displayName)s píše …",
@ -1184,54 +1092,30 @@
"I don't want my encrypted messages": "Už své zašifrované zprávy nechci",
"Checking...": "Kontroluji...",
"Unable to load backup status": "Nepovedlo se načíst stav zálohy",
"Recovery Key Mismatch": "Klíč zálohy neodpovídá",
"Backup could not be decrypted with this key: please verify that you entered the correct recovery key.": "Tímto klíčem se nepovedlo zálohu rozšifrovat: zkontrolujte prosím, že jste zadali správný klíč.",
"Incorrect Recovery Passphrase": "Nesprávné obnovovací heslo",
"Backup could not be decrypted with this passphrase: please verify that you entered the correct recovery passphrase.": "S tímto heslem se zálohu nepovedlo rozšifrovat: zkontrolujte prosím, že jste ho zadali správně.",
"Unable to restore backup": "Nepovedlo se obnovit ze zálohy",
"No backup found!": "Nenalezli jsme žádnou zálohu!",
"Backup Restored": "Záloha načtena",
"Failed to decrypt %(failedCount)s sessions!": "Nepovedlo se rozšifrovat %(failedCount)s sezení!",
"Restored %(sessionCount)s session keys": "Obnovili jsme %(sessionCount)s klíčů",
"Enter Recovery Passphrase": "Zadejte heslo k záloze",
"<b>Warning</b>: you should only set up key backup from a trusted computer.": "<b>Varování</b>: záloha by měla být prováděna na důvěryhodném počítači.",
"Access your secure message history and set up secure messaging by entering your recovery passphrase.": "Zadáním hesla k záloze získáte zpět přístup k šifrovaným zprávám a zabezpečené komunikaci.",
"Next": "Další",
"If you've forgotten your recovery passphrase you can <button1>use your recovery key</button1> or <button2>set up new recovery options</button2>": "Pokud jste zapomněli své obnovovací heslo, použijte <button1>obnovovací klíč</button1> nebo <button2>nastavte další možnosti obnovení</button2>",
"Enter Recovery Key": "Zadejte obnovovací klíč",
"This looks like a valid recovery key!": "To vypadá jako správný klíč!",
"Not a valid recovery key": "To není správný klíč",
"Access your secure message history and set up secure messaging by entering your recovery key.": "Zadejte obnovovací klíč pro přístupu k historii zpráv a zabezpečené komunikaci.",
"Recovery Method Removed": "Záloha klíčů byla odstraněna",
"Go to Settings": "Přejít do nastavení",
"Enter a passphrase...": "Zadejte silné heslo...",
"For maximum security, this should be different from your account password.": "Z bezpečnostních důvodů by toto heslo mělo být jiné než přihlašovací heslo.",
"We'll store an encrypted copy of your keys on our server. Protect your backup with a passphrase to keep it secure.": "Na našich serverech uložíme šifrovanou zálohu vašich klíčů. Zvolte si silné heslo (např. delší frázi) aby byla záloha v bezpečí.",
"Great! This passphrase looks strong enough.": "Super! Na první pohled to vypadá dostatečně silně.",
"Keep going...": "Pokračujte...",
"Set up with a Recovery Key": "Nastavit obnovovací klíč",
"That matches!": "To odpovídá!",
"That doesn't match.": "To nesedí.",
"Go back to set it again.": "Nastavit heslo znovu.",
"Please enter your passphrase a second time to confirm.": "Pro ověření zadejte heslo znovu.",
"Repeat your passphrase...": "Zopakute heslo...",
"As a safety net, you can use it to restore your encrypted message history if you forget your Recovery Passphrase.": "Tento klíč můžete použít jako záchranou síť k obnově zašifrované historie pokud byste zapomněl/a heslo k záloze.",
"As a safety net, you can use it to restore your encrypted message history.": "Tento klíč můžete použít jako záchranou síť k obnově zašifrované historie.",
"Your recovery key is a safety net - you can use it to restore access to your encrypted messages if you forget your passphrase.": "Obnovovací klíč je záchranná síť - lze použít k obnově šifrovaných zpráv i když zapomenete heslo.",
"Your Recovery Key": "Váš klíč pro obnovu zálohy",
"Copy to clipboard": "Zkopírovat do schránky",
"Download": "Stáhnout",
"<b>Print it</b> and store it somewhere safe": "<b>Vytiskněte</b> si ho a bezpečně ho uložte",
"<b>Save it</b> on a USB key or backup drive": "<b>Uložte ho</b> na bezpečnou USB flash disk nebo zálohovací disk",
"<b>Copy it</b> to your personal cloud storage": "<b>Zkopírujte si ho</b> na osobní cloudové úložiště",
"Your keys are being backed up (the first backup could take a few minutes).": "Klíče se zálohují (první záloha může trvat pár minut).",
"Confirm your passphrase": "Potvrďte heslo",
"Recovery key": "Obnovovací klíč",
"Secure your backup with a passphrase": "Zabezpečte si zálohu silným heslem",
"Keep it safe": "Bezpečně ho uschovejte",
"Starting backup...": "Začíná se zálohovat...",
"Success!": "Úspěch!",
"Create Key Backup": "Vyrobit zálohu klíčů",
"Unable to create key backup": "Nepovedlo se vyrobit zálohů klíčů",
"Retry": "Zkusit znovu",
"Set up Secure Messages": "Nastavit bezpečné obnovení zpráv",
@ -1255,10 +1139,8 @@
"Encrypted messages in group chats": "Šifrované zprávy ve skupinových konverzacích",
"Open Devtools": "Otevřít nástroje pro vývojáře",
"Credits": "Poděkování",
"You've previously used a newer version of Riot on %(host)s. To use this version again with end to end encryption, you will need to sign out and back in again. ": "Už jste na adrese %(host)s použili novější verzi Riotu. Jestli chcete znovu používat tuto verzi i s end-to-end šifrováním, je potřeba se odhlásit a znovu přihlásit. ",
"You've previously used Riot 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, Riot needs to resync your account.": "Na adrese %(host)s už jste použili Riot se zapnutou volbou načítání členů místností až při prvním zobrazení. V této verzi je načítání členů až při prvním zobrazení vypnuté. Protože je s tímto nastavením lokální vyrovnávací paměť nekompatibilní, Riot potřebuje znovu synchronizovat údaje z vašeho účtu.",
"If the other version of Riot is still open in another tab, please close it as using Riot on the same host with both lazy loading enabled and disabled simultaneously will cause issues.": "Pokud v jiné karťe otevřený jiný Riot, prosím zavřete ji, protože si dvě různé verze můžou navzájem působit problémy.",
"Riot now uses 3-5x less memory, by only loading information about other users when needed. Please wait whilst we resynchronise with the server!": "Riot teď používá 3-5× méně paměti, protože si informace o ostatních uživatelích načítá až když je potřebuje. Prosím počkejte na dokončení synchronizace se serverem!",
"You've previously used %(brand)s on %(host)s with lazy loading of members enabled. In this version lazy loading is disabled. As the local cache is not compatible between these two settings, %(brand)s needs to resync your account.": "Na adrese %(host)s už jste použili %(brand)s se zapnutou volbou načítání členů místností až při prvním zobrazení. V této verzi je načítání členů až při prvním zobrazení vypnuté. Protože je s tímto nastavením lokální vyrovnávací paměť nekompatibilní, %(brand)s potřebuje znovu synchronizovat údaje z vašeho účtu.",
"%(brand)s now uses 3-5x less memory, by only loading information about other users when needed. Please wait whilst we resynchronise with the server!": "%(brand)s teď používá 3-5× méně paměti, protože si informace o ostatních uživatelích načítá až když je potřebuje. Prosím počkejte na dokončení synchronizace se serverem!",
"Update status": "Aktualizovat status",
"Clear status": "Smazat status",
"Set status": "Nastavit status",
@ -1307,7 +1189,6 @@
"User %(userId)s is already in the room": "Uživatel %(userId)s už je v této místnosti",
"The user must be unbanned before they can be invited.": "Uživatel je vykázán, nelze ho pozvat.",
"Show read receipts sent by other users": "Zobrazovat potvrzení o přijetí",
"Order rooms in the room list by most important first instead of most recent": "Seřadit místosti v seznamu podle důležitosti místo podle posledního použití",
"Scissors": "Nůžky",
"Accept all %(invitedRooms)s invites": "Přijmout pozvání do všech těchto místností: %(invitedRooms)s",
"Change room avatar": "Změnit avatar místnosti",
@ -1328,12 +1209,8 @@
"Once enabled, encryption for a room cannot be disabled. Messages sent in an encrypted room cannot be seen by the server, only by the participants of the room. Enabling encryption may prevent many bots and bridges from working correctly. <a>Learn more about encryption.</a>": "Po zapnutí už nelze šifrování v této místnosti vypnout. Zprávy v šifrovaných místnostech mohou číst jenom členové místnosti, server se k obsahu nedostane. Šifrování místností nepodporuje většina botů a propojení. <a>Více informací o šifrování.</a>",
"Error updating main address": "Nepovedlo se změnit hlavní adresu",
"There was an error updating the room's main address. It may not be allowed by the server or a temporary failure occurred.": "Nastala chyba při pokusu o nastavení hlavní adresy místnosti. Mohl to zakázat server, nebo to může být dočasná chyba.",
"Error creating alias": "Nepovedlo se vyrobit alias",
"There was an error creating that alias. It may not be allowed by the server or a temporary failure occurred.": "Nastala chyba při pokusu o nastavení aliasu místnosti. Mohl to zakázat server, nebo to může být dočasná chyba.",
"Error removing alias": "Nepovedlo se odebrat alias",
"There was an error removing that alias. It may no longer exist or a temporary error occurred.": "Nastala chyba při pokusu o odstranění aliasu místnosti. Je možné, že už neexistuje, nebo to může být dočasná chyba.",
"Power level": "Úroveň oprávnění",
"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 Riot to do this": "Abyste po odhlášení nepřišli o přístup k historii šifrovaných konverzací, měli byste si před odhlášením exportovat šifrovací klíče místností. Prosím vraťte se k novější verzi Riotu a exportujte si klíče",
"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": "Abyste po odhlášení nepřišli o přístup k historii šifrovaných konverzací, měli byste si před odhlášením exportovat šifrovací klíče místností. Prosím vraťte se k novější verzi %(brand)su a exportujte si klíče",
"Room Settings - %(roomName)s": "Nastavení místnosti - %(roomName)s",
"A username can only contain lower case letters, numbers and '=_-./'": "Uživatelské jméno může obsahovat malá písmena, čísla a znaky '=_-./'",
"Share Permalink": "Sdílet odkaz",
@ -1342,7 +1219,6 @@
"Could not load user profile": "Nepovedlo se načíst profil uživatele",
"Your Matrix account on %(serverName)s": "Váš účet Matrix na serveru %(serverName)s",
"Whether or not you're using the 'breadcrumbs' feature (avatars above the room list)": "Zda používáte funkci \"breadcrumb\" (ikony nad seznamem místností)",
"A conference call could not be started because the integrations server is not available": "Nelze spustit konferenční hovor, protože začleňovací server není dostupný",
"Replying With Files": "Odpovídání souborem",
"At this time it is not possible to reply with a file. Would you like to upload this file without replying?": "Aktuálně nelze odpovědět souborem. Chcete soubor nahrát a poslat bez odpovídání?",
"The file '%(fileName)s' failed to upload.": "Soubor '%(fileName)s' se nepodařilo nahrát.",
@ -1451,10 +1327,9 @@
"Enter username": "Zadejte uživatelské jméno",
"Some characters not allowed": "Nějaké znaky jsou zakázané",
"Create your Matrix account on <underlinedServerName />": "Vytvořte si účet Matrix na serveru <underlinedServerName />",
"Please install <chromeLink>Chrome</chromeLink>, <firefoxLink>Firefox</firefoxLink>, or <safariLink>Safari</safariLink> for the best experience.": "Aby Riot fungoval co nejlépe, nainstalujte si prosím <chromeLink>Chrome</chromeLink>, <firefoxLink>Firefox</firefoxLink>, nebo <safariLink>Safari</safariLink>.",
"Want more than a community? <a>Get your own server</a>": "Chcete víc? <a>Můžete mít vlastní server</a>",
"Riot failed to get the protocol list from the homeserver. The homeserver may be too old to support third party networks.": "Riot nemohl načíst seznam podporovaných protokolů z domovského serveru. Server je možná příliš zastaralý a nepodporuje komunikaci se síti třetích stran.",
"Riot failed to get the public room list.": "Riot nemohl načíst seznam veřejných místností.",
"%(brand)s failed to get the protocol list from the homeserver. The homeserver may be too old to support third party networks.": "%(brand)s nemohl načíst seznam podporovaných protokolů z domovského serveru. Server je možná příliš zastaralý a nepodporuje komunikaci se síti třetích stran.",
"%(brand)s failed to get the public room list.": "%(brand)s nemohl načíst seznam veřejných místností.",
"The homeserver may be unavailable or overloaded.": "Domovský server je nedostupný nebo přetížený.",
"Add room": "Přidat místnost",
"You have %(count)s unread notifications in a prior version of this room.|other": "Máte %(count)s nepřečtených oznámení v předchozí verzi této místnosti.",
@ -1466,7 +1341,6 @@
"Homeserver URL does not appear to be a valid Matrix homeserver": "Na URL domovského serveru asi není funkční Matrix server",
"Invalid base_url for m.identity_server": "Neplatná base_url pro m.identity_server",
"Identity server URL does not appear to be a valid identity server": "Na URL serveru identit asi není funkční Matrix server",
"Show recently visited rooms above the room list": "Zobrazovat nedávno navštívené místnosti nad jejich seznamem",
"Low bandwidth mode": "Mód nízké spotřeby dat",
"Uploaded sound": "Zvuk nahrán",
"Sounds": "Zvuky",
@ -1476,8 +1350,8 @@
"Browse": "Procházet",
"Cannot reach homeserver": "Nelze se připojit k domovskému serveru",
"Ensure you have a stable internet connection, or get in touch with the server admin": "Ujistěte se, že máte stabilní internetové připojení. Případně problém řešte se správcem serveru",
"Your Riot is misconfigured": "Riot je špatně nakonfigurován",
"Ask your Riot admin to check <a>your config</a> for incorrect or duplicate entries.": "Požádejte správce vašeho Riotu, aby zkontroloval <a>vaši konfiguraci</a>. Pravděpodobně obsahuje chyby nebo duplicity.",
"Your %(brand)s is misconfigured": "%(brand)s je špatně nakonfigurován",
"Ask your %(brand)s admin to check <a>your config</a> for incorrect or duplicate entries.": "Požádejte správce vašeho %(brand)su, aby zkontroloval <a>vaši konfiguraci</a>. Pravděpodobně obsahuje chyby nebo duplicity.",
"Unexpected error resolving identity server configuration": "Chyba při hledání konfigurace serveru identity",
"Use lowercase letters, numbers, dashes and underscores only": "Používejte pouze malá písmena, čísla, pomlčky a podtržítka",
"Cannot reach identity server": "Nelze se připojit k serveru identity",
@ -1540,7 +1414,6 @@
"Removing…": "Odstaňování…",
"Clear all data": "Smazat všechna data",
"Please enter a name for the room": "Zadejte prosím název místnosti",
"Set a room alias to easily share your room with other people.": "Nastavte alias místnosti, abyste mohli místnost snadno sdílet s ostatními.",
"This room is private, and can only be joined by invitation.": "Tato místnost je neveřejná a lze do ní vstoupit jen s pozvánkou.",
"Create a public room": "Vytvořit veřejnou místnost",
"Create a private room": "Vytvořit neveřejnou místnost",
@ -1619,10 +1492,10 @@
"Loading room preview": "Načítání náhdledu místnosti",
"An error (%(errcode)s) was returned while trying to validate your invite. You could try to pass this information on to a room admin.": "Při ověřování pozvánky došlo k chybě (%(errcode)s). Předejte tuto informaci správci místnosti.",
"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 Riot.": "Přidejte si tento e-mail k účtu v Nastavení, abyste dostávali pozvání přímo v Riotu.",
"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.",
"This invite to %(roomName)s was sent to %(email)s": "Pozvánka do %(roomName)s byla odeslána na adresu %(email)s",
"Use an identity server in Settings to receive invites directly in Riot.": "Používat server identit z nastavení k přijímání pozvánek přímo v Riotu.",
"Share this email in Settings to receive invites directly in Riot.": "Sdílet tento e-mail v nastavení, abyste mohli dostávat pozvánky přímo v Riotu.",
"Use an identity server in Settings to receive invites directly in %(brand)s.": "Používat server identit z nastavení k přijímání pozvánek přímo v %(brand)su.",
"Share this email in Settings to receive invites directly in %(brand)s.": "Sdílet tento e-mail v nastavení, abyste mohli dostávat pozvánky přímo v %(brand)su.",
"%(count)s unread messages including mentions.|other": "%(count)s nepřečtených zpráv a zmínek.",
"%(count)s unread messages including mentions.|one": "Nepřečtená zmínka.",
"%(count)s unread messages.|other": "%(count)s nepřečtených zpráv.",
@ -1662,11 +1535,7 @@
"%(severalUsers)smade no changes %(count)s times|one": "Uživatelé %(severalUsers)s neudělali žádnou změnu",
"%(oneUser)smade no changes %(count)s times|other": "Uživatel %(oneUser)s neudělal %(count)s krát žádnou změnu",
"%(oneUser)smade no changes %(count)s times|one": "Uživatel %(oneUser)s neudělal žádnou změnu",
"Room alias": "Alias místnosti",
"e.g. my-room": "např. moje-mistnost",
"Please provide a room alias": "Zadejte prosím alias místnosti",
"This alias is available to use": "Tento alias je volný",
"This alias is already in use": "Tento alias už je používán",
"Use bots, bridges, widgets and sticker packs": "Použít roboty, propojení, widgety a balíky samolepek",
"Terms of Service": "Podmínky použití",
"To continue you need to accept the terms of this service.": "Musíte souhlasit s podmínkami použití, abychom mohli pokračovat.",
@ -1743,7 +1612,6 @@
"%(senderName)s changed a rule that was banning servers matching %(oldGlob)s to matching %(newGlob)s for %(reason)s": "%(senderName)s změnil pravidlo blokující servery odpovídající %(oldGlob)s na servery odpovídající %(newGlob)s z důvodu %(reason)s",
"%(senderName)s updated a ban rule that was matching %(oldGlob)s to matching %(newGlob)s for %(reason)s": "%(senderName)s změnil blokovací pravidlo odpovídající %(oldGlob)s na odpovídající %(newGlob)s z důvodu %(reason)s",
"Try out new ways to ignore people (experimental)": "Vyzkošejte nové metody ignorování lidí (experimentální)",
"Enable local event indexing and E2EE search (requires restart)": "Povolit lokální indexování a vyhledávání v end-to-end šifrovaných zprávách (vyžaduje restart)",
"Match system theme": "Nastavit podle vzhledu systému",
"My Ban List": "Můj seznam zablokovaných",
"This is your list of users/servers you have blocked - don't leave the room!": "Toto je váš seznam blokovaných uživatelů/serverů - neopouštějte tuto místnost!",
@ -1761,7 +1629,6 @@
"Error adding ignored user/server": "Chyba při přidávání ignorovaného uživatele/serveru",
"Something went wrong. Please try again or view your console for hints.": "Něco se nepovedlo. Zkuste pro prosím znovu nebo se podívejte na detaily do konzole.",
"Error subscribing to list": "Nepovedlo se založit odběr",
"Please verify the room ID or alias and try again.": "Zkontrolujte prosím ID místnosti a zkuste to znovu.",
"Error removing ignored user/server": "Ignorovaný uživatel/server nejde odebrat",
"Error unsubscribing from list": "Nepovedlo se zrušit odběr",
"Please try again or view your console for hints.": "Zkuste to prosím znovu a nebo se podívejte na detailní chybu do konzole.",
@ -1776,14 +1643,12 @@
"View rules": "Zobrazit pravidla",
"You are currently subscribed to:": "Odebíráte:",
"⚠ These settings are meant for advanced users.": "⚠ Tato nastavení jsou pro pokročilé uživatele.",
"Add users and servers you want to ignore here. Use asterisks to have Riot match any characters. For example, <code>@bot:*</code> would ignore all users that have the name 'bot' on any server.": "Sem přidejte uživatele a servery, které chcete ignorovat. Můžete použít hvězdičku místo libovolných znaků. Například pravidlo <code>@bot:*</code> zablokuje všechny uživatele se jménem 'bot' na libovolném serveru.",
"Ignoring people is done through ban lists which contain rules for who to ban. Subscribing to a ban list means the users/servers blocked by that list will be hidden from you.": "Lidé a servery jsou blokováni pomocí seznamů obsahující pravidla koho blokovat. Odebírání blokovacího seznamu znamená, že neuvidíte uživatele a servery na něm uvedené.",
"Personal ban list": "Osobní seznam blokací",
"Your personal ban list holds all the users/servers you personally don't want to see messages from. After ignoring your first user/server, a new room will show up in your room list named 'My Ban List' - stay in this room to keep the ban list in effect.": "Váš osobní seznam blokací obsahuje všechny uživatele a servery, které nechcete vidět. Po ignorování prvního uživatele/serveru se vytvoří nová místnost 'Můj seznam blokací' - zůstaňte v ní, aby seznam platil.",
"Server or user ID to ignore": "Server nebo ID uživatele",
"eg: @bot:* or example.org": "např.: @bot:* nebo example.org",
"Subscribed lists": "Odebírané seznamy",
"Room ID or alias of ban list": "ID místnosti nebo alias seznamu blokování",
"Subscribe": "Odebírat",
"This message cannot be decrypted": "Zprávu nelze rozšifrovat",
"Unencrypted": "Nešifrované",
@ -1805,7 +1670,7 @@
"Your avatar URL": "URL vašeho avataru",
"Your user ID": "Vaše ID",
"Your theme": "Váš motiv vzhledu",
"Riot URL": "URL Riotu",
"%(brand)s URL": "URL %(brand)su",
"Room ID": "ID místnosti",
"Widget ID": "ID widgetu",
"Using this widget may share data <helpIcon /> with %(widgetDomain)s & your Integration Manager.": "Použití tohoto widgetu může sdílet data <helpIcon /> s %(widgetDomain)s a vaším správcem integrací.",
@ -1817,21 +1682,14 @@
"Integrations are disabled": "Integrace jsou zakázané",
"Enable 'Manage Integrations' in Settings to do this.": "Pro provedení této akce povolte v nastavení správu integrací.",
"Integrations not allowed": "Integrace nejsou povolené",
"Your Riot doesn't allow you to use an Integration Manager to do this. Please contact an admin.": "Váš Riot neumožňuje použít správce integrací. Kontaktujte prosím správce.",
"Your %(brand)s doesn't allow you to use an Integration Manager to do this. Please contact an admin.": "Váš %(brand)s neumožňuje použít správce integrací. Kontaktujte prosím správce.",
"Automatically invite users": "Automaticky zvát uživatele",
"Upgrade private room": "Upgradovat soukromou místnost",
"Upgrade public room": "Upgradovat veřejnou místnost",
"Upgrading a room is an advanced action and is usually recommended when a room is unstable due to bugs, missing features or security vulnerabilities.": "Upgradování místnosti je pokročilá operace a je doporučeno jí provést pokud je místnost nestabilní kvůli chybám, chybějícím funkcím nebo zranitelnostem.",
"This usually only affects how the room is processed on the server. If you're having problems with your Riot, please <a>report a bug</a>.": "Toto běžně ovlivňuje pouze zpracovávání místnosti na serveru. Pokud máte problém s Riotem, <a>nahlaste nám ho prosím</a>.",
"This usually only affects how the room is processed on the server. If you're having problems with your %(brand)s, please <a>report a bug</a>.": "Toto běžně ovlivňuje pouze zpracovávání místnosti na serveru. Pokud máte problém s %(brand)sem, <a>nahlaste nám ho prosím</a>.",
"You'll upgrade this room from <oldVersion /> to <newVersion />.": "Upgradujeme tuto místnost z <oldVersion /> na <newVersion />.",
"Upgrade": "Upgradovat",
"Enter secret storage passphrase": "Zadejte tajné heslo k bezpečnému úložišti",
"Unable to access secret storage. Please verify that you entered the correct passphrase.": "Nepovedlo se přistoupit k bezpečnému úložišti. Zkontrolujte prosím, že je zadané správné heslo.",
"<b>Warning</b>: You should only access secret storage from a trusted computer.": "<b>Varování</b>: Přistupujte k bezpečnému úložišti pouze z důvěryhodných počítačů.",
"If you've forgotten your passphrase you can <button1>use your recovery key</button1> or <button2>set up new recovery options</button2>.": "Pokud si nepamatujete heslo, můžete použít <button1>svůj obnovovací klíč</button1> nebo <button2>si nastavte nové možnosti obnovení</button2>.",
"Enter secret storage recovery key": "Zadejte klíč k bezpečnému úložišti",
"Unable to access secret storage. Please verify that you entered the correct recovery key.": "Nepovedlo se dostat k bezpečnému úložišti. Ověřte prosím, že je zadaný správný klíč.",
"If you've forgotten your recovery key you can <button>set up new recovery options</button>.": "Pokud si nepamatujete obnovovací klíč, můžete si <button>nastavit nové možnosti obnovení</button>.",
"<b>Warning</b>: You should only set up key backup from a trusted computer.": "<b>Varování</b>: Nastavujte zálohu jen z důvěryhodných počítačů.",
"If you've forgotten your recovery key you can <button>set up new recovery options</button>": "Pokud si nepamatujete obnovovací klíč, můžete si <button>nastavit nové možnosti obnovení</button>",
"Notification settings": "Nastavení oznámení",
@ -1841,14 +1699,9 @@
"Remove for me": "Odstranit (jen pro mě)",
"User Status": "Stav uživatele",
"Verification Request": "Požadavek na ověření",
" (1/%(totalCount)s)": " (1/%(totalCount)s)",
"Set up with a recovery key": "Nastavit obnovovací klíč",
"As a safety net, you can use it to restore your access to encrypted messages if you forget your passphrase.": "Můžete jej použít jako záchranou síť na obnovení šifrovaných zpráv když zapomenete heslo.",
"As a safety net, you can use it to restore your access to encrypted messages.": "Můžete jej použít jako záchranou síť na obnovení šifrovaných zpráv.",
"Keep your recovery key somewhere very secure, like a password manager (or a safe).": "Uschovejte svůj klíč na velmi bezpečném místě, například ve správci hesel (nebo v trezoru).",
"Your recovery key has been <b>copied to your clipboard</b>, paste it to:": "Váš obnovovací klíč byl <b>zkopírován do schránky</b>, vložte jej:",
"Your recovery key is in your <b>Downloads</b> folder.": "Váš obnovovací klíč je ve složce <b>Stažené</b>.",
"Storing secrets...": "Ukládám tajná data...",
"Unable to set up secret storage": "Nepovedlo se nastavit bezpečné úložiště",
"The message you are trying to send is too large.": "Zpráva kterou se snažíte odeslat je příliš velká.",
"not found": "nenalezeno",
@ -1862,20 +1715,15 @@
"Language Dropdown": "Menu jazyků",
"Help": "Pomoc",
"Country Dropdown": "Menu států",
"There are unknown sessions in this room: if you proceed without verifying them, it will be possible for someone to eavesdrop on your call.": "V místnosti jsou neověřené relace: pokud budete pokračovat bez ověření, bude možné váš hovor odposlouchávat.",
"Verify this session": "Ověřit tuto relaci",
"Encryption upgrade available": "Je dostupná aktualizace šifrování",
"Set up encryption": "Nastavit šifrování",
"Unverified session": "Neověřená relace",
"Verifies a user, session, and pubkey tuple": "Ověří uživatele, relaci a veřejné klíče",
"Unknown (user, session) pair:": "Neznámý pár (uživatel, relace):",
"Session already verified!": "Relace je už ověřená!",
"WARNING: Session already verified, but keys do NOT MATCH!": "VAROVÁNÍ: Relace je už ověřená, ale klíče NEODPOVÍDAJÍ!",
"WARNING: KEY VERIFICATION FAILED! The signing key for %(userId)s and session %(deviceId)s is \"%(fprint)s\" which does not match the provided key \"%(fingerprint)s\". This could mean your communications are being intercepted!": "VAROVÁNÍ: OVĚŘENÍ KLÍČŮ SELHALO! Podpisový klíč pro uživatele %(userId)s a relaci %(deviceId)s je \"%(fprint)s\", což neodpovídá klíči \"%(fingerprint)s\". Může to znamenat, že je vaše komunikace rušena!",
"The signing key you provided matches the signing key you received from %(userId)s's session %(deviceId)s. Session marked as verified.": "Zadaný podpisový klíč odpovídá klíči relace %(deviceId)s od uživatele %(userId)s. Relace byla označena za platnou.",
"%(senderName)s added %(addedAddresses)s and %(count)s other addresses to this room|other": "Uživatel %(senderName)s přidal této místnosti adresu %(addedAddresses)s a %(count)s dalších",
"%(senderName)s removed %(removedAddresses)s and %(count)s other addresses from this room|other": "Uživatel %(senderName)s odstranil této místnosti adresu %(removedAddresses)s a %(count)s dalších",
"%(senderName)s removed %(countRemoved)s and added %(countAdded)s addresses to this room": "Uživatel %(senderName)s odstranil této místnosti %(countRemoved)s adres a přidal %(countAdded)s adres",
"a few seconds ago": "před pár vteřinami",
"about a minute ago": "před minutou",
"%(num)s minutes ago": "před %(num)s minutami",
@ -1890,17 +1738,11 @@
"%(num)s hours from now": "za %(num)s hodin",
"about a day from now": "asi za den",
"%(num)s days from now": "za %(num)s dní",
"Show a presence dot next to DMs in the room list": "V seznamu místností zobrazovat informaci o přítomnosti",
"Enable cross-signing to verify per-user instead of per-session (in development)": "Povolit cross-signing pro ověření uživatelů místo zařízení (experimentální)",
"Show info about bridges in room settings": "Zobrazovat v nastavení místnosti informace o propojeních",
"Show padlocks on invite only rooms": "Zobrazovat zámek u místností vyžadujících pozvání",
"Never send encrypted messages to unverified sessions from this session": "Nikdy neposílat šifrované zprávy neověřených zařízením",
"Never send encrypted messages to unverified sessions in this room from this session": "Nikdy v této místnosti neposílat šifrované zprávy neověřeným relacím",
"Enable message search in encrypted rooms": "Povolit vyhledávání v šifrovaných místnostech",
"Keep secret storage passphrase in memory for this session": "Pro toto přihlášení si uchovat heslo k bezpečnému úložišti",
"How fast should messages be downloaded.": "Jak rychle se mají zprávy stahovat.",
"Confirm the emoji below are displayed on both devices, in the same order:": "Ověřte, že jsou následující emoji zobrazeny na obou zařízeních ve stejném pořadí:",
"Verify this device by confirming the following number appears on its screen.": "Ověřit zařízení potvrzením, že jsou následující čísla zobrazena na jeho obrazovce.",
"Waiting for %(displayName)s to verify…": "Čekám až nás %(displayName)s ověří…",
"They match": "Odpovídají",
"They don't match": "Neodpovídají",
@ -1937,7 +1779,6 @@
"Manage": "Spravovat",
"Securely cache encrypted messages locally for them to appear in search results.": "Bezpečně uchovávat zprávy na tomto zařízení aby se v nich dalo vyhledávat.",
"Enable": "Povolit",
"Riot can't securely cache encrypted messages locally while running in a web browser. Use <riotLink>Riot Desktop</riotLink> for encrypted messages to appear in search results.": "Riot neumí bezpečně uchovávat zprávy když běží v prohlížeči. Pokud chcete vyhledávat v šifrovaných zprávách, použijte <riotLink>Riot Desktop</riotLink>.",
"This session is backing up your keys. ": "Tato relace zálohuje vaše klíče. ",
"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.": "Tato relace <b>nezálohuje vaše klíče</b>, ale už máte zálohu ze které je můžete obnovit.",
"Connect this session to key backup before signing out to avoid losing any keys that may only be on this session.": "Než se odhlásíte, připojte tuto relaci k záloze klíčů, abyste nepřišli o klíče, které mohou být jen v této relaci.",
@ -1952,7 +1793,6 @@
"Backup has an <validity>invalid</validity> signature from <verify>unverified</verify> session <device></device>": "Záloha má <validity>neplatný</validity> podpis z <verify>neověřené</verify> relace <device></device>",
"Backup is not signed by any of your sessions": "Záloha nemá podpis z žádné vaší relace",
"This backup is trusted because it has been restored on this session": "Záloze věříme, protože už byla v této relaci načtena",
"Backup key stored in secret storage, but this feature is not enabled on this session. Please enable cross-signing in Labs to modify key backup state.": "Zálohovací klíč je uložen v bezpečném úložišti, ale jeho načtení není v této relaci povolené. Zapněte prosím cross-signing v Experimentálních funkcích abyste mohli modifikovat stav zálohy.",
"Backup key stored: ": "Zálohovací klíč je uložen: ",
"Your keys are <b>not being backed up from this session</b>.": "Vaše klíče <b>nejsou z této relace zálohovány</b>.",
"Enable desktop notifications for this session": "Povolit v této relaci oznámení",
@ -1962,7 +1802,6 @@
"Session key:": "Klíč relace:",
"Message search": "Vyhledávání ve zprávách",
"Cross-signing": "Cross-signing",
"Sessions": "Relace",
"A session's public name is visible to people you communicate with": "Lidé, se kterými komunikujete, mohou veřejný název zobrazit",
"This room is bridging messages to the following platforms. <a>Learn more.</a>": "Tato místnost je propojena s následujícími platformami. <a>Více informací</a>",
"This room isnt bridging messages to any platforms. <a>Learn more.</a>": "Tato místnost není propojená s žádnými dalšími platformami. <a>Více informací.</a>",
@ -1973,10 +1812,6 @@
"Someone is using an unknown session": "Někdo používá neznámou relaci",
"This room is end-to-end encrypted": "Místnost je šifrovaná end-to-end",
"Everyone in this room is verified": "V této místnosti jsou všichni ověřeni",
"Some sessions for this user are not trusted": "Některé relace tohoto uživatele jsou nedůvěryhodné",
"All sessions for this user are trusted": "Všem relacím tohoto uživatele věříme",
"Some sessions in this encrypted room are not trusted": "Některé relace v této místnosti jsou nedůvěryhodné",
"All sessions in this encrypted room are trusted": "Všem relacím v této místosti věříme",
"Mod": "Moderátor",
"Your key share request has been sent - please check your other sessions for key share requests.": "Požadavek na sdílení klíčů byl odeslán - podívejte se prosím na své ostatní relace, jestli vám přišel.",
"Key share requests are sent to your other sessions automatically. If you rejected or dismissed the key share request on your other sessions, click here to request the keys for this session again.": "Požadavky na sdílení klíčů jsou vašim ostatním relacím odesílány automaticky. Pokud jste nějaký zamítli nebo ignorovali, tímto tlačítkem si ho můžete poslat znovu.",
@ -1985,7 +1820,6 @@
"Encrypted by an unverified session": "Šifrované neověřenou relací",
"Encrypted by a deleted session": "Šifrované smazanou relací",
"Invite only": "Pouze na pozvání",
"No sessions with registered encryption keys": "Žádné relace se šifrovacími klíči",
"Send a reply…": "Odpovědět…",
"Send a message…": "Napsat zprávu…",
"Direct Messages": "Přímé zprávy",
@ -2015,8 +1849,6 @@
"If you can't scan the code above, verify by comparing unique emoji.": "Pokud vám skenování kódů nefunguje, ověřte se porovnáním emoji.",
"You've successfully verified %(displayName)s!": "Úspěšně jste ověřili uživatele %(displayName)s!",
"Got it": "Dobře",
"Verification timed out. Start verification again from their profile.": "Čas na ověření vypršel. Začněte znovu z druhého profilu.",
"%(displayName)s cancelled verification. Start verification again from their profile.": "Uživatel %(displayName)s zrušil ověření. Spustit ho můžete znovu z jeho profilu.",
"Encryption enabled": "Šifrování je zapnuté",
"Messages in this room are end-to-end encrypted. Learn more & verify this user in their user profile.": "Zprávy v této místnosti jsou šifrované end-to-end. Více informací a možnost ověření uživatele najdete v jeho profilu.",
"Encryption not enabled": "Šifrování je vypnuté",
@ -2024,11 +1856,8 @@
"Clear all data in this session?": "Smazat všechna data v této relaci?",
"Clearing all data from this session is permanent. Encrypted messages will be lost unless their keys have been backed up.": "Výmaz všech dat v relaci je nevratný. Pokud nemáte zálohované šifrovací klíče, přijdete o šifrované zprávy.",
"Verify session": "Ověřit relaci",
"To verify that this session can be trusted, please check that the key you see in User Settings on that device matches the key below:": "Abychom ověřili, že je relace důvěryhodná, zkontrolujte prosím, že klíč v uživatelském nastavení na tom zařízení odpovídá následujícímu klíči:",
"To verify that this session can be trusted, please contact its owner using some other means (e.g. in person or a phone call) and ask them whether the key they see in their User Settings for this session matches the key below:": "Abychom ověřili, že tato relace je důvěryhodná, kontaktujte prosím jejího vlastníka nějakým dalším způsobem (osobně, telefonicky, apod.). Zkontrolujte spolu, že klíč v uživatelském nastavení na druhém zařízení odpovídá následujícímu klíči:",
"Session name": "Název relace",
"Session key": "Klíč relace",
"If it matches, press the verify button below. If it doesn't, then someone else is intercepting this session and you probably want to press the blacklist button instead.": "Pokud odpovídá, zmáčkněte tlačítko ověřit. Pokud ne, druhé zařízení je pravděpodobně falešné a chcete ho zablokovat.",
"Verifying this user will mark their session as trusted, and also mark your session as trusted to them.": "Ověření uživatele označí jeho relace za důvěryhodné a vaše relace budou důvěryhodné pro něj.",
"Verify this device to mark it as trusted. Trusting this device gives you and other users extra peace of mind when using end-to-end encrypted messages.": "Ověření zařízení ho označí za důvěryhodné. Ověření konkrétního zařízení vám dát trochu klidu mysli navíc při používání šifrovaných zpráv.",
"Verifying this device will mark it as trusted, and users who have verified with you will trust this device.": "Ověření zařízení ho označí za důvěryhodné a uživatelé, kteří věří vám budou také tomuto zařízení důvěřovat.",
@ -2041,33 +1870,17 @@
"Recent Conversations": "Nedávné konverzace",
"Suggestions": "Návrhy",
"Recently Direct Messaged": "Nedávno kontaktovaní",
"If you can't find someone, ask them for their username, share your username (%(userId)s) or <a>profile link</a>.": "Pokud nemůžete někoho najít, zeptejte se na uživatelské jméno, pošlete jim svoje (%(userId)s) a nebo pošlete <a>odkaz na svůj profil</a>.",
"Go": "Ok",
"If you can't find someone, ask them for their username (e.g. @user:server.com) or <a>share this room</a>.": "Pokud nemůžete někoho najít, zeptejte se na uživatelské jméno (např. @uzivatel:example.com) a nebo pošlete <a>odkaz na tuto místnost</a>.",
"You added a new session '%(displayName)s', which is requesting encryption keys.": "Přidali jste novou relaci '%(displayName)s', která požaduje šifrovací klíče.",
"Your unverified session '%(displayName)s' is requesting encryption keys.": "Vaše neověřená relace '%(displayName)s' požaduje šifrovací klíče.",
"Loading session info...": "Načítám informace o relaci...",
"New session": "Nová relace",
"Use this session to verify your new one, granting it access to encrypted messages:": "Použijte tuto relaci pro ověření nové a udělení jí přístupu k vašim šifrovaným zprávám:",
"If you didnt sign in to this session, your account may be compromised.": "Pokud jste se do této nové relace nepřihlásili, váš účet může být kompromitován.",
"This wasn't me": "To jsem nebyl/a já",
"This will allow you to return to your account after signing out, and sign in on other sessions.": "Toto vám umožní se přihlásit do dalších relací a vrátit se ke svému účtu poté, co se odhlásíte.",
"You are currently blacklisting unverified sessions; to send messages to these sessions you must verify them.": "Máte zakázané posílání zpráv neověřeným relacím; abyste mohli zprávu odeslat, musíte je ověřit.",
"We recommend you go through the verification process for each session to confirm they belong to their legitimate owner, but you can resend the message without verifying if you prefer.": "Doporučujeme projít ověřovací proces pro každou relaci abyste ověřili, že patří tomu, komu očekáváte. Můžete ale poslat zprávu i bez ověření, pokud chcete.",
"Room contains unknown sessions": "V místnosti jsou neověřené relace",
"\"%(RoomName)s\" contains sessions that you haven't seen before.": "V místnosti \"%(RoomName)s\" jsou relace, které jste ještě nikdy neviděli.",
"Unknown sessions": "Neznámá relace",
"Access your secure message history and your cross-signing identity for verifying other sessions by entering your passphrase.": "Zadejte svoje heslo a získejte přístup k bezpečnému úložišti historie zpráv a k identitě pro cross-signing pro snadné ověřování vašich relací.",
"Access your secure message history and your cross-signing identity for verifying other sessions by entering your recovery key.": "Zadejte svůj obnovovací klíč a získejte přístup k bezpečnému úložišti historie zpráv a k identitě pro cross-signing pro snadné ověřování vašich relací.",
"Recovery key mismatch": "Obnovovací klíč neodpovídá",
"Incorrect recovery passphrase": "Nesprávné heslo pro obnovení",
"Backup restored": "Záloha byla nahrána",
"Enter recovery passphrase": "Zadejte heslo pro obnovení zálohy",
"Enter recovery key": "Zadejte obnovovací klíč",
"Confirm your identity by entering your account password below.": "Potvrďte svou identitu zadáním hesla ke svému účtu.",
"Message not sent due to unknown sessions being present": "Zpráva nebyla odeslána, protože jsou v místnosti neznámé relace",
"<showSessionsText>Show sessions</showSessionsText>, <sendAnywayText>send anyway</sendAnywayText> or <cancelText>cancel</cancelText>.": "<showSessionsText>Zobrazit relace</showSessionsText>, <sendAnywayText>i tak odeslat</sendAnywayText>, a nebo <cancelText>zrušit</cancelText>.",
"Verify this session to grant it access to encrypted messages.": "Ověřte relaci, aby získala přístup k šifrovaným zprávám.",
"Start": "Začít",
"Session verified": "Relace je ověřena",
"Your new session is now verified. It has access to your encrypted messages, and other users will see it as trusted.": "Vaše nová relace je teď ověřená. Má přístup k šifrovaným zprávám a ostatní uživatelé jí budou věřit.",
@ -2079,35 +1892,26 @@
"You have been logged out of all sessions and will no longer receive push notifications. To re-enable notifications, sign in again on each device.": "Všude jsme vás odhlásili, takže nedostáváte žádná oznámení. Můžete je znovu povolit tím, že se na všech svých zařízeních znovu přihlásíte.",
"Regain access to your account and recover encryption keys stored in this session. Without them, you wont be able to read all of your secure messages in any session.": "Získejte znovu přístup k účtu a obnovte si šifrovací klíče uložené v této relaci. Bez nich nebudete schopni číst zabezpečené zprávy na některých zařízeních.",
"Warning: Your personal data (including encryption keys) is still stored in this session. Clear it if you're finished using this session, or want to sign in to another account.": "Varování: Vaše osobní data (včetně šifrovacích klíčů) jsou tu pořád uložena. Smažte je, pokud chcete tuto relaci zahodit, nebo se přihlaste pod jiný účet.",
"Sender session information": "Informace o relaci odesílatele",
"If you cancel now, you won't complete verifying the other user.": "Pokud teď proces zrušíte, tak nebude druhý uživatel ověřen.",
"If you cancel now, you won't complete verifying your other session.": "Pokud teď proces zrušíte, tak nebude druhá relace ověřena.",
"If you cancel now, you won't complete your secret storage operation.": "Pokud teď proces zrušíte, tak se nedokončí operace s bezpečným úložištěm.",
"Cancel entering passphrase?": "Zrušit zadávání hesla?",
"Setting up keys": "Příprava klíčů",
"Riot is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom Riot Desktop with <nativeLink>search components added</nativeLink>.": "Riotu chybí nějaké komponenty, které jsou potřeba pro vyhledávání v zabezpečených místnostech. Pokud chcete s touto funkcí experimentovat, tak si pořiďte vlastní Riot Desktop s <nativeLink>přidanými komponentami</nativeLink>.",
"%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with <nativeLink>search components added</nativeLink>.": "%(brand)su chybí nějaké komponenty, které jsou potřeba pro vyhledávání v zabezpečených místnostech. Pokud chcete s touto funkcí experimentovat, tak si pořiďte vlastní %(brand)s Desktop s <nativeLink>přidanými komponentami</nativeLink>.",
"Subscribing to a ban list will cause you to join it!": "Odebíráním seznamu zablokovaných uživatelů se přidáte do jeho místnosti!",
"If this isn't what you want, please use a different tool to ignore users.": "Pokud to nechcete, tak prosím použijte jiný nástroj na blokování uživatelů.",
"You cancelled verification. Start verification again from their profile.": "Zrušili jste ověření. Můžete začít znovu z druhého profilu.",
"Complete security": "Dokončení ověření",
"Restore your key backup to upgrade your encryption": "Pro aktualizaci šifrování obnovte klíče ze zálohy",
"Restore": "Obnovit",
"Enter your account password to confirm the upgrade:": "Potvrďte, že chcete aktualizaci provést zadáním svého uživatelského hesla:",
"You'll need to authenticate with the server to confirm the upgrade.": "Server si vás potřebuje ověřit, abychom mohli provést aktualizaci.",
"Upgrade this session to allow it to verify other sessions, granting them access to encrypted messages and marking them as trusted for other users.": "Aktualizujte tuto přihlášenou relaci abyste mohli ověřovat ostatní relace. Tím jim dáte přístup k šifrovaným konverzacím a ostatní uživatelé je jim budou automaticky věřit.",
"Set up encryption on this session to allow it to verify other sessions, granting them access to encrypted messages and marking them as trusted for other users.": "Zapněte v této přihlášené relaci šifrování abyste mohli ověřovat ostatní relace. Tím jim dáte přístup k šifrovaným konverzacím a ostatní uživatelé je jim budou automaticky věřit.",
"Show typing notifications": "Zobrazovat oznámení \"... právě píše...\"",
"Reset cross-signing and secret storage": "Obnovit bezpečné úložiště a cross-signing",
"Destroy cross-signing keys?": "Nenávratně smazat klíče pro cross-signing?",
"Deleting cross-signing keys is permanent. Anyone you have verified with will see security alerts. You almost certainly don't want to do this, unless you've lost every device you can cross-sign from.": "Smazání klíčů pro cross-signing je definitivní. Každý, kdo vás ověřil, teď uvidí bezpečnostní varování. Pokud jste zrovna neztratili všechna zařízení, ze kterých se můžete ověřit, tak to asi nechcete udělat.",
"Clear cross-signing keys": "Smazat klíče pro cross-signing",
"Secure your encryption keys with a passphrase. For maximum security this should be different to your account password:": "Zabezpečte si šifrovací klíče silným heslem. Pro lepší bezpečnost by mělo být jiné než vaše heslo k přihlášení:",
"Enter a passphrase": "Zadejte heslo",
"The version of Riot": "Verze Riotu",
"Whether you're using Riot on a device where touch is the primary input mechanism": "Zda používáte Riot na dotykovém zařízení",
"Whether you're using Riot as an installed Progressive Web App": "Zda používáte Riot jako nainstalovanou Progresivní Webovou Aplikaci",
"Whether you're using %(brand)s on a device where touch is the primary input mechanism": "Zda používáte %(brand)s na dotykovém zařízení",
"Whether you're using %(brand)s as an installed Progressive Web App": "Zda používáte %(brand)s jako nainstalovanou Progresivní Webovou Aplikaci",
"Your user agent": "Identifikace vašeho prohlížeče",
"The information being sent to us to help make Riot better includes:": "Abychom mohli Riot zlepšovat, posíláte nám následující informace:",
"Verify this session by completing one of the following:": "Ověřte tuto relaci dokončením jednoho z následujících:",
"Scan this unique code": "Naskenujte tento jedinečný kód",
"or": "nebo",
@ -2116,22 +1920,15 @@
"Not Trusted": "Nedůvěryhodné",
"%(name)s (%(userId)s) signed in to a new session without verifying it:": "%(name)s (%(userId)s) se přihlásil do nové relace a neověřil ji:",
"Ask this user to verify their session, or manually verify it below.": "Poproste tohoto uživatele aby svojí relaci ověřil a nebo jí níže můžete ověřit manuálně.",
"Manually Verify": "Ověřit manuálně",
"The session you are trying to verify doesn't support scanning a QR code or emoji verification, which is what Riot supports. Try with a different client.": "Relace, kterou se snažíte ověřit, neumožňuje ověření QR kódem ani pomocí emoji, což je to, co Riot podporuje. Zkuste použít jiného klienta.",
"The session you are trying to verify doesn't support scanning a QR code or emoji verification, which is what %(brand)s supports. Try with a different client.": "Relace, kterou se snažíte ověřit, neumožňuje ověření QR kódem ani pomocí emoji, což je to, co %(brand)s podporuje. Zkuste použít jiného klienta.",
"Verify by scanning": "Ověřte naskenováním",
"You declined": "Odmítli jste",
"%(name)s declined": "Uživatel %(name)s odmítl",
"accepting …": "přijímání …",
"declining …": "odmítání …",
"Back up my encryption keys, securing them with the same passphrase": "Zazálohovat šifrovací klíče zabezpečené tím stejným heslem",
"Enter your passphrase a second time to confirm it.": "Pro ověření zadejte své heslo podruhé.",
"Keep a copy of it somewhere secure, like a password manager or even a safe.": "Uschovejte si kopii na bezpečném místě, například ve správci hesel nebo v trezoru.",
"Your recovery key": "Váš obnovovací klíč",
"Copy": "Zkopírovat",
"You can now verify your other devices, and other users to keep your chats safe.": "Teď můžete ověřit své ostatní zařízení a další uživatelé, aby vaše komunikace byla bezpečná.",
"Upgrade your encryption": "Aktualizovat šifrování",
"Make a copy of your recovery key": "Vytvořit kopii svého obnovovacího klíče",
"You're done!": "Hotovo!",
"Without setting up Secure Message Recovery, you won't be able to restore your encrypted message history if you log out or use another session.": "Bez nastavení Bezpečného Obnovení Zpráv nebudete moci obnovit historii šifrovaných zpráv pokud se odhlásíte nebo použijete jinou relaci.",
"Create key backup": "Vytvořit zálohu klíčů",
"This session is encrypting history using the new recovery method.": "Tato relace šifruje historii zpráv s podporou nového způsobu obnovení.",
@ -2139,13 +1936,10 @@
"If you did this accidentally, you can setup Secure Messages on this session which will re-encrypt this session's message history with a new recovery method.": "Pokud se vám to stalo neúmyslně, můžete znovu nastavit zálohu zpráv pro tuto relaci. To znovu zašifruje historii zpráv novým způsobem.",
"If disabled, messages from encrypted rooms won't appear in search results.": "Když je to zakázané, zprávy v šifrovaných místnostech se nebudou objevovat ve výsledcích vyhledávání.",
"Disable": "Zakázat",
"Not currently downloading messages for any room.": "Aktuálně se nestahují žádné zprávy.",
"Downloading mesages for %(currentRoom)s.": "Stahují se zprávy pro %(currentRoom)s.",
"Riot is securely caching encrypted messages locally for them to appear in search results:": "Riot si bezpečně uchovává šifrované zprávy lokálně, aby v nich mohl vyhledávat:",
"%(brand)s is securely caching encrypted messages locally for them to appear in search results:": "%(brand)s si bezpečně uchovává šifrované zprávy lokálně, aby v nich mohl vyhledávat:",
"Space used:": "Použitý prostor:",
"Indexed messages:": "Indexované zprávy:",
"Indexed rooms:": "Indexované místnosti:",
"%(crawlingRooms)s out of %(totalRooms)s": "%(crawlingRooms)s z %(totalRooms)s",
"Message downloading sleep time(ms)": "Čas na stažení zprávy (ms)",
"Sign In or Create Account": "Přihlásit nebo vytvořit nový účet",
"Use your account or create a new one to continue.": "Pro pokračování se přihlaste existujícím účtem, nebo si vytvořte nový.",
@ -2169,10 +1963,7 @@
"Displays information about a user": "Zobrazuje informace o uživateli",
"Mark all as read": "Označit vše jako přečtené",
"Not currently indexing messages for any room.": "Aktuálně neindexujeme žádné zprávy.",
"Currently indexing: %(currentRoom)s.": "Aktuálně indexujeme: %(currentRoom)s.",
"%(doneRooms)s out of %(totalRooms)s": "%(doneRooms)s z %(totalRooms)s",
"Review Sessions": "Prověřit relace",
"Unverified login. Was this you?": "Neověřené přihlášeni. Jste to vy?",
"%(senderDisplayName)s changed the room name from %(oldRoomName)s to %(newRoomName)s.": "%(senderDisplayName)s změnil/a jméno místnosti z %(oldRoomName)s na %(newRoomName)s.",
"%(senderName)s added the alternative addresses %(addresses)s for this room.|other": "%(senderName)s přidal/a této místnosti alternativní adresy %(addresses)s.",
"%(senderName)s added the alternative addresses %(addresses)s for this room.|one": "%(senderName)s přidal/a této místnosti alternativní adresu %(addresses)s.",
@ -2185,12 +1976,8 @@
"Interactively verify by Emoji": "Interaktivní ověření s emotikonami",
"Support adding custom themes": "Umožnit přidání vlastního vzhledu",
"Manually verify all remote sessions": "Manuálně ověřit všechny relace",
"Update your secure storage": "Aktualizovat vaše bezpečné úložistě",
"cached locally": "uložen lokálně",
"not found locally": "nenalezen lolálně",
"Secret Storage key format:": "Formát klíče Bezpečného Úložistě:",
"outdated": "zastaralý",
"up to date": "aktuální",
"Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "Individuálně ověřit každou uživatelovu relaci a označit jí za důvěryhodnou, bez důvěry v cross-signing.",
"Invalid theme schema.": "Neplatné schéma vzhledu.",
"Error downloading theme information.": "Nepovedlo se stáhnout informace o vzhledu.",
@ -2200,7 +1987,6 @@
"Keyboard Shortcuts": "Klávesové zkratky",
"Scroll to most recent messages": "Přejít na poslední zprávy",
"There was an error updating the room's alternative addresses. It may not be allowed by the server or a temporary failure occurred.": "Nepovedlo se změnit alternativní adresy místnosti. Možná to server neumožňuje a nebo je to dočasná chyba.",
"You don't have permission to delete the alias.": "Nemáte oprávnění odebrat alias.",
"Local address": "Lokální adresa",
"Published Addresses": "Publikovaná adresa",
"Published addresses can be used by anyone on any server to join your room. To publish an address, it needs to be set as a local address first.": "Publikovaná adresa může být použíta kýmkoli na libovolném serveru pro přidání se do místnosti. Abyste mohli adresu publikovat, musí být nejdříve nastavená jako lokální.",
@ -2249,8 +2035,6 @@
"Send a bug report with logs": "Zaslat hlášení o chybě",
"You signed in to a new session without verifying it:": "Přihlásili jste se do nové relace, ale neoveřili jste ji:",
"Verify your other session using one of the options below.": "Ověřte ostatní relací jedním z následujících způsobů.",
"Enable cross-signing to verify per-user instead of per-session": "Povolit cross-signing - ověřování uživatelů místo oveřování jednotlivých relací",
"Keep recovery passphrase in memory for this session": "V této relaci si heslo pro obnovení zálohy zapamatovat",
"Click the button below to confirm deleting these sessions.|other": "Zmáčknutím tlačítka potvrdíte smazání těchto relací.",
"Click the button below to confirm deleting these sessions.|one": "Zmáčknutím tlačítka potvrdíte smazání této relace.",
"Delete sessions|other": "Smazat relace",
@ -2280,7 +2064,6 @@
"Add a new server...": "Přidat nový server...",
"%(networkName)s rooms": "místnosti v %(networkName)s",
"Matrix rooms": "místnosti na Matrixu",
"Reminder: Your browser is unsupported, so your experience may be unpredictable.": "Připomínka: Váš prohlížeč není oficiálně podporován, tak se může Riot chovat nepředvídatelně.",
"Enable end-to-end encryption": "Povolit E2E šifrování",
"You cant disable this later. Bridges & most bots wont work yet.": "Už to v budoucnu nepůjde vypnout. Většina botů a propojení zatím nefunguje.",
"Server did not require any authentication": "Server nevyžadoval žádné ověření",
@ -2298,9 +2081,7 @@
"Room name or address": "Jméno nebo adresa místnosti",
"Joins room with given address": "Přidat se do místnosti s danou adresou",
"Unrecognised room address:": "Nerozpoznaná adresa místnosti:",
"Use IRC layout": "Používat rozložení IRC",
"Font size": "Velikost písma",
"Custom font size": "Vlastní velikost písma",
"IRC display name width": "šířka zobrazovného IRC jména",
"unexpected type": "neočekávaný typ",
"Session backup key:": "Klíč k záloze relace:",
@ -2312,8 +2093,8 @@
"Appearance": "Vzhled",
"Please verify the room ID or address and try again.": "Ověřte prosím, že ID místnosti je správné a zkuste to znovu.",
"Room ID or address of ban list": "ID nebo adresa seznamu zablokovaných",
"Help us improve Riot": "Pomozte nám zlepšovat Riot",
"Send <UsageDataLink>anonymous usage data</UsageDataLink> which helps us improve Riot. This will use a <PolicyLink>cookie</PolicyLink>.": "Zasílat <UsageDataLink>anonymní data o použití aplikace</UsageDataLink>, která nám pomáhají Riot zlepšovat. Bedeme na to používat <PolicyLink>soubory cookie</PolicyLink>.",
"Help us improve %(brand)s": "Pomozte nám zlepšovat %(brand)s",
"Send <UsageDataLink>anonymous usage data</UsageDataLink> which helps us improve %(brand)s. This will use a <PolicyLink>cookie</PolicyLink>.": "Zasílat <UsageDataLink>anonymní data o použití aplikace</UsageDataLink>, která nám pomáhají %(brand)s zlepšovat. Bedeme na to používat <PolicyLink>soubory cookie</PolicyLink>.",
"I want to help": "Chci pomoci",
"Your homeserver has exceeded its user limit.": "Na vašem domovském serveru byl překročen limit počtu uživatelů.",
"Your homeserver has exceeded one of its resource limits.": "Na vašem domovském serveru byl překročen limit systémových požadavků.",
@ -2322,6 +2103,6 @@
"Set password": "Nastavit heslo",
"To return to your account in future you need to set a password": "Abyste se k účtu mohli v budoucnu vrátit, je potřeba nastavit heslo",
"Restart": "Restartovat",
"Upgrade your Riot": "Aktualizovat Riot",
"A new version of Riot is available!": "Je dostupná nová verze Riotu!"
"Upgrade your %(brand)s": "Aktualizovat %(brand)s",
"A new version of %(brand)s is available!": "Je dostupná nová verze %(brand)su!"
}

View file

@ -5,8 +5,8 @@
"Failed to verify email address: make sure you clicked the link in the email": "Methiant gwirio cyfeiriad e-bost: gwnewch yn siŵr eich bod wedi clicio'r ddolen yn yr e-bost",
"Add Phone Number": "Ychwanegu Rhif Ffôn",
"The platform you're on": "Y platfform rydych chi arno",
"The version of Riot.im": "Fersiwn Riot.im",
"The version of %(brand)s": "Fersiwn %(brand)s",
"Whether or not you're logged in (we don't record your username)": "Os ydych wedi mewngofnodi ai peidio (nid ydym yn cofnodi'ch enw defnyddiwr)",
"Your language of choice": "Eich iaith o ddewis",
"The version of Riot": "Fersiwn Riot"
"The version of %(brand)s": "Fersiwn %(brand)s"
}

View file

@ -9,29 +9,12 @@
"New passwords must match each other.": "Nye adgangskoder skal matche hinanden.",
"A new password must be entered.": "Der skal indtastes en ny adgangskode.",
"The email address linked to your account must be entered.": "Den emailadresse, der tilhører til din adgang, skal indtastes.",
"unknown device": "ukendt enhed",
"NOT verified": "IKKE verificeret",
"Blacklisted": "blokeret",
"verified": "verificeret",
"Name": "Navn",
"Device ID": "Enheds-ID",
"Verification": "Verifikation",
"Ed25519 fingerprint": "Ed25519 fingerprint",
"User ID": "Bruger ID",
"Curve25519 identity key": "Curve25519 identitetsnøgle",
"Claimed Ed25519 fingerprint key": "Påstået Ed25519 fingeraftryk nøgle",
"none": "ingen",
"Algorithm": "Algoritme",
"unencrypted": "ukrypteret",
"Decryption error": "Dekrypteringsfejl",
"Session ID": "Sessions ID",
"End-to-end encryption information": "End-to-end krypterings oplysninger",
"Event information": "Hændelses information",
"Displays action": "Viser handling",
"Bans user with given id": "Forbyder bruger med givet id",
"Deops user with given id": "Fjerner OP af bruger med givet id",
"Invites user with given id to current room": "Inviterer bruger med givet id til nuværende rum",
"Joins room with given alias": "Deltager i rum med givet alias",
"Kicks user with given id": "Smider bruger med givet id ud",
"Changes your display nickname": "Ændrer dit viste navn",
"Searches DuckDuckGo for results": "Søger på DuckDuckGo efter resultater",
@ -48,7 +31,6 @@
"Banned users": "Bortviste brugere",
"Click here to fix": "Klik her for at rette",
"Continue": "Fortsæt",
"Could not connect to the integration server": "Kunne ikke oprette forbindelse til integrationsserveren",
"Create Room": "Opret rum",
"Cryptography": "Kryptografi",
"Deactivate Account": "Deaktiver brugerkonto",
@ -130,20 +112,18 @@
"Which rooms would you like to add to this community?": "Hvilke rum vil du tilføje til dette fællesskab?",
"Show these rooms to non-members on the community page and room list?": "Vis disse rum til ikke-medlemmer på fællesskabssiden og rumlisten?",
"Add rooms to the community": "Tilføj rum til fællesskabet",
"Room name or alias": "Rum navn eller alias",
"Add to community": "Tilføj til fællesskab",
"Failed to invite the following users to %(groupId)s:": "Kunne ikke invitere de følgende brugere til %(groupId)s:",
"Failed to invite users to community": "Kunne ikke invitere brugere til fællesskab",
"Failed to invite users to %(groupId)s": "Kunne ikke invitere brugere til %(groupId)s",
"Failed to add the following rooms to %(groupId)s:": "Kunne ikke tilføje de følgende rum til %(groupId)s:",
"Riot does not have permission to send you notifications - please check your browser settings": "Riot har ikke tilladelse til at sende dig notifikationer - tjek venligst dine browserindstillinger",
"Riot was not given permission to send notifications - please try again": "Riot fik ikke tilladelse til at sende notifikationer - Vær sød at prøve igen",
"%(brand)s does not have permission to send you notifications - please check your browser settings": "%(brand)s har ikke tilladelse til at sende dig notifikationer - tjek venligst dine browserindstillinger",
"%(brand)s was not given permission to send notifications - please try again": "%(brand)s fik ikke tilladelse til at sende notifikationer - Vær sød at prøve igen",
"Unable to enable Notifications": "Kunne ikke slå Notifikationer til",
"This email address was not found": "Denne emailadresse blev ikke fundet",
"Your email address does not appear to be associated with a Matrix ID on this Homeserver.": "Din emailadresse lader ikke til at være tilknyttet et Matrix ID på denne Homeserver.",
"Restricted": "Begrænset",
"Moderator": "Moderator",
"Start a chat": "Start en chat",
"Operation failed": "Operation mislykkedes",
"Failed to invite": "Kunne ikke invitere",
"Failed to invite the following users to the %(roomName)s room:": "Kunne ikke invitere de følgende brugere til %(roomName)s rummet:",
@ -161,7 +141,6 @@
"Usage": "Brug",
"/ddg is not a command": "/ddg er ikke en kommando",
"To use it, just wait for autocomplete results to load and tab through them.": "For at bruge det skal du bare vente på at autocomplete resultaterne indlæses, og så bruge Tab for at bladre igennem dem.",
"Unrecognised room alias:": "Ugenkendt rum alias:",
"Ignored user": "Ignoreret bruger",
"You are now ignoring %(userId)s": "Du ignorerer nu %(userId)s",
"Unignored user": "Holdt op med at ignorere bruger",
@ -198,7 +177,6 @@
"Submit debug logs": "Indsend debug-logfiler",
"Online": "Online",
"Fetching third party location failed": "Hentning af tredjeparts placering mislykkedes",
"A new version of Riot is available.": "En ny version a Riot er tilgængelig.",
"Send Account Data": "Send Konto Data",
"All notifications are currently disabled for all targets.": "Alle meddelelser er for øjeblikket deaktiveret for alle mål.",
"Uploading report": "Uploader rapport",
@ -219,8 +197,6 @@
"Send Custom Event": "Send Brugerdefineret Begivenhed",
"Off": "Slukket",
"Advanced notification settings": "Avancerede notifikationsindstillinger",
"delete the alias.": "Slet aliaset.",
"To return to your account in future you need to <u>set a password</u>": "For at komme ind på din konto i fremtiden skal du <u>indstille et password</u>",
"Forget": "Glem",
"You cannot delete this image. (%(code)s)": "Du kan ikke slette dette billede. (%(code)s)",
"Cancel Sending": "Stop Forsendelse",
@ -246,7 +222,6 @@
"No update available.": "Ingen opdatering tilgængelig.",
"Noisy": "Støjende",
"Collecting app version information": "Indsamler app versionsoplysninger",
"Delete the room alias %(alias)s and remove %(name)s from the directory?": "Slet rumaliaset %(alias)s og fjern %(name)s fra kataloget?",
"Keywords": "Søgeord",
"Enable notifications for this account": "Aktivér underretninger for dette brugernavn",
"Invite to this community": "Inviter til dette fællesskab",
@ -257,7 +232,7 @@
"Enter keywords separated by a comma:": "Indtast søgeord adskilt af et komma:",
"Forward Message": "Videresend Besked",
"Remove %(name)s from the directory?": "Fjern %(name)s fra kataloget?",
"Riot uses many advanced browser features, some of which are not available or experimental in your current browser.": "Riot bruger mange avancerede browser funktioner, hvoraf nogle af dem ikke er tilgængelige eller er eksperimentelle i din browser.",
"%(brand)s uses many advanced browser features, some of which are not available or experimental in your current browser.": "%(brand)s bruger mange avancerede browser funktioner, hvoraf nogle af dem ikke er tilgængelige eller er eksperimentelle i din browser.",
"Event sent!": "Begivenhed sendt!",
"Explore Account Data": "Udforsk Konto Data",
"Saturday": "Lørdag",
@ -297,8 +272,7 @@
"Show message in desktop notification": "Vis besked i skrivebordsnotifikation",
"Unhide Preview": "Vis Forhåndsvisning",
"Unable to join network": "Kan ikke forbinde til netværket",
"You might have configured them in a client other than Riot. You cannot tune them in Riot but they still apply": "Du har muligvis konfigureret dem i en anden klient end Riot. Du kan ikke tune dem i Riot, men de gælder stadig",
"Sorry, your browser is <b>not</b> able to run Riot.": "Beklager, din browser kan <b>ikke</b> køre Riot.",
"Sorry, your browser is <b>not</b> able to run %(brand)s.": "Beklager, din browser kan <b>ikke</b> køre %(brand)s.",
"Quote": "Citat",
"Messages in group chats": "Beskeder i gruppechats",
"Yesterday": "I går",
@ -308,7 +282,7 @@
"Unable to fetch notification target list": "Kan ikke hente meddelelsesmålliste",
"Set Password": "Indstil Password",
"Resend": "Send igen",
"Riot does not know how to join a room on this network": "Riot ved ikke, hvordan man kan deltage i et rum på dette netværk",
"%(brand)s does not know how to join a room on this network": "%(brand)s ved ikke, hvordan man kan deltage i et rum på dette netværk",
"Mentions only": "Kun nævninger",
"Failed to remove tag %(tagName)s from room": "Kunne ikke fjerne tag(s): %(tagName)s fra rummet",
"Wednesday": "Onsdag",
@ -322,7 +296,6 @@
"Thank you!": "Tak!",
"With your current browser, the look and feel of the application may be completely incorrect, and some or all features may not function. If you want to try it anyway you can continue, but you are on your own in terms of any issues you may encounter!": "Med din nuværnde broser kan udseendet og fornemmelsen af programmet være helt forkert og nogle funktioner virker måske ikke. Hvis du alligevel vil prøve så kan du fortsætte, men det er på egen risiko!",
"Checking for an update...": "Checker om der er en opdatering...",
"There are advanced notifications which are not shown here": "Der er avancerede meddelelser, som ikke vises her",
"Logs sent": "Logfiler sendt",
"Reply": "Besvar",
"All messages (noisy)": "Alle meddelelser (højlydt)",
@ -331,33 +304,25 @@
"View Community": "Vis community",
"Preparing to send logs": "Forbereder afsendelse af logfiler",
"The platform you're on": "Den platform du bruger",
"The version of Riot.im": "Versionen af Riot.im",
"The version of %(brand)s": "%(brand)s versionen",
"Whether or not you're logged in (we don't record your username)": "Om du er logget på eller ej (vi logger ikke dit brugernavn)",
"Your language of choice": "Dit foretrukne sprog",
"Which officially provided instance you are using, if any": "Hvilken officiel tilgængelig instans du bruger, hvis nogen",
"Whether or not you're using the Richtext mode of the Rich Text Editor": "Om du bruger Rich Text-tilstanden i editoren",
"Whether or not you're using the 'breadcrumbs' feature (avatars above the room list)": "Om du bruger \"brødkrummer\"-funktionen (avatarer over rumlisten)",
"Your homeserver's URL": "Din homeservers URL",
"Your identity server's URL": "Din identitetsservers URL",
"e.g. %(exampleValue)s": "f.eks. %(exampleValue)s",
"Every page you use in the app": "Hver side du bruger i appen",
"e.g. <CurrentPageURL>": "f.eks. <CurrentPageURL>",
"Your User Agent": "Din user agent",
"Your device resolution": "Din skærmopløsning",
"Analytics": "Analyse data",
"The information being sent to us to help make Riot.im better includes:": "Information som sendes til os for at kunne forbedre Riot.im inkluderer:",
"The information being sent to us to help make %(brand)s better includes:": "Informationen der sendes til os for at hjælpe os med at gøre %(brand)s bedre inkluderer:",
"Where this page includes identifiable information, such as a room, user or group ID, that data is removed before being sent to the server.": "Hvis denne side indeholder identificerbar information, så som rum, bruger eller gruppe ID, bliver disse fjernet før dataene sendes til serveren.",
"Call Failed": "Opkald mislykkedes",
"Review Devices": "Gennemse enheder",
"Call Anyway": "Ring op alligevel",
"Answer Anyway": "Svar alligevel",
"Call": "Ring",
"Answer": "Svar",
"Call failed due to misconfigured server": "Opkaldet mislykkedes pga. fejlkonfigureret server",
"Please ask the administrator of your homeserver (<code>%(homeserverDomain)s</code>) to configure a TURN server in order for calls to work reliably.": "Bed administratoren af din homeserver (<code>%(homeserverDomain)s</code>) om at konfigurere en TURN server for at opkald virker pålideligt.",
"Alternatively, you can try to use the public server at <code>turn.matrix.org</code>, but this will not be as reliable, and it will share your IP address with that server. You can also manage this in Settings.": "Alternativt kan du prøve at bruge den offentlige server <code>turn.matrix.org</code>, men det er ikke lige så pålideligt, og din IP-adresse deles med den server. Du kan også administrere dette under Indstillinger.",
"Try using turn.matrix.org": "Prøv at bruge turn.matrix.org",
"A conference call could not be started because the integrations server is not available": "Et gruppeopkald kunne ikke startes, fordi integrationsserveren ikke er tilgængelig",
"Call in Progress": "Igangværende opkald",
"A call is currently being placed!": "Et opkald er allerede ved at blive oprettet!",
"A call is already in progress!": "Et opkald er allerede i gang!",
@ -370,13 +335,10 @@
"Server may be unavailable, overloaded, or you hit a bug.": "Serveren kan være utilgængelig, overbelastet, eller også har du fundet en fejl.",
"The server does not support the room version specified.": "Serveren understøtter ikke den oplyste rumversion.",
"Failure to create room": "Rummet kunne ikke oprettes",
"Send anyway": "Send alligevel",
"%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s, %(day)s. %(monthName)s %(fullYear)s",
"Name or Matrix ID": "Navn eller Matrix-ID",
"Unnamed Room": "Unavngivet rum",
"Unable to load! Check your network connectivity and try again.": "Kunne ikke hente! Tjek din netværksforbindelse og prøv igen.",
"Registration Required": "Registrering påkrævet",
"You need to register to do this. Would you like to register now?": "Du behøver registrere dig for at gøre dette. Vil du registrere nu?",
"Failed to invite users to the room:": "Kunne ikke invitere brugere til rummet:",
"Missing roomId.": "roomId mangler.",
"Messages": "Beskeder",
@ -422,11 +384,6 @@
"%(senderDisplayName)s enabled flair for %(groups)s in this room.": "%(senderDisplayName)s aktiverede etiket for %(groups)s i dette rum.",
"%(senderDisplayName)s disabled flair for %(groups)s in this room.": "%(senderDisplayName)s deaktiverede etiket for %(groups)s i dette rum.",
"%(senderDisplayName)s enabled flair for %(newGroups)s and disabled flair for %(oldGroups)s in this room.": "%(senderDisplayName)s aktiverede etiket for %(newGroups)s og deaktiverede etiket for %(oldGroups)s i dette rum.",
"%(senderName)s added %(count)s %(addedAddresses)s as addresses for this room.|other": "%(senderName)s tilføjede %(addedAddresses)s som adresser for dette rum.",
"%(senderName)s added %(count)s %(addedAddresses)s as addresses for this room.|one": "%(senderName)s tilføjede %(addedAddresses)s som adresse for dette rum.",
"%(senderName)s removed %(count)s %(removedAddresses)s as addresses for this room.|other": "%(senderName)s fjernede %(removedAddresses)s som adresser for dette rum.",
"%(senderName)s removed %(count)s %(removedAddresses)s as addresses for this room.|one": "%(senderName)s fjernede %(removedAddresses)s som adresse for dette rum.",
"%(senderName)s added %(addedAddresses)s and removed %(removedAddresses)s as addresses for this room.": "%(senderName)s fjernede %(addedAddresses)s og tilføjede %(removedAddresses)s som adresser for dette rum.",
"%(senderName)s set the main address for this room to %(address)s.": "%(senderName)s satte hovedadressen af dette rum til %(address)s.",
"%(senderName)s removed the main address for this room.": "%(senderName)s fjernede hovedadressen for dette rum.",
"%(senderName)s revoked the invitation for %(targetDisplayName)s to join the room.": "%(senderName)s tilbagetrak invitationen til %(targetDisplayName)s om at deltage i rummet.",
@ -440,16 +397,14 @@
"%(senderName)s changed the pinned messages for the room.": "%(senderName)s ændrede de fastgjorte beskeder for rummet.",
"%(widgetName)s widget added by %(senderName)s": "%(widgetName)s widget tilføjet af %(senderName)s",
"%(widgetName)s widget removed by %(senderName)s": "%(widgetName)s fjernet af %(senderName)s",
"Light theme": "Lyst tema",
"Dark theme": "Mørkt tema",
"%(displayName)s is typing …": "%(displayName)s skriver …",
"%(names)s and %(count)s others are typing …|other": "%(names)s og %(count)s andre skriver …",
"%(names)s and %(count)s others are typing …|one": "%(names)s og en anden skriver …",
"%(names)s and %(lastPerson)s are typing …": "%(names)s og %(lastPerson)s skriver …",
"Cannot reach homeserver": "Homeserveren kan ikke kontaktes",
"Ensure you have a stable internet connection, or get in touch with the server admin": "Vær sikker at du har en stabil internetforbindelse, eller kontakt serveradministratoren",
"Your Riot is misconfigured": "Din Riot er konfigureret forkert",
"Ask your Riot admin to check <a>your config</a> for incorrect or duplicate entries.": "Bed din Riot administrator om at kontrollere <a>din konfiguration</a> for forkerte eller dobbelte poster.",
"Your %(brand)s is misconfigured": "Din %(brand)s er konfigureret forkert",
"Ask your %(brand)s admin to check <a>your config</a> for incorrect or duplicate entries.": "Bed din %(brand)s administrator om at kontrollere <a>din konfiguration</a> for forkerte eller dobbelte poster.",
"Cannot reach identity server": "Identitetsserveren kan ikke kontaktes",
"You can register, but some features will be unavailable until the identity server is back online. If you keep seeing this warning, check your configuration or contact a server admin.": "Du kan registrere dig, men nogle funktioner vil ikke være tilgængelige inden identitetsserveren er online igen. Hvis du bliver ved med at se denne advarsel, tjek din konfiguration eller kontakt en serveradministrator.",
"You can reset your password, but some features will be unavailable until the identity server is back online. If you keep seeing this warning, check your configuration or contact a server admin.": "Du kan nulstille dit kodeord, men nogle funktioner vil ikke være tilgængelige inden identitetsserveren er online igen. Hvis du bliver ved med at se denne advarsel, tjek din konfiguration eller kontakt en serveradministrator.",
@ -465,7 +420,7 @@
"%(items)s and %(count)s others|one": "%(items)s og en anden",
"%(items)s and %(lastItem)s": "%(items)s og %(lastItem)s",
"Your browser does not support the required cryptography extensions": "Din browser understøtter ikke de påkrævede kryptografiske udvidelser",
"Not a valid Riot keyfile": "Ikke en gyldig Riot nøglefil",
"Not a valid %(brand)s keyfile": "Ikke en gyldig %(brand)s nøglefil",
"Authentication check failed: incorrect password?": "Godkendelse mislykkedes: forkert kodeord?",
"Unrecognised address": "Ukendt adresse",
"You do not have permission to invite people to this room.": "Du har ikke tilladelse til at invitere personer til dette rum.",
@ -515,10 +470,8 @@
"Render simple counters in room header": "Vis simple tællere i rumhovedet",
"Multiple integration managers": "Flere integrationsmanagere",
"Enable Emoji suggestions while typing": "Aktiver emoji forslag under indtastning",
"Use compact timeline layout": "Brug kompakt tidslinje",
"Show a placeholder for removed messages": "Vis en pladsholder for fjernede beskeder",
"The version of Riot": "Riot versionen",
"Whether you're using Riot on a device where touch is the primary input mechanism": "Hvorvidt du benytter Riot på en enhed, hvor touch er den primære input-grænseflade",
"Whether you're using %(brand)s on a device where touch is the primary input mechanism": "Hvorvidt du benytter %(brand)s på en enhed, hvor touch er den primære input-grænseflade",
"Your user agent": "Din user agent",
"Use Single Sign On to continue": "Brug Single Sign On til at fortsætte",
"Confirm adding this email address by using Single Sign On to prove your identity.": "Bekræft tilføjelsen af denne email adresse ved at bruge Single Sign On til at bevise din identitet.",
@ -529,10 +482,7 @@
"Confirm adding this phone number by using Single Sign On to prove your identity.": "Bekræft tilføjelsen af dette telefonnummer ved at bruge Single Sign On til at bevise din identitet.",
"Confirm adding phone number": "Bekræft tilføjelse af telefonnummer",
"Click the button below to confirm adding this phone number.": "Klik på knappen herunder for at bekræfte tilføjelsen af dette telefonnummer.",
"Whether you're using Riot as an installed Progressive Web App": "Om du anvender Riot som en installeret Progressiv Web App",
"The information being sent to us to help make Riot better includes:": "Informationen der sendes til os for at hjælpe os med at gøre Riot bedre inkluderer:",
"There are unknown sessions in this room: if you proceed without verifying them, it will be possible for someone to eavesdrop on your call.": "Der er ukendte sessions i dette rum: Hvis du fortsætter uden at verificere dem, vil det være muligt for andre at smuglytte til dit opkald.",
"Review Sessions": "Overse sessions",
"Whether you're using %(brand)s as an installed Progressive Web App": "Om du anvender %(brand)s som en installeret Progressiv Web App",
"If you cancel now, you won't complete verifying the other user.": "Hvis du annullerer du, vil du ikke have færdiggjort verifikationen af den anden bruger.",
"If you cancel now, you won't complete verifying your other session.": "Hvis du annullerer nu, vil du ikke have færdiggjort verifikationen af din anden session.",
"If you cancel now, you won't complete your operation.": "Hvis du annullerer nu, vil du ikke færdiggøre din operation.",
@ -542,7 +492,6 @@
"Verify this session": "Verificér denne session",
"Encryption upgrade available": "Opgradering af kryptering tilgængelig",
"Set up encryption": "Opsæt kryptering",
"Unverified login. Was this you?": "Ikke-verificeret login. Var det dig?",
"Identity server has no terms of service": "Identity serveren har ingen 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.": "Denne handling kræver adgang til default identitets serveren <server /> for at validere en email adresse eller et telefonnummer, men serveren har ingen terms of service.",
"Only continue if you trust the owner of the server.": "Fortsæt kun hvis du stoler på ejeren af denne server.",

View file

@ -9,29 +9,12 @@
"New passwords must match each other.": "Die neuen Passwörter müssen identisch sein.",
"A new password must be entered.": "Es muss ein neues Passwort eingegeben werden.",
"The email address linked to your account must be entered.": "Es muss die mit dem Benutzerkonto verbundene E-Mail-Adresse eingegeben werden.",
"unknown device": "Unbekanntes Gerät",
"NOT verified": "NICHT verifiziert",
"Blacklisted": "Blockiert",
"verified": "verifiziert",
"Name": "Name",
"Device ID": "Geräte-ID",
"Verification": "Verifizierung",
"Ed25519 fingerprint": "Ed25519-Fingerprint",
"User ID": "Benutzer-ID",
"Curve25519 identity key": "Curve25519-Identitäts-Schlüssel",
"Claimed Ed25519 fingerprint key": "Geforderter Ed25519-Fingerprint-Schlüssel",
"none": "nicht vorhanden",
"Algorithm": "Algorithmus",
"unencrypted": "unverschlüsselt",
"Decryption error": "Fehler beim Entschlüsseln",
"Session ID": "Sitzungs-ID",
"End-to-end encryption information": "Informationen zur Ende-zu-Ende-Verschlüsselung",
"Event information": "Ereignis-Information",
"Displays action": "Zeigt Aktionen an",
"Bans user with given id": "Verbannt den Benutzer mit der angegebenen ID",
"Deops user with given id": "Setzt das Berechtigungslevel beim Benutzer mit der angegebenen ID zurück",
"Invites user with given id to current room": "Lädt den Benutzer mit der angegebenen ID in den aktuellen Raum ein",
"Joins room with given alias": "Raum wird mit dem angegebenen Alias betreten",
"Kicks user with given id": "Benutzer mit der angegebenen ID kicken",
"Changes your display nickname": "Ändert deinen angezeigten Nicknamen",
"Change Password": "Passwort ändern",
@ -93,13 +76,11 @@
"Signed Out": "Abgemeldet",
"Sign out": "Abmelden",
"Someone": "Jemand",
"Start a chat": "Chat starten",
"Success": "Erfolg",
"This doesn't appear to be a valid email address": "Dies scheint keine gültige E-Mail-Adresse zu sein",
"This room is not accessible by remote Matrix servers": "Remote-Matrix-Server können auf diesen Raum nicht zugreifen",
"Admin": "Administrator",
"Server may be unavailable, overloaded, or you hit a bug.": "Server ist nicht verfügbar, überlastet oder du bist auf einen Softwarefehler gestoßen.",
"Could not connect to the integration server": "Konnte keine Verbindung zum Integrations-Server herstellen",
"Labs": "Labor",
"Unable to add email address": "E-Mail-Adresse konnte nicht hinzugefügt werden",
"Unable to remove contact information": "Die Kontakt-Informationen konnten nicht gelöscht werden",
@ -121,8 +102,8 @@
"Existing Call": "Bereits bestehender Anruf",
"Failed to verify email address: make sure you clicked the link in the email": "Verifizierung der E-Mail-Adresse fehlgeschlagen: Bitte stelle sicher, dass du den Link in der E-Mail angeklickt hast",
"Failure to create room": "Raumerstellung fehlgeschlagen",
"Riot does not have permission to send you notifications - please check your browser settings": "Riot hat keine Berechtigung, um Benachrichtigungen zu senden - bitte Browser-Einstellungen überprüfen",
"Riot was not given permission to send notifications - please try again": "Riot hat keine Berechtigung für das Senden von Benachrichtigungen erhalten - bitte erneut versuchen",
"%(brand)s does not have permission to send you notifications - please check your browser settings": "%(brand)s hat keine Berechtigung, um Benachrichtigungen zu senden - bitte Browser-Einstellungen überprüfen",
"%(brand)s was not given permission to send notifications - please try again": "%(brand)s hat keine Berechtigung für das Senden von Benachrichtigungen erhalten - bitte erneut versuchen",
"This email address is already in use": "Diese E-Mail-Adresse wird bereits verwendet",
"This email address was not found": "Diese E-Mail-Adresse konnte nicht gefunden werden",
"The remote side failed to pick up": "Die Gegenstelle konnte nicht abheben",
@ -218,7 +199,6 @@
"Click to mute video": "Klicken, um das Video stummzuschalten",
"Command error": "Befehlsfehler",
"Decrypt %(text)s": "%(text)s entschlüsseln",
"Direct chats": "Direkt-Chats",
"Disinvite": "Einladung zurückziehen",
"Download %(text)s": "%(text)s herunterladen",
"Failed to ban user": "Verbannen des Benutzers fehlgeschlagen",
@ -232,13 +212,10 @@
"Incorrect verification code": "Falscher Verifizierungscode",
"Join Room": "Dem Raum beitreten",
"Kick": "Kicken",
"Local addresses for this room:": "Lokale Adressen dieses Raumes:",
"New address (e.g. #foo:%(localDomain)s)": "Neue Adresse (z. B. #foo:%(localDomain)s)",
"not specified": "nicht spezifiziert",
"No more results": "Keine weiteren Ergebnisse",
"No results": "Keine Ergebnisse",
"OK": "OK",
"Revoke Moderator": "Moderator-Status zurückziehen",
"Search": "Suchen",
"Search failed": "Suche ist fehlgeschlagen",
"Server error": "Server-Fehler",
@ -249,17 +226,14 @@
"This room has no local addresses": "Dieser Raum hat keine lokale Adresse",
"Tried to load a specific point in this room's timeline, but you do not have permission to view the message in question.": "Es wurde versucht, einen bestimmten Punkt im Chatverlauf dieses Raumes zu laden. Dir fehlt jedoch die Berechtigung, die betreffende Nachricht zu sehen.",
"Tried to load a specific point in this room's timeline, but was unable to find it.": "Es wurde versucht, einen bestimmten Punkt im Chatverlauf dieses Raumes zu laden, der Punkt konnte jedoch nicht gefunden werden.",
"Unknown room %(roomId)s": "Unbekannter Raum %(roomId)s",
"You seem to be in a call, are you sure you want to quit?": "Du scheinst in einem Gespräch zu sein, bist du sicher, dass du aufhören willst?",
"You seem to be uploading files, are you sure you want to quit?": "Du scheinst Dateien hochzuladen. Bist du sicher schließen zu wollen?",
"You will not be able to undo this change as you are promoting the user to have the same power level as yourself.": "Du wirst diese Änderung nicht rückgängig machen können, da der Benutzer dasselbe Berechtigungslevel wie du selbst erhalten wird.",
"Make Moderator": "Zum Moderator ernennen",
"Room": "Raum",
"Cancel": "Abbrechen",
"Click to unmute video": "Klicken, um die Video-Stummschaltung zu deaktivieren",
"Click to unmute audio": "Klicken, um den Ton wieder einzuschalten",
"Failed to load timeline position": "Laden der Chat-Position fehlgeschlagen",
"Failed to toggle moderator status": "Umschalten des Moderator-Status fehlgeschlagen",
"Autoplay GIFs and videos": "GIF-Dateien und Videos automatisch abspielen",
"%(items)s and %(lastItem)s": "%(items)s und %(lastItem)s",
"%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s": "%(weekDayName)s, %(day)s. %(monthName)s %(fullYear)s %(time)s",
@ -273,8 +247,7 @@
"New passwords don't match": "Die neuen Passwörter stimmen nicht überein",
"olm version:": "Version von olm:",
"Passwords can't be empty": "Passwortfelder dürfen nicht leer sein",
"riot-web version:": "Version von riot-web:",
"Scroll to bottom of page": "Zum Seitenende springen",
"%(brand)s version:": "Version von %(brand)s:",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "Zeitstempel im 12-Stunden-Format anzeigen (z. B. 2:30pm)",
"Email address": "E-Mail-Adresse",
"Error decrypting attachment": "Fehler beim Entschlüsseln des Anhangs",
@ -296,11 +269,8 @@
"Confirm Removal": "Entfernen bestätigen",
"Unknown error": "Unbekannter Fehler",
"Incorrect password": "Ungültiges Passwort",
"To continue, please enter your password.": "Zum fortfahren bitte Passwort eingeben.",
"I verify that the keys match": "Ich bestätige, dass die Schlüssel identisch sind",
"Unable to restore session": "Sitzungswiederherstellung fehlgeschlagen",
"Unknown Address": "Unbekannte Adresse",
"Verify...": "Verifizieren...",
"ex. @bob:example.com": "z. B. @bob:example.com",
"Add User": "Benutzer hinzufügen",
"Custom Server Options": "Benutzerdefinierte Server-Optionen",
@ -320,18 +290,14 @@
"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.": "Dieser Prozess erlaubt es dir, die Schlüssel für die in verschlüsselten Räumen empfangenen Nachrichten in eine lokale Datei zu exportieren. In Zukunft wird es möglich sein, diese Datei in einen anderen Matrix-Client zu importieren, sodass dieser Client diese Nachrichten ebenfalls entschlüsseln kann.",
"The exported file will allow anyone who can read it to decrypt any encrypted messages that you can see, so you should be careful to keep it secure. To help with this, you should enter a passphrase below, which will be used to encrypt the exported data. It will only be possible to import the data by using the same passphrase.": "Mit der exportierten Datei kann jeder, der diese Datei lesen kann, jede verschlüsselte Nachricht entschlüsseln, die für dich lesbar ist. Du solltest die Datei also unbedingt sicher verwahren. Um den Vorgang sicherer zu gestalten, solltest du unten eine Passphrase eingeben, die dazu verwendet wird, die exportierten Daten zu verschlüsseln. Anschließend wird es nur möglich sein, die Daten zu importieren, wenn dieselbe Passphrase verwendet wird.",
"Analytics": "Anonymisierte Analysedaten",
"Riot collects anonymous analytics to allow us to improve the application.": "Riot sammelt anonymisierte Analysedaten, um die Anwendung kontinuierlich verbessern zu können.",
"%(brand)s collects anonymous analytics to allow us to improve the application.": "%(brand)s sammelt anonymisierte Analysedaten, um die Anwendung kontinuierlich verbessern zu können.",
"Add an Integration": "Eine Integration hinzufügen",
"Removed or unknown message type": "Gelöschte Nachricht oder unbekannter Nachrichten-Typ",
"URL Previews": "URL-Vorschau",
"Offline": "Offline",
"Online": "Online",
" (unsupported)": " (nicht unterstützt)",
"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.": "Dieser Prozess erlaubt es dir, die zuvor von einem anderen Matrix-Client exportierten Verschlüsselungs-Schlüssel zu importieren. Danach kannst du alle Nachrichten entschlüsseln, die auch bereits auf dem anderen Client entschlüsselt werden konnten.",
"If you have previously used a more recent version of Riot, your session may be incompatible with this version. Close this window and return to the more recent version.": "Wenn du zuvor eine aktuellere Version von Riot verwendet hast, ist deine Sitzung eventuell inkompatibel mit dieser Version. Bitte schließe dieses Fenster und kehre zur aktuelleren Version zurück.",
"Blacklist": "Blockieren",
"Unblacklist": "Entblockieren",
"Unverify": "Verifizierung widerrufen",
"If you have previously used a more recent version of %(brand)s, your session may be incompatible with this version. Close this window and return to the more recent version.": "Wenn du zuvor eine aktuellere Version von %(brand)s verwendet hast, ist deine Sitzung eventuell inkompatibel mit dieser Version. Bitte schließe dieses Fenster und kehre zur aktuelleren Version zurück.",
"Drop file here to upload": "Datei hier loslassen zum hochladen",
"Idle": "Untätig",
"Ongoing conference call%(supportedText)s.": "Laufendes Konferenzgespräch%(supportedText)s.",
@ -344,7 +310,7 @@
"No Webcams detected": "Keine Webcam erkannt",
"No Microphones detected": "Keine Mikrofone erkannt",
"No media permissions": "Keine Medienberechtigungen",
"You may need to manually permit Riot to access your microphone/webcam": "Gegebenenfalls kann es notwendig sein, dass du Riot manuell den Zugriff auf dein Mikrofon bzw. deine Webcam gewähren musst",
"You may need to manually permit %(brand)s to access your microphone/webcam": "Gegebenenfalls kann es notwendig sein, dass du %(brand)s manuell den Zugriff auf dein Mikrofon bzw. deine Webcam gewähren musst",
"Default Device": "Standard-Gerät",
"Microphone": "Mikrofon",
"Camera": "Kamera",
@ -356,13 +322,9 @@
"Anyone": "Jeder",
"Are you sure you want to leave the room '%(roomName)s'?": "Bist du sicher, dass du den Raum '%(roomName)s' verlassen möchtest?",
"Custom level": "Benutzerdefiniertes Berechtigungslevel",
"device id: ": "Geräte-ID: ",
"Publish this room to the public in %(domain)s's room directory?": "Diesen Raum im Raum-Verzeichnis von %(domain)s veröffentlichen?",
"Register": "Registrieren",
"Save": "Speichern",
"Remote addresses for this room:": "Remote-Adressen für diesen Raum:",
"Unrecognised room alias:": "Unbekannter Raum-Alias:",
"Use compact timeline layout": "Kompaktes Chatverlauf-Layout verwenden",
"Verified key": "Verifizierter Schlüssel",
"You have <a>disabled</a> URL previews by default.": "Du hast die URL-Vorschau standardmäßig <a>deaktiviert</a>.",
"You have <a>enabled</a> URL previews by default.": "Du hast die URL-Vorschau standardmäßig <a>aktiviert</a>.",
@ -390,14 +352,11 @@
"Accept": "Akzeptieren",
"Active call (%(roomName)s)": "Aktiver Anruf (%(roomName)s)",
"Admin Tools": "Admin-Werkzeuge",
"Alias (optional)": "Alias (optional)",
"Can't connect to homeserver - please check your connectivity, ensure your <a>homeserver's SSL certificate</a> is trusted, and that a browser extension is not blocking requests.": "Verbindung zum Heimserver fehlgeschlagen - bitte überprüfe die Internetverbindung und stelle sicher, dass dem <a>SSL-Zertifikat deines Heimservers</a> vertraut wird und dass Anfragen nicht durch eine Browser-Erweiterung blockiert werden.",
"Close": "Schließen",
"Custom": "Erweitert",
"Decline": "Ablehnen",
"Disable Notifications": "Benachrichtigungen deaktivieren",
"Drop File Here": "Lasse Datei hier los",
"Enable Notifications": "Benachrichtigungen aktivieren",
"Failed to upload profile picture!": "Hochladen des Profilbild's fehlgeschlagen!",
"Incoming call from %(name)s": "Eingehender Anruf von %(name)s",
"Incoming video call from %(name)s": "Eingehender Videoanruf von %(name)s",
@ -410,7 +369,6 @@
"%(roomName)s does not exist.": "%(roomName)s existert nicht.",
"%(roomName)s is not accessible at this time.": "%(roomName)s ist aktuell nicht zugreifbar.",
"Seen by %(userName)s at %(dateTime)s": "Gesehen von %(userName)s um %(dateTime)s",
"Send anyway": "Trotzdem senden",
"Start authentication": "Authentifizierung beginnen",
"This room": "diesen Raum",
"unknown caller": "Unbekannter Anrufer",
@ -423,15 +381,11 @@
"(no answer)": "(keine Antwort)",
"(unknown failure: %(reason)s)": "(Unbekannter Fehler: %(reason)s)",
"Your browser does not support the required cryptography extensions": "Dein Browser unterstützt die benötigten Verschlüsselungs-Erweiterungen nicht",
"Not a valid Riot keyfile": "Keine gültige Riot-Schlüsseldatei",
"Not a valid %(brand)s keyfile": "Keine gültige %(brand)s-Schlüsseldatei",
"Authentication check failed: incorrect password?": "Authentifizierung fehlgeschlagen: Falsches Passwort?",
"Do you want to set an email address?": "Möchtest du eine E-Mail-Adresse setzen?",
"This will allow you to reset your password and receive notifications.": "Dies ermöglicht es dir, dein Passwort zurückzusetzen und Benachrichtigungen zu empfangen.",
"Skip": "Überspringen",
"Start verification": "Verifizierung starten",
"Share without verifying": "Ohne Verifizierung verwenden",
"Ignore request": "Anforderung ignorieren",
"Encryption key request": "Anforderung von Verschlüsselungs-Schlüsseln",
"Check for update": "Suche nach Updates",
"Add a widget": "Widget hinzufügen",
"Allow": "Erlauben",
@ -461,18 +415,14 @@
"Ignore": "Ignorieren",
"You are now ignoring %(userId)s": "%(userId)s wird jetzt ignoriert",
"You are no longer ignoring %(userId)s": "%(userId)s wird nicht mehr ignoriert",
"Message removed by %(userId)s": "Nachricht wurde von %(userId)s entfernt",
"Leave": "Verlassen",
"Failed to invite the following users to %(groupId)s:": "Die folgenden Benutzer konnten nicht in die Gruppe %(groupId)s eingeladen werden:",
"Leave %(groupName)s?": "%(groupName)s verlassen?",
"Add a Room": "Raum hinzufügen",
"Add a User": "Benutzer hinzufügen",
"Light theme": "Helles Design",
"Dark theme": "Dunkles Design",
"You have entered an invalid address.": "Du hast eine ungültige Adresse eingegeben.",
"Matrix ID": "Matrix-ID",
"Unignore": "Ignorieren aufheben",
"User Options": "Benutzer-Optionen",
"Unignored user": "Benutzer nicht mehr ignoriert",
"Ignored user": "Benutzer ignoriert",
"Stops ignoring a user, showing their messages going forward": "Beendet das Ignorieren eines Benutzers, nachfolgende Nachrichten werden wieder angezeigt",
@ -486,7 +436,6 @@
"Add to summary": "Zur Übersicht hinzufügen",
"Failed to add the following users to the summary of %(groupId)s:": "Die folgenden Benutzer konnten nicht zur Übersicht von %(groupId)s hinzugefügt werden:",
"Which rooms would you like to add to this summary?": "Welche Räume möchtest du zu dieser Übersicht hinzufügen?",
"Room name or alias": "Raum-Name oder Alias",
"Failed to add the following rooms to the summary of %(groupId)s:": "Die folgenden Räume konnten nicht zur Übersicht von %(groupId)s hinzugefügt werden:",
"Failed to remove the room from the summary of %(groupId)s": "Der Raum konnte nicht aus der Übersicht von %(groupId)s entfernt werden",
"The room '%(roomName)s' could not be removed from the summary.": "Der Raum '%(roomName)s' konnte nicht aus der Übersicht entfernt werden.",
@ -553,7 +502,6 @@
"Something went wrong whilst creating your community": "Beim Erstellen deiner Community ist ein Fehler aufgetreten",
"And %(count)s more...|other": "Und %(count)s weitere...",
"Delete Widget": "Widget löschen",
"Message removed": "Nachricht entfernt",
"Mention": "Erwähnen",
"Invite": "Einladen",
"Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "Das Löschen eines Widgets entfernt es für alle Nutzer in diesem Raum. Möchtest du dieses Widget wirklich löschen?",
@ -660,34 +608,26 @@
"Display your community flair in rooms configured to show it.": "Zeige deinen Community-Flair in den Räumen, die es erlauben.",
"This homeserver doesn't offer any login flows which are supported by this client.": "Dieser Heimserver verfügt über keinen, von diesem Client unterstütztes Anmeldeverfahren.",
"Call Failed": "Anruf fehlgeschlagen",
"Review Devices": "Geräte ansehen",
"Call Anyway": "Trotzdem anrufen",
"Answer Anyway": "Trotzdem annehmen",
"Call": "Anrufen",
"Answer": "Annehmen",
"Send": "Senden",
"collapse": "Verbergen",
"expand": "Erweitern",
"Old cryptography data detected": "Alte Kryptografiedaten erkannt",
"Warning": "Warnung",
"Data from an older version of Riot has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "Es wurden Daten von einer älteren Version von Riot entdeckt. Dies wird zu Fehlern in der Ende-zu-Ende-Verschlüsselung der älteren Version geführt haben. Ende-zu-Ende verschlüsselte Nachrichten, die ausgetauscht wruden, während die ältere Version genutzt wurde, werden in dieser Version nicht entschlüsselbar sein. Es kann auch zu Fehlern mit Nachrichten führen, die mit dieser Version versendet werden. Wenn du Probleme feststellst, melde dich ab und wieder an. Um die Historie zu behalten, ex- und reimportiere deine Schlüssel.",
"Data from an older version of %(brand)s has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "Es wurden Daten von einer älteren Version von %(brand)s entdeckt. Dies wird zu Fehlern in der Ende-zu-Ende-Verschlüsselung der älteren Version geführt haben. Ende-zu-Ende verschlüsselte Nachrichten, die ausgetauscht wruden, während die ältere Version genutzt wurde, werden in dieser Version nicht entschlüsselbar sein. Es kann auch zu Fehlern mit Nachrichten führen, die mit dieser Version versendet werden. Wenn du Probleme feststellst, melde dich ab und wieder an. Um die Historie zu behalten, ex- und reimportiere deine Schlüssel.",
"Send an encrypted reply…": "Verschlüsselte Antwort senden…",
"Send a reply (unencrypted)…": "Unverschlüsselte Antwort senden…",
"Send an encrypted message…": "Verschlüsselte Nachricht senden…",
"Send a message (unencrypted)…": "Unverschlüsselte Nachricht senden…",
"Replying": "Antwortet",
"Minimize apps": "Apps minimieren",
"%(count)s of your messages have not been sent.|one": "Deine Nachricht wurde nicht gesendet.",
"%(count)s <resendText>Resend all</resendText> or <cancelText>cancel all</cancelText> now. You can also select individual messages to resend or cancel.|other": "<resendText>Alle erneut senden</resendText> oder <cancelText>alle abbrechen</cancelText>. Du kannst auch einzelne Nachrichten erneut senden oder abbrechen.",
"%(count)s <resendText>Resend all</resendText> or <cancelText>cancel all</cancelText> now. You can also select individual messages to resend or cancel.|one": "<resendText>Nachricht jetzt erneut senden</resendText> oder <cancelText>senden abbrechen</cancelText> now.",
"Privacy is important to us, so we don't collect any personal or identifiable data for our analytics.": "Privatsphäre ist uns wichtig, deshalb sammeln wir keine persönlichen oder identifizierbaren Daten für unsere Analysen.",
"The information being sent to us to help make Riot.im better includes:": "Die Informationen, die an uns gesendet werden um Riot.im zu verbessern enthalten:",
"The information being sent to us to help make %(brand)s better includes:": "Zu den Informationen, die uns zugesandt werden, um zu helfen, %(brand)s besser zu machen, gehören:",
"The platform you're on": "Benutzte Plattform",
"The version of Riot.im": "Riot.im Version",
"The version of %(brand)s": "Die %(brand)s-Version",
"Your language of choice": "Deine ausgewählte Sprache",
"Whether or not you're using the Richtext mode of the Rich Text Editor": "Ob du den Richtext-Modus des Editors benutzt oder nicht",
"Your homeserver's URL": "Die URL deines Homeservers",
"Your identity server's URL": "Die URL deines Identitätsservers",
"%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s",
"You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.": "Du wirst nicht in der Lage sein, die Änderung zurückzusetzen, da du dich degradierst. Wenn du der letze Nutzer mit Berechtigungen bist, wird es unmöglich sein die Privilegien zurückzubekommen.",
"Community IDs cannot be empty.": "Community-IDs können nicht leer sein.",
@ -700,7 +640,7 @@
"Failed to set direct chat tag": "Fehler beim Setzen der Direkt-Chat-Markierung",
"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",
"Did you know: you can use communities to filter your Riot.im experience!": "Wusstest du: Du kannst Communities nutzen um deine Riot.im-Erfahrung zu filtern!",
"Did you know: you can use communities to filter your %(brand)s experience!": "Wusstest du: Du kannst Communities nutzen um deine %(brand)s-Erfahrung zu filtern!",
"To set up a filter, drag a community avatar over to the filter panel on the far left hand side of the screen. You can click on an avatar in the filter panel at any time to see only the rooms and people associated with that community.": "Um einen Filter zu setzen, ziehe ein Community-Bild auf das Filter-Panel ganz links. Du kannst jederzeit auf einen Avatar im Filter-Panel klicken um nur die Räume und Personen aus der Community zu sehen.",
"Clear filter": "Filter zurücksetzen",
"Key request sent.": "Schlüssel-Anfragen gesendet.",
@ -721,7 +661,6 @@
"Everyone": "Jeder",
"Stickerpack": "Stickerpack",
"Fetching third party location failed": "Das Abrufen des Drittanbieterstandorts ist fehlgeschlagen",
"A new version of Riot is available.": "Eine neue Version von Riot ist verfügbar.",
"Send Account Data": "Benutzerkonto-Daten senden",
"All notifications are currently disabled for all targets.": "Aktuell sind alle Benachrichtigungen für alle Ziele deaktiviert.",
"Uploading report": "Lade Bericht hoch",
@ -739,8 +678,6 @@
"Send Custom Event": "Benutzerdefiniertes Event senden",
"Advanced notification settings": "Erweiterte Benachrichtigungs-Einstellungen",
"Failed to send logs: ": "Senden von Logs fehlgeschlagen: ",
"delete the alias.": "Lösche den Alias.",
"To return to your account in future you need to <u>set a password</u>": "Um in Zukunft auf dein Benutzerkonto zugreifen zu können, musst du <u>ein Passwort setzen</u>",
"Forget": "Entfernen",
"You cannot delete this image. (%(code)s)": "Das Bild kann nicht gelöscht werden. (%(code)s)",
"Cancel Sending": "Senden abbrechen",
@ -765,7 +702,6 @@
"No update available.": "Kein Update verfügbar.",
"Noisy": "Laut",
"Collecting app version information": "App-Versionsinformationen werden abgerufen",
"Delete the room alias %(alias)s and remove %(name)s from the directory?": "Soll der Raum-Alias %(alias)s gelöscht und der %(name)s aus dem Verzeichnis entfernt werden?",
"Keywords": "Schlüsselwörter",
"Enable notifications for this account": "Benachrichtigungen für dieses Benutzerkonto aktivieren",
"Invite to this community": "In diese Community einladen",
@ -776,7 +712,7 @@
"Forward Message": "Nachricht weiterleiten",
"You have successfully set a password and an email address!": "Du hast erfolgreich ein Passwort und eine E-Mail-Adresse gesetzt!",
"Remove %(name)s from the directory?": "Soll der Raum %(name)s aus dem Verzeichnis entfernt werden?",
"Riot uses many advanced browser features, some of which are not available or experimental in your current browser.": "Riot nutzt zahlreiche fortgeschrittene Browser-Funktionen, die teilweise in deinem aktuell verwendeten Browser noch nicht verfügbar sind oder sich noch im experimentellen Status befinden.",
"%(brand)s uses many advanced browser features, some of which are not available or experimental in your current browser.": "%(brand)s nutzt zahlreiche fortgeschrittene Browser-Funktionen, die teilweise in deinem aktuell verwendeten Browser noch nicht verfügbar sind oder sich noch im experimentellen Status befinden.",
"Developer Tools": "Entwicklerwerkzeuge",
"Preparing to send logs": "Senden von Logs wird vorbereitet",
"Remember, you can always set an email address in user settings if you change your mind.": "Vergiss nicht, dass du in den Benutzereinstellungen jederzeit eine E-Mail-Adresse setzen kannst, wenn du deine Meinung änderst.",
@ -822,8 +758,7 @@
"Debug logs contain application usage data including your username, the IDs or aliases of the rooms or groups you have visited and the usernames of other users. They do not contain messages.": "Fehlerberichte enthalten Anwendungsdaten wie deinen Nutzernamen, Raum- und Gruppen-ID's und Aliase die du besucht hast sowie Nutzernamen anderer Nutzer. Sie enthalten keine Nachrichten.",
"Unhide Preview": "Vorschau wieder anzeigen",
"Unable to join network": "Es ist nicht möglich, dem Netzwerk beizutreten",
"You might have configured them in a client other than Riot. You cannot tune them in Riot but they still apply": "Du hast sie eventuell auf einem anderen Matrix-Client und nicht in Riot konfiguriert. Sie können in Riot nicht verändert werden, gelten aber trotzdem",
"Sorry, your browser is <b>not</b> able to run Riot.": "Es tut uns leid, aber dein Browser kann Riot <b>nicht</b> ausführen.",
"Sorry, your browser is <b>not</b> able to run %(brand)s.": "Es tut uns leid, aber dein Browser kann %(brand)s <b>nicht</b> ausführen.",
"Messages in group chats": "Nachrichten in Gruppen-Chats",
"Yesterday": "Gestern",
"Error encountered (%(errorDetail)s).": "Es ist ein Fehler aufgetreten (%(errorDetail)s).",
@ -831,7 +766,7 @@
"Unable to fetch notification target list": "Liste der Benachrichtigungsempfänger konnte nicht abgerufen werden",
"Set Password": "Passwort einrichten",
"Off": "Aus",
"Riot does not know how to join a room on this network": "Riot weiß nicht, wie es einem Raum auf diesem Netzwerk beitreten soll",
"%(brand)s does not know how to join a room on this network": "%(brand)s weiß nicht, wie es einem Raum auf diesem Netzwerk beitreten soll",
"Mentions only": "Nur, wenn du erwähnt wirst",
"You can now return to your account after signing out, and sign in on other devices.": "Du kannst nun zu deinem Benutzerkonto zurückkehren, nachdem du dich abgemeldet hast. Anschließend kannst du dich an anderen Geräten anmelden.",
"Enable email notifications": "E-Mail-Benachrichtigungen aktivieren",
@ -847,11 +782,9 @@
"Uploaded on %(date)s by %(user)s": "Hochgeladen: %(date)s von %(user)s",
"With your current browser, the look and feel of the application may be completely incorrect, and some or all features may not function. If you want to try it anyway you can continue, but you are on your own in terms of any issues you may encounter!": "In deinem aktuell verwendeten Browser können Aussehen und Handhabung der Anwendung unter Umständen noch komplett fehlerhaft sein, so dass einige bzw. im Extremfall alle Funktionen nicht zur Verfügung stehen. Du kannst es trotzdem versuchen und fortfahren, bist dabei aber bezüglich aller auftretenden Probleme auf dich allein gestellt!",
"Checking for an update...": "Nach Updates suchen...",
"There are advanced notifications which are not shown here": "Es existieren erweiterte Benachrichtigungen, welche hier nicht angezeigt werden",
"Missing roomId.": "Fehlende Raum-ID.",
"Every page you use in the app": "Jede Seite, die du in der App benutzt",
"e.g. <CurrentPageURL>": "z.B. <CurrentPageURL>",
"Your User Agent": "Dein User-Agent",
"Your device resolution": "Deine Bildschirmauflösung",
"Popout widget": "Widget ausklinken",
"Always show encryption icons": "Immer Verschlüsselungssymbole zeigen",
@ -866,9 +799,6 @@
"Send analytics data": "Analysedaten senden",
"e.g. %(exampleValue)s": "z.B. %(exampleValue)s",
"Muted Users": "Stummgeschaltete Benutzer",
"Please help improve Riot.im by sending <UsageDataLink>anonymous usage data</UsageDataLink>. This will use a cookie (please see our <PolicyLink>Cookie Policy</PolicyLink>).": "Bitte hilf uns Riot.im zu verbessern, in dem du <UsageDataLink>anonyme Nutzungsdaten</UsageDataLink> schickst. Dies wird ein Cookie benutzen (bitte beachte auch unsere <PolicyLink>Cookie-Richtlinie</PolicyLink>).",
"Please help improve Riot.im by sending <UsageDataLink>anonymous usage data</UsageDataLink>. This will use a cookie.": "Bitte hilf uns Riot.im zu verbessern, in dem du <UsageDataLink>anonyme Nutzungsdaten</UsageDataLink> schickst. Dies wird ein Cookie benutzen.",
"Yes, I want to help!": "Ja, ich möchte helfen!",
"This will make your account permanently unusable. You will not be able to log in, and no one will be able to re-register the same user ID. This will cause your account to leave all rooms it is participating in, and it will remove your account details from your identity server. <b>This action is irreversible.</b>": "Dies wird deinen Account permanent unbenutzbar machen. Du wirst nicht in der Lage sein, dich anzumelden und keiner wird dieselbe Benutzer-ID erneut registrieren können. Alle Räume, in denen der Account ist, werden verlassen und deine Account-Daten werden vom Identitätsserver gelöscht. <b>Diese Aktion ist unumkehrbar.</b>",
"Deactivating your account <b>does not by default cause us to forget messages you have sent.</b> If you would like us to forget your messages, please tick the box below.": "Standardmäßig werden <b>die von dir gesendeten Nachrichten beim Deaktiveren nicht gelöscht</b>. Wenn du dies von uns möchtest, aktivere das Auswalfeld unten.",
"Message visibility in Matrix is similar to email. Our forgetting your messages means that messages you have sent will not be shared with any new or unregistered users, but registered users who already have access to these messages will still have access to their copy.": "Sie Sichtbarkeit der Nachrichten in Matrix ist vergleichbar mit E-Mails: Wenn wir deine Nachrichten vergessen heißt das, dass diese nicht mit neuen oder nicht registrierten Nutzern teilen werden, aber registrierte Nutzer, die bereits zugriff haben, werden Zugriff auf ihre Kopie behalten.",
@ -912,9 +842,6 @@
"Please <a>contact your service administrator</a> to continue using the service.": "Bitte <a>kontaktiere deinen Systemadministrator</a> um diesen Dienst weiter zu nutzen.",
"This homeserver has hit its Monthly Active User limit.": "Dieser Heimserver hat sein Limit an monatlich aktiven Nutzern erreicht.",
"This homeserver has exceeded one of its resource limits.": "Dieser Heimserver hat einen seiner Ressourcen-Limits überschritten.",
"Please <a>contact your service administrator</a> to get this limit increased.": "Bitte <a>kontaktiere deinen Systemadministrator</a> um dieses Limit zu erhöht zu bekommen.",
"This homeserver has hit its Monthly Active User limit so <b>some users will not be able to log in</b>.": "Dieser Heimserver hat sein Limit an monatlich aktiven Nutzern erreicht, sodass <b>einige Nutzer sich nicht anmelden können</b>.",
"This homeserver has exceeded one of its resource limits so <b>some users will not be able to log in</b>.": "Dieser Heimserver hat einen seiner Ressourcen-Limits überschritten, sodass <b>einige Benutzer nicht in der Lage sind sich anzumelden</b>.",
"Upgrade Room Version": "Raum-Version aufrüsten",
"Create a new room with the same name, description and avatar": "Einen neuen Raum mit demselben Namen, Beschreibung und Profilbild erstellen",
"Update any local room aliases to point to the new room": "Alle lokalen Raum-Aliase aktualisieren, damit sie auf den neuen Raum zeigen",
@ -934,21 +861,14 @@
"The room upgrade could not be completed": "Die Raum-Aufrüstung konnte nicht fertiggestellt werden",
"Upgrade this room to version %(version)s": "Diesen Raum zur Version %(version)s aufrüsten",
"Forces the current outbound group session in an encrypted room to be discarded": "Erzwingt, dass die aktuell ausgehende Gruppen-Sitzung in einem verschlüsseltem Raum verworfen wird",
"Registration Required": "Registrierung erforderlich",
"You need to register to do this. Would you like to register now?": "Du musst dich registrieren um dies zu tun. Möchtest du dich jetzt registrieren?",
"Unable to connect to Homeserver. Retrying...": "Verbindung mit Heimserver nicht möglich. Versuche erneut...",
"%(senderName)s added %(count)s %(addedAddresses)s as addresses for this room.|one": "%(senderName)s fügte %(addedAddresses)s als Adresse zu diesem Raum hinzu.",
"%(senderName)s added %(count)s %(addedAddresses)s as addresses for this room.|other": "%(senderName)s fügte %(addedAddresses)s als Adressen zu diesem Raum hinzu.",
"%(senderName)s removed %(count)s %(removedAddresses)s as addresses for this room.|one": "%(senderName)s entfernte %(removedAddresses)s als Adresse von diesem Raum.",
"%(senderName)s removed %(count)s %(removedAddresses)s as addresses for this room.|other": "%(senderName)s entfernte %(removedAddresses)s als Adressen von diesem Raum.",
"%(senderName)s set the main address for this room to %(address)s.": "%(senderName)s setzte die Hauptadresse zu diesem Raum auf %(address)s.",
"%(senderName)s removed the main address for this room.": "%(senderName)s entfernte die Hauptadresse von diesem Raum.",
"%(senderName)s added %(addedAddresses)s and removed %(removedAddresses)s as addresses for this room.": "%(senderName)s fügte %(addedAddresses)s hinzu und entfernte %(removedAddresses)s als Adressen von diesem Raum.",
"Before submitting logs, you must <a>create a GitHub issue</a> to describe your problem.": "Bevor du Log-Dateien übermittelst, musst du ein <a>GitHub-Issue erstellen</a> um dein Problem zu beschreiben.",
"Riot now uses 3-5x less memory, by only loading information about other users when needed. Please wait whilst we resynchronise with the server!": "Riot benutzt nun 3-5-mal weniger Arbeitsspeicher, indem Informationen über andere Nutzer erst bei Bedarf geladen werden. Bitte warte, während die Daten erneut mit dem Server abgeglichen werden!",
"Updating Riot": "Aktualisiere Riot",
"You've previously used Riot 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, Riot needs to resync your account.": "Du hast zuvor Riot auf %(host)s ohne das verzögerte Laden von Mitgliedern genutzt. In dieser Version war das verzögerte Laden deaktiviert. Da die lokal zwischengespeicherten Daten zwischen diesen Einstellungen nicht kompatibel sind, muss Riot dein Konto neu synchronisieren.",
"If the other version of Riot is still open in another tab, please close it as using Riot on the same host with both lazy loading enabled and disabled simultaneously will cause issues.": "Wenn Riot mit der alten Version in einem anderen Tab geöffnet ist, schließe dies bitte, da das parallele Nutzen von Riot auf demselben Host mit aktivierten und deaktivierten verzögertem Laden, Probleme verursachen wird.",
"%(brand)s now uses 3-5x less memory, by only loading information about other users when needed. Please wait whilst we resynchronise with the server!": "%(brand)s benutzt nun 3-5-mal weniger Arbeitsspeicher, indem Informationen über andere Nutzer erst bei Bedarf geladen werden. Bitte warte, während die Daten erneut mit dem Server abgeglichen werden!",
"Updating %(brand)s": "Aktualisiere %(brand)s",
"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 hast zuvor %(brand)s auf %(host)s ohne das verzögerte Laden von Mitgliedern genutzt. In dieser Version war das verzögerte Laden deaktiviert. Da die lokal zwischengespeicherten Daten zwischen diesen Einstellungen nicht kompatibel sind, muss %(brand)s dein Konto neu synchronisieren.",
"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.": "Wenn %(brand)s mit der alten Version in einem anderen Tab geöffnet ist, schließe dies bitte, da das parallele Nutzen von %(brand)s auf demselben Host mit aktivierten und deaktivierten verzögertem Laden, Probleme verursachen wird.",
"Incompatible local cache": "Inkompatibler lokaler Zwischenspeicher",
"Clear cache and resync": "Zwischenspeicher löschen und erneut synchronisieren",
"Please review and accept the policies of this homeserver:": "Bitte sieh dir alle Bedingungen dieses Heimservers an und akzeptiere sie:",
@ -960,30 +880,21 @@
"Delete Backup": "Sicherung löschen",
"Backup version: ": "Sicherungsversion: ",
"Algorithm: ": "Algorithmus: ",
"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 Riot to do this": "Um zu vermeiden, dass Ihr Chat-Verlauf verloren geht, müssen Sie Ihre Raum-Schlüssel exportieren, bevor Sie sich abmelden. Dazu müssen Sie auf die neuere Version von Riot zurückgehen",
"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": "Um zu vermeiden, dass Ihr Chat-Verlauf verloren geht, müssen Sie Ihre Raum-Schlüssel exportieren, bevor Sie sich abmelden. Dazu müssen Sie auf die neuere Version von %(brand)s zurückgehen",
"Incompatible Database": "Inkompatible Datenbanken",
"Continue With Encryption Disabled": "Mit deaktivierter Verschlüsselung fortfahren",
"Enter a passphrase...": "Passphrase eingeben...",
"Next": "Weiter",
"That matches!": "Das passt!",
"That doesn't match.": "Das passt nicht.",
"Go back to set it again.": "Gehe zurück und setze es erneut.",
"Repeat your passphrase...": "Wiederhole deine Passphrase...",
"Your Recovery Key": "Dein Wiederherstellungsschlüssel",
"Copy to clipboard": "In Zwischenablage kopieren",
"Download": "Herunterladen",
"<b>Print it</b> and store it somewhere safe": "<b>Drucke ihn aus</b> und lagere ihn an einem sicheren Ort",
"<b>Save it</b> on a USB key or backup drive": "<b>Speichere ihn</b> auf einem USB-Schlüssel oder Sicherungsslaufwerk",
"<b>Copy it</b> to your personal cloud storage": "<b>Kopiere ihn</b> in deinen persönlichen Cloud-Speicher",
"Keep it safe": "Lagere ihn sicher",
"Create Key Backup": "Erzeuge Schlüsselsicherung",
"Unable to create key backup": "Konnte Schlüsselsicherung nicht erstellen",
"Retry": "Erneut probieren",
"Unable to restore backup": "Konnte Sicherung nicht wiederherstellen",
"No backup found!": "Keine Sicherung gefunden!",
"Backup Restored": "Sicherung wiederhergestellt",
"Enter Recovery Passphrase": "Gebe Wiederherstellungs-Passphrase ein",
"Enter Recovery Key": "Gebe Wiederherstellungsschlüssel ein",
"This looks like a valid recovery key!": "Dies sieht wie ein gültiger Wiederherstellungsschlüssel aus!",
"Not a valid recovery key": "Kein valider Wiederherstellungsschlüssel",
"There was an error joining the room": "Es gab einen Fehler beim Raum-Beitreten",
@ -1033,10 +944,8 @@
"Checking...": "Überprüfe...",
"Unable to load backup status": "Konnte Backupstatus nicht laden",
"Failed to decrypt %(failedCount)s sessions!": "Konnte %(failedCount)s Sitzungen nicht entschlüsseln!",
"Restored %(sessionCount)s session keys": "%(sessionCount)s Sitzungsschlüssel wiederhergestellt",
"Access your secure message history and set up secure messaging by entering your recovery passphrase.": "Greifen Sie auf Ihre sichere Nachrichtenhistorie zu und richten Sie einen sicheren Nachrichtenversand ein, indem Sie Ihre Wiederherstellungspassphrase eingeben.",
"If you've forgotten your recovery passphrase you can <button1>use your recovery key</button1> or <button2>set up new recovery options</button2>": "Wenn du deinen Wiederherstellungspassphrase vergessen hast, kannst du <button1>deinen Wiederherstellungsschlüssel benutzen</button1> oder <button2>neue Wiederherstellungsoptionen einrichten</button2>",
"You've previously used a newer version of Riot on %(host)s. To use this version again with end to end encryption, you will need to sign out and back in again. ": "Du hast kürzlich eine neuere Version von Riot auf %(host)s verwendet. Um diese Version erneut mit Ende-zu-Ende-Verschlüsselung zu nutzen, musst du dich ab- und wieder anmelden. ",
"Access your secure message history and set up secure messaging by entering your recovery key.": "Greifen Sie auf Ihren sicheren Nachrichtenverlauf zu und richten Sie durch Eingabe Ihres Wiederherstellungsschlüssels einen sicheren Nachrichtenversand ein.",
"Set a new status...": "Setze einen neuen Status...",
"Clear status": "Status löschen",
@ -1044,9 +953,6 @@
"Invalid identity server discovery response": "Ungültige Antwort beim Aufspüren des Identitätsservers",
"General failure": "Allgemeiner Fehler",
"Failed to perform homeserver discovery": "Fehler beim Aufspüren des Heimservers",
"Great! This passphrase looks strong enough.": "Gut! Diese Passphrase sieht stark genug aus.",
"As a safety net, you can use it to restore your encrypted message history if you forget your Recovery Passphrase.": "Als Sicherheitsnetz kannst du ihn benutzen um deine verschlüsselte Nachrichtenhistorie wiederherzustellen, falls du deine Wiederherstellungspassphrase vergessen hast.",
"As a safety net, you can use it to restore your encrypted message history.": "Als Sicherheitsnetz kannst du ihn benutzen um deine verschlüsselte Nachrichtenhistorie wiederherzustellen.",
"Set up Secure Message Recovery": "Richte Sichere Nachrichten-Wiederherstellung ein",
"Without setting up Secure Message Recovery, you'll lose your secure message history when you log out.": "Ohne Sichere Nachrichten-Wiederherstellung einzurichten, wirst du deine sichere Nachrichtenhistorie verlieren, wenn du dich abmeldest.",
"If you don't want to set this up now, you can later in Settings.": "Wenn du dies jetzt nicht einrichten willst, kannst du dies später in den Einstellungen tun.",
@ -1055,7 +961,6 @@
"Set up Secure Messages": "Richte sichere Nachrichten ein",
"Go to Settings": "Gehe zu Einstellungen",
"Sign in with single sign-on": "Melden Sie sich mit Single Sign-On an",
"Waiting for %(userId)s to confirm...": "Warte auf Bestätigung für %(userId)s ...",
"Unrecognised address": "Nicht erkannte Adresse",
"User %(user_id)s may or may not exist": "Existenz der Benutzer %(user_id)s unsicher",
"Prompt before sending invites to potentially invalid matrix IDs": "Nachfragen bevor Einladungen zu möglichen ungültigen Matrix IDs gesendet werden",
@ -1112,9 +1017,9 @@
"Language and region": "Sprache und Region",
"Theme": "Design",
"Account management": "Benutzerkontenverwaltung",
"For help with using Riot, click <a>here</a>.": "Um Hilfe zur Benutzung von Riot zu erhalten, klicke <a>hier</a>.",
"For help with using Riot, click <a>here</a> or start a chat with our bot using the button below.": "Um Hilfe zur Benutzung von Riot zu erhalten, klicke <a>hier</a> oder beginne einen Chat mit unserem Bot, indem du den unteren Button klickst.",
"Chat with Riot Bot": "Chatte mit dem Riot Bot",
"For help with using %(brand)s, click <a>here</a>.": "Um Hilfe zur Benutzung von %(brand)s zu erhalten, klicke <a>hier</a>.",
"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 einen Chat mit unserem Bot, indem du den unteren Button klickst.",
"Chat with %(brand)s Bot": "Chatte mit dem %(brand)s Bot",
"Help & About": "Hilfe & Über",
"Bug reporting": "Fehler melden",
"FAQ": "Häufige Fragen",
@ -1198,7 +1103,6 @@
"Timeline": "Chatverlauf",
"Autocomplete delay (ms)": "Verzögerung zur Autovervollständigung (ms)",
"Roles & Permissions": "Rollen & Berechtigungen",
"To link to this room, please add an alias.": "Um zu diesem Raum zu verlinken, füge bitte einen Alias hinzu.",
"Changes to who can read history will only apply to future messages in this room. The visibility of existing history will be unchanged.": "Änderungen daran, wer den Chatverlauf lesen kann werden nur zukünftige Nachrichten in diesem Raum angewendet. Die Sichtbarkeit der existierenden Historie bleibt unverändert.",
"Security & Privacy": "Sicherheit & Datenschutz",
"Encryption": "Verschlüsselung",
@ -1215,11 +1119,6 @@
"Room Name": "Raum-Name",
"Room Topic": "Raum-Thema",
"Join": "Beitreten",
"Use Legacy Verification (for older clients)": "Legacy Verifizierung verwenden (für veraltete Clients)",
"Verify by comparing a short text string.": "Verifizieren durch Vergleichen eines kurzen Textes.",
"Begin Verifying": "Verifizierung beginnen",
"Waiting for partner to accept...": "Warte auf Annahme durch den Gesprächspartner...",
"Use two-way text verification": "Bidirektionale Textverifizierung verwenden",
"Waiting for partner to confirm...": "Warte auf Bestätigung des Gesprächspartners...",
"Incoming Verification Request": "Eingehende Verifikationsanfrage",
"Allow Peer-to-Peer for 1:1 calls": "Erlaube Peer-to-Peer für 1:1-Anrufe",
@ -1231,9 +1130,6 @@
"Credits": "Danksagungen",
"Starting backup...": "Starte Backup...",
"Success!": "Erfolgreich!",
"Recovery key": "Wiederherstellungsschlüssel",
"Confirm your passphrase": "Bestätige deine Passphrase",
"Secure your backup with a passphrase": "Sichere dein Backup mit einer Passphrase",
"Your keys are being backed up (the first backup could take a few minutes).": "Deine Schlüssel werden gesichert (Das erste Backup könnte ein paar Minuten in Anspruch nehmen).",
"Voice & Video": "Sprach- & Videoanruf",
"Never lose encrypted messages": "Verliere niemals verschlüsselte Nachrichten",
@ -1245,14 +1141,12 @@
"Are you sure you want to sign out?": "Bist du sicher, dass du dich abmelden möchtest?",
"Manually export keys": "Manueller Schlüssel Export",
"Composer": "Nachrichteneingabefeld",
"Nothing appearing? Not all clients support interactive verification yet. <button>Use legacy verification</button>.": "Es ist nichts aufgetaucht? Noch nicht alle Clients unterstützen die interaktive Verifikation. <button>Nutze alte Verifikation</button>.",
"Verify this user to mark them as trusted. Trusting users gives you extra peace of mind when using end-to-end encrypted messages.": "Überprüfen Sie diesen Benutzer, um ihn als vertrauenswürdig zu kennzeichnen. Benutzern zu vertrauen gibt Ihnen zusätzliche Sicherheit bei der Verwendung von Ende-zu-Ende-verschlüsselten Nachrichten.",
"I don't want my encrypted messages": "Ich möchte meine verschlüsselten Nachrichten nicht",
"You'll lose access to your encrypted messages": "Du wirst den Zugang zu deinen verschlüsselten Nachrichten verlieren",
"If you run into any bugs or have feedback you'd like to share, please let us know on GitHub.": "Wenn du Fehler bemerkst oder eine Rückmeldung geben möchtest, teile dies uns auf GitHub mit.",
"To help avoid duplicate issues, please <existingIssuesLink>view existing issues</existingIssuesLink> first (and add a +1) or <newIssueLink>create a new issue</newIssueLink> if you can't find it.": "Um doppelte Issues zu vermeiden, <existingIssuesLink>schauen Sie bitte zuerst die existierenden Issues an</existingIssuesLink> (und fügen Sie ein \"+1\" hinzu), oder <newIssueLink>erstellen Sie ein neues Issue</newIssueLink>, wenn Sie keines finden können.",
"Report bugs & give feedback": "Melde Fehler & gebe Rückmeldungen",
"Recovery Key Mismatch": "Wiederherstellungsschlüssel passt nicht",
"Update status": "Aktualisiere Status",
"Set status": "Setze Status",
"Hide": "Verberge",
@ -1286,17 +1180,10 @@
"Create account": "Konto anlegen",
"Registration has been disabled on this homeserver.": "Registrierungen wurden auf diesem Heimserver deaktiviert.",
"Keep going...": "Fortfahren...",
"We'll store an encrypted copy of your keys on our server. Protect your backup with a passphrase to keep it secure.": "Wir werden deine Schlüsselsicherung <b>verschlüsselt</b> auf dem Server speichern. Schütze dafür deine Sicherung mit einer Passphrase.",
"For maximum security, this should be different from your account password.": "Für maximale Sicherheit, sollte dies anders als dein Konto-Passwort sein.",
"Set up with a Recovery Key": "Wiederherstellungsschlüssel einrichten",
"Please enter your passphrase a second time to confirm.": "Bitte gebe deine Passphrase ein weiteres mal zur Bestätigung ein.",
"Your recovery key is a safety net - you can use it to restore access to your encrypted messages if you forget your passphrase.": "Dein Wiederherstellungsschlüssel ist ein Sicherungsnetz - Du kannst ihn benutzen um Zugang zu deinen verschlüsselten Nachrichten zu bekommen, wenn du deine Passphrase vergisst.",
"A new recovery passphrase and key for Secure Messages have been detected.": "Eine neue Wiederherstellungspassphrase und -Schlüssel für sichere Nachrichten wurde festgestellt.",
"Recovery Method Removed": "Wiederherstellungsmethode gelöscht",
"If you didn't remove the recovery method, an attacker may be trying to access your account. Change your account password and set a new recovery method immediately in Settings.": "Wenn du die Wiederherstellungsmethode nicht gelöscht hast, kann ein Angreifer versuchen Zugang zu deinem Konto zu bekommen. Ändere dein Passwort und richte sofort eine neue Wiederherstellungsmethode in den Einstellungen ein.",
"Backup could not be decrypted with this key: please verify that you entered the correct recovery key.": "Sicherung konnte mit diesem Schlüssel nicht entschlüsselt werden: Bitte stelle sicher, dass du den richtigen Wiederherstellungsschlüssel eingegeben hast.",
"Incorrect Recovery Passphrase": "Falsche Wiederherstellungspassphrase",
"Backup could not be decrypted with this passphrase: please verify that you entered the correct recovery passphrase.": "Sicherung konnte nicht mit dieser Passphrase entschlüsselt werden: Bitte stelle sicher, dass du die richtige Wiederherstellungspassphrase eingegeben hast.",
"<b>Warning</b>: you should only set up key backup from a trusted computer.": "<b>Warnung</b>: Du solltest die Schlüsselsicherung nur auf einem vertrauenswürdigen Gerät einrichten.",
"You can use the custom server options to sign into other Matrix servers by specifying a different homeserver URL. This allows you to use this app with an existing Matrix account on a different homeserver.": "Du kannst die angepassten Serveroptionen benutzen um dich an einem anderen Matrixserver anzumelden indem du eine andere Heimserver-Adresse angibst. Dies erlaubt dir diese Anwendung mit einem anderen Matrixkonto auf einem anderen Heimserver zu nutzen.",
"Enter the location of your Modular homeserver. It may use your own domain name or be a subdomain of <a>modular.im</a>.": "Gib die Adresse deines Modular-Heimservers an. Es kann deine eigene Domain oder eine Subdomain von <a>modular.im</a> sein.",
@ -1311,7 +1198,6 @@
"User %(userId)s is already in the room": "Nutzer %(userId)s ist bereits im Raum",
"The user must be unbanned before they can be invited.": "Nutzer müssen entbannt werden, bevor sie eingeladen werden können.",
"Show read receipts sent by other users": "Zeige Lesebestätigungen anderer Benutzer",
"Order rooms in the room list by most important first instead of most recent": "Sortiere Räume in der Raumliste nach Wichtigkeit und nicht nach letzter Aktivität",
"Scissors": "Scheren",
"<a>Upgrade</a> to your own domain": "<a>Upgrade</a> zu deiner eigenen Domain",
"Accept all %(invitedRooms)s invites": "Akzeptiere alle %(invitedRooms)s Einladungen",
@ -1336,10 +1222,6 @@
"Once enabled, encryption for a room cannot be disabled. Messages sent in an encrypted room cannot be seen by the server, only by the participants of the room. Enabling encryption may prevent many bots and bridges from working correctly. <a>Learn more about encryption.</a>": "Sobald aktiviert, kann die Verschlüsselung für einen Raum nicht mehr deaktiviert werden. Nachrichten in einem verschlüsselten Raum können nur noch von Teilnehmern aber nicht mehr vom Server gelesen werden. Einige Bots und Brücken werden vielleicht nicht mehr funktionieren. <a>Lerne mehr über Verschlüsselung</a>",
"Error updating main address": "Fehler beim Aktualisieren der Hauptadresse",
"There was an error updating the room's main address. It may not be allowed by the server or a temporary failure occurred.": "Es gab ein Problem beim Aktualisieren der Raum-Hauptadresse. Es kann sein, dass es vom Server verboten ist oder ein temporäres Problem auftrat.",
"Error creating alias": "Fehler beim Erstellen eines Aliases",
"There was an error creating that alias. It may not be allowed by the server or a temporary failure occurred.": "Es gab einen Fehler beim Erstellen eines Aliases. Entweder ist es dir vom Server nicht erlaubt oder es gab ein temporäres Problem.",
"Error removing alias": "Fehler beim entfernen eines Aliases",
"There was an error removing that alias. It may no longer exist or a temporary error occurred.": "Es gab einen Fehler beim Entfernen eines Aliases. Er existiert vielleicht nicht mehr oder es gab ein temporäres Problem.",
"Error updating flair": "Konnte Abzeichen nicht aktualisieren",
"There was an error updating the flair for this room. The server may not allow it or a temporary error occurred.": "Es gab ein Problem beim Aktualisieren des Abzeichens für diesen Raum. Es kann sein, dass der Server es nicht erlaubt oder ein temporäres Problem auftrat.",
"Power level": "Berechtigungslevel",
@ -1353,10 +1235,9 @@
"Could not load user profile": "Konnte Nutzerprofil nicht laden",
"Your Matrix account on %(serverName)s": "Dein Matrixkonto auf %(serverName)s",
"Name or Matrix ID": "Name oder Matrix ID",
"Your Riot is misconfigured": "Dein Riot ist falsch konfiguriert",
"Your %(brand)s is misconfigured": "Dein %(brand)s ist falsch konfiguriert",
"You cannot modify widgets in this room.": "Du kannst in diesem Raum keine Widgets verändern.",
"Whether or not you're using the 'breadcrumbs' feature (avatars above the room list)": "Ob du die \"Breadcrumbs\"-Funktion nutzt oder nicht (Avatare oberhalb der Raumliste)",
"A conference call could not be started because the integrations server is not available": "Ein Konferenzanruf konnte nicht gestartet werden, da der Integrationsserver nicht verfügbar ist",
"The server does not support the room version specified.": "Der Server unterstützt die angegebene Raumversion nicht.",
"<b>Warning</b>: Upgrading a room will <i>not automatically migrate room members to the new version of the room.</i> We'll post a link to the new room in the old version of the room - room members will have to click this link to join the new room.": "<b>Achtung</b>: Ein Raum-Upgrade wird <i>die Mitglieder des Raumes nicht automatisch auf die neue Version migrieren.</i> Wir werden in der alten Raumversion einen Link zum neuen Raum posten - Raum-Mitglieder müssen dann auf diesen Link klicken um dem neuen Raum beizutreten.",
"Replying With Files": "Mit Dateien antworten",
@ -1372,7 +1253,7 @@
"%(senderName)s revoked the invitation for %(targetDisplayName)s to join the room.": "%(senderName)s hat die Einladung zum Raumbeitritt für %(targetDisplayName)s zurückgezogen.",
"Cannot reach homeserver": "Der Heimserver ist nicht erreichbar",
"Ensure you have a stable internet connection, or get in touch with the server admin": "Stelle sicher, dass du eine stabile Internetverbindung hast oder wende dich an deinen Server-Administrator",
"Ask your Riot admin to check <a>your config</a> for incorrect or duplicate entries.": "Wende dich an deinen Riot Admin um <a>deine Konfiguration</a> auf ungültige oder doppelte Einträge zu überprüfen.",
"Ask your %(brand)s admin to check <a>your config</a> for incorrect or duplicate entries.": "Wende dich an deinen %(brand)s Admin um <a>deine Konfiguration</a> auf ungültige oder doppelte Einträge zu überprüfen.",
"Unexpected error resolving identity server configuration": "Ein unerwarteter Fehler ist beim Laden der Identitätsserver-Konfiguration aufgetreten",
"Cannot reach identity server": "Der Identitätsserver ist nicht erreichbar",
"You can register, but some features will be unavailable until the identity server is back online. If you keep seeing this warning, check your configuration or contact a server admin.": "Du kannst dich registrieren, aber manche Funktionen werden nicht verfügbar sein bis der Identitätsserver wieder online ist. Wenn diese Warnmeldung weiterhin angezeigt wird, überprüfe deine Konfiguration oder kontaktiere deinen Server-Administrator.",
@ -1381,7 +1262,6 @@
"No homeserver URL provided": "Keine Heimserver-URL angegeben",
"Unexpected error resolving homeserver configuration": "Ein unerwarteter Fehler ist beim Laden der Heimserver-Konfiguration aufgetreten",
"The user's homeserver does not support the version of the room.": "Die Raumversion wird vom Heimserver des Benutzers nicht unterstützt.",
"Show recently visited rooms above the room list": "Zeige kürzlich besuchte Räume oberhalb der Raumliste",
"Show hidden events in timeline": "Zeige versteckte Ereignisse in der Chronik",
"Low bandwidth mode": "Modus für niedrige Bandbreite",
"Reset": "Zurücksetzen",
@ -1474,11 +1354,6 @@
"%(senderName)s placed a video call. (not supported by this browser)": "%(senderName)s hat einen Videoanruf getätigt. (Nicht von diesem Browser unterstützt)",
"Verify this session": "Sitzung verifizieren",
"Set up encryption": "Verschlüsselung einrichten",
"%(senderName)s added %(addedAddresses)s and %(count)s other addresses to this room|other": "%(senderName)s hat %(addedAddresses)s und %(count)s Adressen zu diesem Raum hinzugefügt",
"%(senderName)s removed %(removedAddresses)s and %(count)s other addresses from this room|other": "%(senderName)s hat %(removedAddresses)s und %(count)s andere Adressen aus diesem Raum entfernt",
"%(senderName)s removed %(countRemoved)s and added %(countAdded)s addresses to this room": "%(senderName)s hat %(countRemoved)s entfernt und %(countAdded)s Adressen zu diesem Raum hinzugefügt",
"%(senderName)s turned on end-to-end encryption.": "%(senderName)s hat die Ende-zu-Ende Verschlüsselung aktiviert.",
"%(senderName)s turned on end-to-end encryption (unrecognised algorithm %(algorithm)s).": "%(senderName)s hat die Ende-zu-Ende Verschlüsselung aktiviert (unbekannter Algorithmus %(algorithm)s).",
"%(senderName)s updated an invalid ban rule": "%(senderName)s hat eine ungültige Bannregel aktualisiert",
"The message you are trying to send is too large.": "Die Nachricht, die du versuchst zu senden, ist zu lang.",
"a few seconds ago": "vor ein paar Sekunden",
@ -1531,7 +1406,6 @@
"Ignored/Blocked": "Ignoriert/Blockiert",
"Something went wrong. Please try again or view your console for hints.": "Etwas ist schief gelaufen. Bitte versuche es erneut oder sieh für weitere Hinweise in deiner Konsole nach.",
"Error subscribing to list": "Fehler beim Abonnieren der Liste",
"Please verify the room ID or alias and try again.": "Bitte überprüfe die Raum ID oder den Alias und versuche es erneut.",
"Error removing ignored user/server": "Fehler beim Entfernen eines ignorierten Benutzers/Servers",
"Error unsubscribing from list": "Fehler beim Deabonnieren der Liste",
"Please try again or view your console for hints.": "Bitte versuche es erneut oder sieh für weitere Hinweise in deine Konsole.",
@ -1543,19 +1417,14 @@
"View rules": "Regeln betrachten",
"You are currently subscribed to:": "Du abonnierst momentan:",
"⚠ These settings are meant for advanced users.": "⚠ Diese Einstellungen sind für fortgeschrittene Nutzer gedacht.",
"The version of Riot": "Die Riot-Version",
"Whether you're using Riot on a device where touch is the primary input mechanism": "Ob du Riot auf einem Gerät verwendest, bei dem Berührung der primäre Eingabemechanismus ist",
"Whether you're using Riot as an installed Progressive Web App": "Ob Sie Riot als installierte progressive Web-App verwenden",
"Whether you're using %(brand)s on a device where touch is the primary input mechanism": "Ob du %(brand)s auf einem Gerät verwendest, bei dem Berührung der primäre Eingabemechanismus ist",
"Whether you're using %(brand)s as an installed Progressive Web App": "Ob Sie %(brand)s als installierte progressive Web-App verwenden",
"Your user agent": "Dein User-Agent",
"The information being sent to us to help make Riot better includes:": "Zu den Informationen, die uns zugesandt werden, um zu helfen, Riot besser zu machen, gehören:",
"There are unknown sessions in this room: if you proceed without verifying them, it will be possible for someone to eavesdrop on your call.": "Es sind unbekannte Sitzungen in diesem Raum: Wenn du ohne Verifizierung fortfährst, wird es für jemanden möglich sein, deinen Anruf zu belauschen.",
"If you cancel now, you won't complete verifying the other user.": "Wenn Sie jetzt abbrechen, werden Sie die Verifizierung des anderen Nutzers nicht beenden können.",
"If you cancel now, you won't complete verifying your other session.": "Wenn Sie jetzt abbrechen, werden Sie die Verifizierung der anderen Sitzung nicht beenden können.",
"If you cancel now, you won't complete your secret storage operation.": "Wenn Sie jetzt abbrechen, werden Sie die Geheimlagerungsoperation nicht beenden können.",
"Cancel entering passphrase?": "Eingabe der Passphrase abbrechen?",
"Setting up keys": "Einrichten der Schlüssel",
"Encryption upgrade available": "Verschlüsselungs-Update verfügbar",
"Unverified session": "Ungeprüfte Sitzung",
"Verifies a user, session, and pubkey tuple": "Verifiziert einen Benutzer, eine Sitzung und Pubkey-Tupel",
"Unknown (user, session) pair:": "Unbekanntes (Nutzer-, Sitzungs-) Paar:",
"Session already verified!": "Sitzung bereits verifiziert!",
@ -1567,22 +1436,17 @@
"Delete %(count)s sessions|other": "Lösche %(count)s Sitzungen",
"Backup is not signed by any of your sessions": "Die Sicherung ist von keiner Ihrer Sitzungen unterzeichnet",
"Your password was successfully changed. You will not receive push notifications on other sessions until you log back in to them": "Ihr Passwort wurde erfolgreich geändert. Sie erhalten keine Push-Benachrichtigungen zu anderen Sitzungen, bis Sie sich wieder bei diesen anmelden",
"Sessions": "Sitzungen",
"Notification sound": "Benachrichtigungston",
"Set a new custom sound": "Setze einen neuen benutzerdefinierten Ton",
"Browse": "Durchsuche",
"Direct Messages": "Direktnachrichten",
"You can use <code>/help</code> to list available commands. Did you mean to send this as a message?": "Sie können <code>/help</code> benutzen, um verfügbare Befehle aufzulisten. Wollten Sie dies als Nachricht senden?",
"Direct message": "Direktnachricht",
"Set a room alias to easily share your room with other people.": "Setze ein Raum-Alias, um deinen Raum einfach mit anderen Personen zu teilen.",
"Suggestions": "Vorschläge",
"Recently Direct Messaged": "Kürzlich direkt verschickt",
"If you can't find someone, ask them for their username, share your username (%(userId)s) or <a>profile link</a>.": "Wenn Sie niemanden finden können, fragen Sie nach deren Benutzernamen, teilen Sie ihren Benutzernamen (%(userId)s) oder <a>Profil-Link</a>.",
"Go": "Los",
"If you can't find someone, ask them for their username (e.g. @user:server.com) or <a>share this room</a>.": "Wenn Sie niemanden finden können, fragen Sie nach deren Benutzernamen (z.B. @benutzer:server.de) oder <a>teilen Sie diesen Raum</a>.",
"Command Help": "Befehl Hilfe",
"To help us prevent this in future, please <a>send us logs</a>.": "Um uns zu helfen, dies in Zukunft zu vermeiden, <a>senden Sie uns bitte Logs</a>.",
"We recommend you go through the verification process for each session to confirm they belong to their legitimate owner, but you can resend the message without verifying if you prefer.": "Wir empfehlen Ihnen, den Verifizierungsprozess für jede Sitzung zu durchlaufen, um zu bestätigen, dass sie ihrem rechtmäßigen Eigentümer gehören, aber Sie können die Nachricht auch ohne Verifizierung erneut senden, wenn Sie dies bevorzugen.",
"Notification settings": "Benachrichtigungseinstellungen",
"Help": "Hilf uns",
"Filter": "Filtern",
@ -1593,15 +1457,10 @@
"If disabled, messages from encrypted rooms won't appear in search results.": "Wenn deaktiviert, werden Nachrichten von verschlüsselten Räumen nicht in den Ergebnissen auftauchen.",
"This user has not verified all of their sessions.": "Dieser Benutzer hat nicht alle seine Sitzungen verifiziert.",
"You have verified this user. This user has verified all of their sessions.": "Sie haben diesen Benutzer verifiziert. Dieser Benutzer hat alle seine Sitzungen verifiziert.",
"Some sessions for this user are not trusted": "Einige Sitzungen für diesen Benutzer sind nicht vertrauenswürdig",
"All sessions for this user are trusted": "Alle Sitzungen für diesen Benutzer sind vertrauenswürdig",
"Some sessions in this encrypted room are not trusted": "Einige Sitzungen in diesem verschlüsselten Raum sind nicht vertrauenswürdig",
"All sessions in this encrypted room are trusted": "Alle Sitzungen in diesem verschlüsselten Raum sind vertrauenswürdig",
"Your key share request has been sent - please check your other sessions for key share requests.": "Ihre Anfrage zur Schlüssel-Teilung wurde gesendet - bitte überprüfen Sie Ihre anderen Sitzungen auf Anfragen zur Schlüssel-Teilung.",
"Key share requests are sent to your other sessions automatically. If you rejected or dismissed the key share request on your other sessions, click here to request the keys for this session again.": "Anfragen zum Teilen von Schlüsseln werden automatisch an Ihre anderen Sitzungen gesendet. Wenn Sie die Anfragen zum Teilen von Schlüsseln in Ihren anderen Sitzungen abgelehnt oder abgewiesen haben, klicken Sie hier, um die Schlüssel für diese Sitzung erneut anzufordern.",
"If your other sessions do not have the key for this message you will not be able to decrypt them.": "Wenn Ihre anderen Sitzungen nicht über den Schlüssel für diese Nachricht verfügen, können Sie sie nicht entschlüsseln.",
"<requestLink>Re-request encryption keys</requestLink> from your other sessions.": "<requestLink>Fordern Sie Verschlüsselungsschlüssel aus Ihren anderen Sitzungen erneut an</requestLink>.",
"No sessions with registered encryption keys": "Keine Sitzungen mit registrierten Verschlüsselungsschlüsseln",
"Room %(name)s": "Raum %(name)s",
"Upgrading this room will shut down the current instance of the room and create an upgraded room with the same name.": "Ein Upgrade dieses Raums schaltet die aktuelle Instanz des Raums ab und erstellt einen aktualisierten Raum mit demselben Namen.",
"%(name)s (%(userId)s) signed in to a new session without verifying it:": "%(name)s (%(userId)s) hat sich zu einer neuen Sitzung angemeldet, ohne sie zu verifizieren:",
@ -1630,18 +1489,9 @@
"Session name": "Name der Sitzung",
"This will allow you to return to your account after signing out, and sign in on other sessions.": "So können Sie nach der Abmeldung zu Ihrem Konto zurückkehren und sich bei anderen Sitzungen anmelden.",
"Use bots, bridges, widgets and sticker packs": "Benutze Bots, Bridges, Widgets und Sticker-Packs",
"You are currently blacklisting unverified sessions; to send messages to these sessions you must verify them.": "Sie blockieren derzeit nicht verifizierte Sitzungen; um Nachrichten an diese Sitzungen zu senden, müssen Sie sie verifizieren.",
"Room contains unknown sessions": "Raum enthält unbekannte Sitzungen",
"\"%(RoomName)s\" contains sessions that you haven't seen before.": "\"%(RoomName)s\" enthält Sitzungen, die Sie noch nie zuvor gesehen haben.",
"Unknown sessions": "Unbekannte Sitzungen",
"Access your secure message history and your cross-signing identity for verifying other sessions by entering your passphrase.": "Greifen Sie durch Eingabe Ihrer Passphrase auf Ihren sicheren Nachrichtenverlauf und Ihre Quersignatur-Identität zu, um andere Sitzungen zu überprüfen.",
"Access your secure message history and your cross-signing identity for verifying other sessions by entering your recovery key.": "Greifen Sie durch Eingabe Ihres Wiederherstellungsschlüssels auf Ihren sicheren Nachrichtenverlauf und Ihre Quersignatur-Identität zur Überprüfung anderer Sitzungen zu.",
"Message not sent due to unknown sessions being present": "Nachricht wird nicht gesendet, da unbekannte Sitzungen vorhanden sind",
"<showSessionsText>Show sessions</showSessionsText>, <sendAnywayText>send anyway</sendAnywayText> or <cancelText>cancel</cancelText>.": "<showSessionsText>Sitzungen anzeigen</showSessionsText>, <sendAnywayText>trotzdem senden</sendAnywayText> oder <cancelText>abbrechen</cancelText>.",
"Changing your password will reset any end-to-end encryption keys on all of your sessions, making encrypted chat history unreadable. Set up Key Backup or export your room keys from another session before resetting your password.": "Wenn Sie Ihr Passwort ändern, werden alle End-to-End-Verschlüsselungsschlüssel für alle Ihre Sitzungen zurückgesetzt, sodass der verschlüsselte Chat-Verlauf nicht mehr lesbar ist. Richten Sie ein Schlüssel-Backup ein oder exportieren Sie Ihre Raumschlüssel aus einer anderen Sitzung, bevor Sie Ihr Passwort zurücksetzen.",
"You have been logged out of all sessions and will no longer receive push notifications. To re-enable notifications, sign in again on each device.": "Sie wurden von allen Sitzungen abgemeldet und erhalten keine Push-Benachrichtigungen mehr. Um die Benachrichtigungen wieder zu aktivieren, melden Sie sich auf jedem Gerät erneut an.",
"Upgrade this session to allow it to verify other sessions, granting them access to encrypted messages and marking them as trusted for other users.": "Aktualisieren Sie diese Sitzung, damit sie andere Sitzungen verifizieren kann, indem sie ihnen Zugang zu verschlüsselten Nachrichten gewährt und sie für andere Benutzer als vertrauenswürdig markiert.",
"Set up encryption on this session to allow it to verify other sessions, granting them access to encrypted messages and marking them as trusted for other users.": "Richten Sie für diese Sitzung eine Verschlüsselung ein, damit sie andere Sitzungen verifizieren kann, indem sie ihnen Zugang zu verschlüsselten Nachrichten gewährt und sie für andere Benutzer als vertrauenswürdig markiert.",
"Sign out and remove encryption keys?": "Abmelden und Verschlüsselungsschlüssel entfernen?",
"Sign in to your Matrix account on <underlinedServerName />": "Melde dich bei deinem Matrix-Konto auf <underlinedServerName /> an",
"Enter your password to sign in and regain access to your account.": "Gib dein Passwort ein, um dich anzumelden und wieder Zugang zu deinem Konto zu erhalten.",
@ -1659,7 +1509,6 @@
"Start": "Starte",
"Discovery": "Kontakte",
"Done": "Erledigt",
"Manually Verify": "Manuell verifizieren",
"Trusted": "Vertrauenswürdig",
"Not trusted": "Nicht vertrauenswürdig",
"%(count)s verified sessions|one": "1 verifizierte Sitzung",
@ -1714,7 +1563,6 @@
"You're previewing %(roomName)s. Want to join it?": "Du betrachtest %(roomName)s. Willst du beitreten?",
"%(senderName)s added the alternative addresses %(addresses)s for this room.|one": "%(senderName)s hat die alternative Adresse 2%(addresses)s für diesen Raum hinzugefügt.",
"%(senderName)s changed the addresses for this room.": "%(senderName)s hat die Adresse für diesen Raum geändert.",
"Review Sessions": "Sitzungen überprüfen",
"Displays information about a user": "Zeigt Informationen über einen Benutzer",
"%(senderDisplayName)s changed the room name from %(oldRoomName)s to %(newRoomName)s.": "%(senderDisplayName)s hat den Raumnamen von %(oldRoomName)s zu %(newRoomName)s geändert.",
"%(senderName)s added the alternative addresses %(addresses)s for this room.|other": "%(senderName)s hat die alternative Adresse %(addresses)s für diesen Raum hinzugefügt.",
@ -1767,9 +1615,7 @@
"Create a public room": "Erstelle einen öffentlichen Raum",
"Show advanced": "Weitere Einstellungen anzeigen",
"Verify session": "Sitzung verifizieren",
"To verify that this session can be trusted, please contact its owner using some other means (e.g. in person or a phone call) and ask them whether the key they see in their User Settings for this session matches the key below:": "Um diese Sitzung zu verifizieren kontaktiere bitte den Benutzer über einen anderen Kanal (z.B. persönlich oder mit einem Telefonanruf) und frage ihn ob der Sitzungsschlüssel in seinen Benutzereinstellungen mit dem hier angezeigten übereinstimmt:",
"Session key": "Sitzungsschlüssel",
"If it matches, press the verify button below. If it doesn't, then someone else is intercepting this session and you probably want to press the blacklist button instead.": "Wenn die Sitzungsschlüssel übereinstimmen, drücke den Knopf zur Bestätigung. Stimmen sie nicht überein versucht jemand diese Sitzung abzufangen und du solltest diese Sitzung blockieren.",
"Recent Conversations": "Letzte Unterhaltungen",
"Report Content to Your Homeserver Administrator": "Inhalte an den Administrator deines Heimservers melden",
"Reporting this message will send its unique 'event ID' to the administrator of your homeserver. If messages in this room are encrypted, your homeserver administrator will not be able to read the message text or view any files or images.": "Wenn du diese Nachricht meldest wird dessen einzigartige 'event ID' an den Administrator deines Heimservers übermittelt. Wenn die Nachrichten in diesem Raum verschlüsselt sind wird dein Administrator nicht in der Lage sein den Text zu lesen oder Medien einzusehen.",
@ -1780,13 +1626,11 @@
"Set an email for account recovery. Use email to optionally be discoverable by existing contacts.": "Gib eine E-Mail-Adresse an um dein Konto wiederherstellen zu können. Die E-Mail-Adresse kann auch genutzt werden um deinen Kontakt zu finden.",
"Enter your custom homeserver URL <a>What does this mean?</a>": "Gib eine andere Heimserver-Adresse an <a>Was bedeutet das?</a>",
"%(creator)s created and configured the room.": "%(creator)s hat den Raum erstellt und konfiguriert.",
"Sender session information": "Absender Sitzungsinformationen",
"Set up with a recovery key": "Mit einem Wiederherstellungsschlüssel einrichten",
"Keep a copy of it somewhere secure, like a password manager or even a safe.": "Bewahre ihn sicher auf, wie in einem Passwort-Manager oder einem Safe.",
"Your recovery key": "Dein Wiederherstellungsschlüssel",
"Copy": "In Zwischenablage kopieren",
"Make a copy of your recovery key": "Speichere deinen Wiederherstellungsschlüssel",
"Unverified login. Was this you?": "Nicht verifizierte Anmeldung. Bist du es gewesen?",
"Sends a message as html, without interpreting it as markdown": "Verschickt eine Nachricht im html-Format, ohne sie in Markdown zu formatieren",
"Show rooms with unread notifications first": "Räume mit nicht gelesenen Benachrichtungen zuerst zeigen",
"Show shortcuts to recently viewed rooms above the room list": "Kurzbefehlezu den kürzlich gesichteteten Räumen über der Raumliste anzeigen",
@ -1809,13 +1653,8 @@
"Manually Verify by Text": "Verifiziere manuell mit einem Text",
"Interactively verify by Emoji": "Verifiziere interaktiv mit Emojis",
"Support adding custom themes": "Unterstütze das Hinzufügen von benutzerdefinierten Designs",
"Enable cross-signing to verify per-user instead of per-session": "Aktiviere Cross-Signing um pro Benutzer statt pro Sitzung zu verifizieren",
"Ask this user to verify their session, or manually verify it below.": "Bitte diese/n Nutzer!n, seine/ihre Sitzung zu verifizieren, oder verifiziere diese unten manuell.",
"Enable local event indexing and E2EE search (requires restart)": "Aktiviere lokale Ereignis-Indizierung und E2EE-Suche (erfordert Neustart)",
"a few seconds from now": "in ein paar Sekunden",
"Show a presence dot next to DMs in the room list": "Verfügbarkeitspunkt neben den Direktnachrichten in der Raumliste anzeigen",
"Show padlocks on invite only rooms": "Zeige Schlösser an Räumen, welchen nur mit Einladung beigetreten werden kann",
"Keep recovery passphrase in memory for this session": "Behalte die Wiederherstellungspassphrase für diese Sitzung im Speicher",
"Manually verify all remote sessions": "Verifiziere alle Remotesitzungen",
"Confirm the emoji below are displayed on both sessions, in the same order:": "Bestätige, dass die unten angezeigten Emojis auf beiden Sitzungen in der selben Reihenfolge angezeigt werden:",
"Verify this session by confirming the following number appears on its screen.": "Verfiziere diese Sitzung, indem du bestätigst, dass die folgende Nummer auf ihrem Bildschirm erscheint.",
@ -1833,7 +1672,6 @@
"Workspace: %(networkName)s": "Arbeitsbereich: %(networkName)s",
"Channel: %(channelName)s": "Kanal: %(channelName)s",
"Show less": "Weniger zeigen",
"<b>Warning</b>: You should only do this on a trusted computer.": "<b>Achtung</b>: Du solltest das nur auf einem vertrauenswürdigen Gerät tun.",
"<b>Warning</b>: You should only set up key backup from a trusted computer.": "<b>Achtung</b>: Du solltest die Schlüsselsicherung nur auf einem vertrauenswürdigen Gerät einrichten.",
"Regain access to your account and recover encryption keys stored in this session. Without them, you wont be able to read all of your secure messages in any session.": "Melde dich an um die ausschließlich in dieser Sitzung gespeicherten Verschlüsselungsschlüssel wiederherzustellen. Du benötigst sie, um deine verschlüsselten Nachrichten in jeder Sitzung zu lesen.",
"Forgotten your password?": "Passwort vergessen?",
@ -1854,7 +1692,6 @@
"You'll need to authenticate with the server to confirm the upgrade.": "Du musst dich am Server authentifizieren um die Aktualisierung zu bestätigen.",
"Enter your recovery passphrase a second time to confirm it.": "Gib deine Wiederherstellungspassphrase zur Bestätigung erneut ein.",
"Confirm your recovery passphrase": "Bestätige deine Wiederherstellungspassphrase",
"Confirm recovery passphrase": "Bestätige die Wiederherstellungspassphrase",
"Please enter your recovery passphrase a second time to confirm.": "Bitte gib deine Wiederherstellungspassphrase ein zweites Mal ein um sie zu bestätigen.",
"Review where youre logged in": "Überprüfe, wo du eingeloggt bist",
"New login. Was this you?": "Neue Anmeldung. Warst du das?",
@ -1866,7 +1703,7 @@
"Error adding ignored user/server": "Fehler beim Hinzufügen eines ignorierten Nutzers/Servers",
"None": "Keine",
"Ban list rules - %(roomName)s": "Verbotslistenregeln - %(roomName)s",
"Add users and servers you want to ignore here. Use asterisks to have Riot match any characters. For example, <code>@bot:*</code> would ignore all users that have the name 'bot' on any server.": "Füge hier Benutzer!nnen und Server hinzu, die du ignorieren willst. Verwende Sternchen, damit Riot mit beliebigen Zeichen übereinstimmt. Bspw. würde <code>@bot: *</code> alle Benutzer!nnen ignorieren, die auf einem Server den Namen 'bot' haben.",
"Add users and servers you want to ignore here. Use asterisks to have %(brand)s match any characters. For example, <code>@bot:*</code> would ignore all users that have the name 'bot' on any server.": "Füge hier Benutzer!nnen und Server hinzu, die du ignorieren willst. Verwende Sternchen, damit %(brand)s mit beliebigen Zeichen übereinstimmt. Bspw. würde <code>@bot: *</code> alle Benutzer!nnen ignorieren, die auf einem Server den Namen 'bot' haben.",
"Ignoring people is done through ban lists which contain rules for who to ban. Subscribing to a ban list means the users/servers blocked by that list will be hidden from you.": "Ignorieren von Personen erfolgt über Sperrlisten. Wenn eine Sperrliste abonniert wird, werden die von dieser Liste blockierten Benutzer!nnen/Server ausgeblendet.",
"Personal ban list": "Persönliche Sperrliste",
"Your personal ban list holds all the users/servers you personally don't want to see messages from. After ignoring your first user/server, a new room will show up in your room list named 'My Ban List' - stay in this room to keep the ban list in effect.": "Deine persönliche Sperrliste enthält alle Benutzer!nnen/Server, von denen du persönlich keine Nachrichten sehen willst. Nachdem du den ersten Benutzer/Server ignoriert hast, wird in der Raumliste \"Meine Sperrliste\" angezeigt - bleibe in diesem Raum, um die Sperrliste aufrecht zu halten.",
@ -1875,7 +1712,6 @@
"Subscribed lists": "Abonnierte Listen",
"Subscribing to a ban list will cause you to join it!": "Eine Verbotsliste abonnieren bedeutet ihr beizutreten!",
"If this isn't what you want, please use a different tool to ignore users.": "Wenn dies nicht das ist, was du willst, verwende ein anderes Tool, um Benutzer!nnen zu ignorieren.",
"Room ID or alias of ban list": "Raum-ID oder -Alias der Sperrliste",
"Subscribe": "Abonnieren",
"Always show the window menu bar": "Fenstermenüleiste immer anzeigen",
"Show tray icon and minimize window to it on close": "Taskleistensymbol anzeigen und Fenster beim Schließen dorthin minimieren",
@ -1894,7 +1730,6 @@
"Verify your other session using one of the options below.": "Verifiziere deine andere Sitzung mit einer der folgenden Optionen.",
"You signed in to a new session without verifying it:": "Du hast dich in einer neuen Sitzung angemeldet ohne sie zu verifizieren:",
"Other users may not trust it": "Andere Benutzer vertrauen ihr vielleicht nicht",
"Update your secure storage": "Aktualisiere deinen sicheren Speicher",
"Upgrade": "Hochstufen",
"Verify the new login accessing your account: %(name)s": "Verifiziere die neue Anmeldung an deinem Konto: %(name)s",
"From %(deviceName)s (%(deviceId)s)": "Von %(deviceName)s (%(deviceId)s)",
@ -1918,16 +1753,12 @@
"in account data": "in den Kontodaten",
"Homeserver feature support:": "Heimserverunterstützung:",
"exists": "existiert",
"Secret Storage key format:": "Sicherer Speicher Schlüssel Format:",
"outdated": "abgelaufen",
"up to date": "aktuell",
"Delete sessions|other": "Lösche Sitzungen",
"Delete sessions|one": "Lösche Sitzung",
"Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "Sitzungen eines Benutzers einzeln verifizieren. Geräten, die ein Benutzer als vertrauenswürdig markiert hat, wird nicht automatisch vertraut (cross-signing).",
"Securely cache encrypted messages locally for them to appear in search results, using ": "Der Zwischenspeicher für die lokale Suche in verschlüsselten Nachrichten benötigt ",
" to store messages from ": " um Nachrichten aus ",
"Riot is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom Riot Desktop with <nativeLink>search components added</nativeLink>.": "Riot benötigt weitere Komponenten um verschlüsselte Nachrichten lokal zu durchsuchen. Wenn du diese Funktion testen möchtest kannst du dir deine eigene Version von Riot Desktop mit der <nativeLink>integrierten Suchfunktion bauen</nativeLink>.",
"Riot can't securely cache encrypted messages locally while running in a web browser. Use <riotLink>Riot Desktop</riotLink> for encrypted messages to appear in search results.": "Riot kann verschlüsselte Nachrichten nicht lokal durchsuchen während es im Browser läuft. Verwende <riotLink>Riot Desktop</riotLink> damit verschlüsselte Nachrichten mit der Suchfunktion gefunden werden.",
"%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with <nativeLink>search components added</nativeLink>.": "%(brand)s benötigt weitere Komponenten um verschlüsselte Nachrichten lokal zu durchsuchen. Wenn du diese Funktion testen möchtest kannst du dir deine eigene Version von %(brand)s Desktop mit der <nativeLink>integrierten Suchfunktion bauen</nativeLink>.",
"Backup has a <validity>valid</validity> signature from this user": "Die Sicherung hat eine <validity>gültige</validity> Signatur dieses Benutzers",
"Backup has a <validity>invalid</validity> signature from this user": "Die Sicherung hat eine <validity>ungültige</validity> Signatur dieses Benutzers",
"Backup has a <validity>valid</validity> signature from <verify>verified</verify> session <device></device>": "Die Sicherung hat eine <validity>gültige</validity> Signatur von einer <verify>verifizierten</verify> Sitzung <device></device>",
@ -1981,10 +1812,10 @@
"Try to join anyway": "Versuche trotzdem beizutreten",
"You can still join it because this is a public room.": "Du kannst trotzdem beitreten da dies ein öffentlicher Raum ist.",
"This invite to %(roomName)s was sent to %(email)s which is not associated with your account": "Diese Einladung zu %(roomName)s wurde an die Adresse %(email)s gesendet, die nicht zu deinem Konto gehört",
"Link this email with your account in Settings to receive invites directly in Riot.": "Verbinde diese E-Mail-Adresse in den Einstellungen mit deinem Konto um die Einladungen direkt in Riot zu erhalten.",
"Link this email with your account in Settings to receive invites directly in %(brand)s.": "Verbinde diese E-Mail-Adresse in den Einstellungen mit deinem Konto um die Einladungen direkt in %(brand)s zu erhalten.",
"This invite to %(roomName)s was sent to %(email)s": "Diese Einladung zu %(roomName)s wurde an %(email)s gesendet",
"Use an identity server in Settings to receive invites directly in Riot.": "Verknüpfe einen Identitätsserver in den Einstellungen um die Einladungen direkt in Riot zu erhalten.",
"Share this email in Settings to receive invites directly in Riot.": "Teile diese E-Mail-Adresse in den Einstellungen um Einladungen direkt in Riot zu erhalten.",
"Use an identity server in Settings to receive invites directly in %(brand)s.": "Verknüpfe einen Identitätsserver in den Einstellungen um die Einladungen direkt in %(brand)s zu erhalten.",
"Share this email in Settings to receive invites directly in %(brand)s.": "Teile diese E-Mail-Adresse in den Einstellungen um Einladungen direkt in %(brand)s zu erhalten.",
"%(roomName)s can't be previewed. Do you want to join it?": "Für %(roomName)s kann keine Vorschau erzeugt werden. Möchtest du den Raum betreten?",
"This room doesn't exist. Are you sure you're at the right place?": "Dieser Raum existiert nicht. Bist du sicher dass du hier richtig bist?",
"Try again later, or ask a room admin to check if you have access.": "Versuche es später erneut oder bitte einen Raum-Administrator deine Zutrittsrechte zu überprüfen.",
@ -2004,7 +1835,6 @@
"Failed to connect to integration manager": "Fehler beim Verbinden mit dem Integrationsserver",
"Could not revoke the invite. The server may be experiencing a temporary problem or you do not have sufficient permissions to revoke the invite.": "Konnte die Einladung nicht zurückziehen. Der Server hat ein vorübergehendes Problem oder du besitzt nicht die nötigen Rechte um die Einladung zurückzuziehen.",
"Mark all as read": "Alle als gelesen markieren",
"You don't have permission to delete the alias.": "Du hast nicht die nötigen Rechte um den Alias zu löschen.",
"Local address": "Lokale Adresse",
"Published Addresses": "Öffentliche Adresse",
"Published addresses can be used by anyone on any server to join your room. To publish an address, it needs to be set as a local address first.": "Öffentliche Adressen können von jedem verwendet werden um den Raum zu betreten. Um eine Adresse zu veröffentlichen musst du zunächst eine lokale Adresse anlegen.",
@ -2030,7 +1860,6 @@
"Yours, or the other users session": "Deine Sitzung oder die des anderen Benutzers",
"<strong>%(role)s</strong> in %(roomName)s": "<strong>%(role)s</strong> in %(roomName)s",
"This client does not support end-to-end encryption.": "Diese Anwendung unterstützt keine Ende-zu-Ende-Verschlüsselung.",
"The session you are trying to verify doesn't support scanning a QR code or emoji verification, which is what Riot supports. Try with a different client.": "Die Sitzung, die du verifizieren möchtest, unterstützt weder das Scannen eines QR Codes noch die Emoji Verifikation. Bitte versuche es mit einer anderen Anwendung.",
"Verify by scanning": "Mit Scannen eines QR Codes verifizieren",
"If you can't scan the code above, verify by comparing unique emoji.": "Wenn du den obenstehenden Code nicht scannen kannst versuche es mit der Emoji Verifikation.",
"Verify all users in a room to ensure it's secure.": "Verifiziere alle Benutzer in einem Raum um die vollständige Sicherheit zu gewährleisten.",
@ -2078,7 +1907,7 @@
"Your avatar URL": "Deine Avatar URL",
"Your user ID": "Deine Benutzer ID",
"Your theme": "Dein Design",
"Riot URL": "Riot URL",
"%(brand)s URL": "%(brand)s URL",
"Room ID": "Raum ID",
"Widget ID": "Widget ID",
"Using this widget may share data <helpIcon /> with %(widgetDomain)s & your Integration Manager.": "Wenn du dieses Widget verwendest können Daten <helpIcon /> zu %(widgetDomain)s und deinem Integrationsserver übertragen werden.",
@ -2093,11 +1922,7 @@
"%(severalUsers)smade no changes %(count)s times|one": "%(severalUsers)shaben keine Änderung vorgenommen",
"%(oneUser)smade no changes %(count)s times|other": "%(oneUser)shat %(count)s mal keine Änderung vorgenommen",
"%(oneUser)smade no changes %(count)s times|one": "%(oneUser)shat keine Änderung vorgenommen",
"Room alias": "Raum Alias",
"Some characters not allowed": "Manche Zeichen sind nicht erlaubt",
"Please provide a room alias": "Bitte lege einen Raum Alias an",
"This alias is available to use": "Dieser Alias kann verwendet werden",
"This alias is already in use": "Dieser Alias wird bereits verwendet",
"Enter a server name": "Gibt einen Servernamen ein",
"Looks good": "Das sieht gut aus",
"Can't find this server or its room list": "Kann diesen Server oder seine Raumliste nicht finden",
@ -2134,9 +1959,6 @@
"Something went wrong trying to invite the users.": "Beim Einladen der Benutzer ist ein Fehler aufgetreten.",
"Failed to find the following users": "Kann die folgenden Benutzer nicht finden",
"The following users might not exist or are invalid, and cannot be invited: %(csvNames)s": "Die folgenden Benutzer konnten nicht eingeladen werden, da sie nicht existieren oder ungültig sind: %(csvNames)s",
"You added a new session '%(displayName)s', which is requesting encryption keys.": "Du hast eine neue Sitzung '%(displayName)s' hinzugefügt, die deine Verschlüsselungsschlüssel anfordert.",
"Your unverified session '%(displayName)s' is requesting encryption keys.": "Deine nicht verifizierte Sitzung '%(displayName)s' fordert deine Verschlüsselungsschlüssel an.",
"Loading session info...": "Lade Sitzungsinformationen...",
"a new master key signature": "Eine neue Hauptschlüssel Signatur",
"a new cross-signing key signature": "Eine neue cross-signing Schlüssel Signatur",
"a device cross-signing signature": "Eine Geräte Schlüssel Signatur",
@ -2168,7 +1990,7 @@
"Automatically invite users": "Benutzer automatisch einladen",
"Upgrade private room": "Privaten Raum hochstufen",
"Upgrade public room": "Öffentlichen Raum hochstufen",
"This usually only affects how the room is processed on the server. If you're having problems with your Riot, please <a>report a bug</a>.": "Dies wirkt sich normalerweise nur darauf aus, wie der Raum auf dem Server verarbeitet wird. Wenn du Probleme mit deinem Riot hast, <a>melde bitte einen Bug</a>.",
"This usually only affects how the room is processed on the server. If you're having problems with your %(brand)s, please <a>report a bug</a>.": "Dies wirkt sich normalerweise nur darauf aus, wie der Raum auf dem Server verarbeitet wird. Wenn du Probleme mit deinem %(brand)s hast, <a>melde bitte einen Bug</a>.",
"You'll upgrade this room from <oldVersion /> to <newVersion />.": "Du wirst diesen Raum von <oldVersion /> zu <newVersion /> aktualisieren.",
"Missing session data": "Fehlende Sitzungsdaten",
"Your browser likely removed this data when running low on disk space.": "Dein Browser hat diese Daten wahrscheinlich entfernt als der Festplattenspeicher knapp wurde.",
@ -2194,7 +2016,6 @@
"Take picture": "Foto machen",
"User Status": "Benutzerstatus",
"Country Dropdown": "Landauswahl",
"If you've forgotten your recovery key you can <button>set up new recovery options</button>.": "Wenn du deinen Wiederherstellungsschlüssel vergessen hast, kannst du <button>neue Wiederherstellungsoptionen einrichten</button>.",
"Recovery key mismatch": "Nicht übereinstimmende Wiederherstellungsschlüssel",
"Incorrect recovery passphrase": "Falsche Wiederherstellungspassphrase",
"If you've forgotten your recovery key you can <button>set up new recovery options</button>": "Wenn du deine Wiederherstellungsschlüssel vergessen hast, kannst du <button>neue Wiederherstellungsoptionen einrichten</button>",
@ -2214,7 +2035,7 @@
"Create a Group Chat": "Erstelle einen Gruppenchat",
"Use lowercase letters, numbers, dashes and underscores only": "Verwende nur Kleinbuchstaben, Zahlen, Bindestriche und Unterstriche",
"Enter your custom identity server URL <a>What does this mean?</a>": "URL deines benutzerdefinierten Identitätsservers eingeben <a>Was bedeutet das?</a>",
"Riot failed to get the public room list.": "Riot konnte die Liste der öffentlichen Räume nicht laden.",
"%(brand)s failed to get the public room list.": "%(brand)s konnte die Liste der öffentlichen Räume nicht laden.",
"Verify this login": "Diese Anmeldung verifizieren",
"Syncing...": "Synchronisiere...",
"Signing In...": "Melde an...",
@ -2222,7 +2043,6 @@
"Jump to first unread room.": "Zum ersten ungelesenen Raum springen.",
"Jump to first invite.": "Zur ersten Einladung springen.",
"You have %(count)s unread notifications in a prior version of this room.|other": "Du hast %(count)s ungelesene Benachrichtigungen in einer früheren Version dieses Raums.",
" (1/%(totalCount)s)": " (1/%(totalCount)s)",
"Session verified": "Sitzung verifiziert",
"Failed to get autodiscovery configuration from server": "Abrufen der Autodiscovery-Konfiguration vom Server fehlgeschlagen",
"Invalid base_url for m.homeserver": "Ungültige base_url für m.homeserver",
@ -2250,16 +2070,14 @@
"%(severalUsers)smade no changes %(count)s times|other": "%(severalUsers)s haben %(count)s mal nichts geändert",
"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.": "Das Löschen von Cross-Signing-Schlüsseln ist dauerhaft. Jeder, mit dem du dich verifiziert hast, bekommt Sicherheitswarnungen angezeigt. Du möchtest dies mit ziemlicher Sicherheit nicht tun, es sei denn, du hast jedes Gerät verloren, von dem aus du ein Cross-Signing durchführen kannst.",
"Clearing all data from this session is permanent. Encrypted messages will be lost unless their keys have been backed up.": "Das Löschen aller Daten aus dieser Sitzung ist dauerhaft. Verschlüsselte Nachrichten gehen verloren, sofern deine Schlüssel nicht gesichert wurden.",
"To verify that this session can be trusted, please check that the key you see in User Settings on that device matches the key below:": "Um zu Überprüfen, ob dieser Sitzung vertraut werden kann, vergewissere dich, ob der in den Benutzereinstellungen auf diesem Gerät angezeigte Schlüssel mit dem folgenden übereinstimmt:",
"Verifying this user will mark their session as trusted, and also mark your session as trusted to them.": "Wenn du diesen Benutzer verifizierst werden seine Sitzungen für dich und deine Sitzungen für ihn als vertrauenswürdig markiert.",
"Verify this device to mark it as trusted. Trusting this device gives you and other users extra peace of mind when using end-to-end encrypted messages.": "Verifiziere dieses Gerät, um es als vertrauenswürdig zu markieren. Das Vertrauen in dieses Gerät gibt dir und anderen Benutzern zusätzliche Sicherheit, wenn ihr Ende-zu-Ende verschlüsselte Nachrichten verwendet.",
"Verifying this device will mark it as trusted, and users who have verified with you will trust this device.": "Verifiziere dieses Gerät und es wird es als vertrauenswürdig markiert. Benutzer, die sich bei dir verifiziert haben, werden diesem Gerät auch vertrauen.",
"Your Riot doesn't allow you to use an Integration Manager to do this. Please contact an admin.": "Dein Riot erlaubt dir nicht, eine Integrationsverwaltung zu verwenden, um dies zu tun. Bitte kontaktiere einen Administrator.",
"Your %(brand)s doesn't allow you to use an Integration Manager to do this. Please contact an admin.": "Dein %(brand)s erlaubt dir nicht, eine Integrationsverwaltung zu verwenden, um dies zu tun. Bitte kontaktiere einen Administrator.",
"We couldn't create your DM. Please check the users you want to invite and try again.": "Wir konnten deine Direktnachricht nicht erstellen. Bitte überprüfe den Benutzer, den du einladen möchtest, und versuche es erneut.",
"We couldn't invite those users. Please check the users you want to invite and try again.": "Wir konnten diese Benutzer nicht einladen. Bitte überprüfe sie und versuche es erneut.",
"Start a conversation with someone using their name, username (like <userId/>) or email address.": "Starte eine Unterhaltung mit jemandem indem du seinen Namen, Benutzernamen (z.B. <userId/>) oder E-Mail-Adresse eingibst.",
"Invite someone using their name, username (like <userId/>), email address or <a>share this room</a>.": "Lade jemanden mit seinem Namen, Benutzernamen (z.B. <userId/>) oder E-Mail-Adresse ein oder <a>teile diesen Raum</a>.",
"Riot encountered an error during upload of:": "Es trat ein Fehler auf beim Hochladen von:",
"Upload completed": "Hochladen abgeschlossen",
"Cancelled signature upload": "Hochladen der Signatur abgebrochen",
"Unable to upload": "Hochladen nicht möglich",
@ -2276,7 +2094,6 @@
"Some session data, including encrypted message keys, is missing. Sign out and sign in to fix this, restoring keys from backup.": "Einige Sitzungsdaten, einschließlich der Verschlüsselungsschlüssel, fehlen. Melde dich ab, wieder an und stelle die Schlüssel aus der Sicherung wieder her um dies zu beheben.",
"A widget located at %(widgetUrl)s would like to verify your identity. By allowing this, the widget will be able to verify your user ID, but not perform actions as you.": "Ein Widget unter %(widgetUrl)s möchte deine Identität überprüfen. Wenn du dies zulässt, kann das Widget deine Nutzer-ID überprüfen, jedoch keine Aktionen in deinem Namen ausführen.",
"Unable to access secret storage. Please verify that you entered the correct recovery passphrase.": "Der sichere Speicher konnte nicht geladen werden. Bitte stelle sicher dass du die richtige Wiederherstellungspassphrase eingegeben hast.",
"Unable to access secret storage. Please verify that you entered the correct recovery key.": "Zugriff auf sicheren Speicher nicht möglich. Bitte überprüfe, ob du den richtigen Wiederherstellungsschlüssel eingegeben hast.",
"Backup could not be decrypted with this recovery key: please verify that you entered the correct recovery key.": "Die Sicherung konnte nicht mit dem angegebenen Wiederherstellungsschlüssel entschlüsselt werden: Bitte überprüfe ob du den richtigen Wiederherstellungsschlüssel eingegeben hast.",
"Backup could not be decrypted with this recovery passphrase: please verify that you entered the correct recovery passphrase.": "Die Sicherung konnte mit diesem Wiederherstellungsschlüssel nicht entschlüsselt werden: Bitte überprüfe ob du den richtigen Wiederherstellungspassphrase eingegeben hast.",
"Nice, strong password!": "Super, ein starkes Passwort!",
@ -2284,11 +2101,10 @@
"Set an email for account recovery. Use email or phone to optionally be discoverable by existing contacts.": "Lege eine E-Mail für die Kontowiederherstellung fest. Verwende optional E-Mail oder Telefon, um von Anderen gefunden zu werden.",
"Explore Public Rooms": "Erkunde öffentliche Räume",
"If you've joined lots of rooms, this might take a while": "Du bist einer Menge Räumen beigetreten, das kann eine Weile dauern",
"Riot failed to get the protocol list from the homeserver. The homeserver may be too old to support third party networks.": "Riot konnte die Protokollliste nicht vom Heimserver abrufen. Der Heimserver ist möglicherweise zu alt, um Netzwerke von Drittanbietern zu unterstützen.",
"%(brand)s failed to get the protocol list from the homeserver. The homeserver may be too old to support third party networks.": "%(brand)s konnte die Protokollliste nicht vom Heimserver abrufen. Der Heimserver ist möglicherweise zu alt, um Netzwerke von Drittanbietern zu unterstützen.",
"No identity server is configured: add one in server settings to reset your password.": "Kein Identitätsserver konfiguriert: Füge einen in den Servereinstellungen hinzu, um dein Kennwort zurückzusetzen.",
"Your new account (%(newAccountId)s) is registered, but you're already logged into a different account (%(loggedInUserId)s).": "Dein neues Konto (%(newAccountId)s) ist registriert, aber du hast dich bereits in mit einem anderen Konto (%(loggedInUserId)s) angemeldet.",
"This requires the latest Riot on your other devices:": "Dies benötigt die neuste Version von Riot auf deinen anderen Geräten:",
"Use Recovery Passphrase or Key": "Benutze deine Wiederherstellungspassphrase oder den Wiederherstellungsschlüssel",
"This requires the latest %(brand)s on your other devices:": "Dies benötigt die neuste Version von %(brand)s auf deinen anderen Geräten:",
"Failed to re-authenticate due to a homeserver problem": "Erneute Authentifizierung aufgrund eines Problems im Heimserver fehlgeschlagen",
"Failed to re-authenticate": "Erneute Authentifizierung fehlgeschlagen",
"Command Autocomplete": "Auto-Vervollständigung aktivieren",
@ -2296,7 +2112,6 @@
"DuckDuckGo Results": "DuckDuckGo Ergebnisse",
"Great! This recovery passphrase looks strong enough.": "Super! Diese Wiederherstellungspassphrase sieht stark genug aus.",
"Enter a recovery passphrase": "Gib eine Wiederherstellungspassphrase ein",
"Back up encrypted message keys": "Sichere die Verschlüsselungsschlüssel",
"Emoji Autocomplete": "Emoji-Auto-Vervollständigung",
"Room Autocomplete": "Raum-Auto-Vervollständigung",
"User Autocomplete": "Nutzer-Auto-Vervollständigung",
@ -2304,11 +2119,8 @@
"Restore": "Wiederherstellen",
"Your recovery key has been <b>copied to your clipboard</b>, paste it to:": "Dein Wiederherstellungsschlüssel wurde <b>in die Zwischenablage kopiert</b>. Füge ihn ein in:",
"Your recovery key is in your <b>Downloads</b> folder.": "Dein Wiederherstellungsschlüssel ist in deinem <b>Download-Ordner</b>.",
"You can now verify your other devices, and other users to keep your chats safe.": "Du kannst jetzt deine anderen Geräte und andere Benutzer verifizieren, um deine Chats zu schützen.",
"Upgrade your encryption": "Deine Verschlüsselung aktualisieren",
"You're done!": "Du bist fertig!",
"Unable to set up secret storage": "Sicherer Speicher kann nicht eingerichtet werden",
"Enter a recovery passphrase...": "Gib eine Wiederherstellungspassphrase ein...",
"Repeat your recovery passphrase...": "Gib die Wiederherstellungspassphrase erneut ein...",
"Secure your backup with a recovery passphrase": "Verschlüssele deine Sicherung mit einer Wiederherstellungspassphrase",
"Create key backup": "Schlüsselsicherung erstellen",
@ -2334,18 +2146,14 @@
"Indexed messages:": "Indizierte Nachrichten:",
"Indexed rooms:": "Indizierte Räume:",
"%(doneRooms)s out of %(totalRooms)s": "%(doneRooms)s von %(totalRooms)s",
"Set a recovery passphrase to secure encrypted information and recover it if you log out. This should be different to your account password:": "Setze eine Wiederherstellungspassphrase um deine verschlüsselten Nachrichten nach dem Abmelden wiederherstellen zu können. Diese sollte sich von deinem Kontopasswort unterscheiden:",
"Your recovery key is a safety net - you can use it to restore access to your encrypted messages if you forget your recovery passphrase.": "Der Wiederherstellungsschlüssel ist ein Sicherheitsnetz - du kannst damit deine verschlüsselten Nachrichten wiederherstellen wenn du deine Wiederherstellungspassphrase vergessen hast.",
"Unable to query secret storage status": "Status des sicheren Speichers kann nicht gelesen werden",
"We'll store an encrypted copy of your keys on our server. Secure your backup with a recovery passphrase.": "Wir werden eine verschlüsselte Kopie deiner Schlüssel auf unserem Server speichern. Schütze deine Sicherung mit einer Wiederherstellungspassphrase.",
"Without setting up Secure Message Recovery, you won't be able to restore your encrypted message history if you log out or use another session.": "Ohne eine Schlüsselsicherung kann dein verschlüsselter Nachrichtenverlauf nicht wiederhergestellt werden wenn du dich abmeldest oder eine andere Sitzung verwendest.",
"Backup key stored in secret storage, but this feature is not enabled on this session. Please enable cross-signing in Labs to modify key backup state.": "Der Sicherungsschlüssel ist im sicheren Speicher gespeichert, aber diese Funktion ist in dieser Sitzung nicht aktiviert. Aktiviere Cross-Signing in Labs, um den Status der Schlüsselsicherung zu ändern.",
"There was an error updating the room's alternative addresses. It may not be allowed by the server or a temporary failure occurred.": "Es gab einen Fehler beim Ändern des Raum-Aliases. Entweder erlaubt es der Server nicht oder es gab ein temporäres Problem.",
"If you've forgotten your recovery passphrase you can <button1>use your recovery key</button1> or <button2>set up new recovery options</button2>.": "Wenn du deine Wiederherstellungspassphrase vergessen hast kannst du <button1>deinen Wiederherstellungsschlüssel verwenden</button1> oder <button2>neue Wiederherstellungsoptionen anlegen</button2>.",
"Self-verification request": "Selbstverifikationsanfrage",
"or another cross-signing capable Matrix client": "oder einen anderen Matrix Client der Cross-signing fähig ist",
"Riot is securely caching encrypted messages locally for them to appear in search results:": "Riot verwendet einen sicheren Zwischenspeicher für verschlüsselte Nachrichten, damit sie in den Suchergebnissen angezeigt werden:",
"Access your secure message history and your cross-signing identity for verifying other sessions by entering your recovery passphrase.": "Erhalte Zugriff auf deine verschlüsselten Nachrichten und deine Cross-Signing Identität um andere Sitzungen zu verifizieren indem du deine Wiederherstellungspassphrase eingibst.",
"%(brand)s is securely caching encrypted messages locally for them to appear in search results:": "%(brand)s verwendet einen sicheren Zwischenspeicher für verschlüsselte Nachrichten, damit sie in den Suchergebnissen angezeigt werden:",
"Liberate your communication": "Liberate your communication",
"Message downloading sleep time(ms)": "Wartezeit zwischen dem Herunterladen von Nachrichten (ms)",
"Navigate recent messages to edit": "Letzte Nachrichten zur Bearbeitung ansehen",
@ -2377,10 +2185,7 @@
"Confirm encryption setup": "Bestätige die Einrichtung der Verschlüsselung",
"Click the button below to confirm setting up encryption.": "Klick die Schaltfläche unten um die Einstellungen der Verschlüsselung zu bestätigen.",
"Font scaling": "Schriftskalierung",
"Use the improved room list (in development - refresh to apply changes)": "Verwende die verbesserte Raumliste (in Entwicklung - neu laden um die Änderungen anzuwenden)",
"Use IRC layout": "Verwende das IRC Layout",
"Font size": "Schriftgröße",
"Custom font size": "Eigene Schriftgröße",
"IRC display name width": "Breite des IRC Anzeigenamens",
"Size must be a number": "Größe muss eine Zahl sein",
"Custom font size can only be between %(min)s pt and %(max)s pt": "Eigene Schriftgröße kann nur eine Zahl zwischen %(min)s pt und %(max)s pt sein",
@ -2393,8 +2198,8 @@
"Room name or address": "Raumname oder -adresse",
"Joins room with given address": "Tritt dem Raum unter der angegebenen Adresse bei",
"Unrecognised room address:": "Unbekannte Raumadresse:",
"Help us improve Riot": "Hilf uns Riot zu verbessern",
"Send <UsageDataLink>anonymous usage data</UsageDataLink> which helps us improve Riot. This will use a <PolicyLink>cookie</PolicyLink>.": "Hilf uns Riot zu verbessern, indem du <UsageDataLink>anonyme Nutzungsdaten</UsageDataLink> schickst. Dies wird ein <PolicyLink>Cookie</PolicyLink> verwenden.",
"Help us improve %(brand)s": "Hilf uns %(brand)s zu verbessern",
"Send <UsageDataLink>anonymous usage data</UsageDataLink> which helps us improve %(brand)s. This will use a <PolicyLink>cookie</PolicyLink>.": "Hilf uns %(brand)s zu verbessern, indem du <UsageDataLink>anonyme Nutzungsdaten</UsageDataLink> schickst. Dies wird ein <PolicyLink>Cookie</PolicyLink> verwenden.",
"I want to help": "Ich möchte helfen",
"Your homeserver has exceeded its user limit.": "Dein Heimserver hat das Benutzerlimit erreicht.",
"Your homeserver has exceeded one of its resource limits.": "Dein Heimserver hat eine seiner Ressourcengrenzen erreicht.",
@ -2403,13 +2208,12 @@
"Set password": "Setze Passwort",
"To return to your account in future you need to set a password": "Um dein Konto zukünftig wieder verwenden zu können, setze ein Passwort",
"Restart": "Neustarten",
"Upgrade your Riot": "Aktualisiere dein Riot",
"A new version of Riot is available!": "Eine neue Version von Riot ist verfügbar!",
"Upgrade your %(brand)s": "Aktualisiere dein %(brand)s",
"A new version of %(brand)s is available!": "Eine neue Version von %(brand)s ist verfügbar!",
"New version available. <a>Update now.</a>": "Neue Version verfügbar. <a>Jetzt aktualisieren.</a>",
"Please verify the room ID or address and try again.": "Bitte überprüfe die Raum-ID oder -adresse und versuche es erneut.",
"To link to this room, please add an address.": "Um den Raum zu verlinken, füge bitte eine Adresse hinzu.",
"Emoji picker": "Emoji Auswahl",
"Show %(n)s more": "%(n)s weitere anzeigen",
"Error creating address": "Fehler beim Anlegen der Adresse",
"There was an error creating that address. It may not be allowed by the server or a temporary failure occurred.": "Es gab einen Fehler beim Anlegen der Adresse. Entweder erlaubt es der Server nicht oder es gab ein temporäres Problem.",
"You don't have permission to delete the address.": "Du hast nicht die Berechtigung die Adresse zu löschen.",
@ -2426,19 +2230,15 @@
"People": "Personen",
"There was an error removing that address. It may no longer exist or a temporary error occurred.": "Beim Entfernen dieser Adresse ist ein Fehler aufgetreten. Vielleicht existiert diese nicht mehr oder es kam zu einem temporären Fehler.",
"Set a room address to easily share your room with other people.": "Vergebe eine Raum-Adresse, um diesen Raum auf einfache Weise mit anderen Personen teilen zu können.",
"You've previously used a newer version of Riot with this session. To use this version again with end to end encryption, you will need to sign out and back in again.": "Du hast für diese Sitzung zuvor eine neuere Version von Riot verwendet. Um diese Version mit Ende-zu-Ende-Verschlüsselung wieder zu benutzen, musst du dich erst ab- und dann wieder anmelden.",
"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.": "Du hast für diese Sitzung zuvor eine neuere Version von %(brand)s verwendet. Um diese Version mit Ende-zu-Ende-Verschlüsselung wieder zu benutzen, musst du dich erst ab- und dann wieder anmelden.",
"Delete the room address %(alias)s and remove %(name)s from the directory?": "Soll die Raum-Adresse %(alias)s gelöscht und %(name)s aus dem Raum-Verzeichnis entfernt werden?",
"Switch to light mode": "Zum hellen Thema wechseln",
"Switch to dark mode": "Zum dunklen Thema wechseln",
"Switch theme": "Design ändern",
"Security & privacy": "Sicherheit & Datenschutz",
"All settings": "Alle Einstellungen",
"Archived rooms": "Archivierte Räume",
"Feedback": "Feedback",
"Account settings": "Konto-Einstellungen",
"Room ID or address of ban list": "Raum-ID oder Adresse der Verbotsliste",
"sent an image.": "hat ein Bild gesendet.",
"You: %(message)s": "Du: %(message)s",
"No recently visited rooms": "Keine kürzlich besuchten Räume",
"Sort by": "Sortieren nach",
"Unread rooms": "Ungelesene Räume",
@ -2452,17 +2252,9 @@
"Room options": "Raumoptionen",
"Activity": "Aktivität",
"A-Z": "A-Z",
"Recovery Key": "Wiederherstellungsschlüssel",
"This isn't the recovery key for your account": "Das ist nicht der Wiederherstellungsschlüssel für dein Konto",
"This isn't a valid recovery key": "Das ist kein gültiger Wiederherstellungsschlüssel",
"Looks good!": "Sieht gut aus!",
"Use Recovery Key or Passphrase": "Verwende einen Wiederherstellungsschlüssel oder deine Passphrase",
"Use Recovery Key": "Verwende einen Wiederherstellungsschlüssel",
"Enter your Recovery Key or enter a <a>Recovery Passphrase</a> to continue.": "Gib deinen Wiederherstellungsschlüssel oder eine <a>Wiederherstellungspassphrase</a> ein um fortzufahren.",
"Enter your Recovery Key to continue.": "Gib deinen Wiederherstellungsschlüssel ein um fortzufahren.",
"Create a Recovery Key": "Erzeuge einen Wiederherstellungsschlüssel",
"Upgrade your Recovery Key": "Aktualisiere deinen Wiederherstellungsschlüssel",
"Store your Recovery Key": "Speichere deinen Wiederherstellungsschlüssel",
"Light": "Hell",
"Dark": "Dunkel",
"Use the improved room list (will refresh to apply changes)": "Verwende die verbesserte Raumliste (lädt die Anwendung neu)",
@ -2471,11 +2263,10 @@
"Message layout": "Nachrichtenlayout",
"Compact": "Kompakt",
"Modern": "Modern",
"Enable IRC layout option in the appearance tab": "Option für IRC Layout in den Erscheinungsbild-Einstellungen aktivieren",
"Use a system font": "Verwende die System-Schriftart",
"System font name": "System-Schriftart",
"Customise your appearance": "Verändere das Erscheinungsbild",
"Appearance Settings only affect this Riot session.": "Einstellungen zum Erscheinungsbild wirken sich nur auf diese Riot Sitzung aus.",
"Appearance Settings only affect this %(brand)s session.": "Einstellungen zum Erscheinungsbild wirken sich nur auf diese %(brand)s Sitzung aus.",
"The authenticity of this encrypted message can't be guaranteed on this device.": "Die Echtheit dieser verschlüsselten Nachricht kann auf diesem Gerät nicht garantiert werden.",
"You joined the call": "Du bist dem Anruf beigetreten",
"%(senderName)s joined the call": "%(senderName)s ist dem Anruf beigetreten",

View file

@ -19,7 +19,6 @@
"Microphone": "Μικρόφωνο",
"Camera": "Κάμερα",
"Advanced": "Προχωρημένα",
"Algorithm": "Αλγόριθμος",
"Authentication": "Πιστοποίηση",
"A new password must be entered.": "Ο νέος κωδικός πρόσβασης πρέπει να εισαχθεί.",
"%(senderName)s answered the call.": "Ο χρήστης %(senderName)s απάντησε την κλήση.",
@ -38,7 +37,6 @@
"and %(count)s others...|one": "και ένας ακόμα...",
"and %(count)s others...|other": "και %(count)s άλλοι...",
"Anyone who knows the room's link, including guests": "Οποιοσδήποτε γνωρίζει τον σύνδεσμο του δωματίου, συμπεριλαμβανομένων των επισκεπτών",
"Blacklisted": "Στη μαύρη λίστα",
"Change Password": "Αλλαγή κωδικού πρόσβασης",
"%(senderName)s changed their profile picture.": "Ο %(senderName)s άλλαξε τη φωτογραφία του προφίλ του.",
"%(senderDisplayName)s changed the room name to %(roomName)s.": "Ο %(senderDisplayName)s άλλαξε το όνομα του δωματίου σε %(roomName)s.",
@ -52,26 +50,18 @@
"Create Room": "Δημιουργία δωματίου",
"Cryptography": "Κρυπτογραφία",
"Current password": "Τωρινός κωδικός πρόσβασης",
"Curve25519 identity key": "Κλειδί ταυτότητας Curve25519",
"Custom level": "Προσαρμοσμένο επίπεδο",
"/ddg is not a command": "/ddg δεν αναγνωρίζεται ως εντολή",
"Deactivate Account": "Απενεργοποίηση λογαριασμού",
"Decrypt %(text)s": "Αποκρυπτογράφηση %(text)s",
"Decryption error": "Σφάλμα αποκρυπτογράφησης",
"Default": "Προεπιλογή",
"Device ID": "Αναγνωριστικό συσκευής",
"device id: ": "αναγνωριστικό συσκευής: ",
"Direct chats": "Απευθείας συνομιλίες",
"Disinvite": "Ανάκληση πρόσκλησης",
"Download %(text)s": "Λήψη %(text)s",
"Ed25519 fingerprint": "Αποτύπωμα Ed25519",
"Email": "Ηλεκτρονική διεύθυνση",
"Email address": "Ηλεκτρονική διεύθυνση",
"Emoji": "Εικονίδια",
"%(senderName)s ended the call.": "%(senderName)s τερμάτισε την κλήση.",
"End-to-end encryption information": "Πληροφορίες σχετικά με τη κρυπτογράφηση από άκρο σε άκρο (End-to-end encryption)",
"Error decrypting attachment": "Σφάλμα κατά την αποκρυπτογράφηση της επισύναψης",
"Event information": "Πληροφορίες συμβάντος",
"Existing Call": "Υπάρχουσα κλήση",
"Export": "Εξαγωγή",
"Export E2E room keys": "Εξαγωγή κλειδιών κρυπτογράφησης για το δωμάτιο",
@ -110,7 +100,6 @@
"Labs": "Πειραματικά",
"Leave room": "Αποχώρηση από το δωμάτιο",
"%(targetName)s left the room.": "Ο χρήστης %(targetName)s έφυγε από το δωμάτιο.",
"Local addresses for this room:": "Τοπική διεύθυνση για το δωμάτιο:",
"Logout": "Αποσύνδεση",
"Low priority": "Χαμηλής προτεραιότητας",
"Click here to fix": "Κάνε κλικ εδώ για διόρθωση",
@ -121,10 +110,8 @@
"Join Room": "Είσοδος σε δωμάτιο",
"Moderator": "Συντονιστής",
"Name": "Όνομα",
"New address (e.g. #foo:%(localDomain)s)": "Νέα διεύθυνση (e.g. #όνομα:%(localDomain)s)",
"New passwords don't match": "Οι νέοι κωδικοί πρόσβασης είναι διαφορετικοί",
"New passwords must match each other.": "Οι νέοι κωδικοί πρόσβασης πρέπει να ταιριάζουν.",
"none": "κανένα",
"(not supported by this browser)": "(δεν υποστηρίζεται από τον περιηγητή)",
"<not supported>": "<δεν υποστηρίζεται>",
"No more results": "Δεν υπάρχουν αποτελέσματα",
@ -135,7 +122,7 @@
"Passwords can't be empty": "Οι κωδικοί πρόσβασης δεν γίνετε να είναι κενοί",
"Phone": "Τηλέφωνο",
"Register": "Εγγραφή",
"riot-web version:": "Έκδοση riot-web:",
"%(brand)s version:": "Έκδοση %(brand)s:",
"Room Colour": "Χρώμα δωματίου",
"Rooms": "Δωμάτια",
"Save": "Αποθήκευση",
@ -145,7 +132,6 @@
"Sign in": "Συνδέση",
"Sign out": "Αποσύνδεση",
"Someone": "Κάποιος",
"Start a chat": "Έναρξη συνομιλίας",
"This email address is already in use": "Η διεύθυνση ηλ. αλληλογραφίας χρησιμοποιείται ήδη",
"This email address was not found": "Δεν βρέθηκε η διεύθυνση ηλ. αλληλογραφίας",
"Success": "Επιτυχία",
@ -161,7 +147,6 @@
"Add": "Προσθήκη",
"Admin Tools": "Εργαλεία διαχειριστή",
"No media permissions": "Χωρίς δικαιώματα πολυμέσων",
"Alias (optional)": "Ψευδώνυμο (προαιρετικό)",
"Ban": "Αποκλεισμός",
"Banned users": "Αποκλεισμένοι χρήστες",
"Call Timeout": "Λήξη χρόνου κλήσης",
@ -172,12 +157,9 @@
"Click to unmute audio": "Κάντε κλικ για άρση σίγασης του ήχου",
"Custom": "Προσαρμοσμένο",
"Decline": "Απόρριψη",
"Disable Notifications": "Απενεργοποίηση ειδοποιήσεων",
"Drop File Here": "Αποθέστε εδώ το αρχείο",
"Enable Notifications": "Ενεργοποίηση ειδοποιήσεων",
"Enter passphrase": "Εισαγωγή συνθηματικού",
"Failed to set display name": "Δεν ήταν δυνατό ο ορισμός του ονόματος εμφάνισης",
"Failed to toggle moderator status": "Δεν ήταν δυνατή η εναλλαγή κατάστασης του συντονιστή",
"Failed to upload profile picture!": "Δεν ήταν δυνατή η αποστολή της εικόνας προφίλ!",
"Home": "Αρχική",
"Last seen": "Τελευταία εμφάνιση",
@ -190,17 +172,14 @@
"Profile": "Προφίλ",
"Public Chat": "Δημόσια συνομιλία",
"Reason": "Αιτία",
"Revoke Moderator": "Ανάκληση συντονιστή",
"%(targetName)s rejected the invitation.": "Ο %(targetName)s απέρριψε την πρόσκληση.",
"Reject invitation": "Απόρριψη πρόσκλησης",
"Remote addresses for this room:": "Απομακρυσμένες διευθύνσεις για το δωμάτιο:",
"Results from DuckDuckGo": "Αποτελέσματα από DuckDuckGo",
"Return to login screen": "Επιστροφή στην οθόνη σύνδεσης",
"Room %(roomId)s not visible": "Το δωμάτιο %(roomId)s δεν είναι ορατό",
"%(roomName)s does not exist.": "Το %(roomName)s δεν υπάρχει.",
"Searches DuckDuckGo for results": "Γίνεται αναζήτηση στο DuckDuckGo για αποτελέσματα",
"Seen by %(userName)s at %(dateTime)s": "Διαβάστηκε από τον/την %(userName)s στις %(dateTime)s",
"Send anyway": "Αποστολή ούτως ή άλλως",
"Send Reset Email": "Αποστολή μηνύματος επαναφοράς",
"%(senderDisplayName)s sent an image.": "Ο %(senderDisplayName)s έστειλε μια φωτογραφία.",
"Session ID": "Αναγνωριστικό συνεδρίας",
@ -217,19 +196,14 @@
"Unban": "Άρση αποκλεισμού",
"%(senderName)s unbanned %(targetName)s.": "Ο χρήστης %(senderName)s έδιωξε τον χρήστη %(targetName)s.",
"Unable to enable Notifications": "Αδυναμία ενεργοποίησης των ειδοποιήσεων",
"unencrypted": "μη κρυπτογραφημένο",
"unknown caller": "άγνωστος καλών",
"unknown device": "άγνωστη συσκευή",
"Unknown room %(roomId)s": "Άγνωστο δωμάτιο %(roomId)s",
"Unmute": "Άρση σίγασης",
"Unnamed Room": "Ανώνυμο δωμάτιο",
"Unrecognised room alias:": "Μη αναγνωρίσιμο ψευδώνυμο:",
"Upload avatar": "Αποστολή προσωπικής εικόνας",
"Upload Failed": "Απέτυχε η αποστολή",
"Upload file": "Αποστολή αρχείου",
"Upload new:": "Αποστολή νέου:",
"Usage": "Χρήση",
"User ID": "Αναγνωριστικό χρήστη",
"Username invalid: %(errMessage)s": "Μη έγκυρο όνομα χρήστη: %(errMessage)s",
"Users": "Χρήστες",
"Video call": "Βιντεοκλήση",
@ -264,7 +238,6 @@
"Upload an avatar:": "Αποστολή προσωπικής εικόνας:",
"This server does not support authentication with a phone number.": "Αυτός ο διακομιστής δεν υποστηρίζει πιστοποίηση με αριθμό τηλεφώνου.",
"An error occurred: %(error_string)s": "Προέκυψε ένα σφάλμα: %(error_string)s",
"Make Moderator": "Ορισμός συντονιστή",
"Room": "Δωμάτιο",
"(~%(count)s results)|one": "(~%(count)s αποτέλεσμα)",
"(~%(count)s results)|other": "(~%(count)s αποτελέσματα)",
@ -281,11 +254,8 @@
"Confirm Removal": "Επιβεβαίωση αφαίρεσης",
"Unknown error": "Άγνωστο σφάλμα",
"Incorrect password": "Λανθασμένος κωδικός πρόσβασης",
"To continue, please enter your password.": "Για να συνεχίσετε, παρακαλούμε πληκτρολογήστε τον κωδικό πρόσβασής σας.",
"Unable to restore session": "Αδυναμία επαναφοράς συνεδρίας",
"Unknown Address": "Άγνωστη διεύθυνση",
"Blacklist": "Μαύρη λίστα",
"Verify...": "Επιβεβαίωση...",
"ex. @bob:example.com": "π.χ @bob:example.com",
"Add User": "Προσθήκη χρήστη",
"Token incorrect": "Εσφαλμένο διακριτικό",
@ -304,7 +274,6 @@
"Username available": "Διαθέσιμο όνομα χρήστη",
"Username not available": "Μη διαθέσιμο όνομα χρήστη",
"Something went wrong!": "Κάτι πήγε στραβά!",
"Could not connect to the integration server": "Αδυναμία σύνδεσης στον διακομιστή ενσωμάτωσης",
"Error: Problem communicating with the given homeserver.": "Σφάλμα: πρόβλημα κατά την επικοινωνία με τον ορισμένο διακομιστή.",
"Failed to ban user": "Δεν ήταν δυνατό ο αποκλεισμός του χρήστη",
"Failed to change power level": "Δεν ήταν δυνατή η αλλαγή του επιπέδου δύναμης",
@ -325,17 +294,15 @@
"%(senderName)s made future room history visible to unknown (%(visibility)s).": "Ο %(senderName)s έκανε το μελλοντικό ιστορικό του δωματίου δημόσιο άγνωστο (%(visibility)s).",
"Missing user_id in request": "Λείπει το user_id στο αίτημα",
"not specified": "μη καθορισμένο",
"NOT verified": "ΧΩΡΙΣ επαλήθευση",
"No display name": "Χωρίς όνομα",
"No users have specific privileges in this room": "Κανένας χρήστης δεν έχει συγκεκριμένα δικαιώματα σε αυτό το δωμάτιο",
"Only people who have been invited": "Μόνο άτομα που έχουν προσκληθεί",
"Please check your email and click on the link it contains. Once this is done, click continue.": "Παρακαλούμε ελέγξτε την ηλεκτρονική σας αλληλογραφία και κάντε κλικ στον σύνδεσμο που περιέχει. Μόλις γίνει αυτό, κάντε κλίκ στο κουμπί συνέχεια.",
"%(senderName)s removed their profile picture.": "Ο %(senderName)s αφαίρεσε τη φωτογραφία του προφίλ του.",
"%(senderName)s requested a VoIP conference.": "Ο %(senderName)s αιτήθηκε μια συνδιάσκεψη VoIP.",
"Riot does not have permission to send you notifications - please check your browser settings": "Το Riot δεν έχει δικαιώματα για αποστολή ειδοποιήσεων - παρακαλούμε ελέγξτε τις ρυθμίσεις του περιηγητή σας",
"Riot was not given permission to send notifications - please try again": "Δεν δόθηκαν δικαιώματα αποστολής ειδοποιήσεων στο Riot - παρακαλούμε προσπαθήστε ξανά",
"%(brand)s does not have permission to send you notifications - please check your browser settings": "Το %(brand)s δεν έχει δικαιώματα για αποστολή ειδοποιήσεων - παρακαλούμε ελέγξτε τις ρυθμίσεις του περιηγητή σας",
"%(brand)s was not given permission to send notifications - please try again": "Δεν δόθηκαν δικαιώματα αποστολής ειδοποιήσεων στο %(brand)s - παρακαλούμε προσπαθήστε ξανά",
"%(roomName)s is not accessible at this time.": "Το %(roomName)s δεν είναι προσβάσιμο αυτή τη στιγμή.",
"Scroll to bottom of page": "Μετάβαση στο τέλος της σελίδας",
"Server may be unavailable, overloaded, or search timed out :(": "Ο διακομιστής μπορεί να είναι μη διαθέσιμος, υπερφορτωμένος, ή να έχει λήξει η αναζήτηση :(",
"Server may be unavailable, overloaded, or you hit a bug.": "Ο διακομιστής μπορεί να είναι μη διαθέσιμος, υπερφορτωμένος, ή να πέσατε σε ένα σφάλμα.",
"Server unavailable, overloaded, or something else went wrong.": "Ο διακομιστής μπορεί να είναι μη διαθέσιμος, υπερφορτωμένος, ή κάτι άλλο να πήγε στραβά.",
@ -346,8 +313,6 @@
"Uploading %(filename)s and %(count)s others|other": "Γίνεται αποστολή του %(filename)s και %(count)s υπολοίπων",
"%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (δύναμη %(powerLevelNumber)s)",
"Verification Pending": "Εκκρεμεί επιβεβαίωση",
"Verification": "Επιβεβαίωση",
"verified": "επαληθεύτηκε",
"Verified key": "Επιβεβαιωμένο κλειδί",
"VoIP conference finished.": "Ολοκληρώθηκε η συνδιάσκεψη VoIP.",
"VoIP conference started.": "Ξεκίνησησε η συνδιάσκεψη VoIP.",
@ -364,15 +329,13 @@
"Connectivity to the server has been lost.": "Χάθηκε η συνδεσιμότητα στον διακομιστή.",
"Please select the destination room for this message": "Παρακαλούμε επιλέξτε ένα δωμάτιο προορισμού για αυτό το μήνυμα",
"Analytics": "Αναλυτικά δεδομένα",
"Riot collects anonymous analytics to allow us to improve the application.": "Το Riot συλλέγει ανώνυμα δεδομένα επιτρέποντας μας να βελτιώσουμε την εφαρμογή.",
"%(brand)s collects anonymous analytics to allow us to improve the application.": "Το %(brand)s συλλέγει ανώνυμα δεδομένα επιτρέποντας μας να βελτιώσουμε την εφαρμογή.",
"Failed to invite": "Δεν ήταν δυνατή η πρόσκληση",
"I verify that the keys match": "Επιβεβαιώνω πως ταιριάζουν τα κλειδιά",
"Please check your email to continue registration.": "Παρακαλούμε ελέγξτε την ηλεκτρονική σας αλληλογραφία για να συνεχίσετε με την εγγραφή.",
"If you don't specify an email address, you won't be able to reset your password. Are you sure?": "Αν δεν ορίσετε μια διεύθυνση ηλεκτρονικής αλληλογραφίας, δεν θα θα μπορείτε να επαναφέρετε τον κωδικό πρόσβασης σας. Είστε σίγουροι;",
"Removed or unknown message type": "Αφαιρέθηκε ή άγνωστος τύπος μηνύματος",
" (unsupported)": " (μη υποστηριζόμενο)",
"%(senderDisplayName)s changed the room avatar to <img/>": "Ο %(senderDisplayName)s άλλαξε την εικόνα του δωματίου σε <img/>",
"You may need to manually permit Riot to access your microphone/webcam": "Μπορεί να χρειαστεί να ορίσετε χειροκίνητα την πρόσβαση του Riot στο μικρόφωνο/κάμερα",
"You may need to manually permit %(brand)s to access your microphone/webcam": "Μπορεί να χρειαστεί να ορίσετε χειροκίνητα την πρόσβαση του %(brand)s στο μικρόφωνο/κάμερα",
"Can't connect to homeserver - please check your connectivity, ensure your <a>homeserver's SSL certificate</a> is trusted, and that a browser extension is not blocking requests.": "Δεν είναι δυνατή η σύνδεση στον διακομιστή - παρακαλούμε ελέγξτε την συνδεσιμότητα, βεβαιωθείτε ότι το <a>πιστοποιητικό SSL</a> του διακομιστή είναι έμπιστο και ότι κάποιο πρόσθετο περιηγητή δεν αποτρέπει τα αιτήματα.",
"Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or <a>enable unsafe scripts</a>.": "Δεν είναι δυνατή η σύνδεση στον διακομιστή μέσω HTTP όταν μια διεύθυνση HTTPS βρίσκεται στην μπάρα του περιηγητή. Είτε χρησιμοποιήστε HTTPS ή <a>ενεργοποιήστε τα μη ασφαλή σενάρια εντολών</a>.",
"%(senderName)s changed the power level of %(powerLevelDiffText)s.": "Ο %(senderName)s άλλαξε το επίπεδο δύναμης του %(powerLevelDiffText)s.",
@ -393,7 +356,6 @@
"Failed to invite the following users to the %(roomName)s room:": "Δεν ήταν δυνατή η πρόσκληση των παρακάτω χρηστών στο δωμάτιο %(roomName)s:",
"Deops user with given id": "Deop χρήστη με το συγκεκριμένο αναγνωριστικό",
"Join as <voiceText>voice</voiceText> or <videoText>video</videoText>.": "Συμμετάσχετε με <voiceText>φωνή</voiceText> ή <videoText>βίντεο</videoText>.",
"Joins room with given alias": "Συνδέεστε στο δωμάτιο με δοσμένο ψευδώνυμο",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "Εμφάνιση χρονικών σημάνσεων σε 12ωρη μορφή ώρας (π.χ. 2:30 μ.μ.)",
"Your email address does not appear to be associated with a Matrix ID on this Homeserver.": "Η διεύθυνση της ηλ. αλληλογραφίας σας δεν φαίνεται να συσχετίζεται με μια ταυτότητα Matrix σε αυτόν τον Διακομιστή Φιλοξενίας.",
"You will not be able to undo this change as you are promoting the user to have the same power level as yourself.": "Δεν θα μπορέσετε να αναιρέσετε αυτήν την αλλαγή καθώς προωθείτε τον χρήστη να έχει το ίδιο επίπεδο δύναμης με τον εαυτό σας.",
@ -407,33 +369,24 @@
"Failed to kick": "Δεν ήταν δυνατή η απομάκρυνση",
"(no answer)": "(χωρίς απάντηση)",
"(unknown failure: %(reason)s)": "(άγνωστο σφάλμα: %(reason)s)",
"Unblacklist": "Άρση αποκλεισμού",
"Unverify": "Άρση επιβεβαίωσης",
"Ongoing conference call%(supportedText)s.": "Κλήση συνδιάσκεψης σε εξέλιξη %(supportedText)s.",
"Your browser does not support the required cryptography extensions": "Ο περιηγητής σας δεν υποστηρίζει τα απαιτούμενα πρόσθετα κρυπτογράφησης",
"Not a valid Riot keyfile": "Μη έγκυρο αρχείο κλειδιού Riot",
"Not a valid %(brand)s keyfile": "Μη έγκυρο αρχείο κλειδιού %(brand)s",
"Authentication check failed: incorrect password?": "Αποτυχία ελέγχου πιστοποίησης: λανθασμένος κωδικός πρόσβασης;",
"Claimed Ed25519 fingerprint key": "Απαιτήθηκε κλειδί αποτυπώματος Ed25519",
"Displays action": "Εμφανίζει την ενέργεια",
"To use it, just wait for autocomplete results to load and tab through them.": "Για να το χρησιμοποιήσετε, απλά περιμένετε μέχρι να φορτωθούν τα αποτέλεσμα αυτόματης συμπλήρωσης. Έπειτα επιλέξτε ένα από αυτά χρησιμοποιώντας τον στηλοθέτη.",
"Use compact timeline layout": "Χρήση συμπαγούς διάταξης χρονολογίου",
"(could not connect media)": "(αδυναμία σύνδεσης με το πολυμέσο)",
"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, έτσι ώστε το πρόγραμμα να είναι σε θέση να αποκρυπτογραφήσει αυτά τα μηνύματα.",
"The exported file will allow anyone who can read it to decrypt any encrypted messages that you can see, so you should be careful to keep it secure. To help with this, you should enter a passphrase below, which will be used to encrypt the exported data. It will only be possible to import the data by using the same passphrase.": "Το αρχείο εξαγωγής θα επιτρέψει σε οποιονδήποτε που μπορεί να το διαβάσει να αποκρυπτογραφήσει κρυπτογραφημένα μηνύματα που εσείς μπορείτε να δείτε, οπότε θα πρέπει να είστε προσεκτικοί για να το κρατήσετε ασφαλές. Για να βοηθήσετε με αυτό, θα πρέπει να εισαγάγετε ένα συνθηματικό, το οποία θα χρησιμοποιηθεί για την κρυπτογράφηση των εξαγόμενων δεδομένων. Η εισαγωγή δεδομένων θα είναι δυνατή χρησιμοποιώντας μόνο το ίδιο συνθηματικό.",
"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.": "Το αρχείο εξαγωγής θα είναι προστατευμένο με συνθηματικό. Θα χρειαστεί να πληκτρολογήσετε το συνθηματικό εδώ για να αποκρυπτογραφήσετε το αρχείο.",
"If you have previously used a more recent version of Riot, your session may be incompatible with this version. Close this window and return to the more recent version.": "Αν χρησιμοποιούσατε προηγουμένως μια πιο πρόσφατη έκδοση του Riot, η συνεδρία σας ίσως είναι μη συμβατή με αυτήν την έκδοση. Κλείστε αυτό το παράθυρο και επιστρέψτε στην πιο πρόσφατη έκδοση.",
"If you have previously used a more recent version of %(brand)s, your session may be incompatible with this version. Close this window and return to the more recent version.": "Αν χρησιμοποιούσατε προηγουμένως μια πιο πρόσφατη έκδοση του %(brand)s, η συνεδρία σας ίσως είναι μη συμβατή με αυτήν την έκδοση. Κλείστε αυτό το παράθυρο και επιστρέψτε στην πιο πρόσφατη έκδοση.",
"You are about to be taken to a third-party site so you can authenticate your account for use with %(integrationsUrl)s. Do you wish to continue?": "Θα μεταφερθείτε σε έναν ιστότοπου τρίτου για να πραγματοποιηθεί η πιστοποίηση του λογαριασμού σας με το %(integrationsUrl)s. Θα θέλατε να συνεχίσετε;",
"Do you want to set an email address?": "Θέλετε να ορίσετε μια διεύθυνση ηλεκτρονικής αλληλογραφίας;",
"This will allow you to reset your password and receive notifications.": "Αυτό θα σας επιτρέψει να επαναφέρετε τον κωδικό πρόσβαση σας και θα μπορείτε να λαμβάνετε ειδοποιήσεις.",
"Skip": "Παράβλεψη",
"Start verification": "Έναρξη επιβεβαίωσης",
"Share without verifying": "Κοινή χρήση χωρίς επιβεβαίωση",
"Ignore request": "Παράβλεψη αιτήματος",
"Encryption key request": "Αίτημα κλειδιού κρυπτογράφησης",
"Check for update": "Έλεγχος για ενημέρωση",
"Fetching third party location failed": "Η λήψη τοποθεσίας απέτυχε",
"A new version of Riot is available.": "Μία νέα έκδοση του Riot είναι διαθέσιμη.",
"All notifications are currently disabled for all targets.": "Όλες οι ειδοποιήσεις είναι προς το παρόν απενεργοποιημένες για όλες τις συσκευές.",
"Uploading report": "Αποστολή αναφοράς",
"Sunday": "Κυριακή",
@ -446,15 +399,13 @@
"You are not receiving desktop notifications": "Δεν λαμβάνετε ειδοποιήσεις στην επιφάνεια εργασίας",
"Friday": "Παρασκευή",
"Update": "Ενημέρωση",
"Riot does not know how to join a room on this network": "To Riot δεν γνωρίζει πως να συνδεθεί σε δωμάτια που ανήκουν σ' αυτό το δίκτυο",
"%(brand)s does not know how to join a room on this network": "To %(brand)s δεν γνωρίζει πως να συνδεθεί σε δωμάτια που ανήκουν σ' αυτό το δίκτυο",
"On": "Ενεργό",
"Changelog": "Αλλαγές",
"Waiting for response from server": "Αναμονή απάντησης από τον διακομιστή",
"Leave": "Αποχώρηση",
"Uploaded on %(date)s by %(user)s": "Απεστάλη στις %(date)s από %(user)s",
"Advanced notification settings": "Προχωρημένες ρυθμίσεις ειδοποιήσεων",
"delete the alias.": "διέγραψε το ψευδώνυμο.",
"To return to your account in future you need to <u>set a password</u>": "Για να επιστρέψετε στον λογαριασμό σας μελλοντικα πρέπει να ορίσετε έναν <u>κωδικό πρόσβασης</u>",
"Forget": "Παράλειψη",
"World readable": "Εμφανές σε όλους",
"You cannot delete this image. (%(code)s)": "Δεν μπορείτε να διαγράψετε αυτή την εικόνα. (%(code)s)",
@ -479,7 +430,6 @@
"No update available.": "Δεν υπάρχει διαθέσιμη ενημέρωση.",
"Noisy": "Δυνατά",
"Collecting app version information": "Συγκέντρωση πληροφοριών σχετικά με την έκδοση της εφαρμογής",
"Delete the room alias %(alias)s and remove %(name)s from the directory?": "Διαγραφή του ψευδώνυμου %(alias)s και αφαίρεση του %(name)s από το ευρετήριο;",
"Keywords": "Λέξεις κλειδιά",
"Enable notifications for this account": "Ενεργοποίηση ειδοποιήσεων για τον λογαριασμό",
"Messages containing <span>keywords</span>": "Μηνύματα που περιέχουν <span>λέξεις κλειδιά</span>",
@ -488,7 +438,7 @@
"Enter keywords separated by a comma:": "Προσθέστε λέξεις κλειδιά χωρισμένες με κόμμα:",
"I understand the risks and wish to continue": "Κατανοώ του κινδύνους και επιθυμώ να συνεχίσω",
"Remove %(name)s from the directory?": "Αφαίρεση του %(name)s από το ευρετήριο;",
"Riot uses many advanced browser features, some of which are not available or experimental in your current browser.": "Το Riot χρησιμοποιεί αρκετά προχωρημένα χαρακτηριστικά των περιηγητών Ιστού, ορισμένα από τα οποία δεν είναι διαθέσιμα ή είναι σε πειραματικό στάδιο στον περιηγητή σας.",
"%(brand)s uses many advanced browser features, some of which are not available or experimental in your current browser.": "Το %(brand)s χρησιμοποιεί αρκετά προχωρημένα χαρακτηριστικά των περιηγητών Ιστού, ορισμένα από τα οποία δεν είναι διαθέσιμα ή είναι σε πειραματικό στάδιο στον περιηγητή σας.",
"Unnamed room": "Ανώνυμο δωμάτιο",
"Remove from Directory": "Αφαίρεση από το ευρετήριο",
"Saturday": "Σάββατο",
@ -524,8 +474,7 @@
"Search…": "Αναζήτηση…",
"Unhide Preview": "Προεπισκόπηση",
"Unable to join network": "Δεν είναι δυνατή η σύνδεση στο δίκτυο",
"You might have configured them in a client other than Riot. You cannot tune them in Riot but they still apply": "Ισως να έχετε κάνει τις ρυθμίσεις σε άλλη εφαρμογή εκτός του Riot. Δεν μπορείτε να τις αλλάξετε μέσω του Riot αλλά ισχύουν κανονικά",
"Sorry, your browser is <b>not</b> able to run Riot.": "Λυπούμαστε, αλλά ο περιηγητές σας <b>δεν</b> υποστηρίζεται από το Riot.",
"Sorry, your browser is <b>not</b> able to run %(brand)s.": "Λυπούμαστε, αλλά ο περιηγητές σας <b>δεν</b> υποστηρίζεται από το %(brand)s.",
"Messages in group chats": "Μηνύματα σε ομαδικές συνομιλίες",
"Yesterday": "Χθές",
"Error encountered (%(errorDetail)s).": "Παρουσιάστηκε σφάλμα (%(errorDetail)s).",
@ -545,23 +494,16 @@
"Quote": "Παράθεση",
"With your current browser, the look and feel of the application may be completely incorrect, and some or all features may not function. If you want to try it anyway you can continue, but you are on your own in terms of any issues you may encounter!": "Με τον τρέχον περιηγητή, η εμφάνιση και η αίσθηση της εφαρμογής ενδέχεται να είναι εντελώς εσφαλμένη και ορισμένες ή όλες οι λειτουργίες ενδέχεται να μην λειτουργούν. Εάν θέλετε να το δοκιμάσετε ούτως ή άλλως μπορείτε να συνεχίσετε, αλλά είστε μόνοι σας σε ό, τι αφορά τα προβλήματα που μπορεί να αντιμετωπίσετε!",
"Checking for an update...": "Γίνεται έλεγχος για ενημέρωση...",
"There are advanced notifications which are not shown here": "Υπάρχουν προχωρημένες ειδοποιήσεις οι οποίες δεν εμφανίζονται εδώ",
"Your identity server's URL": "Το URL του διακομιστή ταυτοποίησής σας",
"The platform you're on": "Η πλατφόρμα στην οποία βρίσκεστε",
"The version of Riot.im": "Η έκδοση του Riot.im",
"The version of %(brand)s": "Η έκδοση του %(brand)s",
"Your language of choice": "Η γλώσσα επιλογής σας",
"Your homeserver's URL": "Το URL του διακομιστή φιλοξενίας σας",
"Every page you use in the app": "Κάθε σελίδα που χρησιμοποιείτε στην εφαρμογή",
"e.g. <CurrentPageURL>": "π.χ. <CurrentPageURL>",
"Your device resolution": "Η ανάλυση της συσκευής σας",
"The information being sent to us to help make Riot.im better includes:": "Οι πληροφορίες που στέλνονται σε εμάς με σκοπό την βελτίωση του Riot.im περιλαμβάνουν:",
"The information being sent to us to help make %(brand)s better includes:": "Οι πληροφορίες που στέλνονται σε εμάς με σκοπό την βελτίωση του %(brand)s περιλαμβάνουν:",
"Call Failed": "Η κλήση απέτυχε",
"e.g. %(exampleValue)s": "π.χ. %(exampleValue)s",
"Review Devices": "Ανασκόπηση συσκευών",
"Call Anyway": "Πραγματοποίηση Κλήσης όπως και να 'χει",
"Answer Anyway": "Απάντηση όπως και να 'χει",
"Call": "Κλήση",
"Answer": "Απάντηση",
"AM": "ΠΜ",
"PM": "ΜΜ",
"%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s",
@ -577,7 +519,6 @@
"Failed to invite users to %(groupId)s": "Αποτυχία πρόσκλησης χρηστών στο %(groupId)s",
"Failed to add the following rooms to %(groupId)s:": "Αποτυχία προσθήκης στο %(groupId)s των δωματίων:",
"Show these rooms to non-members on the community page and room list?": "Εμφάνιση αυτών των δωματίων σε μη-μέλη στην σελίδα της κοινότητας και στη λίστα δωματίων;",
"Room name or alias": "Όνομα η ψευδώνυμο δωματίου",
"Restricted": "Περιορισμένο/η",
"Unable to create widget.": "Αδυναμία δημιουργίας γραφικού στοιχείου.",
"You are not in this room.": "Δεν είστε μέλος αυτού του δωματίου.",
@ -600,11 +541,8 @@
"Disinvite this user?": "Απόσυρση της πρόσκλησης αυτού του χρήστη;",
"Mention": "Αναφορά",
"Invite": "Πρόσκληση",
"User Options": "Επιλογές Χρήστη",
"Send an encrypted reply…": "Αποστολή κρυπτογραφημένης απάντησης…",
"Send a reply (unencrypted)…": "Αποστολή απάντησης (μη κρυπτογραφημένης)…",
"Send an encrypted message…": "Αποστολή κρυπτογραφημένου μηνύματος…",
"Send a message (unencrypted)…": "Αποστολή μηνύματος (μη κρυπτογραφημένου)…",
"Unpin Message": "Ξεκαρφίτσωμα μηνύματος",
"Jump to message": "Πηγαίντε στο μήνυμα",
"No pinned messages.": "Κανένα καρφιτσωμένο μήνυμα.",
@ -626,13 +564,11 @@
"Which officially provided instance you are using, if any": "Ποιά επίσημα παρεχόμενη έκδοση χρησιμοποιείτε, εάν χρησιμοποιείτε κάποια",
"Whether or not you're using the Richtext mode of the Rich Text Editor": "Χωρίς να έχει σημασία εάν χρησιμοποιείτε την λειτουργία \"Πλούσιο Κείμενο\" του Επεξεργαστή Πλουσίου Κειμένου",
"Whether or not you're using the 'breadcrumbs' feature (avatars above the room list)": "Χωρίς να έχει σημασία εάν χρησιμοποιείτε το χαρακτηριστικό 'ψίχουλα' (τα άβαταρ πάνω από την λίστα δωματίων)",
"Your User Agent": "Ο Πράκτορας Χρήστη σας",
"Where this page includes identifiable information, such as a room, user or group ID, that data is removed before being sent to the server.": "Όπου αυτή η σελίδα περιέχει αναγνωρίσιμες πληροφορίες, όπως ταυτότητα δωματίου, χρήστη ή ομάδας, αυτά τα δεδομένα αφαιρούνται πριν πραγματοποιηθεί αποστολή στον διακομιστή.",
"Call failed due to misconfigured server": "Η κλήση απέτυχε λόγω της λανθασμένης διάρθρωσης του διακομιστή",
"Please ask the administrator of your homeserver (<code>%(homeserverDomain)s</code>) to configure a TURN server in order for calls to work reliably.": "Παρακαλείστε να ρωτήσετε τον διαχειριστή του διακομιστή φιλοξενίας σας (<code>%(homeserverDomain)s</code>) να ρυθμίσουν έναν διακομιστή πρωτοκόλλου TURN ώστε οι κλήσεις να λειτουργούν απρόσκοπτα.",
"Alternatively, you can try to use the public server at <code>turn.matrix.org</code>, but this will not be as reliable, and it will share your IP address with that server. You can also manage this in Settings.": "Εναλλακτικά, δοκιμάστε να χρησιμοποιήσετε τον δημόσιο διακομιστή στο <code>turn.matrix.org</code>, αλλά δεν θα είναι το ίδιο απρόσκοπτο, και θα κοινοποιεί την διεύθυνση IP σας με τον διακομιστή. Μπορείτε επίσης να το διαχειριστείτε στις Ρυθμίσεις.",
"Try using turn.matrix.org": "Δοκιμάστε το turn.matrix.org",
"A conference call could not be started because the integrations server is not available": "Μια κλήση συνδιάσκεψης δεν μπορούσε να ξεκινήσει διότι ο διακομιστής ενσωμάτωσης είναι μη διαθέσιμος",
"Call in Progress": "Κλήση σε Εξέλιξη",
"A call is currently being placed!": "Μια κλήση πραγματοποιείτε τώρα!",
"A call is already in progress!": "Μια κλήση είναι σε εξέλιξη ήδη!",
@ -649,8 +585,6 @@
"Only continue if you trust the owner of the server.": "Συνεχίστε μόνο εάν εμπιστεύεστε τον ιδιοκτήτη του διακομιστή.",
"Trust": "Εμπιστοσύνη",
"Unable to load! Check your network connectivity and try again.": "Αδυναμία φόρτωσης! Ελέγξτε την σύνδεση του δικτύου και προσπαθήστε ξανά.",
"Registration Required": "Απαιτείτε Εγγραφή",
"You need to register to do this. Would you like to register now?": "Χρειάζεται να γίνει εγγραφή για αυτό. Θα θέλατε να κάνετε εγγραφή τώρα;",
"Failed to invite users to the room:": "Αποτυχία πρόσκλησης χρηστών στο δωμάτιο:",
"Missing roomId.": "Λείπει η ταυτότητα δωματίου.",
"Messages": "Μηνύματα",
@ -669,6 +603,6 @@
"This room has no topic.": "Το δωμάτιο αυτό δεν έχει κανένα θέμα.",
"Sets the room name": "Θέτει το θέμα του δωματίου",
"Use an identity server": "Χρησιμοποιήστε ένα διακομιστή ταυτοτήτων",
"Your Riot is misconfigured": "Οι παράμετροι του Riot σας είναι λανθασμένα ρυθμισμένοι",
"Your %(brand)s is misconfigured": "Οι παράμετροι του %(brand)s σας είναι λανθασμένα ρυθμισμένοι",
"Explore rooms": "Εξερευνήστε δωμάτια"
}

View file

@ -14,22 +14,22 @@
"Click the button below to confirm adding this phone number.": "Click the button below to confirm adding this phone number.",
"Add Phone Number": "Add Phone Number",
"The platform you're on": "The platform you're on",
"The version of Riot": "The version of Riot",
"The version of %(brand)s": "The version of %(brand)s",
"Whether or not you're logged in (we don't record your username)": "Whether or not you're logged in (we don't record your username)",
"Your language of choice": "Your language of choice",
"Which officially provided instance you are using, if any": "Which officially provided instance you are using, if any",
"Whether or not you're using the Richtext mode of the Rich Text Editor": "Whether or not you're using the Richtext mode of the Rich Text Editor",
"Your homeserver's URL": "Your homeserver's URL",
"Whether you're using Riot on a device where touch is the primary input mechanism": "Whether you're using Riot on a device where touch is the primary input mechanism",
"Whether you're using %(brand)s on a device where touch is the primary input mechanism": "Whether you're using %(brand)s on a device where touch is the primary input mechanism",
"Whether or not you're using the 'breadcrumbs' feature (avatars above the room list)": "Whether or not you're using the 'breadcrumbs' feature (avatars above the room list)",
"Whether you're using Riot as an installed Progressive Web App": "Whether you're using Riot as an installed Progressive Web App",
"Whether you're using %(brand)s as an installed Progressive Web App": "Whether you're using %(brand)s as an installed Progressive Web App",
"e.g. %(exampleValue)s": "e.g. %(exampleValue)s",
"Every page you use in the app": "Every page you use in the app",
"e.g. <CurrentPageURL>": "e.g. <CurrentPageURL>",
"Your user agent": "Your user agent",
"Your device resolution": "Your device resolution",
"Analytics": "Analytics",
"The information being sent to us to help make Riot better includes:": "The information being sent to us to help make Riot better includes:",
"The information being sent to us to help make %(brand)s better includes:": "The information being sent to us to help make %(brand)s better includes:",
"Where this page includes identifiable information, such as a room, user or group ID, that data is removed before being sent to the server.": "Where this page includes identifiable information, such as a room, user or group ID, that data is removed before being sent to the server.",
"Error": "Error",
"Unable to load! Check your network connectivity and try again.": "Unable to load! Check your network connectivity and try again.",
@ -114,8 +114,8 @@
"Only continue if you trust the owner of the server.": "Only continue if you trust the owner of the server.",
"Trust": "Trust",
"%(name)s is requesting verification": "%(name)s is requesting verification",
"Riot does not have permission to send you notifications - please check your browser settings": "Riot does not have permission to send you notifications - please check your browser settings",
"Riot was not given permission to send notifications - please try again": "Riot was not given permission to send notifications - please try again",
"%(brand)s does not have permission to send you notifications - please check your browser settings": "%(brand)s does not have permission to send you notifications - please check your browser settings",
"%(brand)s was not given permission to send notifications - please try again": "%(brand)s was not given permission to send notifications - please try again",
"Unable to enable Notifications": "Unable to enable Notifications",
"This email address was not found": "This email address was not found",
"Your email address does not appear to be associated with a Matrix ID on this Homeserver.": "Your email address does not appear to be associated with a Matrix ID on this Homeserver.",
@ -320,8 +320,8 @@
"%(names)s and %(lastPerson)s are typing …": "%(names)s and %(lastPerson)s are typing …",
"Cannot reach homeserver": "Cannot reach homeserver",
"Ensure you have a stable internet connection, or get in touch with the server admin": "Ensure you have a stable internet connection, or get in touch with the server admin",
"Your Riot is misconfigured": "Your Riot is misconfigured",
"Ask your Riot admin to check <a>your config</a> for incorrect or duplicate entries.": "Ask your Riot admin to check <a>your config</a> for incorrect or duplicate entries.",
"Your %(brand)s is misconfigured": "Your %(brand)s is misconfigured",
"Ask your %(brand)s admin to check <a>your config</a> for incorrect or duplicate entries.": "Ask your %(brand)s admin to check <a>your config</a> for incorrect or duplicate entries.",
"Cannot reach identity server": "Cannot reach identity server",
"You can register, but some features will be unavailable until the identity server is back online. If you keep seeing this warning, check your configuration or contact a server admin.": "You can register, but some features will be unavailable until the identity server is back online. If you keep seeing this warning, check your configuration or contact a server admin.",
"You can reset your password, but some features will be unavailable until the identity server is back online. If you keep seeing this warning, check your configuration or contact a server admin.": "You can reset your password, but some features will be unavailable until the identity server is back online. If you keep seeing this warning, check your configuration or contact a server admin.",
@ -353,7 +353,7 @@
"%(num)s days from now": "%(num)s days from now",
"%(name)s (%(userId)s)": "%(name)s (%(userId)s)",
"Your browser does not support the required cryptography extensions": "Your browser does not support the required cryptography extensions",
"Not a valid Riot keyfile": "Not a valid Riot keyfile",
"Not a valid %(brand)s keyfile": "Not a valid %(brand)s keyfile",
"Authentication check failed: incorrect password?": "Authentication check failed: incorrect password?",
"Unrecognised address": "Unrecognised address",
"You do not have permission to invite people to this room.": "You do not have permission to invite people to this room.",
@ -390,8 +390,8 @@
"Common names and surnames are easy to guess": "Common names and surnames are easy to guess",
"Straight rows of keys are easy to guess": "Straight rows of keys are easy to guess",
"Short keyboard patterns are easy to guess": "Short keyboard patterns are easy to guess",
"Help us improve Riot": "Help us improve Riot",
"Send <UsageDataLink>anonymous usage data</UsageDataLink> which helps us improve Riot. This will use a <PolicyLink>cookie</PolicyLink>.": "Send <UsageDataLink>anonymous usage data</UsageDataLink> which helps us improve Riot. This will use a <PolicyLink>cookie</PolicyLink>.",
"Help us improve %(brand)s": "Help us improve %(brand)s",
"Send <UsageDataLink>anonymous usage data</UsageDataLink> which helps us improve %(brand)s. This will use a <PolicyLink>cookie</PolicyLink>.": "Send <UsageDataLink>anonymous usage data</UsageDataLink> which helps us improve %(brand)s. This will use a <PolicyLink>cookie</PolicyLink>.",
"I want to help": "I want to help",
"No": "No",
"Review where youre logged in": "Review where youre logged in",
@ -424,8 +424,8 @@
"What's New": "What's New",
"Update": "Update",
"Restart": "Restart",
"Upgrade your Riot": "Upgrade your Riot",
"A new version of Riot is available!": "A new version of Riot is available!",
"Upgrade your %(brand)s": "Upgrade your %(brand)s",
"A new version of %(brand)s is available!": "A new version of %(brand)s is available!",
"Guest": "Guest",
"There was an error joining the room": "There was an error joining the room",
"Sorry, your homeserver is too old to participate in this room.": "Sorry, your homeserver is too old to participate in this room.",
@ -731,8 +731,8 @@
"Manage": "Manage",
"Securely cache encrypted messages locally for them to appear in search results.": "Securely cache encrypted messages locally for them to appear in search results.",
"Enable": "Enable",
"Riot is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom Riot Desktop with <nativeLink>search components added</nativeLink>.": "Riot is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom Riot Desktop with <nativeLink>search components added</nativeLink>.",
"Riot can't securely cache encrypted messages locally while running in a web browser. Use <riotLink>Riot Desktop</riotLink> for encrypted messages to appear in search results.": "Riot can't securely cache encrypted messages locally while running in a web browser. Use <riotLink>Riot Desktop</riotLink> for encrypted messages to appear in search results.",
"%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with <nativeLink>search components added</nativeLink>.": "%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with <nativeLink>search components added</nativeLink>.",
"%(brand)s can't securely cache encrypted messages locally while running in a web browser. Use <desktopLink>%(brand)s Desktop</desktopLink> for encrypted messages to appear in search results.": "%(brand)s can't securely cache encrypted messages locally while running in a web browser. Use <desktopLink>%(brand)s Desktop</desktopLink> for encrypted messages to appear in search results.",
"Connecting to integration manager...": "Connecting to integration manager...",
"Cannot connect to integration manager": "Cannot connect to integration manager",
"The integration manager is offline or it cannot reach your homeserver.": "The integration manager is offline or it cannot reach your homeserver.",
@ -785,8 +785,8 @@
"Unable to fetch notification target list": "Unable to fetch notification target list",
"Notification targets": "Notification targets",
"Advanced notification settings": "Advanced notification settings",
"There are advanced notifications which are not shown here": "There are advanced notifications which are not shown here",
"You might have configured them in a client other than Riot. You cannot tune them in Riot but they still apply": "You might have configured them in a client other than Riot. You cannot tune them in Riot but they still apply",
"There are advanced notifications which are not shown here.": "There are advanced notifications which are not shown here.",
"You might have configured them in a client other than %(brand)s. You cannot tune them in %(brand)s but they still apply.": "You might have configured them in a client other than %(brand)s. You cannot tune them in %(brand)s but they still apply.",
"Enable desktop notifications for this session": "Enable desktop notifications for this session",
"Show message in desktop notification": "Show message in desktop notification",
"Enable audible notifications for this session": "Enable audible notifications for this session",
@ -851,7 +851,7 @@
"Compact": "Compact",
"Modern": "Modern",
"Customise your appearance": "Customise your appearance",
"Appearance Settings only affect this Riot session.": "Appearance Settings only affect this Riot session.",
"Appearance Settings only affect this %(brand)s session.": "Appearance Settings only affect this %(brand)s session.",
"Flair": "Flair",
"Failed to change password. Is your password correct?": "Failed to change password. Is your password correct?",
"Success": "Success",
@ -871,9 +871,9 @@
"Deactivate account": "Deactivate account",
"Legal": "Legal",
"Credits": "Credits",
"For help with using Riot, click <a>here</a>.": "For help with using Riot, click <a>here</a>.",
"For help with using Riot, click <a>here</a> or start a chat with our bot using the button below.": "For help with using Riot, click <a>here</a> or start a chat with our bot using the button below.",
"Chat with Riot Bot": "Chat with Riot Bot",
"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",
"Help & About": "Help & About",
"Bug reporting": "Bug reporting",
"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 or groups you have visited 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. Debug logs contain application usage data including your username, the IDs or aliases of the rooms or groups you have visited and the usernames of other users. They do not contain messages.",
@ -883,7 +883,7 @@
"FAQ": "FAQ",
"Keyboard Shortcuts": "Keyboard Shortcuts",
"Versions": "Versions",
"riot-web version:": "riot-web version:",
"%(brand)s version:": "%(brand)s version:",
"olm version:": "olm version:",
"Homeserver is": "Homeserver is",
"Identity Server is": "Identity Server is",
@ -911,7 +911,7 @@
"You are currently subscribed to:": "You are currently subscribed to:",
"Ignored users": "Ignored users",
"⚠ These settings are meant for advanced users.": "⚠ These settings are meant for advanced users.",
"Add users and servers you want to ignore here. Use asterisks to have Riot match any characters. For example, <code>@bot:*</code> would ignore all users that have the name 'bot' on any server.": "Add users and servers you want to ignore here. Use asterisks to have Riot match any characters. For example, <code>@bot:*</code> would ignore all users that have the name 'bot' on any server.",
"Add users and servers you want to ignore here. Use asterisks to have %(brand)s match any characters. For example, <code>@bot:*</code> would ignore all users that have the name 'bot' on any server.": "Add users and servers you want to ignore here. Use asterisks to have %(brand)s match any characters. For example, <code>@bot:*</code> would ignore all users that have the name 'bot' on any server.",
"Ignoring people is done through ban lists which contain rules for who to ban. Subscribing to a ban list means the users/servers blocked by that list will be hidden from you.": "Ignoring people is done through ban lists which contain rules for who to ban. Subscribing to a ban list means the users/servers blocked by that list will be hidden from you.",
"Personal ban list": "Personal ban list",
"Your personal ban list holds all the users/servers you personally don't want to see messages from. After ignoring your first user/server, a new room will show up in your room list named 'My Ban List' - stay in this room to keep the ban list in effect.": "Your personal ban list holds all the users/servers you personally don't want to see messages from. After ignoring your first user/server, a new room will show up in your room list named 'My Ban List' - stay in this room to keep the ban list in effect.",
@ -950,11 +950,11 @@
"Where youre logged in": "Where youre logged in",
"Manage the names of and sign out of your sessions below or <a>verify them in your User Profile</a>.": "Manage the names of and sign out of your sessions below or <a>verify them in your User Profile</a>.",
"A session's public name is visible to people you communicate with": "A session's public name is visible to people you communicate with",
"Riot collects anonymous analytics to allow us to improve the application.": "Riot collects anonymous analytics to allow us to improve the application.",
"%(brand)s collects anonymous analytics to allow us to improve the application.": "%(brand)s collects anonymous analytics to allow us to improve the application.",
"Privacy is important to us, so we don't collect any personal or identifiable data for our analytics.": "Privacy is important to us, so we don't collect any personal or identifiable data for our analytics.",
"Learn more about how we use analytics.": "Learn more about how we use analytics.",
"No media permissions": "No media permissions",
"You may need to manually permit Riot to access your microphone/webcam": "You may need to manually permit Riot to access your microphone/webcam",
"You may need to manually permit %(brand)s to access your microphone/webcam": "You may need to manually permit %(brand)s to access your microphone/webcam",
"Missing media permissions, click the button below to request.": "Missing media permissions, click the button below to request.",
"Request media permissions": "Request media permissions",
"No Audio Outputs detected": "No Audio Outputs detected",
@ -1189,10 +1189,10 @@
"You can still join it because this is a public room.": "You can still join it because this is a public room.",
"Join the discussion": "Join the discussion",
"This invite to %(roomName)s was sent to %(email)s which is not associated with your account": "This invite to %(roomName)s was sent to %(email)s which is not associated with your account",
"Link this email with your account in Settings to receive invites directly in Riot.": "Link this email with your account in Settings to receive invites directly in Riot.",
"Link this email with your account in Settings to receive invites directly in %(brand)s.": "Link this email with your account in Settings to receive invites directly in %(brand)s.",
"This invite to %(roomName)s was sent to %(email)s": "This invite to %(roomName)s was sent to %(email)s",
"Use an identity server in Settings to receive invites directly in Riot.": "Use an identity server in Settings to receive invites directly in Riot.",
"Share this email in Settings to receive invites directly in Riot.": "Share this email in Settings to receive invites directly in Riot.",
"Use an identity server in Settings to receive invites directly in %(brand)s.": "Use an identity server in Settings to receive invites directly in %(brand)s.",
"Share this email in Settings to receive invites directly in %(brand)s.": "Share this email in Settings to receive invites directly in %(brand)s.",
"Do you want to chat with %(user)s?": "Do you want to chat with %(user)s?",
"<userName/> wants to chat": "<userName/> wants to chat",
"Start chatting": "Start chatting",
@ -1374,7 +1374,7 @@
"Failed to deactivate user": "Failed to deactivate user",
"This client does not support end-to-end encryption.": "This client does not support end-to-end encryption.",
"Security": "Security",
"The session you are trying to verify doesn't support scanning a QR code or emoji verification, which is what Riot supports. Try with a different client.": "The session you are trying to verify doesn't support scanning a QR code or emoji verification, which is what Riot supports. Try with a different client.",
"The session you are trying to verify doesn't support scanning a QR code or emoji verification, which is what %(brand)s supports. Try with a different client.": "The session you are trying to verify doesn't support scanning a QR code or emoji verification, which is what %(brand)s supports. Try with a different client.",
"Verify by scanning": "Verify by scanning",
"Ask %(displayName)s to scan your code:": "Ask %(displayName)s to scan your code:",
"If you can't scan the code above, verify by comparing unique emoji.": "If you can't scan the code above, verify by comparing unique emoji.",
@ -1494,7 +1494,7 @@
"Your avatar URL": "Your avatar URL",
"Your user ID": "Your user ID",
"Your theme": "Your theme",
"Riot URL": "Riot URL",
"%(brand)s URL": "%(brand)s URL",
"Room ID": "Room ID",
"Widget ID": "Widget ID",
"Using this widget may share data <helpIcon /> with %(widgetDomain)s & your Integration Manager.": "Using this widget may share data <helpIcon /> with %(widgetDomain)s & your Integration Manager.",
@ -1669,8 +1669,8 @@
"Block users on other matrix homeservers from joining this room (This setting cannot be changed later!)": "Block users on other matrix homeservers from joining this room (This setting cannot be changed later!)",
"Create Room": "Create Room",
"Sign out": "Sign out",
"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 Riot to do this": "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 Riot to do this",
"You've previously used a newer version of Riot with this session. To use this version again with end to end encryption, you will need to sign out and back in again.": "You've previously used a newer version of Riot with this session. To use this version again with end to end encryption, you will need to sign out and back in again.",
"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": "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",
"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.": "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.",
"Incompatible Database": "Incompatible Database",
"Continue With Encryption Disabled": "Continue With Encryption Disabled",
"Confirm your account deactivation by using Single Sign On to prove your identity.": "Confirm your account deactivation by using Single Sign On to prove your identity.",
@ -1711,7 +1711,7 @@
"Integrations are disabled": "Integrations are disabled",
"Enable 'Manage Integrations' in Settings to do this.": "Enable 'Manage Integrations' in Settings to do this.",
"Integrations not allowed": "Integrations not allowed",
"Your Riot doesn't allow you to use an Integration Manager to do this. Please contact an admin.": "Your Riot doesn't allow you to use an Integration Manager to do this. Please contact an admin.",
"Your %(brand)s doesn't allow you to use an Integration Manager to do this. Please contact an admin.": "Your %(brand)s doesn't allow you to use an Integration Manager to do this. Please contact an admin.",
"To continue, use Single Sign On to prove your identity.": "To continue, use Single Sign On to prove your identity.",
"Confirm to continue": "Confirm to continue",
"Click the button below to confirm your identity.": "Click the button below to confirm your identity.",
@ -1731,18 +1731,18 @@
"a new cross-signing key signature": "a new cross-signing key signature",
"a device cross-signing signature": "a device cross-signing signature",
"a key signature": "a key signature",
"Riot encountered an error during upload of:": "Riot encountered an error during upload of:",
"%(brand)s encountered an error during upload of:": "%(brand)s encountered an error during upload of:",
"Upload completed": "Upload completed",
"Cancelled signature upload": "Cancelled signature upload",
"Unable to upload": "Unable to upload",
"Signature upload success": "Signature upload success",
"Signature upload failed": "Signature upload failed",
"You've previously used Riot 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, Riot needs to resync your account.": "You've previously used Riot 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, Riot needs to resync your account.",
"If the other version of Riot is still open in another tab, please close it as using Riot on the same host with both lazy loading enabled and disabled simultaneously will cause issues.": "If the other version of Riot is still open in another tab, please close it as using Riot on the same host with both lazy loading enabled and disabled simultaneously will cause issues.",
"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.": "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.",
"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.": "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.",
"Incompatible local cache": "Incompatible local cache",
"Clear cache and resync": "Clear cache and resync",
"Riot now uses 3-5x less memory, by only loading information about other users when needed. Please wait whilst we resynchronise with the server!": "Riot now uses 3-5x less memory, by only loading information about other users when needed. Please wait whilst we resynchronise with the server!",
"Updating Riot": "Updating Riot",
"%(brand)s now uses 3-5x less memory, by only loading information about other users when needed. Please wait whilst we resynchronise with the server!": "%(brand)s now uses 3-5x less memory, by only loading information about other users when needed. Please wait whilst we resynchronise with the server!",
"Updating %(brand)s": "Updating %(brand)s",
"I don't want my encrypted messages": "I don't want my encrypted messages",
"Manually export keys": "Manually export keys",
"You'll lose access to your encrypted messages": "You'll lose access to your encrypted messages",
@ -1791,7 +1791,7 @@
"Upgrade private room": "Upgrade private room",
"Upgrade public room": "Upgrade public room",
"Upgrading a room is an advanced action and is usually recommended when a room is unstable due to bugs, missing features or security vulnerabilities.": "Upgrading a room is an advanced action and is usually recommended when a room is unstable due to bugs, missing features or security vulnerabilities.",
"This usually only affects how the room is processed on the server. If you're having problems with your Riot, please <a>report a bug</a>.": "This usually only affects how the room is processed on the server. If you're having problems with your Riot, please <a>report a bug</a>.",
"This usually only affects how the room is processed on the server. If you're having problems with your %(brand)s, please <a>report a bug</a>.": "This usually only affects how the room is processed on the server. If you're having problems with your %(brand)s, please <a>report a bug</a>.",
"You'll upgrade this room from <oldVersion /> to <newVersion />.": "You'll upgrade this room from <oldVersion /> to <newVersion />.",
"Sign out and remove encryption keys?": "Sign out and remove encryption keys?",
"Clear Storage and Sign Out": "Clear Storage and Sign Out",
@ -1799,7 +1799,7 @@
"Refresh": "Refresh",
"Unable to restore session": "Unable to restore session",
"We encountered an error trying to restore your previous session.": "We encountered an error trying to restore your previous session.",
"If you have previously used a more recent version of Riot, your session may be incompatible with this version. Close this window and return to the more recent version.": "If you have previously used a more recent version of Riot, your session may be incompatible with this version. Close this window and return to the more recent version.",
"If you have previously used a more recent version of %(brand)s, your session may be incompatible with this version. Close this window and return to the more recent version.": "If you have previously used a more recent version of %(brand)s, your session may be incompatible with this version. Close this window and return to the more recent version.",
"Clearing your browser's storage may fix the problem, but will sign you out and cause any encrypted chat history to become unreadable.": "Clearing your browser's storage may fix the problem, but will sign you out and cause any encrypted chat history to become unreadable.",
"Verification Pending": "Verification Pending",
"Please check your email and click on the link it contains. Once this is done, click continue.": "Please check your email and click on the link it contains. Once this is done, click continue.",
@ -2004,8 +2004,8 @@
"Sign in to your Matrix account on %(serverName)s": "Sign in to your Matrix account on %(serverName)s",
"Sign in to your Matrix account on <underlinedServerName />": "Sign in to your Matrix account on <underlinedServerName />",
"Sign in with SSO": "Sign in with SSO",
"Sorry, your browser is <b>not</b> able to run Riot.": "Sorry, your browser is <b>not</b> able to run Riot.",
"Riot uses many advanced browser features, some of which are not available or experimental in your current browser.": "Riot uses many advanced browser features, some of which are not available or experimental in your current browser.",
"Sorry, your browser is <b>not</b> able to run %(brand)s.": "Sorry, your browser is <b>not</b> able to run %(brand)s.",
"%(brand)s uses many advanced browser features, some of which are not available or experimental in your current browser.": "%(brand)s uses many advanced browser features, some of which are not available or experimental in your current browser.",
"Please install <chromeLink>Chrome</chromeLink>, <firefoxLink>Firefox</firefoxLink>, or <safariLink>Safari</safariLink> for the best experience.": "Please install <chromeLink>Chrome</chromeLink>, <firefoxLink>Firefox</firefoxLink>, or <safariLink>Safari</safariLink> for the best experience.",
"With your current browser, the look and feel of the application may be completely incorrect, and some or all features may not function. If you want to try it anyway you can continue, but you are on your own in terms of any issues you may encounter!": "With your current browser, the look and feel of the application may be completely incorrect, and some or all features may not function. If you want to try it anyway you can continue, but you are on your own in terms of any issues you may encounter!",
"I understand the risks and wish to continue": "I understand the risks and wish to continue",
@ -2077,20 +2077,20 @@
"To continue using the %(homeserverDomain)s homeserver you must review and agree to our terms and conditions.": "To continue using the %(homeserverDomain)s homeserver you must review and agree to our terms and conditions.",
"Review terms and conditions": "Review terms and conditions",
"Old cryptography data detected": "Old cryptography data detected",
"Data from an older version of Riot has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "Data from an older version of Riot has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.",
"Data from an older version of %(brand)s has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "Data from an older version of %(brand)s has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.",
"Self-verification request": "Self-verification request",
"Logout": "Logout",
"%(creator)s created and configured the room.": "%(creator)s created and configured the room.",
"Your Communities": "Your Communities",
"Did you know: you can use communities to filter your Riot.im experience!": "Did you know: you can use communities to filter your Riot.im experience!",
"Did you know: you can use communities to filter your %(brand)s experience!": "Did you know: you can use communities to filter your %(brand)s experience!",
"To set up a filter, drag a community avatar over to the filter panel on the far left hand side of the screen. You can click on an avatar in the filter panel at any time to see only the rooms and people associated with that community.": "To set up a filter, drag a community avatar over to the filter panel on the far left hand side of the screen. You can click on an avatar in the filter panel at any time to see only the rooms and people associated with that community.",
"Error whilst fetching joined communities": "Error whilst fetching joined communities",
"Communities": "Communities",
"Create a new community": "Create a new community",
"Create a community to group together users and rooms! Build a custom homepage to mark out your space in the Matrix universe.": "Create a community to group together users and rooms! Build a custom homepage to mark out your space in the Matrix universe.",
"You have no visible notifications": "You have no visible notifications",
"Riot failed to get the protocol list from the homeserver. The homeserver may be too old to support third party networks.": "Riot failed to get the protocol list from the homeserver. The homeserver may be too old to support third party networks.",
"Riot failed to get the public room list.": "Riot failed to get the public room list.",
"%(brand)s failed to get the protocol list from the homeserver. The homeserver may be too old to support third party networks.": "%(brand)s failed to get the protocol list from the homeserver. The homeserver may be too old to support third party networks.",
"%(brand)s failed to get the public room list.": "%(brand)s failed to get the public room list.",
"The homeserver may be unavailable or overloaded.": "The homeserver may be unavailable or overloaded.",
"Delete the room address %(alias)s and remove %(name)s from the directory?": "Delete the room address %(alias)s and remove %(name)s from the directory?",
"Remove %(name)s from the directory?": "Remove %(name)s from the directory?",
@ -2099,7 +2099,7 @@
"delete the address.": "delete the address.",
"The server may be unavailable or overloaded": "The server may be unavailable or overloaded",
"Unable to join network": "Unable to join network",
"Riot does not know how to join a room on this network": "Riot does not know how to join a room on this network",
"%(brand)s does not know how to join a room on this network": "%(brand)s does not know how to join a room on this network",
"Room not found": "Room not found",
"Couldn't find a matching Matrix room": "Couldn't find a matching Matrix room",
"Fetching third party location failed": "Fetching third party location failed",
@ -2207,7 +2207,11 @@
"Use Recovery Key or Passphrase": "Use Recovery Key or Passphrase",
"Use Recovery Key": "Use Recovery Key",
"Confirm your identity by verifying this login from one of your other sessions, granting it access to encrypted messages.": "Confirm your identity by verifying this login from one of your other sessions, granting it access to encrypted messages.",
"This requires the latest Riot on your other devices:": "This requires the latest Riot on your other devices:",
"This requires the latest %(brand)s on your other devices:": "This requires the latest %(brand)s on your other devices:",
"%(brand)s Web": "%(brand)s Web",
"%(brand)s Desktop": "%(brand)s Desktop",
"%(brand)s iOS": "%(brand)s iOS",
"%(brand)s X for Android": "%(brand)s X for Android",
"or another cross-signing capable Matrix client": "or another cross-signing capable Matrix client",
"Your new session is now verified. It has access to your encrypted messages, and other users will see it as trusted.": "Your new session is now verified. It has access to your encrypted messages, and other users will see it as trusted.",
"Your new session is now verified. Other users will see it as trusted.": "Your new session is now verified. Other users will see it as trusted.",
@ -2321,7 +2325,7 @@
"Disable": "Disable",
"Not currently indexing messages for any room.": "Not currently indexing messages for any room.",
"Currently indexing: %(currentRoom)s": "Currently indexing: %(currentRoom)s",
"Riot is securely caching encrypted messages locally for them to appear in search results:": "Riot is securely caching encrypted messages locally for them to appear in search results:",
"%(brand)s is securely caching encrypted messages locally for them to appear in search results:": "%(brand)s is securely caching encrypted messages locally for them to appear in search results:",
"Space used:": "Space used:",
"Indexed messages:": "Indexed messages:",
"Indexed rooms:": "Indexed rooms:",

View file

@ -11,12 +11,11 @@
"No Microphones detected": "No Microphones detected",
"No Webcams detected": "No Webcams detected",
"No media permissions": "No media permissions",
"You may need to manually permit Riot to access your microphone/webcam": "You may need to manually permit Riot to access your microphone/webcam",
"You may need to manually permit %(brand)s to access your microphone/webcam": "You may need to manually permit %(brand)s to access your microphone/webcam",
"Default Device": "Default Device",
"Microphone": "Microphone",
"Camera": "Camera",
"Advanced": "Advanced",
"Algorithm": "Algorithm",
"Always show message timestamps": "Always show message timestamps",
"Authentication": "Authentication",
"%(items)s and %(lastItem)s": "%(items)s and %(lastItem)s",
@ -37,7 +36,6 @@
"Ban": "Ban",
"Banned users": "Banned users",
"Bans user with given id": "Bans user with given id",
"Blacklisted": "Blacklisted",
"Call Timeout": "Call Timeout",
"Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or <a>enable unsafe scripts</a>.": "Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or <a>enable unsafe scripts</a>.",
"Change Password": "Change Password",
@ -47,7 +45,6 @@
"%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s removed the room name.",
"%(senderDisplayName)s changed the topic to \"%(topic)s\".": "%(senderDisplayName)s changed the topic to \"%(topic)s\".",
"Changes your display nickname": "Changes your display nickname",
"Claimed Ed25519 fingerprint key": "Claimed Ed25519 fingerprint key",
"Click here to fix": "Click here to fix",
"Click to mute audio": "Click to mute audio",
"Click to mute video": "Click to mute video",
@ -58,35 +55,26 @@
"Commands": "Commands",
"Confirm password": "Confirm password",
"Continue": "Continue",
"Could not connect to the integration server": "Could not connect to the integration server",
"Create Room": "Create Room",
"Cryptography": "Cryptography",
"Current password": "Current password",
"Curve25519 identity key": "Curve25519 identity key",
"Custom level": "Custom level",
"/ddg is not a command": "/ddg is not a command",
"Deactivate Account": "Deactivate Account",
"Decrypt %(text)s": "Decrypt %(text)s",
"Decryption error": "Decryption error",
"Deops user with given id": "Deops user with given id",
"Default": "Default",
"Delete widget": "Delete widget",
"Device ID": "Device ID",
"device id: ": "device id: ",
"Direct chats": "Direct chats",
"Disinvite": "Disinvite",
"Displays action": "Displays action",
"Download %(text)s": "Download %(text)s",
"Ed25519 fingerprint": "Ed25519 fingerprint",
"Edit": "Edit",
"Email": "Email",
"Email address": "Email address",
"Emoji": "Emoji",
"%(senderName)s ended the call.": "%(senderName)s ended the call.",
"End-to-end encryption information": "End-to-end encryption information",
"Error": "Error",
"Error decrypting attachment": "Error decrypting attachment",
"Event information": "Event information",
"Existing Call": "Existing Call",
"Export": "Export",
"Export E2E room keys": "Export E2E room keys",
@ -106,7 +94,6 @@
"Failed to send email": "Failed to send email",
"Failed to send request.": "Failed to send request.",
"Failed to set display name": "Failed to set display name",
"Failed to toggle moderator status": "Failed to toggle moderator status",
"Failed to unban": "Failed to unban",
"Failed to verify email address: make sure you clicked the link in the email": "Failed to verify email address: make sure you clicked the link in the email",
"Failure to create room": "Failure to create room",
@ -136,7 +123,6 @@
"Sign in with": "Sign in with",
"Join Room": "Join Room",
"%(targetName)s joined the room.": "%(targetName)s joined the room.",
"Joins room with given alias": "Joins room with given alias",
"Jump to first unread message.": "Jump to first unread message.",
"%(senderName)s kicked %(targetName)s.": "%(senderName)s kicked %(targetName)s.",
"Kick": "Kick",
@ -144,7 +130,6 @@
"Labs": "Labs",
"Ignore": "Ignore",
"Unignore": "Unignore",
"User Options": "User Options",
"You are now ignoring %(userId)s": "You are now ignoring %(userId)s",
"You are no longer ignoring %(userId)s": "You are no longer ignoring %(userId)s",
"Unignored user": "Unignored user",
@ -154,7 +139,6 @@
"Leave room": "Leave room",
"%(targetName)s left the room.": "%(targetName)s left the room.",
"Publish this room to the public in %(domain)s's room directory?": "Publish this room to the public in %(domain)s's room directory?",
"Local addresses for this room:": "Local addresses for this room:",
"Logout": "Logout",
"Low priority": "Low priority",
"%(senderName)s made future room history visible to all room members, from the point they are invited.": "%(senderName)s made future room history visible to all room members, from the point they are invited.",
@ -168,15 +152,12 @@
"Moderator": "Moderator",
"Mute": "Mute",
"Name": "Name",
"New address (e.g. #foo:%(localDomain)s)": "New address (e.g. #foo:%(localDomain)s)",
"New passwords don't match": "New passwords don't match",
"New passwords must match each other.": "New passwords must match each other.",
"none": "none",
"not specified": "not specified",
"Notifications": "Notifications",
"(not supported by this browser)": "(not supported by this browser)",
"<not supported>": "<not supported>",
"NOT verified": "NOT verified",
"No more results": "No more results",
"No results": "No results",
"No users have specific privileges in this room": "No users have specific privileges in this room",
@ -194,25 +175,22 @@
"Privileged Users": "Privileged Users",
"Profile": "Profile",
"Reason": "Reason",
"Revoke Moderator": "Revoke Moderator",
"Register": "Register",
"%(targetName)s rejected the invitation.": "%(targetName)s rejected the invitation.",
"Reject invitation": "Reject invitation",
"Remote addresses for this room:": "Remote addresses for this room:",
"%(senderName)s removed their display name (%(oldDisplayName)s).": "%(senderName)s removed their display name (%(oldDisplayName)s).",
"%(senderName)s removed their profile picture.": "%(senderName)s removed their profile picture.",
"Remove": "Remove",
"%(senderName)s requested a VoIP conference.": "%(senderName)s requested a VoIP conference.",
"Results from DuckDuckGo": "Results from DuckDuckGo",
"Return to login screen": "Return to login screen",
"Riot does not have permission to send you notifications - please check your browser settings": "Riot does not have permission to send you notifications - please check your browser settings",
"Riot was not given permission to send notifications - please try again": "Riot was not given permission to send notifications - please try again",
"riot-web version:": "riot-web version:",
"%(brand)s does not have permission to send you notifications - please check your browser settings": "%(brand)s does not have permission to send you notifications - please check your browser settings",
"%(brand)s was not given permission to send notifications - please try again": "%(brand)s was not given permission to send notifications - please try again",
"%(brand)s version:": "%(brand)s version:",
"Room %(roomId)s not visible": "Room %(roomId)s not visible",
"Room Colour": "Room Color",
"Rooms": "Rooms",
"Save": "Save",
"Scroll to bottom of page": "Scroll to bottom of page",
"Search": "Search",
"Search failed": "Search failed",
"Searches DuckDuckGo for results": "Searches DuckDuckGo for results",
@ -233,7 +211,6 @@
"Sign out": "Sign out",
"%(count)s of your messages have not been sent.|other": "Some of your messages have not been sent.",
"Someone": "Someone",
"Start a chat": "Start a chat",
"Submit": "Submit",
"Success": "Success",
"This email address is already in use": "This email address is already in use",
@ -255,22 +232,14 @@
"%(senderName)s unbanned %(targetName)s.": "%(senderName)s unbanned %(targetName)s.",
"Unable to capture screen": "Unable to capture screen",
"Unable to enable Notifications": "Unable to enable Notifications",
"unencrypted": "unencrypted",
"unknown device": "unknown device",
"unknown error code": "unknown error code",
"Unknown room %(roomId)s": "Unknown room %(roomId)s",
"Unmute": "Unmute",
"Unrecognised room alias:": "Unrecognized room alias:",
"Upload avatar": "Upload avatar",
"Upload Failed": "Upload Failed",
"Upload file": "Upload file",
"Usage": "Usage",
"Use compact timeline layout": "Use compact timeline layout",
"User ID": "User ID",
"Users": "Users",
"Verification Pending": "Verification Pending",
"Verification": "Verification",
"verified": "verified",
"Verified key": "Verified key",
"Video call": "Video call",
"Voice call": "Voice call",
@ -323,7 +292,6 @@
"Upload an avatar:": "Upload an avatar:",
"This server does not support authentication with a phone number.": "This server does not support authentication with a phone number.",
"An error occurred: %(error_string)s": "An error occurred: %(error_string)s",
"Make Moderator": "Make Moderator",
"There are no visible files in this room": "There are no visible files in this room",
"Room": "Room",
"Connectivity to the server has been lost.": "Connectivity to the server has been lost.",
@ -335,7 +303,7 @@
"Analytics": "Analytics",
"Banned by %(displayName)s": "Banned by %(displayName)s",
"Options": "Options",
"Riot collects anonymous analytics to allow us to improve the application.": "Riot collects anonymous analytics to allow us to improve the application.",
"%(brand)s collects anonymous analytics to allow us to improve the application.": "%(brand)s collects anonymous analytics to allow us to improve the application.",
"Passphrases must match": "Passphrases must match",
"Passphrase must not be empty": "Passphrase must not be empty",
"Export room keys": "Export room keys",
@ -355,15 +323,9 @@
"Are you sure you wish to remove (delete) this event? Note that if you delete a room name or topic change, it could undo the change.": "Are you sure you wish to remove (delete) this event? Note that if you delete a room name or topic change, it could undo the change.",
"Unknown error": "Unknown error",
"Incorrect password": "Incorrect password",
"To continue, please enter your password.": "To continue, please enter your password.",
"I verify that the keys match": "I verify that the keys match",
"Unable to restore session": "Unable to restore session",
"If you have previously used a more recent version of Riot, your session may be incompatible with this version. Close this window and return to the more recent version.": "If you have previously used a more recent version of Riot, your session may be incompatible with this version. Close this window and return to the more recent version.",
"If you have previously used a more recent version of %(brand)s, your session may be incompatible with this version. Close this window and return to the more recent version.": "If you have previously used a more recent version of %(brand)s, your session may be incompatible with this version. Close this window and return to the more recent version.",
"Unknown Address": "Unknown Address",
"Unblacklist": "Unblacklist",
"Blacklist": "Blacklist",
"Unverify": "Unverify",
"Verify...": "Verify...",
"ex. @bob:example.com": "ex. @bob:example.com",
"Add User": "Add User",
"Custom Server Options": "Custom Server Options",
@ -378,7 +340,6 @@
"Error decrypting video": "Error decrypting video",
"Add an Integration": "Add an Integration",
"You are about to be taken to a third-party site so you can authenticate your account for use with %(integrationsUrl)s. Do you wish to continue?": "You are about to be taken to a third-party site so you can authenticate your account for use with %(integrationsUrl)s. Do you wish to continue?",
"Removed or unknown message type": "Removed or unknown message type",
"URL Previews": "URL Previews",
"Drop file here to upload": "Drop file here to upload",
" (unsupported)": " (unsupported)",
@ -393,13 +354,10 @@
"Accept": "Accept",
"Add": "Add",
"Admin Tools": "Admin Tools",
"Alias (optional)": "Alias (optional)",
"Can't connect to homeserver - please check your connectivity, ensure your <a>homeserver's SSL certificate</a> is trusted, and that a browser extension is not blocking requests.": "Can't connect to homeserver - please check your connectivity, ensure your <a>homeserver's SSL certificate</a> is trusted, and that a browser extension is not blocking requests.",
"Close": "Close",
"Custom": "Custom",
"Decline": "Decline",
"Disable Notifications": "Disable Notifications",
"Enable Notifications": "Enable Notifications",
"Create new room": "Create new room",
"Room directory": "Room directory",
"Start chat": "Start chat",
@ -419,7 +377,6 @@
"%(roomName)s does not exist.": "%(roomName)s does not exist.",
"%(roomName)s is not accessible at this time.": "%(roomName)s is not accessible at this time.",
"Seen by %(userName)s at %(dateTime)s": "Seen by %(userName)s at %(dateTime)s",
"Send anyway": "Send anyway",
"Start authentication": "Start authentication",
"The phone number entered looks invalid": "The phone number entered looks invalid",
"This room": "This room",
@ -441,15 +398,11 @@
"This will be your account name on the <span></span> homeserver, or you can pick a <a>different server</a>.": "This will be your account name on the <span></span> homeserver, or you can pick a <a>different server</a>.",
"If you already have a Matrix account you can <a>log in</a> instead.": "If you already have a Matrix account you can <a>log in</a> instead.",
"Your browser does not support the required cryptography extensions": "Your browser does not support the required cryptography extensions",
"Not a valid Riot keyfile": "Not a valid Riot keyfile",
"Not a valid %(brand)s keyfile": "Not a valid %(brand)s keyfile",
"Authentication check failed: incorrect password?": "Authentication check failed: incorrect password?",
"Do you want to set an email address?": "Do you want to set an email address?",
"This will allow you to reset your password and receive notifications.": "This will allow you to reset your password and receive notifications.",
"Skip": "Skip",
"Start verification": "Start verification",
"Share without verifying": "Share without verifying",
"Ignore request": "Ignore request",
"Encryption key request": "Encryption key request",
"Check for update": "Check for update",
"Allow": "Allow",
"Cannot add any more widgets": "Cannot add any more widgets",
@ -461,7 +414,6 @@
"Unable to create widget.": "Unable to create widget.",
"You are not in this room.": "You are not in this room.",
"You do not have permission to do that in this room.": "You do not have permission to do that in this room.",
"Message removed by %(userId)s": "Message removed by %(userId)s",
"Example": "Example",
"Create": "Create",
"Pinned Messages": "Pinned Messages",
@ -473,7 +425,6 @@
"%(widgetName)s widget removed by %(senderName)s": "%(widgetName)s widget removed by %(senderName)s",
"%(senderName)s changed the pinned messages for the room.": "%(senderName)s changed the pinned messages for the room.",
"Fetching third party location failed": "Fetching third party location failed",
"A new version of Riot is available.": "A new version of Riot is available.",
"All notifications are currently disabled for all targets.": "All notifications are currently disabled for all targets.",
"Uploading report": "Uploading report",
"Sunday": "Sunday",
@ -491,8 +442,6 @@
"Waiting for response from server": "Waiting for response from server",
"Leave": "Leave",
"Advanced notification settings": "Advanced notification settings",
"delete the alias.": "delete the alias.",
"To return to your account in future you need to <u>set a password</u>": "To return to your account in future you need to <u>set a password</u>",
"Forget": "Forget",
"World readable": "World readable",
"You cannot delete this image. (%(code)s)": "You cannot delete this image. (%(code)s)",
@ -518,7 +467,6 @@
"Resend": "Resend",
"Files": "Files",
"Collecting app version information": "Collecting app version information",
"Delete the room alias %(alias)s and remove %(name)s from the directory?": "Delete the room alias %(alias)s and remove %(name)s from the directory?",
"Keywords": "Keywords",
"Unpin Message": "Unpin Message",
"Enable notifications for this account": "Enable notifications for this account",
@ -528,7 +476,7 @@
"Enter keywords separated by a comma:": "Enter keywords separated by a comma:",
"Search…": "Search…",
"Remove %(name)s from the directory?": "Remove %(name)s from the directory?",
"Riot uses many advanced browser features, some of which are not available or experimental in your current browser.": "Riot uses many advanced browser features, some of which are not available or experimental in your current browser.",
"%(brand)s uses many advanced browser features, some of which are not available or experimental in your current browser.": "%(brand)s uses many advanced browser features, some of which are not available or experimental in your current browser.",
"Unnamed room": "Unnamed room",
"Remember, you can always set an email address in user settings if you change your mind.": "Remember, you can always set an email address in user settings if you change your mind.",
"All messages (noisy)": "All messages (noisy)",
@ -565,8 +513,7 @@
"Forward Message": "Forward Message",
"Unhide Preview": "Unhide Preview",
"Unable to join network": "Unable to join network",
"You might have configured them in a client other than Riot. You cannot tune them in Riot but they still apply": "You might have configured them in a client other than Riot. You cannot tune them in Riot but they still apply",
"Sorry, your browser is <b>not</b> able to run Riot.": "Sorry, your browser is <b>not</b> able to run Riot.",
"Sorry, your browser is <b>not</b> able to run %(brand)s.": "Sorry, your browser is <b>not</b> able to run %(brand)s.",
"Uploaded on %(date)s by %(user)s": "Uploaded on %(date)s by %(user)s",
"Messages in group chats": "Messages in group chats",
"Yesterday": "Yesterday",
@ -575,7 +522,7 @@
"Unable to fetch notification target list": "Unable to fetch notification target list",
"Set Password": "Set Password",
"Off": "Off",
"Riot does not know how to join a room on this network": "Riot does not know how to join a room on this network",
"%(brand)s does not know how to join a room on this network": "%(brand)s does not know how to join a room on this network",
"Mentions only": "Mentions only",
"Failed to remove tag %(tagName)s from room": "Failed to remove tag %(tagName)s from room",
"You can now return to your account after signing out, and sign in on other devices.": "You can now return to your account after signing out, and sign in on other devices.",
@ -587,27 +534,19 @@
"View Source": "View Source",
"With your current browser, the look and feel of the application may be completely incorrect, and some or all features may not function. If you want to try it anyway you can continue, but you are on your own in terms of any issues you may encounter!": "With your current browser, the look and feel of the application may be completely incorrect, and some or all features may not function. If you want to try it anyway you can continue, but you are on your own in terms of any issues you may encounter!",
"Checking for an update...": "Checking for an update...",
"There are advanced notifications which are not shown here": "There are advanced notifications which are not shown here",
"The platform you're on": "The platform you're on",
"The version of Riot.im": "The version of Riot.im",
"The version of %(brand)s": "The version of %(brand)s",
"Your language of choice": "Your language of choice",
"Which officially provided instance you are using, if any": "Which officially provided instance you are using, if any",
"Whether or not you're using the Richtext mode of the Rich Text Editor": "Whether or not you're using the Richtext mode of the Rich Text Editor",
"Your homeserver's URL": "Your homeserver's URL",
"Your identity server's URL": "Your identity server's URL",
"e.g. %(exampleValue)s": "e.g. %(exampleValue)s",
"Every page you use in the app": "Every page you use in the app",
"e.g. <CurrentPageURL>": "e.g. <CurrentPageURL>",
"Your User Agent": "Your User Agent",
"Your device resolution": "Your device resolution",
"The information being sent to us to help make Riot.im better includes:": "The information being sent to us to help make Riot.im better includes:",
"The information being sent to us to help make %(brand)s better includes:": "The information being sent to us to help make %(brand)s better includes:",
"Where this page includes identifiable information, such as a room, user or group ID, that data is removed before being sent to the server.": "Where this page includes identifiable information, such as a room, user or group ID, that data is removed before being sent to the server.",
"Call Failed": "Call Failed",
"Review Devices": "Review Devices",
"Call Anyway": "Call Anyway",
"Answer Anyway": "Answer Anyway",
"Call": "Call",
"Answer": "Answer",
"Call in Progress": "Call in Progress",
"A call is currently being placed!": "A call is currently being placed!",
"A call is already in progress!": "A call is already in progress!",
@ -621,14 +560,11 @@
"Which rooms would you like to add to this community?": "Which rooms would you like to add to this community?",
"Show these rooms to non-members on the community page and room list?": "Show these rooms to non-members on the community page and room list?",
"Add rooms to the community": "Add rooms to the community",
"Room name or alias": "Room name or alias",
"Add to community": "Add to community",
"Failed to invite the following users to %(groupId)s:": "Failed to invite the following users to %(groupId)s:",
"Failed to invite users to community": "Failed to invite users to community",
"Failed to invite users to %(groupId)s": "Failed to invite users to %(groupId)s",
"Failed to add the following rooms to %(groupId)s:": "Failed to add the following rooms to %(groupId)s:",
"Registration Required": "Registration Required",
"You need to register to do this. Would you like to register now?": "You need to register to do this. Would you like to register now?",
"Restricted": "Restricted",
"Missing roomId.": "Missing roomId.",
"Opens the Developer Tools dialog": "Opens the Developer Tools dialog",
@ -642,7 +578,6 @@
"Unrecognised address": "Unrecognized address",
"Whether or not you're logged in (we don't record your username)": "Whether or not you're logged in (we don't record your username)",
"Whether or not you're using the 'breadcrumbs' feature (avatars above the room list)": "Whether or not you're using the 'breadcrumbs' feature (avatars above the room list)",
"A conference call could not be started because the integrations server is not available": "A conference call could not be started because the integrations server is not available",
"Replying With Files": "Replying With Files",
"At this time it is not possible to reply with a file. Would you like to upload this file without replying?": "At this time it is not possible to reply with a file. Would you like to upload this file without replying?",
"The file '%(fileName)s' failed to upload.": "The file '%(fileName)s' failed to upload.",
@ -671,18 +606,13 @@
"%(senderDisplayName)s enabled flair for %(groups)s in this room.": "%(senderDisplayName)s enabled flair for %(groups)s in this room.",
"%(senderDisplayName)s disabled flair for %(groups)s in this room.": "%(senderDisplayName)s disabled flair for %(groups)s in this room.",
"%(senderDisplayName)s enabled flair for %(newGroups)s and disabled flair for %(oldGroups)s in this room.": "%(senderDisplayName)s enabled flair for %(newGroups)s and disabled flair for %(oldGroups)s in this room.",
"%(senderName)s added %(count)s %(addedAddresses)s as addresses for this room.|other": "%(senderName)s added %(addedAddresses)s as addresses for this room.",
"%(senderName)s added %(count)s %(addedAddresses)s as addresses for this room.|one": "%(senderName)s added %(addedAddresses)s as an address for this room.",
"%(senderName)s removed %(count)s %(removedAddresses)s as addresses for this room.|other": "%(senderName)s removed %(removedAddresses)s as addresses for this room.",
"%(senderName)s removed %(count)s %(removedAddresses)s as addresses for this room.|one": "%(senderName)s removed %(removedAddresses)s as an address for this room.",
"%(senderName)s added %(addedAddresses)s and removed %(removedAddresses)s as addresses for this room.": "%(senderName)s added %(addedAddresses)s and removed %(removedAddresses)s as addresses for this room.",
"%(senderName)s set the main address for this room to %(address)s.": "%(senderName)s set the main address for this room to %(address)s.",
"%(senderName)s removed the main address for this room.": "%(senderName)s removed the main address for this room.",
"%(senderName)s revoked the invitation for %(targetDisplayName)s to join the room.": "%(senderName)s revoked the invitation for %(targetDisplayName)s to join the room.",
"%(widgetName)s widget modified by %(senderName)s": "%(widgetName)s widget modified by %(senderName)s",
"%(displayName)s is typing …": "%(displayName)s is typing …",
"%(names)s and %(count)s others are typing …|other": "%(names)s and %(count)s others are typing …",
"Your Riot is misconfigured": "Your Riot is misconfigured",
"Your %(brand)s is misconfigured": "Your %(brand)s is misconfigured",
"Call failed due to misconfigured server": "Call failed due to misconfigured server",
"Please ask the administrator of your homeserver (<code>%(homeserverDomain)s</code>) to configure a TURN server in order for calls to work reliably.": "Please ask the administrator of your homeserver (<code>%(homeserverDomain)s</code>) to configure a TURN server in order for calls to work reliably.",
"Try using turn.matrix.org": "Try using turn.matrix.org",

View file

@ -46,14 +46,13 @@
"Which rooms would you like to add to this community?": "Kiujn ĉambrojn vi volas aldoni al ĉi tiu komunumo?",
"Show these rooms to non-members on the community page and room list?": "Montri tiujn ĉambrojn al malanoj en la komunuma paĝo kaj ĉambrolisto?",
"Add rooms to the community": "Aldoni ĉambrojn al la komunumo",
"Room name or alias": "Nomo aŭ kromnomo de ĉambro",
"Add to community": "Aldoni al komunumo",
"Failed to invite the following users to %(groupId)s:": "Malsukcesis inviti jenajn uzantojn al %(groupId)s:",
"Failed to invite users to community": "Malsukcesis inviti novajn uzantojn al komunumo",
"Failed to invite users to %(groupId)s": "Malsukcesis inviti uzantojn al %(groupId)s",
"Failed to add the following rooms to %(groupId)s:": "Malsukcesis aldoni jenajn ĉambrojn al %(groupId)s:",
"Riot does not have permission to send you notifications - please check your browser settings": "Riot ne havas permeson sciigi vin bonvolu kontroli la agordojn de via foliumilo",
"Riot was not given permission to send notifications - please try again": "Riot ne ricevis permeson sendi sciigojn bonvolu reprovi",
"%(brand)s does not have permission to send you notifications - please check your browser settings": "%(brand)s ne havas permeson sciigi vin bonvolu kontroli la agordojn de via foliumilo",
"%(brand)s was not given permission to send notifications - please try again": "%(brand)s ne ricevis permeson sendi sciigojn bonvolu reprovi",
"Unable to enable Notifications": "Ne povas ŝalti sciigojn",
"This email address was not found": "Tiu ĉi retpoŝtadreso ne troviĝis",
"Your email address does not appear to be associated with a Matrix ID on this Homeserver.": "Via retpoŝtareso ŝajne ne ligiĝas al Matrix-identigilo sur tiu ĉi hejmservilo.",
@ -61,7 +60,6 @@
"Restricted": "Limigita",
"Moderator": "Ĉambrestro",
"Admin": "Administranto",
"Start a chat": "Komenci babilon",
"Operation failed": "Ago malsukcesis",
"Failed to invite": "Invito malsukcesis",
"Failed to invite the following users to the %(roomName)s room:": "Malsukcesis inviti la jenajn uzantojn al la ĉambro %(roomName)s:",
@ -79,7 +77,6 @@
"Usage": "Uzo",
"/ddg is not a command": "/ddg ne estas komando",
"To use it, just wait for autocomplete results to load and tab through them.": "Por uzi ĝin, atendu aperon de sugestaj rezultoj, kaj tabu tra ili.",
"Unrecognised room alias:": "Nerekonita ĉambra kromnomo:",
"Ignored user": "Malatentata uzanto",
"You are now ignoring %(userId)s": "Vi nun malatentas uzanton %(userId)s",
"Unignored user": "Reatentata uzanto",
@ -131,21 +128,14 @@
"Server may be unavailable, overloaded, or you hit a bug.": "Servilo povas esti neatingebla, troŝarĝita, aŭ vi renkontis cimon.",
"Unnamed Room": "Sennoma Ĉambro",
"Your browser does not support the required cryptography extensions": "Via foliumilo ne subtenas la bezonatajn ĉifrajn kromprogramojn",
"Not a valid Riot keyfile": "Nevalida ŝlosila dosiero de Riot",
"Not a valid %(brand)s keyfile": "Nevalida ŝlosila dosiero de %(brand)s",
"Authentication check failed: incorrect password?": "Aŭtentikiga kontrolo malsukcesis: ĉu pro malĝusta pasvorto?",
"Failed to join room": "Malsukcesis aliĝi al ĉambro",
"Message Pinning": "Fikso de mesaĝoj",
"Use compact timeline layout": "Uzi densan okazordan aranĝon",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "Montri tempindikojn en 12-hora formo (ekz. 2:30 post.)",
"Always show message timestamps": "Ĉiam montri mesaĝajn tempindikojn",
"Autoplay GIFs and videos": "Memfare ludi GIF-bildojn kaj filmojn",
"Call Failed": "Voko malsukcesis",
"Review Devices": "Kontroli aparatojn",
"Call Anyway": "Tamen voki",
"Answer Anyway": "Tamen respondi",
"Call": "Voki",
"Answer": "Respondi",
"Send anyway": "Tamen sendi",
"Send": "Sendi",
"Enable automatic language detection for syntax highlighting": "Ŝalti memagan rekonon de lingvo por sintaksa markado",
"Automatically replace plain text Emoji": "Memfare anstataŭigi tekstajn mienetojn",
@ -180,11 +170,8 @@
"Confirm password": "Konfirmu pasvorton",
"Change Password": "Ŝanĝi pasvorton",
"Authentication": "Aŭtentikigo",
"Device ID": "Aparata identigilo",
"Last seen": "Laste vidita",
"Failed to set display name": "Malsukcesis agordi vidigan nomon",
"Disable Notifications": "Malŝalti sciigojn",
"Enable Notifications": "Ŝalti sciigojn",
"Cannot add any more widgets": "Pluaj fenestraĵoj ne aldoneblas",
"The maximum permitted number of widgets have already been added to this room.": "La maksimuma permesata nombro de fenestraĵoj jam aldoniĝis al tiu ĉambro.",
"Add a widget": "Aldoni fenestraĵon",
@ -198,8 +185,6 @@
"%(senderName)s uploaded a file": "%(senderName)s alŝutis dosieron",
"Options": "Agordoj",
"Please select the destination room for this message": "Bonvolu elekti celan ĉambron por tiu mesaĝo",
"Blacklisted": "Senpova legi ĉifritajn mesaĝojn",
"device id: ": "aparata identigilo: ",
"Disinvite": "Malinviti",
"Kick": "Forpeli",
"Disinvite this user?": "Ĉu malinviti ĉi tiun uzanton?",
@ -211,7 +196,6 @@
"Ban this user?": "Ĉu forbari ĉi tiun uzanton?",
"Failed to ban user": "Malsukcesis forbari uzanton",
"Failed to mute user": "Malsukcesis silentigi uzanton",
"Failed to toggle moderator status": "Malsukcesis baskuligi estrecon",
"Failed to change power level": "Malsukcesis ŝanĝi povnivelon",
"You will not be able to undo this change as you are promoting the user to have the same power level as yourself.": "Tiun ĉi ŝanĝon vi ne povos malfari, ĉar vi donas al la uzanto la saman povnivelon, kiun havas vi mem.",
"Are you sure?": "Ĉu vi certas?",
@ -222,12 +206,8 @@
"Jump to read receipt": "Salti al legokonfirmo",
"Mention": "Mencio",
"Invite": "Inviti",
"User Options": "Agordoj de uzanto",
"Direct chats": "Rektaj babiloj",
"Unmute": "Malsilentigi",
"Mute": "Silentigi",
"Revoke Moderator": "Forigi estrajn rajtojn",
"Make Moderator": "Kunestrigi",
"Admin Tools": "Estriloj",
"and %(count)s others...|other": "kaj %(count)s aliaj…",
"and %(count)s others...|one": "kaj unu alia…",
@ -311,10 +291,7 @@
"Jump to first unread message.": "Salti al unua nelegita mesaĝo.",
"Close": "Fermi",
"not specified": "nespecifita",
"Remote addresses for this room:": "Foraj adresoj de ĉi tiu ĉambro:",
"Local addresses for this room:": "Lokaj adresoj por ĉi tiu ĉambro:",
"This room has no local addresses": "Ĉi tiu ĉambro ne havas lokajn adresojn",
"New address (e.g. #foo:%(localDomain)s)": "Nova adreso (ekz-e #io:%(localDomain)s)",
"Invalid community ID": "Nevalida komunuma identigilo",
"'%(groupId)s' is not a valid community ID": "'%(groupId)s' ne estas valida komunuma identigilo",
"New community ID (e.g. +foo:%(localDomain)s)": "Nova komunuma identigilo (ekz-e +io:%(localDomain)s)",
@ -335,9 +312,6 @@
"Copied!": "Kopiita!",
"Failed to copy": "Malsukcesis kopii",
"Add an Integration": "Aldoni kunigon",
"Removed or unknown message type": "Forigita aŭ nekonata tipo de mesaĝo",
"Message removed by %(userId)s": "Mesaĝo forigita de %(userId)s",
"Message removed": "Mesaĝo forigita",
"Custom Server Options": "Propraj servilaj elektoj",
"Dismiss": "Rezigni",
"powered by Matrix": "funkciigata de Matrix",
@ -348,7 +322,6 @@
"Leave": "Foriri",
"Register": "Registri",
"Add rooms to this community": "Aldoni ĉambrojn al ĉi tiu komunumo",
"To continue, please enter your password.": "Por daŭrigi, bonvolu enigi vian pasvorton.",
"An email has been sent to %(emailAddress)s": "Retletero sendiĝis al %(emailAddress)s",
"Please check your email to continue registration.": "Bonvolu kontroli vian retpoŝton por daŭrigi la registriĝon.",
"Token incorrect": "Malĝusta ĵetono",
@ -380,11 +353,9 @@
"Delete Widget": "Forigi fenestraĵon",
"Delete widget": "Forigi fenestraĵon",
"Create new room": "Krei novan ĉambron",
"Verify...": "Kontroli…",
"No results": "Neniuj rezultoj",
"Communities": "Komunumoj",
"Home": "Hejmo",
"Could not connect to the integration server": "Malsukcesis konektiĝi al la kuniga servilo",
"Manage Integrations": "Administri kunigojn",
"%(nameList)s %(transitionList)s": "%(nameList)s %(transitionList)s",
"%(severalUsers)sjoined %(count)s times|other": "%(severalUsers)s%(count)s-foje aliĝis",
@ -470,15 +441,10 @@
"Unknown error": "Nekonata eraro",
"Incorrect password": "Malĝusta pasvorto",
"Deactivate Account": "Malaktivigi konton",
"I verify that the keys match": "Mi kontrolas, ke la ŝlosiloj akordas",
"An error has occurred.": "Okazis eraro.",
"OK": "Bone",
"Start verification": "Komenci kontrolon",
"Share without verifying": "Kunhavigi sen kontrolo",
"Ignore request": "Malatenti peton",
"Encryption key request": "Peto por ĉifra ŝlosilo",
"Unable to restore session": "Salutaĵo ne rehaveblas",
"If you have previously used a more recent version of Riot, your session may be incompatible with this version. Close this window and return to the more recent version.": "Se vi antaŭe uzis pli novan version de Riot, via salutaĵo eble ne akordos kun ĉi tiu versio. Fermu ĉi tiun fenestron kaj revenu al la pli nova versio.",
"If you have previously used a more recent version of %(brand)s, your session may be incompatible with this version. Close this window and return to the more recent version.": "Se vi antaŭe uzis pli novan version de %(brand)s, via salutaĵo eble ne akordos kun ĉi tiu versio. Fermu ĉi tiun fenestron kaj revenu al la pli nova versio.",
"Invalid Email Address": "Malvalida retpoŝtadreso",
"This doesn't appear to be a valid email address": "Tio ĉi ne ŝajnas esti valida retpoŝtadreso",
"Verification Pending": "Atendante kontrolon",
@ -489,13 +455,10 @@
"Skip": "Preterpasi",
"An error occurred: %(error_string)s": "Okazis eraro: %(error_string)s",
"This will be your account name on the <span></span> homeserver, or you can pick a <a>different server</a>.": "Tio ĉi estos la nomo de via konto sur la hejmservilo <span></span>, aŭ vi povas elekti <a>alian servilon</a>.",
"Blacklist": "Malpermesi malĉifradon",
"Unverify": "Malkontroli",
"If you already have a Matrix account you can <a>log in</a> instead.": "Se vi jam havas Matrix-konton, vi povas <a>saluti</a> anstataŭe.",
"Private Chat": "Privata babilo",
"Public Chat": "Publika babilo",
"Custom": "Propra",
"Alias (optional)": "Kromnomo (malnepra)",
"Name": "Nomo",
"You must <a>register</a> to use this functionality": "Vi devas <a>registriĝî</a> por uzi tiun ĉi funkcion",
"You must join the room to see its files": "Vi devas aliĝi al la ĉambro por vidi tie dosierojn",
@ -539,14 +502,13 @@
"Failed to leave room": "Malsukcesis forlasi la ĉambron",
"Signed Out": "Adiaŭinta",
"Old cryptography data detected": "Malnovaj datumoj de ĉifroteĥnikaro troviĝis",
"Data from an older version of Riot has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "Datumoj el malnova versio de Riot troviĝis. Ĉi tio malfunkciigos tutvojan ĉifradon en la malnova versio. Tutvoje ĉifritaj mesaĝoj interŝanĝitaj freŝtempe per la malnova versio eble ne malĉifreblos. Tio povas kaŭzi malsukceson ankaŭ al mesaĝoj interŝanĝitaj kun tiu ĉi versio. Se vin trafos problemoj, adiaŭu kaj resalutu. Por reteni mesaĝan historion, elportu kaj reenportu viajn ŝlosilojn.",
"Data from an older version of %(brand)s has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "Datumoj el malnova versio de %(brand)s troviĝis. Ĉi tio malfunkciigos tutvojan ĉifradon en la malnova versio. Tutvoje ĉifritaj mesaĝoj interŝanĝitaj freŝtempe per la malnova versio eble ne malĉifreblos. Tio povas kaŭzi malsukceson ankaŭ al mesaĝoj interŝanĝitaj kun tiu ĉi versio. Se vin trafos problemoj, adiaŭu kaj resalutu. Por reteni mesaĝan historion, elportu kaj reenportu viajn ŝlosilojn.",
"Logout": "Adiaŭi",
"Your Communities": "Viaj komunumoj",
"Error whilst fetching joined communities": "Akirado de viaj komunumoj eraris",
"Create a new community": "Krei novan komunumon",
"Create a community to group together users and rooms! Build a custom homepage to mark out your space in the Matrix universe.": "Kreu komunumon por kunigi uzantojn kaj ĉambrojn! Fari propran hejmpaĝon por montri vian spacon en la universo de Matrix.",
"You have no visible notifications": "Neniuj videblaj sciigoj",
"Scroll to bottom of page": "Rulumi al susbo de la paĝo",
"Connectivity to the server has been lost.": "Konekto al la servilo perdiĝis.",
"Sent messages will be stored until your connection has returned.": "Senditaj mesaĝoj konserviĝos ĝis via konekto refunkcios.",
"Active call": "Aktiva voko",
@ -556,7 +518,6 @@
"Search failed": "Serĉo malsukcesis",
"Server may be unavailable, overloaded, or search timed out :(": "Aŭ la servilo estas neatingebla aŭ troŝarĝita, aŭ la serĉo eltempiĝis :(",
"No more results": "Neniuj pliaj rezultoj",
"Unknown room %(roomId)s": "Nekonata ĉambro %(roomId)s",
"Room": "Ĉambro",
"Failed to reject invite": "Malsukcesis rifuzi inviton",
"Fill screen": "Plenigi ekranon",
@ -570,8 +531,6 @@
"Uploading %(filename)s and %(count)s others|other": "Alŝutante dosieron %(filename)s kaj %(count)s aliajn",
"Uploading %(filename)s and %(count)s others|zero": "Alŝutante dosieron %(filename)s",
"Uploading %(filename)s and %(count)s others|one": "Alŝutante dosieron %(filename)s kaj %(count)s alian",
"Light theme": "Hela haŭto",
"Dark theme": "Malhela haŭto",
"Sign out": "Adiaŭi",
"Success": "Sukceso",
"Unable to remove contact information": "Ne povas forigi kontaktajn informojn",
@ -579,13 +538,13 @@
"Import E2E room keys": "Enporti tutvoje ĉifrajn ĉambrajn ŝlosilojn",
"Cryptography": "Ĉifroteĥnikaro",
"Analytics": "Analizo",
"Riot collects anonymous analytics to allow us to improve the application.": "Riot kolektas sennomaj analizajn datumojn por helpi plibonigadon de la programo.",
"%(brand)s collects anonymous analytics to allow us to improve the application.": "%(brand)s kolektas sennomaj analizajn datumojn por helpi plibonigadon de la programo.",
"Labs": "Eksperimentaj funkcioj",
"Check for update": "Kontroli ĝisdatigojn",
"Reject all %(invitedRooms)s invites": "Rifuzi ĉiujn %(invitedRooms)s invitojn",
"Start automatically after system login": "Memfare ruli post operaciuma saluto",
"No media permissions": "Neniuj permesoj pri aŭdvidaĵoj",
"You may need to manually permit Riot to access your microphone/webcam": "Eble vi devos permane permesi al Riot atingon de viaj mikrofono/kamerao",
"You may need to manually permit %(brand)s to access your microphone/webcam": "Eble vi devos permane permesi al %(brand)s atingon de viaj mikrofono/kamerao",
"No Microphones detected": "Neniu mikrofono troviĝis",
"No Webcams detected": "Neniu kamerao troviĝis",
"Default Device": "Implicita aparato",
@ -599,7 +558,7 @@
"click to reveal": "klaku por malkovri",
"Homeserver is": "Hejmservilo estas",
"Identity Server is": "Identiga servilo estas",
"riot-web version:": "versio de riot-web:",
"%(brand)s version:": "versio de %(brand)s:",
"olm version:": "versio de olm:",
"Failed to send email": "Malsukcesis sendi retleteron",
"The email address linked to your account must be entered.": "Vi devas enigi retpoŝtadreson ligitan al via konto.",
@ -624,7 +583,6 @@
"Define the power level of a user": "Difini la povnivelon de uzanto",
"Deops user with given id": "Senestrigas uzanton kun donita identigilo",
"Invites user with given id to current room": "Invitas uzanton per identigilo al la nuna ĉambro",
"Joins room with given alias": "Aliĝas al ĉambro per kromnomo",
"Kicks user with given id": "Forpelas uzanton kun la donita identigilo",
"Changes your display nickname": "Ŝanĝas vian vidigan nomon",
"Searches DuckDuckGo for results": "Serĉas rezultojn per DuckDuckGo",
@ -636,20 +594,7 @@
"Notify the whole room": "Sciigi la tutan ĉambron",
"Room Notification": "Ĉambra sciigo",
"Users": "Uzantoj",
"unknown device": "nekonata aparato",
"NOT verified": "nekontrolita",
"verified": "kontrolita",
"Verification": "Kontrolo",
"Ed25519 fingerprint": "Premsigno laŭ Ed25519",
"User ID": "Identigaĵo de uzanto",
"Curve25519 identity key": "Identiga ŝlosilo laŭ Curve25519",
"Claimed Ed25519 fingerprint key": "Asertita premsigno laŭ Ed25519",
"Algorithm": "Algoritmo",
"unencrypted": "neĉifritaj",
"Decryption error": "Malĉifra eraro",
"Session ID": "Identigilo de salutaĵo",
"End-to-end encryption information": "Informoj pri tutvoja ĉifrado",
"Event information": "Informoj pri okazaĵo",
"Passphrases must match": "Pasfrazoj devas akordi",
"Passphrase must not be empty": "Pasfrazoj maldevas esti malplenaj",
"Export room keys": "Elporti ĉambrajn ŝlosilojn",
@ -664,21 +609,16 @@
"File to import": "Enportota dosiero",
"Import": "Enporti",
"Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "Forigo de fenestraĵo efektiviĝos por ĉiuj uzantoj en ĉi tiu ĉambro. Ĉu vi certe volas ĝin forigi?",
"Unblacklist": "Repermesi malĉifradon",
"none": "neniu",
"The version of Riot.im": "Tiu ĉi versio de Riot.im",
"The version of %(brand)s": "La versio de %(brand)s",
"Your language of choice": "Via preferata lingvo",
"The information being sent to us to help make Riot.im better includes:": "Informoj sendataj al ni por plibonigi la servon Riot.im inkluzivas:",
"The information being sent to us to help make %(brand)s better includes:": "La informoj sendataj al ni por plibonigi %(brand)son inkluzivas:",
"%(oldDisplayName)s changed their display name to %(displayName)s.": "%(oldDisplayName)s ŝanĝis sian vidigan nomon al %(displayName)s.",
"Send an encrypted reply…": "Sendi ĉifritan respondon…",
"Send a reply (unencrypted)…": "Sendi respondon (neĉifritan)…",
"Send an encrypted message…": "Sendi ĉifritan mesaĝon…",
"Send a message (unencrypted)…": "Sendi mesaĝon (neĉifritan)…",
"Replying": "Respondante",
"Privacy is important to us, so we don't collect any personal or identifiable data for our analytics.": "Privato gravas al ni, tial ni ne kolektas personajn aŭ spureblajn datumojn por nia analizo.",
"Learn more about how we use analytics.": "Lernu pli pri nia uzo de analiziloj.",
"Your homeserver's URL": "URL de via hejmservilo",
"Your identity server's URL": "URL de via identiga servilo",
"The platform you're on": "Via platformo",
"Which officially provided instance you are using, if any": "Kiun oficiale disponeblan nodon vi uzas, se iun ajn",
"Whether or not you're using the Richtext mode of the Rich Text Editor": "Ĉu vi uzas la riĉtekstan reĝimon de la riĉteksta redaktilo aŭ ne",
@ -687,7 +627,6 @@
"Failed to add tag %(tagName)s to room": "Malsukcesis aldoni etikedon %(tagName)s al ĉambro",
"Submit debug logs": "Sendi sencimigan protokolon",
"Fetching third party location failed": "Malsukcesis trovi lokon de ekstera liveranto",
"A new version of Riot is available.": "Nova versio de Riot haveblas.",
"I understand the risks and wish to continue": "Mi komprenas la riskon kaj volas pluiĝi",
"Send Account Data": "Sendi kontajn informojn",
"Advanced notification settings": "Specialaj agordoj de sciigoj",
@ -706,8 +645,6 @@
"Waiting for response from server": "Atendante respondon el la servilo",
"Send Custom Event": "Sendi propran okazon",
"All notifications are currently disabled for all targets.": "Ĉiuj sciigoj nun estas malŝaltitaj por ĉiuj aparatoj.",
"delete the alias.": "forigi la kromnomon.",
"To return to your account in future you need to <u>set a password</u>": "Por reveni al via konto estonte, vi devas <u>agordi pasvorton</u>",
"Forget": "Forgesi",
"You cannot delete this image. (%(code)s)": "Vi ne povas forigi tiun ĉi bildon. (%(code)s)",
"Cancel Sending": "Nuligi sendon",
@ -732,7 +669,6 @@
"No update available.": "Neniuj ĝisdatigoj haveblas.",
"Resend": "Resendi",
"Collecting app version information": "Kolektante informon pri versio de la aplikaĵo",
"Delete the room alias %(alias)s and remove %(name)s from the directory?": "Ĉu forigi la ĉambran kromnomon %(alias)s kaj forigi %(name)s de la listo de ĉambroj?",
"Enable notifications for this account": "Ŝalti sciigojn por tiu ĉi konto",
"Invite to this community": "Inviti al tiu ĉi komunumo",
"Messages containing <span>keywords</span>": "Mesaĝoj enhavantaj <span>ŝlosilovortojn</span>",
@ -742,7 +678,7 @@
"Search…": "Serĉi…",
"You have successfully set a password and an email address!": "Vi sukcese agordis pasvorton kaj retpoŝtadreson!",
"Remove %(name)s from the directory?": "Ĉu forigi %(name)s de la ujo?",
"Riot uses many advanced browser features, some of which are not available or experimental in your current browser.": "Riot uzas multajn specialajn funkciojn, el kiuj kelkaj ne disponeblas aŭ estas eksperimentaj en via nuna foliumilo.",
"%(brand)s uses many advanced browser features, some of which are not available or experimental in your current browser.": "%(brand)s uzas multajn specialajn funkciojn, el kiuj kelkaj ne disponeblas aŭ estas eksperimentaj en via nuna foliumilo.",
"Event sent!": "Okazo sendiĝis!",
"Explore Account Data": "Esplori kontajn datumojn",
"All messages (noisy)": "Ĉiuj mesaĝoj (lauta)",
@ -786,8 +722,7 @@
"Show message in desktop notification": "Montradi mesaĝojn en labortablaj sciigoj",
"Unhide Preview": "Malkaŝi antaŭrigardon",
"Unable to join network": "Ne povas konektiĝi al la reto",
"You might have configured them in a client other than Riot. You cannot tune them in Riot but they still apply": "Vi eble agordis ilin en alia kliento. Vi ne povas agordi ilin en Riot, sed ili ankoraŭ validas",
"Sorry, your browser is <b>not</b> able to run Riot.": "Pardonon, via foliumilo <b>ne kapablas</b> funkciigi klienton Riot.",
"Sorry, your browser is <b>not</b> able to run %(brand)s.": "Pardonon, via foliumilo <b>ne kapablas</b> funkciigi klienton %(brand)s.",
"Uploaded on %(date)s by %(user)s": "Alŝutita je %(date)s de %(user)s",
"Messages in group chats": "Mesaĝoj en grupaj babiloj",
"Yesterday": "Hieraŭ",
@ -796,7 +731,7 @@
"Unable to fetch notification target list": "Ne povas akiri la liston de celoj por sciigoj",
"Set Password": "Agordi pasvorton",
"Off": "For",
"Riot does not know how to join a room on this network": "Riot ne scias aliĝi al ĉambroj en tiu ĉi reto",
"%(brand)s does not know how to join a room on this network": "%(brand)s ne scias aliĝi al ĉambroj en tiu ĉi reto",
"Mentions only": "Nur mencioj",
"Failed to remove tag %(tagName)s from room": "Malsukcesis forigi etikedon %(tagName)s el la ĉambro",
"You can now return to your account after signing out, and sign in on other devices.": "Vi nun rajtas reveni al via konto post adiaŭo, kaj saluti per ĝi kun aliaj aparatoj.",
@ -811,7 +746,6 @@
"Event Content": "Enhavo de okazo",
"With your current browser, the look and feel of the application may be completely incorrect, and some or all features may not function. If you want to try it anyway you can continue, but you are on your own in terms of any issues you may encounter!": "Kun via nuna foliumilo, la aspekto kaj funkciado de la aplikaĵo povas esti tute malĝusta, kaj kelkaj aŭ ĉiu funkcioj eble ne tute funkcios. Se vi tamen volas provi, vi povas daŭrigi, sed vi ricevos nenian subtenon se vi renkontos problemojn!",
"Checking for an update...": "Serĉante ĝisdatigojn…",
"There are advanced notifications which are not shown here": "Ekzistas specialaj sciigoj, kiuj ne montriĝas ĉi tie",
"Logs sent": "Protokolo sendiĝis",
"Debug logs contain application usage data including your username, the IDs or aliases of the rooms or groups you have visited and the usernames of other users. They do not contain messages.": "Sencimigaj protokoloj enhavas informojn pri uzo de aplikaĵo, inkluzive vian uzantonomon, la identigilojn aŭ nomojn de la ĉambroj aŭ grupoj kiujn vi vizitis, kaj la uzantonomojn de aliaj uzantoj. Ili ne enhavas mesaĝojn.",
"Failed to send logs: ": "Malsukcesis sendi protokolon: ",
@ -819,7 +753,6 @@
"e.g. %(exampleValue)s": "ekz. %(exampleValue)s",
"Every page you use in the app": "Ĉiu paĝo kiun vi uzas en la aplikaĵo",
"e.g. <CurrentPageURL>": "ekz. <CurrentPageURL>",
"Your User Agent": "Via klienta aplikaĵo",
"Your device resolution": "La distingumo de via aparato",
"Call in Progress": "Voko farata",
"A call is already in progress!": "Voko estas jam farata!",
@ -827,14 +760,7 @@
"Send analytics data": "Sendi statistikajn datumojn",
"Key request sent.": "Peto de ŝlosilo sendita.",
"Permission Required": "Necesas permeso",
"Registration Required": "Necesas registriĝo",
"You need to register to do this. Would you like to register now?": "Por fari ĉi tion, vi bezonas registriĝi. Ĉu vi volas registriĝi nun?",
"Missing roomId.": "Mankas identigilo de la ĉambro.",
"%(senderName)s added %(count)s %(addedAddresses)s as addresses for this room.|other": "%(senderName)s aldonis %(addedAddresses)s kiel adresojn por la ĉambro.",
"%(senderName)s added %(count)s %(addedAddresses)s as addresses for this room.|one": "%(senderName)s aldonis %(addedAddresses)s kiel adreson por la ĉambro.",
"%(senderName)s removed %(count)s %(removedAddresses)s as addresses for this room.|other": "%(senderName)s forigis %(removedAddresses)s kiel adresojn por la ĉambro.",
"%(senderName)s removed %(count)s %(removedAddresses)s as addresses for this room.|one": "%(senderName)s forigis %(removedAddresses)s kiel adreson por la ĉambro.",
"%(senderName)s added %(addedAddresses)s and removed %(removedAddresses)s as addresses for this room.": "%(senderName)s aldonis %(addedAddresses)s kaj forigis %(removedAddresses)s kiel adresojn por la ĉambro.",
"%(senderName)s set the main address for this room to %(address)s.": "%(senderName)s agordis la ĉefan adreson por la ĉambro al %(address)s.",
"%(senderName)s removed the main address for this room.": "%(senderName)s forigis la ĉefan adreson de la ĉambro.",
"Please <a>contact your service administrator</a> to continue using the service.": "Bonvolu <a>kontakti administranton de la servo</a> por daŭre uzadi la servon.",
@ -962,9 +888,9 @@
"Phone numbers": "Telefonnumeroj",
"Legal": "Jura",
"Credits": "Dankoj",
"For help with using Riot, click <a>here</a>.": "Por helpo kun uzo de Riot, alklaku <a>ĉi tie</a>.",
"For help with using Riot, click <a>here</a> or start a chat with our bot using the button below.": "Por helpo kun uzo de Riot, alklaku <a>ĉi tie</a> aŭ komencu babilon kun nia roboto uzante la butonon sube.",
"Chat with Riot Bot": "Babilu kun la roboto Riot Bot",
"For help with using %(brand)s, click <a>here</a>.": "Por helpo kun uzo de %(brand)s, alklaku <a>ĉi tie</a>.",
"For help with using %(brand)s, click <a>here</a> or start a chat with our bot using the button below.": "Por helpo kun uzo de %(brand)s, alklaku <a>ĉi tie</a> aŭ komencu babilon kun nia roboto uzante la butonon 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",
@ -1010,12 +936,11 @@
"Room avatar": "Profilbildo de ĉambro",
"Room Name": "Nomo de ĉambro",
"Room Topic": "Temo de ĉambro",
"Yes, I want to help!": "Jes. Mi volas helpi!",
"Failed to remove widget": "Malsukcesis forigi fenestraĵon",
"Join": "Aliĝi",
"Invite anyway": "Tamen inviti",
"To continue, please enter your password:": "Por daŭrigi, bonvoluenigi vian pasvorton:",
"Updating Riot": "Ĝisdatigante Riot",
"Updating %(brand)s": "Ĝisdatigante %(brand)s",
"Go back": "Reen iri",
"Room Settings - %(roomName)s": "Agordoj de ĉambro %(roomName)s",
"Failed to upgrade room": "Malsukcesis gradaltigi ĉambron",
@ -1067,17 +992,13 @@
"General failure": "Ĝenerala fiasko",
"Create account": "Krei konton",
"Create your account": "Krei vian konton",
"Great! This passphrase looks strong enough.": "Bonege! Ĉi tiu pasfrazo ŝajnas sufiĉe forta.",
"Keep going...": "Daŭrigu…",
"Enter a passphrase...": "Enigu pasfrazon…",
"That matches!": "Tio akordas!",
"That doesn't match.": "Tio ne akordas.",
"Repeat your passphrase...": "Ripetu vian pasfrazon...",
"Download": "Elŝuti",
"Success!": "Sukceso!",
"Retry": "Reprovi",
"Set up": "Agordi",
"A conference call could not be started because the integrations server is not available": "Grupa voko ne povis komenciĝi, ĉar la kuniga servilo estas neatingebla",
"Replying With Files": "Respondado kun dosieroj",
"At this time it is not possible to reply with a file. Would you like to upload this file without replying?": "Nun ne eblas respondi kun dosiero. Ĉu vi volas alŝuti la dosieron sen respondo?",
"The file '%(fileName)s' failed to upload.": "Malsukcesis alŝuti dosieron « %(fileName)s».",
@ -1123,7 +1044,6 @@
"Send typing notifications": "Sendi sciigojn pri tajpado",
"Allow Peer-to-Peer for 1:1 calls": "Permesi samtavolan teĥnikon por duopaj vokoj",
"Prompt before sending invites to potentially invalid matrix IDs": "Averti antaŭ ol sendi invitojn al eble nevalidaj Matrix-identigiloj",
"Order rooms in the room list by most important first instead of most recent": "Ordigi ĉambrojn en listo de ĉambroj laŭ graveco anstataŭ freŝeco",
"Messages containing my username": "Mesaĝoj enhavantaj mian uzantnomon",
"When rooms are upgraded": "Kiam ĉambroj gradaltiĝas",
"The other party cancelled the verification.": "La alia kontrolano nuligis la kontrolon.",
@ -1170,10 +1090,6 @@
"Invited by %(sender)s": "Invitita de %(sender)s",
"Error updating main address": "Ĝisdatigo de la ĉefa adreso eraris",
"There was an error updating the room's main address. It may not be allowed by the server or a temporary failure occurred.": "Ĝisdatigo de la ĉefa adreso de la ĉambro eraris. Aŭ la servilo tion ne permesas, aŭ io misfunkciis.",
"Error creating alias": "Kreo de kromnomo eraris",
"There was an error creating that alias. It may not be allowed by the server or a temporary failure occurred.": "Kreo de tiu kromnomo eraris. Aŭ la servilo tion ne permesas, aŭ io misfunkciis.",
"Error removing alias": "Forigo de kromnomo eraris",
"There was an error removing that alias. It may no longer exist or a temporary error occurred.": "Forigo de tiu kromnomo eraris. Aŭ ĝi ne plu ekzistas, aŭ io misfunkciis.",
"In encrypted rooms, like this one, URL previews are disabled by default to ensure that your homeserver (where the previews are generated) cannot gather information about links you see in this room.": "En ĉifritaj ĉambroj, kiel ĉi tiu, antaŭrigardoj al URL-oj estas implicite malŝaltitaj por certigi, ke via hejmservilo (kie la antaŭrigardoj estas generataj) ne povas kolekti informojn pri ligiloj en ĉi tiu ĉambro.",
"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.": "Kiam iu metas URL-on en sian mesaĝon, antaŭrigardo al tiu URL povas montriĝi, por doni pliajn informojn pri tiu ligilo, kiel ekzemple la titolon, priskribon, kaj bildon el la retejo.",
"<reactors/><reactedWith>reacted with %(shortName)s</reactedWith>": "<reactors/><reactedWith>reagis per %(shortName)s</reactedWith>",
@ -1181,11 +1097,6 @@
"Click here to see older messages.": "Klaku ĉi tien por vidi pli malnovajn mesaĝojn.",
"edited": "redaktita",
"Failed to load group members": "Malsukcesis enlegi grupanojn",
"Please help improve Riot.im by sending <UsageDataLink>anonymous usage data</UsageDataLink>. This will use a cookie (please see our <PolicyLink>Cookie Policy</PolicyLink>).": "Bonvolu helpi plibonigi projekton Riot.im per sendado de <UsageDataLink>sennomaj datumoj pri uzado</UsageDataLink>. Tio funkciados per kuketo (bonvolu vidi nian <PolicyLink>Politikon pri kuketoj</PolicyLink>).",
"Please help improve Riot.im by sending <UsageDataLink>anonymous usage data</UsageDataLink>. This will use a cookie.": "Bonvolu helpi plibonigi projekton Riot.im per sendado de <UsageDataLink>sennomaj datumoj pri uzado</UsageDataLink>. Tio funkciados per kuketo.",
"Please <a>contact your service administrator</a> to get this limit increased.": "Bonvolu <a>kontakti vian administranton</a> por plialtigi ĉi tiun limon.",
"This homeserver has hit its Monthly Active User limit so <b>some users will not be able to log in</b>.": "Ĉi tiu hejmservilo atingis sian monatan limon de aktivaj uzantoj, do <b>iuj uzantoj ne povos saluti</b>.",
"This homeserver has exceeded one of its resource limits so <b>some users will not be able to log in</b>.": "Ĉi tiu hejmservilo pasis trans unu el siaj rimedaj limoj, do <b>iuj uzantoj ne povos saluti</b>.",
"An error ocurred whilst trying to remove the widget from the room": "Forigo de la fenestraĵo el la ĉambro eraris",
"Minimize apps": "Plejetigi aplikaĵojn",
"Maximize apps": "Plejgrandigi aplikaĵojn",
@ -1197,7 +1108,7 @@
"Edit message": "Redakti mesaĝon",
"This room has already been upgraded.": "Ĉi tiu ĉambro jam gradaltiĝis.",
"This room is running room version <roomVersion />, which this homeserver has marked as <i>unstable</i>.": "Ĉi tiu ĉambro uzas ĉambran version <roomVersion />, kiun la hejmservilo markis kiel <i>nestabilan</i>.",
"Your Riot is misconfigured": "Via kliento Riot estas misagordita",
"Your %(brand)s is misconfigured": "Via kliento %(brand)s estas misagordita",
"Joining room …": "Aliĝante al ĉambro …",
"Loading …": "Enlegante …",
"Rejecting invite …": "Rifuzante inviton …",
@ -1238,12 +1149,6 @@
"Deactivating your account <b>does not by default cause us to forget messages you have sent.</b> If you would like us to forget your messages, please tick the box below.": "Malaktivigo de via konto <b>implicite ne forgesigas viajn mesaĝojn al ni.</b> Se vi volas, ke ni ilin forgesu, bonvolu marki la suban markbutonon.",
"Message visibility in Matrix is similar to email. Our forgetting your messages means that messages you have sent will not be shared with any new or unregistered users, but registered users who already have access to these messages will still have access to their copy.": "Videbleco de mesaĝoj en Matrix similas tiun de retpoŝto. Nia forgeso de viaj mesaĝoj signifas, ke ili haviĝos al neniu nova aŭ neregistrita uzanto, sed registritaj uzantoj, kiuj jam havas viajn mesaĝojn, ankoraŭ povos aliri siajn kopiaĵojn.",
"Please forget all messages I have sent when my account is deactivated (<b>Warning:</b> this will cause future users to see an incomplete view of conversations)": "Bonvolu dum malaktivigo forgesi ĉiujn mesaĝojn, kiujn mi sendis. (<b>Averto:</b> tio vidigos al osaj uzantoj neplenajn interparolojn.)",
"Use Legacy Verification (for older clients)": "Uzi malnovecan kontrolon (por malnovaj klientoj)",
"Verify by comparing a short text string.": "Kontrolu per komparo de mallonga teksto.",
"Begin Verifying": "Komenci kontrolon",
"Waiting for partner to accept...": "Atendante akcepton de kunulo…",
"Nothing appearing? Not all clients support interactive verification yet. <button>Use legacy verification</button>.": "Ĉu neniu aperas? Ankoraŭ ne ĉiuj klientoj subtenas interagan kontrolon. <button>Uzi malnovecan kontrolon</button>.",
"Waiting for %(userId)s to confirm...": "Atendante konfirmon de %(userId)s…",
"Verify this user to mark them as trusted. Trusting users gives you extra peace of mind when using end-to-end encrypted messages.": "Kontrolu ĉi tiun uzanton por marki ĝin fidata. Fidado devas vin trankviligi dum uzado de tutvoja ĉifrado.",
"Waiting for partner to confirm...": "Atendas konfirmon de kunulo…",
"Incoming Verification Request": "Venas kontrolpeto",
@ -1313,9 +1218,7 @@
"<a>Log in</a> to your new account.": "<a>Saluti</a> per via nova konto.",
"You can now close this window or <a>log in</a> to your new account.": "Vi nun povas fermi ĉi tiun fenestron, aŭ <a>saluti</a> per via nova konto.",
"Registration Successful": "Registro sukcesis",
"We'll store an encrypted copy of your keys on our server. Protect your backup with a passphrase to keep it secure.": "Ni konservos ĉifritan kopiaĵon de viaj ŝlosiloj sur nia servilo. Protektu vian savkopion per pasfrazo por ĝin sekurigi.",
"For maximum security, this should be different from your account password.": "Por plej granda sekureco, ĝi malsamu la pasvorton al via konto.",
"Please enter your passphrase a second time to confirm.": "Bonvolu vian pasfrazon konfirme enigi duan fojon.",
"Whether or not you're using the 'breadcrumbs' feature (avatars above the room list)": "Ĉu vi uzas la funkcion «spuroj» (profilbildoj super la listo de ĉambroj)",
"Adds a custom widget by URL to the room": "Aldonas propran fenestraĵon al la ĉambro per URL",
"You cannot modify widgets in this room.": "Vi ne rajtas modifi fenestraĵojn en ĉi tiu ĉambro.",
@ -1326,7 +1229,7 @@
"%(senderName)s revoked the invitation for %(targetDisplayName)s to join the room.": "%(senderName)s nuligis inviton en la ĉambron por %(targetDisplayName)s.",
"Cannot reach homeserver": "Ne povas atingi hejmservilon",
"Ensure you have a stable internet connection, or get in touch with the server admin": "Certiĝu ke vi havas stabilan retkonekton, aŭ kontaktu la administranton de la servilo",
"Ask your Riot admin to check <a>your config</a> for incorrect or duplicate entries.": "Petu vian Riot-administranton kontroli <a>vian agordaron</a> je malĝustaj aŭ duoblaj eroj.",
"Ask your %(brand)s admin to check <a>your config</a> for incorrect or duplicate entries.": "Petu vian %(brand)s-administranton kontroli <a>vian agordaron</a> je malĝustaj aŭ duoblaj eroj.",
"Cannot reach identity server": "Ne povas atingi identigan servilon",
"Please <a>contact your service administrator</a> to continue using this service.": "Bonvolu <a>kontakti vian servo-administranton</a> por daŭrigi uzadon de tiu ĉi servo.",
"Failed to perform homeserver discovery": "Malsukcesis trovi hejmservilon",
@ -1342,7 +1245,6 @@
"Short keyboard patterns are easy to guess": "Mallongaj ripetoj de klavoj estas facile diveneblaj",
"Enable Community Filter Panel": "Ŝalti komunume filtran panelon",
"Enable widget screenshots on supported widgets": "Ŝalti bildojn de fenestraĵoj por subtenataj fenestraĵoj",
"Show recently visited rooms above the room list": "Montri freŝe vizititajn ĉambrojn super la listo de ĉambroj",
"Show hidden events in timeline": "Montri kaŝitajn okazojn en historio",
"Low bandwidth mode": "Reĝimo de malmulta kapacito",
"Start using Key Backup": "Ekuzi Savkopiadon de ŝlosiloj",
@ -1370,7 +1272,6 @@
"Removing…": "Forigante…",
"I don't want my encrypted messages": "Mi ne volas miajn ĉifritajn mesaĝojn",
"No backup found!": "Neniu savkopio troviĝis!",
"Backup Restored": "Savkopio rehavita",
"Resend edit": "Resendi redakton",
"Go to Settings": "Iri al agordoj",
"Flair": "Etikedo",
@ -1378,7 +1279,6 @@
"Send %(eventType)s events": "Sendi okazojn de tipo « %(eventType)s»",
"Select the roles required to change various parts of the room": "Elektu la rolojn postulatajn por ŝanĝado de diversaj partoj de la ĉambro",
"Once enabled, encryption for a room cannot be disabled. Messages sent in an encrypted room cannot be seen by the server, only by the participants of the room. Enabling encryption may prevent many bots and bridges from working correctly. <a>Learn more about encryption.</a>": "Post ŝalto, ĉifrado de ĉambro ne povas esti malŝaltita. Mesaĝoj senditaj al ĉifrata ĉambro ne estas videblaj por la servilo, nur por la partoprenantoj de la ĉambro. Ŝalto de ĉifrado eble malfunkciigos iujn robotojn kaj pontojn. <a>Eksciu plion pri ĉifrado.</a>",
"To link to this room, please add an alias.": "Por ligili al la ĉambro, bonvolu aldoni kromnomon.",
"Changes to who can read history will only apply to future messages in this room. The visibility of existing history will be unchanged.": "Ŝanĝoj al legebleco de historio nur efektiviĝos por osaj mesaĝoj de ĉi tiu ĉambro. La videbleco de jama historio ne ŝanĝiĝos.",
"Encryption": "Ĉifrado",
"Once enabled, encryption cannot be disabled.": "Post ŝalto, ne plu eblas malŝalti ĉifradon.",
@ -1399,15 +1299,14 @@
"Unable to load event that was replied to, it either does not exist or you do not have permission to view it.": "Ne povas enlegi la responditan okazon; aŭ ĝi ne ekzistas, aŭ vi ne rajtas vidi ĝin.",
"Clear all data": "Vakigi ĉiujn datumojn",
"Community IDs cannot be empty.": "Identigilo de komunumo ne estu malplena.",
"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 Riot to do this": "Por eviti perdon de via babila historio, vi devas elporti la ŝlosilojn de viaj ĉambroj antaŭ adiaŭo. Por tio vi bezonos reveni al la pli nova versio de Riot",
"You've previously used a newer version of Riot on %(host)s. To use this version again with end to end encryption, you will need to sign out and back in again. ": "Vi antaŭe uzis pli novan version de Riot je %(host)s. Por ree uzi ĉi tiun version kun ĉifrado, vi devos adiaŭi kaj resaluti. ",
"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": "Por eviti perdon de via babila historio, vi devas elporti la ŝlosilojn de viaj ĉambroj antaŭ adiaŭo. Por tio vi bezonos reveni al la pli nova versio de %(brand)s",
"Incompatible Database": "Neakorda datumbazo",
"View Servers in Room": "Montri servilojn en ĉambro",
"You've previously used Riot 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, Riot needs to resync your account.": "Vi antaŭe uzis Riot-on je %(host)s kun ŝaltita malfrua enlegado de anoj. En ĉi tiu versio, malfrua enlegado estas malŝaltita. Ĉar la loka kaŝmemoro de ambaŭ versioj ne akordas, Riot bezonas respeguli vian konton.",
"If the other version of Riot is still open in another tab, please close it as using Riot on the same host with both lazy loading enabled and disabled simultaneously will cause issues.": "Se la alia versio de Riot ankoraŭ estas malfermita en alia langeto, bonvolu tiun fermi, ĉar uzado de Riot je la sama gastiganto, kun malfrua enlegado samtempe ŝaltita kaj malŝaltita, kaŭzos problemojn.",
"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.": "Vi antaŭe uzis %(brand)s-on je %(host)s kun ŝaltita malfrua enlegado de anoj. En ĉi tiu versio, malfrua enlegado estas malŝaltita. Ĉar la loka kaŝmemoro de ambaŭ versioj ne akordas, %(brand)s bezonas respeguli vian konton.",
"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.": "Se la alia versio de %(brand)s ankoraŭ estas malfermita en alia langeto, bonvolu tiun fermi, ĉar uzado de %(brand)s je la sama gastiganto, kun malfrua enlegado samtempe ŝaltita kaj malŝaltita, kaŭzos problemojn.",
"Incompatible local cache": "Neakorda loka kaŝmemoro",
"Clear cache and resync": "Vakigi kaŝmemoron kaj respeguli",
"Riot now uses 3-5x less memory, by only loading information about other users when needed. Please wait whilst we resynchronise with the server!": "Riot nun uzas 35-oble malpli da memoro, ĉar ĝi enlegas informojn pri aliaj uzantoj nur tiam, kiam ĝi bezonas. Bonvolu atendi ĝis ni respegulos la servilon!",
"%(brand)s now uses 3-5x less memory, by only loading information about other users when needed. Please wait whilst we resynchronise with the server!": "%(brand)s nun uzas 35-oble malpli da memoro, ĉar ĝi enlegas informojn pri aliaj uzantoj nur tiam, kiam ĝi bezonas. Bonvolu atendi ĝis ni respegulos la servilon!",
"You'll lose access to your encrypted messages": "Vi perdos aliron al viaj ĉifritaj mesaĝoj",
"Are you sure you want to sign out?": "Ĉu vi certe volas adiaŭi?",
"Your homeserver doesn't seem to support this feature.": "Via hejmservilo ŝajne ne subtenas ĉi tiun funkcion.",
@ -1421,18 +1320,11 @@
"Missing session data": "Mankas datumoj de salutaĵo",
"Some session data, including encrypted message keys, is missing. Sign out and sign in to fix this, restoring keys from backup.": "Iuj datumoj de salutaĵo, inkluzive viajn ĉifrajn ŝlosilojn, mankas. Por tion korekti, resalutu, kaj rehavu la ŝlosilojn el savkopio.",
"Your browser likely removed this data when running low on disk space.": "Via foliumilo probable forigos ĉi tiujn datumojn kiam al ĝi mankos spaco sur disko.",
"Recovery Key Mismatch": "Malakordo de rehava ŝlosilo",
"Backup could not be decrypted with this key: please verify that you entered the correct recovery key.": "Savkopio ne povas esti malĉifrita per ĉi tiu ŝlosilo: bonvolu kontroli, ke vi enigis la ĝustan rehavan ŝlosilon.",
"Incorrect Recovery Passphrase": "Malĝusta rehava pasfrazo",
"Backup could not be decrypted with this passphrase: please verify that you entered the correct recovery passphrase.": "Savkopio ne sukcesis malĉifriĝi per ĉi tiu pasfrazo: bonvolu kontroli, ĉu vi enigis la ĝustan rehavan pasfrazon.",
"Unable to restore backup": "Ne povas rehavi savkopion",
"Failed to decrypt %(failedCount)s sessions!": "Malsukcesis malĉifri%(failedCount)s salutaĵojn!",
"Restored %(sessionCount)s session keys": "Rehavis %(sessionCount)s ŝlosilojn de salutaĵo",
"Enter Recovery Passphrase": "Enigu rehavan pasfrazon",
"<b>Warning</b>: you should only set up key backup from a trusted computer.": "<b>Averto</b>: vi agordu ŝlosilan savkopion nur per fidata komputilo.",
"Access your secure message history and set up secure messaging by entering your recovery passphrase.": "Aliru vian sekuran mesaĝan historion kaj agordu sekuran mesaĝadon per enigo de via rehava pasfrazo.",
"If you've forgotten your recovery passphrase you can <button1>use your recovery key</button1> or <button2>set up new recovery options</button2>": "Se vi forgesis vian rehavan pasfrazon, vi povas <button1>uzi viajn rehavan ŝlosilon</button1> aŭ <button2>agordi novajn rehavajn elektojn</button2>",
"Enter Recovery Key": "Enigu rehavan ŝlosilon",
"This looks like a valid recovery key!": "Ŝajnas esti valida rehava ŝlosilo!",
"Not a valid recovery key": "Ne estas valida rehava ŝlosilo",
"Access your secure message history and set up secure messaging by entering your recovery key.": "Aliru vian sekuran mesaĝan historion kaj agordu sekuran mesaĝadon per enigo de via rehava ŝlosilo.",
@ -1450,10 +1342,10 @@
"Terms and Conditions": "Uzokondiĉoj",
"To continue using the %(homeserverDomain)s homeserver you must review and agree to our terms and conditions.": "Por daŭre uzadi la hejmservilon %(homeserverDomain)s, vi devas tralegi kaj konsenti niajn uzokondiĉojn.",
"Review terms and conditions": "Tralegi uzokondiĉojn",
"Did you know: you can use communities to filter your Riot.im experience!": "Ĉu vi sciis: vi povas uzi komunumojn por filtri vian sperton de Riot.im!",
"Did you know: you can use communities to filter your %(brand)s experience!": "Ĉu vi sciis: vi povas uzi komunumojn por filtri vian sperton de %(brand)s!",
"To set up a filter, drag a community avatar over to the filter panel on the far left hand side of the screen. You can click on an avatar in the filter panel at any time to see only the rooms and people associated with that community.": "Por agordi filtrilon, tiru komunuman profilbildon sur la filtran panelon je la maldekstra flanko. Vi povas klaki sur profilbildon en la filtra panelo iam ajn, por vidi nur ĉambrojn kaj homojn ligitaj al ties komunumo.",
"Riot failed to get the protocol list from the homeserver. The homeserver may be too old to support third party networks.": "Riot malsukcesis akiri liston de protokoloj de la hejmservilo. Eble la hejmservilo estas tro malnova por subteni eksterajn retojn.",
"Riot failed to get the public room list.": "Riot malsukcesis akiri la liston de publikaj ĉambroj.",
"%(brand)s failed to get the protocol list from the homeserver. The homeserver may be too old to support third party networks.": "%(brand)s malsukcesis akiri liston de protokoloj de la hejmservilo. Eble la hejmservilo estas tro malnova por subteni eksterajn retojn.",
"%(brand)s failed to get the public room list.": "%(brand)s malsukcesis akiri la liston de publikaj ĉambroj.",
"The homeserver may be unavailable or overloaded.": "La hejmservilo eble estas neatingebla aŭ troŝarĝita.",
"You can't send any messages until you review and agree to <consentLink>our terms and conditions</consentLink>.": "Vi ne povas sendi mesaĝojn ĝis vi tralegos kaj konsentos <consentLink>niajn uzokondiĉojn</consentLink>.",
"Your message wasn't sent because this homeserver has hit its Monthly Active User Limit. Please <a>contact your service administrator</a> to continue using the service.": "Via mesaĝo ne sendiĝis, ĉar tiu ĉi hejmservilo atingis sian monatan limon de aktivaj uzantoj. Bonvolu <a>kontakti vian administranton de servo</a> por plue uzadi la servon.",
@ -1478,7 +1370,6 @@
"You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.": "Vi ne povos malfari tiun ŝanĝon, ĉar vi malrangaltigas vin mem; se vi estas la lasta povohava uzanto en la ĉambro, estos neeble vian povon rehavi.",
"Demote": "Malrangaltigi",
"Power level": "Povnivelo",
"Use two-way text verification": "Uzi duflankan tekstan kontrolon",
"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:": "Gradaltigo de ĉi tiu ĉambro bezonas fermi ĝin, kaj krei novan por anstataŭi ĝin. Por plejbonigi sperton de la ĉambranoj, ni:",
"Invalid homeserver discovery response": "Nevalida eltrova respondo de hejmservilo",
"Failed to get autodiscovery configuration from server": "Malsukcesis akiri agordojn de memaga eltrovado de la servilo",
@ -1491,24 +1382,13 @@
"Enter your password to sign in and regain access to your account.": "Enigu vian pasvorton por saluti kaj rehavi aliron al via konto.",
"Sign in and regain access to your account.": "Saluti kaj rehavi aliron al via konto.",
"You cannot sign in to your account. Please contact your homeserver admin for more information.": "Vi ne povas saluti per via konto. Bonvolu kontakti administranton de via hejmservilo por akiri pliajn informojn.",
"Set up with a Recovery Key": "Agordi per rehava ŝlosilo",
"Go back to set it again.": "Reiru por reagordi ĝin.",
"As a safety net, you can use it to restore your encrypted message history if you forget your Recovery Passphrase.": "Asekure vi povas uzi ĝin por rehavi vian historion de ĉifritaj mesaĝoj se vi forgesos vian rehavan pasfrazon.",
"As a safety net, you can use it to restore your encrypted message history.": "Asekure vi povas uzi ĝin por rehavi vian historion de ĉifritaj mesaĝoj.",
"Your recovery key is a safety net - you can use it to restore access to your encrypted messages if you forget your passphrase.": "Via rehava ŝlosilo estas asekuro vi povos uzi ĝin por rehavi aliron al viaj ĉifritaj mesaĝoj, se vi forgesos vian pasfrazon.",
"Your Recovery Key": "Via rehava ŝlosilo",
"Copy to clipboard": "Kopii al tondujo",
"<b>Print it</b> and store it somewhere safe": "<b>Presu ĝin</b> kaj konservu ĝin en sekura loko",
"<b>Save it</b> on a USB key or backup drive": "<b>Konservu ĝin</b> en poŝmemorilo aŭ savkopia disko",
"<b>Copy it</b> to your personal cloud storage": "<b>Kopiu ĝin</b> al via persona enreta konservejo",
"Your keys are being backed up (the first backup could take a few minutes).": "Viaj ŝlosiloj estas savkopiataj (la unua savkopio povas daŭri kelkajn minutojn).",
"Set up Secure Message Recovery": "Agordi sekuran rehavon de mesaĝoj",
"Secure your backup with a passphrase": "Sekurigi vian savkopion per pasfrazo",
"Confirm your passphrase": "Konfirmu vian pasfrazon",
"Recovery key": "Rehava ŝlosilo",
"Keep it safe": "Sekurigu ĝin",
"Starting backup...": "Komencante savkopion…",
"Create Key Backup": "Krei savkopion de ŝlosiloj",
"Unable to create key backup": "Ne povas krei savkopion de ŝlosiloj",
"Without setting up Secure Message Recovery, you'll lose your secure message history when you log out.": "Sen agordo de Sekura rehavo de mesaĝoj, vi perdos vian sekuran historion de mesaĝoj per adiaŭo.",
"Bulk options": "Amasaj elektebloj",
@ -1638,10 +1518,10 @@
"Recent rooms": "Freŝaj vizititaj ĉambroj",
"An error (%(errcode)s) was returned while trying to validate your invite. You could try to pass this information on to a room admin.": "Eraris (%(errcode)s) validigo de via invito. Vi povas transdoni ĉi tiun informon al ĉambra administranto.",
"This invite to %(roomName)s was sent to %(email)s which is not associated with your account": "Ĉi tiu invito al %(roomName)s sendiĝis al %(email)s, kiu ne estas ligita al via konto",
"Link this email with your account in Settings to receive invites directly in Riot.": "Ligu ĉi tiun retpoŝtadreson al via konto en Agordoj por ricevadi invitojn rekte per Riot.",
"Link this email with your account in Settings to receive invites directly in %(brand)s.": "Ligu ĉi tiun retpoŝtadreson al via konto en Agordoj por ricevadi invitojn rekte per %(brand)s.",
"This invite to %(roomName)s was sent to %(email)s": "La invito al %(roomName)s sendiĝis al %(email)s",
"Use an identity server in Settings to receive invites directly in Riot.": "Uzu identigan servilon en Agordoj por ricevadi invitojn rekte per Riot.",
"Share this email in Settings to receive invites directly in Riot.": "Havigu ĉi tiun retpoŝtadreson per Agordoj por ricevadi invitojn rekte per Riot.",
"Use an identity server in Settings to receive invites directly in %(brand)s.": "Uzu identigan servilon en Agordoj por ricevadi invitojn rekte per %(brand)s.",
"Share this email in Settings to receive invites directly in %(brand)s.": "Havigu ĉi tiun retpoŝtadreson per Agordoj por ricevadi invitojn rekte per %(brand)s.",
"%(count)s unread messages including mentions.|other": "%(count)s nelegitaj mesaĝoj, inkluzive menciojn.",
"%(count)s unread messages including mentions.|one": "1 nelegita mencio.",
"%(count)s unread messages.|other": "%(count)s nelegitaj mesaĝoj.",
@ -1675,16 +1555,11 @@
"Quick Reactions": "Rapidaj reagoj",
"Cancel search": "Nuligi serĉon",
"Please <newIssueLink>create a new issue</newIssueLink> on GitHub so that we can investigate this bug.": "Bonvolu <newIssueLink>raporti novan problemon</newIssueLink> je GitHub, por ke ni povu ĝin esplori.",
"Room alias": "Kromnomo de ĉambro",
"e.g. my-room": "ekzemple mia-chambro",
"Please provide a room alias": "Bonvolu doni kromnomon de ĉambro",
"This alias is available to use": "Ĉi tiu kromnomo estas disponebla",
"This alias is already in use": "Ĉi tiu kromnomo jam estas uzata",
"Use an identity server to invite by email. <default>Use the default (%(defaultIdentityServerName)s)</default> or manage in <settings>Settings</settings>.": "Uzu identigan servilon por inviti per retpoŝto. <default>Uzu la norman (%(defaultIdentityServerName)s)</default> aŭ administru per <settings>Agordoj</settings>.",
"Use an identity server to invite by email. Manage in <settings>Settings</settings>.": "Uzu identigan servilon por inviti per retpoŝto. Administru per <settings>Agordoj</settings>.",
"Close dialog": "Fermi interagujon",
"Please enter a name for the room": "Bonvolu enigi nomon por la ĉambro",
"Set a room alias to easily share your room with other people.": "Agordu kromnomon de la ĉambro por facile ĝin kunhavigi al aliaj homoj.",
"This room is private, and can only be joined by invitation.": "Ĉi tiu ĉambro estas privata, kaj eblas aliĝi nur per invito.",
"Create a public room": "Krei publikan ĉambron",
"Create a private room": "Krei privatan ĉambron",
@ -1728,7 +1603,6 @@
"Decline (%(counter)s)": "Malakcepti (%(counter)s)",
"Clear notifications": "Vakigi sciigojn",
"Error subscribing to list": "Eraris abono al listo",
"Please verify the room ID or alias and try again.": "Bonvolu kontroli la identigilon aŭ kromnomon de la ĉambro kaj reprovu.",
"Error removing ignored user/server": "Eraris forigo de la malatentata uzanto/servilo",
"Error unsubscribing from list": "Eraris malabono de la listo",
"Please try again or view your console for hints.": "Bonvolu reprovi aŭ serĉi helpilojn en via konzolo.",
@ -1744,17 +1618,12 @@
"Your avatar URL": "URL de via profilbildo",
"Your user ID": "Via identigilo de uzanto",
"Your theme": "Via haŭto",
"Riot URL": "URL de Riot",
"%(brand)s URL": "URL de %(brand)s",
"Room ID": "Identigilo de ĉambro",
"Widget ID": "Identigilo de fenestraĵo",
"Widgets do not use message encryption.": "Fenestraĵoj ne uzas ĉifradon de mesaĝoj.",
"Widget added by": "Fenestraĵon aldonis",
"This widget may use cookies.": "Ĉi tiu fenestraĵo povas uzi kuketojn.",
"%(senderName)s added %(addedAddresses)s and %(count)s other addresses to this room|other": "%(senderName)s aldonis %(addedAddresses)s kaj %(count)s aliajn adresojn al ĉi tiu ĉambro",
"%(senderName)s removed %(removedAddresses)s and %(count)s other addresses from this room|other": "%(senderName)s forigis %(removedAddresses)s kaj %(count)s aliajn adresojn el ĉi tiu ĉambro",
"%(senderName)s removed %(countRemoved)s and added %(countAdded)s addresses to this room": "%(senderName)s forigis %(countRemoved)s kaj aldonis %(countAdded)s adresojn al ĉi tiu ĉambro",
"%(senderName)s turned on end-to-end encryption.": "%(senderName)s ŝaltis tutvojan ĉifradon.",
"%(senderName)s turned on end-to-end encryption (unrecognised algorithm %(algorithm)s).": "%(senderName)s ŝaltis tutvojan ĉifradon (nerekonita algoritmo %(algorithm)s).",
"a few seconds ago": "antaŭ kelkaj sekundoj",
"about a minute ago": "antaŭ ĉirkaŭ minuto",
"%(num)s minutes ago": "antaŭ %(num)s minutoj",
@ -1812,21 +1681,14 @@
"Start": "Komenci",
"Done": "Fini",
"Go Back": "Reiri",
"Verify other users in their profile.": "Kontrolu aliajn uzantojn en iliaj profiloj.",
"Upgrade your encryption": "Gradaltigi vian ĉifradon",
"Encryption upgraded": "Ĉifrado gradaltigita",
"Encryption setup complete": "Agordo de ĉifrado finita",
"The version of Riot": "La versio de Riot",
"Whether you're using Riot on a device where touch is the primary input mechanism": "Ĉu vi uzas Rioton per aparato, kies ĉefa enigilo estas tuŝado",
"The information being sent to us to help make Riot better includes:": "La informoj sendataj al ni por plibonigi Rioton inkluzivas:",
"There are unknown sessions in this room: if you proceed without verifying them, it will be possible for someone to eavesdrop on your call.": "Nekonataj salutaĵoj ĉeestas la ĉambron; se vi daŭrigos ne kontrolinte ilin, iu povos subaŭskulti vian vokon.",
"Whether you're using %(brand)s on a device where touch is the primary input mechanism": "Ĉu vi uzas %(brand)son per aparato, kies ĉefa enigilo estas tuŝado",
"If you cancel now, you won't complete verifying the other user.": "Se vi nuligos nun, vi ne finos kontrolon de la alia uzanto.",
"If you cancel now, you won't complete verifying your other session.": "Se vi nuligos nun, vi ne finos kontrolon de via alia salutaĵo.",
"Cancel entering passphrase?": "Ĉu nuligi enigon de pasfrazo?",
"Setting up keys": "Agordo de klavoj",
"Verify this session": "Kontroli ĉi tiun salutaĵon",
"Encryption upgrade available": "Ĝisdatigo de ĉifrado haveblas",
"Unverified session": "Nekontrolita salutaĵo",
"Sign In or Create Account": "Salutu aŭ kreu konton",
"Use your account or create a new one to continue.": "Por daŭrigi, uzu vian konton aŭ kreu novan.",
"Create Account": "Krei konton",
@ -1853,8 +1715,6 @@
"or": "aŭ",
"Compare unique emoji": "Komparu unikajn bildsignojn",
"Compare a unique set of emoji if you don't have a camera on either device": "Komparu unikan aron de bildsignoj se vi ne havas kameraon sur la alia aparato",
"Confirm the emoji below are displayed on both devices, in the same order:": "Konfirmu, ke la ĉi-subaj bildsignoj estas montrataj sur ambaŭ aparatoj, samorde:",
"Verify this device by confirming the following number appears on its screen.": "Kontrolu ĉi tiun aparaton per kontrolo, ke la jena nombro aperas sur ĝia ekrano.",
"Waiting for %(displayName)s to verify…": "Atendas kontrolon de %(displayName)s…",
"Cancelling…": "Nuligante…",
"They match": "Ili akordas",
@ -1865,14 +1725,9 @@
"Show less": "Montri pli",
"Show more": "Montri malpli",
"Help": "Helpo",
"Message not sent due to unknown sessions being present": "Mesaĝo ne sendiĝis pro ĉeesto de nekonataj salutaĵoj",
"<showSessionsText>Show sessions</showSessionsText>, <sendAnywayText>send anyway</sendAnywayText> or <cancelText>cancel</cancelText>.": "<showSessionsText>Montri salutaĵojn</showSessionsText>, <sendAnywayText>tamen sendi</sendAnywayText> aŭ <cancelText>nuligi</cancelText>.",
"Complete security": "Plena sekureco",
"Verify this session to grant it access to encrypted messages.": "Kontrolu ĉi tiun salutaĵon por doni al ĝi aliron al la ĉifritaj mesaĝoj.",
"Session verified": "Salutaĵo kontroliĝis",
"Copy": "Kopii",
"Your user agent": "Via klienta aplikaĵo",
"If you cancel now, you won't complete your secret storage operation.": "Se vi nuligos nun, vi ne finos la operacion de la sekreta deponejo.",
"%(senderDisplayName)s changed the room name from %(oldRoomName)s to %(newRoomName)s.": "%(senderDisplayName)s ŝanĝis nomon de la ĉambro de %(oldRoomName)s al %(newRoomName)s.",
"%(senderName)s added the alternative addresses %(addresses)s for this room.|other": "%(senderName)s aldonis la alternativajn adresojn %(addresses)s por ĉi tiu ĉambro.",
"%(senderName)s added the alternative addresses %(addresses)s for this room.|one": "%(senderName)s aldonis alternativan adreson %(addresses)s por ĉi tiu ĉambro.",
@ -1901,14 +1756,8 @@
"Not Trusted": "Nefidata",
"%(name)s (%(userId)s) signed in to a new session without verifying it:": "%(name)s (%(userId)s) salutis novan salutaĵon ne kontrolante ĝin:",
"Ask this user to verify their session, or manually verify it below.": "Petu, ke ĉi tiu la uzanto kontrolu sian salutaĵon, aŭ kontrolu ĝin permane sube.",
"Manually Verify": "Permane kontroli",
"Show a presence dot next to DMs in the room list": "Montri punkton de ĉeesteco apud rektaj ĉambroj en la listo de ĉambroj",
"Support adding custom themes": "Subteni aldonadon de propraj haŭtoj",
"Enable cross-signing to verify per-user instead of per-session (in development)": "Ŝalti transirajn subskribojn por kontroli uzantojn anstataŭ aparatojn (ankoraŭ evoluigate)",
"Enable local event indexing and E2EE search (requires restart)": "Ŝalti lokan indeksadon de okazoj kaj serĉon en tutvoja ĉifrado (bezonas restartigon)",
"Show info about bridges in room settings": "Montri informon pri pontoj en agordoj de ĉambro",
"Show padlocks on invite only rooms": "Montri serurojn sur ĉambroj por invititaj",
"Keep secret storage passphrase in memory for this session": "Teni pasfrazon de sekreta deponejo en memoro dum ĉi tiu salutaĵo",
"Review": "Rekontroli",
"This bridge was provisioned by <user />.": "Ĉi tiu ponto estas provizita de <user />.",
"This bridge is managed by <user />.": "Ĉi tiu ponto estas administrata de <user />.",
@ -1939,8 +1788,7 @@
"Manage": "Administri",
"Securely cache encrypted messages locally for them to appear in search results.": "Sekure kaŝmemori ĉifritajn mesaĝojn loke, por aperigi ilin en serĉrezultoj.",
"Enable": "Ŝalti",
"Riot is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom Riot Desktop with <nativeLink>search components added</nativeLink>.": "Riot malhavas kelkajn partojn bezonajn por sekura loka kaŝmemorado de ĉirfitaj mesaĝoj. Se vi volas eksperimenti pri ĉi tiu kapablo, kunmetu propran klienton «Riot Dekstop» kun <nativeLink>aldonitaj serĉopartoj</nativeLink>.",
"Riot can't securely cache encrypted messages locally while running in a web browser. Use <riotLink>Riot Desktop</riotLink> for encrypted messages to appear in search results.": "Riot ne povas sekure loke kaŝmemori ĉifritajn mesaĝojn, rulate en reta foliumilo. Uzu la klienton <riotLink>Riot Desktop</riotLink> por aperigi ĉirfritajn mesaĝojn en serĉorezultoj.",
"%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with <nativeLink>search components added</nativeLink>.": "%(brand)s malhavas kelkajn partojn bezonajn por sekura loka kaŝmemorado de ĉirfitaj mesaĝoj. Se vi volas eksperimenti pri ĉi tiu kapablo, kunmetu propran klienton «%(brand)s Dekstop» kun <nativeLink>aldonitaj serĉopartoj</nativeLink>.",
"Connecting to integration manager...": "Konektante al kunigilo…",
"This session is backing up your keys. ": "Ĉi tiu salutaĵo savkopias viajn ŝlosilojn. ",
"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.": "Ĉi tiu salutaĵo <b>ne savkopias viajn ŝlosilojn</b>, sed vi jam havas savkopion, el kiu vi povas rehavi datumojn, kaj ilin kreskigi plue.",
@ -1957,7 +1805,6 @@
"Backup has an <validity>invalid</validity> signature from <verify>unverified</verify> session <device></device>": "Savkopio havas <validity>nevalidan</validity> subskribon de <verify>nekontrolita</verify> salutaĵo <device></device>",
"Backup is not signed by any of your sessions": "Savkopio estas subskribita de neniu el viaj salutaĵoj",
"This backup is trusted because it has been restored on this session": "Ĉi tiu savkopio estas fidata, ĉar ĝi estis rehavita en ĉi tiu salutaĵo",
"Backup key stored in secret storage, but this feature is not enabled on this session. Please enable cross-signing in Labs to modify key backup state.": "Savkopia ŝlosilo estas deponita en sekreta deponejo, sed tiu funkcio ne estas ŝaltita en ĉi tiu salutaĵo. Bonvolu ŝalti transirajn subskribojn en Laboratorio por modifi la staton de savkopiado.",
"Backup key stored: ": "Savkopia ŝlosilo deponita: ",
"Your keys are <b>not being backed up from this session</b>.": "Viaj ŝlosiloj <b>ne estas savkopiataj el ĉi tiu salutaĵo</b>.",
"Enable desktop notifications for this session": "Ŝalti labortablajn sciigojn por ĉi tiu salutaĵo",
@ -1981,7 +1828,6 @@
"Server rules": "Servilaj reguloj",
"User rules": "Uzantulaj reguloj",
"You are currently ignoring:": "Vi nun malatentas:",
"Add users and servers you want to ignore here. Use asterisks to have Riot match any characters. For example, <code>@bot:*</code> would ignore all users that have the name 'bot' on any server.": "Aldonu ĉi tien uzantojn kaj servilojn, kiujn vi volas malatenti. Uzu steleton por akordigi ĉiajn signojn. Ekzemple, <code>@bot:*</code> malatentigus ĉiujn uzantojn kun la nomo «bot» sur ĉiu servilo.",
"Ignoring people is done through ban lists which contain rules for who to ban. Subscribing to a ban list means the users/servers blocked by that list will be hidden from you.": "Malatento de homoj okazas per listoj de forbaroj, kiuj enhavas regulojn pri tio, kiun forbari. Abono de listo de forbaroj signifas, ke la uzantoj/serviloj blokataj de la listo estos kaŝitaj de vi.",
"Personal ban list": "Persona listo de forbaroj",
"Your personal ban list holds all the users/servers you personally don't want to see messages from. After ignoring your first user/server, a new room will show up in your room list named 'My Ban List' - stay in this room to keep the ban list in effect.": "Via persona listo de forbaroj tenas ĉiujn uzantojn/servilojn, kies mesaĝoj vi persone ne volas vidi. Post via unua malatento, nova ĉambro aperos en via listo de ĉambroj, nomita «Mia listo de forbaroj» restu en ĝi por efikigi la liston de forbaroj.",
@ -1989,12 +1835,10 @@
"eg: @bot:* or example.org": "ekz: @bot:* aŭ ekzemplo.org",
"Subscribing to a ban list will cause you to join it!": "Abono de listo de forbaroj aligos vin al ĝi!",
"If this isn't what you want, please use a different tool to ignore users.": "Se vi ne volas tion, bonvolu uzi alian ilon por malatenti uzantojn.",
"Room ID or alias of ban list": "Identigilo de ĉambro aŭ kromnomo de listo de forbaroj",
"Session ID:": "Identigilo de salutaĵo:",
"Session key:": "Ŝlosilo de salutaĵo:",
"Message search": "Serĉado de mesaĝoj",
"Cross-signing": "Transiraj subskriboj",
"Sessions": "Salutaĵoj",
"A session's public name is visible to people you communicate with": "Publika nomo de salutaĵo estas videbla al homoj, kun kiuj vi komunikas",
"This room is bridging messages to the following platforms. <a>Learn more.</a>": "Ĉi tiu ĉambro transpontigas mesaĝojn al la jenaj platformoj. <a>Eksciu plion.</a>",
"This room isnt bridging messages to any platforms. <a>Learn more.</a>": "Ĉi tiu ĉambro transpontigas mesaĝojn al neniu platformo. <a>Eksciu plion.</a>",
@ -2003,10 +1847,6 @@
"You have not verified this user.": "Vi ne kontrolis tiun ĉi uzanton.",
"You have verified this user. This user has verified all of their sessions.": "Vi kontrolis tiun ĉi uzanton. Ĝi kontrolis ĉiomon da siaj salutaĵoj.",
"Someone is using an unknown session": "Iu uzas nekonatan salutaĵon",
"Some sessions for this user are not trusted": "Iuj salutaĵoj de ĉi tiu uzanto ne estas fidataj",
"All sessions for this user are trusted": "Ĉiuj salutaĵoj de ĉi tiu uzanto estas fidataj",
"Some sessions in this encrypted room are not trusted": "Iuj salutaĵoj en ĉi tiu ĉifrita ĉambro ne estas fidataj",
"All sessions in this encrypted room are trusted": "Ĉiuj salutaĵoj en ĉi tiu ĉifrita ĉambro estas fidataj",
"Your key share request has been sent - please check your other sessions for key share requests.": "Via peto pri havigo de ŝlosilo estas sendita bonvolu kontroli viajn aliajn salutaĵojn je petojn pri havigo de ŝlosiloj.",
"Key share requests are sent to your other sessions automatically. If you rejected or dismissed the key share request on your other sessions, click here to request the keys for this session again.": "Petoj pri havigo de ŝlosiloj estas memage sendataj al viaj aliaj salutaĵoj. Se vi rifuzis aŭ forigis la peton pri havigo de ŝlosiloj en aliaj viaj salutaĵoj, klaku ĉi tien por ree peti ŝlosilojn por ĉi tiu salutaĵo.",
"If your other sessions do not have the key for this message you will not be able to decrypt them.": "Se viaj aliaj salutaĵoj ne havas la ŝlosilon por ĉi tiu mesaĝo, vi ne povos ilin malĉifri.",
@ -2015,17 +1855,11 @@
"Encrypted by a deleted session": "Ĉifrita de forigita salutaĵo",
"Invite only": "Nur por invititaj",
"Close preview": "Fermi antaŭrigardon",
"No sessions with registered encryption keys": "Neniuj salutaĵoj kun registritaj ĉifraj ŝlosiloj",
"Unrecognised command: %(commandText)s": "Nerekonita komando: %(commandText)s",
"You can use <code>/help</code> to list available commands. Did you mean to send this as a message?": "Vi povas komandi <code>/help</code> por listigi uzeblajn komandojn. Ĉu vi intencis sendi ĉi tion kiel mesaĝon?",
"Hint: Begin your message with <code>//</code> to start it with a slash.": "Helpeto: Komencu vian mesaĝon per <code>//</code> por komenci ĝin per suprenstreko.",
"Mark all as read": "Marki ĉion legita",
"There was an error updating the room's alternative addresses. It may not be allowed by the server or a temporary failure occurred.": "Eraris ĝisdatigo de la alternativaj adresoj de la ĉambro. Eble la servilo ne permesas tion, aŭ io dumtempe ne funkcias.",
"You don't have permission to delete the alias.": "Vi ne havas permeson forigi la kromnomon.",
"Alternative addresses for this room:": "Alternativaj adresoj de ĉi tiu ĉambro:",
"This room has no alternative addresses": "Ĉi tiu ĉambro ne havas alternativajn adresojn",
"New address (e.g. #foo:domain)": "Nova adreso (ekz. #foo:domain)",
"Local addresses (unmoderated content)": "Lokaj adresoj (nereguligata enhavo)",
"Waiting for %(displayName)s to accept…": "Atendante akcepton de %(displayName)s…",
"Accepting…": "Akceptante…",
"Messages in this room are end-to-end encrypted.": "Mesaĝoj en ĉi tiu ĉambro estas tutvoje ĉifrataj.",
@ -2043,7 +1877,7 @@
"%(count)s sessions|one": "%(count)s salutaĵo",
"Hide sessions": "Kaŝi salutaĵojn",
"<strong>%(role)s</strong> in %(roomName)s": "<strong>%(role)s</strong> en %(roomName)s",
"The session you are trying to verify doesn't support scanning a QR code or emoji verification, which is what Riot supports. Try with a different client.": "La salutaĵo, kiun vi provas kontroli, ne subtenas skanadon de rapidrespondaj kodoj nek kontrolon per bildsignoj, kiujn subtenas Riot. Provu per alia kliento.",
"The session you are trying to verify doesn't support scanning a QR code or emoji verification, which is what %(brand)s supports. Try with a different client.": "La salutaĵo, kiun vi provas kontroli, ne subtenas skanadon de rapidrespondaj kodoj nek kontrolon per bildsignoj, kiujn subtenas %(brand)s. Provu per alia kliento.",
"Verify by scanning": "Kontroli per skanado",
"Ask %(displayName)s to scan your code:": "Petu de %(displayName)s skani vian kodon:",
"Verify by emoji": "Kontroli per bildsignoj",
@ -2051,9 +1885,6 @@
"Verify by comparing unique emoji.": "Kontrolu per komparo de unikaj bildsignoj.",
"You've successfully verified %(displayName)s!": "Vi sukcese kontrolis uzanton %(displayName)s!",
"Got it": "Komprenite",
"Verification timed out. Start verification again from their profile.": "Kontrolo atingis tempolimon. Rekomencu la kontrolon de ĝia profilo.",
"%(displayName)s cancelled verification. Start verification again from their profile.": "%(displayName)s nuligis la kontrolon. Rekomencu ĝin de ĝia profilo.",
"You cancelled verification. Start verification again from their profile.": "Vi nuligis la kontrolon. Rekomencu ĝin de ĝia profilo.",
"Encryption enabled": "Ĉifrado estas ŝaltita",
"Messages in this room are end-to-end encrypted. Learn more & verify this user in their user profile.": "Mesaĝoj en ĉi tiu ĉambro estas tutvoje ĉifrataj. Eksciu plion kaj kontrolu ĉi tiun uzanton per ĝia profilo.",
"Encryption not enabled": "Ĉifrado ne estas ŝaltita",
@ -2074,17 +1905,14 @@
"Clear all data in this session?": "Ĉu vakigi ĉiujn datumojn en ĉi tiu salutaĵo?",
"Clearing all data from this session is permanent. Encrypted messages will be lost unless their keys have been backed up.": "Vakigo de ĉiuj datumoj el ĉi tiu salutaĵo estas porĉiama. Ĉifritaj mesaĝoj perdiĝos, malse iliaj ŝlosiloj savkopiiĝis.",
"Verify session": "Kontroli salutaĵon",
"To verify that this session can be trusted, please check that the key you see in User Settings on that device matches the key below:": "Por kontroli, ke ĉi tiu salutaĵo estas fidinda, bonvolu kontroli, ke la ŝlosilo, kiun vi vidas en Agordoj de uzanto en tiu aparato, akordas kun la suba:",
"To verify that this session can be trusted, please contact its owner using some other means (e.g. in person or a phone call) and ask them whether the key they see in their User Settings for this session matches the key below:": "Por kontroli, ke ĉi tiu salutaĵo estas fidinda, bonvolu kontakti ĝian posedanton alimaniere (ekz. persone aŭ telefone), kaj demandu al ĝi, ĉu la ŝlosilo, kiun ĝi vidas en siaj Agordoj de uzanto por ĉi tiu salutaĵo akordas kun la suba:",
"Session name": "Nomo de salutaĵo",
"Session key": "Ŝlosilo de salutaĵo",
"If it matches, press the verify button below. If it doesn't, then someone else is intercepting this session and you probably want to press the blacklist button instead.": "Se ĝi akordas, premu la kontrolan butonon sube. Se ne, iu alia spionas la salutaĵon kaj vi probable volos premi la forlistigan butonon anstataŭe.",
"Verification Requests": "Petoj de kontrolo",
"Verifying this user will mark their session as trusted, and also mark your session as trusted to them.": "Kontrolo de tiu ĉi uzanto markos ĝian salutaĵon fidata, kaj ankaŭ markos vian salutaĵon fidata por ĝi.",
"Verify this device to mark it as trusted. Trusting this device gives you and other users extra peace of mind when using end-to-end encrypted messages.": "Kontrolu ĉi tiun aparaton por marki ĝin fidata. Fidado povas pacigi la menson de vi kaj aliaj uzantoj dum uzado de tutvoje ĉifrataj mesaĝoj.",
"Verifying this device will mark it as trusted, and users who have verified with you will trust this device.": "Kontrolo de ĉi tiu aparato markos ĝin fidata, kaj ankaŭ la uzantoj, kiuj interkontrolis kun vi, fidos ĉi tiun aparaton.",
"Enable 'Manage Integrations' in Settings to do this.": "Ŝaltu «Administri kunigojn» en Agordoj, por fari ĉi tion.",
"Your Riot doesn't allow you to use an Integration Manager to do this. Please contact an admin.": "Via Rioto ne permesas al vi uzi kunigilon por tio. Bonvolu kontakti administranton.",
"Your %(brand)s doesn't allow you to use an Integration Manager to do this. Please contact an admin.": "Via %(brand)so ne permesas al vi uzi kunigilon por tio. Bonvolu kontakti administranton.",
"Failed to invite the following users to chat: %(csvUsers)s": "Malsukcesis inviti la jenajn uzantojn al babilo: %(csvUsers)s",
"We couldn't create your DM. Please check the users you want to invite and try again.": "Ni ne povis krei vian rektan ĉambron. Bonvolu kontroli, kiujn uzantojn vi invitas, kaj reprovu.",
"Something went wrong trying to invite the users.": "Io eraris dum invito de la uzantoj.",
@ -2093,12 +1921,7 @@
"The following users might not exist or are invalid, and cannot be invited: %(csvNames)s": "La jenaj uzantoj eble ne ekzistas aŭ ne validas, kaj ne povas invitiĝi: %(csvNames)s",
"Recent Conversations": "Freŝaj interparoloj",
"Recently Direct Messaged": "Freŝaj rektaj ĉambroj",
"If you can't find someone, ask them for their username, share your username (%(userId)s) or <a>profile link</a>.": "Se vi ne povas iun trovi, petu ĝian uzantonomon, kaj havigu al ĝi vian uzantonomon (%(userId)s) aŭ <a>ligilon al profilo</a>.",
"Go": "Iri",
"If you can't find someone, ask them for their username (e.g. @user:server.com) or <a>share this room</a>.": "Se vi ne povas iun trovi, petu ĝian uzantonomon (ekz. @uzanto:servilo.net), aŭ prezentu al ĝi <a>tiun ĉi ĉambron</a>.",
"You added a new session '%(displayName)s', which is requesting encryption keys.": "Vi aldonis novas salutaĵon «%(displayName)s», kiu petas ĉifrajn ŝlosilojn.",
"Your unverified session '%(displayName)s' is requesting encryption keys.": "Via nekontrolita salutaĵo «%(displayName)s» petas ĉifrajn ŝlosilojn.",
"Loading session info...": "Enlegante informojn pri salutaĵo…",
"Your account is not secure": "Via konto ne estas sekura",
"Your password": "Via pasvorto",
"This session, or the other session": "Ĉi tiu salutaĵo, aŭ la alia salutaĵo",
@ -2109,27 +1932,12 @@
"If you didnt sign in to this session, your account may be compromised.": "Se vi ne salutis ĉi tiun salutaĵon, via konto eble estas malkonfidencigita.",
"This wasn't me": "Tio ne estis mi",
"Upgrading a room is an advanced action and is usually recommended when a room is unstable due to bugs, missing features or security vulnerabilities.": "Gradaltigo de ĉambro estas altnivela ago kaj estas kutime rekomendata kiam ĉambro estas malstabila pro eraroj, mankantaj funkcioj, aŭ malsekuraĵoj.",
"This usually only affects how the room is processed on the server. If you're having problems with your Riot, please <a>report a bug</a>.": "Ĉi tio kutime influas nur traktadon de la ĉambro de la servilo. Se vi spertas problemojn pri Riot, bonvolu <a>raporti problemon</a>.",
"This usually only affects how the room is processed on the server. If you're having problems with your %(brand)s, please <a>report a bug</a>.": "Ĉi tio kutime influas nur traktadon de la ĉambro de la servilo. Se vi spertas problemojn pri %(brand)s, bonvolu <a>raporti problemon</a>.",
"You'll upgrade this room from <oldVersion /> to <newVersion />.": "Vi gradaltigos ĉi tiun ĉambron de <oldVersion /> al <newVersion />.",
"This will allow you to return to your account after signing out, and sign in on other sessions.": "Ĉi tio ebligos saluti aliajn salutaĵojn, kaj reveni al via konto post adiaŭo.",
"You are currently blacklisting unverified sessions; to send messages to these sessions you must verify them.": "Vi nun forlistigas nekontrolitajn salutaĵojn; por sendi mesaĝojn al tiuj salutaĵoj, vi devas ilin kontroli.",
"We recommend you go through the verification process for each session to confirm they belong to their legitimate owner, but you can resend the message without verifying if you prefer.": "Ni rekomendas, ke vi trairu la kontrolon de ĉiu salutaĵo por konfirmi, ke ili apartenas al siaj ĝustaj posedantoj, sed laŭplaĉe vi povas ankaŭ sendi la mesaĝon sen kontrolo.",
"Room contains unknown sessions": "Ĉambro enhavas nekonatajn salutaĵojn",
"\"%(RoomName)s\" contains sessions that you haven't seen before.": "«%(RoomName)s» enhavas salutaĵojn, kiujn vi ne vidis antaŭe.",
"Unknown sessions": "Nekonataj salutaĵoj",
"Verification Request": "Kontrolpeto",
"Enter secret storage passphrase": "Enigu pasfrazon de sekreta deponejo",
"Unable to access secret storage. Please verify that you entered the correct passphrase.": "Ne povis atingi sekretan deponejon. Bonvolu kontroli, ke vi enigis la ĝustan pasfrazon.",
"<b>Warning</b>: You should only access secret storage from a trusted computer.": "<b>Averto</b>: vi aliru sekretan deponejon nur de fidata komputilo.",
"Access your secure message history and your cross-signing identity for verifying other sessions by entering your passphrase.": "Aliru viajn sekuran historion de mesaĝoj kaj identecon de transiraj subskriboj por kontrolo de aliaj salutaĵoj per enigo de via pasfrazo.",
"If you've forgotten your passphrase you can <button1>use your recovery key</button1> or <button2>set up new recovery options</button2>.": "Se vi forgesis vian pasfrazon, vi povas <button1>uzi vian rehavan ŝlosilon</button1> aŭ <button2>reagordi rehavon</button2>.",
"Enter secret storage recovery key": "Enigu rehavan ŝlosilon de la sekreta deponejo",
"Unable to access secret storage. Please verify that you entered the correct recovery key.": "Ne povas atingi sekretan deponejon. Bonvolu kontroli, ke vi enigis la ĝustan rehavan ŝlosilon.",
"Access your secure message history and your cross-signing identity for verifying other sessions by entering your recovery key.": "Aliru vian sekuran historion de mesaĝoj kaj vian identecon de transiraj subskriboj por kontrolo de aliaj salutaĵoj per enigo de via rehava ŝlosilo.",
"If you've forgotten your recovery key you can <button>set up new recovery options</button>.": "Se vi forgesis vian rehavan ŝlosilon, vi povas <button>reagordi rehavon</button>.",
"Recovery key mismatch": "Malakordo de rehavaj ŝlosiloj",
"Incorrect recovery passphrase": "Malĝusta rehava pasfrazo",
"Backup restored": "Savkopio rehavita",
"Enter recovery passphrase": "Enigu la rehavan pasfrazon",
"Enter recovery key": "Enigu la rehavan ŝlosilon",
"<b>Warning</b>: You should only set up key backup from a trusted computer.": "<b>Averto</b>: savkopiadon de ŝlosiloj vi starigu nur el fidata komputilo.",
@ -2141,7 +1949,6 @@
"Country Dropdown": "Landa falmenuo",
"Confirm your identity by entering your account password below.": "Konfirmu vian identecon per enigo de la pasvorto de via konto sube.",
"Missing captcha public key in homeserver configuration. Please report this to your homeserver administrator.": "Mankas publika ŝlosilo por testo de homeco en hejmservila agordaro. Bonvolu raporti tion al la administranto de via hejmservilo.",
" (1/%(totalCount)s)": " (1/%(totalCount)s)",
"Your new session is now verified. It has access to your encrypted messages, and other users will see it as trusted.": "Via nova salutaĵo nun estas kontrolita. Ĝi povas atingi viajn ĉifritajn mesaĝojn, kaj aliaj uzantoj vidos ĝin fidata.",
"Your new session is now verified. Other users will see it as trusted.": "Via nova salutaĵo nun estas kontrolita. Aliaj uzantoj vidos ĝin fidata.",
"Without completing security on this session, it wont have access to encrypted messages.": "Sen plenigo de sekureco en ĉi tiu salutaĵo, ĝi ne povos atingi ĉifritajn mesaĝojn.",
@ -2149,25 +1956,17 @@
"You have been logged out of all sessions and will no longer receive push notifications. To re-enable notifications, sign in again on each device.": "Vi adiaŭis ĉiujn viajn salutaĵojn kaj ne plu ricevados pasivajn sciigojn. Por reŝalti sciigojn, vi resalutu per ĉiu el viaj aparatoj.",
"Regain access to your account and recover encryption keys stored in this session. Without them, you wont be able to read all of your secure messages in any session.": "Reprenu aliron al via konto kaj rehavu ĉifrajn ŝlosilojn deponitajn en ĉi tiu salutaĵo. Sen ili, vi ne povos legi ĉiujn viajn sekurajn mesaĝojn en iu ajn salutaĵo.",
"Warning: Your personal data (including encryption keys) is still stored in this session. Clear it if you're finished using this session, or want to sign in to another account.": "Viaj personaj datumoj (inkluzive ĉifrajn ŝlosilojn) estas ankorŭ deponitaj en ĉi tiu salutaĵo. Vakigu ĝin, se vi ne plu uzos ĉi tiun salutaĵon, aŭ volas saluti alian konton.",
"Sender session information": "Informoj pri salutaĵo de sendinto",
"Enter your account password to confirm the upgrade:": "Enigu pasvorton de via konto por konfirmi la gradaltigon:",
"Restore your key backup to upgrade your encryption": "Rehavu vian savkopion de ŝlosiloj por gradaltigi vian ĉifradon",
"Restore": "Rehavi",
"You'll need to authenticate with the server to confirm the upgrade.": "Vi devos aŭtentikigi kun la servilo por konfirmi la gradaltigon.",
"Upgrade this session to allow it to verify other sessions, granting them access to encrypted messages and marking them as trusted for other users.": "Gradaltigu ĉi tiun salutaĵon por ebligi al ĝi kontroladon de aliaj salutaĵoj, donante al ili aliron al ĉifritaj mesaĵoj, kaj markante ilin fidataj por aliaj uzantoj.",
"Set up encryption on this session to allow it to verify other sessions, granting them access to encrypted messages and marking them as trusted for other users.": "Starigu ĉifradon en ĉi tiu salutaĵo por ebligi al ĝi kontroladon de aliaj salutaĵoj, donante al ili aliron al ĉifritaj mesaĵoj, kaj markante ilin fidataj por aliaj uzantoj.",
"Secure your encryption keys with a passphrase. For maximum security this should be different to your account password:": "Sekurigu viajn ĉifrajn ŝlosilojn per pasfrazo. Por plejgranda sekureco, ĝi malsamu la pasvorton de via konto:",
"Enter a passphrase": "Enigu pasfrazon",
"Back up my encryption keys, securing them with the same passphrase": "Savkopiu miajn ĉifrajn ŝlosilojn, sekurigante ilin per la sama pasfrazo",
"Set up with a recovery key": "Starigi kun rehava ŝlosilo",
"Enter your passphrase a second time to confirm it.": "Enigu vian pasfrazon duan fojon por konfirmi ĝin.",
"Keep a copy of it somewhere secure, like a password manager or even a safe.": "Tenu ĝian kopion en sekura loko, ekzemple mastrumilo de pasvortoj, aŭ eĉ sekurkesto.",
"Your recovery key": "Via rehava ŝlosilo",
"Your recovery key has been <b>copied to your clipboard</b>, paste it to:": "Via rehava ŝlosilo estis <b>kopiita al via tondujo</b>, algluu ĝin al:",
"Your recovery key is in your <b>Downloads</b> folder.": "Via rehava ŝlosilo estas en via dosierujo kun <b>Elŝutoj</b>.",
"You can now verify your other devices, and other users to keep your chats safe.": "Vi nun povas kontroli aliajn viajn aparatojn, kaj aliajn uzantojn, por teni viajn babilojn sekurajn.",
"Make a copy of your recovery key": "Fari kopionde via rehava ŝlosilo",
"You're done!": "Vi finis!",
"Unable to set up secret storage": "Ne povas starigi sekretan deponejon",
"Without setting up Secure Message Recovery, you won't be able to restore your encrypted message history if you log out or use another session.": "Sen Sekura rehavo de mesaĝoj, vi ne povos rehavi vian historion de ĉifritaj mesaĝoj se vi adiaŭos aŭ uzos alian salutaĵon.",
"Create key backup": "Krei savkopion de ŝlosiloj",
@ -2177,8 +1976,7 @@
"If disabled, messages from encrypted rooms won't appear in search results.": "Post malŝalto, mesaĝoj el ĉifritaj ĉambroj ne aperos en serĉorezultoj.",
"Disable": "Malŝalti",
"Not currently indexing messages for any room.": "Mesaĝoj estas indeksataj en neniu ĉambro.",
"Currently indexing: %(currentRoom)s.": "Nun indeksante: %(currentRoom)s.",
"Riot is securely caching encrypted messages locally for them to appear in search results:": "Riot sekure loke kaŝmemoras ĉifritajn mesaĝojn por aperigi ilin en serĉorezultoj:",
"%(brand)s is securely caching encrypted messages locally for them to appear in search results:": "%(brand)s sekure loke kaŝmemoras ĉifritajn mesaĝojn por aperigi ilin en serĉorezultoj:",
"Space used:": "Spaco uzita:",
"Indexed messages:": "Indeksitaj masaĝoj:",
"Indexed rooms:": "Indeksitaj ĉambroj:",
@ -2208,28 +2006,21 @@
"Add a new server...": "Aldoni novan servilon…",
"%(networkName)s rooms": "Ĉambroj de %(networkName)s",
"Matrix rooms": "Ĉambroj de Matrix",
"Open an existing session & use it to verify this one, granting it access to encrypted messages.": "Malfermi jaman salutaĵon kaj kontroli ĉi tiun per ĝi, permesante al ĝi aliron al ĉifritaj mesaĝoj.",
"Waiting…": "Atendante…",
"If you cant access one, <button>use your recovery key or passphrase.</button>": "Se vi ne povas iun atingi, <button>uzu vian rehavan ŝlosilon aŭ pasfrazon.</button>",
"Manually Verify by Text": "Permane kontroli tekste",
"Interactively verify by Emoji": "Interage kontroli bildosigne",
"Self signing private key:": "Memsubskriba privata ŝlosilo:",
"cached locally": "kaŝmemorita loke",
"not found locally": "ne trovita loke",
"User signing private key:": "Uzantosubskriba privata ŝlosilo:",
"Secret Storage key format:": "Ŝlosila formo de sekreta deponejo:",
"outdated": "eksdata",
"up to date": "ĝisdata",
"Keyboard Shortcuts": "Klavkombinoj",
"Start a conversation with someone using their name, username (like <userId/>) or email address.": "Komencu interparolon kun iu per ĝia nomo, uzantonomo (kiel <userId/>), aŭ retpoŝtadreso.",
"a new master key signature": "nova ĉefŝlosila subskribo",
"a new cross-signing key signature": "nova transire subskriba ŝlosila subskribo",
"a device cross-signing signature": "aparata transire subskriba ŝlosila subskribo",
"a key signature": "ŝlosila subskribo",
"Riot encountered an error during upload of:": "Riot eraris dum alŝuto de:",
"%(brand)s encountered an error during upload of:": "%(brand)s eraris dum alŝuto de:",
"Upload completed": "Alŝuto finiĝis",
"Cancelled signature upload": "Alŝuto de subskribo nuliĝis",
"Unabled to upload": "Ne povas alŝuti",
"Signature upload success": "Alŝuto de subskribo sukcesis",
"Signature upload failed": "Alŝuto de subskribo malsukcesis",
"Confirm by comparing the following with the User Settings in your other session:": "Konfirmu per komparo de la sekva kun la agardoj de uzanto en via alia salutaĵo:",
@ -2275,11 +2066,8 @@
"Enter": "Eniga klavo",
"Space": "Spaco",
"End": "Finen-klavo",
"Whether you're using Riot as an installed Progressive Web App": "Ĉu vi uzas Rioton kiel Progresan retan aplikaĵon",
"Review Sessions": "Rekontroli salutaĵojn",
"Unverified login. Was this you?": "Nekontrolita salutaĵo. Ĉu tio estis vi?",
"Whether you're using %(brand)s as an installed Progressive Web App": "Ĉu vi uzas %(brand)son kiel Progresan retan aplikaĵon",
"Manually verify all remote sessions": "Permane kontroli ĉiujn forajn salutaĵojn",
"Update your secure storage": "Ĝisdatigi vian sekuran deponejon",
"Session backup key:": "Savkopia ŝlosilo de salutaĵo:",
"Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "Unuope kontroli ĉiun salutaĵon de uzanto por marki ĝin fidata, ne fidante transire subskribitajn aparatojn.",
"Invalid theme schema.": "Nevalida skemo de haŭto.",
@ -2310,8 +2098,6 @@
"Send a bug report with logs": "Sendi erarraporton kun protokolo",
"You signed in to a new session without verifying it:": "Vi salutis novan salutaĵon sen kontrolo:",
"Verify your other session using one of the options below.": "Kontrolu vian alian salutaĵon per unu el la ĉi-subaj elektebloj.",
"Enable cross-signing to verify per-user instead of per-session": "Permesi transirajn subskribojn por kontroli unuopajn uzantojn anstataŭ salutaĵojn",
"Keep recovery passphrase in memory for this session": "Teni rehavan pasfrazon en memoro dum ĉi tiu salutaĵo",
"Confirm the emoji below are displayed on both sessions, in the same order:": "Konfirmu, ke la ĉi-subaj bildsignoj aperas samorde en ambaŭ salutaĵoj:",
"Verify this session by confirming the following number appears on its screen.": "Kontrolu ĉi tiun salutaĵon per konfirmo, ke la jena nombro aperas sur ĝia ekrano.",
"Waiting for your other session, %(deviceName)s (%(deviceId)s), to verify…": "Atendante konfirmon de via alia salutaĵo, %(deviceName)s (%(deviceId)s)…",
@ -2353,8 +2139,6 @@
"Unable to upload": "Ne povas alŝuti",
"Verify other session": "Kontroli alian salutaĵon",
"Unable to access secret storage. Please verify that you entered the correct recovery passphrase.": "Ne povas aliri sekretan deponejon. Bonvolu kontroli, ke vi enigis la ĝustan rehavan pasfrazon.",
"<b>Warning</b>: You should only do this on a trusted computer.": "<b>Averto</b>: vi faru ĉi tion nur per fidata komputilo.",
"If you've forgotten your recovery passphrase you can <button1>use your recovery key</button1> or <button2>set up new recovery options</button2>.": "Se vi forgesis vian rehavan pasfrazon, vi povas <button1>uzi vian rehavan ŝlosilon</button1> aŭ <button2>agordi novajn rehavajn elekteblojn</button2>.",
"Restoring keys from backup": "Rehavo de ŝlosiloj el savkopio",
"Fetching keys from server...": "Akirante ŝlosilojn el servilo…",
"%(completed)s of %(total)s keys restored": "%(completed)s el %(total)s ŝlosiloj rehaviĝis",
@ -2374,21 +2158,15 @@
"Signing In...": "Salutante…",
"If you've joined lots of rooms, this might take a while": "Se vi aliĝis al multaj ĉambroj, tio povas daŭri longe",
"Confirm your identity by verifying this login from one of your other sessions, granting it access to encrypted messages.": "Konfirmu vian identecon per kontrolo de ĉi tiu saluto el unu el viaj aliaj salutaĵoj, permesante al ĝi legadon de ĉifritaj mesaĝoj.",
"This requires the latest Riot on your other devices:": "Ĉi tio bezonas la plej freŝan version de Riot en viaj aliaj aparatoj:",
"This requires the latest %(brand)s on your other devices:": "Ĉi tio bezonas la plej freŝan version de %(brand)s en viaj aliaj aparatoj:",
"or another cross-signing capable Matrix client": "aŭ alian Matrix-klienton kapablan je transiraj subskriboj",
"Use Recovery Passphrase or Key": "Uzi rehavajn pasfrazon aŭ ŝlosilon",
"Great! This recovery passphrase looks strong enough.": "Bonege! Ĉi tiu rehava pasfrazo ŝajnas sufiĉe forta.",
"Set a recovery passphrase to secure encrypted information and recover it if you log out. This should be different to your account password:": "Agordu rehavan pasfrazon por sekurigi ĉifritajn informojn kaj rehavi ilin post adiaŭo. Ĝi malsamu al la pasvorto de via konto:",
"Enter a recovery passphrase": "Enigu rehavan pasfrazon",
"Back up encrypted message keys": "Savkopii ŝlosilojn al ĉifritaj mesaĝoj",
"Access your secure message history and your cross-signing identity for verifying other sessions by entering your recovery passphrase.": "Atingu vian sekuran historion de mesaĝoj kaj vian transire subskriban identecon per enigo de via rehava pasfrazo.",
"Enter your recovery passphrase a second time to confirm it.": "Enigu vian rehavan pasfrazon duafoje por konfirmi ĝin.",
"Confirm your recovery passphrase": "Konfirmi vian rehavan pasfrazon",
"Your recovery key is a safety net - you can use it to restore access to your encrypted messages if you forget your recovery passphrase.": "Via rehava ŝlosilo asekuras vin vi povas ĝin uzi por rehavi aliron al viaj ĉifritaj mesaĝoj se vi forgesas vian rehavan pasfrazon.",
"Unable to query secret storage status": "Ne povis peti staton de sekreta deponejo",
"Confirm recovery passphrase": "Konfirmi rehavan pasfrazon",
"We'll store an encrypted copy of your keys on our server. Secure your backup with a recovery passphrase.": "Ni deponos ĉifritan kopion de viaj ŝlosiloj en nia servilo. Sekurigu vian savkopion per rehava pasfrazo.",
"Enter a recovery passphrase...": "Enigu rehavan pasfrazon…",
"Please enter your recovery passphrase a second time to confirm.": "Bonvolu enigi vian rehavan pasfrazon duafoje por konfirmi.",
"Repeat your recovery passphrase...": "Ripetu vian rehavan pasfrazon…",
"Secure your backup with a recovery passphrase": "Sekurigu vian savkopion per rehava pasfrazo",
@ -2411,16 +2189,13 @@
"Jump to oldest unread message": "Iri al plej malnova nelegita mesaĝo",
"Upload a file": "Alŝuti dosieron",
"Create room": "Krei ĉambron",
"Use IRC layout": "Uzi aranĝon de IRC",
"IRC display name width": "Larĝo de vidiga nomo de IRC",
"Font scaling": "Skalado de tiparoj",
"Font size": "Grando de tiparo",
"Custom font size": "Propra grando de tiparo",
"Size must be a number": "Grando devas esti nombro",
"Custom font size can only be between %(min)s pt and %(max)s pt": "Propra grando de tiparo povas interi nur %(min)s punktojn kaj %(max)s punktojn",
"Use between %(min)s pt and %(max)s pt": "Uzi inter %(min)s punktoj kaj %(max)s punktoj",
"Appearance": "Aspekto",
"Use the improved room list (in development - refresh to apply changes)": "Uzi la plibonigitan liston de ĉambroj (ankoraŭ evoluigate aktualigu la paĝon por efektivigi ŝanĝojn)",
"Room name or address": "Nomo aŭ adreso de ĉambro",
"Joins room with given address": "Aligas al ĉambro kun donita adreso",
"Unrecognised room address:": "Nerekonita adreso de ĉambro:",
@ -2438,13 +2213,13 @@
"This address is available to use": "Ĉi tiu adreso estas uzebla",
"This address is already in use": "Ĉi tiu adreso jam estas uzata",
"Set a room address to easily share your room with other people.": "Agordu adreson de ĉambro por facile konigi la ĉambron al aliuloj.",
"You've previously used a newer version of Riot with this session. To use this version again with end to end encryption, you will need to sign out and back in again.": "Vi antaŭe uzis pli novan version de Riot kun tiu ĉi salutaĵo. Por ree uzi ĉi tiun version kun tutvoja ĉifrado, vi devos adiaŭi kaj resaluti.",
"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.": "Vi antaŭe uzis pli novan version de %(brand)s kun tiu ĉi salutaĵo. Por ree uzi ĉi tiun version kun tutvoja ĉifrado, vi devos adiaŭi kaj resaluti.",
"Address (optional)": "Adreso (malnepra)",
"Delete the room address %(alias)s and remove %(name)s from the directory?": "Ĉu forigi la adreson de ĉambro %(alias)s kaj forigi %(name)s de la listo?",
"delete the address.": "forigi la adreson.",
"Use a different passphrase?": "Ĉu uzi alian pasfrazon?",
"Help us improve Riot": "Helpu al ni plibonigi Rioton",
"Send <UsageDataLink>anonymous usage data</UsageDataLink> which helps us improve Riot. This will use a <PolicyLink>cookie</PolicyLink>.": "Sendi <UsageDataLink>sennomajn datumojn pri uzado</UsageDataLink>, kiuj helpos al ni plibonigi Rioton. Ĉi tio uzos <PolicyLink>kuketon</PolicyLink>.",
"Help us improve %(brand)s": "Helpu al ni plibonigi %(brand)son",
"Send <UsageDataLink>anonymous usage data</UsageDataLink> which helps us improve %(brand)s. This will use a <PolicyLink>cookie</PolicyLink>.": "Sendi <UsageDataLink>sennomajn datumojn pri uzado</UsageDataLink>, kiuj helpos al ni plibonigi %(brand)son. Ĉi tio uzos <PolicyLink>kuketon</PolicyLink>.",
"I want to help": "Mi volas helpi",
"Your homeserver has exceeded its user limit.": "Via hejmservilo atingis sian limon de uzantoj.",
"Your homeserver has exceeded one of its resource limits.": "Via hejmservilo atingis iun limon de rimedoj.",
@ -2453,9 +2228,8 @@
"Set password": "Agordi pasvorton",
"To return to your account in future you need to set a password": "Por reveni ose al via konto, vi devas agordi pasvorton",
"Restart": "Restartigi",
"Upgrade your Riot": "Gradaltigi vian Rioton",
"A new version of Riot is available!": "Nova versio de Riot estas disponebla!",
"Upgrade your %(brand)s": "Gradaltigi vian %(brand)son",
"A new version of %(brand)s is available!": "Nova versio de %(brand)s estas disponebla!",
"New version available. <a>Update now.</a>": "Nova versio estas disponebla. <a>Ĝisdatigu nun.</a>",
"Emoji picker": "Elektilo de bildsignoj",
"Show %(n)s more": "Montri %(n)s pliajn"
"Emoji picker": "Elektilo de bildsignoj"
}

View file

@ -5,7 +5,6 @@
"Access Token:": "Token de Acceso:",
"Admin": "Administrador",
"Advanced": "Avanzado",
"Algorithm": "Algoritmo",
"Always show message timestamps": "Siempre mostrar las marcas temporales de mensajes",
"Authentication": "Autenticación",
"%(items)s and %(lastItem)s": "%(items)s y %(lastItem)s",
@ -24,7 +23,6 @@
"Ban": "Vetar",
"Banned users": "Usuarios vetados",
"Bans user with given id": "Veta al usuario con la ID dada",
"Blacklisted": "Prohibido",
"Call Timeout": "Tiempo de Espera de Llamada",
"Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or <a>enable unsafe scripts</a>.": "No se puede conectar al servidor doméstico via HTTP, cuando es necesario un enlace HTTPS en la barra de direcciones de tu navegador. Ya sea usando HTTPS o <a>habilitando los scripts inseguros</a>.",
"Change Password": "Cambiar Contraseña",
@ -33,7 +31,6 @@
"%(senderDisplayName)s changed the room name to %(roomName)s.": "%(senderDisplayName)s cambió el nombre de la sala a %(roomName)s.",
"%(senderDisplayName)s changed the topic to \"%(topic)s\".": "%(senderDisplayName)s cambió el tema a \"%(topic)s\".",
"Changes your display nickname": "Cambia tu apodo público",
"Claimed Ed25519 fingerprint key": "Clave de huella digital Ed25519 reclamada",
"Click here to fix": "Haz clic aquí para arreglar",
"Click to mute audio": "Haz clic para silenciar el audio",
"Click to mute video": "Haz clic para silenciar el vídeo",
@ -44,31 +41,23 @@
"Commands": "Comandos",
"Confirm password": "Confirmar contraseña",
"Continue": "Continuar",
"Could not connect to the integration server": "No se pudo conectar al servidor de integración",
"Create Room": "Crear Sala",
"Cryptography": "Criptografía",
"Current password": "Contraseña actual",
"Curve25519 identity key": "Clave de identidad Curve25519",
"/ddg is not a command": "/ddg no es un comando",
"Deactivate Account": "Desactivar Cuenta",
"Decrypt %(text)s": "Descifrar %(text)s",
"Decryption error": "Error de descifrado",
"Deops user with given id": "Degrada al usuario con la ID dada",
"Default": "Por Defecto",
"Device ID": "ID de Dispositivo",
"Direct chats": "Conversaciones directas",
"Disinvite": "Deshacer invitación",
"Displays action": "Muestra la acción",
"Download %(text)s": "Descargar %(text)s",
"Ed25519 fingerprint": "Huella digital Ed25519",
"Email": "Correo electrónico",
"Email address": "Dirección de correo electrónico",
"Emoji": "Emoticones",
"%(senderName)s ended the call.": "%(senderName)s finalizó la llamada.",
"End-to-end encryption information": "Información de cifrado de extremo a extremo",
"Error": "Error",
"Error decrypting attachment": "Error al descifrar adjunto",
"Event information": "Información de eventos",
"Existing Call": "Llamada Existente",
"Export E2E room keys": "Exportar claves de salas con Cifrado de Extremo a Extremo",
"Failed to ban user": "Bloqueo del usuario falló",
@ -85,7 +74,6 @@
"Failed to send email": "No se pudo enviar el correo electrónico",
"Failed to send request.": "El envío de la solicitud falló.",
"Failed to set display name": "No se pudo establecer el nombre público",
"Failed to toggle moderator status": "Falló al cambiar estatus de moderador",
"Failed to unban": "No se pudo quitar veto",
"Failed to verify email address: make sure you clicked the link in the email": "No se pudo verificar la dirección de correo electrónico: asegúrate de hacer clic en el enlace del correo electrónico",
"Failure to create room": "No se pudo crear sala",
@ -112,14 +100,12 @@
"Sign in with": "Quiero iniciar sesión con",
"Join Room": "Unirse a la Sala",
"%(targetName)s joined the room.": "%(targetName)s se unió a la sala.",
"Joins room with given alias": "Se une a la sala con el alias dado",
"%(senderName)s kicked %(targetName)s.": "%(senderName)s expulsó a %(targetName)s.",
"Kick": "Expulsar",
"Kicks user with given id": "Expulsa al usuario con la ID dada",
"Labs": "Laboratorios",
"Leave room": "Salir de la sala",
"%(targetName)s left the room.": "%(targetName)s salió de la sala.",
"Local addresses for this room:": "Direcciones locales para esta sala:",
"Logout": "Cerrar Sesión",
"Low priority": "Prioridad baja",
"Accept": "Aceptar",
@ -130,15 +116,11 @@
"Default Device": "Dispositivo por defecto",
"Microphone": "Micrófono",
"Camera": "Cámara",
"Alias (optional)": "Alias (opcional)",
"Anyone": "Todos",
"Close": "Cerrar",
"Custom": "Personalizado",
"Custom level": "Nivel personalizado",
"Decline": "Rechazar",
"device id: ": "ID de dispositivo: ",
"Disable Notifications": "Deshabilitar Notificaciones",
"Enable Notifications": "Habilitar Notificaciones",
"Enter passphrase": "Ingresar frase de contraseña",
"Error: Problem communicating with the given homeserver.": "Error: No es posible comunicar con el servidor doméstico indicado.",
"Export": "Exportar",
@ -177,19 +159,15 @@
"Failed to invite the following users to the %(roomName)s room:": "No se pudo invitar a los siguientes usuarios a la sala %(roomName)s:",
"Unknown error": "Error desconocido",
"Incorrect password": "Contraseña incorrecta",
"To continue, please enter your password.": "Para continuar, ingresa tu contraseña por favor.",
"I verify that the keys match": "Verifico que las claves coinciden",
"Unable to restore session": "No se puede recuperar la sesión",
"Room Colour": "Color de la sala",
"%(roomName)s does not exist.": "%(roomName)s no existe.",
"%(roomName)s is not accessible at this time.": "%(roomName)s no es accesible en este momento.",
"Rooms": "Salas",
"Save": "Guardar",
"Scroll to bottom of page": "Bajar al final de la página",
"Search": "Buscar",
"Search failed": "Falló la búsqueda",
"Seen by %(userName)s at %(dateTime)s": "Visto por %(userName)s el %(dateTime)s",
"Send anyway": "Enviar de todos modos",
"Send Reset Email": "Enviar Correo Electrónico de Restauración",
"%(senderDisplayName)s sent an image.": "%(senderDisplayName)s envió una imagen.",
"%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": "%(senderName)s invitó a %(targetDisplayName)s a unirse a la sala.",
@ -206,7 +184,6 @@
"Sign out": "Cerrar sesión",
"%(count)s of your messages have not been sent.|other": "Algunos de sus mensajes no han sido enviados.",
"Someone": "Alguien",
"Start a chat": "Iniciar una conversación",
"Start authentication": "Iniciar autenticación",
"Submit": "Enviar",
"Success": "Éxito",
@ -214,7 +191,7 @@
"Active call (%(roomName)s)": "Llamada activa (%(roomName)s)",
"Add a topic": "Añadir un tema",
"No media permissions": "Sin permisos para el medio",
"You may need to manually permit Riot to access your microphone/webcam": "Probablemente necesite dar permisos manualmente a Riot para su micrófono/cámara",
"You may need to manually permit %(brand)s to access your microphone/webcam": "Probablemente necesite dar permisos manualmente a %(brand)s para su micrófono/cámara",
"Are you sure you want to leave the room '%(roomName)s'?": "¿Está seguro de que desea abandonar la sala '%(roomName)s'?",
"Can't connect to homeserver - please check your connectivity, ensure your <a>homeserver's SSL certificate</a> is trusted, and that a browser extension is not blocking requests.": "No se puede conectar al servidor doméstico - compruebe su conexión, asegúrese de que el <a>certificado SSL del servidor</a> es de confiaza, y compruebe que no hay extensiones del navegador bloqueando las peticiones.",
"%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s eliminó el nombre de la sala.",
@ -226,15 +203,12 @@
"Moderator": "Moderador",
"Mute": "Silenciar",
"Name": "Nombre",
"New address (e.g. #foo:%(localDomain)s)": "Dirección nueva (ej. #foo:%(localDomain)s)",
"New passwords don't match": "Las contraseñas nuevas no coinciden",
"New passwords must match each other.": "Las contraseñas nuevas deben coincidir.",
"none": "ninguno",
"not specified": "sin especificar",
"Notifications": "Notificaciones",
"(not supported by this browser)": "(no soportado por este navegador)",
"<not supported>": "<no soportado>",
"NOT verified": "SIN verificar",
"No display name": "Sin nombre público",
"No more results": "No hay más resultados",
"No results": "No hay resultados",
@ -254,20 +228,18 @@
"Profile": "Perfil",
"Public Chat": "Sala pública",
"Reason": "Motivo",
"Revoke Moderator": "Eliminar Moderador",
"Register": "Registrar",
"%(targetName)s rejected the invitation.": "%(targetName)s rechazó la invitación.",
"Reject invitation": "Rechazar invitación",
"Remote addresses for this room:": "Direcciones remotas para esta sala:",
"%(senderName)s removed their display name (%(oldDisplayName)s).": "%(senderName)s eliminó su nombre público (%(oldDisplayName)s).",
"%(senderName)s removed their profile picture.": "%(senderName)s eliminó su imagen de perfil.",
"Remove": "Eliminar",
"%(senderName)s requested a VoIP conference.": "%(senderName)s solicitó una conferencia de vozIP.",
"Results from DuckDuckGo": "Resultados desde DuckDuckGo",
"Return to login screen": "Regresar a la pantalla de inicio de sesión",
"Riot does not have permission to send you notifications - please check your browser settings": "Riot no tiene permiso para enviarte notificaciones - por favor, comprueba los ajustes de tu navegador",
"Riot was not given permission to send notifications - please try again": "No se le dio permiso a Riot para enviar notificaciones - por favor, inténtalo nuevamente",
"riot-web version:": "versión de riot-web:",
"%(brand)s does not have permission to send you notifications - please check your browser settings": "%(brand)s no tiene permiso para enviarte notificaciones - por favor, comprueba los ajustes de tu navegador",
"%(brand)s was not given permission to send notifications - please try again": "No se le dio permiso a %(brand)s para enviar notificaciones - por favor, inténtalo nuevamente",
"%(brand)s version:": "versión de %(brand)s:",
"Room %(roomId)s not visible": "La sala %(roomId)s no está visible",
"Searches DuckDuckGo for results": "Busca resultados en DuckDuckGo",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "Mostrar marcas temporales en formato de 12 horas (ej. 2:30pm)",
@ -287,10 +259,7 @@
"Room directory": "Directorio de salas",
"Custom Server Options": "Opciones de Servidor Personalizado",
"unknown error code": "Código de error desconocido",
"Start verification": "Iniciar verificación",
"Skip": "Omitir",
"Share without verifying": "Compartir sin verificar",
"Ignore request": "Ignorar solicitud",
"Do you want to set an email address?": "¿Quieres poner una dirección de correo electrónico?",
"This will allow you to reset your password and receive notifications.": "Esto te permitirá reiniciar tu contraseña y recibir notificaciones.",
"Authentication check failed: incorrect password?": "La verificación de autenticación falló: ¿contraseña incorrecta?",
@ -311,8 +280,6 @@
"Unable to capture screen": "No es posible capturar la pantalla",
"Unable to enable Notifications": "No es posible habilitar las Notificaciones",
"unknown caller": "Persona que llama desconocida",
"unknown device": "dispositivo desconocido",
"Unknown room %(roomId)s": "Sala desconocida %(roomId)s",
"Unnamed Room": "Sala sin nombre",
"Uploading %(filename)s and %(count)s others|zero": "Subiendo %(filename)s",
"Uploading %(filename)s and %(count)s others|one": "Subiendo %(filename)s y otros %(count)s",
@ -322,13 +289,9 @@
"Upload file": "Subir archivo",
"Upload new:": "Subir nuevo:",
"Usage": "Uso",
"Use compact timeline layout": "Usar diseño de cronología compacto",
"User ID": "ID de Usuario",
"Username invalid: %(errMessage)s": "Nombre de usuario no válido: %(errMessage)s",
"Users": "Usuarios",
"Verification Pending": "Verificación Pendiente",
"Verification": "Verificación",
"verified": "verificado",
"Verified key": "Clave verificada",
"Video call": "Llamada de vídeo",
"Voice call": "Llamada de voz",
@ -353,9 +316,7 @@
"The maximum permitted number of widgets have already been added to this room.": "La cantidad máxima de widgets permitida ha sido alcanzada en esta sala.",
"To use it, just wait for autocomplete results to load and tab through them.": "Para utilizarlo, tan solo espera a que se carguen los resultados de autocompletar y navega entre ellos.",
"%(senderName)s unbanned %(targetName)s.": "%(senderName)s le quitó el veto a %(targetName)s.",
"unencrypted": "sin cifrar",
"Unmute": "Dejar de silenciar",
"Unrecognised room alias:": "Alias de sala no reconocido:",
"%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (nivel de permisos %(powerLevelNumber)s)",
"You cannot place VoIP calls in this browser.": "No puedes realizar llamadas VoIP en este navegador.",
"You do not have permission to post to this room": "No tienes permiso para publicar en esta sala",
@ -386,11 +347,6 @@
"Aug": "Ago",
"Add rooms to this community": "Agregar salas a esta comunidad",
"Call Failed": "La Llamada Falló",
"Review Devices": "Revisar Dispositivos",
"Call Anyway": "Llamar de todos modos",
"Answer Anyway": "Contestar de Todos Modos",
"Call": "Llamar",
"Answer": "Contestar",
"Sep": "Sep",
"Oct": "Oct",
"Nov": "Nov",
@ -400,11 +356,10 @@
"Online": "En línea",
"Submit debug logs": "Enviar registros de depuración",
"The platform you're on": "La plataforma en la que te encuentras",
"The version of Riot.im": "La versión de Riot.im",
"The version of %(brand)s": "La version de %(brand)s",
"Your language of choice": "El idioma de tu elección",
"Your homeserver's URL": "La URL de tu servidor doméstico",
"Your identity server's URL": "La URL de tu servidor de identidad",
"The information being sent to us to help make Riot.im better includes:": "La información que se nos envía para ayudar a mejorar Riot.im incluye:",
"The information being sent to us to help make %(brand)s better includes:": "La información que se nos envía para ayudarnos a mejorar %(brand)s incluye:",
"Whether or not you're using the Richtext mode of the Rich Text Editor": "Estés utilizando o no el modo de Texto Enriquecido del Editor de Texto Enriquecido",
"Who would you like to add to this community?": "¿A quién te gustaría añadir a esta comunidad?",
"Warning: any person you add to a community will be publicly visible to anyone who knows the community ID": "Advertencia: cualquier persona que añadas a una comunidad será públicamente visible a cualquiera que conozca la ID de la comunidad",
@ -412,7 +367,6 @@
"Invite to Community": "Invitar a la Comunidad",
"Which rooms would you like to add to this community?": "¿Qué salas te gustaría añadir a esta comunidad?",
"Fetching third party location failed": "Falló la obtención de la ubicación de un tercero",
"A new version of Riot is available.": "Una nueva versión de Riot está disponible.",
"I understand the risks and wish to continue": "Entiendo los riesgos y deseo continuar",
"Send Account Data": "Enviar Datos de la Cuenta",
"Advanced notification settings": "Ajustes avanzados de notificaciones",
@ -436,8 +390,6 @@
"Send Custom Event": "Enviar evento personalizado",
"All notifications are currently disabled for all targets.": "Las notificaciones están deshabilitadas para todos los objetivos.",
"Failed to send logs: ": "Error al enviar registros: ",
"delete the alias.": "eliminar el alias.",
"To return to your account in future you need to <u>set a password</u>": "Para regresar a tu cuenta en el futuro debes <u>establecer una contraseña</u>",
"Forget": "Olvidar",
"World readable": "Legible por todo el mundo",
"You cannot delete this image. (%(code)s)": "No puedes eliminar esta imagen. (%(code)s)",
@ -463,7 +415,6 @@
"No update available.": "No hay actualizaciones disponibles.",
"Noisy": "Ruidoso",
"Collecting app version information": "Recolectando información de la versión de la aplicación",
"Delete the room alias %(alias)s and remove %(name)s from the directory?": "¿Borrar el alias de la sala %(alias)s y eliminar %(name)s del directorio?",
"Keywords": "Palabras clave",
"Enable notifications for this account": "Habilitar notificaciones para esta cuenta",
"Invite to this community": "Invitar a esta comunidad",
@ -474,7 +425,7 @@
"Search…": "Buscar…",
"You have successfully set a password and an email address!": "¡Has establecido una nueva contraseña y dirección de correo electrónico!",
"Remove %(name)s from the directory?": "¿Eliminar a %(name)s del directorio?",
"Riot uses many advanced browser features, some of which are not available or experimental in your current browser.": "Riot usa muchas características avanzadas del navegador, algunas de las cuales no están disponibles en su navegador actual.",
"%(brand)s uses many advanced browser features, some of which are not available or experimental in your current browser.": "%(brand)s usa muchas características avanzadas del navegador, algunas de las cuales no están disponibles en su navegador actual.",
"Event sent!": "Evento enviado!",
"Preparing to send logs": "Preparando para enviar registros",
"Unnamed room": "Sala sin nombre",
@ -520,13 +471,12 @@
"Debug logs contain application usage data including your username, the IDs or aliases of the rooms or groups you have visited and the usernames of other users. They do not contain messages.": "Los registros de depuración contienen datos de uso de la aplicación como nombre de usuario, ID o alias de las salas o grupos que hayas visitado (y nombres de usuario de otros usuarios). No contienen mensajes.",
"Unhide Preview": "Mostrar Vista Previa",
"Unable to join network": "No se puede unir a la red",
"You might have configured them in a client other than Riot. You cannot tune them in Riot but they still apply": "Es posible que los hayas configurado en un cliente que no sea Riot. No puedes ajustarlos en Riot, pero todavía se aplican",
"Sorry, your browser is <b>not</b> able to run Riot.": "¡Lo sentimos! Su navegador <b>no puede</b> ejecutar Riot.",
"Sorry, your browser is <b>not</b> able to run %(brand)s.": "¡Lo sentimos! Su navegador <b>no puede</b> ejecutar %(brand)s.",
"Messages in group chats": "Mensajes en conversaciones en grupo",
"Yesterday": "Ayer",
"Error encountered (%(errorDetail)s).": "Error encontrado (%(errorDetail)s).",
"Low Priority": "Prioridad Baja",
"Riot does not know how to join a room on this network": "Riot no sabe cómo unirse a una sala en esta red",
"%(brand)s does not know how to join a room on this network": "%(brand)s no sabe cómo unirse a una sala en esta red",
"Set Password": "Establecer contraseña",
"Off": "Desactivado",
"Mentions only": "Solo menciones",
@ -547,9 +497,7 @@
"Quote": "Citar",
"With your current browser, the look and feel of the application may be completely incorrect, and some or all features may not function. If you want to try it anyway you can continue, but you are on your own in terms of any issues you may encounter!": "En su navegador actual, la apariencia y comportamiento de la aplicación puede ser completamente incorrecta, y algunas de las características podrían no funcionar. Si aún desea probarlo puede continuar, pero ¡no podremos ofrecer soporte por cualquier problema que pudiese tener!",
"Checking for an update...": "Comprobando actualizaciones...",
"There are advanced notifications which are not shown here": "Hay notificaciones avanzadas que no se muestran aquí",
"Every page you use in the app": "Cada página que utilizas en la aplicación",
"Your User Agent": "Tu Agente de Usuario",
"Your device resolution": "La resolución de tu dispositivo",
"Which officially provided instance you are using, if any": "Qué instancia proporcionada oficialmente estás utilizando, si estás utilizando alguna",
"e.g. %(exampleValue)s": "ej. %(exampleValue)s",
@ -566,7 +514,6 @@
"%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s": "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s",
"Show these rooms to non-members on the community page and room list?": "¿Mostrar estas salas a los que no son miembros en la página de la comunidad y la lista de salas?",
"Add rooms to the community": "Añadir salas a la comunidad",
"Room name or alias": "Nombre o alias de sala",
"Add to community": "Añadir a la comunidad",
"Failed to invite the following users to %(groupId)s:": "No se pudo invitar a los siguientes usuarios a %(groupId)s:",
"Failed to invite users to community": "No se pudo invitar usuarios a la comunidad",
@ -587,7 +534,7 @@
"%(widgetName)s widget added by %(senderName)s": "componente %(widgetName)s añadido por %(senderName)s",
"%(widgetName)s widget removed by %(senderName)s": "componente %(widgetName)s eliminado por %(senderName)s",
"Your browser does not support the required cryptography extensions": "Su navegador no soporta las extensiones de criptografía requeridas",
"Not a valid Riot keyfile": "No es un archivo de claves de Riot válido",
"Not a valid %(brand)s keyfile": "No es un archivo de claves de %(brand)s válido",
"Message Pinning": "Mensajes con chincheta",
"Always show encryption icons": "Mostrar siempre iconos de cifrado",
"Automatically replace plain text Emoji": "Sustituir automáticamente Emojis de texto",
@ -618,12 +565,8 @@
"Mention": "Mencionar",
"Invite": "Invitar",
"Share Link to User": "Compartir Enlace al Usuario",
"User Options": "Opciones de Usuario",
"Make Moderator": "Convertir a Moderador",
"Send an encrypted reply…": "Enviar una respuesta cifrada…",
"Send a reply (unencrypted)…": "Enviar una respuesta (sin cifrar)…",
"Send an encrypted message…": "Enviar un mensaje cifrado…",
"Send a message (unencrypted)…": "Enviar un mensaje (sin cifrar)…",
"Jump to message": "Ir a mensaje",
"No pinned messages.": "No hay mensajes con chincheta.",
"Loading...": "Cargando...",
@ -675,9 +618,6 @@
"Failed to copy": "Falló la copia",
"Add an Integration": "Añadir una Integración",
"You are about to be taken to a third-party site so you can authenticate your account for use with %(integrationsUrl)s. Do you wish to continue?": "Está a punto de ir a un sitio de terceros de modo que pueda autenticar su cuenta para usarla con %(integrationsUrl)s. ¿Desea continuar?",
"Removed or unknown message type": "Tipo de mensaje desconocido o eliminado",
"Message removed by %(userId)s": "Mensaje eliminado por %(userId)s",
"Message removed": "Mensaje eliminado",
"An email has been sent to %(emailAddress)s": "Se envió un correo electrónico a %(emailAddress)s",
"Please check your email to continue registration.": "Por favor consulta tu correo electrónico para continuar con el registro.",
"Token incorrect": "Token incorrecto",
@ -706,9 +646,6 @@
"Something went wrong when trying to get your communities.": "Algo fue mal cuando se intentó obtener sus comunidades.",
"Display your community flair in rooms configured to show it.": "Muestra la insignia de su comunidad en las salas configuradas a tal efecto.",
"You're not currently a member of any communities.": "Actualmente no es miembro de una comunidad.",
"Please help improve Riot.im by sending <UsageDataLink>anonymous usage data</UsageDataLink>. This will use a cookie (please see our <PolicyLink>Cookie Policy</PolicyLink>).": "Por favor, ayude a mejorar Riot.im enviando <UsageDataLink>información anónima de uso</UsageDataLink>. Esto usará una cookie (por favor, vea nuestra <PolicyLink>Política de cookies</PolicyLink>).",
"Please help improve Riot.im by sending <UsageDataLink>anonymous usage data</UsageDataLink>. This will use a cookie.": "Por favor, ayude a mejorar Riot.im enviando <UsageDataLink>información anónima de uso</UsageDataLink>. Esto usará una cookie.",
"Yes, I want to help!": "Sí, ¡quiero ayudar!",
"Unknown Address": "Dirección desconocida",
"Delete Widget": "Eliminar Componente",
"Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "Al borrar un widget se elimina para todos usuarios de la sala. ¿Está seguro?",
@ -716,10 +653,6 @@
"An error ocurred whilst trying to remove the widget from the room": "Ocurrió un error mientras se intentaba eliminar el widget de la sala",
"Minimize apps": "Minimizar apps",
"Popout widget": "Widget en ventana externa",
"Unblacklist": "Dejar de Prohibir",
"Blacklist": "Prohibir",
"Unverify": "Anular Verificación",
"Verify...": "Verificar...",
"Communities": "Comunidades",
"%(nameList)s %(transitionList)s": "%(nameList)s %(transitionList)s",
"%(severalUsers)sjoined %(count)s times|other": "%(severalUsers)s se unieron %(count)s veces",
@ -800,12 +733,11 @@
"Message visibility in Matrix is similar to email. Our forgetting your messages means that messages you have sent will not be shared with any new or unregistered users, but registered users who already have access to these messages will still have access to their copy.": "La visibilidad de mensajes en Matrix es similar a la del correo electrónico. Que olvidemos tus mensajes implica que los mensajes que hayas enviado no se compartirán con ningún usuario nuevo o no registrado, pero aquellos usuarios registrados que ya tengan acceso a estos mensajes seguirán teniendo acceso a su copia.",
"Please forget all messages I have sent when my account is deactivated (<b>Warning:</b> this will cause future users to see an incomplete view of conversations)": "Por favor, olvida todos los mensajes enviados al desactivar mi cuenta. (<b>Advertencia:</b> esto provocará que los usuarios futuros vean conversaciones incompletas)",
"To continue, please enter your password:": "Para continuar, ingresa tu contraseña por favor:",
"Encryption key request": "Solicitud de clave de cifrado",
"Clear Storage and Sign Out": "Borrar Almacenamiento y Cerrar Sesión",
"Send Logs": "Enviar Registros",
"Refresh": "Refrescar",
"We encountered an error trying to restore your previous session.": "Encontramos un error al intentar restaurar su sesión anterior.",
"If you have previously used a more recent version of Riot, your session may be incompatible with this version. Close this window and return to the more recent version.": "Si ha usado anteriormente una versión más reciente de Riot, su sesión puede ser incompatible con ésta. Cierre la ventana y vuelva a la versión más reciente.",
"If you have previously used a more recent version of %(brand)s, your session may be incompatible with this version. Close this window and return to the more recent version.": "Si ha usado anteriormente una versión más reciente de %(brand)s, su sesión puede ser incompatible con ésta. Cierre la ventana y vuelva a la versión más reciente.",
"Clearing your browser's storage may fix the problem, but will sign you out and cause any encrypted chat history to become unreadable.": "Limpiando el almacenamiento del navegador puede arreglar el problema, pero le desconectará y cualquier historial de conversación cifrado se volverá ilegible.",
"Username not available": "Nombre de usuario no disponible",
"An error occurred: %(error_string)s": "Ocurrió un error: %(error_string)s",
@ -868,9 +800,9 @@
"To continue using the %(homeserverDomain)s homeserver you must review and agree to our terms and conditions.": "Para continuar usando el servidor doméstico %(homeserverDomain)s debe revisar y estar de acuerdo con nuestros términos y condiciones.",
"Review terms and conditions": "Revisar términos y condiciones",
"Old cryptography data detected": "Se detectó información de criptografía antigua",
"Data from an older version of Riot has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "Se detectó una versión más antigua de Riot. Esto habrá provocado que la criptografía de extremo a extremo funcione incorrectamente en la versión más antigua. Los mensajes cifrados de extremo a extremo intercambiados recientemente mientras usaba la versión más antigua puede que no sean descifrables con esta versión. Esto también puede hacer que fallen con la más reciente. Si experimenta problemas, desconecte y vuelva a ingresar. Para conservar el historial de mensajes, exporte y vuelva a importar sus claves.",
"Data from an older version of %(brand)s has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "Se detectó una versión más antigua de %(brand)s. Esto habrá provocado que la criptografía de extremo a extremo funcione incorrectamente en la versión más antigua. Los mensajes cifrados de extremo a extremo intercambiados recientemente mientras usaba la versión más antigua puede que no sean descifrables con esta versión. Esto también puede hacer que fallen con la más reciente. Si experimenta problemas, desconecte y vuelva a ingresar. Para conservar el historial de mensajes, exporte y vuelva a importar sus claves.",
"Your Communities": "Sus Comunidades",
"Did you know: you can use communities to filter your Riot.im experience!": "Sabía que: puede usar comunidades para filtrar su experiencia con Riot.im",
"Did you know: you can use communities to filter your %(brand)s experience!": "Sabía que: puede usar comunidades para filtrar su experiencia con %(brand)s",
"To set up a filter, drag a community avatar over to the filter panel on the far left hand side of the screen. You can click on an avatar in the filter panel at any time to see only the rooms and people associated with that community.": "Para configurar un filtro, arrastre un avatar de comunidad sobre el panel de filtro en la parte izquierda de la pantalla. Puede pulsar sobre un avatar en el panel de filtro en cualquier momento para ver solo las salas y personas asociadas con esa comunidad.",
"Error whilst fetching joined communities": "Error al recuperar las comunidades a las que estás unido",
"Create a new community": "Crear una comunidad nueva",
@ -885,10 +817,8 @@
"There's no one else here! Would you like to <inviteText>invite others</inviteText> or <nowarnText>stop warning about the empty room</nowarnText>?": "¡No hay nadie aquí! ¿Le gustaría <inviteText>invitar a otros</inviteText> o <nowarnText>dejar de advertir sobre la sala vacía</nowarnText>?",
"Room": "Sala",
"Clear filter": "Borrar filtro",
"Light theme": "Tema claro",
"Dark theme": "Tema oscuro",
"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 or groups you have visited and the usernames of other users. They do not contain messages.": "Si has enviado un error a GitHub, estos registros pueden ayudar a localizar el problema. Contienen información de uso de la aplicación, incluido el nombre de usuario, IDs o alias de las salas o grupos visitados y los nombres de otros usuarios. No contienen mensajes.",
"Riot collects anonymous analytics to allow us to improve the application.": "Riot recopila análisis de estadísticas anónimas para permitirnos mejorar la aplicación.",
"%(brand)s collects anonymous analytics to allow us to improve the application.": "%(brand)s recopila análisis de estadísticas anónimas para permitirnos mejorar la aplicación.",
"Privacy is important to us, so we don't collect any personal or identifiable data for our analytics.": "La privacidad es importante, por lo que no se recopila información personal o identificable en los análisis de estadísticas.",
"Learn more about how we use analytics.": "Más información sobre el uso de los análisis de estadísticas.",
"Check for update": "Comprobar actualizaciones",
@ -911,9 +841,6 @@
"Please <a>contact your service administrator</a> to continue using the service.": "Por favor, <a>contacta al administrador de tu servicio</a> para continuar utilizando el servicio.",
"This homeserver has hit its Monthly Active User limit.": "Este servidor doméstico ha alcanzado su límite Mensual de Usuarios Activos.",
"This homeserver has exceeded one of its resource limits.": "Este servidor doméstico ha excedido uno de sus límites de recursos.",
"Please <a>contact your service administrator</a> to get this limit increased.": "Por favor, <a>contacta al administrador de tu servicio</a> para aumentar este límite.",
"This homeserver has hit its Monthly Active User limit so <b>some users will not be able to log in</b>.": "Este servidor doméstico ha alcanzado su límite Mensual de Usuarios Activos, por lo que <b>algunos usuarios no podrán iniciar sesión</b>.",
"This homeserver has exceeded one of its resource limits so <b>some users will not be able to log in</b>.": "Este servidor doméstico ha excedido uno de sus límites de recursos, por lo que <b>algunos usuarios no podrán iniciar sesión</b>.",
"Upgrade Room Version": "Actualizar Versión de la Sala",
"Create a new room with the same name, description and avatar": "Crear una sala nueva con el mismo nombre, descripción y avatar",
"Update any local room aliases to point to the new room": "Actualizar los alias locales de la sala para que apunten a la nueva",
@ -935,17 +862,10 @@
"Upgrade this room to version %(version)s": "Actualiza esta sala a la versión %(version)s",
"Legal": "Legal",
"Unable to connect to Homeserver. Retrying...": "No es posible conectarse al Servidor Doméstico. Volviendo a intentar...",
"Registration Required": "Se Requiere Registro",
"You need to register to do this. Would you like to register now?": "Necesitas registrarte para hacer esto. ¿Te gustaría registrarte ahora?",
"%(senderName)s added %(count)s %(addedAddresses)s as addresses for this room.|other": "%(senderName)s añadió %(addedAddresses)s como direcciones para esta sala.",
"%(senderName)s added %(count)s %(addedAddresses)s as addresses for this room.|one": "%(senderName)s añadió %(addedAddresses)s como una dirección para esta sala.",
"%(senderName)s removed %(count)s %(removedAddresses)s as addresses for this room.|other": "%(senderName)s eliminó %(removedAddresses)s como direcciones para esta sala.",
"%(senderName)s removed %(count)s %(removedAddresses)s as addresses for this room.|one": "%(senderName)s eliminó %(removedAddresses)s como una dirección para esta sala.",
"%(senderName)s added %(addedAddresses)s and removed %(removedAddresses)s as addresses for this room.": "%(senderName)s añadió %(addedAddresses)s y eliminó %(removedAddresses)s como direcciones para esta sala.",
"%(senderName)s set the main address for this room to %(address)s.": "%(senderName)s estableció la dirección principal para esta sala como %(address)s.",
"%(senderName)s removed the main address for this room.": "%(senderName)s eliminó la dirección principal para esta sala.",
"Riot now uses 3-5x less memory, by only loading information about other users when needed. Please wait whilst we resynchronise with the server!": "Riot ahora utiliza de 3 a 5 veces menos memoria, porque solo carga información sobre otros usuarios cuando es necesario. Por favor, ¡aguarda mientras volvemos a sincronizar con el servidor!",
"Updating Riot": "Actualizando Riot",
"%(brand)s now uses 3-5x less memory, by only loading information about other users when needed. Please wait whilst we resynchronise with the server!": "%(brand)s ahora utiliza de 3 a 5 veces menos memoria, porque solo carga información sobre otros usuarios cuando es necesario. Por favor, ¡aguarda mientras volvemos a sincronizar con el servidor!",
"Updating %(brand)s": "Actualizando %(brand)s",
"Room version:": "Versión de la sala:",
"Developer options": "Opciones de desarrollador",
"Room version": "Versión de la sala",
@ -1120,9 +1040,9 @@
"Account management": "Gestión de la cuenta",
"Deactivating your account is a permanent action - be careful!": "Desactivar tu cuenta es permanente - ¡Cuidado!",
"Credits": "Créditos",
"For help with using Riot, click <a>here</a>.": "Si necesitas ayuda usando Riot, haz clic <a>aquí</a>.",
"For help with using Riot, click <a>here</a> or start a chat with our bot using the button below.": "Si necesitas ayuda usando Riot, haz clic <a>aquí</a> o abre un chat con nuestro bot usando el botón de abajo.",
"Chat with Riot Bot": "Hablar con Riot Bot",
"For help with using %(brand)s, click <a>here</a>.": "Si necesitas ayuda usando %(brand)s, haz clic <a>aquí</a>.",
"For help with using %(brand)s, click <a>here</a> or start a chat with our bot using the button below.": "Si necesitas ayuda usando %(brand)s, haz clic <a>aquí</a> o abre un chat con nuestro bot usando el botón de abajo.",
"Chat with %(brand)s Bot": "Hablar con %(brand)s Bot",
"Help & About": "Ayuda & Acerca de",
"Bug reporting": "Reportar error",
"FAQ": "FAQ",
@ -1131,7 +1051,6 @@
"Room list": "Lista de salas",
"Autocomplete delay (ms)": "Retardo autocompletado (ms)",
"Roles & Permissions": "Roles & Permisos",
"To link to this room, please add an alias.": "Para enlazar a esta sala, debes crear un alias.",
"Changes to who can read history will only apply to future messages in this room. The visibility of existing history will be unchanged.": "Los cambios que se hagan sobre quien puede leer el historial se aplicarán solo a nuevos mensajes en esta sala. La visibilidad del historial actual no cambiará.",
"Security & Privacy": "Seguridad y privacidad",
"Encryption": "Cifrado",
@ -1160,17 +1079,9 @@
"Invite anyway": "Invitar igualmente",
"Before submitting logs, you must <a>create a GitHub issue</a> to describe your problem.": "Antes de enviar logs, debes <a>crear un GitHub issue</a> para describir el problema.",
"Unable to load commit detail: %(msg)s": "No se pudo cargar el detalle del commit: %(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 Riot to do this": "Para evitar perder tu historial de chat, debes exportar las claves de la sala antes de salir. Debes volver a la versión actual de Riot para esto",
"You've previously used a newer version of Riot on %(host)s. To use this version again with end to end encryption, you will need to sign out and back in again. ": "Has usado anteriormente una versión reciente de Riot en %(host)s. Para usar esta versión otra vez con cifrado de extremo a extremo, necesitarás salir y entrar otra vez. ",
"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 tu historial de chat, debes exportar las claves de la sala antes de salir. Debes volver a la versión actual de %(brand)s para esto",
"Incompatible Database": "Base de datos incompatible",
"Continue With Encryption Disabled": "Seguir con cifrado desactivado",
"Use Legacy Verification (for older clients)": "Usar verificación obsoleta (para clientes antiguos)",
"Verify by comparing a short text string.": "Verificar usando un texto pequeño.",
"Begin Verifying": "Comenzar la verificación",
"Waiting for partner to accept...": "Esperando a que empiece el compañero...",
"Nothing appearing? Not all clients support interactive verification yet. <button>Use legacy verification</button>.": "¿No aparece nada? No todos los clientes soportan la verificación interactiva aún. <button>Puedes usar la verificación obsoleta</button>.",
"Waiting for %(userId)s to confirm...": "Esperando a que confirme %(userId)s...",
"Use two-way text verification": "Usar verificación de texto en dos sentidos",
"Verify this user to mark them as trusted. Trusting users gives you extra peace of mind when using end-to-end encrypted messages.": "Verifica ese usuario para marcar como confiable. Confiar en usuarios aporta mucha tranquilidad en los mensajes cifrados de extremo a extremo.",
"Waiting for partner to confirm...": "Esperando que confirme el compañero...",
"Incoming Verification Request": "Petición de verificación entrante",
@ -1179,10 +1090,9 @@
"Use a longer keyboard pattern with more turns": "Usa un patrón de tecleo largo con más vueltas",
"Enable Community Filter Panel": "Habilitar el Panel de Filtro de Comunidad",
"Verify this user by confirming the following emoji appear on their screen.": "Verifica este usuario confirmando que los siguientes emojis aparecen en su pantalla.",
"Your Riot is misconfigured": "Tu Riot tiene un error de configuración",
"Your %(brand)s is misconfigured": "Tu %(brand)s tiene un error de configuración",
"Whether or not you're logged in (we don't record your username)": "Hayas o no iniciado sesión (no guardamos tu nombre de usuario)",
"Whether or not you're using the 'breadcrumbs' feature (avatars above the room list)": "Uses o no los 'breadcrumbs' (iconos sobre la lista de salas)",
"A conference call could not be started because the integrations server is not available": "No se pudo iniciar la conferencia porque el servidor de integraciones no está disponible",
"Replying With Files": "Respondiendo con archivos",
"At this time it is not possible to reply with a file. Would you like to upload this file without replying?": "En este momento no es posible responder con un archivo. ¿Te gustaría subir el archivo sin responder?",
"The file '%(fileName)s' failed to upload.": "Falló en subir el archivo '%(fileName)s'.",
@ -1203,7 +1113,7 @@
"%(senderName)s revoked the invitation for %(targetDisplayName)s to join the room.": "%(senderName)s ha revocado la invitación para que %(targetDisplayName)s se una a la sala.",
"Cannot reach homeserver": "No se puede conectar con el servidor",
"Ensure you have a stable internet connection, or get in touch with the server admin": "Asegúrate de tener conexión a internet, o contacta con el administrador del servidor",
"Ask your Riot admin to check <a>your config</a> for incorrect or duplicate entries.": "Solicita al administrador de Riot que compruebe si hay entradas duplicadas o erróneas en <a>tu configuración</a>.",
"Ask your %(brand)s admin to check <a>your config</a> for incorrect or duplicate entries.": "Solicita al administrador de %(brand)s que compruebe si hay entradas duplicadas o erróneas en <a>tu configuración</a>.",
"Cannot reach identity server": "No se puede conectar con el servidor de identidad",
"You can register, but some features will be unavailable until the identity server is back online. If you keep seeing this warning, check your configuration or contact a server admin.": "Te puedes registrar, pero algunas funcionalidades no estarán disponibles hasta que se pueda conectar con el servidor de identidad. Si continúas viendo este aviso, comprueba tu configuración o contacta con el administrador del servidor.",
"You can reset your password, but some features will be unavailable until the identity server is back online. If you keep seeing this warning, check your configuration or contact a server admin.": "Puedes cambiar tu contraseña, pero algunas funcionalidades no estarán disponibles hasta que el servidor de identidad esté disponible. Si continúas viendo este aviso, comprueba tu configuración o contacta con el administrador del servidor.",
@ -1215,8 +1125,6 @@
"The user must be unbanned before they can be invited.": "El usuario debe ser desbloqueado antes de poder ser invitado.",
"The user's homeserver does not support the version of the room.": "El servidor del usuario no soporta la versión de la sala.",
"Show read receipts sent by other users": "Mostrar las confirmaciones de lectura enviadas por otros usuarios",
"Order rooms in the room list by most important first instead of most recent": "Ordenar la lista de salas por importancia en vez de por reciente",
"Show recently visited rooms above the room list": "Mostrar salas visitadas recientemente sobre la lista de salas",
"Show hidden events in timeline": "Mostrar eventos ocultos en la línea de tiempo",
"Low bandwidth mode": "Modo de ancho de banda bajo",
"Got It": "Entendido",
@ -1254,7 +1162,6 @@
"%(senderName)s placed a video call. (not supported by this browser)": "%(senderName)s hizo una llamada de vídeo (no soportada por este navegador)",
"%(name)s (%(userId)s)": "%(name)s (%(userId)s)",
"Try out new ways to ignore people (experimental)": "Pruebe nuevas formas de ignorar a usuarios (experimental)",
"Enable local event indexing and E2EE search (requires restart)": "Active el indexado de eventos locales y la búsqueda E2EE (necesita reiniciar)",
"Match system theme": "Usar el tema del sistema",
"Show previews/thumbnails for images": "Mostrar vistas previas para las imágenes",
"When rooms are upgraded": "Cuando las salas son actualizadas",
@ -1276,21 +1183,16 @@
"Jump to first unread room.": "Saltar a la primera sala sin leer.",
"You have %(count)s unread notifications in a prior version of this room.|other": "Tiene %(count)s notificaciones sin leer en una versión anterior de esta sala.",
"You have %(count)s unread notifications in a prior version of this room.|one": "Tiene %(count)s notificaciones sin leer en una versión anterior de esta sala.",
"There are unknown sessions in this room: if you proceed without verifying them, it will be possible for someone to eavesdrop on your call.": "Hay sesiones desconocidas en esta sala: si continúas sin verificarlas, será posible que alguien escuche secretamente tu llamada.",
"Setting up keys": "Configurando claves",
"Verify this session": "Verificar esta sesión",
"Encryption upgrade available": "Mejora de encriptación disponible",
"Set up encryption": "Configurar la encriptación",
"Unverified session": "Sesión sin verificar",
"Verifies a user, session, and pubkey tuple": "Verifica a un usuario, sesión y tupla de clave pública",
"Unknown (user, session) pair:": "Par (usuario, sesión) desconocido:",
"Session already verified!": "¡La sesión ya ha sido verificada!",
"WARNING: Session already verified, but keys do NOT MATCH!": "ATENCIÓN: ¡La sesión ya ha sido verificada, pero las claves NO CONCUERDAN!",
"WARNING: KEY VERIFICATION FAILED! The signing key for %(userId)s and session %(deviceId)s is \"%(fprint)s\" which does not match the provided key \"%(fingerprint)s\". This could mean your communications are being intercepted!": "¡ATENCIÓN: LA VERIFICACIÓN DE LA CLAVE HA FALLADO! La clave de firma para %(userId)s y sesión %(deviceId)s es \"%(fprint)s\", la cual no coincide con la clave proporcionada \"%(fingerprint)s\". ¡Esto podría significar que tus comunicaciones están siendo interceptadas!",
"The signing key you provided matches the signing key you received from %(userId)s's session %(deviceId)s. Session marked as verified.": "La clave de firma que proporcionaste coincide con la clave de firma que recibiste de la sesión %(deviceId)s de %(userId)s. Sesión marcada como verificada.",
"%(senderName)s added %(addedAddresses)s and %(count)s other addresses to this room|other": "%(senderName)s añadió %(addedAddresses)s y %(count)s otras direcciones a esta sala",
"%(senderName)s removed %(removedAddresses)s and %(count)s other addresses from this room|other": "%(senderName)s eliminó %(removedAddresses)s y %(count)s otras direcciones de esta sala",
"%(senderName)s removed %(countRemoved)s and added %(countAdded)s addresses to this room": "%(senderName)s eliminó %(countRemoved)s y añadió %(countAdded)s direcciones a esta sala",
"%(senderName)s removed the rule banning users matching %(glob)s": "%(senderName)s eliminó la regla que bloquea a usuarios que coinciden con %(glob)s",
"%(senderName)s removed the rule banning rooms matching %(glob)s": "%(senderName)s eliminó la regla que bloquea a salas que coinciden con %(glob)s",
"%(senderName)s removed the rule banning servers matching %(glob)s": "%(senderName)s eliminó la regla que bloquea a servidores que coinciden con %(glob)s",
@ -1333,14 +1235,9 @@
"Recent Conversations": "Conversaciones recientes",
"Suggestions": "Sugerencias",
"Recently Direct Messaged": "Enviado Mensaje Directo recientemente",
"If you can't find someone, ask them for their username, share your username (%(userId)s) or <a>profile link</a>.": "Si no encuentras a alguien, pídele su usuario, comparte tu usuario (%(userId)s) o <a>enlace de perfil</a>.",
"Go": "Ir",
"If you can't find someone, ask them for their username (e.g. @user:server.com) or <a>share this room</a>.": "Si no encuentras a alguien, pídele su usuario (p.ej. @user:server.com) o <a>comparte esta sala</a>.",
"You added a new session '%(displayName)s', which is requesting encryption keys.": "Has añadido una nueva sesión '%(displayName)s', la cual está pidiendo claves de encriptación.",
"Your unverified session '%(displayName)s' is requesting encryption keys.": "Tu sesión no verificada '%(displayName)s' esta pidiendo claves de encriptación.",
"Loading session info...": "Cargando información de sesión...",
"You've previously used Riot 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, Riot needs to resync your account.": "Has usado Riot anteriormente en %(host)s con carga diferida de usuarios habilitada. En esta versión la carga diferida está deshabilitada. Como el caché local no es compatible entre estas dos configuraciones, Riot necesita resincronizar tu cuenta.",
"If the other version of Riot is still open in another tab, please close it as using Riot on the same host with both lazy loading enabled and disabled simultaneously will cause issues.": "Si la otra versión de Riot esta todavía abierta en otra pestaña, por favor, ciérrala, ya que usar Riot en el mismo host con la opción de carga diferida habilitada y deshabilitada simultáneamente causará problemas.",
"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.": "Has usado %(brand)s anteriormente en %(host)s con carga diferida de usuarios habilitada. En esta versión la carga diferida está deshabilitada. Como el caché local no es compatible entre estas dos configuraciones, %(brand)s necesita resincronizar tu cuenta.",
"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.": "Si la otra versión de %(brand)s esta todavía abierta en otra pestaña, por favor, ciérrala, ya que usar %(brand)s en el mismo host con la opción de carga diferida habilitada y deshabilitada simultáneamente causará problemas.",
"Incompatible local cache": "Caché local incompatible",
"Clear cache and resync": "Limpiar la caché y resincronizar",
"I don't want my encrypted messages": "No quiero mis mensajes cifrados",
@ -1363,7 +1260,7 @@
"Upgrade private room": "Actualizar sala privada",
"Upgrade public room": "Actualizar sala pública",
"Upgrading a room is an advanced action and is usually recommended when a room is unstable due to bugs, missing features or security vulnerabilities.": "Actualizar una sala es una acción avanzada y es normalmente recomendada cuando una sala es inestable debido a fallos, funcionalidades no disponibles y vulnerabilidades.",
"This usually only affects how the room is processed on the server. If you're having problems with your Riot, please <a>report a bug</a>.": "Esto solo afecta a como la sala es procesada en el servidor. Si estás teniendo problemas con tu Riot, por favor<a>reporta un fallo</a>.",
"This usually only affects how the room is processed on the server. If you're having problems with your %(brand)s, please <a>report a bug</a>.": "Esto solo afecta a como la sala es procesada en el servidor. Si estás teniendo problemas con tu %(brand)s, por favor<a>reporta un fallo</a>.",
"You'll upgrade this room from <oldVersion /> to <newVersion />.": "Actualizarás esta sala de <oldVersion /> a <newVersion />.",
"Sign out and remove encryption keys?": "¿Salir y borrar las claves de encriptación?",
"A username can only contain lower case letters, numbers and '=_-./'": "Un nombre de usuario solo puede contener letras minúsculas, números y '=_-./'",
@ -1382,9 +1279,6 @@
"Summary": "Resumen",
"Document": "Documento",
"Next": "Siguiente",
"Room contains unknown sessions": "La sala contiene sesiones desconocidas",
"\"%(RoomName)s\" contains sessions that you haven't seen before.": "\"%(RoomName)s\" contiene sesiones que no has visto antes.",
"Unknown sessions": "Sesiones desconocidas",
"Upload files (%(current)s of %(total)s)": "Subir archivos (%(current)s de %(total)s)",
"Upload files": "Subir archivos",
"Upload all": "Subir todo",
@ -1406,7 +1300,6 @@
"Ignored/Blocked": "Ignorado/Bloqueado",
"Error adding ignored user/server": "Error al añadir usuario/servidor ignorado",
"Error subscribing to list": "Error al suscribirse a la lista",
"Please verify the room ID or alias and try again.": "Por favor, verifica el ID de la sala o el alias e inténtalo de nuevo.",
"Error removing ignored user/server": "Error al eliminar usuario/servidor ignorado",
"Error unsubscribing from list": "Error al cancelar la suscripción a la lista",
"None": "Ninguno",
@ -1422,12 +1315,9 @@
"Personal ban list": "Lista de bloqueo personal",
"Server or user ID to ignore": "Servidor o ID de usuario a ignorar",
"eg: @bot:* or example.org": "p. ej.: @bot:* o ejemplo.org",
"The version of Riot": "La version de Riot",
"Your user agent": "Tu agente de usuario",
"The information being sent to us to help make Riot better includes:": "La información que se nos envía para ayudarnos a mejorar Riot incluye:",
"If you cancel now, you won't complete verifying the other user.": "Si cancelas ahora, no completarás la verificación del otro usuario.",
"If you cancel now, you won't complete verifying your other session.": "Si cancelas ahora, no completarás la verificación de tu otra sesión.",
"If you cancel now, you won't complete your secret storage operation.": "Si cancelas ahora, no completarás tu operación de almacén secreto.",
"Cancel entering passphrase?": "¿Cancelar la introducción de frase de contraseña?",
"%(senderName)s updated the rule banning rooms matching %(glob)s for %(reason)s": "%(senderName)s actualizó la regla bloqueando salas que coinciden con %(glob)s por %(reason)s",
"%(senderName)s updated the rule banning servers matching %(glob)s for %(reason)s": "%(senderName)s actualizó la regla bloqueando servidores que coinciden con %(glob)s por %(reason)s",
@ -1459,7 +1349,6 @@
"Never send encrypted messages to unverified sessions from this session": "No enviar nunca mensajes cifrados a sesiones sin verificar desde esta sesión",
"Never send encrypted messages to unverified sessions in this room from this session": "No enviar nunca mensajes cifrados a sesiones sin verificar en esta sala desde esta sesión",
"Enable message search in encrypted rooms": "Habilitar la búsqueda de mensajes en salas cifradas",
"Keep secret storage passphrase in memory for this session": "Mantener la frase de contraseña en memoria para esta sesión",
"How fast should messages be downloaded.": "Con qué rapidez deben ser descargados los mensajes.",
"Verify this session by completing one of the following:": "Verifica esta sesión completando uno de los siguientes:",
"Scan this unique code": "Escanea este código único",
@ -1467,8 +1356,6 @@
"Compare unique emoji": "Comparar emoji único",
"Compare a unique set of emoji if you don't have a camera on either device": "Comparar un conjunto de emojis si no tienes cámara en ninguno de los dispositivos",
"Start": "Inicio",
"Confirm the emoji below are displayed on both devices, in the same order:": "Confirma que los emojis a continuación son mostrados en ambos dispositivos, en el mismo orden:",
"Verify this device by confirming the following number appears on its screen.": "Verifica este dispositivo confirmando que el siguiente número aparece en su pantalla.",
"Waiting for %(displayName)s to verify…": "Esperando la verificación de %(displayName)s …",
"Review": "Revise",
"in secret storage": "en almacén secreto",
@ -1483,7 +1370,6 @@
"This session is backing up your keys. ": "Esta sesión está haciendo una copia de seguridad de tus claves. ",
"not stored": "no almacenado",
"Message search": "Busqueda de mensajes",
"Sessions": "Sesiones",
"Upgrade this room to the recommended room version": "Actualizar esta sala a la versión de sala recomendada",
"this room": "esta sala",
"View older messages in %(roomName)s.": "Ver mensajes más antiguos en %(roomName)s.",
@ -1536,7 +1422,6 @@
"Disconnect from the identity server <idserver />?": "¿Desconectarse del servidor de identidad <idserver />?",
"Disconnect": "Desconectarse",
"You should:": "Deberías:",
"%(crawlingRooms)s out of %(totalRooms)s": "%(crawlingRooms)s de %(totalRooms)s",
"Use Single Sign On to continue": "Procede con Registro Único para continuar",
"Confirm adding this email address by using Single Sign On to prove your identity.": "Confirma la adición de esta dirección de correo electrónico usando el Registro Único para probar tu identidad.",
"Single Sign On": "Registro Único",
@ -1546,9 +1431,8 @@
"Confirm adding this phone number by using Single Sign On to prove your identity.": "Confirme la adición de este número de teléfono usando el Registro Único para probar su identidad...",
"Confirm adding phone number": "Confirmar la adición del número de teléfono",
"Click the button below to confirm adding this phone number.": "Haga clic en el botón de abajo para confirmar la adición de este número de teléfono.",
"Whether you're using Riot on a device where touch is the primary input mechanism": "Si estés usando Riot en un dispositivo donde una pantalla táctil es el principal mecanismo de entrada",
"Whether you're using Riot as an installed Progressive Web App": "Si estás usando Riot como una Aplicación Web Progresiva instalada",
"Review Sessions": "Sesiones de revisión",
"Whether you're using %(brand)s on a device where touch is the primary input mechanism": "Si estés usando %(brand)s en un dispositivo donde una pantalla táctil es el principal mecanismo de entrada",
"Whether you're using %(brand)s as an installed Progressive Web App": "Si estás usando %(brand)s como una Aplicación Web Progresiva instalada",
"If you cancel now, you won't complete your operation.": "Si cancela ahora, no completará la operación.",
"Review where youre logged in": "Revise dónde hizo su registro",
"New login. Was this you?": "Nuevo registro. ¿Fuiste tú?",
@ -1581,21 +1465,18 @@
"Interactively verify by Emoji": "Verifica interactivamente con unEmoji",
"Done": "Listo",
"Support adding custom themes": "Soporta la adición de temas personalizados",
"Enable cross-signing to verify per-user instead of per-session": "Habilitar la firma cruzada para verificar por usuario en lugar de por sesión",
"Show info about bridges in room settings": "Mostrar información sobre puentes en la configuración de salas",
"Order rooms by name": "Ordenar las salas por nombre",
"Show rooms with unread notifications first": "Mostrar primero las salas con notificaciones no leídas",
"Show shortcuts to recently viewed rooms above the room list": "Mostrar atajos a las salas recientemente vistas por encima de la lista de salas",
"Allow fallback call assist server turn.matrix.org when your homeserver does not offer one (your IP address would be shared during a call)": "Permitir el servidor de respaldo de asistencia de llamadas turn.matrix.org cuando su servidor doméstico no lo ofrece (su dirección IP se compartiría durante una llamada)",
"Send read receipts for messages (requires compatible homeserver to disable)": "Enviar recibos de lectura de mensajes (requiere un servidor local compatible para desactivarlo)",
"Keep recovery passphrase in memory for this session": "Guarde la contraseña de recuperación en la memoria para esta sesión",
"Manually verify all remote sessions": "Verifica manualmente todas las sesiones remotas",
"Confirm the emoji below are displayed on both sessions, in the same order:": "Confirma que los emoji de abajo se muestran en el mismo orden en ambas sesiones:",
"Verify this session by confirming the following number appears on its screen.": "Verifique esta sesión confirmando que el siguiente número aparece en su pantalla.",
"Waiting for your other session, %(deviceName)s (%(deviceId)s), to verify…": "Esperando a que su otra sesión, %(deviceName)s (%(deviceId)s), verifica…",
"Cancelling…": "Anulando …",
"Verify all your sessions to ensure your account & messages are safe": "Verifica todas tus sesiones abiertas para asegurarte de que tu cuenta y tus mensajes estén seguros",
"Update your secure storage": "Actualice su almacenamiento seguro",
"Set up": "Configurar",
"Verify the new login accessing your account: %(name)s": "Verifique el nuevo ingreso que está accediendo a su cuenta: %(name)s",
"From %(deviceName)s (%(deviceId)s)": "De %(deviceName)s (%(deviceId)s)",
@ -1618,9 +1499,6 @@
"Session backup key:": "Llave / Código de respaldo de la sesión:",
"Homeserver feature support:": "Características apoyadas por servidor local:",
"exists": "existe",
"Secret Storage key format:": "Formato del código de almacenamiento secreto:",
"outdated": "no actual",
"up to date": "actualizado",
"Your homeserver does not support session management.": "Su servidor local no soporta la gestión de sesiones.",
"Confirm deleting these sessions by using Single Sign On to prove your identity.|other": "Confirme eliminar estas sesiones, probando su identidad con el Registro Único.",
"Confirm deleting these sessions by using Single Sign On to prove your identity.|one": "Confirme eliminar esta sesión, probando su identidad con el Registro Único.",
@ -1633,8 +1511,7 @@
"Securely cache encrypted messages locally for them to appear in search results, using ": "Almacenar localmente, de manera segura, los mensajes cifrados localmente para que aparezcan en los resultados de la búsqueda, utilizando ",
" to store messages from ": " para almacenar mensajes de ",
"Securely cache encrypted messages locally for them to appear in search results.": "Almacenar localmente, de manera segura, a los mensajes cifrados localmente para que aparezcan en los resultados de búsqueda.",
"Riot is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom Riot Desktop with <nativeLink>search components added</nativeLink>.": "A Riot le faltan algunos componentes necesarios para el almacenamiento seguro de mensajes cifrados a nivel local. Si quieres experimentar con esta característica, construye un Escritorio Riot personalizado con <nativeLink> componentes de búsqueda añadidos</nativeLink>.",
"Riot can't securely cache encrypted messages locally while running in a web browser. Use <riotLink>Riot Desktop</riotLink> for encrypted messages to appear in search results.": "Riot no puede guardar de forma segura en la memoria caché a mensajes encriptados localmente, mientras se ejecuta en un navegador web. Use <riotLink>Riot Desktop</riotLink> para que los mensajes encriptados aparezcan en los resultados de la búsqueda.",
"%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with <nativeLink>search components added</nativeLink>.": "A %(brand)s le faltan algunos componentes necesarios para el almacenamiento seguro de mensajes cifrados a nivel local. Si quieres experimentar con esta característica, construye un Escritorio %(brand)s personalizado con <nativeLink> componentes de búsqueda añadidos</nativeLink>.",
"This session is <b>not backing up your keys</b>, but you do have an existing backup you can restore from and add to going forward.": "Esta sesión no <b> ha creado una copia de seguridad de tus llaves</b>, pero tienes una copia de seguridad existente de la que puedes restaurar y añadir para proceder.",
"Connect this session to key backup before signing out to avoid losing any keys that may only be on this session.": "Conecte esta sesión a la copia de seguridad de las claves antes de firmar y así evitar perder las claves que sólo existen en esta sesión.",
"Connect this session to Key Backup": "Conecte esta sesión a la copia de respaldo de tu clave",
@ -1648,7 +1525,6 @@
"Backup has a <validity>valid</validity> signature from <verify>unverified</verify> session <device></device>": "La copia de seguridad tiene una firma de <validity>válida</validity> de sesión <verify>no verificada</verify> <device></device>",
"Backup has an <validity>invalid</validity> signature from <verify>verified</verify> session <device></device>": "La copia de seguridad tiene una firma de <validity>no válida</validity> de sesión <verify>verificada</verify> <device></device>",
"Backup has an <validity>invalid</validity> signature from <verify>unverified</verify> session <device></device>": "La copia de seguridad tiene una firma de <validity>no válida</validity> de sesión <verify>no verificada</verify> <device></device>",
"Backup key stored in secret storage, but this feature is not enabled on this session. Please enable cross-signing in Labs to modify key backup state.": "La clave de respaldo se guardó en un almacenamiento secreto, pero esta función no está habilitada en esta sesión. Por favor, habilite la firma cruzada en Labs para modificar el estado de respaldo de la clave.",
"<a>Upgrade</a> to your own domain": "<a>Actualizar</a> a su propio dominio",
"Identity Server URL must be HTTPS": "La URL del servidor de identidad debe ser tipo HTTPS",
"Not a valid Identity Server (status code %(code)s)": "No es un servidor de identidad válido (código de estado %(code)s)",
@ -1674,13 +1550,12 @@
"Something went wrong. Please try again or view your console for hints.": "Algo salió mal. Por favor, inténtalo de nuevo o mira tu consola para encontrar pistas.",
"Please try again or view your console for hints.": "Por favor, inténtalo de nuevo o mira tu consola para encontrar pistas.",
"Ban list rules - %(roomName)s": "Reglas de la lista negra - %(roomName)s",
"Add users and servers you want to ignore here. Use asterisks to have Riot match any characters. For example, <code>@bot:*</code> would ignore all users that have the name 'bot' on any server.": "Añade los usuarios y servidores que quieras ignorar aquí. Usa asteriscos para que Riot coincida cualquier conjunto de caracteres. Por ejemplo, <code>@bot:*</code> ignoraría a todos los usuarios,en cualquier servidor, que tengan el nombre 'bot' .",
"Add users and servers you want to ignore here. Use asterisks to have %(brand)s match any characters. For example, <code>@bot:*</code> would ignore all users that have the name 'bot' on any server.": "Añade los usuarios y servidores que quieras ignorar aquí. Usa asteriscos para que %(brand)s coincida cualquier conjunto de caracteres. Por ejemplo, <code>@bot:*</code> ignoraría a todos los usuarios,en cualquier servidor, que tengan el nombre 'bot' .",
"Ignoring people is done through ban lists which contain rules for who to ban. Subscribing to a ban list means the users/servers blocked by that list will be hidden from you.": "Ignorar usuarios se hace mediante listas negras que contienen reglas sobre a quién bloquear. Suscribirse a una lista negra significa que los usuarios/servidores bloqueados serán invisibles para tí.",
"Your personal ban list holds all the users/servers you personally don't want to see messages from. After ignoring your first user/server, a new room will show up in your room list named 'My Ban List' - stay in this room to keep the ban list in effect.": "Tu lista negra personal contiene todos los usuarios/servidores de los que no quieres ver mensajes. Después de ignorar su primer usuario/servidor, una nueva sala aparecerá en su lista de salas llamada \"Mi lista negra (de bloqueo)\" - permanezca en esta sala para mantener la lista de prohibición en efecto.",
"Subscribed lists": "Listados a que subscribiste",
"Subscribing to a ban list will cause you to join it!": "¡Suscribirse a una lista negra hará unirte a ella!",
"If this isn't what you want, please use a different tool to ignore users.": "Si esto no es lo que quieres, por favor usa una herramienta diferente para ignorar usuarios.",
"Room ID or alias of ban list": "Identificación (ID) de la habitación o alias de la lista negra",
"Subscribe": "Suscribir",
"Always show the window menu bar": "Siempre mostrar la barra de menú de la ventana",
"Show tray icon and minimize window to it on close": "Mostrar el icono en el Área de Notificación y minimizar la ventana al cerrarla",
@ -1717,10 +1592,6 @@
"Someone is using an unknown session": "Alguien está usando una sesión desconocida",
"This room is end-to-end encrypted": "Esta sala usa encriptación de extremo a extremo",
"Everyone in this room is verified": "Todos los participantes en esta sala están verificados",
"Some sessions for this user are not trusted": "Algunas sesiones para este usuario no son de confianza",
"All sessions for this user are trusted": "Todas las sesiones para este usuario son de confianza",
"Some sessions in this encrypted room are not trusted": "Algunas sesiones en esta sala encriptada no son de confianza",
"All sessions in this encrypted room are trusted": "Todas las sesiones en esta sala encriptada son de confianza",
"Edit message": "Editar mensaje",
"Mod": "Mod",
"Your key share request has been sent - please check your other sessions for key share requests.": "Su solicitud de intercambio de claves ha sido enviada. Por favor, compruebe en sus otras sesiones si hay solicitudes de intercambio de claves.",
@ -1735,12 +1606,8 @@
"%(oneUser)smade no changes %(count)s times|other": "%(oneUser)s %(count)s veces no efectuó cambios",
"%(oneUser)smade no changes %(count)s times|one": "%(oneUser)s no efectuó cambios",
"Power level": "Nivel de poder",
"Room alias": "Alias (apodo) de la sala",
"e.g. my-room": "p.ej. mi-sala",
"Some characters not allowed": "Algunos caracteres no están permitidos",
"Please provide a room alias": "Por favor, proporcione un alias (apodo) para la sala",
"This alias is available to use": "Este alias (apodo) está disponible",
"This alias is already in use": "Este alias (apodo) ya está en uso",
"Sign in with single sign-on": "Ingresar con un Registro Único",
"Enter a server name": "Introduzca un nombre de servidor",
"Looks good": "Se ve bien",
@ -1772,7 +1639,6 @@
"Clearing all data from this session is permanent. Encrypted messages will be lost unless their keys have been backed up.": "La eliminación de todos los datos de esta sesión es definitiva. Los mensajes encriptados se perderán a menos que se haya hecho una copia de seguridad de sus claves.",
"Clear all data": "Borrar todos los datos",
"Please enter a name for the room": "Por favor, introduzca un nombre para la sala",
"Set a room alias to easily share your room with other people.": "Fijar un alias (apodo) para su sala para compartirla con mayor facilidadn con otras personas.",
"This room is private, and can only be joined by invitation.": "Esta sala es privada, y sólo se puede acceder a ella por invitación.",
"Enable end-to-end encryption": "Habilitar la encriptación de extremo a extremo",
"You cant disable this later. Bridges & most bots wont work yet.": "No puedes deshabilitar esto después. Los puentes y la mayoría de los bots no funcionarán todavía.",
@ -1790,11 +1656,8 @@
"Confirm account deactivation": "Confirmar la desactivación de la cuenta",
"There was a problem communicating with the server. Please try again.": "Hubo un problema de comunicación con el servidor. Por favor, inténtelo de nuevo.",
"Verify session": "Verificar sesión",
"To verify that this session can be trusted, please check that the key you see in User Settings on that device matches the key below:": "Para verificar que se puede confiar en esta sesión, comprueba que la clave que ves en la Configuración del Usuario de ese dispositivo coincide con la clave que aparece a continuación:",
"To verify that this session can be trusted, please contact its owner using some other means (e.g. in person or a phone call) and ask them whether the key they see in their User Settings for this session matches the key below:": "Para verificar que se puede confiar en esta sesión, póngase en contacto con su dueño por algún otro medio (por ejemplo, en persona o por teléfono) y pregúntele si el código que ve en su Configuración de usuario para esta sesión coincide con el código abajo:",
"Session name": "Nombre de sesión",
"Session key": "Código de sesión",
"If it matches, press the verify button below. If it doesn't, then someone else is intercepting this session and you probably want to press the blacklist button instead.": "Si coincide, presione el botón de verificación de abajo. Si no, entonces otra persona está interceptando esta sesión y probablemente quieras presionar el botón de la lista negra en su lugar.",
"View Servers in Room": "Ver servidores en la sala",
"Verification Requests": "Solicitudes de verificación",
"Verifying this user will mark their session as trusted, and also mark your session as trusted to them.": "Verificar que este usuario marcará su sesión como de confianza, y también que marcará su sesión como de confianza para él.",
@ -1803,7 +1666,7 @@
"Integrations are disabled": "Las integraciones están deshabilitadas",
"Enable 'Manage Integrations' in Settings to do this.": "Habilita 'Gestionar Integraciones' en Ajustes para hacer esto.",
"Integrations not allowed": "Integraciones no están permitidas",
"Your Riot doesn't allow you to use an Integration Manager to do this. Please contact an admin.": "Su Riot no le permite utilizar un \"Administrador de Integración\" para hacer esto. Por favor, contacte con un administrador.",
"Your %(brand)s doesn't allow you to use an Integration Manager to do this. Please contact an admin.": "Su %(brand)s no le permite utilizar un \"Administrador de Integración\" para hacer esto. Por favor, contacte con un administrador.",
"Failed to invite the following users to chat: %(csvUsers)s": "Error invitando a los siguientes usuarios al chat: %(csvUsers)s",
"We couldn't create your DM. Please check the users you want to invite and try again.": "No pudimos crear tu Mensaje Directo Por favor, marcar los usuarios que quieres invitar e inténtalo de nuevo.",
"Start a conversation with someone using their name, username (like <userId/>) or email address.": "Iniciar una conversación con alguien usando su nombre, nombre de usuario (como <userId/>) o dirección de correo electrónico.",
@ -1812,7 +1675,7 @@
"a new cross-signing key signature": "una nueva firma de código de firma cruzada",
"a device cross-signing signature": "una firma para la firma cruzada de dispositivos",
"a key signature": "un firma de clave",
"Riot encountered an error during upload of:": "Riot encontró un error durante la carga de:",
"%(brand)s encountered an error during upload of:": "%(brand)s encontró un error durante la carga de:",
"End": "Fin",
"Once enabled, encryption for a room cannot be disabled. Messages sent in an encrypted room cannot be seen by the server, only by the participants of the room. Enabling encryption may prevent many bots and bridges from working correctly. <a>Learn more about encryption.</a>": "Una vez habilitado, el cifrado de una sala no puede deshabilitarse. Los mensajes enviados a una sala cifrada no pueden ser vistos por el servidor, sólo lo verán los participantes de la sala. Habilitar el cifrado puede hacer que muchos bots y bridges no funcionen correctamente. <a>Aprende más de cifrado</a>",
"Joining room …": "Uniéndose a sala …",
@ -1858,7 +1721,6 @@
"Deactivating this user will log them out and prevent them from logging back in. Additionally, they will leave all the rooms they are in. This action cannot be reversed. Are you sure you want to deactivate this user?": "Desactivando a este usuario, este será desconectado y no podrá volver a ingresar. Además, saldrá de todas las salas a que se había unido. Esta acción no puede ser revertida. ¿Está seguro de desactivar este usuario?",
"Deactivate user": "Desactivar usuario",
"Failed to deactivate user": "Error en desactivar usuario",
"No sessions with registered encryption keys": "No hay sesiones con claves de cifrado registradas",
"Remove recent messages": "Eliminar mensajes recientes",
"Send a reply…": "Enviar una respuesta …",
"Send a message…": "Enviar un mensaje…",
@ -1872,10 +1734,10 @@
"Loading room preview": "Cargando vista previa de la sala",
"An error (%(errcode)s) was returned while trying to validate your invite. You could try to pass this information on to a room admin.": "Un código de error (%(errcode)s) fue devuelto al tratar de validar su invitación. Podrías intentar pasar esta información a un administrador de la sala.",
"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",
"Link this email with your account in Settings to receive invites directly in Riot.": "Para recibir invitaciones directamente en Riot, en Configuración, debes vincular este correo electrónico con tu cuenta.",
"Link this email with your account in Settings to receive invites directly in %(brand)s.": "Para recibir invitaciones directamente en %(brand)s, en Configuración, debes vincular este correo electrónico con tu cuenta.",
"This invite to %(roomName)s was sent to %(email)s": "Esta invitación a %(roomName)s fue enviada a %(email)s",
"Use an identity server in Settings to receive invites directly in Riot.": "Utilice un servidor de identidad en Configuración para recibir invitaciones directamente en Riot.",
"Share this email in Settings to receive invites directly in Riot.": "Comparte este correo electrónico en Configuración para recibir invitaciones directamente en Riot.",
"Use an identity server in Settings to receive invites directly in %(brand)s.": "Utilice un servidor de identidad en Configuración para recibir invitaciones directamente en %(brand)s.",
"Share this email in Settings to receive invites directly in %(brand)s.": "Comparte este correo electrónico en Configuración para recibir invitaciones directamente en %(brand)s.",
"<userName/> wants to chat": "<userName/> quiere chatear",
"Start chatting": "Empieza a chatear",
"Reject & Ignore user": "Rechazar e ignorar usuario",
@ -1896,11 +1758,6 @@
"Error updating main address": "Error al actualizar la dirección principal",
"There was an error updating the room's main address. It may not be allowed by the server or a temporary failure occurred.": "Hubo un error al actualizar la dirección principal de la sala. Posiblemente el servidor no lo permita o se produjo un error temporal.",
"There was an error updating the room's alternative addresses. It may not be allowed by the server or a temporary failure occurred.": "Hubo un error al actualizar la dirección alternativa de la sala. Posiblemente el servidor no lo permita o se produjo un error temporal.",
"Error creating alias": "Error al crear el alias (apodo)",
"There was an error creating that alias. It may not be allowed by the server or a temporary failure occurred.": "Hubo un error al crear ese alias (apodo). Posiblemente no lo permita el servidor o puede que se haya producido un error temporal.",
"You don't have permission to delete the alias.": "No tienes permiso para borrar el alias (apodo).",
"There was an error removing that alias. It may no longer exist or a temporary error occurred.": "Se produjo un error al eliminar ese alias (apodo). Tal vez ya no exista o puede haberse producido un error temporal.",
"Error removing alias": "Error al eliminar el alias (apodo)",
"Local address": "Dirección local",
"Published Addresses": "Direcciones publicadas",
"Published addresses can be used by anyone on any server to join your room. To publish an address, it needs to be set as a local address first.": "Las direcciones publicadas pueden ser usadas por cualquier usuario en cualquier servidor para unirse a tu salas. Para publicar una dirección, primero hay que establecerla como una dirección local.",
@ -1939,7 +1796,7 @@
"<strong>%(role)s</strong> in %(roomName)s": "<strong>%(role)s</strong> en %(roomName)s",
"This client does not support end-to-end encryption.": "Este cliente no es compatible con el cifrado de extremo a extremo.",
"Security": "Seguridad",
"The session you are trying to verify doesn't support scanning a QR code or emoji verification, which is what Riot supports. Try with a different client.": "La sesión que está tratando de verificar no soporta el escaneo de un código QR o la verificación mediante emoji, que es lo que soporta Riot. Inténtalo con un cliente diferente.",
"The session you are trying to verify doesn't support scanning a QR code or emoji verification, which is what %(brand)s supports. Try with a different client.": "La sesión que está tratando de verificar no soporta el escaneo de un código QR o la verificación mediante emoji, que es lo que soporta %(brand)s. Inténtalo con un cliente diferente.",
"Verify by scanning": "Verificar mediante escaneo",
"Ask %(displayName)s to scan your code:": "Pídele a %(displayName)s que escanee tu código:",
"If you can't scan the code above, verify by comparing unique emoji.": "Si no puedes escanear el código de arriba, verifica comparando emoji únicos.",
@ -2008,7 +1865,7 @@
"Your avatar URL": "La URL de su avatar",
"Your user ID": "Su identificación (ID) de usuario",
"Your theme": "Su tema",
"Riot URL": "URL de Riot",
"%(brand)s URL": "URL de %(brand)s",
"Room ID": "Identidad (ID) de la sala",
"Widget ID": "Identificación (ID) de widget",
"Using this widget may share data <helpIcon /> with %(widgetDomain)s & your Integration Manager.": "Usar este widget puede resultar en compartir datos <helpIcon /> con %(widgetDomain)s y su Administrador de Integración.",
@ -2038,22 +1895,14 @@
"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.": "Reportar este mensaje enviará su único 'event ID' al administrador de su servidor doméstico. Si los mensajes en esta sala están encriptados, el administrador de tu servidor no podrá leer el texto del mensaje ni ver ningún archivo o imagen.",
"Command Help": "Ayuda del comando",
"Integration Manager": "Administrador de integración",
"You are currently blacklisting unverified sessions; to send messages to these sessions you must verify them.": "Actualmente está incluyendo sesiones no verificadas en la lista negra; para enviar mensajes a estas sesiones debe verificarlas primero.",
"We recommend you go through the verification process for each session to confirm they belong to their legitimate owner, but you can resend the message without verifying if you prefer.": "Le recomendamos que pase por el proceso de verificación de cada sesión para confirmar que pertenecen a su legítimo propietario, pero puede reenviar el mensaje sin verificarlo si lo prefiere.",
"Verify other session": "Verifique otra sesión",
"Verification Request": "Solicitud de verificación",
"A widget located at %(widgetUrl)s would like to verify your identity. By allowing this, the widget will be able to verify your user ID, but not perform actions as you.": "Un widget localizado en %(widgetUrl)s desea verificar su identidad. Permitiendo esto, el widget podrá verificar su identidad de usuario, pero no realizar acciones como usted.",
"Enter recovery passphrase": "Introduzca la contraseña de recuperación",
"Unable to access secret storage. Please verify that you entered the correct recovery passphrase.": "No se puede acceder al almacenamiento secreto. Por favor, compruebe que ha introducido la frase de recuperación correcta.",
"<b>Warning</b>: You should only do this on a trusted computer.": "<b>Advertencia</b>: Sólo debes hacer esto en un ordenador de su confianza.",
"Access your secure message history and your cross-signing identity for verifying other sessions by entering your recovery passphrase.": "Acceda a su historial de mensajes seguros y a su identidad de firma cruzada para verificar otras sesiones, introduciendo su frase de recuperación.",
"If you've forgotten your recovery passphrase you can <button1>use your recovery key</button1> or <button2>set up new recovery options</button2>.": "Si has olvidado tu contraseña de recuperación puedes <button1> usar tu clave de recuperación </button1> o <button2> configurar nuevas opciones de recuperación </button2>.",
"Enter recovery key": "Introduzca la clave de recuperación",
"Unable to access secret storage. Please verify that you entered the correct recovery key.": "No se puede acceder al almacenamiento secreto. Por favor, compruebe que haya introducido la clave de recuperación correcta.",
"This looks like a valid recovery key!": "¡Esto tiene pinta de una llave de recuperación válida!",
"Not a valid recovery key": "Clave de recuperación no válida",
"Access your secure message history and your cross-signing identity for verifying other sessions by entering your recovery key.": "Acceda a su historial de mensajes seguros y a su identidad de firma cruzada para verificar otras sesiones, introduciendo su clave de recuperación.",
"If you've forgotten your recovery key you can <button>set up new recovery options</button>.": "Si has olvidado tu clave de recuperación puedes <button> configurar nuevas opciones de recuperación</button>.",
"Restoring keys from backup": "Restaurando las claves desde copia de seguridad",
"Fetching keys from server...": "Obteniendo las claves desde el servidor...",
"%(completed)s of %(total)s keys restored": "%(completed)s de %(total)s llaves restauradas",
@ -2152,8 +2001,8 @@
"Filter rooms…": "Filtrar salas…",
"Self-verification request": "Solicitud de auto-verificación",
"%(creator)s created and configured the room.": "Sala creada y configurada por %(creator)s.",
"Riot failed to get the protocol list from the homeserver. The homeserver may be too old to support third party networks.": "Riot no logró obtener la lista de protocolo del servidor doméstico. El servidor doméstico puede ser demasiado viejo para admitir redes de terceros.",
"Riot failed to get the public room list.": "Riot no logró obtener la lista de salas públicas.",
"%(brand)s failed to get the protocol list from the homeserver. The homeserver may be too old to support third party networks.": "%(brand)s no logró obtener la lista de protocolo del servidor doméstico. El servidor doméstico puede ser demasiado viejo para admitir redes de terceros.",
"%(brand)s failed to get the public room list.": "%(brand)s no logró obtener la lista de salas públicas.",
"The homeserver may be unavailable or overloaded.": "Posiblemente el servidor de doméstico no esté disponible o esté sobrecargado.",
"Preview": "Vista previa",
"View": "Vista",
@ -2161,11 +2010,8 @@
"Find a room… (e.g. %(exampleRoom)s)": "Encuentre una sala... (p.ej. %(exampleRoom)s)",
"If you can't find the room you're looking for, ask for an invite or <a>Create a new room</a>.": "Si no puedes encontrar la habitación que buscas, solicite una invitación o <a>Crea una nueva sala</a>.",
"Explore rooms": "Explorar salas",
"Message not sent due to unknown sessions being present": "Mensaje no enviado debido a la presencia de sesiones desconocidas",
"<showSessionsText>Show sessions</showSessionsText>, <sendAnywayText>send anyway</sendAnywayText> or <cancelText>cancel</cancelText>.": "<showSessionsText>Mostrar sessiones</showSessionsText>, <sendAnywayText>enviar de todas formas</sendAnywayText> o<cancelText>cancelar</cancelText>.",
"Jump to first invite.": "Salte a la primera invitación.",
"Add room": "Añadir sala",
" (1/%(totalCount)s)": " (1/%(totalCount)s)",
"Guest": "Invitado",
"Your profile": "Su perfil",
"Could not load user profile": "No se pudo cargar el perfil de usuario",
@ -2192,15 +2038,15 @@
"This account has been deactivated.": "Esta cuenta ha sido desactivada.",
"Room name or address": "Nombre o dirección de la sala",
"Address (optional)": "Dirección (opcional)",
"Help us improve Riot": "Ayúdanos a mejorar Riot",
"Send <UsageDataLink>anonymous usage data</UsageDataLink> which helps us improve Riot. This will use a <PolicyLink>cookie</PolicyLink>.": "Enviar <UsageDataLink>información anónima de uso</UsageDataLink> nos ayudaría bastante a mejorar Riot. Esto cuenta como utilizar <PolicyLink>una cookie</PolicyLink>.",
"Help us improve %(brand)s": "Ayúdanos a mejorar %(brand)s",
"Send <UsageDataLink>anonymous usage data</UsageDataLink> which helps us improve %(brand)s. This will use a <PolicyLink>cookie</PolicyLink>.": "Enviar <UsageDataLink>información anónima de uso</UsageDataLink> nos ayudaría bastante a mejorar %(brand)s. Esto cuenta como utilizar <PolicyLink>una cookie</PolicyLink>.",
"I want to help": "Quiero ayudar",
"Ok": "Ok",
"Set password": "Establecer contraseña",
"To return to your account in future you need to set a password": "Para poder regresar a tu cuenta en un futuro necesitas establecer una contraseña",
"Restart": "Reiniciar",
"Upgrade your Riot": "Actualiza tu Riot",
"A new version of Riot is available!": "¡Una nueva versión de Riot se encuentra disponible!",
"Upgrade your %(brand)s": "Actualiza tu %(brand)s",
"A new version of %(brand)s is available!": "¡Una nueva versión de %(brand)s se encuentra disponible!",
"You joined the call": "Te has unido a la llamada",
"%(senderName)s joined the call": "%(senderName)s se ha unido a la llamada",
"Call in progress": "Llamada en progreso",

View file

@ -5,7 +5,7 @@
"Add Email Address": "Lisa e-posti aadress",
"Failed to verify email address: make sure you clicked the link in the email": "E-posti aadressi kontrollimine ei õnnestunud: palun vaata, et sa kindlasti klõpsisid saabunud kirjas olnud viidet",
"The platform you're on": "Sinu kasutatav arvutisüsteem",
"The version of Riot": "Riot'i versioon",
"The version of %(brand)s": "%(brand)s'i versioon",
"Whether or not you're logged in (we don't record your username)": "Kas sa oled sisseloginud või mitte (me ei salvesta sinu kasutajanime)",
"Your language of choice": "Sinu keelevalik",
"Your homeserver's URL": "Sinu koduserveri aadress",
@ -13,22 +13,15 @@
"Your user agent": "Sinu kasutajaagent",
"Your device resolution": "Sinu seadme resolutsioon",
"Analytics": "Analüütika",
"The information being sent to us to help make Riot better includes:": "Riot'i arendamiseks meile saadetava info hulgas on:",
"The information being sent to us to help make %(brand)s better includes:": "%(brand)s'i arendamiseks meile saadetava info hulgas on:",
"Error": "Viga",
"Unable to load! Check your network connectivity and try again.": "Laadimine ei õnnestunud! Kontrolli oma võrguühendust ja proovi uuesti.",
"Dismiss": "Loobu",
"Call Failed": "Kõne ebaõnnestus",
"There are unknown sessions in this room: if you proceed without verifying them, it will be possible for someone to eavesdrop on your call.": "Selles jututoas on teadmata sessioone: kui sa jätkad ilma nende verifitseerimiseta, siis kolmas osapool võib kuulata seda kõnet pealt.",
"Review Sessions": "Vaata sessioonid üle",
"Call Anyway": "Helista ikkagi",
"Answer Anyway": "Vasta ikkagi",
"Call": "Helista",
"Answer": "Vasta",
"Call Timeout": "Kõne aegumine",
"The remote side failed to pick up": "Teine osapool ei võtnud kõnet vastu",
"Call failed due to misconfigured server": "Kõne ebaõnnestus valesti seadistatud serveri tõttu",
"Cancel": "Loobu",
"Send anyway": "Saada siiski",
"Send": "Saada",
"Jan": "jaan",
"Feb": "veeb",
@ -63,9 +56,8 @@
"Verify this session by completing one of the following:": "Verifitseeri see sessioon täites ühe alljärgnevatest:",
"Verify this user by confirming the following emoji appear on their screen.": "Verifitseeri see kasutaja tehes kindlaks et järgnev emoji kuvatakse tema ekraanil.",
"Verify this session by confirming the following number appears on its screen.": "Verifitseeri see sessioon tehes kindlaks, et järgnev number kuvatakse tema ekraanil.",
"For help with using Riot, click <a>here</a> or start a chat with our bot using the button below.": "Riot'i kasutamisega seotud abiteabe otsimiseks klõpsi <a>seda viidet</a> või vajutades järgnevat nuppu alusta vestlust meie robotiga.",
"Chat with Riot Bot": "Vestle Riot'i robotiga",
"Start a chat": "Alusta vestlust",
"For help with using %(brand)s, click <a>here</a> or start a chat with our bot using the button below.": "%(brand)s'i kasutamisega seotud abiteabe otsimiseks klõpsi <a>seda viidet</a> või vajutades järgnevat nuppu alusta vestlust meie robotiga.",
"Chat with %(brand)s Bot": "Vestle %(brand)s'i robotiga",
"Invite to this room": "Kutsu siia jututuppa",
"Voice call": "Häälkõne",
"Video call": "Videokõne",
@ -75,8 +67,6 @@
"Send a reply…": "Saada vastus…",
"Send an encrypted message…": "Saada krüptitud sõnum…",
"Send a message…": "Saada sõnum…",
"Send a reply (unencrypted)…": "Saada krüptimata vastus…",
"Send a message (unencrypted)…": "Saada krüpteerimata sõnum…",
"The conversation continues here.": "Vestlus jätkub siin.",
"Recent rooms": "Hiljutised jututoad",
"No rooms to show": "Ei saa kuvada ühtegi jututuba",
@ -108,10 +98,6 @@
"Encryption enabled": "Krüptimine on kasutusel",
"Add rooms to this community": "Lisa siia kogukonda jututubasid",
"Create new room": "Loo uus jututuba",
"Unblacklist": "Eemalda mustast nimekirjast",
"Blacklist": "Kanna musta nimekirja",
"Unverify": "Tühista verifitseerimine",
"Verify...": "Verifitseeri...",
"Join": "Liitu",
"No results": "Tulemusi pole",
"Please <newIssueLink>create a new issue</newIssueLink> on GitHub so that we can investigate this bug.": "Selle vea uurimiseks palun <newIssueLink>loo uus veateade</newIssueLink> meie GitHub'is.",
@ -205,7 +191,6 @@
"Share Message": "Jaga sõnumit",
"Source URL": "Lähteaadress",
"Collapse Reply Thread": "Ahenda vastuste jutulõnga",
"End-to-end encryption information": "Läbiva krüptimise teave",
"Notification settings": "Teavituste seadistused",
"All messages (noisy)": "Kõik sõnumid (lärmakas)",
"All messages": "Kõik sõnumid",
@ -234,7 +219,6 @@
"Failed to remove the room from the summary of %(groupId)s": "Jututoa eemaldamine %(groupId)s kogukonna ülevaatelehelt ebaõnnestus",
"Failed to remove a user from the summary of %(groupId)s": "Kasutaja eemaldamine %(groupId)s kogukonna ülevaatelehelt ebaõnnestus",
"Create a Group Chat": "Loo rühmavestlus",
"Delete the room alias %(alias)s and remove %(name)s from the directory?": "Kas kustutame jututoa aliase %(alias)s ja eemaldame %(name)s kataloogist?",
"Remove %(name)s from the directory?": "Eemalda %(name)s kataloogist?",
"Remove from Directory": "Eemalda kataloogist",
"remove %(name)s from the directory.": "eemalda %(name)s kataloogist.",
@ -267,21 +251,16 @@
"Try out new ways to ignore people (experimental)": "Proovi uusi kasutajate eiramise viise (katseline)",
"Uploading report": "Laen üles veakirjeldust",
"To report a Matrix-related security issue, please read the Matrix.org <a>Security Disclosure Policy</a>.": "Kui soovid teatada Matrix'iga seotud turvaveast, siis palun tutvu enne Matrix.org <a>Turvalisuse avalikustamise juhendiga</a>.",
"Add users and servers you want to ignore here. Use asterisks to have Riot match any characters. For example, <code>@bot:*</code> would ignore all users that have the name 'bot' on any server.": "Lisa siia kasutajad ja serverid keda soovid eirata. Kasuta tärne kõikide märkide tähistamiseks. Näiteks <code>@bot:*</code> eiraks kõiki kasutajaid kõikidest serveritest, kus nimi on \"bot\".",
"Server or user ID to ignore": "Serverid või kasutajate tunnused, mida soovid eirata",
"Ignore": "Eira",
"If this isn't what you want, please use a different tool to ignore users.": "Kui tulemus pole see mida soovisid, siis pruugi muud vahendit kasutajate eiramiseks.",
"Sessions": "Sessioonid",
"Mention": "Maini",
"Share Link to User": "Jaga viidet kasutaja kohta",
"User Options": "Kasutaja valikud",
"Direct chats": "Isiklikud sõnumid",
"Admin Tools": "Haldustoimingud",
"Online": "Võrgus",
"Reject & Ignore user": "Hülga ja eira kasutaja",
"%(count)s unread messages including mentions.|one": "1 lugemata mainimine.",
"Filter results": "Filtreeri tulemusi",
"Ignore request": "Eira taotlust",
"Report bugs & give feedback": "Teata vigadest ja anna tagasisidet",
"Report Content to Your Homeserver Administrator": "Teata sisust Sinu koduserveri haldurile",
"Send report": "Saada veateade",
@ -309,10 +288,6 @@
"Summary": "Kokkuvõte",
"Document": "Dokument",
"Next": "Järgmine",
"You are currently blacklisting unverified sessions; to send messages to these sessions you must verify them.": "Sa parasjagu oled kõik verifitseerimata sessioonid kandnud musta nimekirja. Sinna sõnumite saatmiseks sa pead nad enne verifitseerima.",
"Room contains unknown sessions": "Jututoas on tundmatuid sessioone",
"\"%(RoomName)s\" contains sessions that you haven't seen before.": "\"%(RoomName)s\" sisaldab sessioone, mida sa ei ole varem näinud.",
"Unknown sessions": "Tundmatud sessioonid",
"Report Content": "Teata sisust haldurile",
"powered by Matrix": "põhineb Matrix'il",
"Custom Server Options": "Serveri kohaldatud seadistused",
@ -381,24 +356,17 @@
"edited": "muudetud",
"Can't load this message": "Selle sõnumi laadimine ei õnnestu",
"Submit logs": "Saada rakenduse logid",
"Removed or unknown message type": "Kustutatud või tundmatu sõnumi tüüp",
"Message removed by %(userId)s": "Kasutaja %(userId)s poolt kustutatud sõnum",
"Message removed": "Sõnum on kustutatud",
"Invite to this community": "Kutsu selle kogukonna liikmeks",
"Something went wrong!": "Midagi läks nüüd valesti!",
"The visibility of '%(roomName)s' in %(groupId)s could not be updated.": "Jututoa %(roomName)s nähtavust %(groupId)s kogukonnas ei õnnestunud värskendada.",
"Visibility in Room List": "Nähtavus jututubade loendis",
"Visible to everyone": "Nähtav kõigile",
"Something went wrong when trying to get your communities.": "Sinu kogukondade laadimisel läks midagi nüüd viltu.",
"Please help improve Riot.im by sending <UsageDataLink>anonymous usage data</UsageDataLink>. This will use a cookie (please see our <PolicyLink>Cookie Policy</PolicyLink>).": "Palun aita Riot'it paremaks teha saates arendajatele <UsageDataLink>anonüümset kasutusteavet</UsageDataLink>. See eeldab küpsise kasutamist (palun vaata meie <PolicyLink>küpsiste kasutuse reegleid</PolicyLink>).",
"Please help improve Riot.im by sending <UsageDataLink>anonymous usage data</UsageDataLink>. This will use a cookie.": "Palun aita Riot'it paremaks teha saates <UsageDataLink>anonüümset kasutusteavet</UsageDataLink>. See eeldab küpsise kasutamist.",
"Yes, I want to help!": "Jah, ma soovin aidata!",
"You are not receiving desktop notifications": "Sa hetkel ei saa oma arvuti töölauakeskkonna teavitusi",
"Enable them now": "Võta need nüüd kasutusele",
"What's New": "Meie uudised",
"Update": "Uuenda",
"What's new?": "Mida on meil uut?",
"A new version of Riot is available.": "Uus Riot'i versioon on saadaval.",
"Your server": "Sinu server",
"Matrix": "Matrix",
"Add a new server": "Lisa uus server",
@ -415,9 +383,7 @@
"Sign out": "Logi välja",
"Incompatible Database": "Mitteühilduv andmebaas",
"Continue With Encryption Disabled": "Jätka ilma krüptimiseta",
"Your unverified session '%(displayName)s' is requesting encryption keys.": "Sinu verifitseerimata sessioon '%(displayName)s' soovib saada krüptimisvõtmeid.",
"If you can't find the room you're looking for, ask for an invite or <a>Create a new room</a>.": "Kui sa ei leia otsitavat jututuba, siis palu sinna kutset või <a>loo uus jututuba</a>.",
"device id: ": "seadme tunnus: ",
"%(duration)ss": "%(duration)s sekund(it)",
"%(duration)sm": "%(duration)s minut(it)",
"%(duration)sh": "%(duration)s tund(i)",
@ -451,7 +417,6 @@
"This room": "See jututuba",
"Joining room …": "Liitun jututoaga …",
"Loading …": "Laen …",
"Device ID": "Seadme tunnus",
"e.g. %(exampleValue)s": "näiteks %(exampleValue)s",
"Could not find user in room": "Jututoast ei leidnud kasutajat",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "Näita ajatempleid 12-tunnises vomingus (näiteks 2:30pl)",
@ -459,7 +424,6 @@
"New community ID (e.g. +foo:%(localDomain)s)": "Uus kogukonna tunnus (näiteks +midagi:%(localDomain)s)",
"e.g. my-room": "näiteks minu-jututuba",
"Can't find this server or its room list": "Ei leia seda serverit ega tema jututubade loendit",
"If you can't find someone, ask them for their username (e.g. @user:server.com) or <a>share this room</a>.": "Kui sa ei leia kedagi, siis küsi tema kasutajanime (näiteks @kasutaja:server.ee) või <a>jaga seda jututuba</a>.",
"Couldn't find a matching Matrix room": "Ei leidnud vastavat Matrix'i jututuba",
"Find a room…": "Leia jututuba…",
"Find a room… (e.g. %(exampleRoom)s)": "Otsi jututuba… (näiteks %(exampleRoom)s)",
@ -488,7 +452,6 @@
"Warning: any person you add to a community will be publicly visible to anyone who knows the community ID": "Hoiatus: kõik kogukonda lisatud kasutajad on nähtavad kõigile, kes teavad kogukonna tunnust",
"Name or Matrix ID": "Nimi või Matrix'i tunnus",
"Invite to Community": "Kutsu kogukonda",
"Room name or alias": "Jututoa nimi või alias",
"Add to community": "Lisa kogukonda",
"Failed to invite the following users to %(groupId)s:": "Järgnevate kasutajate kutsumine %(groupId)s liikmeks ebaõnnestus:",
"Failed to invite users to community": "Kasutajate kutsumine kogukonda ebaõnnestus",
@ -500,17 +463,16 @@
"Trust": "Usalda",
"%(name)s is requesting verification": "%(name)s soovib verifitseerimist",
"Securely cache encrypted messages locally for them to appear in search results.": "Turvaliselt puhverda krüptitud sõnumid kohalikku arvutisse ja võimalda kasutada neid otsingus.",
"Riot is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom Riot Desktop with <nativeLink>search components added</nativeLink>.": "Riot'is on puudu need komponendid, mis võimaldavad otsida kohalikest turvaliselt puhverdatud krüptitud sõnumitest. Kui sa tahaksid sellist funktsionaalsust katsetada, siis pead kompileerima Riot'i variandi, kus <nativeLink>need komponendid on lisatud</nativeLink>.",
"Riot can't securely cache encrypted messages locally while running in a web browser. Use <riotLink>Riot Desktop</riotLink> for encrypted messages to appear in search results.": "Riot ei saa veebibrauserist käivitades otsida turvaliselt kohalikult puhverdatud krüptitud sõnumite hulgast. Selliste sõnumite hulgast otsimiseks kasuta <riotLink>Riot'i töölauaversiooni</riotLink>.",
"%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with <nativeLink>search components added</nativeLink>.": "%(brand)s'is on puudu need komponendid, mis võimaldavad otsida kohalikest turvaliselt puhverdatud krüptitud sõnumitest. Kui sa tahaksid sellist funktsionaalsust katsetada, siis pead kompileerima %(brand)s'i variandi, kus <nativeLink>need komponendid on lisatud</nativeLink>.",
"Message search": "Otsing sõnumite seast",
"Search…": "Otsi…",
"Cancel search": "Tühista otsing",
"Search failed": "Otsing ebaõnnestus",
"Server may be unavailable, overloaded, or search timed out :(": "Server kas pole leitav, on üle koormatud või otsing aegus :(",
"No more results": "Rohkem otsingutulemusi pole",
"Riot is securely caching encrypted messages locally for them to appear in search results:": "Otsingus kasutamiseks Riot puhverdab turvaliselt kohalikku arvutisse krüptitud sõnumeid:",
"Riot does not have permission to send you notifications - please check your browser settings": "Riot'il puudub luba sulle teavituste kuvamiseks - palun kontrolli oma brauseri seadistusi",
"Riot was not given permission to send notifications - please try again": "Riot ei saanud luba teavituste kuvamiseks - palun proovi uuesti",
"%(brand)s is securely caching encrypted messages locally for them to appear in search results:": "Otsingus kasutamiseks %(brand)s puhverdab turvaliselt kohalikku arvutisse krüptitud sõnumeid:",
"%(brand)s does not have permission to send you notifications - please check your browser settings": "%(brand)s'il puudub luba sulle teavituste kuvamiseks - palun kontrolli oma brauseri seadistusi",
"%(brand)s was not given permission to send notifications - please try again": "%(brand)s ei saanud luba teavituste kuvamiseks - palun proovi uuesti",
"Room Notification": "Jututoa teavitus",
"Displays information about a user": "Näitab teavet kasutaja kohta",
"This homeserver has hit its Monthly Active User limit.": "See koduserver on saavutanud igakuise aktiivsete kasutajate piiri.",
@ -525,11 +487,9 @@
"about a day from now": "umbes päeva pärast",
"%(num)s days from now": "%(num)s päeva pärast",
"Are you sure?": "Kas sa oled kindel?",
"No sessions with registered encryption keys": "Puuduvad registreeritud krüptimisvõtmetega sessioonid",
"Jump to read receipt": "Hüppa lugemisteatise juurde",
"Invite": "Kutsu",
"Unmute": "Eemalda summutamine",
"This homeserver has hit its Monthly Active User limit so <b>some users will not be able to log in</b>.": "See koduserver on saavutanud igakuise aktiivsete kasutajate piiri ja seega <b>osad kasutajad ei saa sisse logida</b>.",
"Create a public room": "Loo avalik jututuba",
"Create a private room": "Loo omavaheline jututuba",
"Name": "Nimi",
@ -585,10 +545,6 @@
"Muted Users": "Summutatud kasutajad",
"This room is end-to-end encrypted": "See jututuba on läbivalt krüptitud",
"Everyone in this room is verified": "Kõik kasutajad siin nututoas on verifitseeritud",
"Some sessions for this user are not trusted": "Mõned selle kasutaja sessioonid ei ole usaldusväärsed",
"All sessions for this user are trusted": "Kõik selle kasutaja sessioonid on usaldusväärsed",
"Some sessions in this encrypted room are not trusted": "Mõned sessioonid selles krüptitud jututoas ei ole usaldusväärsed",
"All sessions in this encrypted room are trusted": "Kõik sessioonid selles krüptitud jututoas on usaldusväärsed",
"Edit message": "Muuda sõnumit",
"%(senderName)s sent an image": "%(senderName)s saatis pildi",
"%(senderName)s sent a video": "%(senderName)s saatis video",
@ -694,11 +650,11 @@
"Where youre logged in": "Kus sa oled võrku loginud",
"Manage the names of and sign out of your sessions below or <a>verify them in your User Profile</a>.": "Halda alljärgnevas oma sessioonide nimesid, logi neist välja või <a>verifitseeri neid oma kasutajaprofiilis</a>.",
"A session's public name is visible to people you communicate with": "Sessiooni avalik nimi on nähtav neile, kellega sa suhtled",
"Riot collects anonymous analytics to allow us to improve the application.": "Võimaldamaks meil rakendust parandada kogub Riot anonüümset analüütikat.",
"%(brand)s collects anonymous analytics to allow us to improve the application.": "Võimaldamaks meil rakendust parandada kogub %(brand)s anonüümset analüütikat.",
"Privacy is important to us, so we don't collect any personal or identifiable data for our analytics.": "Privaatsus on meile oluline ning seega me ei kogu ei isiklikke ega isikustatavaid andmeid.",
"Learn more about how we use analytics.": "Loe lisaks kuidas me kasutama analüütikat.",
"No media permissions": "Meediaõigused puuduvad",
"You may need to manually permit Riot to access your microphone/webcam": "Sa võib-olla pead andma Riot'ile loa mikrofoni ja veebikaamera kasutamiseks",
"You may need to manually permit %(brand)s to access your microphone/webcam": "Sa võib-olla pead andma %(brand)s'ile loa mikrofoni ja veebikaamera kasutamiseks",
"Missing media permissions, click the button below to request.": "Meediaga seotud õigused puuduvad. Nende nõutamiseks klõpsi järgnevat nuppu.",
"Request media permissions": "Nõuta meediaõigusi",
"Frequently Used": "Enamkasutatud",
@ -717,7 +673,7 @@
"Your avatar URL": "Sinu avatari aadress",
"Your user ID": "Sinu kasutajatunnus",
"Your theme": "Sinu teema",
"Riot URL": "Riot'i aadress",
"%(brand)s URL": "%(brand)s'i aadress",
"Room ID": "Jututoa tunnus",
"Widget ID": "Vidina tunnus",
"%(oldDisplayName)s changed their display name to %(displayName)s.": "%(oldDisplayName)s muutis oma kuvatava nime %(displayName)s-ks.",
@ -726,11 +682,9 @@
"%(senderName)s removed their profile picture.": "%(senderName)s eemaldas om profiilipildi.",
"%(senderName)s changed their profile picture.": "%(senderName)s muutis oma profiilipilti.",
"%(senderName)s set a profile picture.": "%(senderName)s määras oma profiilipildi.",
"Light theme": "Hele teema",
"Dark theme": "Tume teema",
"%(name)s (%(userId)s)": "%(name)s (%(userId)s)",
"Your browser does not support the required cryptography extensions": "Sinu brauser ei toeta vajalikke krüptoteeke",
"Not a valid Riot keyfile": "See ei ole sobilik võtmefail Riot'i jaoks",
"Not a valid %(brand)s keyfile": "See ei ole sobilik võtmefail %(brand)s'i jaoks",
"Authentication check failed: incorrect password?": "Autentimine ebaõnnestus: kas salasõna pole õige?",
"Unrecognised address": "Tundmatu aadress",
"You do not have permission to invite people to this room.": "Sul pole õigusi siia jututuppa osalejate kutsumiseks.",
@ -772,7 +726,6 @@
"Add theme": "Lisa teema",
"Theme": "Teema",
"Start verification again from their profile.": "Alusta verifitseerimist uuesti nende profiilist.",
"To return to your account in future you need to <u>set a password</u>": "Selleks et hiljemgi oma kontot kasutada, sa pead <u>määrama salasõna</u>",
"Set Password": "Määra salasõna",
"Unable to find profiles for the Matrix IDs listed below - would you like to invite them anyway?": "Allpool loetletud Matrix'i kasutajatunnustele ei leidunud profiile. Kas sa ikkagi tahaksid neile kutse saata?",
"To continue, please enter your password:": "Jätkamiseks palun sisesta oma salasõna:",
@ -819,7 +772,6 @@
"URL previews are enabled by default for participants in this room.": "URL'ide eelvaated on vaikimisi kasutusel selles jututoas osalejate jaoks.",
"URL previews are disabled by default for participants in this room.": "URL'ide eelvaated on vaikimisi lülitatud välja selles jututoas osalejate jaoks.",
"Enable Emoji suggestions while typing": "Näita kirjutamise ajal emoji-soovitusi",
"Use compact timeline layout": "Kasuta tihedat ajajoone paigutust",
"Show a placeholder for removed messages": "Näita kustutatud sõnumite asemel kohatäidet",
"Show join/leave messages (invites/kicks/bans unaffected)": "Näita jututubade liitumise ja lahkumise teateid (ei käi kutsete, müksamiste ja keelamiste kohta)",
"Show avatar changes": "Näita avataride muutusi",
@ -924,7 +876,6 @@
"Review": "Vaata üle",
"Verify yourself & others to keep your chats safe": "Selleks et sinu vestlused oleks turvatud, verifitseeri end ja teisi",
"Other users may not trust it": "Teised kasutajad ei pruugi seda usaldada",
"Update your secure storage": "Uuenda rakenduse sisemist turvalist salvestust",
"Set up": "Võta kasutusele",
"Upgrade": "Uuenda",
"Verify": "Verifitseeri",
@ -951,7 +902,6 @@
"Retry": "Proovi uuesti",
"Upgrade your encryption": "Uuenda oma krüptimist",
"Make a copy of your recovery key": "Tee oma taastevõtmest koopia",
"You're done!": "Valmis!",
"Go to Settings": "Ava seadistused",
"Set up Secure Messages": "Võta kasutusele krüptitud sõnumid",
"%(doneRooms)s out of %(totalRooms)s": "%(doneRooms)s / %(totalRooms)s",
@ -965,12 +915,10 @@
"%(count)s of your messages have not been sent.|other": "Mõned sinu sõnumid on saatmata.",
"%(count)s of your messages have not been sent.|one": "Sinu sõnum on saatmata.",
"You seem to be in a call, are you sure you want to quit?": "Tundub, et sul parasjagu on kõne pooleli. Kas sa kindlasti soovid väljuda?",
"Unknown room %(roomId)s": "Tundmatu jututuba %(roomId)s",
"Room": "Jututuba",
"Failed to reject invite": "Kutse tagasilükkamine ei õnnestunud",
"Tried to load a specific point in this room's timeline, but you do not have permission to view the message in question.": "Üritasin laadida teatud hetke selle jututoa ajajoonelt, kuid sul ei ole õigusi selle sõnumi nägemiseks.",
"Failed to load timeline position": "Asukoha laadimine ajajoonel ei õnnestunud",
" (1/%(totalCount)s)": " (1/%(totalCount)s)",
"Guest": "Külaline",
"Uploading %(filename)s and %(count)s others|other": "Laen üles %(filename)s ning %(count)s muud faili",
"Uploading %(filename)s and %(count)s others|zero": "Laen üles %(filename)s",
@ -1009,7 +957,7 @@
"Registration Successful": "Registreerimine õnnestus",
"Create your account": "Loo endale konto",
"Confirm your identity by verifying this login from one of your other sessions, granting it access to encrypted messages.": "Kinnita oma isikusamasust verifitseerides seda sisselogimissessiooni mõnest oma muust sessioonist. Sellega tagad ka ligipääsu krüptitud sõnumitele.",
"This requires the latest Riot on your other devices:": "Selleks on sul vaja muudes seadmetes kõige uuemat Riot'i versiooni:",
"This requires the latest %(brand)s on your other devices:": "Selleks on sul vaja muudes seadmetes kõige uuemat %(brand)s'i versiooni:",
"You're signed out": "Sa oled loginud välja",
"Clear personal data": "Kustuta privaatsed andmed",
"Warning: Your personal data (including encryption keys) is still stored in this session. Clear it if you're finished using this session, or want to sign in to another account.": "Hoiatus: Sinu privaatsed andmed (sealhulgas krüptimisvõtmed) on jätkuvalt salvestatud selles sessioonis. Eemalda nad, kui oled lõpetanud selle sessiooni kasutamise või soovid sisse logida muu kasutajakontoga.",
@ -1019,26 +967,17 @@
"Emoji": "Emoji",
"Notify the whole room": "Teavita kogu jututuba",
"Users": "Kasutajad",
"unknown device": "tundmatu seade",
"NOT verified": "EI OLE verifitseeritud",
"verified": "verifitseeritud",
"Verification": "Verifitseerimine",
"Ed25519 fingerprint": "Ed25519 sõrmejälg",
"User ID": "Kasutajatunnus",
"Algorithm": "Algoritm",
"unencrypted": "krüptimata",
"Terms and Conditions": "Kasutustingimused",
"Logout": "Logi välja",
"Your Communities": "Sinu kogukonnad",
"Error whilst fetching joined communities": "Viga nende kogukondade laadimisel, millega sa oled liitunud",
"You have no visible notifications": "Sul ei ole nähtavaid teavitusi",
"Riot failed to get the protocol list from the homeserver. The homeserver may be too old to support third party networks.": "Riot'il ei õnnestunud koduserverist laadida toetatud protokollide loendit. Toetamaks kolmandate osapoolte võrke võib koduserver olla liiga vana.",
"Riot failed to get the public room list.": "Riot'il ei õnnestunud laadida avalike jututubade loendit.",
"%(brand)s failed to get the protocol list from the homeserver. The homeserver may be too old to support third party networks.": "%(brand)s'il ei õnnestunud koduserverist laadida toetatud protokollide loendit. Toetamaks kolmandate osapoolte võrke võib koduserver olla liiga vana.",
"%(brand)s failed to get the public room list.": "%(brand)s'il ei õnnestunud laadida avalike jututubade loendit.",
"The homeserver may be unavailable or overloaded.": "Koduserver pole kas saadaval või on üle koormatud.",
"Room not found": "Jututuba ei leidunud",
"Preview": "Eelvaade",
"View": "Näita",
"Message not sent due to unknown sessions being present": "Sõnum on saatmata, sest jutuoas on tundmatud sessioonid",
"You can't send any messages until you review and agree to <consentLink>our terms and conditions</consentLink>.": "Sa ei saa saata ühtego sõnumit enne, kui oled läbi lugenud ja nõustunud <consentLink>meie kasutustingimustega</consentLink>.",
"Couldn't load page": "Lehe laadimine ei õnnestunud",
"You must <a>register</a> to use this functionality": "Selle funktsionaalsuse kasutamiseks pead sa <a>registreeruma</a>",
@ -1110,11 +1049,6 @@
"Error updating main address": "Viga põhiaadressi uuendamisel",
"There was an error updating the room's main address. It may not be allowed by the server or a temporary failure occurred.": "Jututoa põhiaadressi uuendamisel tekkis viga. See kas pole serveris lubatud või tekkis mingi ajutine viga.",
"There was an error updating the room's alternative addresses. It may not be allowed by the server or a temporary failure occurred.": "Jututoa lisaaadressi uuendamisel tekkis viga. See kas pole serveris lubatud või tekkis mingi ajutine viga.",
"Error creating alias": "Viga aliase loomisel",
"There was an error creating that alias. It may not be allowed by the server or a temporary failure occurred.": "Aliase loomisel tekkis viga. See kas pole serveris lubatud või tekkis mingi ajutine viga.",
"You don't have permission to delete the alias.": "Sul pole õigusi aliase kustutamiseks.",
"There was an error removing that alias. It may no longer exist or a temporary error occurred.": "Selle aliase eemaldamisel tekkis viga. Teda kas pole enam olemas või tekkis mingi ajutine viga.",
"Error removing alias": "Viga aliase eemaldamisel",
"Main address": "Põhiaadress",
"not specified": "määratlemata",
"Rejecting invite …": "Hülgan kutset …",
@ -1134,10 +1068,10 @@
"You can still join it because this is a public room.": "Kuna tegemist on avaliku jututoaga, siis võid ikkagi liituda.",
"Join the discussion": "Liitu vestlusega",
"This invite to %(roomName)s was sent to %(email)s which is not associated with your account": "See kutse jututuppa %(roomName)s saadeti e-posti aadressile %(email)s, mis ei ole seotud sinu kontoga",
"Link this email with your account in Settings to receive invites directly in Riot.": "Selleks et saada kutseid otse Riot'isse, seosta see e-posti aadress seadete all oma kontoga.",
"Link this email with your account in Settings to receive invites directly in %(brand)s.": "Selleks et saada kutseid otse %(brand)s'isse, seosta see e-posti aadress seadete all oma kontoga.",
"This invite to %(roomName)s was sent to %(email)s": "Kutse %(roomName)s jututuppa saadeti %(email)s e-posti aadressile",
"Use an identity server in Settings to receive invites directly in Riot.": "Selleks et saada kutseid otse Riot'isse peab seadistustes olema määratud isikutuvastusserver.",
"Share this email in Settings to receive invites directly in Riot.": "Selleks, et saada kutseid otse Riot'isse, jaga oma seadetes seda e-posti aadressi.",
"Use an identity server in Settings to receive invites directly in %(brand)s.": "Selleks et saada kutseid otse %(brand)s'isse peab seadistustes olema määratud isikutuvastusserver.",
"Share this email in Settings to receive invites directly in %(brand)s.": "Selleks, et saada kutseid otse %(brand)s'isse, jaga oma seadetes seda e-posti aadressi.",
"Start chatting": "Alusta vestlust",
"Do you want to join %(roomName)s?": "Kas sa soovid liitud jututoaga %(roomName)s?",
"<userName/> invited you": "<userName/> kutsus sind",
@ -1166,7 +1100,6 @@
"Only room administrators will see this warning": "Vaid administraatorid näevad seda hoiatust",
"You can use <code>/help</code> to list available commands. Did you mean to send this as a message?": "Kirjutades <code>/help</code> saad vaadata käskude loendit. Või soovisid seda saata sõnumina?",
"Hint: Begin your message with <code>//</code> to start it with a slash.": "Vihje: kui soovid alustada sõnumit kaldkriipsuga, siis kirjuta <code>//</code>.",
"To link to this room, please add an alias.": "Viitamaks sellele jututoale, palun määra talle alias.",
"Only people who have been invited": "Vaid kutsutud kasutajad",
"Anyone who knows the room's link, apart from guests": "Kõik, kes teavad jututoa viidet, välja arvatud külalised",
"Anyone who knows the room's link, including guests": "Kõik, kes teavad jututoa viidet, kaasa arvatud külalised",
@ -1229,12 +1162,6 @@
"Preparing to send logs": "Valmistun logikirjete saatmiseks",
"Failed to send logs: ": "Logikirjete saatmine ei õnnestunud: ",
"Verify session": "Verifitseeri sessioon",
"Use Legacy Verification (for older clients)": "Kasuta vanematüübilist verifitseerimist (vähem-moodsa klient-tarkvara jaoks)",
"Verify by comparing a short text string.": "Verifitseeri kasutades lühikeste sõnede võrdlemist.",
"Begin Verifying": "Alusta verifitseerimist",
"Waiting for partner to accept...": "Ootan, et teine osapool nõustuks…",
"Nothing appearing? Not all clients support interactive verification yet. <button>Use legacy verification</button>.": "Mitte midagi ei kuvata? Kõik Matrix'i kliendid ei toeta veel interaktiivset verifitseerimist. <button>Kasuta vana kooli verifitseerimismeetodit</button>.",
"Waiting for %(userId)s to confirm...": "Ootan kinnitust kasutajalt %(userId)s…",
"Skip": "Jäta vahele",
"Token incorrect": "Vigane tunnusluba",
"%(oneUser)schanged their name %(count)s times|one": "Kasutaja %(oneUser)s muutis oma nime",
@ -1249,14 +1176,9 @@
"The following users might not exist or are invalid, and cannot be invited: %(csvNames)s": "Järgmisi kasutajanimesid pole olemas või on vigaselt kirjas ning seega ei saa neile kutset saata: %(csvNames)s",
"Recently Direct Messaged": "Viimased otsesõnumite saajad",
"Invite someone using their name, username (like <userId/>), email address or <a>share this room</a>.": "Kutsu kedagi tema nime, kasutajanime (nagu <userId/>), e-posti aadressi alusel või <a>jaga seda jututuba</a>.",
"You added a new session '%(displayName)s', which is requesting encryption keys.": "Sa oled lisanud uue sessiooni '%(displayName)s', mis küsib krüptimisvõtmeid.",
"Start verification": "Alusta verifitseerimist",
"Share without verifying": "Jaga ilma verifitseerimata",
"Loading session info...": "Laen sessiooniteavet…",
"Encryption key request": "Krüptimisvõtmete päring",
"Upload completed": "Üleslaadimine valmis",
"Riot now uses 3-5x less memory, by only loading information about other users when needed. Please wait whilst we resynchronise with the server!": "Riot kasutab varasemaga võrreldes 3-5 korda vähem mälu, sest laeb teavet kasutajate kohta vaid siis, kui vaja. Palun oota hetke, kuni sünkroniseerime andmeid serveriga!",
"Updating Riot": "Uuenda Riot'it",
"%(brand)s now uses 3-5x less memory, by only loading information about other users when needed. Please wait whilst we resynchronise with the server!": "%(brand)s kasutab varasemaga võrreldes 3-5 korda vähem mälu, sest laeb teavet kasutajate kohta vaid siis, kui vaja. Palun oota hetke, kuni sünkroniseerime andmeid serveriga!",
"Updating %(brand)s": "Uuenda %(brand)s'it",
"I don't want my encrypted messages": "Ma ei soovi oma krüptitud sõnumeid",
"Manually export keys": "Ekspordi võtmed käsitsi",
"You'll lose access to your encrypted messages": "Sa kaotad ligipääsu oma krüptitud sõnumitele",
@ -1282,7 +1204,6 @@
"Subscribe": "Telli",
"Start automatically after system login": "Käivita automaatselt peale arvutisse sisselogimist",
"Always show the window menu bar": "Näita alati aknas menüüriba",
"Show tray icon and minimize window to it on close": "Näita süsteemisalve ikooni ja Rioti'i akna sulgemisel minimeeri ta salve",
"Preferences": "Eelistused",
"Room list": "Jututubade loend",
"Timeline": "Ajajoon",
@ -1330,12 +1251,11 @@
"Find other public servers or use a custom server": "Otsi muid avalikke Matrix'i servereid või kasuta enda määratud serverit",
"Sign in to your Matrix account on %(serverName)s": "Logi sisse on Matrix'i kontole %(serverName)s serveris",
"Sign in to your Matrix account on <underlinedServerName />": "Logi sisse on Matrix'i kontole <underlinedServerName /> serveris",
"Sorry, your browser is <b>not</b> able to run Riot.": "Vabandust, aga Riot <b>ei toimi</b> sinu brauseris.",
"Riot uses many advanced browser features, some of which are not available or experimental in your current browser.": "Riot kasutab mitmeid uusi brauseri-põhiseid tehnoloogiaid ning mitmed neist kas pole veel olemas või on lahendatud sinu brauseris katselisena.",
"Sorry, your browser is <b>not</b> able to run %(brand)s.": "Vabandust, aga %(brand)s <b>ei toimi</b> sinu brauseris.",
"%(brand)s uses many advanced browser features, some of which are not available or experimental in your current browser.": "%(brand)s kasutab mitmeid uusi brauseri-põhiseid tehnoloogiaid ning mitmed neist kas pole veel olemas või on lahendatud sinu brauseris katselisena.",
"With your current browser, the look and feel of the application may be completely incorrect, and some or all features may not function. If you want to try it anyway you can continue, but you are on your own in terms of any issues you may encounter!": "Sinu praeguse brauseriga meie rakenduse välimus ja toimivus võivad olla täitsa valed ning mõni funktsionaalsus ei pruugi toimida üldse. Kui soovid katsetada, siis loomulikult võid jätkata, kuid erinevate tekkivate vigadega pead ise hakkama saama!",
"Fetching third party location failed": "Kolmanda osapoole asukoha tuvastamine ei õnnestunud",
"Unable to look up room ID from server": "Jututoa tunnuse otsimine serverist ei õnnestunud",
"<showSessionsText>Show sessions</showSessionsText>, <sendAnywayText>send anyway</sendAnywayText> or <cancelText>cancel</cancelText>.": "<showSessionsText>Näita sessioone</showSessionsText>, <sendAnywayText>saada ikkagi</sendAnywayText> või <cancelText>tühista</cancelText>.",
"Your message wasn't sent because this homeserver has exceeded a resource limit. Please <a>contact your service administrator</a> to continue using the service.": "Sinu sõnumit ei saadetud, kuna see koduserver on ületanud on ületanud ressursipiirangu. Teenuse kasutamiseks palun <a>võta ühendust serveri haldajaga</a>.",
"%(count)s <resendText>Resend all</resendText> or <cancelText>cancel all</cancelText> now. You can also select individual messages to resend or cancel.|other": "<resendText>Saada kõik uuesti</resendText> või <cancelText>tühista kõigi saatmine</cancelText>. Samuti võid sa valida saatmiseks või saatmise tühistamiseks üksikuid sõnumeid.",
"%(count)s <resendText>Resend all</resendText> or <cancelText>cancel all</cancelText> now. You can also select individual messages to resend or cancel.|one": "<resendText>Saada sõnum uuesti</resendText> või <cancelText>tühista sõnumi saatmine</cancelText>.",
@ -1357,7 +1277,6 @@
"Jump to oldest unread message": "Mine vanima lugemata sõnumi juurde",
"Upload a file": "Lae fail üles",
"Read Marker lifetime (ms)": "Lugemise markeri iga (ms)",
"Read Marker off-screen lifetime (ms)": "Lugemise markeri iga, kui Riot pole fookuses (ms)",
"Unignore": "Lõpeta eiramine",
"<not supported>": "<ei ole toetatud>",
"Import E2E room keys": "Impordi E2E läbiva krüptimise võtmed jututubade jaoks",
@ -1436,7 +1355,6 @@
"%(senderDisplayName)s changed the topic to \"%(topic)s\".": "%(senderDisplayName)s muutis uueks teemaks \"%(topic)s\".",
"%(senderDisplayName)s upgraded this room.": "%(senderDisplayName)s uuendas seda jututuba.",
"%(senderDisplayName)s made the room public to whoever knows the link.": "%(senderDisplayName)s muutis selle jututoa avalikuks kõigile, kes teavad tema aadressi.",
"sent an image.": "saatis ühe pildi.",
"Light": "Hele",
"Dark": "Tume",
"You signed in to a new session without verifying it:": "Sa logisid sisse uude sessiooni ilma seda verifitseerimata:",
@ -1450,18 +1368,14 @@
"%(names)s and %(lastPerson)s are typing …": "%(names)s ja %(lastPerson)s kirjutavad midagi…",
"Cannot reach homeserver": "Koduserver ei ole hetkel leitav",
"Ensure you have a stable internet connection, or get in touch with the server admin": "Palun kontrolli, kas sul on toimiv internetiühendus ning kui on, siis küsi abi koduserveri haldajalt",
"Your Riot is misconfigured": "Sinu Riot'i seadistused on paigast ära",
"Your %(brand)s is misconfigured": "Sinu %(brand)s'i seadistused on paigast ära",
"Your homeserver does not support session management.": "Sinu koduserver ei toeta sessioonide haldust.",
"Unable to load session list": "Sessioonide laadimine ei õnnestunud",
"Identity server URL does not appear to be a valid identity server": "Isikutuvastusserveri aadress ei tundu viitama kehtivale isikutuvastusserverile",
"This isn't the recovery key for your account": "See ei ole sinu konto taastevõti",
"This isn't a valid recovery key": "See ei ole nõuetekohane taastevõti",
"Looks good!": "Tundub õige!",
"Use Recovery Key or Passphrase": "Kasuta taastevõtit või paroolifraasi",
"Use Recovery Key": "Kasuta taastevõtit",
"or another cross-signing capable Matrix client": "või mõnda teist Matrix'i klienti, mis oskab risttunnustamist",
"Enter your Recovery Key or enter a <a>Recovery Passphrase</a> to continue.": "Jätkamiseks sisesta oma taastevõti või <a>taastamise paroolifraas</a>.",
"Enter your Recovery Key to continue.": "Jätkamiseks sisesta oma taastevõti.",
"Your new session is now verified. It has access to your encrypted messages, and other users will see it as trusted.": "Sinu uus sessioon on nüüd verifitseeritud. Selles sessioonis saad lugeda oma krüptitud sõnumeid ja teiste kasutajate jaoks on ta usaldusväärne.",
"Your new session is now verified. Other users will see it as trusted.": "Sinu uus sessioon on nüüd verifitseeritud. Teiste kasutajate jaoks on ta usaldusväärne.",
"Without completing security on this session, it wont have access to encrypted messages.": "Kui sa pole selle sessiooni turvaprotseduure lõpetanud, siis sul puudub ligipääs oma krüptitud sõnumitele.",
@ -1477,10 +1391,9 @@
"Room Autocomplete": "Jututubade nimede automaatne lõpetamine",
"User Autocomplete": "Kasutajanimede automaatne lõpetamine",
"Enter recovery key": "Sisesta taastevõti",
"Unable to access secret storage. Please verify that you entered the correct recovery key.": "Ei õnnestu lugeda krüptitud salvestusruumi. Palun kontrolli, kas sa sisestasid õige taastevõtme.",
"This looks like a valid recovery key!": "See tundub olema õige taastevõti!",
"Not a valid recovery key": "Ei ole sobilik taastevõti",
"Ask your Riot admin to check <a>your config</a> for incorrect or duplicate entries.": "Palu, et sinu Riot'u haldur kontrolliks <a>sinu seadistusi</a> võimalike vigaste või topeltkirjete osas.",
"Ask your %(brand)s admin to check <a>your config</a> for incorrect or duplicate entries.": "Palu, et sinu %(brand)s'u haldur kontrolliks <a>sinu seadistusi</a> võimalike vigaste või topeltkirjete osas.",
"Cannot reach identity server": "Isikutuvastusserverit ei õnnestu leida",
"You can register, but some features will be unavailable until the identity server is back online. If you keep seeing this warning, check your configuration or contact a server admin.": "Sa võid registreeruda, kuid mõned funktsionaalsused pole kasutatavad seni, kuni isikutuvastusserver pole uuesti võrgus. Kui see teade tekib järjepanu, siis palun kontrolli oma seadistusi või võta ühendust serveri haldajaga.",
"You can reset your password, but some features will be unavailable until the identity server is back online. If you keep seeing this warning, check your configuration or contact a server admin.": "Sa võid salasõna lähtestada, kuid mõned funktsionaalsused pole kasutatavad seni, kuni isikutuvastusserver pole uuesti võrgus. Kui see teade tekib järjepanu, siis palun kontrolli oma seadistusi või võta ühendust serveri haldajaga.",
@ -1521,23 +1434,20 @@
"Names and surnames by themselves are easy to guess": "Nimesid ja perenimesid on lihtne ära arvata",
"Common names and surnames are easy to guess": "Üldisi nimesid ja perenimesid on lihtne ära arvata",
"Straight rows of keys are easy to guess": "Klaviatuuril järjest paiknevaid klahvikombinatsioone on lihtne ära arvata",
"Help us improve Riot": "Aidake meil täiustada Riot'it",
"Send <UsageDataLink>anonymous usage data</UsageDataLink> which helps us improve Riot. This will use a <PolicyLink>cookie</PolicyLink>.": "Saada meile <UsageDataLink>anonüümset kasutusteavet</UsageDataLink>, mis võimaldab meil Riot'it täiustada. Selline teave põhineb <PolicyLink>küpsiste kasutamisel</PolicyLink>.",
"Help us improve %(brand)s": "Aidake meil täiustada %(brand)s'it",
"Send <UsageDataLink>anonymous usage data</UsageDataLink> which helps us improve %(brand)s. This will use a <PolicyLink>cookie</PolicyLink>.": "Saada meile <UsageDataLink>anonüümset kasutusteavet</UsageDataLink>, mis võimaldab meil %(brand)s'it täiustada. Selline teave põhineb <PolicyLink>küpsiste kasutamisel</PolicyLink>.",
"I want to help": "Ma soovin aidata",
"No": "Ei",
"Restart": "Käivita uuesti",
"Upgrade your Riot": "Uuenda oma Riot'it",
"A new version of Riot is available!": "Uus Riot'i versioon on saadaval!",
"You: %(message)s": "Sina: %(message)s",
"Upgrade your %(brand)s": "Uuenda oma %(brand)s'it",
"A new version of %(brand)s is available!": "Uus %(brand)s'i versioon on saadaval!",
"There was an error joining the room": "Jututoaga liitumisel tekkis viga",
"Sorry, your homeserver is too old to participate in this room.": "Vabandust, sinu koduserver on siin jututoas osalemiseks liiga vana.",
"Please contact your homeserver administrator.": "Palun võta ühendust koduserveri haldajaga.",
"Failed to join room": "Jututoaga liitumine ei õnnestunud",
"Font scaling": "Fontide skaleerimine",
"Custom user status messages": "Kasutajate kohandatud olekuteated",
"Use IRC layout": "Kasuta IRC-tüüpi paigutust",
"Font size": "Fontide suurus",
"Custom font size": "Fontide kohandatud suurus",
"Enable automatic language detection for syntax highlighting": "Kasuta süntaksi esiletõstmisel automaatset keeletuvastust",
"Cross-signing private keys:": "Privaatvõtmed risttunnustamise jaoks:",
"Identity Server URL must be HTTPS": "Isikutuvastusserveri URL peab kasutama HTTPS-protokolli",
@ -1583,14 +1493,14 @@
"Upgrade private room": "Uuenda omavaheline jututuba",
"Upgrade public room": "Uuenda avalik jututuba",
"Upgrading a room is an advanced action and is usually recommended when a room is unstable due to bugs, missing features or security vulnerabilities.": "Jututoa uuendamine on keerukas toiming ning tavaliselt soovitatakse seda teha vaid siis, kui jututuba on vigade tõttu halvasti kasutatav, sealt on puudu vajalikke funktsionaalsusi või seal ilmneb turvavigu.",
"This usually only affects how the room is processed on the server. If you're having problems with your Riot, please <a>report a bug</a>.": "Selline tegevus mõjutab tavaliselt vaid viisi, kuidas jututoa andmeid töödeldakse serveris. Kui sinu kasutatavas Riot'is tekib vigu, siis palun saada meile <a>veateade</a>.",
"This usually only affects how the room is processed on the server. If you're having problems with your %(brand)s, please <a>report a bug</a>.": "Selline tegevus mõjutab tavaliselt vaid viisi, kuidas jututoa andmeid töödeldakse serveris. Kui sinu kasutatavas %(brand)s'is tekib vigu, siis palun saada meile <a>veateade</a>.",
"You'll upgrade this room from <oldVersion /> to <newVersion />.": "Sa uuendad jututoa versioonist <oldVersion /> versioonini <newVersion />.",
"Clear Storage and Sign Out": "Tühjenda andmeruum ja logi välja",
"Send Logs": "Saada logikirjed",
"Refresh": "Värskenda",
"Unable to restore session": "Sessiooni taastamine ei õnnestunud",
"We encountered an error trying to restore your previous session.": "Meil tekkis eelmise sessiooni taastamisel viga.",
"If you have previously used a more recent version of Riot, your session may be incompatible with this version. Close this window and return to the more recent version.": "Kui sa varem oled kasutanud uuemat Riot'i versiooni, siis sinu pragune sessioon ei pruugi olla sellega ühilduv. Sulge see aken ja jätka selle uuema versiooni kasutamist.",
"If you have previously used a more recent version of %(brand)s, your session may be incompatible with this version. Close this window and return to the more recent version.": "Kui sa varem oled kasutanud uuemat %(brand)s'i versiooni, siis sinu pragune sessioon ei pruugi olla sellega ühilduv. Sulge see aken ja jätka selle uuema versiooni kasutamist.",
"Clearing your browser's storage may fix the problem, but will sign you out and cause any encrypted chat history to become unreadable.": "Brauseri andmeruumi tühjendamine võib selle vea lahendada, kui samas logid sa ka välja ning kogu krüptitud vestlusajalugu muutub loetamatuks.",
"Verification Pending": "Verifikatsioon on ootel",
"Back": "Tagasi",
@ -1616,14 +1526,14 @@
"Integrations are disabled": "Lõimingud ei ole kasutusel",
"Enable 'Manage Integrations' in Settings to do this.": "Selle tegevuse jaoks määra seadetes \"Halda lõiminguid\" kasutuselevõetuks.",
"Integrations not allowed": "Lõimingute kasutamine ei ole lubatud",
"Your Riot doesn't allow you to use an Integration Manager to do this. Please contact an admin.": "Sinu Riot ei võimalda selle tegevuse jaoks kasutada Lõimingute haldurit. Palun küsi lisateavet administraatorilt.",
"Your %(brand)s doesn't allow you to use an Integration Manager to do this. Please contact an admin.": "Sinu %(brand)s ei võimalda selle tegevuse jaoks kasutada Lõimingute haldurit. Palun küsi lisateavet administraatorilt.",
"Failed to invite the following users to chat: %(csvUsers)s": "Järgnevate kasutajate vestlema kutsumine ei õnnestunud: %(csvUsers)s",
"We couldn't create your DM. Please check the users you want to invite and try again.": "Otsevestluse loomine ei õnnestunud. Palun kontrolli, et kasutajanimed oleks õiged ja proovi uuesti.",
"a new master key signature": "uus üldvõtme allkiri",
"a new cross-signing key signature": "uus risttunnustamise võtme allkiri",
"a device cross-signing signature": "seadme risttunnustamise allkiri",
"a key signature": "võtme allkiri",
"Riot encountered an error during upload of:": "Riot'is tekkis viga järgneva üleslaadimisel:",
"%(brand)s encountered an error during upload of:": "%(brand)s'is tekkis viga järgneva üleslaadimisel:",
"Cancelled signature upload": "Allkirja üleslaadimine on tühistatud",
"Unable to upload": "Üleslaadimine ei õnnestu",
"Signature upload success": "Allkirja üleslaadimine õnnestus",
@ -1683,9 +1593,7 @@
"Switch theme": "Vaheta teemat",
"Security & privacy": "Turvalisus ja privaatsus",
"All settings": "Kõik seadistused",
"Archived rooms": "Arhiveeritud jututoad",
"Feedback": "Tagasiside",
"Account settings": "Kasutajakonto seadistused",
"Use Single Sign On to continue": "Jätkamiseks kasuta ühekordset sisselogimist",
"Confirm adding this email address by using Single Sign On to prove your identity.": "Kinnita selle e-posti aadressi lisamine kasutades ühekordset sisselogimist oma isiku tuvastamiseks.",
"Single Sign On": "SSO Ühekordne sisselogimine",
@ -1775,7 +1683,6 @@
"You changed the room topic": "Sina muutsid jututoa teemat",
"%(senderName)s changed the room topic": "%(senderName)s muutis jututoa teemat",
"Use the improved room list (will refresh to apply changes)": "Kasuta parandaatud jututubade loendit (muudatuse jõustamine eeldab andmete uuesti laadimist)",
"Enable IRC layout option in the appearance tab": "Näita välimuse seadistustes IRC-tüüpi paigutuse valikut",
"Use custom size": "Kasuta kohandatud suurust",
"Use a more compact Modern layout": "Kasuta veel kompaktsemat \"moodsat\" paigutust",
"Cross-signing public keys:": "Avalikud võtmed risttunnustamise jaoks:",

File diff suppressed because it is too large Load diff

View file

@ -1,7 +1,6 @@
{
"Fetching third party location failed": "تطبیق اطلاعات از منابع‌ دسته سوم با شکست مواجه شد",
"Messages in one-to-one chats": "پیام‌های درون چت‌های یک‌به‌یک",
"A new version of Riot is available.": "نسخه‌ی جدید از رایوت موجود است.",
"Advanced notification settings": "تنظیمات پیشرفته برای آگاه‌سازی‌ها",
"Uploading report": "در حال بارگذاری گزارش",
"Sunday": "یکشنبه",
@ -23,8 +22,6 @@
"OK": "باشه",
"All notifications are currently disabled for all targets.": "همه‌ی آگاه‌سازی‌ها برای تمام هدف‌ها غیرفعال‌اند.",
"Operation failed": "عملیات شکست خورد",
"delete the alias.": "نام مستعار را پاک کن.",
"To return to your account in future you need to <u>set a password</u>": "برای بازگشتِ دوباره به اکانتان در آینده نیاز به <u> ثبت یک پسورد </u> دارید",
"Forget": "فراموش کن",
"World readable": "خواندن جهانی",
"Mute": "سکوت",
@ -51,7 +48,6 @@
"No update available.": "هیچ به روزرسانی جدیدی موجود نیست.",
"Noisy": "پرسروصدا",
"Collecting app version information": "درحال جمع‌آوری اطلاعات نسخه‌ی برنامه",
"Delete the room alias %(alias)s and remove %(name)s from the directory?": "آیا مطمئنید که می‌خواهید نام مستعار گپ %(alias)s را پاک و %(name)s را از فهرست حذف کنید؟",
"Cancel": "لغو",
"Enable notifications for this account": "آگاه سازی با رایانامه را برای این اکانت فعال کن",
"Messages containing <span>keywords</span>": "پیا‌م‌های دارای <span> این کلیدواژه‌ها </span>",
@ -60,7 +56,6 @@
"Enter keywords separated by a comma:": "کلیدواژه‌ها را وارد کنید؛ از کاما(,) برای جدا کردن آنها از یکدیگر استفاده کنید:",
"Forward Message": "هدایت پیام",
"Remove %(name)s from the directory?": "آیا مطمئنید می‌خواهید %(name)s را از فهرست گپ‌ها حذف کنید؟",
"Riot uses many advanced browser features, some of which are not available or experimental in your current browser.": "رایوت از بسیاری از ویژگی‌های پیشرفته در مروگرها استفاده می‌کند، برخی از این ویژگی‌ها در مرورگر کنونی شما موجود نیستند و یا در حالت آزمایشی قرار دارند.",
"Unnamed room": "گپ نام‌گذاری نشده",
"Dismiss": "نادیده بگیر",
"Remove from Directory": "از فهرستِ گپ‌ها حذف کن",
@ -100,8 +95,6 @@
"Search…": "جستجو…",
"Unhide Preview": "پیش‌نمایش را نمایان کن",
"Unable to join network": "خطا در ورود به شبکه",
"You might have configured them in a client other than Riot. You cannot tune them in Riot but they still apply": "ممکن است شما این تنظیمات را در کارخواهی به جز رایوت اعمال کرده باشید. شما نمی‌توانید انها را تغییر دهید اما آنها همچنان تاثیر خود را دارند",
"Sorry, your browser is <b>not</b> able to run Riot.": "متاسفانه مرورگر شما <b>نمی‌تواند</b> رایوت را اجرا کند.",
"Uploaded on %(date)s by %(user)s": "آپلود شده در تاریخ %(date)s توسط %(user)s",
"Messages in group chats": "پیام‌های درون چت‌های گروهی",
"Yesterday": "دیروز",
@ -112,7 +105,6 @@
"Set Password": "پسوردتان را انتخاب کنید",
"An error occurred whilst saving your email notification preferences.": "خطایی در حین ذخیره‌ی ترجیجات شما درباره‌ی رایانامه رخ داد.",
"Off": "خاموش",
"Riot does not know how to join a room on this network": "رایوت از چگونگی ورود به یک گپ در این شبکه اطلاعی ندارد",
"Mentions only": "فقط نام‌بردن‌ها",
"Failed to remove tag %(tagName)s from room": "خطا در حذف کلیدواژه‌ی %(tagName)s از گپ",
"Remove": "حذف کن",
@ -127,7 +119,6 @@
"Custom Server Options": "تنظیمات سفارشی برای سرور",
"With your current browser, the look and feel of the application may be completely incorrect, and some or all features may not function. If you want to try it anyway you can continue, but you are on your own in terms of any issues you may encounter!": "با مرورگر کنونی شما، ظاهر و حس استفاده از برنامه ممکن است کاملا اشتباه باشد و برخی یا همه‌ی ویژگی‌ها ممکن است کار نکنند. می‌توانید به استفاده ادامه دهید اما مسئولیت هر مشکلی که به آن بربخورید بر عهده‌ی خودتان است!",
"Checking for an update...": "درحال بررسی به‌روزرسانی‌ها...",
"There are advanced notifications which are not shown here": "آگاه‌سازی‌های پیشرفته‌ای هستند که در اینجا نشان داده نشده‌اند",
"This email address is already in use": "این آدرس ایمیل در حال حاضر در حال استفاده است",
"This phone number is already in use": "این شماره تلفن در حال استفاده است"
}

View file

@ -28,15 +28,13 @@
"No Microphones detected": "Mikrofonia ei löytynyt",
"No Webcams detected": "Webkameraa ei löytynyt",
"No media permissions": "Ei mediaoikeuksia",
"You may need to manually permit Riot to access your microphone/webcam": "Voit joutua antamaan Riotille luvan mikrofonin/webkameran käyttöön",
"You may need to manually permit %(brand)s to access your microphone/webcam": "Voit joutua antamaan %(brand)sille luvan mikrofonin/webkameran käyttöön",
"Default Device": "Oletuslaite",
"Microphone": "Mikrofoni",
"Camera": "Kamera",
"Advanced": "Edistynyt",
"Algorithm": "Algoritmi",
"Always show message timestamps": "Näytä aina viestien aikaleimat",
"Authentication": "Autentikointi",
"Alias (optional)": "Alias (valinnainen)",
"%(items)s and %(lastItem)s": "%(items)s ja %(lastItem)s",
"A new password must be entered.": "Sinun täytyy syöttää uusi salasana.",
"%(senderName)s answered the call.": "%(senderName)s vastasi puheluun.",
@ -72,7 +70,6 @@
"Command error": "Komentovirhe",
"Commands": "Komennot",
"Confirm password": "Varmista salasana",
"Could not connect to the integration server": "Integraatiopalvelimeen yhdistäminen epäonnistui",
"Create Room": "Luo huone",
"Cryptography": "Salaus",
"Current password": "Nykyinen salasana",
@ -81,25 +78,16 @@
"/ddg is not a command": "/ddg ei ole komento",
"Deactivate Account": "Deaktivoi tili",
"Decline": "Hylkää",
"Decryption error": "Virhe salauksen purkamisessa",
"Default": "Oletus",
"Device ID": "Laitetunniste",
"device id: ": "laitetunniste: ",
"Direct chats": "Suorat keskustelut",
"Disable Notifications": "Ota ilmoitukset pois käytöstä",
"Disinvite": "Peru kutsu",
"Download %(text)s": "Lataa %(text)s",
"Drop File Here": "Pudota tiedosto tähän",
"Ed25519 fingerprint": "Ed25519-sormenjälki",
"Edit": "Muokkaa",
"Email": "Sähköposti",
"Email address": "Sähköpostiosoite",
"Emoji": "Emoji",
"Enable Notifications": "Ota ilmoitukset käyttöön",
"End-to-end encryption information": "Osapuolten välisen salauksen tiedot",
"Enter passphrase": "Syötä salalause",
"Error decrypting attachment": "Virhe purettaessa liitteen salausta",
"Event information": "Tapahtumatiedot",
"Export": "Vie",
"Export E2E room keys": "Tallenna osapuolten välisen salauksen huoneavaimet",
"Failed to ban user": "Porttikiellon antaminen epäonnistui",
@ -114,7 +102,6 @@
"Failed to send email": "Sähköpostin lähettäminen epäonnistui",
"Failed to send request.": "Pyynnön lähettäminen epäonnistui.",
"Failed to set display name": "Näyttönimen asettaminen epäonnistui",
"Failed to toggle moderator status": "Moderaattoriasetuksen muuttaminen epäonnistui",
"Failed to unban": "Porttikiellon poistaminen epäonnistui",
"Failed to upload profile picture!": "Profiilikuvan lataaminen epäonnistui!",
"Failed to verify email address: make sure you clicked the link in the email": "Sähköpostin vahvistus epäonnistui: varmista, että klikkasit sähköpostissa olevaa linkkiä",
@ -140,14 +127,12 @@
"Invites user with given id to current room": "Kutsuu tunnuksen mukaisen käyttäjän huoneeseen",
"Sign in with": "Tunnistus",
"Join Room": "Liity huoneeseen",
"Joins room with given alias": "Liittyy aliaksen mukaiseen huoneeseen",
"Jump to first unread message.": "Hyppää ensimmäiseen lukemattomaan viestiin.",
"Kick": "Poista huoneesta",
"Kicks user with given id": "Poistaa tunnuksen mukaisen käyttäjän huoneesta",
"Labs": "Laboratorio",
"Last seen": "Viimeksi nähty",
"Leave room": "Poistu huoneesta",
"Local addresses for this room:": "Tämän huoneen paikalliset osoitteet:",
"Logout": "Kirjaudu ulos",
"Low priority": "Alhainen prioriteetti",
"Manage Integrations": "Hallinnoi integraatioita",
@ -160,7 +145,6 @@
"<not supported>": "<ei tuettu>",
"AM": "ap.",
"PM": "ip.",
"NOT verified": "EI varmennettu",
"No display name": "Ei näyttönimeä",
"No more results": "Ei enempää tuloksia",
"No results": "Ei tuloksia",
@ -179,21 +163,18 @@
"Reject invitation": "Hylkää kutsu",
"Results from DuckDuckGo": "DuckDuckGo:n tulokset",
"Return to login screen": "Palaa kirjautumissivulle",
"riot-web version:": "Riot-webin versio:",
"%(brand)s version:": "%(brand)s-webin versio:",
"Room Colour": "Huoneen väri",
"Rooms": "Huoneet",
"Save": "Tallenna",
"Scroll to bottom of page": "Vieritä sivun loppuun",
"Search failed": "Haku epäonnistui",
"Searches DuckDuckGo for results": "Hakee DuckDuckGo:n avulla",
"Send anyway": "Lähetä silti",
"Server error": "Palvelinvirhe",
"Session ID": "Istuntotunniste",
"Sign in": "Kirjaudu sisään",
"Sign out": "Kirjaudu ulos",
"%(count)s of your messages have not been sent.|other": "Osaa viesteistäsi ei ole lähetetty.",
"Someone": "Joku",
"Start a chat": "Aloita keskustelu",
"Submit": "Lähetä",
"This email address is already in use": "Tämä sähköpostiosoite on jo käytössä",
"This email address was not found": "Sähköpostiosoitetta ei löytynyt",
@ -202,16 +183,11 @@
"This room": "Tämä huone",
"This room is not accessible by remote Matrix servers": "Tähän huoneeseen ei pääse ulkopuolisilta Matrix-palvelimilta",
"Unban": "Poista porttikielto",
"unencrypted": "salaamaton",
"unknown caller": "tuntematon soittaja",
"unknown device": "tuntematon laite",
"Unknown room %(roomId)s": "Tuntematon huone %(roomId)s",
"Unmute": "Poista mykistys",
"Unnamed Room": "Nimeämätön huone",
"Unrecognised room alias:": "Tuntematon huonealias:",
"Uploading %(filename)s and %(count)s others|zero": "Ladataan %(filename)s",
"Uploading %(filename)s and %(count)s others|one": "Ladataan %(filename)s ja %(count)s muuta",
"Blacklisted": "Estetyt",
"%(senderDisplayName)s changed the room name to %(roomName)s.": "%(senderDisplayName)s vaihtoi huoneen nimeksi %(roomName)s.",
"Enable automatic language detection for syntax highlighting": "Ota automaattinen kielentunnistus käyttöön syntaksikorostusta varten",
"%(senderName)s ended the call.": "%(senderName)s lopetti puhelun.",
@ -221,7 +197,6 @@
"Home": "Etusivu",
"Invalid file%(extra)s": "Virheellinen tiedosto%(extra)s",
"%(senderName)s invited %(targetName)s.": "%(senderName)s kutsui käyttäjän %(targetName)s.",
"none": "Ei mikään",
"No users have specific privileges in this room": "Kellään käyttäjällä ei ole erityisiä oikeuksia",
"%(senderName)s requested a VoIP conference.": "%(senderName)s pyysi VoIP-konferenssia.",
"%(senderName)s set their display name to %(displayName)s.": "%(senderName)s asetti näyttönimekseen %(displayName)s.",
@ -230,8 +205,6 @@
"This phone number is already in use": "Puhelinnumero on jo käytössä",
"Username invalid: %(errMessage)s": "Käyttäjätunnus ei kelpaa: %(errMessage)s",
"Users": "Käyttäjät",
"Verification": "Varmennus",
"verified": "varmennettu",
"Verified key": "Varmennettu avain",
"Video call": "Videopuhelu",
"Voice call": "Äänipuhelu",
@ -280,7 +253,7 @@
"Start automatically after system login": "Käynnistä automaattisesti käyttöjärjestelmään kirjautumisen jälkeen",
"Analytics": "Analytiikka",
"Options": "Valinnat",
"Riot collects anonymous analytics to allow us to improve the application.": "Riot kerää anonyymisti tilastoja jotta voimme parantaa ohjelmistoa.",
"%(brand)s collects anonymous analytics to allow us to improve the application.": "%(brand)s kerää anonyymisti tilastoja jotta voimme parantaa ohjelmistoa.",
"Passphrases must match": "Salasanojen on täsmättävä",
"Passphrase must not be empty": "Salasana ei saa olla tyhjä",
"Export room keys": "Vie huoneen avaimet",
@ -294,10 +267,8 @@
"Confirm Removal": "Varmista poistaminen",
"Unknown error": "Tuntematon virhe",
"Incorrect password": "Virheellinen salasana",
"I verify that the keys match": "Varmistin, että avaimet vastaavat toisiaan",
"Unable to restore session": "Istunnon palautus epäonnistui",
"%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s poisti huoneen nimen.",
"Curve25519 identity key": "Curve25519 tunnistusavain",
"Decrypt %(text)s": "Pura %(text)s",
"Displays action": "Näyttää toiminnan",
"Error: Problem communicating with the given homeserver.": "Virhe: Ongelma yhteydenpidossa kotipalvelimeen.",
@ -309,13 +280,10 @@
"Publish this room to the public in %(domain)s's room directory?": "Julkaise tämä huone verkkotunnuksen %(domain)s huoneluettelossa?",
"Missing room_id in request": "room_id puuttuu kyselystä",
"Missing user_id in request": "user_id puuttuu kyselystä",
"New address (e.g. #foo:%(localDomain)s)": "Uusi osoite (esim. #foo:%(localDomain)s)",
"Revoke Moderator": "Poista moderaattorioikeudet",
"%(targetName)s rejected the invitation.": "%(targetName)s hylkäsi kutsun.",
"Remote addresses for this room:": "Tämän huoneen etäosoitteet:",
"%(senderName)s removed their display name (%(oldDisplayName)s).": "%(senderName)s poisti näyttönimensä (%(oldDisplayName)s).",
"Riot does not have permission to send you notifications - please check your browser settings": "Riotilla ei ole oikeuksia lähettää sinulle ilmoituksia. Ole hyvä ja tarkista selaimen asetukset",
"Riot was not given permission to send notifications - please try again": "Riot ei saanut lupaa lähettää ilmoituksia - yritä uudelleen",
"%(brand)s does not have permission to send you notifications - please check your browser settings": "%(brand)silla ei ole oikeuksia lähettää sinulle ilmoituksia. Ole hyvä ja tarkista selaimen asetukset",
"%(brand)s was not given permission to send notifications - please try again": "%(brand)s ei saanut lupaa lähettää ilmoituksia - yritä uudelleen",
"Room %(roomId)s not visible": "Huone %(roomId)s ei ole näkyvissä",
"%(roomName)s does not exist.": "Huonetta %(roomName)s ei ole olemassa.",
"%(roomName)s is not accessible at this time.": "%(roomName)s ei ole saatavilla tällä hetkellä.",
@ -339,8 +307,6 @@
"Upload file": "Lataa tiedosto",
"Upload new:": "Lataa uusi:",
"Usage": "Käyttö",
"Use compact timeline layout": "Käytä tiivistä aikajanaa",
"User ID": "Käyttäjätunnus",
"%(senderDisplayName)s changed the topic to \"%(topic)s\".": "%(senderDisplayName)s vaihtoi aiheeksi \"%(topic)s\".",
"Define the power level of a user": "Määritä käyttäjän oikeustaso",
"Failed to change power level": "Oikeustason muuttaminen epäonnistui",
@ -372,10 +338,7 @@
"Oct": "loka",
"Nov": "marras",
"Dec": "joulu",
"To continue, please enter your password.": "Ole hyvä ja syötä salasanasi jatkaaksesi.",
"Unknown Address": "Tuntematon osoite",
"Unverify": "Kumoa varmennus",
"Verify...": "Varmenna...",
"ex. @bob:example.com": "esim. @erkki:esimerkki.com",
"Add User": "Lisää käyttäjä",
"Please enter the code it contains:": "Ole hyvä ja syötä sen sisältämä koodi:",
@ -384,7 +347,6 @@
"Error decrypting image": "Virhe purettaessa kuvan salausta",
"Error decrypting video": "Virhe purettaessa videon salausta",
"Add an Integration": "Lisää integraatio",
"Removed or unknown message type": "Poistettu tai tuntematon viestityyppi",
"URL Previews": "URL-esikatselut",
"Drop file here to upload": "Pudota tiedosto tähän ladataksesi sen palvelimelle",
" (unsupported)": " (ei tuettu)",
@ -395,15 +357,11 @@
"This will be your account name on the <span></span> homeserver, or you can pick a <a>different server</a>.": "Tästä tulee tilisi nimi <span></span>-kotipalvelimella, tai voit valita <a>toisen palvelimen</a>.",
"If you already have a Matrix account you can <a>log in</a> instead.": "Jos sinulla on jo Matrix-tili, voit <a>kirjautua</a>.",
"Your browser does not support the required cryptography extensions": "Selaimesi ei tue vaadittuja kryptografisia laajennuksia",
"Not a valid Riot keyfile": "Ei kelvollinen Riot-avaintiedosto",
"Not a valid %(brand)s keyfile": "Ei kelvollinen %(brand)s-avaintiedosto",
"Authentication check failed: incorrect password?": "Autentikointi epäonnistui: virheellinen salasana?",
"Do you want to set an email address?": "Haluatko asettaa sähköpostiosoitteen?",
"This will allow you to reset your password and receive notifications.": "Tämä sallii sinun uudelleenalustaa salasanasi ja vastaanottaa ilmoituksia.",
"Skip": "Ohita",
"Start verification": "Aloita varmennus",
"Share without verifying": "Jaa ilman varmennusta",
"Ignore request": "Jätä pyyntö huomioimatta",
"Encryption key request": "Salausavainpyyntö",
"Example": "Esimerkki",
"Create": "Luo",
"Failed to upload image": "Kuvan lataaminen epäonnistui",
@ -423,7 +381,6 @@
"Which rooms would you like to add to this community?": "Mitkä huoneet haluaisit lisätä tähän yhteisöön?",
"Show these rooms to non-members on the community page and room list?": "Näytetäänkö nämä huoneet ei-jäsenille yhteisön sivulla ja huoneluettelossa?",
"Add rooms to the community": "Lisää huoneita tähän yhteisöön",
"Room name or alias": "Huoneen nimi tai alias",
"Add to community": "Lisää yhteisöön",
"Failed to invite the following users to %(groupId)s:": "Seuraavien käyttäjien kutsuminen ryhmään %(groupId)s epäonnistui:",
"Failed to invite users to community": "Käyttäjien kutsuminen yhteisöön epäonnistui",
@ -458,8 +415,6 @@
"Jump to read receipt": "Hyppää lukukuittaukseen",
"Mention": "Mainitse",
"Invite": "Kutsu",
"User Options": "Käyttäjä-asetukset",
"Make Moderator": "Anna moderaattorioikeudet",
"Admin Tools": "Ylläpitotyökalut",
"Unpin Message": "Poista viestin kiinnitys",
"Jump to message": "Hyppää viestiin",
@ -484,8 +439,6 @@
"%(senderDisplayName)s removed the room avatar.": "%(senderDisplayName)s poisti huoneen kuvan.",
"%(senderDisplayName)s changed the room avatar to <img/>": "%(senderDisplayName)s vaihtoi huoneen kuvaksi <img/>",
"You are about to be taken to a third-party site so you can authenticate your account for use with %(integrationsUrl)s. Do you wish to continue?": "Sinut ohjataan kolmannen osapuolen sivustolle, jotta voit autentikoida tilisi käyttääksesi palvelua %(integrationsUrl)s. Haluatko jatkaa?",
"Message removed by %(userId)s": "Käyttäjän %(userId)s poistama viesti",
"Message removed": "Viesti poistettu",
"An email has been sent to %(emailAddress)s": "Sähköpostia lähetetty osoitteeseen %(emailAddress)s",
"Please check your email to continue registration.": "Ole hyvä ja tarkista sähköpostisi jatkaaksesi.",
"A text message has been sent to %(msisdn)s": "Tekstiviesti lähetetty numeroon %(msisdn)s",
@ -555,8 +508,6 @@
"You're not currently a member of any communities.": "Et ole minkään yhteisön jäsen tällä hetkellä.",
"Error whilst fetching joined communities": "Virhe ladatessa listaa yhteisöistä joihin olet liittynyt",
"Create a new community": "Luo uusi yhteisö",
"Light theme": "Vaalea teema",
"Dark theme": "Tumma teema",
"An email has been sent to %(emailAddress)s. Once you've followed the link it contains, click below.": "Viesti on lähetetty osoitteeseen %(emailAddress)s. Klikkaa alla sen jälkeen kun olet seurannut viestin sisältämää linkkiä.",
"Please note you are logging into the %(hs)s server, not matrix.org.": "Huomaa että olet kirjautumassa palvelimelle %(hs)s, etkä palvelimelle matrix.org.",
"Upload an avatar:": "Lataa profiilikuva:",
@ -566,11 +517,6 @@
"Notify the whole room": "Ilmoita koko huoneelle",
"Room Notification": "Huoneilmoitus",
"Call Failed": "Puhelu epäonnistui",
"Review Devices": "Näytä laitteet",
"Call Anyway": "Soita silti",
"Answer Anyway": "Vastaa silti",
"Call": "Soita",
"Answer": "Vastaa",
"Call Timeout": "Puhelun aikakatkaisu",
"%(weekDayName)s %(time)s": "%(weekDayName)s %(time)s",
"%(weekDayName)s, %(monthName)s %(day)s %(time)s": "%(weekDayName)s %(day)s. %(monthName)s %(time)s",
@ -604,8 +550,6 @@
"Token incorrect": "Väärä tunniste",
"Something went wrong when trying to get your communities.": "Jokin meni pieleen yhteisöjäsi haettaessa.",
"Delete Widget": "Poista pienoisohjelma",
"Unblacklist": "Poista estolistalta",
"Blacklist": "Estolista",
"%(severalUsers)sjoined %(count)s times|one": "%(severalUsers)s liittyivät",
"%(oneUser)sjoined %(count)s times|other": "%(oneUser)s liittyi %(count)s kertaa",
"%(oneUser)sjoined %(count)s times|one": "%(oneUser)s liittyi",
@ -663,7 +607,6 @@
"Warning": "Varoitus",
"Access Token:": "Pääsykoodi:",
"Fetching third party location failed": "Kolmannen osapuolen paikan haku epäonnistui",
"A new version of Riot is available.": "Uusi Riot-versio on saatavilla.",
"Send Account Data": "Lähetä tilin tiedot",
"All notifications are currently disabled for all targets.": "Tällä hetkellä kaikki ilmoitukset on kytketty pois kaikilta kohteilta.",
"Uploading report": "Ladataan raporttia",
@ -682,8 +625,6 @@
"Waiting for response from server": "Odotetaan vastausta palvelimelta",
"Send Custom Event": "Lähetä mukautettu tapahtuma",
"Advanced notification settings": "Lisäasetukset ilmoituksille",
"delete the alias.": "poista alias.",
"To return to your account in future you need to <u>set a password</u>": "Jotta voit jatkossa palata tilillesi, sinun pitää <u>asettaa salasana</u>",
"Forget": "Unohda",
"You cannot delete this image. (%(code)s)": "Et voi poistaa tätä kuvaa. (%(code)s)",
"Cancel Sending": "Peruuta lähetys",
@ -707,7 +648,6 @@
"No update available.": "Ei päivityksiä saatavilla.",
"Resend": "Lähetä uudelleen",
"Collecting app version information": "Haetaan sovelluksen versiotietoja",
"Delete the room alias %(alias)s and remove %(name)s from the directory?": "Poista huonealias %(alias)s ja poista %(name)s luettelosta?",
"Keywords": "Avainsanat",
"Enable notifications for this account": "Ota käyttöön ilmoitukset tälle tilille",
"Invite to this community": "Kutsu tähän yhteisöön",
@ -718,7 +658,7 @@
"Search…": "Haku…",
"You have successfully set a password and an email address!": "Olet asettanut salasanan ja sähköpostiosoitteen!",
"Remove %(name)s from the directory?": "Poista %(name)s luettelosta?",
"Riot uses many advanced browser features, some of which are not available or experimental in your current browser.": "Riot käyttää monia edistyneitä ominaisuuksia, joista osaa selaimesi ei tue tai ne ovat kokeellisia.",
"%(brand)s uses many advanced browser features, some of which are not available or experimental in your current browser.": "%(brand)s käyttää monia edistyneitä ominaisuuksia, joista osaa selaimesi ei tue tai ne ovat kokeellisia.",
"Developer Tools": "Kehittäjätyökalut",
"Explore Account Data": "Tilitiedot",
"All messages (noisy)": "Kaikki viestit (meluisa)",
@ -760,8 +700,7 @@
"Show message in desktop notification": "Näytä viestit ilmoituskeskuksessa",
"Unhide Preview": "Näytä esikatselu",
"Unable to join network": "Verkkoon liittyminen epäonnistui",
"You might have configured them in a client other than Riot. You cannot tune them in Riot but they still apply": "Olet saattanut muuttaa niitä muussa asiakasohjelmassa kuin Riotissa. Et voi muuttaa niitä Riotissa mutta ne pätevät silti",
"Sorry, your browser is <b>not</b> able to run Riot.": "Valitettavasti Riot <b>ei</b> toimi selaimessasi.",
"Sorry, your browser is <b>not</b> able to run %(brand)s.": "Valitettavasti %(brand)s <b>ei</b> toimi selaimessasi.",
"Uploaded on %(date)s by %(user)s": "Ladattu %(date)s käyttäjän %(user)s toimesta",
"Messages in group chats": "Viestit ryhmäkeskusteluissa",
"Yesterday": "Eilen",
@ -772,7 +711,7 @@
"An error occurred whilst saving your email notification preferences.": "Sähköposti-ilmoitusasetuksia tallettaessa tapahtui virhe.",
"remove %(name)s from the directory.": "poista %(name)s luettelosta.",
"Off": "Ei päällä",
"Riot does not know how to join a room on this network": "Riot ei tiedä miten liittyä huoneeseen tässä verkossa",
"%(brand)s does not know how to join a room on this network": "%(brand)s ei tiedä miten liittyä huoneeseen tässä verkossa",
"Mentions only": "Vain maininnat",
"Failed to remove tag %(tagName)s from room": "Tagin %(tagName)s poistaminen huoneesta epäonnistui",
"Wednesday": "Keskiviikko",
@ -788,22 +727,18 @@
"Thank you!": "Kiitos!",
"With your current browser, the look and feel of the application may be completely incorrect, and some or all features may not function. If you want to try it anyway you can continue, but you are on your own in terms of any issues you may encounter!": "Nykyisellä selaimellasi ohjelman ulkonäkö voi olla täysin virheellinen, ja jotkut tai kaikki ominaisuudet eivät vättämättä toimi. Voit jatkaa jos haluat kokeilla, mutta et voi odottaa saavasi apua mahdollisesti ilmeneviin ongelmiin!",
"Checking for an update...": "Tarkistetaan päivityksen saatavuutta...",
"There are advanced notifications which are not shown here": "Tässä ei näytetä edistyneitä ilmoituksia",
"Your language of choice": "Kielivalintasi",
"Privacy is important to us, so we don't collect any personal or identifiable data for our analytics.": "Yksityisyydensuoja on meille tärkeää, joten emme kerää mitään henkilökohtaista tai yksilöivää tietoa analytiikkaamme varten.",
"Send an encrypted reply…": "Lähetä salattu vastaus…",
"Send a reply (unencrypted)…": "Lähetä vastaus (salaamaton)…",
"Send an encrypted message…": "Lähetä salattu viesti…",
"Send a message (unencrypted)…": "Lähetä viesti (salaamaton)…",
"<a>In reply to</a> <pill>": "<a>Vastauksena käyttäjälle</a> <pill>",
"This room is not public. You will not be able to rejoin without an invite.": "Tämä huone ei ole julkinen. Tarvitset kutsun liittyäksesi huoneeseen.",
"%(count)s of your messages have not been sent.|one": "Viestiäsi ei lähetetty.",
"%(oldDisplayName)s changed their display name to %(displayName)s.": "%(oldDisplayName)s vaihtoi näyttönimekseen %(displayName)s.",
"Learn more about how we use analytics.": "Lue lisää analytiikkakäytännöistämme.",
"There's no one else here! Would you like to <inviteText>invite others</inviteText> or <nowarnText>stop warning about the empty room</nowarnText>?": "Täällä ei ole muita! Haluaisitko <inviteText>kutsua muita</inviteText> tai <nowarnText>poistaa varoituksen tyhjästä huoneesta</nowarnText>?",
"The version of Riot.im": "Riot.im:n versio",
"The version of %(brand)s": "%(brand)sin versio",
"Your homeserver's URL": "Kotipalvelimesi osoite",
"Your identity server's URL": "Identiteettipalvelimesi osoite",
"e.g. %(exampleValue)s": "esim. %(exampleValue)s",
"Every page you use in the app": "Jokainen sivu, jota käytät sovelluksessa",
"e.g. <CurrentPageURL>": "esim. <CurrentPageURL>",
@ -817,10 +752,6 @@
"%(senderDisplayName)s upgraded this room.": "%(senderDisplayName)s päivitti tämän huoneen.",
"%(senderDisplayName)s has allowed guests to join the room.": "%(senderDisplayName)s salli vieraiden liittyvän huoneeseen.",
"%(senderDisplayName)s has prevented guests from joining the room.": "%(senderDisplayName)s on estänyt vieraiden liittymisen huoneeseen.",
"%(senderName)s added %(count)s %(addedAddresses)s as addresses for this room.|other": "%(senderName)s lisäsi osoitteet %(addedAddresses)s tähän huoneeseen.",
"%(senderName)s added %(count)s %(addedAddresses)s as addresses for this room.|one": "%(senderName)s lisäsi osoitteen %(addedAddresses)s tälle huoneelle.",
"%(senderName)s removed %(count)s %(removedAddresses)s as addresses for this room.|other": "%(senderName)s poisti osoitteen %(removedAddresses)s tältä huoneelta.",
"%(senderName)s removed %(count)s %(removedAddresses)s as addresses for this room.|one": "%(senderName)s poisti osoitteet %(removedAddresses)s tältä huoneelta.",
"%(senderName)s set the main address for this room to %(address)s.": "%(senderName)s asetti tälle huoneelle pääosoitteen %(address)s.",
"%(senderName)s removed the main address for this room.": "%(senderName)s poisti tämän huoneen pääosoitteen.",
"Please <a>contact your service administrator</a> to continue using the service.": "Ota yhteyttä <a>palvelun ylläpitäjään</a> jatkaaksesi palvelun käyttöä.",
@ -961,9 +892,6 @@
"Retry": "Yritä uudelleen",
"Success!": "Onnistui!",
"Starting backup...": "Aloitetaan varmuuskopiointia...",
"Recovery key": "Palautusavain",
"Keep it safe": "Pidä se turvassa",
"Copy to clipboard": "Kopioi leikepöydälle",
"Download": "Lataa",
"Create account": "Luo tili",
"Sign in with single sign-on": "Kirjaudu sisään käyttäen kertakirjautumista",
@ -992,9 +920,7 @@
"Share Message": "Jaa viesti",
"Not a valid recovery key": "Ei kelvollinen palautusavain",
"This looks like a valid recovery key!": "Tämä vaikuttaa kelvolliselta palautusavaimelta!",
"Enter Recovery Key": "Kirjoita palautusavain",
"Next": "Seuraava",
"Backup Restored": "Varmuuskopio palautettu",
"No backup found!": "Varmuuskopiota ei löytynyt!",
"Unable to restore backup": "Varmuuskopion palauttaminen ei onnistu",
"Link to selected message": "Linkitä valittuun viestiin",
@ -1006,7 +932,7 @@
"The room upgrade could not be completed": "Huoneen päivitystä ei voitu suorittaa",
"Failed to upgrade room": "Huoneen päivittäminen epäonnistui",
"Are you sure you want to sign out?": "Haluatko varmasti kirjautua ulos?",
"Updating Riot": "Päivitetään Riot",
"Updating %(brand)s": "Päivitetään %(brand)s",
"To continue, please enter your password:": "Kirjoita salasanasi jatkaaksesi:",
"Incompatible Database": "Yhteensopimaton tietokanta",
"Failed to send logs: ": "Lokien lähettäminen epäonnistui: ",
@ -1016,8 +942,6 @@
"Invite anyway and never warn me again": "Kutsu silti, äläkä varoita minua enää uudelleen",
"That doesn't look like a valid email address": "Tämä ei vaikuta kelvolliselta sähköpostiosoitteelta",
"Join": "Liity",
"Yes, I want to help!": "Kyllä, haluan auttaa!",
"Please help improve Riot.im by sending <UsageDataLink>anonymous usage data</UsageDataLink>. This will use a cookie.": "Auta parantamaan Riot.im:ää lähettämällä <UsageDataLink>käyttötietoja anonyymisti</UsageDataLink>. Tässä hyödynnetään evästettä.",
"Failed to load group members": "Ryhmän jäsenten lataaminen epäonnistui",
"Click here to see older messages.": "Napsauta tästä nähdäksesi vanhemmat viestit.",
"This room is a continuation of another conversation.": "Tämä huone on jatkumo toisesta keskustelusta.",
@ -1035,36 +959,31 @@
"Email Address": "Sähköpostiosoite",
"Yes": "Kyllä",
"No": "Ei",
"Please help improve Riot.im by sending <UsageDataLink>anonymous usage data</UsageDataLink>. This will use a cookie (please see our <PolicyLink>Cookie Policy</PolicyLink>).": "Auta parantamaan Riot.im:ää lähettämällä <UsageDataLink>käyttötietoja anonyymisti</UsageDataLink>. Tämä vaatii toimiakseen evästeen (lue <PolicyLink>evästekäytäntö</PolicyLink>).",
"Elephant": "Norsu",
"Add an email address to configure email notifications": "Lisää sähköpostiosoite määrittääksesi sähköposti-ilmoitukset",
"Chat with Riot Bot": "Keskustele Riot-botin kanssa",
"Chat with %(brand)s Bot": "Keskustele %(brand)s-botin kanssa",
"You'll lose access to your encrypted messages": "Menetät pääsyn salattuihin viesteihisi",
"Create a new room with the same name, description and avatar": "luomme uuden huoneen samalla nimellä, kuvauksella ja kuvalla",
"Update any local room aliases to point to the new room": "päivitämme kaikki huoneen aliakset osoittamaan uuteen huoneeseen",
"Stop users from speaking in the old version of the room, and post a message advising users to move to the new room": "estämme käyttäjiä puhumasta vanhassa huoneessa ja lähetämme viestin, joka ohjeistaa käyttäjiä siirtymään uuteen huoneeseen",
"Put a link back to the old room at the start of the new room so people can see old messages": "pistämme linkin vanhaan huoneeseen uuden huoneen alkuun, jotta ihmiset voivat nähdä vanhat viestit",
"We encountered an error trying to restore your previous session.": "Törmäsimme ongelmaan yrittäessämme palauttaa edellistä istuntoasi.",
"If you have previously used a more recent version of Riot, your session may be incompatible with this version. Close this window and return to the more recent version.": "Jos olet aikaisemmin käyttänyt uudempaa versiota Riotista, istuntosi voi olla epäyhteensopiva tämän version kanssa. Sulje tämä ikkuna ja yritä uudemman version kanssa.",
"If you have previously used a more recent version of %(brand)s, your session may be incompatible with this version. Close this window and return to the more recent version.": "Jos olet aikaisemmin käyttänyt uudempaa versiota %(brand)sista, istuntosi voi olla epäyhteensopiva tämän version kanssa. Sulje tämä ikkuna ja yritä uudemman version kanssa.",
"The platform you're on": "Alusta, jolla olet",
"Whether or not you're logged in (we don't record your username)": "Oletko kirjautunut vai et (emme tallenna käyttäjätunnustasi)",
"Whether or not you're using the Richtext mode of the Rich Text Editor": "Käytätkö muotoillun tekstin tilaa muotoilueditorissa vai et",
"Your User Agent": "Selaintunnisteesi",
"The information being sent to us to help make Riot.im better includes:": "Tietoihin, jotka lähetetään Riot.im:ään palvelun parantamiseksi, sisältyy:",
"The information being sent to us to help make %(brand)s better includes:": "Tietoihin, joita lähetetään %(brand)sin kehittäjille sovelluksen kehittämiseksi sisältyy:",
"Where this page includes identifiable information, such as a room, user or group ID, that data is removed before being sent to the server.": "Kohdissa, joissa tämä sivu sisältää yksilöivää tietoa, kuten huoneen, käyttäjän tai ryhmän tunnuksen, kyseinen tieto poistetaan ennen palvelimelle lähettämistä.",
"A call is currently being placed!": "Puhelua ollaan aloittamassa!",
"A call is already in progress!": "Puhelu on jo meneillään!",
"Permission Required": "Lisäoikeuksia tarvitaan",
"The file '%(fileName)s' exceeds this homeserver's size limit for uploads": "Tiedoston '%(fileName)s' koko ylittää tämän kotipalvelimen lähetettyjen tiedostojen ylärajan",
"Unable to load! Check your network connectivity and try again.": "Lataaminen epäonnistui! Tarkista verkkoyhteytesi ja yritä uudelleen.",
"Registration Required": "Rekisteröityminen vaaditaan",
"You need to register to do this. Would you like to register now?": "Tämä toiminto edellyttää rekisteröitymistä. Haluaisitko rekisteröityä?",
"Failed to invite users to the room:": "Käyttäjien kutsuminen huoneeseen epäonnistui:",
"%(senderDisplayName)s made the room public to whoever knows the link.": "%(senderDisplayName)s teki tästä huoneesta julkisesti luettavan linkin kautta.",
"%(senderDisplayName)s made the room invite only.": "%(senderDisplayName)s muutti huoneeseen pääsyn vaatimaan kutsun.",
"%(senderDisplayName)s changed the join rule to %(rule)s": "%(senderDisplayName)s vaihtoi liittymisen ehdoksi säännön %(rule)s",
"%(senderDisplayName)s changed guest access to %(rule)s": "%(senderDisplayName)s vaihtoi vieraiden pääsyn tilaan %(rule)s",
"%(senderName)s added %(addedAddresses)s and removed %(removedAddresses)s as addresses for this room.": "%(senderName)s lisäsi osoitteet %(addedAddresses)s ja poisti osoitteet %(removedAddresses)s tältä huoneelta.",
"%(displayName)s is typing …": "%(displayName)s kirjoittaa…",
"%(names)s and %(count)s others are typing …|other": "%(names)s ja %(count)s muuta kirjoittavat…",
"%(names)s and %(count)s others are typing …|one": "%(names)s ja yksi muu kirjoittavat…",
@ -1123,12 +1042,11 @@
"Verification code": "Varmennuskoodi",
"Internal room ID:": "Sisäinen huoneen ID:",
"Credits": "Maininnat",
"For help with using Riot, click <a>here</a>.": "Saadaksesi apua Riotin käyttämisessä, klikkaa <a>tästä</a>.",
"For help with using Riot, click <a>here</a> or start a chat with our bot using the button below.": "Saadaksesi apua Riotin käytössä, klikkaa <a>tästä</a> tai aloita keskustelu bottimme kanssa alla olevasta painikkeesta.",
"For help with using %(brand)s, click <a>here</a>.": "Saadaksesi apua %(brand)sin käyttämisessä, klikkaa <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ä, klikkaa <a>tästä</a> tai aloita keskustelu bottimme kanssa alla olevasta painikkeesta.",
"Bug reporting": "Virheiden raportointi",
"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 or groups you have visited and the usernames of other users. They do not contain messages.": "Jos olet ilmoittanut virheestä Githubin kautta, debug-lokit voivat auttaa meitä ongelman jäljittämisessä. Debug-lokit sisältävät sovelluksen käyttödataa sisältäen käyttäjätunnuksen, vierailemiesi huoneiden tai ryhmien tunnukset tai aliakset ja muiden käyttäjien käyttäjätunnukset. Debug-lokit eivät sisällä viestejä.",
"Autocomplete delay (ms)": "Automaattisen täydennyksen viive (ms)",
"To link to this room, please add an alias.": "Lisää alias linkittääksesi tähän huoneeseen.",
"Ignored users": "Hiljennetyt käyttäjät",
"Bulk options": "Massatoimintoasetukset",
"Key backup": "Avainvarmuuskopio",
@ -1147,7 +1065,6 @@
"Show read receipts sent by other users": "Näytä muiden käyttäjien lukukuittaukset",
"Show a reminder to enable Secure Message Recovery in encrypted rooms": "Näytä muistutus suojatun viestien palautuksen käyttöönotosta salatuissa huoneissa",
"Show avatars in user and room mentions": "Näytä profiilikuvat käyttäjä- ja huonemaininnoissa",
"Order rooms in the room list by most important first instead of most recent": "Järjestä huonelista tärkein ensin viimeisimmän sijasta",
"Got It": "Ymmärretty",
"Scissors": "Sakset",
"Which officially provided instance you are using, if any": "Mitä virallisesti saatavilla olevaa instanssia käytät, jos mitään",
@ -1175,16 +1092,9 @@
"Add some now": "Lisää muutamia",
"Error updating main address": "Pääosoitteen päivityksessä tapahtui virhe",
"There was an error updating the room's main address. It may not be allowed by the server or a temporary failure occurred.": "Huoneen pääosoitteen päivityksessä tapahtui virhe. Se ei välttämättä ole sallittua tällä palvelimella tai kyseessä on väliaikainen virhe.",
"Error creating alias": "Aliaksen luonnissa tapahtui virhe",
"There was an error creating that alias. It may not be allowed by the server or a temporary failure occurred.": "Aliaksen luonnissa tapahtui virhe. Se ei välttämättä ole sallittua tällä palvelimella tai kyseessä on väliaikainen virhe.",
"Error removing alias": "Aliaksen poistossa tapahtui virhe",
"There was an error removing that alias. It may no longer exist or a temporary error occurred.": "Aliaksen poistossa tapahtui virhe. Se ei välttämättä ole enää olemassa tai kyseessä on väliaikainen virhe.",
"Error updating flair": "Tyylin päivittämisessä tapahtui virhe",
"There was an error updating the flair for this room. The server may not allow it or a temporary error occurred.": "Huoneen tyylin päivittämisessä tapahtui virhe. Palvelin ei välttämättä salli sitä tai kyseessä on tilapäinen virhe.",
"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.": "Salatuissa huoneissa, kuten tässä, osoitteiden esikatselut ovat oletuksena pois käytöstä, jotta kotipalvelimesi (missä osoitteiden esikatselut luodaan) ei voi kerätä tietoa siitä, mitä linkkejä näet tässä huoneessa.",
"Please <a>contact your service administrator</a> to get this limit increased.": "<a>Ota yhteyttä ylläpitäjääsi</a> tämän rajan kasvattamiseksi.",
"This homeserver has hit its Monthly Active User limit so <b>some users will not be able to log in</b>.": "Tämä kotipalvelin on saavuttanut kuukausittaisten aktiivisten käyttäjien rajansa, joten <b>osa käyttäjistä ei pysty kirjautumaan sisään</b>.",
"This homeserver has exceeded one of its resource limits so <b>some users will not be able to log in</b>.": "Tämä kotipalvelin on ylittänyt yhden resurssirajoistaan, joten <b>osa käyttäjistä ei pysty kirjautumaan sisään</b>.",
"Failed to remove widget": "Sovelman poisto epäonnistui",
"An error ocurred whilst trying to remove the widget from the room": "Sovelman poistossa huoneesta tapahtui virhe",
"Minimize apps": "Pienennä sovellukset",
@ -1221,27 +1131,19 @@
"Before submitting logs, you must <a>create a GitHub issue</a> to describe your problem.": "Ennen lokien lähettämistä sinun täytyy <a>luoda Githubiin issue (kysymys/ongelma)</a>, joka sisältää kuvauksen ongelmastasi.",
"Unable to load commit detail: %(msg)s": "Commitin tietojen hakeminen epäonnistui: %(msg)s",
"Community IDs cannot be empty.": "Yhteisön ID:t eivät voi olla tyhjänä.",
"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 Riot to do this": "Jotta et menetä keskusteluhistoriaasi, sinun täytyy tallentaa huoneen avaimet ennen kuin kirjaudut ulos. Joudut käyttämään uudempaa Riotin versiota tätä varten",
"You've previously used a newer version of Riot on %(host)s. To use this version again with end to end encryption, you will need to sign out and back in again. ": "Olet aikaisemmin käyttänyt uudempaa Riotin versiota koneella %(host)s. Jotta voit käyttää tätä versiota osapuolten välisellä salauksella, sinun täytyy kirjautua ulos ja kirjautua takaisin sisään. ",
"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": "Jotta et menetä keskusteluhistoriaasi, sinun täytyy tallentaa huoneen avaimet ennen kuin kirjaudut ulos. Joudut käyttämään uudempaa %(brand)sin versiota tätä varten",
"This will make your account permanently unusable. You will not be able to log in, and no one will be able to re-register the same user ID. This will cause your account to leave all rooms it is participating in, and it will remove your account details from your identity server. <b>This action is irreversible.</b>": "Tämä tekee tilistäsi lopullisesti käyttökelvottoman. Et voi kirjautua sisään, eikä kukaan voi rekisteröidä samaa käyttäjätunnusta. Tilisi poistuu kaikista huoneista, joihin se on liittynyt, ja tilisi tiedot poistetaan identiteettipalvelimeltasi. <b>Tämä toimenpidettä ei voi kumota.</b>",
"Deactivating your account <b>does not by default cause us to forget messages you have sent.</b> If you would like us to forget your messages, please tick the box below.": "Tilisi poistaminen käytöstä <b>ei oletuksena saa meitä unohtamaan lähettämiäsi viestejä.</b> Jos haluaisit meidän unohtavan viestisi, rastita alla oleva ruutu.",
"Message visibility in Matrix is similar to email. Our forgetting your messages means that messages you have sent will not be shared with any new or unregistered users, but registered users who already have access to these messages will still have access to their copy.": "Viestien näkyvyys Matrixissa on samantapainen kuin sähköpostissa. Vaikka se, että unohdamme viestisi, tarkoittaa, ettei viestejäsi jaeta enää uusille tai rekisteröitymättömille käyttäjille, käyttäjät, jotka ovat jo saaneet viestisi pystyvät lukemaan jatkossakin omaa kopiotaan viesteistäsi.",
"Please forget all messages I have sent when my account is deactivated (<b>Warning:</b> this will cause future users to see an incomplete view of conversations)": "Unohda kaikki viestit, jotka olen lähettänyt, kun tilini on poistettu käytöstä (b>Varoitus:</b> tästä seuraa, että tulevat käyttäjät näkevät epätäydellisen version keskusteluista)",
"Use Legacy Verification (for older clients)": "Käytä vanhentunutta varmennustapaa (vanhemmille asiakasohjelmille)",
"Verify by comparing a short text string.": "Varmenna vertaamalla lyhyttä merkkijonoa.",
"Begin Verifying": "Aloita varmentaminen",
"Waiting for partner to accept...": "Odotetaan, että toinen osapuoli hyväksyy...",
"Nothing appearing? Not all clients support interactive verification yet. <button>Use legacy verification</button>.": "Näytölle ei ilmesty mitään? Kaikki asiakasohjelmat eivät vielä tue interaktiivista varmentamista. <button>Käytä vanhentunutta varmennusta</button>.",
"Waiting for %(userId)s to confirm...": "Odotetaan, että %(userId)s hyväksyy...",
"Use two-way text verification": "Käytä kahdensuuntaista tekstivarmennusta",
"Verify this user to mark them as trusted. Trusting users gives you extra peace of mind when using end-to-end encrypted messages.": "Varmenna tämä käyttäjä merkitäksesi hänet luotetuksi. Käyttäjiin luottaminen antaa sinulle ylimääräistä mielenrauhaa käyttäessäsi osapuolten välistä salausta.",
"Waiting for partner to confirm...": "Odotetaan, että toinen osapuoli varmistaa...",
"Incoming Verification Request": "Saapuva varmennuspyyntö",
"You've previously used Riot 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, Riot needs to resync your account.": "Olet aikaisemmin käytttänyt Riotia laitteella %(host)s, jossa oli jäsenten laiska lataus käytössä. Tässä versiossa laiska lataus on pois käytöstä. Koska paikallinen välimuisti ei ole yhteensopiva näiden kahden asetuksen välillä, Riotin täytyy synkronoida tilisi tiedot uudelleen.",
"If the other version of Riot is still open in another tab, please close it as using Riot on the same host with both lazy loading enabled and disabled simultaneously will cause issues.": "Jos sinulla on toinen Riotin versio edelleen auki toisessa välilehdessä, suljethan sen, koska Riotin käyttäminen samalla laitteella niin, että laiska lataus on toisessa välilehdessä käytössä ja toisessa ei, aiheuttaa ongelmia.",
"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.": "Olet aikaisemmin käytttänyt %(brand)sia laitteella %(host)s, jossa oli jäsenten laiska lataus käytössä. Tässä versiossa laiska lataus on pois käytöstä. Koska paikallinen välimuisti ei ole yhteensopiva näiden kahden asetuksen välillä, %(brand)sin täytyy synkronoida tilisi tiedot uudelleen.",
"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.": "Jos sinulla on toinen %(brand)sin versio edelleen auki toisessa välilehdessä, suljethan sen, koska %(brand)sin käyttäminen samalla laitteella niin, että laiska lataus on toisessa välilehdessä käytössä ja toisessa ei, aiheuttaa ongelmia.",
"Incompatible local cache": "Yhteensopimaton paikallinen välimuisti",
"Clear cache and resync": "Tyhjennä välimuisti ja hae tiedot uudelleen",
"Riot now uses 3-5x less memory, by only loading information about other users when needed. Please wait whilst we resynchronise with the server!": "Riot käyttää nyt 3-5 kertaa vähemmän muistia, koska se lataa tietoa muista käyttäjistä vain tarvittaessa. Odotathan, kun haemme tarvittavat tiedot palvelimelta!",
"%(brand)s now uses 3-5x less memory, by only loading information about other users when needed. Please wait whilst we resynchronise with the server!": "%(brand)s käyttää nyt 3-5 kertaa vähemmän muistia, koska se lataa tietoa muista käyttäjistä vain tarvittaessa. Odotathan, kun haemme tarvittavat tiedot palvelimelta!",
"I don't want my encrypted messages": "En halua salattuja viestejäni",
"To help avoid duplicate issues, please <existingIssuesLink>view existing issues</existingIssuesLink> first (and add a +1) or <newIssueLink>create a new issue</newIssueLink> if you can't find it.": "Välttääksesi saman ongelman ilmoittamista kahdesti, <existingIssuesLink>katso ensin olemassaolevat issuet</existingIssuesLink> (ja lisää +1, mikäli löydät issuen joka koskee sinuakin) tai <newIssueLink>luo uusi issue</newIssueLink> mikäli et löydä ongelmaasi.",
"Room Settings - %(roomName)s": "Huoneen asetukset — %(roomName)s",
@ -1250,13 +1152,7 @@
"A username can only contain lower case letters, numbers and '=_-./'": "Käyttäjätunnus voi sisältää vain pieniä kirjaimia, numeroita ja merkkejä ”=_-./”",
"COPY": "Kopioi",
"Unable to load backup status": "Varmuuskopioinnin tilan lataaminen epäonnistui",
"Recovery Key Mismatch": "Palautusavaimet eivät täsmää",
"Backup could not be decrypted with this key: please verify that you entered the correct recovery key.": "Varmuuskopiota ei voitu purkaa tällä avaimella. Tarkastathan, että syötit oikean palautusavaimen.",
"Incorrect Recovery Passphrase": "Väärä palautuksen salalause",
"Backup could not be decrypted with this passphrase: please verify that you entered the correct recovery passphrase.": "Varmuuskopiota ei voitu purkaa tällä salalauseella. Tarkastathan, että syötit oikean palautuksen salalauseen.",
"Failed to decrypt %(failedCount)s sessions!": "%(failedCount)s istunnon purkaminen epäonnistui!",
"Restored %(sessionCount)s session keys": "%(sessionCount)s istunnon avainta palautettu",
"Enter Recovery Passphrase": "Syötä palautuksen salalause",
"<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.",
"Access your secure message history and set up secure messaging by entering your recovery passphrase.": "Pääse turvattuun viestihistoriaasi ja ota käyttöön turvallinen viestintä syöttämällä palautuksen salalauseesi.",
"If you've forgotten your recovery passphrase you can <button1>use your recovery key</button1> or <button2>set up new recovery options</button2>": "Jos olet unohtanut palautuksen salalauseesi, voit <button1>käyttää palautusavaintasi</button1> tai <button2>ottaa käyttöön uuden palautustavan</button2>",
@ -1294,7 +1190,7 @@
"This room is used for important messages from the Homeserver, so you cannot leave it.": "Tämä huone on kotipalvelimen tärkeille viesteille, joten ei voi poistua siitä.",
"To continue using the %(homeserverDomain)s homeserver you must review and agree to our terms and conditions.": "Jatkaaksesi kotipalvelimen %(homeserverDomain)s käyttöä, sinun täytyy lukea ja hyväksyä käyttöehtomme.",
"Review terms and conditions": "Lue käyttöehdot",
"Did you know: you can use communities to filter your Riot.im experience!": "Tiesitkö: voit käyttää yhteisöjä suodattaaksesi Riot.im-kokemustasi!",
"Did you know: you can use communities to filter your %(brand)s experience!": "Tiesitkö: voit käyttää yhteisöjä suodattaaksesi %(brand)s-kokemustasi!",
"To set up a filter, drag a community avatar over to the filter panel on the far left hand side of the screen. You can click on an avatar in the filter panel at any time to see only the rooms and people associated with that community.": "Asettaaksesi suodattimen, vedä yhteisön kuva vasemmalla olevan suodatinpaneelin päälle. Voit klikata suodatinpaneelissa olevaa yhteisön kuvaa, jotta näet vain huoneet ja henkilöt, jotka liittyvät kyseiseen yhteisöön.",
"You can't send any messages until you review and agree to <consentLink>our terms and conditions</consentLink>.": "Et voi lähettää viestejä ennen kuin luet ja hyväksyt <consentLink>käyttöehtomme</consentLink>.",
"Your message wasn't sent because this homeserver has hit its Monthly Active User Limit. Please <a>contact your service administrator</a> to continue using the service.": "Viestiäsi ei lähetetty, koska tämä kotipalvelin on saavuttanut kuukausittaisten aktiivisten käyttäjien rajan. <a>Ota yhteyttä palvelun ylläpitäjään</a> jatkaaksesi palvelun käyttämistä.",
@ -1309,15 +1205,11 @@
"Registration has been disabled on this homeserver.": "Rekisteröityminen on poistettu käytöstä tällä kotipalvelimella.",
"Unable to query for supported registration methods.": "Tuettuja rekisteröitymistapoja ei voitu kysellä.",
"The export file will be protected with a passphrase. You should enter the passphrase here, to decrypt the file.": "Viety tiedosto suojataan salasanalla. Syötä salasana tähän purkaaksesi tiedoston salauksen.",
"Great! This passphrase looks strong enough.": "Mahtavaa! Salasana näyttää tarpeeksi vahvalta.",
"Keep going...": "Jatka...",
"We'll store an encrypted copy of your keys on our server. Protect your backup with a passphrase to keep it secure.": "Tallennamme salatun kopion avaimistasi palvelimellemme. Suojaa varmuuskopio salasanalla.",
"For maximum security, this should be different from your account password.": "Parhaan turvallisuuden takaamiseksi tämän tulisi olla eri kuin tilisi salasana.",
"Enter a passphrase...": "Syötä salasana...",
"That matches!": "Täsmää!",
"That doesn't match.": "Ei täsmää.",
"Go back to set it again.": "Palaa asettamaan se uudelleen.",
"Repeat your passphrase...": "Toista salasana...",
"<b>Print it</b> and store it somewhere safe": "<b>Tulosta se</b> ja säilytä sitä turvallisessa paikassa",
"<b>Save it</b> on a USB key or backup drive": "<b>Tallenna se</b> muistitikulle tai varmuuskopiolevylle",
"<b>Copy it</b> to your personal cloud storage": "<b>Kopioi se</b> henkilökohtaiseen pilvitallennustilaasi",
@ -1341,9 +1233,9 @@
"A widget located at %(widgetUrl)s would like to verify your identity. By allowing this, the widget will be able to verify your user ID, but not perform actions as you.": "Sovelma osoitteessa %(widgetUrl)s haluaisi todentaa henkilöllisyytesi. Jos sallit tämän, sovelma pystyy todentamaan käyttäjätunnuksesi, muttei voi toimia nimissäsi.",
"Remember my selection for this widget": "Muista valintani tälle sovelmalle",
"Deny": "Kiellä",
"Data from an older version of Riot has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "Tunnistimme dataa, joka on lähtöisin vanhasta Riotin versiosta. Tämä aiheuttaa toimintahäiriöitä osapuolten välisessä salauksessa vanhassa versiossa. Viestejä, jotka on salattu osapuolten välisellä salauksella vanhalla versiolla, ei välttämättä voida purkaa tällä versiolla. Tämä voi myös aiheuttaa epäonnistumisia viestien välityksessä tämän version kanssa. Jos kohtaat ongelmia, kirjaudu ulos ja takaisin sisään. Säilyttääksesi viestihistoriasi, vie salausavaimesi ja tuo ne uudelleen.",
"Riot failed to get the protocol list from the homeserver. The homeserver may be too old to support third party networks.": "Riot epäonnistui protokollalistan hakemisessa kotipalvelimelta. Kotipalvelin saattaa olla liian vanha tukeakseen kolmannen osapuolen verkkoja.",
"Riot failed to get the public room list.": "Riot ei onnistunut hakemaan julkista huoneluetteloa.",
"Data from an older version of %(brand)s has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "Tunnistimme dataa, joka on lähtöisin vanhasta %(brand)sin versiosta. Tämä aiheuttaa toimintahäiriöitä osapuolten välisessä salauksessa vanhassa versiossa. Viestejä, jotka on salattu osapuolten välisellä salauksella vanhalla versiolla, ei välttämättä voida purkaa tällä versiolla. Tämä voi myös aiheuttaa epäonnistumisia viestien välityksessä tämän version kanssa. Jos kohtaat ongelmia, kirjaudu ulos ja takaisin sisään. Säilyttääksesi viestihistoriasi, vie salausavaimesi ja tuo ne uudelleen.",
"%(brand)s failed to get the protocol list from the homeserver. The homeserver may be too old to support third party networks.": "%(brand)s epäonnistui protokollalistan hakemisessa kotipalvelimelta. Kotipalvelin saattaa olla liian vanha tukeakseen kolmannen osapuolen verkkoja.",
"%(brand)s failed to get the public room list.": "%(brand)s ei onnistunut hakemaan julkista huoneluetteloa.",
"The homeserver may be unavailable or overloaded.": "Kotipalvelin saattaa olla saavuttamattomissa tai ylikuormitettuna.",
"You have %(count)s unread notifications in a prior version of this room.|other": "Sinulla on %(count)s lukematonta ilmoitusta huoneen edellisessä versiossa.",
"You have %(count)s unread notifications in a prior version of this room.|one": "Sinulla on %(count)s lukematon ilmoitus huoneen edellisessä versiossa.",
@ -1354,17 +1246,7 @@
"Invalid identity server discovery response": "Epäkelpo identiteettipalvelimen etsinnän vastaus",
"Failed to perform homeserver discovery": "Kotipalvelimen etsinnän suoritus epäonnistui",
"This homeserver doesn't offer any login flows which are supported by this client.": "Tämä kotipalvelin ei tarjoa yhtään kirjautumistapaa, jota tämä asiakasohjelma tukisi.",
"Claimed Ed25519 fingerprint key": "Väitetty Ed25519-avaimen sormenjälki",
"Set up with a Recovery Key": "Ota palautusavain käyttöön",
"Please enter your passphrase a second time to confirm.": "Syötä salalauseesi toisen kerran varmistukseksi.",
"As a safety net, you can use it to restore your encrypted message history if you forget your Recovery Passphrase.": "Voit käyttää sitä turvaverkkona palauttaaksesi salatun keskusteluhistoriasi, mikäli unohdat palautuksen salalauseesi.",
"As a safety net, you can use it to restore your encrypted message history.": "Voit käyttää sitä turvaverkkona palauttaaksesi salatun keskusteluhistoriasi.",
"Your recovery key is a safety net - you can use it to restore access to your encrypted messages if you forget your passphrase.": "Palautusavaimesi on turvaverkko voit käyttää sitä palauttaaksesi pääsyn salattuihin viesteihisi, mikäli unohdat salalauseesi.",
"Your Recovery Key": "Palautusavaimesi",
"Set up Secure Message Recovery": "Ota käyttöön salattujen viestien palautus",
"Secure your backup with a passphrase": "Turvaa varmuuskopiosi salalauseella",
"Confirm your passphrase": "Varmista salalauseesi",
"Create Key Backup": "Luo avainvarmuuskopio",
"Without setting up Secure Message Recovery, you'll lose your secure message history when you log out.": "Mikäli et ota käyttöön salattujen viestien palautusta, menetät salatun viestihistoriasi, kun kirjaudut ulos.",
"If you don't want to set this up now, you can later in Settings.": "Jos et halua ottaa tätä käyttöön nyt, voit tehdä sen myöhemmin asetuksissa.",
"Set up": "Ota käyttöön",
@ -1437,7 +1319,6 @@
"Some characters not allowed": "Osaa merkeistä ei sallita",
"Homeserver URL does not appear to be a valid Matrix homeserver": "Kotipalvelimen osoite ei näytä olevan kelvollinen Matrix-kotipalvelin",
"Identity server URL does not appear to be a valid identity server": "Identiteettipalvelimen osoite ei näytä olevan kelvollinen identiteettipalvelin",
"A conference call could not be started because the integrations server is not available": "Konferenssipuhelua ei voitu aloittaa, koska integraatiopalvelin ei ole käytettävissä",
"When rooms are upgraded": "Kun huoneet päivitetään",
"Rejecting invite …": "Hylätään kutsua …",
"You were kicked from %(roomName)s by %(memberName)s": "%(memberName)s poisti sinut huoneesta %(roomName)s",
@ -1460,15 +1341,14 @@
"Your profile": "Oma profiilisi",
"Your Matrix account on <underlinedServerName />": "Matrix-tilisi palvelimella <underlinedServerName />",
"Cannot reach homeserver": "Kotipalvelinta ei voida tavoittaa",
"Your Riot is misconfigured": "Riotin asetukset ovat pielessä",
"Your %(brand)s is misconfigured": "%(brand)sin asetukset ovat pielessä",
"Cannot reach identity server": "Identiteettipalvelinta ei voida tavoittaa",
"Ensure you have a stable internet connection, or get in touch with the server admin": "Varmista, että internet-yhteytesi on vakaa, tai ota yhteyttä palvelimen ylläpitäjään",
"Ask your Riot admin to check <a>your config</a> for incorrect or duplicate entries.": "Pyydä Riot-ylläpitäjääsi tarkistamaan, onko <a>asetuksissasi</a>virheellisiä tai toistettuja merkintöjä.",
"Ask your %(brand)s admin to check <a>your config</a> for incorrect or duplicate entries.": "Pyydä %(brand)s-ylläpitäjääsi tarkistamaan, onko <a>asetuksissasi</a>virheellisiä tai toistettuja merkintöjä.",
"You can register, but some features will be unavailable until the identity server is back online. If you keep seeing this warning, check your configuration or contact a server admin.": "Voit rekisteröityä, mutta osa toiminnoista on pois käytöstä kunnes identiteettipalvelin on jälleen toiminnassa. Jos tämä varoitus toistuu, tarkista asetuksesi tai ota yhteyttä palvelimen ylläpitäjään.",
"You can reset your password, but some features will be unavailable until the identity server is back online. If you keep seeing this warning, check your configuration or contact a server admin.": "Voit palauttaa salasanasi, mutta osa toiminnoista on pois käytöstä kunnes identiteettipalvelin on jälleen toiminnassa. Jos tämä varoitus toistuu, tarkista asetuksesi tai ota yhteyttä palvelimen ylläpitäjään.",
"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.": "Voit kirjautua, mutta osa toiminnoista on pois käytöstä kunnes identiteettipalvelin on jälleen toiminnassa. Jos tämä varoitus toistuu, tarkista asetuksesi tai ota yhteyttä palvelimen ylläpitäjään.",
"Unexpected error resolving identity server configuration": "Odottamaton virhe selvitettäessä identiteettipalvelimen asetuksia",
"Show recently visited rooms above the room list": "Näytä hiljattain vieraillut huoneet huonelistan yläpuolella",
"Low bandwidth mode": "Matalan kaistanleveyden tila",
"Uploaded sound": "Ladattu ääni",
"Sounds": "Äänet",
@ -1597,8 +1477,8 @@
"An error occurred changing the user's power level. Ensure you have sufficient permissions and try again.": "Käyttäjän oikeustasoa muutettaessa tapahtui virhe. Varmista, että sinulla on riittävät oikeudet ja yritä uudelleen.",
"For a large amount of messages, this might take some time. Please don't refresh your client in the meantime.": "Suuren viestimäärän tapauksessa toiminto voi kestää jonkin aikaa. Älä lataa asiakasohjelmaasi uudelleen sillä aikaa.",
"An error (%(errcode)s) was returned while trying to validate your invite. You could try to pass this information on to a room admin.": "Kutsusi validoinnin yrittäminen palautti virheen (%(errcode)s). Voit koettaa välittää tämän tiedon huoneen ylläpitäjälle.",
"Use an identity server in Settings to receive invites directly in Riot.": "Aseta identiteettipalvelin asetuksissa saadaksesi kutsuja suoraan Riotissa.",
"Share this email in Settings to receive invites directly in Riot.": "Jaa tämä sähköposti asetuksissa saadaksesi kutsuja suoraan Riotissa.",
"Use an identity server in Settings to receive invites directly in %(brand)s.": "Aseta identiteettipalvelin asetuksissa saadaksesi kutsuja suoraan %(brand)sissa.",
"Share this email in Settings to receive invites directly in %(brand)s.": "Jaa tämä sähköposti asetuksissa saadaksesi kutsuja suoraan %(brand)sissa.",
"Please fill why you're reporting.": "Kerro miksi teet ilmoitusta.",
"Report Content to Your Homeserver Administrator": "Ilmoita sisällöstä kotipalvelimesi ylläpitäjälle",
"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.": "Tämän viestin ilmoittaminen lähettää sen yksilöllisen tapahtumatunnuksen (event ID) kotipalvelimesi ylläpitäjälle. Jos tämän huoneen viestit on salattu, kotipalvelimesi ylläpitäjä ei voi lukea viestin tekstiä tai nähdä tiedostoja tai kuvia.",
@ -1616,14 +1496,9 @@
"Deactivate user?": "Deaktivoi käyttäjä?",
"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?": "Käyttäjän deaktivoiminen kirjaa hänet ulos ja estää häntä kirjautumasta takaisin sisään. Lisäksi hän poistuu kaikista huoneista, joissa hän on. Tätä toimintoa ei voi kumota. Oletko varma, että haluat deaktivoida tämän käyttäjän?",
"Deactivate user": "Deaktivoi käyttäjä",
"Link this email with your account in Settings to receive invites directly in Riot.": "Linkitä tämä sähköposti tilisi kanssa asetuksissa, jotta voit saada kutsuja suoraan Riotissa.",
"Room alias": "Huoneen alias",
"Link this email with your account in Settings to receive invites directly in %(brand)s.": "Linkitä tämä sähköposti tilisi kanssa asetuksissa, jotta voit saada kutsuja suoraan %(brand)sissa.",
"e.g. my-room": "esim. oma-huone",
"Please provide a room alias": "Anna huoneen alias",
"This alias is available to use": "Alias on käytettävissä",
"This alias is already in use": "Alias on jo käytössä",
"Please enter a name for the room": "Syötä huoneelle nimi",
"Set a room alias to easily share your room with other people.": "Aseta huoneelle alias, jotta voit helposti jakaa huoneesi muiden kanssa.",
"This room is private, and can only be joined by invitation.": "Tämä huone on yksityinen ja siihen voi liittyä vain kutsulla.",
"Create a public room": "Luo julkinen huone",
"Create a private room": "Luo yksityinen huone",
@ -1684,7 +1559,6 @@
"My Ban List": "Tekemäni estot",
"This is your list of users/servers you have blocked - don't leave the room!": "Tämä on luettelo käyttäjistä ja palvelimista, jotka olet estänyt - älä poistu huoneesta!",
"Something went wrong. Please try again or view your console for hints.": "Jotain meni vikaan. Yritä uudelleen tai katso vihjeitä konsolista.",
"Please verify the room ID or alias and try again.": "Varmista huoneen tunnus tai alias ja yritä uudelleen.",
"Please try again or view your console for hints.": "Yritä uudelleen tai katso vihjeitä konsolista.",
"⚠ These settings are meant for advanced users.": "⚠ Nämä asetukset on tarkoitettu edistyneille käyttäjille.",
"eg: @bot:* or example.org": "esim. @bot:* tai esimerkki.org",
@ -1708,7 +1582,7 @@
"Your avatar URL": "Profiilikuvasi URL-osoite",
"Your user ID": "Käyttäjätunnuksesi",
"Your theme": "Teemasi",
"Riot URL": "Riotin URL-osoite",
"%(brand)s URL": "%(brand)sin URL-osoite",
"Room ID": "Huoneen tunnus",
"Widget ID": "Sovelman tunnus",
"Using this widget may share data <helpIcon /> with %(widgetDomain)s.": "Tämän sovelman käyttäminen voi jakaa tietoja <helpIcon /> verkkotunnukselle %(widgetDomain)s.",
@ -1719,7 +1593,6 @@
"Use an identity server to invite by email. Manage in Settings.": "Voit käyttää identiteettipalvelinta sähköpostikutsujen lähettämiseen.",
"Multiple integration managers": "Useita integraatiolähteitä",
"Try out new ways to ignore people (experimental)": "Kokeile uusia tapoja käyttäjien huomiotta jättämiseen (kokeellinen)",
"Enable local event indexing and E2EE search (requires restart)": "Ota käyttöön paikallinen tapahtumaindeksointi ja paikallinen haku salatuista viesteistä (vaatii uudelleenlatauksen)",
"Match system theme": "Käytä järjestelmän teemaa",
"Decline (%(counter)s)": "Hylkää (%(counter)s)",
"Connecting to integration manager...": "Yhdistetään integraatioiden lähteeseen...",
@ -1742,7 +1615,6 @@
"You are currently ignoring:": "Jätät tällä hetkellä huomiotta:",
"You are not subscribed to any lists": "Et ole liittynyt yhteenkään listaan",
"You are currently subscribed to:": "Olet tällä hetkellä liittynyt:",
"Add users and servers you want to ignore here. Use asterisks to have Riot match any characters. For example, <code>@bot:*</code> would ignore all users that have the name 'bot' on any server.": "Lisää käyttäjät ja palvelimet, jotka haluat jättää huomiotta. Voit käyttää asteriskia(*) täsmätäksesi mihin tahansa merkkeihin. Esimerkiksi, <code>@bot:*</code> jättäisi huomiotta kaikki käyttäjät, joiden nimi alkaa kirjaimilla ”bot”.",
"Ignoring people is done through ban lists which contain rules for who to ban. Subscribing to a ban list means the users/servers blocked by that list will be hidden from you.": "Käyttäjien huomiotta jättäminen tapahtuu estolistojen kautta, joissa on tieto siitä, kenet pitää estää. Estolistalle liittyminen tarkoittaa, että ne käyttäjät/palvelimet, jotka tämä lista estää, eivät näy sinulle.",
"Personal ban list": "Henkilökohtainen estolista",
"Your personal ban list holds all the users/servers you personally don't want to see messages from. After ignoring your first user/server, a new room will show up in your room list named 'My Ban List' - stay in this room to keep the ban list in effect.": "Henkilökohtainen estolistasi sisältää kaikki käyttäjät/palvelimet, joilta et henkilökohtaisesti halua nähdä viestejä. Sen jälkeen, kun olet estänyt ensimmäisen käyttäjän/palvelimen, huonelistaan ilmestyy uusi huone nimeltä ”Tekemäni estot” (englanniksi ”My Ban List”). Pysy tässä huoneessa, jotta estolistasi pysyy voimassa.",
@ -1750,10 +1622,8 @@
"Subscribed lists": "Tilatut listat",
"Subscribing to a ban list will cause you to join it!": "Estolistan käyttäminen saa sinut liittymään listalle!",
"If this isn't what you want, please use a different tool to ignore users.": "Jos tämä ei ole mitä haluat, käytä eri työkalua käyttäjien huomiotta jättämiseen.",
"Room ID or alias of ban list": "Huoneen tunnus tai estolistan alias",
"Integration Manager": "Integraatioiden lähde",
"Read Marker lifetime (ms)": "Viestin luetuksi merkkaamisen kesto (ms)",
"Read Marker off-screen lifetime (ms)": "Viestin luetuksi merkkaamisen kesto, kun Riot ei ole näkyvissä (ms)",
"Click the link in the email you received to verify and then click continue again.": "Klikkaa lähettämässämme sähköpostissa olevaa linkkiä vahvistaaksesi tunnuksesi. Klikkaa sen jälkeen tällä sivulla olevaa painiketta ”Jatka”.",
"Complete": "Valmis",
"Revoke": "Kumoa",
@ -1785,13 +1655,12 @@
"Integrations are disabled": "Integraatiot ovat pois käytöstä",
"Enable 'Manage Integrations' in Settings to do this.": "Ota integraatiot käyttöön asetuksista kohdasta ”Hallitse integraatioita”.",
"Integrations not allowed": "Integraatioiden käyttö on kielletty",
"Your Riot doesn't allow you to use an Integration Manager to do this. Please contact an admin.": "Riot-instanssisi ei salli sinun käyttävän integraatioiden lähdettä tämän tekemiseen. Ota yhteys ylläpitäjääsi.",
"Your %(brand)s doesn't allow you to use an Integration Manager to do this. Please contact an admin.": "%(brand)s-instanssisi ei salli sinun käyttävän integraatioiden lähdettä tämän tekemiseen. Ota yhteys ylläpitäjääsi.",
"Reload": "Lataa uudelleen",
"Take picture": "Ota kuva",
"Remove for everyone": "Poista kaikilta",
"Remove for me": "Poista minulta",
"Verification Request": "Varmennuspyyntö",
" (1/%(totalCount)s)": " (1/%(totalCount)s)",
"Failed to get autodiscovery configuration from server": "Automaattisen etsinnän asetusten hakeminen palvelimelta epäonnistui",
"Invalid base_url for m.homeserver": "Epäkelpo base_url palvelimelle m.homeserver",
"Invalid base_url for m.identity_server": "Epäkelpo base_url palvelimelle m.identity_server",
@ -1803,7 +1672,6 @@
"Customise your experience with experimental labs features. <a>Learn more</a>.": "Muokkaa kokemustasi kokeellisilla laboratio-ominaisuuksia. <a>Tutki vaihtoehtoja</a>.",
"Error upgrading room": "Virhe päivitettäessä huonetta",
"Double check that your server supports the room version chosen and try again.": "Tarkista, että palvelimesi tukee valittua huoneversiota ja yritä uudelleen.",
"Send cross-signing keys to homeserver": "Lähetä ristivarmennuksen tarvitsemat avaimet kotipalvelimelle",
"%(senderName)s removed the rule banning users matching %(glob)s": "%(senderName)s poisti porttikiellon käyttäjiltä, jotka täsmäsivät sääntöön %(glob)s",
"%(senderName)s removed the rule banning rooms matching %(glob)s": "%(senderName)s poisti huoneita estävän säännön %(glob)s",
"%(senderName)s removed the rule banning servers matching %(glob)s": "%(senderName)s poisti palvelimia estävän säännön %(glob)s",
@ -1852,16 +1720,9 @@
"Upgrade private room": "Päivitä yksityinen huone",
"Upgrade public room": "Päivitä julkinen huone",
"Upgrading a room is an advanced action and is usually recommended when a room is unstable due to bugs, missing features or security vulnerabilities.": "Huoneen päivittäminen on monimutkainen toimenpide ja yleensä sitä suositellaan, kun huone on epävakaa bugien, puuttuvien ominaisuuksien tai tietoturvaongelmien takia.",
"This usually only affects how the room is processed on the server. If you're having problems with your Riot, please <a>report a bug</a>.": "Tämä yleensä vaikuttaa siihen, miten huonetta käsitellään palvelimella. Jos sinulla on ongelmia Riottisi kanssa, <a>ilmoita virheestä</a>.",
"This usually only affects how the room is processed on the server. If you're having problems with your %(brand)s, please <a>report a bug</a>.": "Tämä yleensä vaikuttaa siihen, miten huonetta käsitellään palvelimella. Jos sinulla on ongelmia %(brand)stisi kanssa, <a>ilmoita virheestä</a>.",
"You'll upgrade this room from <oldVersion /> to <newVersion />.": "Olat päivittämässä tätä huonetta versiosta <oldVersion/> versioon <newVersion/>.",
"Upgrade": "Päivitä",
"Enter secret storage passphrase": "Syötä salavaraston salalause",
"Unable to access secret storage. Please verify that you entered the correct passphrase.": "Salavavaraston avaaminen epäonnistui. Varmista, että syötit oikean salalauseen.",
"<b>Warning</b>: You should only access secret storage from a trusted computer.": "<b>Varoitus</b>: sinun pitäisi käyttää salavarastoa vain luotetulta tietokoneelta.",
"If you've forgotten your passphrase you can <button1>use your recovery key</button1> or <button2>set up new recovery options</button2>.": "Jos olet unohtanut salalauseesi, voit <button1>käyttää palautusavaintasi</button1> tai <button2>asettaa uusia palautusvaihtoehtoja</button2>.",
"Enter secret storage recovery key": "Syötä salavaraston palautusavain",
"Unable to access secret storage. Please verify that you entered the correct recovery key.": "Salavaraston käyttö epäonnistui. Varmista, että syötit oikean palautusavaimen.",
"If you've forgotten your recovery key you can <button>set up new recovery options</button>.": "Jos olet unohtanut palautusavaimesi, voit <button>ottaa käyttöön uusia palautusvaihtoehtoja</button>.",
"<b>Warning</b>: You should only set up key backup from a trusted computer.": "<b>Varoitus</b>: sinun pitäisi ottaa avainten varmuuskopiointi käyttöön vain luotetulla tietokoneella.",
"If you've forgotten your recovery key you can <button>set up new recovery options</button>": "Jos olet unohtanut palautusavaimesi, voit <button>ottaa käyttöön uusia palautusvaihtoehtoja</button>",
"Notification settings": "Ilmoitusasetukset",
@ -1869,27 +1730,18 @@
"User Status": "Käyttäjän tila",
"Country Dropdown": "Maapudotusvalikko",
"Set up with a recovery key": "Ota käyttöön palautusavaimella",
"As a safety net, you can use it to restore your access to encrypted messages if you forget your passphrase.": "Turvaverkkona, voit käyttää sitä palauttamaan pääsysi salattuihin viesteihin, jos unohdat salalauseesi.",
"As a safety net, you can use it to restore your access to encrypted messages.": "Turvaverkkona, voit käyttää sitä palauttamaan pääsysi salattuihin viesteihisi.",
"Keep your recovery key somewhere very secure, like a password manager (or a safe).": "Pidä palautusavaimesi jossain hyvin turvallisessa paikassa, kuten salasananhallintasovelluksessa (tai kassakaapissa).",
"Your recovery key has been <b>copied to your clipboard</b>, paste it to:": "Palautusavaimesi on <b>kopioitu leikepöydällesi</b>. Liitä se:",
"Your recovery key is in your <b>Downloads</b> folder.": "Palautusavaimesi on <b>Lataukset</b>-kansiossasi.",
"Storing secrets...": "Tallennetaan salaisuuksia...",
"Unable to set up secret storage": "Salavaraston käyttöönotto epäonnistui",
"Show more": "Näytä lisää",
"Recent Conversations": "Viimeaikaiset keskustelut",
"Direct Messages": "Yksityisviestit",
"Go": "Mene",
"Lock": "Lukko",
"The version of Riot": "Riotin versio",
"Whether you're using Riot on a device where touch is the primary input mechanism": "Käytätkö Riotia laitteella, jossa kosketus on ensisijainen syöttömekanismi",
"Whether you're using Riot as an installed Progressive Web App": "Käytätkö Riotia asennettuna PWA:na (Progressive Web App)",
"The information being sent to us to help make Riot better includes:": "Tietoihin, joita lähetetään Riotin kehittäjille sovelluksen kehittämiseksi sisältyy:",
"Whether you're using %(brand)s on a device where touch is the primary input mechanism": "Käytätkö %(brand)sia laitteella, jossa kosketus on ensisijainen syöttömekanismi",
"Whether you're using %(brand)s as an installed Progressive Web App": "Käytätkö %(brand)sia asennettuna PWA:na (Progressive Web App)",
"Cancel entering passphrase?": "Peruuta salalauseen syöttäminen?",
"Encryption upgrade available": "Salauksen päivitys saatavilla",
"%(senderName)s added %(addedAddresses)s and %(count)s other addresses to this room|other": "%(senderName)s lisäsi osoitteet %(addedAddresses)s ja %(count)s muuta osoitetta tähän huoneeseen",
"%(senderName)s removed %(removedAddresses)s and %(count)s other addresses from this room|other": "%(senderName)s poisti osoitteet %(removedAddresses)s ja %(count)s muuta osoitetta tästä huoneesta",
"%(senderName)s removed %(countRemoved)s and added %(countAdded)s addresses to this room": "%(senderName)s poisti %(countRemoved)s ja lisäsi %(countAdded)s osoitetta tähän huoneeseen",
"a few seconds ago": "muutama sekunti sitten",
"about a minute ago": "noin minuutti sitten",
"%(num)s minutes ago": "%(num)s minuuttia sitten",
@ -1901,7 +1753,6 @@
"Show typing notifications": "Näytä kirjoitusilmoitukset",
"or": "tai",
"Start": "Aloita",
"Confirm the emoji below are displayed on both devices, in the same order:": "Varmista, että alla olevat emojit näkyvät molemmilla laitteilla, samassa järjestyksessä:",
"To be secure, do this in person or use a trusted way to communicate.": "Turvallisuuden varmistamiseksi tee tämä kasvokkain tai käytä luotettua viestintätapaa.",
"Later": "Myöhemmin",
"Show less": "Näytä vähemmän",
@ -1917,7 +1768,6 @@
"Done": "Valmis",
"Got it": "Asia selvä",
"Failed to find the following users": "Seuraavia käyttäjiä ei löytynyt",
"Backup restored": "Varmuuskopio palautettu",
"Go Back": "Takaisin",
"Copy": "Kopioi",
"Upgrade your encryption": "Päivitä salauksesi",
@ -1937,17 +1787,12 @@
"Clear all data in this session?": "Poista kaikki tämän istunnon tiedot?",
"Clearing all data from this session is permanent. Encrypted messages will be lost unless their keys have been backed up.": "Kaikkien tämän istunnon tietojen poistaminen on pysyvää. Salatut viestit menetetään, ellei niiden avaimia ole varmuuskopioitu.",
"Session name": "Istunnon nimi",
"You added a new session '%(displayName)s', which is requesting encryption keys.": "Lisäsit uuden istunnon '%(displayName)s', joka pyytää salausavaimia.",
"Loading session info...": "Ladataan istunnon tietoja...",
"New session": "Uusi istunto",
"To report a Matrix-related security issue, please read the Matrix.org <a>Security Disclosure Policy</a>.": "Raportoidaksesi Matrixiin liittyvän tietoturvaongelman, lue Matrix.orgin <a>tietoturvaongelmien julkaisukäytäntö</a>.",
"Message search": "Viestihaku",
"Sessions": "Istunnot",
"This room is bridging messages to the following platforms. <a>Learn more.</a>": "Tämä huone siltaa viestejä seuraaville alustoille. <a>Lue lisää.</a>",
"<requestLink>Re-request encryption keys</requestLink> from your other sessions.": "<requestLink>Pyydä uudelleen salausavaimia </requestLink> muista istunnoistasi.",
"Mark all as read": "Merkitse kaikki luetuiksi",
"Alternative addresses for this room:": "Tämän huoneen vaihtoehtoiset osoitteet:",
"This room has no alternative addresses": "Tällä huoneella ei ole vaihtoehtoisia osoitteita",
"Accepting…": "Hyväksytään…",
"One of the following may be compromised:": "Jokin seuraavista saattaa olla vaarantunut:",
"Your homeserver": "Kotipalvelimesi",
@ -1964,24 +1809,15 @@
"Suggestions": "Ehdotukset",
"Your account is not secure": "Tilisi ei ole turvallinen",
"Your password": "Salasanasi",
"Room contains unknown sessions": "Huoneessa on tuntemattomia istuntoja",
"\"%(RoomName)s\" contains sessions that you haven't seen before.": "\"%(RoomName)s\" sisältää istuntoja, joita et ole nähnyt aiemmin.",
"Incorrect recovery passphrase": "Virheellinen palautuksen salalause",
"Enter recovery passphrase": "Syötä palautuksen salalause",
"Enter recovery key": "Syötä palautusavain",
"Confirm your identity by entering your account password below.": "Vahvista henkilöllisyytesi syöttämällä tilisi salasana alle.",
"Message not sent due to unknown sessions being present": "Viestiä ei lähetetty, koska läsnä on tuntemattomia istuntoja",
"<showSessionsText>Show sessions</showSessionsText>, <sendAnywayText>send anyway</sendAnywayText> or <cancelText>cancel</cancelText>.": "<showSessionsText>Näytä istunnot</showSessionsText>, <sendAnywayText>lähetä silti</sendAnywayText> tai <cancelText>peruuta</cancelText>.",
"Sender session information": "Tietoa lähettäjän istunnosta",
"Enter your account password to confirm the upgrade:": "Syötä tilisi salasana vahvistaaksesi päivityksen:",
"Restore": "Palauta",
"Enter a passphrase": "Syötä salalause",
"Back up my encryption keys, securing them with the same passphrase": "Varmuuskopioi salausavaimeni, suojaten ne samalla salalauseella",
"Enter your passphrase a second time to confirm it.": "Syötä salalauseesi uudestaan vahvistaaksesi sen.",
"Keep a copy of it somewhere secure, like a password manager or even a safe.": "Säilytä sitä turvallisessa paikassa, kuten salasanojen hallintaohjelmassa tai jopa kassakaapissa.",
"Your recovery key": "Palautusavaimesi",
"Make a copy of your recovery key": "Tee kopio palautusavaimestasi",
"You're done!": "Valmis!",
"Not currently indexing messages for any room.": "Minkään huoneen viestejä ei tällä hetkellä indeksoida.",
"Space used:": "Käytetty tila:",
"Indexed messages:": "Indeksoidut viestit:",
@ -1990,7 +1826,6 @@
"Your user agent": "Käyttäjäagenttisi",
"Verify this session": "Vahvista tämä istunto",
"Set up encryption": "Ota salaus käyttöön",
"Unverified session": "Vahvistamaton istunto",
"Sign In or Create Account": "Kirjaudu sisään tai luo tili",
"Use your account or create a new one to continue.": "Käytä tiliäsi tai luo uusi jatkaaksesi.",
"Create Account": "Luo tili",
@ -1998,7 +1833,6 @@
"WARNING: Session already verified, but keys do NOT MATCH!": "VAROITUS: Istunto on jo vahvistettu, mutta avaimet EIVÄT VASTAA!",
"Not Trusted": "Ei luotettu",
"Ask this user to verify their session, or manually verify it below.": "Pyydä tätä käyttäjää vahvistamaan istuntonsa, tai vahvista se manuaalisesti alla.",
"Manually Verify": "Manuaalisesti vahvista",
"a few seconds from now": "muutama sekunti sitten",
"about a minute from now": "noin minuutti sitten",
"%(num)s minutes from now": "%(num)s minuuttia sitten",
@ -2006,15 +1840,11 @@
"%(num)s hours from now": "%(num)s tuntia sitten",
"about a day from now": "noin päivä sitten",
"%(num)s days from now": "%(num)s päivää sitten",
"Show padlocks on invite only rooms": "Näytä lukko vain-kutsu huoneissa",
"Never send encrypted messages to unverified sessions from this session": "Älä koskaan lähetä salattuja viestejä vahvistamattomiin istuntoihin tästä istunnosta",
"Never send encrypted messages to unverified sessions in this room from this session": "Älä lähetä salattuja viestejä vahvistamattomiin istuntoihin tässä huoneessa tässä istunnossa",
"Order rooms by name": "Suodata huoneet nimellä",
"There are unknown sessions in this room: if you proceed without verifying them, it will be possible for someone to eavesdrop on your call.": "Tässä huoneessa on tuntemattomia istuntoja: jos jatkat varmentamatta niitä, saattaa olla, että joku kuuntelee puheluasi.",
"Review Sessions": "Tarkasta istunnot",
"If you cancel now, you won't complete verifying the other user.": "Jo peruutat nyt, toista käyttäjää ei varmenneta.",
"If you cancel now, you won't complete verifying your other session.": "Jos peruutat nyt, toista istuntoasi ei varmenneta.",
"If you cancel now, you won't complete your secret storage operation.": "Jos peruutat nyt, salavarasto-toimintoa ei suoriteta.",
"Setting up keys": "Otetaan avaimet käyttöön",
"Verifies a user, session, and pubkey tuple": "Varmentaa käyttäjän, istunnon ja julkiset avaimet",
"WARNING: KEY VERIFICATION FAILED! The signing key for %(userId)s and session %(deviceId)s is \"%(fprint)s\" which does not match the provided key \"%(fingerprint)s\". This could mean your communications are being intercepted!": "VAROITUS: AVAIMEN VARMENTAMINEN EPÄONNISTUI! Käyttäjän %(userId)s ja laitteen %(deviceId)s istunnon allekirjoitusavain on ”%(fprint)s”, mikä ei täsmää annettuun avaimeen ”%(fingerprint)s”. Tämä voi tarkoittaa, että yhteyksiänne peukaloidaan!",
@ -2029,19 +1859,15 @@
"%(senderName)s changed the main and alternative addresses for this room.": "%(senderName)s muutti tämän huoneen pää- sekä vaihtoehtoisia osoitteita.",
"%(senderName)s changed the addresses for this room.": "%(senderName)s muutti tämän huoneen osoitteita.",
"%(name)s (%(userId)s) signed in to a new session without verifying it:": "%(name)s (%(userId)s) kirjautui uudella istunnolla varmentamatta sitä:",
"Show a presence dot next to DMs in the room list": "Näytä huonelistassa piste läsnäolon merkiksi yksityisviestien vieressä",
"Support adding custom themes": "Tue mukaututettujen teemojen lisäämistä",
"Enable cross-signing to verify per-user instead of per-session (in development)": "Ota ristivarmennus käyttöön varmentaaksesi käyttäjät istuntojen sijaan (kehitysversio)",
"Show rooms with unread notifications first": "Näytä ensin huoneet, joissa on lukemattomia viestejä",
"Show shortcuts to recently viewed rooms above the room list": "Näytä oikotiet viimeiseksi katsottuihin huoneisiin huoneluettelon yläpuolella",
"Enable message search in encrypted rooms": "Ota viestihaku salausta käyttävissä huoneissa käyttöön",
"Keep secret storage passphrase in memory for this session": "Pidä salavaraston salalause muistissa tämän istunnon ajan",
"How fast should messages be downloaded.": "Kuinka nopeasti viestit pitäisi ladata.",
"Verify this session by completing one of the following:": "Varmenna tämä istunto tekemällä yhden seuraavista:",
"Scan this unique code": "Skannaa tämä uniikki koodi",
"Compare unique emoji": "Vertaa uniikkia emojia",
"Compare a unique set of emoji if you don't have a camera on either device": "Vertaa kokoelmaa uniikkeja emojeja, jos kummassakaan laitteessa ei ole kameraa",
"Verify this device by confirming the following number appears on its screen.": "Varmenna tämä laite varmistamalla, että seuraava numero ilmestyy sen näytölle.",
"Waiting for %(displayName)s to verify…": "Odotetaan käyttäjän %(displayName)s varmennusta…",
"Cancelling…": "Peruutetaan…",
"They match": "Ne täsmäävät",
@ -2053,8 +1879,6 @@
"This bridge is managed by <user />.": "Tätä siltaa hallinnoi käyttäjä <user />.",
"Workspace: %(networkName)s": "Työtila: %(networkName)s",
"Channel: %(channelName)s": "Kanava: %(channelName)s",
"outdated": "vanhentunut",
"up to date": "ajan tasalla",
"Delete %(count)s sessions|other": "Poista %(count)s istuntoa",
"Enable": "Ota käyttöön",
"Backup is not signed by any of your sessions": "Mikään istuntosi ei ole allekirjoittanut varmuuskopiota",
@ -2062,7 +1886,6 @@
"Add theme": "Lisää teema",
"Scroll to most recent messages": "Vieritä tuoreimpiin viesteihin",
"There was an error updating the room's alternative addresses. It may not be allowed by the server or a temporary failure occurred.": "Huoneen vaihtoehtoisten osoitteiden päivittämisessä tapahtui virhe. Palvelin ei ehkä salli sitä tai kyseessä oli tilapäinen virhe.",
"You don't have permission to delete the alias.": "Sinulla ei ole lupaa poistaa aliasta.",
"Local address": "Paikallinen osoite",
"Local Addresses": "Paikalliset osoitteet",
"Set addresses for this room so users can find this room through your homeserver (%(localDomain)s)": "Aseta osoitteita tälle huoneelle, jotta käyttäjät löytävät tämän huoneen kotipalvelimeltasi (%(localDomain)s)",
@ -2082,8 +1905,6 @@
"Add a new server...": "Lisää uusi palvelin...",
"If you didnt sign in to this session, your account may be compromised.": "Jos et kirjautunut tähän istuntoon, käyttäjätilisi saattaa olla vaarantunut.",
"This wasn't me": "Tämä en ollut minä",
"Unknown sessions": "Tuntemattomat istunnot",
"Waiting…": "Odotetaan…",
"Disable": "Poista käytöstä",
"Calls": "Puhelut",
"Room List": "Huoneluettelo",
@ -2137,7 +1958,6 @@
"Send a Direct Message": "Lähetä yksityisviesti",
"Explore Public Rooms": "Selaa julkisia huoneita",
"Create a Group Chat": "Luo ryhmäkeskustelu",
"Secure your encryption keys with a passphrase. For maximum security this should be different to your account password:": "Suojaa salausavaimesi salalauseella. Parhaan turvallisuuden takaamiseksi sen tulisi olla eri kuin käyttäjätilisi salasana:",
"Super": "Super",
"Cancel replying to a message": "Peruuta viestiin vastaaminen",
"Jump to room search": "Siirry huonehakuun",
@ -2153,11 +1973,9 @@
"Submit logs": "Lähetä lokit",
"Reminder: Your browser is unsupported, so your experience may be unpredictable.": "Muistutus: Selaintasi ei tueta, joten voit kohdata yllätyksiä.",
"There was a problem communicating with the server. Please try again.": "Palvelinyhteydessä oli ongelma. Yritä uudelleen.",
"<b>Warning</b>: You should only do this on a trusted computer.": "<b>Varoitus</b>: Tee tämä ainoastaan luotetulla tietokoneella.",
"Syncing...": "Synkronoidaan...",
"Signing In...": "Kirjaudutaan sisään...",
"If you've joined lots of rooms, this might take a while": "Jos olet liittynyt moniin huoneisiin, tässä voi kestää hetken",
"Use your other device to continue…": "Jatka toisella laitteellasi…",
"Click the button below to confirm adding this email address.": "Klikkaa alapuolella olevaa painiketta lisätäksesi tämän sähköpostiosoitteen.",
"Click the button below to confirm adding this phone number.": "Klikkaa alapuolella olevaa painiketta lisätäksesi tämän puhelinnumeron.",
"If you cancel now, you won't complete your operation.": "Jos peruutat, toimintoa ei suoriteta loppuun.",
@ -2187,16 +2005,13 @@
"%(completed)s of %(total)s keys restored": "%(completed)s / %(total)s avainta palautettu",
"Keys restored": "Avaimet palautettu",
"Successfully restored %(sessionCount)s keys": "%(sessionCount)s avaimen palautus onnistui",
"This requires the latest Riot on your other devices:": "Tämä vaatii uusimman Riotin muilla laitteillasi:",
"This requires the latest %(brand)s on your other devices:": "Tämä vaatii uusimman %(brand)sin muilla laitteillasi:",
"Currently indexing: %(currentRoom)s": "Indeksoidaan huonetta: %(currentRoom)s",
"Jump to oldest unread message": "Siirry vanhimpaan lukemattomaan viestiin",
"Opens chat with the given user": "Avaa keskustelun annetun käyttäjän kanssa",
"Sends a message to the given user": "Lähettää viestin annetulle käyttäjälle",
"Manually Verify by Text": "Varmenna käsin tekstillä",
"Interactively verify by Emoji": "Varmenna interaktiivisesti emojilla",
"Use IRC layout": "Käytä IRC-asettelua",
"Enable cross-signing to verify per-user instead of per-session": "Ota ristivarmennus käyttöön varmentaaksesi käyttäjät istuntojen sijaan",
"Keep recovery passphrase in memory for this session": "Pidä palautuksen salalause muistissa tämän istunnon ajan",
"Manually verify all remote sessions": "Varmenna kaikki etäistunnot käsin",
"IRC display name width": "IRC-näyttönimen leveys",
"Verify this session by confirming the following number appears on its screen.": "Varmenna tämä istunto varmistamalla, että seuraava numero ilmestyy sen näytölle.",
@ -2210,8 +2025,7 @@
"Reset cross-signing and secret storage": "Nollaa ristivarmennus ja salavarasto",
"Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "Varmenna jokainen käyttäjän istunto erikseen, äläkä luota ristivarmennettuihin laitteisiin.",
"Securely cache encrypted messages locally for them to appear in search results.": "Pidä salatut viestit turvallisessa välimuistissa, jotta ne näkyvät hakutuloksissa.",
"Riot is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom Riot Desktop with <nativeLink>search components added</nativeLink>.": "Riotissa ei ole joitain komponentteja, joita tarvitaan viestien turvalliseen välimuistitallennukseen. Jos haluat kokeilla tätä ominaisuutta, käännä mukautettu Riot Desktop, jossa on mukana <nativeLink>hakukomponentit</nativeLink>.",
"Riot can't securely cache encrypted messages locally while running in a web browser. Use <riotLink>Riot Desktop</riotLink> for encrypted messages to appear in search results.": "Riot ei voi tallentaa viestejä turvalliseen välimuistiin pyöriessään selaimessa. Käytä Electron-pohjaista <riotLink>Riot Desktop</riotLink>-sovellusta nähdäksesi salatut viestit hakutuloksissa.",
"%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with <nativeLink>search components added</nativeLink>.": "%(brand)sissa ei ole joitain komponentteja, joita tarvitaan viestien turvalliseen välimuistitallennukseen. Jos haluat kokeilla tätä ominaisuutta, käännä mukautettu %(brand)s Desktop, jossa on mukana <nativeLink>hakukomponentit</nativeLink>.",
"This session is backing up your keys. ": "Tämä istunto varmuuskopioi avaimesi. ",
"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.": "Tämä istunto <b>ei varmuuskopioi avaimiasi</b>, mutta sillä on olemassaoleva varmuuskopio, jonka voit palauttaa ja lisätä jatkaaksesi.",
"Connect this session to key backup before signing out to avoid losing any keys that may only be on this session.": "Yhdistä tämä istunto avainten varmuuskopiointiin ennen uloskirjautumista, jotta et menetä avaimia, jotka ovat vain tässä istunnossa.",
@ -2221,7 +2035,6 @@
"Backup has an <validity>invalid</validity> signature from <verify>verified</verify> session <device></device>": "Varmuuskopiossa on <validity>epäkelpo</validity> allekirjoitus <verify>varmennetusta</verify> istunnosta <device></device>",
"Backup has an <validity>invalid</validity> signature from <verify>unverified</verify> session <device></device>": "Varmuuskopiossa on <validity>epäkelpo</validity> allekirjoitus <verify>varmentamattomasta</verify> istunnosta <device></device>",
"This backup is trusted because it has been restored on this session": "Tähän varmuuskopioon luotetaan, koska se on palautettu tässä istunnossa",
"Backup key stored in secret storage, but this feature is not enabled on this session. Please enable cross-signing in Labs to modify key backup state.": "Vara-avain on salavarastossa, mutta salavarasto ei ole käytössä tässä istunnossa. Ota ristivarmennus käyttöön Laboratoriosta muokkaaksesi avainten varmuuskopioinnin tilaa.",
"Your keys are <b>not being backed up from this session</b>.": "Avaimiasi <b>ei varmuuskopioida tästä istunnosta</b>.",
"Your password was successfully changed. You will not receive push notifications on other sessions until you log back in to them": "Salasanasi on onnistuneesti vaihdettu. Et saa ilmoituksia muilla laitteillasi ennen kuin kirjaudut niillä takaisin sisään",
"Invalid theme schema.": "Epäkelpo teeman skeema.",
@ -2236,16 +2049,11 @@
"You have verified this user. This user has verified all of their sessions.": "Olet varmentanut tämän käyttäjän. Tämä käyttäjä on varmentanut kaikki istuntonsa.",
"This room is end-to-end encrypted": "Tämä huone käyttää osapuolten välistä salausta",
"Everyone in this room is verified": "Kaikki tämän huoneen käyttäjät on varmennettu",
"Some sessions for this user are not trusted": "Osaan tämän käyttäjän istunnoista ei luoteta",
"All sessions for this user are trusted": "Kaikkiin tämän käyttäjän istunnoista luotetaan",
"Some sessions in this encrypted room are not trusted": "Osaan tämän salausta käyttävän huoneen istunnoista ei luoteta",
"All sessions in this encrypted room are trusted": "Kaikkiin tämän salausta käyttävän huoneen istuntoihin luotetaan",
"Your key share request has been sent - please check your other sessions for key share requests.": "Avainten jakopyyntösi on lähetetty. Tarkista muut istuntosi avainten jakopyyntöjen varalta.",
"Key share requests are sent to your other sessions automatically. If you rejected or dismissed the key share request on your other sessions, click here to request the keys for this session again.": "Avainten jakopyynnöt lähetetään muille istunnoillesi automaattisesti. Jos hylkäsit tai jätit huomiotta avainten jakopyynnön toisessa istunnossasi, klikkaa tästä pyytääksesi avaimia uudelleen.",
"If your other sessions do not have the key for this message you will not be able to decrypt them.": "Jos muissa laitteissasi ei ole avainta tämän viestin purkamiseen, niillä istunnoilla ei voi lukea tätä viestiä.",
"Encrypted by an unverified session": "Salattu varmentamattoman istunnon toimesta",
"Encrypted by a deleted session": "Salattu poistetun istunnon toimesta",
"No sessions with registered encryption keys": "Yhdelläkään istunnolla ei ole rekisteröityjä salausavaimia",
"Create room": "Luo huone",
"Reject & Ignore user": "Hylkää ja jätä käyttäjä huomiotta",
"Start Verification": "Aloita varmennus",
@ -2254,7 +2062,7 @@
"Verify User": "Varmenna käyttäjä",
"For extra security, verify this user by checking a one-time code on both of your devices.": "Lisäturvaksi, varmenna tämä käyttäjä tarkistamalla koodin kummankin laitteella.",
"The homeserver the user youre verifying is connected to": "Käyttäjä, jota varmennat, on kotipalvelimella",
"The session you are trying to verify doesn't support scanning a QR code or emoji verification, which is what Riot supports. Try with a different client.": "Istunto, jota yrität varmentaa, ei tue QR-koodin skannausta tai emoji-varmennusta, joita Riot tukee. Kokeile eri asiakasohjelmalla.",
"The session you are trying to verify doesn't support scanning a QR code or emoji verification, which is what %(brand)s supports. Try with a different client.": "Istunto, jota yrität varmentaa, ei tue QR-koodin skannausta tai emoji-varmennusta, joita %(brand)s tukee. Kokeile eri asiakasohjelmalla.",
"Verify by scanning": "Varmenna skannaamalla",
"If you can't scan the code above, verify by comparing unique emoji.": "Jos et pysty skannaamaan yläpuolella olevaa koodia, varmenna vertaamalla emojia.",
"Verify by comparing unique emoji.": "Varmenna vertaamalla uniikkia emojia.",
@ -2266,7 +2074,6 @@
"You've successfully verified %(displayName)s!": "Olet varmentanut käyttäjän %(displayName)s!",
"Verified": "Varmennettu",
"Font size": "Fonttikoko",
"Custom font size": "Mukautettu fonttikoko",
"Size must be a number": "Koon täytyy olla luku",
"Custom font size can only be between %(min)s pt and %(max)s pt": "Mukautetun fonttikoon täytyy olla vähintään %(min)s pt ja enintään %(max)s pt",
"Use between %(min)s pt and %(max)s pt": "Käytä kokoa väliltä %(min)s pt ja %(max)s pt",
@ -2277,7 +2084,6 @@
"Previous/next unread room or DM": "Edellinen/seuraava lukematon huone tai yksityisviesti",
"Previous/next room or DM": "Edellinen/seuraava huone tai yksityisviesti",
"Toggle this dialog": "Tämä valintaikkuna päälle/pois",
"Use the improved room list (in development - refresh to apply changes)": "Käytä parannettua huoneluetteloa (kehitysversio — päivitä sivu ottaaksesi muutokset käyttöön)",
"Start verification again from the notification.": "Aloita varmennus uudelleen ilmoituksesta.",
"Start verification again from their profile.": "Aloita varmennus uudelleen hänen profiilista.",
"Verification timed out.": "Varmennuksessa kesti liikaa.",
@ -2292,10 +2098,7 @@
"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.": "Ristivarmennuksen avainten tuhoamista ei voi kumota. Jokainen, jonka olet varmentanut, tulee näkemään turvallisuushälytyksiä. Et todennäköisesti halua tehdä tätä, ellet ole hukannut kaikkia laitteitasi, joista pystyt ristivarmentamaan.",
"Clear cross-signing keys": "Tyhjennä ristivarmennuksen avaimet",
"Enable end-to-end encryption": "Ota osapuolten välinen salaus käyttöön",
"To verify that this session can be trusted, please check that the key you see in User Settings on that device matches the key below:": "Jotta tähän istuntoon voitaisiin luottaa, tarkista, että käyttäjän asetuksissa näkyvä avain täsmää alapuolella olevaan avaimeen:",
"To verify that this session can be trusted, please contact its owner using some other means (e.g. in person or a phone call) and ask them whether the key they see in their User Settings for this session matches the key below:": "Jotta tähän istuntoon voitaisiin luottaa, ota yhteyttä sen omistajaan jotain muuta kautta (esim. kasvotusten tai puhelimitse) ja kysy, että täsmääkö hänen käyttäjäasetuksissa näkemänsä istunnon avain alla olevaan:",
"Session key": "Istunnon tunnus",
"If it matches, press the verify button below. If it doesn't, then someone else is intercepting this session and you probably want to press the blacklist button instead.": "Jos se täsmää, paina varmennuspainiketta alapuolella. Jos se ei täsmää, joku häiritsee tätä istuntoa ja haluat luultavasti painaa estä -painiketta sen sijaan.",
"Verification Requests": "Varmennuspyynnöt",
"Verifying this user will mark their session as trusted, and also mark your session as trusted to them.": "Tämän käyttäjän varmentaminen merkitsee hänen istuntonsa luotetuksi, ja myös merkkaa sinun istuntosi luotetuksi hänen laitteissaan.",
"Verify this device to mark it as trusted. Trusting this device gives you and other users extra peace of mind when using end-to-end encrypted messages.": "Varmenna tämä laite merkataksesi se luotetuksi. Tähän laitteeseen luottaminen antaa sinulle ja muille käyttäjille ylimääräistä mielenrauhaa, kun käytätte osapuolten välistä salausta.",
@ -2307,8 +2110,7 @@
"Recently Direct Messaged": "Viimeaikaiset yksityisviestit",
"Start a conversation with someone using their name, username (like <userId/>) or email address.": "Aloita keskustelu jonkun kanssa käyttäen hänen nimeä, käyttäjätunnus (kuten <userId/>) tai sähköpostiosoitetta.",
"Invite someone using their name, username (like <userId/>), email address or <a>share this room</a>.": "Kutsu tähän huoneeseen käyttäen nimeä, käyttäjätunnusta (kuten <userId/>), sähköpostiosoitetta tai <a>jaa tämä huone</a>.",
"Your unverified session '%(displayName)s' is requesting encryption keys.": "Varmentamaton istuntosi '%(displayName)s' pyytää salausavaimia.",
"Riot encountered an error during upload of:": "Riot kohtasi virheen lähettäessään:",
"%(brand)s encountered an error during upload of:": "%(brand)s kohtasi virheen lähettäessään:",
"Upload completed": "Lähetys valmis",
"Cancelled signature upload": "Allekirjoituksen lähetys peruutettu",
"Unable to upload": "Lähettäminen ei ole mahdollista",
@ -2317,8 +2119,8 @@
"Room name or address": "Huoneen nimi tai osoite",
"Joins room with given address": "Liittyy annetun osoitteen mukaiseen huoneeseen",
"Unrecognised room address:": "Tunnistamaton huoneen osoite:",
"Help us improve Riot": "Auta parantamaan Riotia",
"Send <UsageDataLink>anonymous usage data</UsageDataLink> which helps us improve Riot. This will use a <PolicyLink>cookie</PolicyLink>.": "Lähetä <UsageDataLink>anonyymiä käyttötietoa</UsageDataLink>, joka auttaa Riotin kehittämisessä. Toiminto käyttää <PolicyLink>evästettä</PolicyLink>.",
"Help us improve %(brand)s": "Auta parantamaan %(brand)sia",
"Send <UsageDataLink>anonymous usage data</UsageDataLink> which helps us improve %(brand)s. This will use a <PolicyLink>cookie</PolicyLink>.": "Lähetä <UsageDataLink>anonyymiä käyttötietoa</UsageDataLink>, joka auttaa %(brand)sin kehittämisessä. Toiminto käyttää <PolicyLink>evästettä</PolicyLink>.",
"I want to help": "Haluan auttaa",
"Your homeserver has exceeded its user limit.": "Kotipalvelimesi on ylittänyt käyttäjärajansa.",
"Your homeserver has exceeded one of its resource limits.": "Kotipalvelimesi on ylittänyt jonkin resurssirajansa.",
@ -2327,8 +2129,8 @@
"Set password": "Aseta salasana",
"To return to your account in future you need to set a password": "Päästäksesi jatkossa takaisin tilillesi sinun täytyy asettaa salasana",
"Restart": "Käynnistä uudelleen",
"Upgrade your Riot": "Päivitä Riot",
"A new version of Riot is available!": "Uusi Riotin versio on saatavilla!",
"Upgrade your %(brand)s": "Päivitä %(brand)s",
"A new version of %(brand)s is available!": "Uusi %(brand)sin versio on saatavilla!",
"New version available. <a>Update now.</a>": "Uusi versio saatavilla. <a>Päivitä nyt.</a>",
"To link to this room, please add an address.": "Lisää osoite linkittääksesi tähän huoneeseen.",
"Error creating address": "Virhe osoitetta luotaessa",
@ -2341,10 +2143,8 @@
"This address is already in use": "Tämä osoite on jo käytössä",
"Set a room address to easily share your room with other people.": "Aseta huoneelle osoite, jotta voit jakaa huoneen helposti muille.",
"Address (optional)": "Osoite (valinnainen)",
"sent an image.": "lähetti kuvan.",
"Light": "Vaalea",
"Dark": "Tumma",
"You: %(message)s": "Sinä: %(message)s",
"Emoji picker": "Emojivalitsin",
"No recently visited rooms": "Ei hiljattain vierailtuja huoneita",
"People": "Ihmiset",
@ -2357,17 +2157,10 @@
"Switch to dark mode": "Vaihda tummaan teemaan",
"Switch theme": "Vaihda teemaa",
"All settings": "Kaikki asetukset",
"Archived rooms": "Arkistoidut huoneet",
"Feedback": "Palaute",
"Account settings": "Tilin asetukset",
"Recovery Key": "Palautusavain",
"This isn't the recovery key for your account": "Tämä ei ole tilisi palautusavain",
"This isn't a valid recovery key": "Tämä ei ole kelvollinen palautusavain",
"Looks good!": "Hyvältä näyttää!",
"Use Recovery Key or Passphrase": "Käytä palautusavainta tai salalausetta",
"Use Recovery Key": "Käytä palautusavainta",
"Create a Recovery Key": "Luo palautusavain",
"Upgrade your Recovery Key": "Päivitä palautusavaimesi",
"You joined the call": "Liityit puheluun",
"%(senderName)s joined the call": "%(senderName)s liittyi puheluun",
"Call in progress": "Puhelu käynnissä",

File diff suppressed because it is too large Load diff

View file

@ -11,11 +11,6 @@
"You cannot place a call with yourself.": "Non podes facer unha chamada a ti mesma.",
"Warning!": "Aviso!",
"Call Failed": "Fallou a chamada",
"Review Devices": "Revisar dispositivos",
"Call Anyway": "Chamar igualmente",
"Answer Anyway": "Responder igualmente",
"Call": "Chamar",
"Answer": "Resposta",
"Call Timeout": "Tempo de resposta de chamada",
"Upload Failed": "Fallou o envío",
"Sun": "Dom",
@ -49,14 +44,13 @@
"Which rooms would you like to add to this community?": "Que salas desexaría engadir a esta comunidade?",
"Show these rooms to non-members on the community page and room list?": "Quere que estas salas se lle mostren a outros membros de fóra da comunidade na lista de salas?",
"Add rooms to the community": "Engadir salas á comunidade",
"Room name or alias": "Nome da sala ou alcume",
"Add to community": "Engadir á comunidade",
"Failed to invite the following users to %(groupId)s:": "Fallo ao convidar ás seguintes usuarias a %(groupId)s:",
"Failed to invite users to community": "Houbo un fallo convidando usuarias á comunidade",
"Failed to invite users to %(groupId)s": "Houbo un fallo convidando usuarias a %(groupId)s",
"Failed to add the following rooms to %(groupId)s:": "Fallo ao engadir as seguintes salas a %(groupId)s:",
"Riot does not have permission to send you notifications - please check your browser settings": "Riot non ten permiso para enviarlle notificacións: comprobe os axustes do navegador",
"Riot was not given permission to send notifications - please try again": "Riot non ten permiso para enviar notificacións: inténteo de novo",
"%(brand)s does not have permission to send you notifications - please check your browser settings": "%(brand)s non ten permiso para enviarlle notificacións: comprobe os axustes do navegador",
"%(brand)s was not given permission to send notifications - please try again": "%(brand)s non ten permiso para enviar notificacións: inténteo de novo",
"Unable to enable Notifications": "Non se puideron activar as notificacións",
"This email address was not found": "Non se atopou este enderezo de correo",
"Your email address does not appear to be associated with a Matrix ID on this Homeserver.": "O seu enderezo de correo semella non estar asociado a un ID Matrix neste servidor.",
@ -64,7 +58,6 @@
"Restricted": "Restrinxido",
"Moderator": "Moderador",
"Admin": "Administrador",
"Start a chat": "Iniciar unha conversa",
"Operation failed": "Fallou a operación",
"Failed to invite": "Fallou o convite",
"Failed to invite the following users to the %(roomName)s room:": "Houbo un fallo convidando as seguintes usuarias á sala %(roomName)s:",
@ -82,7 +75,6 @@
"Usage": "Uso",
"/ddg is not a command": "/ddg non é unha orde",
"To use it, just wait for autocomplete results to load and tab through them.": "Para utilizala, agarde que carguen os resultados de autocompletado e escolla entre eles.",
"Unrecognised room alias:": "Alcumes de sala non recoñecidos:",
"Ignored user": "Usuaria ignorada",
"You are now ignoring %(userId)s": "Agora está a ignorar %(userId)s",
"Unignored user": "Usuarias non ignoradas",
@ -132,15 +124,13 @@
"%(widgetName)s widget removed by %(senderName)s": "%(widgetName)s eliminado por %(senderName)s",
"Failure to create room": "Fallou a creación da sala",
"Server may be unavailable, overloaded, or you hit a bug.": "O servidor podería non estar dispoñible, con sobrecarga ou ter un fallo.",
"Send anyway": "Enviar de todos os xeitos",
"Send": "Enviar",
"Unnamed Room": "Sala sen nome",
"Your browser does not support the required cryptography extensions": "O seu navegador non soporta as extensións de criptografía necesarias",
"Not a valid Riot keyfile": "Non é un ficheiro de chaves Riot válido",
"Not a valid %(brand)s keyfile": "Non é un ficheiro de chaves %(brand)s válido",
"Authentication check failed: incorrect password?": "Fallou a comprobación de autenticación: contrasinal incorrecto?",
"Failed to join room": "Non puideches entrar na sala",
"Message Pinning": "Fixando mensaxe",
"Use compact timeline layout": "Utilizar a disposición compacta da liña temporal",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "Mostrar marcas de tempo con formato 12 horas (ex. 2:30pm)",
"Always show message timestamps": "Mostrar sempre marcas de tempo",
"Autoplay GIFs and videos": "Reprodución automática de GIFs e vídeos",
@ -176,11 +166,8 @@
"Confirm password": "Confirme o contrasinal",
"Change Password": "Cambiar contrasinal",
"Authentication": "Autenticación",
"Device ID": "ID de dispositivo",
"Last seen": "Visto por última vez",
"Failed to set display name": "Fallo ao establecer o nome público",
"Disable Notifications": "Desactivar notificacións",
"Enable Notifications": "Activar ass notificacións",
"%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s, %(day)s %(monthName)s %(fullYear)s",
"Mirror local video feed": "Copiar fonte de vídeo local",
"Cannot add any more widgets": "Non pode engadir máis trebellos",
@ -196,8 +183,6 @@
"%(senderName)s uploaded a file": "%(senderName)s subiu un ficheiro",
"Options": "Axustes",
"Please select the destination room for this message": "Escolla por favor a sala de destino para esta mensaxe",
"Blacklisted": "Omitidos",
"device id: ": "id dispositivo: ",
"Disinvite": "Retirar convite",
"Kick": "Expulsar",
"Disinvite this user?": "Retirar convite a esta usuaria?",
@ -209,7 +194,6 @@
"Ban this user?": "¿Bloquear a esta usuaria?",
"Failed to ban user": "Fallo ao bloquear usuaria",
"Failed to mute user": "Fallo ó silenciar usuaria",
"Failed to toggle moderator status": "Fallo ao mudar a estado de moderador",
"Failed to change power level": "Fallo ao cambiar o nivel de permisos",
"Are you sure?": "Está segura?",
"You will not be able to undo this change as you are promoting the user to have the same power level as yourself.": "Non poderá desfacer este cambio xa que lle estará promocionando e outorgándolle a outra persoa os mesmos permisos que os seus.",
@ -218,12 +202,8 @@
"Jump to read receipt": "Ir ao resgardo de lectura",
"Mention": "Mención",
"Invite": "Convidar",
"User Options": "Axustes de usuaria",
"Direct chats": "Conversa directa",
"Unmute": "Non acalar",
"Mute": "Acalar",
"Revoke Moderator": "Quitar Moderador",
"Make Moderator": "Facer Moderador",
"Admin Tools": "Ferramentas de administración",
"and %(count)s others...|other": "e %(count)s outras...",
"and %(count)s others...|one": "e outra máis...",
@ -236,9 +216,7 @@
"Video call": "Chamada de vídeo",
"Upload file": "Subir ficheiro",
"Send an encrypted reply…": "Enviar unha resposta cifrada…",
"Send a reply (unencrypted)…": "Enviar unha resposta (non cifrada)…",
"Send an encrypted message…": "Enviar unha mensaxe cifrada…",
"Send a message (unencrypted)…": "Enviar unha mensaxe (non cifrada)…",
"You do not have permission to post to this room": "Non ten permiso para comentar nesta sala",
"Server error": "Fallo no servidor",
"Server unavailable, overloaded, or something else went wrong.": "Servidor non dispoñible, sobrecargado, ou outra cousa puido fallar.",
@ -313,10 +291,7 @@
"Jump to first unread message.": "Ir a primeira mensaxe non lida.",
"Close": "Pechar",
"not specified": "non indicado",
"Remote addresses for this room:": "Enderezos remotos para esta sala:",
"Local addresses for this room:": "O enderezo local para esta sala:",
"This room has no local addresses": "Esta sala non ten enderezos locais",
"New address (e.g. #foo:%(localDomain)s)": "Novos enderezos (ex. #foo:%(localDomain)s)",
"Invalid community ID": "ID da comunidade non válido",
"'%(groupId)s' is not a valid community ID": "'%(groupId)s' non é un ID de comunidade válido",
"New community ID (e.g. +foo:%(localDomain)s)": "Novo ID da comunidade (ex. +foo:%(localDomain)s)",
@ -339,12 +314,8 @@
"Failed to copy": "Fallo ao copiar",
"Add an Integration": "Engadir unha integración",
"You are about to be taken to a third-party site so you can authenticate your account for use with %(integrationsUrl)s. Do you wish to continue?": "Vai ser redirixido a unha web de terceiros para poder autenticar a súa conta e así utilizar %(integrationsUrl)s. Quere continuar?",
"Removed or unknown message type": "Tipo de mensaxe descoñecida ou eliminada",
"Message removed by %(userId)s": "Mensaxe eliminada por %(userId)s",
"Message removed": "Mensaxe eliminada",
"Custom Server Options": "Opcións personalizadas do servidor",
"Dismiss": "Rexeitar",
"To continue, please enter your password.": "Para continuar, por favor introduza o seu contrasinal.",
"An email has been sent to %(emailAddress)s": "Enviouse un correo a %(emailAddress)s",
"Please check your email to continue registration.": "Comprobe o seu correo para continuar co rexistro.",
"Token incorrect": "Testemuño incorrecto",
@ -384,14 +355,9 @@
"Minimize apps": "Minimizar apps",
"Edit": "Editar",
"Create new room": "Crear unha nova sala",
"Unblacklist": "Quitar da lista negra",
"Blacklist": "Por na lista negra",
"Unverify": "Retirar verificación",
"Verify...": "Verificar...",
"No results": "Sen resultados",
"Communities": "Comunidades",
"Home": "Inicio",
"Could not connect to the integration server": "Non se puido conectar ao servidor de integración",
"Manage Integrations": "Xestionar integracións",
"%(nameList)s %(transitionList)s": "%(nameList)s %(transitionList)s",
"%(severalUsers)sjoined %(count)s times|other": "%(severalUsers)s uníronse %(count)s veces",
@ -473,15 +439,10 @@
"Unknown error": "Fallo descoñecido",
"Incorrect password": "Contrasinal incorrecto",
"Deactivate Account": "Desactivar conta",
"I verify that the keys match": "Certifico que coinciden as chaves",
"An error has occurred.": "Algo fallou.",
"OK": "OK",
"Start verification": "Iniciar verificación",
"Share without verifying": "Compartir sen verificar",
"Ignore request": "Ignorar petición",
"Encryption key request": "Petición de chave de cifrado",
"Unable to restore session": "Non se puido restaurar a sesión",
"If you have previously used a more recent version of Riot, your session may be incompatible with this version. Close this window and return to the more recent version.": "Se anteriormente utilizaches unha versión máis recente de Riot, a túa sesión podería non ser compatible con esta versión. Pecha esta ventá e volve á versión máis recente.",
"If you have previously used a more recent version of %(brand)s, your session may be incompatible with this version. Close this window and return to the more recent version.": "Se anteriormente utilizaches unha versión máis recente de %(brand)s, a túa sesión podería non ser compatible con esta versión. Pecha esta ventá e volve á versión máis recente.",
"Invalid Email Address": "Enderezo de correo non válido",
"This doesn't appear to be a valid email address": "Este non semella ser un enderezo de correo válido",
"Verification Pending": "Verificación pendente",
@ -500,7 +461,6 @@
"Private Chat": "Conversa privada",
"Public Chat": "Conversa pública",
"Custom": "Personalizada",
"Alias (optional)": "Alias (opcional)",
"Name": "Nome",
"You must <a>register</a> to use this functionality": "Debe <a>rexistrarse</a> para utilizar esta función",
"You must join the room to see its files": "Debes unirte a sala para ver os seus ficheiros",
@ -553,7 +513,6 @@
"Create a new community": "Crear unha nova comunidade",
"Create a community to group together users and rooms! Build a custom homepage to mark out your space in the Matrix universe.": "Crea unha comunidade para agrupar usuarias e salas! Pon unha páxina de inicio personalizada para destacar o teu lugar no universo Matrix.",
"You have no visible notifications": "Non ten notificacións visibles",
"Scroll to bottom of page": "Desprácese ate o final da páxina",
"%(count)s of your messages have not been sent.|other": "Algunha das súas mensaxes non foron enviadas.",
"%(count)s of your messages have not been sent.|one": "A súa mensaxe non foi enviada.",
"%(count)s <resendText>Resend all</resendText> or <cancelText>cancel all</cancelText> now. You can also select individual messages to resend or cancel.|other": "<resendText>Reenviar todo</resendText> ou ben<cancelText>cancelar todo</cancelText>. Tamén pode seleccionar mensaxes individuais para reenviar ou cancelar.",
@ -568,7 +527,6 @@
"Search failed": "Fallou a busca",
"Server may be unavailable, overloaded, or search timed out :(": "O servidor podería non estar dispoñible, sobrecargado, ou caducou a busca :(",
"No more results": "Sen máis resultados",
"Unknown room %(roomId)s": "Sala descoñecida %(roomId)s",
"Room": "Sala",
"Failed to reject invite": "Fallo ao rexeitar o convite",
"Fill screen": "Encher pantalla",
@ -582,8 +540,6 @@
"Uploading %(filename)s and %(count)s others|other": "Subindo %(filename)s e %(count)s máis",
"Uploading %(filename)s and %(count)s others|zero": "Subindo %(filename)s",
"Uploading %(filename)s and %(count)s others|one": "Subindo %(filename)s e %(count)s máis",
"Light theme": "Decorado claro",
"Dark theme": "Decorado escuro",
"Sign out": "Desconectar",
"Failed to change password. Is your password correct?": "Fallo ao cambiar o contrasinal. É correcto o contrasinal?",
"Success": "Parabéns",
@ -592,7 +548,7 @@
"Import E2E room keys": "Importar chaves E2E da sala",
"Cryptography": "Criptografía",
"Analytics": "Analytics",
"Riot collects anonymous analytics to allow us to improve the application.": "Riot recolle información analítica anónima para permitirnos mellorar a aplicación.",
"%(brand)s collects anonymous analytics to allow us to improve the application.": "%(brand)s recolle información analítica anónima para permitirnos mellorar a aplicación.",
"Privacy is important to us, so we don't collect any personal or identifiable data for our analytics.": "A intimidade impórtanos, así que non recollemos información personal ou identificable nos datos dos nosos análises.",
"Learn more about how we use analytics.": "Saber máis sobre como utilizamos analytics.",
"Labs": "Labs",
@ -600,7 +556,7 @@
"Reject all %(invitedRooms)s invites": "Rexeitar todos os %(invitedRooms)s convites",
"Start automatically after system login": "Iniciar automaticamente despois de iniciar sesión",
"No media permissions": "Sen permisos de medios",
"You may need to manually permit Riot to access your microphone/webcam": "Igual ten que permitir manualmente a Riot acceder ao seus micrófono e cámara",
"You may need to manually permit %(brand)s to access your microphone/webcam": "Igual ten que permitir manualmente a %(brand)s acceder ao seus micrófono e cámara",
"No Microphones detected": "Non se detectaron micrófonos",
"No Webcams detected": "Non se detectaron cámaras",
"Default Device": "Dispositivo por defecto",
@ -614,13 +570,13 @@
"click to reveal": "pulse para revelar",
"Homeserver is": "O servidor de inicio é",
"Identity Server is": "O servidor de identidade é",
"riot-web version:": "versión riot-web:",
"%(brand)s version:": "versión %(brand)s:",
"olm version:": "versión olm:",
"Failed to send email": "Fallo ao enviar correo electrónico",
"The email address linked to your account must be entered.": "Debe introducir o correo electrónico ligado a súa conta.",
"A new password must be entered.": "Debe introducir un novo contrasinal.",
"New passwords must match each other.": "Os novos contrasinais deben ser coincidentes.",
"Data from an older version of Riot has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "Detectáronse datos de una versión anterior de Riot. Isto causará un mal funcionamento da criptografía extremo-a-extremo na versión antiga. As mensaxes cifradas extremo-a-extremo intercambiadas mentres utilizaba a versión anterior poderían non ser descifrables en esta versión. Isto tamén podería causar que mensaxes intercambiadas con esta versión tampouco funcionasen. Se ten problemas, desconéctese e conéctese de novo. Para manter o historial de mensaxes, exporte e reimporte as súas chaves.",
"Data from an older version of %(brand)s has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "Detectáronse datos de una versión anterior de %(brand)s. Isto causará un mal funcionamento da criptografía extremo-a-extremo na versión antiga. As mensaxes cifradas extremo-a-extremo intercambiadas mentres utilizaba a versión anterior poderían non ser descifrables en esta versión. Isto tamén podería causar que mensaxes intercambiadas con esta versión tampouco funcionasen. Se ten problemas, desconéctese e conéctese de novo. Para manter o historial de mensaxes, exporte e reimporte as súas chaves.",
"An email has been sent to %(emailAddress)s. Once you've followed the link it contains, click below.": "Enviouse un correo a %(emailAddress)s. Unha vez sigas a ligazón que contén, preme embaixo.",
"I have verified my email address": "Validei o meu enderezo de email",
"Return to login screen": "Volver a pantalla de conexión",
@ -640,7 +596,6 @@
"Bans user with given id": "Prohibe a usuaria co ID indicado",
"Define the power level of a user": "Define o nivel de permisos de unha usuaria",
"Invites user with given id to current room": "Convida a usuaria co id proporcionado a sala actual",
"Joins room with given alias": "Únese a sala co alias proporcionado",
"Kicks user with given id": "Expulsa usuaria co id proporcionado",
"Changes your display nickname": "Cambia o alcume mostrado",
"Searches DuckDuckGo for results": "Buscar en DuckDuckGo por resultados",
@ -652,21 +607,7 @@
"Notify the whole room": "Notificar a toda a sala",
"Room Notification": "Notificación da sala",
"Users": "Usuarias",
"unknown device": "dispositivo descoñecido",
"NOT verified": "Non validado",
"verified": "validado",
"Verification": "Validación",
"Ed25519 fingerprint": "pegada Ed25519",
"User ID": "ID de usuaria",
"Curve25519 identity key": "Chave de identidade Curve25519",
"none": "nada",
"Claimed Ed25519 fingerprint key": "Chave de pegada pedida Ed25519",
"Algorithm": "Algoritmo",
"unencrypted": "non cifrado",
"Decryption error": "Fallo ao descifrar",
"Session ID": "ID de sesión",
"End-to-end encryption information": "Información do cifrado extremo-a-extremo",
"Event information": "Información do evento",
"Passphrases must match": "As frases de paso deben coincidir",
"Passphrase must not be empty": "A frase de paso non pode quedar baldeira",
"Export room keys": "Exportar chaves da sala",
@ -680,15 +621,14 @@
"The export file will be protected with a passphrase. You should enter the passphrase here, to decrypt the file.": "O ficheiro exportado estará protexido con unha frase de paso. Debe introducir aquí esa frase de paso para descifrar o ficheiro.",
"File to import": "Ficheiro a importar",
"Import": "Importar",
"The information being sent to us to help make Riot.im better includes:": "A información enviada a Riot.im para axudarnos a mellorar inclúe:",
"The information being sent to us to help make %(brand)s better includes:": "A información que nos envías para mellorar %(brand)s inclúe:",
"Where this page includes identifiable information, such as a room, user or group ID, that data is removed before being sent to the server.": "Se esta páxina inclúe información identificable como ID de grupo, usuaria ou sala, estes datos son eliminados antes de ser enviados ó servidor.",
"The platform you're on": "A plataforma na que está",
"The version of Riot.im": "A versión de Riot.im",
"The version of %(brand)s": "A versión de %(brand)s",
"Your language of choice": "A súa preferencia de idioma",
"Which officially provided instance you are using, if any": "Se a houbese, que instancia oficial está a utilizar",
"Whether or not you're using the Richtext mode of the Rich Text Editor": "Se utiliza o modo Richtext ou non do editor de texto enriquecido",
"Your homeserver's URL": "O URL do seu servidor de inicio",
"Your identity server's URL": "O URL da súa identidade no servidor",
"<a>In reply to</a> <pill>": "<a>En resposta a</a> <pill>",
"This room is not public. You will not be able to rejoin without an invite.": "Esta sala non é pública. Non poderá volver a ela sen un convite.",
"This room is not showing flair for any communities": "Esta sala non mostra popularidade para as comunidades",
@ -701,7 +641,7 @@
"Flair": "Popularidade",
"Showing flair for these communities:": "Mostrar a popularidade destas comunidades:",
"Display your community flair in rooms configured to show it.": "Mostrar a popularidade da túa comunidade nas salas configuradas para que a mostren.",
"Did you know: you can use communities to filter your Riot.im experience!": "Sabías que podes usar as comunidades para filtrar a túa experiencia en Riot.im!",
"Did you know: you can use communities to filter your %(brand)s experience!": "Sabías que podes usar as comunidades para filtrar a túa experiencia en %(brand)s!",
"To set up a filter, drag a community avatar over to the filter panel on the far left hand side of the screen. You can click on an avatar in the filter panel at any time to see only the rooms and people associated with that community.": "Para establecer un filtro, arrastra un avatar da comunidade sobre o panel de filtros na parte esquerda da pantalla. Podes premer nun avatar no panel de filtrado en calquera momento para ver só salas e xente asociada a esa comunidade.",
"Deops user with given id": "Degradar á usuaria con ese ID",
"Seen by %(displayName)s (%(userName)s) at %(dateTime)s": "Visto por %(displayName)s(%(userName)s en %(dateTime)s",
@ -721,7 +661,6 @@
"Who can join this community?": "Quen pode unirse a esta comunidade?",
"Everyone": "Todo o mundo",
"Fetching third party location failed": "Fallo ao obter a localización de terceiros",
"A new version of Riot is available.": "Está dispoñible unha nova versión de Riot.",
"Send Account Data": "Enviar datos da conta",
"All notifications are currently disabled for all targets.": "Todas as notificacións están desactivadas para todos os destinos.",
"Uploading report": "Informe da subida",
@ -738,8 +677,6 @@
"Send Custom Event": "Enviar evento personalizado",
"Advanced notification settings": "Axustes avanzados de notificación",
"Failed to send logs: ": "Fallo ao enviar os informes: ",
"delete the alias.": "borrar alcume.",
"To return to your account in future you need to <u>set a password</u>": "Para volver a súa conta no futuro debe <u>establecer un contrasinal>/u>",
"Forget": "Esquecer",
"You cannot delete this image. (%(code)s)": "Non pode eliminar esta imaxe. (%(code)s)",
"Cancel Sending": "Cancelar o envío",
@ -765,7 +702,6 @@
"Resend": "Volver a enviar",
"Files": "Ficheiros",
"Collecting app version information": "Obtendo información sobre a versión da app",
"Delete the room alias %(alias)s and remove %(name)s from the directory?": "Eliminar o alcume da sala %(alias)s e borrar %(name)s do directorio?",
"Keywords": "Palabras chave",
"Enable notifications for this account": "Activar notificacións para esta conta",
"Invite to this community": "Convidar a esta comunidade",
@ -775,7 +711,7 @@
"Enter keywords separated by a comma:": "Introduza palabras chave separadas por vírgulas:",
"Search…": "Buscar…",
"Remove %(name)s from the directory?": "Eliminar %(name)s do directorio?",
"Riot uses many advanced browser features, some of which are not available or experimental in your current browser.": "Riot utiliza características avanzadas do navegador, algunhas das cales non están dispoñibles ou son experimentais no seu navegador actual.",
"%(brand)s uses many advanced browser features, some of which are not available or experimental in your current browser.": "%(brand)s utiliza características avanzadas do navegador, algunhas das cales non están dispoñibles ou son experimentais no seu navegador actual.",
"Developer Tools": "Ferramentas para desenvolver",
"Preparing to send logs": "Preparándose para enviar informe",
"Remember, you can always set an email address in user settings if you change your mind.": "Lembra que sempre poderás poñer un enderezo de email nos axustes de usuaria se cambiases de idea.",
@ -822,8 +758,7 @@
"Debug logs contain application usage data including your username, the IDs or aliases of the rooms or groups you have visited and the usernames of other users. They do not contain messages.": "Os informes de depuración conteñen datos de utilización da aplicación como o teu nome de usuaria, os IDs ou alias de salas e grupos que visitachese os nomes de usuaria doutras usuarias. Non conteñen mensaxes.",
"Unhide Preview": "Desagochar a vista previa",
"Unable to join network": "Non se puido conectar ca rede",
"You might have configured them in a client other than Riot. You cannot tune them in Riot but they still apply": "Pode que os configurases nun cliente diferente de Riot. Non podes establecelos desde Riot pero aínda así aplicaranse",
"Sorry, your browser is <b>not</b> able to run Riot.": "Desculpe, o seu navegador <b>non pode</b> executar Riot.",
"Sorry, your browser is <b>not</b> able to run %(brand)s.": "Desculpe, o seu navegador <b>non pode</b> executar %(brand)s.",
"Uploaded on %(date)s by %(user)s": "Subido a %(date)s por %(user)s",
"Messages in group chats": "Mensaxes en grupos de chat",
"Yesterday": "Onte",
@ -832,7 +767,7 @@
"Unable to fetch notification target list": "Non se puido procesar a lista de obxectivo de notificacións",
"Set Password": "Establecer contrasinal",
"Off": "Off",
"Riot does not know how to join a room on this network": "Riot non sabe como conectar cunha sala nesta rede",
"%(brand)s does not know how to join a room on this network": "%(brand)s non sabe como conectar cunha sala nesta rede",
"Mentions only": "Só mencións",
"You can now return to your account after signing out, and sign in on other devices.": "Podes voltar a túa conta tras desconectarte, e conectarte noutros dispositivos.",
"Enable email notifications": "Activar notificacións de correo",
@ -847,10 +782,8 @@
"Thank you!": "Grazas!",
"With your current browser, the look and feel of the application may be completely incorrect, and some or all features may not function. If you want to try it anyway you can continue, but you are on your own in terms of any issues you may encounter!": "Co teu navegador actual a aparencia e uso da aplicación poderían estar totalmente falseadas, e algunhas características poderían non funcionar. Se queres podes continuar, pero debes ser consciente de que pode haber fallos!",
"Checking for an update...": "Comprobando as actualizacións...",
"There are advanced notifications which are not shown here": "Existen notificacións avanzadas que non se mostran aquí",
"Every page you use in the app": "Cada páxina que use na aplicación",
"e.g. <CurrentPageURL>": "p.ex. <CurrentPageURL>",
"Your User Agent": "Axente de usuario",
"Your device resolution": "Resolución do dispositivo",
"Missing roomId.": "Falta o ID da sala.",
"Always show encryption icons": "Mostra sempre iconas de cifrado",
@ -868,9 +801,6 @@
"Share Link to User": "Compartir a ligazón coa usuaria",
"Share room": "Compartir sala",
"Muted Users": "Usuarias silenciadas",
"Please help improve Riot.im by sending <UsageDataLink>anonymous usage data</UsageDataLink>. This will use a cookie (please see our <PolicyLink>Cookie Policy</PolicyLink>).": "Axuda a mellorar Riot.im enviando <UsageDataLink>os datos anónimos de uso</UsageDataLink>. Usaremos unha cookie (le aquí a nosa <PolicyLink>Política de Cookies</PolicyLink>).",
"Please help improve Riot.im by sending <UsageDataLink>anonymous usage data</UsageDataLink>. This will use a cookie.": "Axuda a mellorar Riot.im enviando <UsageDataLink>datos anónimos de uso</UsageDataLink>. Esto usará unha cookie.",
"Yes, I want to help!": "Si, quero axudar!",
"This will make your account permanently unusable. You will not be able to log in, and no one will be able to re-register the same user ID. This will cause your account to leave all rooms it is participating in, and it will remove your account details from your identity server. <b>This action is irreversible.</b>": "Iso fará que a túa deixe de ter uso de xeito permanente. Non poderás acceder e ninguén vai a poder volver a rexistrar esa mesma ID de usuaria. Suporá que sairás de todalas salas de conversas nas que estabas e eliminarás os detalles da túa conta do servidores de identidade. <b>Esta acción non ten volta</b>",
"Deactivating your account <b>does not by default cause us to forget messages you have sent.</b> If you would like us to forget your messages, please tick the box below.": "Desactivando a súa conta <b>non supón que por defecto esquezamos as súas mensaxes enviadas.</b> Se quere que nos esquezamos das súas mensaxes, prema na caixa de embaixo.",
"To continue, please enter your password:": "Para continuar introduza o seu contrasinal:",
@ -911,9 +841,6 @@
"Please <a>contact your service administrator</a> to continue using the service.": "Por favor <a>contacte coa administración do servizo</a> para seguir utilizando o servizo.",
"This homeserver has hit its Monthly Active User limit.": "Este servidor acadou o límite mensual de usuarias activas.",
"This homeserver has exceeded one of its resource limits.": "Este servidor excedeu un dos seus límites de recursos.",
"Please <a>contact your service administrator</a> to get this limit increased.": "Por favor <a>contacte coa administración do servizo</a> para incrementar este límite.",
"This homeserver has hit its Monthly Active User limit so <b>some users will not be able to log in</b>.": "Este servidor acadou o Límite Mensual de usuarias activas polo que <b>algunhas usuarias non poderán conectar</b>.",
"This homeserver has exceeded one of its resource limits so <b>some users will not be able to log in</b>.": "Este servidor excedeu un dos límites de recursos polo que <b>algunhas usuarias no poderán conectar</b>.",
"Failed to remove widget": "Fallo ao eliminar o widget",
"An error ocurred whilst trying to remove the widget from the room": "Algo fallou mentras se intentaba eliminar o widget da sala",
"Your message wasn't sent because this homeserver has hit its Monthly Active User Limit. Please <a>contact your service administrator</a> to continue using the service.": "A súa mensaxe non foi enviada porque este servidor acadou o Límite Mensual de Usuaria Activa. Por favor <a>contacte coa administración do servizo</a> para continuar utilizando o servizo.",
@ -931,12 +858,10 @@
"Confirm adding phone number": "Confirma a adición do teléfono",
"Click the button below to confirm adding this phone number.": "Preme no botón inferior para confirmar que engades este número.",
"Add Phone Number": "Engadir novo Número",
"The version of Riot": "A versión de Riot",
"Whether or not you're logged in (we don't record your username)": "Se estás conectada ou non (non rexistramos o teu nome de usuaria)",
"Whether you're using Riot on a device where touch is the primary input mechanism": "Se estás conectada utilizando Riot nun dispositivo maiormente táctil",
"Whether you're using Riot as an installed Progressive Web App": "Se estás a usar Riot como unha Progressive Web App instalada",
"Whether you're using %(brand)s on a device where touch is the primary input mechanism": "Se estás conectada utilizando %(brand)s nun dispositivo maiormente táctil",
"Whether you're using %(brand)s as an installed Progressive Web App": "Se estás a usar %(brand)s como unha Progressive Web App instalada",
"Your user agent": "User Agent do navegador",
"The information being sent to us to help make Riot better includes:": "A información que nos envías para mellorar Riot inclúe:",
"Please install <chromeLink>Chrome</chromeLink>, <firefoxLink>Firefox</firefoxLink>, or <safariLink>Safari</safariLink> for the best experience.": "Instala <chromeLink>Chrome</chromeLink>, <firefoxLink>Firefox</firefoxLink>, ou <safariLink>Safari</safariLink> para ter unha mellor experiencia.",
"Sign In or Create Account": "Conéctate ou Crea unha Conta",
"Sign In": "Conectar",
@ -946,7 +871,6 @@
"Sign Up": "Rexistro",
"Sign in with single sign-on": "Conectar usando Single Sign On",
"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.": "O eliminación das chaves de sinatura cruzada é permanente. Calquera a quen verificases con elas verá alertas de seguridade. Seguramente non queres facer esto, a menos que perdeses todos os dispositivos nos que podías asinar.",
"You've previously used a newer version of Riot on %(host)s. To use this version again with end to end encryption, you will need to sign out and back in again. ": "Usaches anteriormente unha versión máis recente de Riot en %(host)s. Para usar esta versión de novo con cifrado E2E, tes que desconectar e conectar outra vez. ",
"Confirm your account deactivation by using Single Sign On to prove your identity.": "Confirma a desactivación da túa conta usando Single Sign On para probar a túa identidade.",
"To continue, use Single Sign On to prove your identity.": "Para continuar, usa Single Sign On para probar a túa identidade.",
"Are you sure you want to sign out?": "Tes a certeza de querer desconectar?",
@ -964,8 +888,6 @@
"You cannot sign in to your account. Please contact your homeserver admin for more information.": "Non podes conectar a conta. Contacta coa administración do teu servidor para máis información.",
"Warning: Your personal data (including encryption keys) is still stored in this session. Clear it if you're finished using this session, or want to sign in to another account.": "Aviso: os teus datos personais (incluíndo chaves de cifrado) aínda están gardadas nesta sesión. Pechaa se remataches de usar esta sesión, ou se quere conectar con outra conta.",
"Unable to load! Check your network connectivity and try again.": "Non cargou! Comproba a conexión á rede e volta a intentalo.",
"There are unknown sessions in this room: if you proceed without verifying them, it will be possible for someone to eavesdrop on your call.": "Hai sesións descoñecidas nesta sala: se continúas sen verificalas será posible para alguén fisgar na túa chamada.",
"Review Sessions": "Revisar Sesións",
"Call failed due to misconfigured server": "Fallou a chamada porque o servidor está mal configurado",
"Please ask the administrator of your homeserver (<code>%(homeserverDomain)s</code>) to configure a TURN server in order for calls to work reliably.": "Contacta coa administración do teu servidor (<code>%(homeserverDomain)s</code>) para configurar un servidor TURN para que as chamadas funcionen de xeito fiable.",
"Alternatively, you can try to use the public server at <code>turn.matrix.org</code>, but this will not be as reliable, and it will share your IP address with that server. You can also manage this in Settings.": "De xeito alternativo, podes intentar usar o servidor público <code>turn.matrix.org</code>, pero non é tan fiable, e compartirá o teu enderezo IP con ese servidor. Podes xestionar esto en Axustes.",
@ -1057,8 +979,8 @@
"General": "Xeral",
"Discovery": "Descubrir",
"Deactivate account": "Desactivar conta",
"For help with using Riot, click <a>here</a>.": "Para ter axuda con Riot, preme <a>aquí</a>.",
"For help with using Riot, click <a>here</a> or start a chat with our bot using the button below.": "Se precisas axuda usando Riot, preme <a>aquí</a> ou inicia unha conversa co noso bot usando o botón inferior.",
"For help with using %(brand)s, click <a>here</a>.": "Para ter axuda con %(brand)s, preme <a>aquí</a>.",
"For help with using %(brand)s, click <a>here</a> or start a chat with our bot using the button below.": "Se precisas axuda usando %(brand)s, preme <a>aquí</a> ou inicia unha conversa co noso bot usando o botón inferior.",
"Help & About": "Axuda & Acerca de",
"Security & Privacy": "Seguridade & Privacidade",
"Where youre logged in": "Onde estás conectada",
@ -1134,8 +1056,8 @@
"%(names)s and %(lastPerson)s are typing …": "%(names)s e %(lastPerson)s están escribindo…",
"Cannot reach homeserver": "Non se acadou o servidor",
"Ensure you have a stable internet connection, or get in touch with the server admin": "Asegúrate de que tes boa conexión a internet, ou contacta coa administración do servidor",
"Your Riot is misconfigured": "O teu Riot está mal configurado",
"Ask your Riot admin to check <a>your config</a> for incorrect or duplicate entries.": "Pídelle a administración do teu Riot que comprobe a <a>configuración</a> para entradas duplicadas ou incorrectas.",
"Your %(brand)s is misconfigured": "O teu %(brand)s está mal configurado",
"Ask your %(brand)s admin to check <a>your config</a> for incorrect or duplicate entries.": "Pídelle a administración do teu %(brand)s que comprobe a <a>configuración</a> para entradas duplicadas ou incorrectas.",
"Cannot reach identity server": "Non se acadou o servidor de identidade",
"You can register, but some features will be unavailable until the identity server is back online. If you keep seeing this warning, check your configuration or contact a server admin.": "Podes rexistrarte, pero algunhas características non estarán dispoñibles ata que o servidor de identidade volte a conectarse. Se segues a ver este aviso, comproba os axustes ou contacta coa administración.",
"You can reset your password, but some features will be unavailable until the identity server is back online. If you keep seeing this warning, check your configuration or contact a server admin.": "Podes restablecer o contrasinal, pero algunhas características non estarán dispoñibles ata que o servidor de identidade se conecte. Se segues a ver este aviso comproba os axustes ou contacta coa administración.",
@ -1201,8 +1123,8 @@
"A word by itself is easy to guess": "Por si sola, unha palabra é fácil de adiviñar",
"Names and surnames by themselves are easy to guess": "Nomes e apelidos por si mesmos son fáciles de adiviñar",
"Common names and surnames are easy to guess": "Os nomes e alcumes son fáciles de adiviñar",
"Help us improve Riot": "Axúdanos a mellorar Riot",
"Send <UsageDataLink>anonymous usage data</UsageDataLink> which helps us improve Riot. This will use a <PolicyLink>cookie</PolicyLink>.": "Envía <UsageDataLink>datos de uso anónimos</UsageDataLink> que nos axudarán a mellorar Riot. Esto precisa usar unha <PolicyLink>cookie</PolicyLink>.",
"Help us improve %(brand)s": "Axúdanos a mellorar %(brand)s",
"Send <UsageDataLink>anonymous usage data</UsageDataLink> which helps us improve %(brand)s. This will use a <PolicyLink>cookie</PolicyLink>.": "Envía <UsageDataLink>datos de uso anónimos</UsageDataLink> que nos axudarán a mellorar %(brand)s. Esto precisa usar unha <PolicyLink>cookie</PolicyLink>.",
"I want to help": "Quero axudar",
"No": "Non",
"Verify all your sessions to ensure your account & messages are safe": "Verifica todas as outras sesións para asegurar que a túa conta e mensaxes están seguros",
@ -1221,8 +1143,8 @@
"Other users may not trust it": "Outras usuarias poderían non confiar",
"Verify the new login accessing your account: %(name)s": "Verifica a conexión accedendo a túa conta: %(name)s",
"Restart": "Reiniciar",
"Upgrade your Riot": "Mellora o teu Riot",
"A new version of Riot is available!": "Hai unha nova versión de Riot!",
"Upgrade your %(brand)s": "Mellora o teu %(brand)s",
"A new version of %(brand)s is available!": "Hai unha nova versión de %(brand)s!",
"There was an error joining the room": "Houbo un fallo ao unirte a sala",
"Font scaling": "Escalado da tipografía",
"Custom user status messages": "Mensaxes de estado personalizados",
@ -1254,11 +1176,8 @@
"Theme": "Decorado",
"Language and region": "Idioma e rexión",
"Your theme": "O teu decorado",
"Use the improved room list (in development - refresh to apply changes)": "Usar a lista mellorada de salas (en desenvolvemento - actualiza para aplicar)",
"Support adding custom themes": "Permitir engadir decorados personalizados",
"Use IRC layout": "Usar disposición IRC",
"Font size": "Tamaño da letra",
"Custom font size": "Tamaño letra personalizado",
"Enable Emoji suggestions while typing": "Activar suxestión de Emoji ao escribir",
"Show a placeholder for removed messages": "Resaltar o lugar das mensaxes eliminadas",
"Show avatar changes": "Mostrar cambios de avatar",
@ -1285,7 +1204,6 @@
"Send read receipts for messages (requires compatible homeserver to disable)": "Enviar resgardos de lectura para as mensaxes (require servidor compatible para desactivar)",
"Show previews/thumbnails for images": "Mostrar miniaturas/vista previa das imaxes",
"Enable message search in encrypted rooms": "Activar a busca de mensaxes en salas cifradas",
"Keep recovery passphrase in memory for this session": "Manter a frase de paso de recuperación en memoria para esta sesión",
"How fast should messages be downloaded.": "Velocidade á que deberían descargarse as mensaxes.",
"Manually verify all remote sessions": "Verificar manualmente todas as sesións remotas",
"IRC display name width": "Ancho do nome mostrado de IRC",
@ -1434,8 +1352,7 @@
"Manage": "Xestionar",
"Securely cache encrypted messages locally for them to appear in search results.": "Gardar de xeito seguro mensaxes cifradas na caché local para que aparezan nos resultados de buscas.",
"Enable": "Activar",
"Riot is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom Riot Desktop with <nativeLink>search components added</nativeLink>.": "Falta un compoñente de Riot requerido para almacenar localmente mensaxes cifradas na caché. Se queres experimentar con esta función, compila unha versión personalizada de Riot Desktop <nativeLink>cos compoñentes de busca engadidos</nativeLink>.",
"Riot can't securely cache encrypted messages locally while running in a web browser. Use <riotLink>Riot Desktop</riotLink> for encrypted messages to appear in search results.": "Riot non pode gardar de xeito seguro localmente as mensaxes cifradas se se executa nun navegador. Usa <riotLink>Riot Desktop</riotLink> para que as mensaxes cifradas aparezan nas buscas.",
"%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with <nativeLink>search components added</nativeLink>.": "Falta un compoñente de %(brand)s requerido para almacenar localmente mensaxes cifradas na caché. Se queres experimentar con esta función, compila unha versión personalizada de %(brand)s Desktop <nativeLink>cos compoñentes de busca engadidos</nativeLink>.",
"Connecting to integration manager...": "Conectando co xestor de integración...",
"Cannot connect to integration manager": "Non se puido conectar co xestor de intregración",
"The integration manager is offline or it cannot reach your homeserver.": "O xestor de integración non está en liña ou non é accesible desde o teu servidor.",
@ -1523,7 +1440,7 @@
"Account management": "Xestión da conta",
"Deactivating your account is a permanent action - be careful!": "A desactivación da conta será permanente - ten coidado!",
"Credits": "Créditos",
"Chat with Riot Bot": "Chat co Bot Riot",
"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.",
@ -1551,7 +1468,7 @@
"You are currently subscribed to:": "Estas subscrito a:",
"Ignored users": "Usuarias ignoradas",
"⚠ These settings are meant for advanced users.": "⚠ Estos axustes van dirixidos a usuarias avanzadas.",
"Add users and servers you want to ignore here. Use asterisks to have Riot match any characters. For example, <code>@bot:*</code> would ignore all users that have the name 'bot' on any server.": "Engade aquí usuarias e servidores que desexas ignorar. Usa asterisco que Riot usará como comodín. Exemplo, <code>@bot*</code> ignorará todas as usuarias de calquera servidor que teñan 'bot' no nome.",
"Add users and servers you want to ignore here. Use asterisks to have %(brand)s match any characters. For example, <code>@bot:*</code> would ignore all users that have the name 'bot' on any server.": "Engade aquí usuarias e servidores que desexas ignorar. Usa asterisco que %(brand)s usará como comodín. Exemplo, <code>@bot*</code> ignorará todas as usuarias de calquera servidor que teñan 'bot' no nome.",
"Ignoring people is done through ban lists which contain rules for who to ban. Subscribing to a ban list means the users/servers blocked by that list will be hidden from you.": "Ignorar a persoas faise a través de listaxes de bloqueo que conteñen regras. Subscribíndote a unha listaxe de bloqueo fará que esas usuarias/servidores sexan inaccesibles para ti.",
"Personal ban list": "Lista personal de bloqueo",
"Your personal ban list holds all the users/servers you personally don't want to see messages from. After ignoring your first user/server, a new room will show up in your room list named 'My Ban List' - stay in this room to keep the ban list in effect.": "A túa listaxe personal de bloqueo acolle as usuarias/servidores que personalmente non desexas ver. Tras ignorar a túa primeira usuaria/servidor, unha nova sala chamada 'Listaxe de bloqueos' aparecerá na listaxe de salas - non saias desta sala para que o bloqueo siga surtindo efecto.",
@ -1592,8 +1509,6 @@
"Developer options": "Opcións desenvolvemento",
"Open Devtools": "Open Devtools",
"This room is bridging messages to the following platforms. <a>Learn more.</a>": "Esta sala está enviando mensaxes ás seguintes plataformas. <a>Coñece máis.</a>",
"sent an image.": "enviou unha imaxe.",
"You: %(message)s": "Ti: %(message)s",
"This room isnt bridging messages to any platforms. <a>Learn more.</a>": "Esta sala non está enviando mensaxes a outras plataformas. <a>Saber máis.</a>",
"Bridges": "Pontes",
"Uploaded sound": "Audio subido",
@ -1664,7 +1579,7 @@
"Light": "Claro",
"Dark": "Escuro",
"Customise your appearance": "Personaliza o aspecto",
"Appearance Settings only affect this Riot session.": "Os axustes da aparencia só lle afectan a esta sesión Riot.",
"Appearance Settings only affect this %(brand)s session.": "Os axustes da aparencia só lle afectan a esta sesión %(brand)s.",
"Key share requests are sent to your other sessions automatically. If you rejected or dismissed the key share request on your other sessions, click here to request the keys for this session again.": "As solicitudes de compartir Chave envíanse ás outras túas sesións abertas. Se rexeitaches ou obviaches a solicitude nas outras sesións, preme aquí para voltar a facer a solicitude.",
"If your other sessions do not have the key for this message you will not be able to decrypt them.": "Se as túas outras sesións non teñen a chave para esta mensaxe non poderás descifrala.",
"<requestLink>Re-request encryption keys</requestLink> from your other sessions.": "<requestLink>Volta a solicitar chaves de cifrado</requestLink> desde as outras sesións.",
@ -1696,10 +1611,10 @@
"Something went wrong with your invite to %(roomName)s": "Algo fallou co teu convite para %(roomName)s",
"An error (%(errcode)s) was returned while trying to validate your invite. You could try to pass this information on to a room admin.": "Un erro (%(errcode)s) foi devolto ao intentar validar o convite. Podes intentar enviarlle esta información a administración da sala.",
"This invite to %(roomName)s was sent to %(email)s which is not associated with your account": "Este convite para %(roomName)s foi enviado a %(email)s que non está asociado coa túa conta",
"Link this email with your account in Settings to receive invites directly in Riot.": "Liga este email coa túa conta nos Axustes para recibir convites directamente en Riot.",
"Link this email with your account in Settings to receive invites directly in %(brand)s.": "Liga este email coa túa conta nos Axustes para recibir convites directamente en %(brand)s.",
"This invite to %(roomName)s was sent to %(email)s": "Este convite para %(roomName)s foi enviado a %(email)s",
"Use an identity server in Settings to receive invites directly in Riot.": "Usa un servidor de identidade nos Axustes para recibir convites directamente en Riot.",
"Share this email in Settings to receive invites directly in Riot.": "Comparte este email en Axustes para recibir convites directamente en Riot.",
"Use an identity server in Settings to receive invites directly in %(brand)s.": "Usa un servidor de identidade nos Axustes para recibir convites directamente en %(brand)s.",
"Share this email in Settings to receive invites directly in %(brand)s.": "Comparte este email en Axustes para recibir convites directamente en %(brand)s.",
"Do you want to chat with %(user)s?": "Desexas conversar con %(user)s?",
"<userName/> wants to chat": "<userName/> quere conversar",
"Start chatting": "Comeza a conversa",
@ -1781,7 +1696,6 @@
"Trusted": "Confiable",
"Not trusted": "Non confiable",
"%(count)s verified sessions|other": "%(count)s sesións verificadas",
"Use the improved room list (in development - will refresh to apply changes)": "Usar a lista de salas mellorada (desenvolvemento - actualizar para aplicar)",
"%(count)s verified sessions|one": "1 sesión verificada",
"Hide verified sessions": "Agochar sesións verificadas",
"%(count)s sessions|other": "%(count)s sesións",
@ -1804,7 +1718,7 @@
"Failed to deactivate user": "Fallo ao desactivar a usuaria",
"This client does not support end-to-end encryption.": "Este cliente non soporta o cifrado extremo-a-extremo.",
"Security": "Seguridade",
"The session you are trying to verify doesn't support scanning a QR code or emoji verification, which is what Riot supports. Try with a different client.": "A sesión que intentas verificar non soporta a verificación por código QR ou por emoticonas, que é o que soporta Riot. Inténtao cun cliente diferente.",
"The session you are trying to verify doesn't support scanning a QR code or emoji verification, which is what %(brand)s supports. Try with a different client.": "A sesión que intentas verificar non soporta a verificación por código QR ou por emoticonas, que é o que soporta %(brand)s. Inténtao cun cliente diferente.",
"Verify by scanning": "Verificar escaneando",
"Ask %(displayName)s to scan your code:": "Pídelle a %(displayName)s que escanee o teu código:",
"If you can't scan the code above, verify by comparing unique emoji.": "Se non podes escanear o código superior, verifica comparando as emoticonas.",
@ -1879,7 +1793,7 @@
"Your display name": "Nome mostrado",
"Your avatar URL": "URL do avatar",
"Your user ID": "ID de usuaria",
"Riot URL": "URL Riot",
"%(brand)s URL": "URL %(brand)s",
"Room ID": "ID da sala",
"Widget ID": "ID do widget",
"Using this widget may share data <helpIcon /> with %(widgetDomain)s & your Integration Manager.": "Ao utilizar este widget poderías compartir datos <helpIcon /> con %(widgetDomain)s e o teu Xestor de integracións.",
@ -1950,8 +1864,8 @@
"Hide advanced": "Ocultar Avanzado",
"Show advanced": "Mostrar Avanzado",
"Block users on other matrix homeservers from joining this room (This setting cannot be changed later!)": "Evitar que usuarias de outros servidores matrix se unan a esta sala (Este axuste non se pode cambiar máis tarde!)",
"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 Riot to do this": "Para evitar perder o historial da conversa, debes exportar as chaves da sala antes de desconectarte. Necesitarás voltar á nova versión de Riot para facer esto",
"You've previously used a newer version of Riot with this session. To use this version again with end to end encryption, you will need to sign out and back in again.": "Xa utilizaches unha versión máis nova de Riot nesta sesión. Para usar esta versión novamente con cifrado extremo-a-extremo tes que desconectarte e voltar a conectar.",
"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 o historial da conversa, debes exportar as chaves da sala antes de desconectarte. Necesitarás voltar á nova versión de %(brand)s para facer esto",
"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.": "Xa utilizaches unha versión máis nova de %(brand)s nesta sesión. Para usar esta versión novamente con cifrado extremo-a-extremo tes que desconectarte e voltar a conectar.",
"Incompatible Database": "Base de datos non compatible",
"Continue With Encryption Disabled": "Continuar con Cifrado Desactivado",
"Are you sure you want to deactivate your account? This is irreversible.": "¿Tes a certeza de querer desactivar a túa conta? Esto é irreversible.",
@ -1963,7 +1877,6 @@
"Verification Requests": "Solicitudes de Verificación",
"Verify this user to mark them as trusted. Trusting users gives you extra peace of mind when using end-to-end encrypted messages.": "Verifica esta usuaria para marcala como confiable. Ao confiar nas usuarias proporcionache tranquilidade extra cando usas cifrado de extremo-a-extremo.",
"Verifying this user will mark their session as trusted, and also mark your session as trusted to them.": "Ao verificar esta usuaria marcarás a súa sesión como confiable, e tamén marcará a túa sesión como confiable para elas.",
"Enable IRC layout option in the appearance tab": "Activar opción de disposición IRC na pestana de aparencia",
"Use custom size": "Usar tamaño personalizado",
"Use a system font": "Usar tipo de letra do sistema",
"System font name": "Nome da letra do sistema",
@ -1979,7 +1892,7 @@
"Integrations are disabled": "As Integracións están desactivadas",
"Enable 'Manage Integrations' in Settings to do this.": "Activa 'Xestionar Integracións' nos Axustes para facer esto.",
"Integrations not allowed": "Non se permiten Integracións",
"Your Riot doesn't allow you to use an Integration Manager to do this. Please contact an admin.": "O teu Riot non permite que uses o Xestor de Integracións, contacta coa administración.",
"Your %(brand)s doesn't allow you to use an Integration Manager to do this. Please contact an admin.": "O teu %(brand)s non permite que uses o Xestor de Integracións, contacta coa administración.",
"Confirm to continue": "Confirma para continuar",
"Click the button below to confirm your identity.": "Preme no botón inferior para confirmar a túa identidade.",
"Failed to invite the following users to chat: %(csvUsers)s": "Fallo ao convidar as seguintes usuarias a conversa: %(csvUsers)s",
@ -1998,19 +1911,18 @@
"a new cross-signing key signature": "unha nova firma con chave de sinatura-cruzada",
"a device cross-signing signature": "unha sinatura sinatura-cruzada de dispositivo",
"a key signature": "unha chave de sinatura",
"Riot encountered an error during upload of:": "Riot atopou un fallo ao subir:",
"%(brand)s encountered an error during upload of:": "%(brand)s atopou un fallo ao subir:",
"Upload completed": "Subida completa",
"Cancelled signature upload": "Cancelada a subida da sinatura",
"Unable to upload": "Non foi posible a subida",
"The authenticity of this encrypted message can't be guaranteed on this device.": "A autenticidade desta mensaxe cifrada non está garantida neste dispositivo.",
"Signature upload success": "Subeuse correctamente a sinatura",
"Signature upload failed": "Fallou a subida da sinatura",
"You've previously used Riot 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, Riot needs to resync your account.": "Anteriormente utilizaches Riot en %(host)s con carga preguiceira de membros. Nesta versión a carga preguiceira está desactivada. Como a caché local non é compatible entre as dúas configuracións, Riot precisa voltar a sincronizar a conta.",
"If the other version of Riot is still open in another tab, please close it as using Riot on the same host with both lazy loading enabled and disabled simultaneously will cause issues.": "Se a outra versión de Riot aínda está aberta noutra lapela, péchaa por favor, pois podería haber fallos ao estar as dúas sesións traballando simultáneamente.",
"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.": "Anteriormente utilizaches %(brand)s en %(host)s con carga preguiceira de membros. Nesta versión a carga preguiceira está desactivada. Como a caché local non é compatible entre as dúas configuracións, %(brand)s precisa voltar a sincronizar a conta.",
"Incompatible local cache": "Caché local incompatible",
"Clear cache and resync": "Baleirar caché e sincronizar",
"Riot now uses 3-5x less memory, by only loading information about other users when needed. Please wait whilst we resynchronise with the server!": "Riot utiliza agora entre 3 e 5 veces menos memoria, cargando só información sobre as usuarias cando é preciso. Agarda mentras se sincroniza co servidor!",
"Updating Riot": "Actualizando Riot",
"%(brand)s now uses 3-5x less memory, by only loading information about other users when needed. Please wait whilst we resynchronise with the server!": "%(brand)s utiliza agora entre 3 e 5 veces menos memoria, cargando só información sobre as usuarias cando é preciso. Agarda mentras se sincroniza co servidor!",
"Updating %(brand)s": "Actualizando %(brand)s",
"I don't want my encrypted messages": "Non quero as miñas mensaxes cifradas",
"Manually export keys": "Exportar manualmente as chaves",
"You'll lose access to your encrypted messages": "Perderás o acceso as túas mensaxes cifradas",
@ -2050,7 +1962,7 @@
"Upgrade private room": "Actualizar sala privada",
"Upgrade public room": "Actualizar sala pública",
"Upgrading a room is an advanced action and is usually recommended when a room is unstable due to bugs, missing features or security vulnerabilities.": "A actualización da sala é unha acción avanzada e recomendada cando unha sala se volta inestable debido aos fallos, características obsoletas e vulnerabilidades da seguridade.",
"This usually only affects how the room is processed on the server. If you're having problems with your Riot, please <a>report a bug</a>.": "Esto normalmente só afecta ao xeito en que a sala se procesa no servidor. Se tes problemas con Riot, <a>informa do problema</a>.",
"This usually only affects how the room is processed on the server. If you're having problems with your %(brand)s, please <a>report a bug</a>.": "Esto normalmente só afecta ao xeito en que a sala se procesa no servidor. Se tes problemas con %(brand)s, <a>informa do problema</a>.",
"You'll upgrade this room from <oldVersion /> to <newVersion />.": "Vas actualizar a sala da versión <oldVersion /> á <newVersion />.",
"A username can only contain lower case letters, numbers and '=_-./'": "Un nome de usuaria só pode ter minúsculas, números e '=_-./'",
"Checking...": "Comprobando...",
@ -2085,15 +1997,9 @@
"Deny": "Denegar",
"Enter recovery passphrase": "Escribe a frase de paso de recuperación",
"Unable to access secret storage. Please verify that you entered the correct recovery passphrase.": "Non se pode acceder ao almacenaxe segredo. Verifica que escribiches a frase de paso correta.",
"<b>Warning</b>: You should only do this on a trusted computer.": "<b>Aviso</b>: Só deberías facer esto nunha computadora de confianza.",
"Access your secure message history and your cross-signing identity for verifying other sessions by entering your recovery passphrase.": "Accede ó teu historial seguro de mensaxes e á túa identidade de sinatura-cruzada para verificar outras sesión escribindo a frase de paso de recuperación.",
"If you've forgotten your recovery passphrase you can <button1>use your recovery key</button1> or <button2>set up new recovery options</button2>.": "Se esqueceches a túa frase de paso de recuperación podes <button1>usar a chave de recuperación</button1> ou establecer <button2>novas opcións de recuperación</button2>.",
"Enter recovery key": "Escribe a chave de recuperación",
"Unable to access secret storage. Please verify that you entered the correct recovery key.": "Non se accedeu ó almacenaxe segredo. Verifica que escribiches a chave de recuperación correcta.",
"This looks like a valid recovery key!": "Semella unha chave de recuperación válida!",
"Not a valid recovery key": "Non é unha chave de recuperación válida",
"Access your secure message history and your cross-signing identity for verifying other sessions by entering your recovery key.": "Accede ó teu historial de mensaxes seguras e á identidade de sinatura-cruzada para verificar outras sesión escribindo a achave de recuperación.",
"If you've forgotten your recovery key you can <button>set up new recovery options</button>.": "Se esqueceches a chave de recuperación podes <button>establecer novas opcións de recuperación</button>.",
"Restoring keys from backup": "Restablecendo chaves desde a copia",
"Fetching keys from server...": "Obtendo chaves desde o servidor...",
"%(completed)s of %(total)s keys restored": "%(completed)s de %(total)s chaves restablecidas",
@ -2182,8 +2088,8 @@
"Send a Direct Message": "Envía unha Mensaxe Directa",
"Create a Group Chat": "Crear unha Conversa en Grupo",
"Self-verification request": "Solicitude de auto-verificación",
"Riot failed to get the protocol list from the homeserver. The homeserver may be too old to support third party networks.": "Riot non puido obter a lista de protocolos desde o servidor. O servidor podería ser moi antigo para soportar redes de terceiros.",
"Riot failed to get the public room list.": "Riot non puido obter a lista de salas públicas.",
"%(brand)s failed to get the protocol list from the homeserver. The homeserver may be too old to support third party networks.": "%(brand)s non puido obter a lista de protocolos desde o servidor. O servidor podería ser moi antigo para soportar redes de terceiros.",
"%(brand)s failed to get the public room list.": "%(brand)s non puido obter a lista de salas públicas.",
"The homeserver may be unavailable or overloaded.": "O servidor podería non estar dispoñible ou con sobrecarga.",
"delete the address.": "eliminar o enderezo.",
"Preview": "Vista previa",
@ -2200,9 +2106,7 @@
"Switch theme": "Cambiar decorado",
"Security & privacy": "Seguridade & privacidade",
"All settings": "Todos os axustes",
"Archived rooms": "Salas arquivadas",
"Feedback": "Comenta",
"Account settings": "Axustes da conta",
"Could not load user profile": "Non se cargou o perfil da usuaria",
"Verify this login": "Verifcar esta conexión",
"Session verified": "Sesión verificada",
@ -2237,7 +2141,7 @@
"Use Recovery Key or Passphrase": "Usa a Chave de recuperación ou Frase de paso",
"Use Recovery Key": "Usa chave de recuperación",
"Confirm your identity by verifying this login from one of your other sessions, granting it access to encrypted messages.": "Confirma a túa identidade verificando esta conexión desde unha das outras sesións, permitindo así acceder ás mensaxes cifradas.",
"This requires the latest Riot on your other devices:": "Require a última versión de Riot nos outros dispositivos:",
"This requires the latest %(brand)s on your other devices:": "Require a última versión de %(brand)s nos outros dispositivos:",
"or another cross-signing capable Matrix client": "ou outro cliente Matrix que permita a sinatura-cruzada",
"Your new session is now verified. It has access to your encrypted messages, and other users will see it as trusted.": "A nova sesión foi verificada. Tes acceso ás mensaxes cifradas, e outras persoas verante como confiable.",
"Your new session is now verified. Other users will see it as trusted.": "A nova sesión foi verificada. Outras persoas verante como confiable.",
@ -2263,10 +2167,8 @@
"Restore": "Restablecer",
"You'll need to authenticate with the server to confirm the upgrade.": "Debes autenticarte no servidor para confirmar a actualización.",
"Upgrade this session to allow it to verify other sessions, granting them access to encrypted messages and marking them as trusted for other users.": "Actualiza esta sesión para permitirlle que verifique as outras sesións, outorgándolles acceso ás mensaxes cifradas e marcándoas como confiables para outras usuarias.",
"Set a recovery passphrase to secure encrypted information and recover it if you log out. This should be different to your account password:": "Establece unha frase de paso de recuperación para asegurar a información cifrada e recuperala se te desconectas. Esta frase debería ser diferente ó contrasinal da conta:",
"Enter a recovery passphrase": "Escribe a frase de paso de recuperación",
"Great! This recovery passphrase looks strong enough.": "Ben! Esta frase de paso de recuperación semella ser forte.",
"Back up encrypted message keys": "Fai copia das chaves das mensaxes cifradas",
"Set up with a recovery key": "Configura cunha chave de recuperación",
"That matches!": "Concorda!",
"Use a different passphrase?": "¿Usar unha frase de paso diferente?",
@ -2286,11 +2188,8 @@
"<b>Copy it</b> to your personal cloud storage": "<b>Copiaa</b> no almacenaxe personal na nube",
"Unable to query secret storage status": "Non se obtivo o estado do almacenaxe segredo",
"Retry": "Reintentar",
"You can now verify your other devices, and other users to keep your chats safe.": "Xa podes verificar os teus outros dispositivos e a outras usuarias para manter conversas seguras.",
"Upgrade your encryption": "Mellora o teu cifrado",
"Confirm recovery passphrase": "Confirma a frase de paso de recuperación",
"Make a copy of your recovery key": "Fai unha copia da túa chave de recuperación",
"You're done!": "Feito!",
"Unable to set up secret storage": "Non se configurou un almacenaxe segredo",
"We'll store an encrypted copy of your keys on our server. Secure your backup with a recovery passphrase.": "Imos gardar unha copia cifrada das túas chaves no noso servidor. Asegura a copia cunha frase de paso de recuperación.",
"For maximum security, this should be different from your account password.": "Para máxima seguridade, esta debería ser diferente ó contrasinal da túa conta.",
@ -2321,7 +2220,7 @@
"Disable": "Desactivar",
"Not currently indexing messages for any room.": "Non se están indexando as mensaxes de ningunha sala.",
"Currently indexing: %(currentRoom)s": "Indexando actualmente: %(currentRoom)s",
"Riot is securely caching encrypted messages locally for them to appear in search results:": "Riot está gardando de xeito seguro na caché local mensaxes cifradas para que aparezan nos resultados das buscas:",
"%(brand)s is securely caching encrypted messages locally for them to appear in search results:": "%(brand)s está gardando de xeito seguro na caché local mensaxes cifradas para que aparezan nos resultados das buscas:",
"Space used:": "Espazo utilizado:",
"Indexed messages:": "Mensaxes indexadas:",
"Indexed rooms:": "Salas indexadas:",

View file

@ -3,11 +3,6 @@
"This phone number is already in use": "מספר הטלפון הזה כבר בשימוש",
"Failed to verify email address: make sure you clicked the link in the email": "אימות כתובת הדוא\"ל נכשלה: וודא שלחצת על הקישור בדוא\"ל",
"Call Failed": "השיחה נכשלה",
"Review Devices": "סקירת מכשירים",
"Call Anyway": "התקשר בכל זאת",
"Answer Anyway": "ענה בכל זאת",
"Call": "התקשר",
"Answer": "ענה",
"The remote side failed to pick up": "הצד המרוחק לא ענה",
"Unable to capture screen": "כישלון בצילום המסך",
"Existing Call": "שיחה קיימת",
@ -45,7 +40,6 @@
"Which rooms would you like to add to this community?": "אילו חדרים תרצה להוסיף לקהילה?",
"Show these rooms to non-members on the community page and room list?": "הצג חדרים אלה לחסרי-חשבון על דף הקהילה ורשימת החדרים?",
"Add rooms to the community": "הוסף חדרים לקהילה",
"Room name or alias": "שם חדר או כינוי",
"Warning": "התראה",
"Submit debug logs": "הזן יומני ניפוי שגיאה (דבאג)",
"Edit": "ערוך",
@ -78,7 +72,6 @@
"Guests can join": "אורחים יכולים להצטרף",
"No rooms to show": "אין חדרים להצגה",
"Fetching third party location failed": "נסיון להביא מיקום צד שלישי נכשל",
"A new version of Riot is available.": "יצאה גרסה חדשה של Riot.",
"Send Account Data": "שלח נתוני משתמש",
"All notifications are currently disabled for all targets.": "התראות מנוטרלות לכלל המערכת.",
"Uploading report": "מעדכן דוח",
@ -98,8 +91,6 @@
"Send Custom Event": "שלח אירוע מותאם אישית",
"Advanced notification settings": "הגדרות מתקדמות להתראות",
"Failed to send logs: ": "כשל במשלוח יומנים: ",
"delete the alias.": "מחיקת כינוי.",
"To return to your account in future you need to <u>set a password</u>": "להשתמש בחשבונך בעתיד, עליך <u>להגדיר סיסמא</u>",
"Forget": "שכח",
"You cannot delete this image. (%(code)s)": "אי אפשר למחוק את התמונה. (%(code)s)",
"Cancel Sending": "ביטול שליחה",
@ -124,7 +115,6 @@
"No update available.": "אין עדכון זמין.",
"Resend": "שלח מחדש",
"Collecting app version information": "אוסף מידע על גרסת היישום",
"Delete the room alias %(alias)s and remove %(name)s from the directory?": "מחק כינוי %(alias)s של החדר והסר את %(name)s מהרשימה?",
"Keywords": "מילות מפתח",
"Enable notifications for this account": "אפשר התראות לחשבון זה",
"Invite to this community": "הזמן לקהילה זו",
@ -134,7 +124,7 @@
"Enter keywords separated by a comma:": "הכנס מילים מופרדות באמצעות פסיק:",
"Forward Message": "העבר הודעה",
"Remove %(name)s from the directory?": "הסר את %(name)s מהרשימה?",
"Riot uses many advanced browser features, some of which are not available or experimental in your current browser.": "Riot משתמש במספר רב של אפשרויות מתקדמות בדפדפן, חלק מהן לא זמינות או בשלבי נסיון בדפדפן שבשימושך כרגע.",
"%(brand)s uses many advanced browser features, some of which are not available or experimental in your current browser.": "%(brand)s משתמש במספר רב של אפשרויות מתקדמות בדפדפן, חלק מהן לא זמינות או בשלבי נסיון בדפדפן שבשימושך כרגע.",
"Event sent!": "ארוע נשלח!",
"Preparing to send logs": "מתכונן לשלוח יומנים",
"Remember, you can always set an email address in user settings if you change your mind.": "להזכירך: תמיד ניתן לשנות כתובת אימייל בהגדרות משתש. למקרה שתתחרט/י.",
@ -181,8 +171,7 @@
"You must specify an event type!": "חובה להגדיר סוג ארוע!",
"Unhide Preview": "הצג מחדש תצוגה מקדימה",
"Unable to join network": "לא ניתן להצטרף לרשת",
"You might have configured them in a client other than Riot. You cannot tune them in Riot but they still apply": "יתכן כי בצעת את ההגדרות בצד לקוח ולא ב Riot. לא תוכל לעדכן אותם ב Riot אבל הם עדיין תקפים",
"Sorry, your browser is <b>not</b> able to run Riot.": "מצטערים, הדפדפן שלך הוא <b> אינו</b> יכול להריץ את Riot.",
"Sorry, your browser is <b>not</b> able to run %(brand)s.": "מצטערים, הדפדפן שלך הוא <b> אינו</b> יכול להריץ את %(brand)s.",
"Uploaded on %(date)s by %(user)s": "עודכן ב %(date)s ע\"י %(user)s",
"Messages in group chats": "הודעות בקבוצות השיחה",
"Yesterday": "אתמול",
@ -191,7 +180,7 @@
"Unable to fetch notification target list": "לא ניתן לאחזר רשימת יעדי התראה",
"Set Password": "הגדר סיסמא",
"Off": "סגור",
"Riot does not know how to join a room on this network": "Riot אינו יודע כיצד להצטרף לחדר ברשת זו",
"%(brand)s does not know how to join a room on this network": "%(brand)s אינו יודע כיצד להצטרף לחדר ברשת זו",
"Mentions only": "מאזכר בלבד",
"Failed to remove tag %(tagName)s from room": "נכשל בעת נסיון הסרת תג %(tagName)s מהחדר",
"You can now return to your account after signing out, and sign in on other devices.": "תוכל עתה לחזור לחשבון שלך רק אחרי התנתקות וחיבור מחדש לחשבון ממכשיר אחר.",
@ -207,6 +196,5 @@
"Thank you!": "רב תודות!",
"With your current browser, the look and feel of the application may be completely incorrect, and some or all features may not function. If you want to try it anyway you can continue, but you are on your own in terms of any issues you may encounter!": "באמצעות הדפדפן הנוכחי שלך המראה של היישום יכול להיות שגוי לחלוטין וחלק מהאפשרויות לא תתפקדנה. אם תרצה לנסות בכל זאת תוכל אבל אז כל האחריות עליך!",
"Checking for an update...": "בודק עדכונים...",
"There are advanced notifications which are not shown here": "ישנן התראות מתקדמות אשר אינן מוצגות כאן",
"Your Riot is misconfigured": "ה Riot שלך מוגדר באופן שגוי"
"Your %(brand)s is misconfigured": "ה %(brand)s שלך מוגדר באופן שגוי"
}

View file

@ -1,5 +1,4 @@
{
"A new version of Riot is available.": "रायट के एक नया वर्शन उपलब्ध है।",
"All messages": "सारे संदेश",
"All Rooms": "सारे कमरे",
"Please set a password!": "कृपया एक पासवर्ड सेट करें!",
@ -9,29 +8,21 @@
"This phone number is already in use": "यह फ़ोन नंबर पहले से इस्तेमाल में है",
"Failed to verify email address: make sure you clicked the link in the email": "ईमेल आईडी सत्यापित नही हो पाया: कृपया सुनिश्चित कर लें कि आपने ईमेल में मौजूद लिंक पर क्लिक किया है",
"The platform you're on": "आप जिस प्लेटफार्म पर हैं",
"The version of Riot.im": "रायट.आई एम का जो संस्करण",
"Your language of choice": "आपकी चयन की भाषा",
"Which officially provided instance you are using, if any": "क्या आप कोई अधिकृत संस्करण इस्तेमाल कर रहे हैं? अगर हां, तो कौन सा",
"Your homeserver's URL": "आपके होमसर्वर का यूआरएल",
"Every page you use in the app": "हर पृष्ठ जिसका आप इस एप में इस्तेमाल करते हैं",
"Your User Agent": "आपका उपभोक्ता प्रतिनिधि",
"Custom Server Options": "कस्टम सर्वर विकल्प",
"Dismiss": "खारिज",
"powered by Matrix": "मैट्रिक्स द्वारा संचालित",
"Whether or not you're using the Richtext mode of the Rich Text Editor": "चाहे आप रिच टेक्स्ट एडिटर के रिच टेक्स्ट मोड का उपयोग कर रहे हों या नहीं",
"Your identity server's URL": "आपका आइडेंटिटी सर्वर का URL",
"e.g. %(exampleValue)s": "उदाहरणार्थ %(exampleValue)s",
"e.g. <CurrentPageURL>": "उदाहरणार्थ <CurrentPageURL>",
"Your device resolution": "आपके यंत्र का रेसोलुशन",
"Analytics": "एनालिटिक्स",
"The information being sent to us to help make Riot.im better includes:": "Riot.im को बेहतर बनाने के लिए हमें भेजी गई जानकारी में निम्नलिखित शामिल हैं:",
"The information being sent to us to help make %(brand)s better includes:": "%(brand)s को बेहतर बनाने के लिए हमें भेजी गई जानकारी में निम्नलिखित शामिल हैं:",
"Where this page includes identifiable information, such as a room, user or group ID, that data is removed before being sent to the server.": "जहां इस पृष्ठ में पहचान योग्य जानकारी शामिल है, जैसे कि रूम, यूजर या समूह आईडी, वह डाटा सर्वर को भेजे से पहले हटा दिया जाता है।",
"Call Failed": "कॉल विफल",
"Review Devices": "डिवाइस की समीक्षा करें",
"Call Anyway": "वैसे भी कॉल करें",
"Answer Anyway": "वैसे भी जवाब दें",
"Call": "कॉल",
"Answer": "उत्तर",
"Call Timeout": "कॉल टाइमआउट",
"The remote side failed to pick up": "दूसरी पार्टी ने जवाब नहीं दिया",
"Unable to capture screen": "स्क्रीन कैप्चर करने में असमर्थ",
@ -40,7 +31,6 @@
"VoIP is unsupported": "VoIP असमर्थित है",
"You cannot place VoIP calls in this browser.": "आप इस ब्राउज़र में VoIP कॉल नहीं कर सकते हैं।",
"You cannot place a call with yourself.": "आप अपने साथ कॉल नहीं कर सकते हैं।",
"Could not connect to the integration server": "इंटीग्रेशन सर्वर से संपर्क नहीं हो सका",
"Call in Progress": "कॉल चालू हैं",
"A call is currently being placed!": "वर्तमान में एक कॉल किया जा रहा है!",
"A call is already in progress!": "कॉल पहले ही प्रगति पर है!",
@ -79,25 +69,19 @@
"Which rooms would you like to add to this community?": "आप इस समुदाय में कौन से रूम जोड़ना चाहते हैं?",
"Show these rooms to non-members on the community page and room list?": "क्या आप इन मैट्रिक्स रूम को कम्युनिटी पृष्ठ और रूम लिस्ट के गैर सदस्यों को दिखाना चाहते हैं?",
"Add rooms to the community": "कम्युनिटी में रूम जोड़े",
"Room name or alias": "रूम का नाम या उपनाम",
"Add to community": "कम्युनिटी में जोड़ें",
"Failed to invite the following users to %(groupId)s:": "निम्नलिखित उपयोगकर्ताओं को %(groupId)s में आमंत्रित करने में विफल:",
"Failed to invite users to community": "उपयोगकर्ताओं को कम्युनिटी में आमंत्रित करने में विफल",
"Failed to invite users to %(groupId)s": "उपयोगकर्ताओं को %(groupId)s में आमंत्रित करने में विफल",
"Failed to add the following rooms to %(groupId)s:": "निम्नलिखित रूम को %(groupId)s में जोड़ने में विफल:",
"Riot does not have permission to send you notifications - please check your browser settings": "आपको सूचनाएं भेजने की रायट की अनुमति नहीं है - कृपया अपनी ब्राउज़र सेटिंग्स जांचें",
"Riot was not given permission to send notifications - please try again": "रायट को सूचनाएं भेजने की अनुमति नहीं दी गई थी - कृपया पुनः प्रयास करें",
"Unable to enable Notifications": "अधिसूचनाएं सक्षम करने में असमर्थ",
"This email address was not found": "यह ईमेल पता नहीं मिला था",
"Your email address does not appear to be associated with a Matrix ID on this Homeserver.": "आपका ईमेल पता इस होमसर्वर पर मैट्रिक्स आईडी से जुड़ा प्रतीत नहीं होता है।",
"Registration Required": "पंजीकरण आवश्यक",
"You need to register to do this. Would you like to register now?": "ऐसा करने के लिए आपको पंजीकरण करने की आवश्यकता है। क्या आप अभी पंजीकरण करना चाहते हैं?",
"Register": "पंजीकरण करें",
"Default": "डिफ़ॉल्ट",
"Restricted": "वर्जित",
"Moderator": "मध्यस्थ",
"Admin": "व्यवस्थापक",
"Start a chat": "एक चैट शुरू करें",
"Operation failed": "कार्रवाई विफल",
"Failed to invite": "आमंत्रित करने में विफल",
"Failed to invite the following users to the %(roomName)s room:": "निम्नलिखित उपयोगकर्ताओं को %(roomName)s रूम में आमंत्रित करने में विफल:",
@ -120,9 +104,7 @@
"To use it, just wait for autocomplete results to load and tab through them.": "इसका उपयोग करने के लिए, बस स्वत: पूर्ण परिणामों को लोड करने और उनके माध्यम से टैब के लिए प्रतीक्षा करें।",
"Changes your display nickname": "अपना प्रदर्शन उपनाम बदलता है",
"Invites user with given id to current room": "दिए गए आईडी के साथ उपयोगकर्ता को वर्तमान रूम में आमंत्रित करता है",
"Joins room with given alias": "दिए गए उपनाम के साथ रूम में शामिल हो जाता है",
"Leave room": "रूम छोड़ें",
"Unrecognised room alias:": "अपरिचित रूम उपनाम:",
"Kicks user with given id": "दिए गए आईडी के साथ उपयोगकर्ता को निर्वासन(किक) करता हैं",
"Bans user with given id": "दिए गए आईडी के साथ उपयोगकर्ता को प्रतिबंध लगाता है",
"Ignores a user, hiding their messages from you": "उपयोगकर्ता को अनदेखा करें और स्वयं से संदेश छुपाएं",
@ -161,11 +143,6 @@
"%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s ने रूम का नाम हटा दिया।",
"%(senderDisplayName)s changed the room name to %(roomName)s.": "%(senderDisplayName)s कमरे का नाम बदलकर %(roomName)s कर दिया।",
"%(senderDisplayName)s sent an image.": "%(senderDisplayName)s ने एक छवि भेजी।",
"%(senderName)s added %(count)s %(addedAddresses)s as addresses for this room.|other": "%(senderName)s ने इस रूम के लिए पते के रूप में %(addedAddresses)s को जोड़ा।",
"%(senderName)s added %(count)s %(addedAddresses)s as addresses for this room.|one": "%(senderName)s ने इस रूम के लिए एक पते के रूप में %(addedAddresses)s को जोड़ा।",
"%(senderName)s removed %(count)s %(removedAddresses)s as addresses for this room.|other": "%(senderName)s ने इस कमरे के लिए पते के रूप में %(removedAddresses)s को हटा दिया।",
"%(senderName)s removed %(count)s %(removedAddresses)s as addresses for this room.|one": "%(senderName)s ने इस कमरे के लिए एक पते के रूप में %(removedAddresses)s को हटा दिया।",
"%(senderName)s added %(addedAddresses)s and removed %(removedAddresses)s as addresses for this room.": "%(senderName)s ने इस कमरे के लिए पते के रूप में %(addedAddresses)s को जोड़ा और %(removedAddresses)s को हटा दिया।",
"%(senderName)s set the main address for this room to %(address)s.": "%(senderName)s ने इस कमरे के लिए मुख्य पता %(address)s पर सेट किया।",
"%(senderName)s removed the main address for this room.": "%(senderName)s ने इस कमरे के लिए मुख्य पता हटा दिया।",
"Someone": "कोई",
@ -189,7 +166,6 @@
"%(widgetName)s widget removed by %(senderName)s": "%(widgetName)s विजेट %(senderName)s द्वारा हटा दिया गया",
"Failure to create room": "रूम बनाने में विफलता",
"Server may be unavailable, overloaded, or you hit a bug.": "सर्वर अनुपलब्ध, अधिभारित हो सकता है, या अपने एक सॉफ्टवेयर गर्बरी को पाया।",
"Send anyway": "वैसे भी भेजें",
"Send": "भेजें",
"Unnamed Room": "अनाम रूम",
"This homeserver has hit its Monthly Active User limit.": "इस होमसर्वर ने अपनी मासिक सक्रिय उपयोगकर्ता सीमा को प्राप्त कर लिया हैं।",
@ -197,13 +173,11 @@
"Please <a>contact your service administrator</a> to continue using the service.": "सेवा का उपयोग जारी रखने के लिए कृपया <a> अपने सेवा व्यवस्थापक से संपर्क करें </a>।",
"Unable to connect to Homeserver. Retrying...": "होमसर्वर से कनेक्ट करने में असमर्थ। पुनः प्रयास किया जा रहा हैं...",
"Your browser does not support the required cryptography extensions": "आपका ब्राउज़र आवश्यक क्रिप्टोग्राफी एक्सटेंशन का समर्थन नहीं करता है",
"Not a valid Riot keyfile": "यह एक वैध रायट कीकुंजी नहीं है",
"Authentication check failed: incorrect password?": "प्रमाणीकरण जांच विफल: गलत पासवर्ड?",
"Sorry, your homeserver is too old to participate in this room.": "क्षमा करें, इस रूम में भाग लेने के लिए आपका होमसर्वर बहुत पुराना है।",
"Please contact your homeserver administrator.": "कृपया अपने होमसर्वर व्यवस्थापक से संपर्क करें।",
"Failed to join room": "रूम में शामिल होने में विफल",
"Message Pinning": "संदेश पिनिंग",
"Use compact timeline layout": "कॉम्पैक्ट टाइमलाइन लेआउट का प्रयोग करें",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "१२ घंटे प्रारूप में टाइमस्टैम्प दिखाएं (उदहारण:२:३० अपराह्न बजे)",
"Always show message timestamps": "हमेशा संदेश टाइमस्टैम्प दिखाएं",
"Autoplay GIFs and videos": "जीआईएफ और वीडियो को स्वत: प्ले करें",
@ -254,14 +228,10 @@
"Confirm password": "पासवर्ड की पुष्टि कीजिये",
"Change Password": "पासवर्ड बदलें",
"Authentication": "प्रमाणीकरण",
"Device ID": "यंत्र आईडी",
"Last seen": "अंतिम बार देखा गया",
"Failed to set display name": "प्रदर्शन नाम सेट करने में विफल",
"Disable Notifications": "नोटीफिकेशन निष्क्रिय करें",
"Enable Notifications": "सूचनाएं सक्षम करें",
"Delete Backup": "बैकअप हटाएं",
"Unable to load key backup status": "कुंजी बैकअप स्थिति लोड होने में असमर्थ",
"Verify...": "सत्यापित करें ...",
"Backup version: ": "बैकअप संस्करण: ",
"Algorithm: ": "कलन विधि: ",
"Error saving email notification preferences": "ईमेल अधिसूचना प्राथमिकताओं को सहेजने में त्रुटि",
@ -282,7 +252,6 @@
"Unable to fetch notification target list": "अधिसूचना लक्ष्य सूची लाने में असमर्थ",
"Notification targets": "अधिसूचना के लक्ष्य",
"Advanced notification settings": "उन्नत अधिसूचना सेटिंग्स",
"There are advanced notifications which are not shown here": "उन्नत सूचनाएं हैं जो यहां दिखाई नहीं दी गई हैं",
"Failed to invite users to the room:": "रूम में उपयोगकर्ताओं को आमंत्रित करने में विफल:",
"There was an error joining the room": "रूम में शामिल होने में एक त्रुटि हुई",
"Use a few words, avoid common phrases": "कम शब्दों का प्रयोग करें, सामान्य वाक्यांशों से बचें",
@ -317,7 +286,6 @@
"Messages containing @room": "@Room युक्त संदेश",
"Encrypted messages in one-to-one chats": "एक एक के साथ चैट में एन्क्रिप्टेड संदेश",
"Encrypted messages in group chats": "समूह चैट में एन्क्रिप्टेड संदेश",
"You might have configured them in a client other than Riot. You cannot tune them in Riot but they still apply": "हो सकता है कि आपने उन्हें रायट के अलावा किसी अन्य ग्राहक में कॉन्फ़िगर किया हो। आप उन्हें रायट में ट्यून नहीं कर सकते लेकिन वे अभी भी आवेदन करते हैं",
"Show message in desktop notification": "डेस्कटॉप अधिसूचना में संदेश दिखाएं",
"Off": "बंद",
"On": "चालू",
@ -337,8 +305,6 @@
"Options": "विकल्प",
"Key request sent.": "कुंजी अनुरोध भेजा गया।",
"Please select the destination room for this message": "कृपया इस संदेश के लिए गंतव्य रूम का चयन करें",
"Blacklisted": "काली सूची में डाला गया",
"device id: ": "डिवाइस आईडी: ",
"Disinvite": "आमंत्रित नहीं करना",
"Kick": "किक",
"Disinvite this user?": "इस उपयोगकर्ता को आमंत्रित नहीं करें?",
@ -353,7 +319,6 @@
"You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.": "आप इस बदलाव को पूर्ववत नहीं कर पाएंगे क्योंकि आप स्वयं को अवनत कर रहे हैं, अगर आप रूम में आखिरी विशेषाधिकार प्राप्त उपयोगकर्ता हैं तो विशेषाधिकार हासिल करना असंभव होगा।",
"Demote": "अवनत",
"Failed to mute user": "उपयोगकर्ता को म्यूट करने में विफल",
"Failed to toggle moderator status": "मॉडरेटर स्थिति टॉगल करने में विफल",
"Failed to change power level": "पावर स्तर बदलने में विफल",
"You will not be able to undo this change as you are promoting the user to have the same power level as yourself.": "आप इस परिवर्तन को पूर्ववत नहीं कर पाएंगे क्योंकि आप उपयोगकर्ता को अपने आप से समान शक्ति स्तर रखने के लिए प्रोत्साहित कर रहे हैं।",
"Are you sure?": "क्या आपको यकीन है?",
@ -363,12 +328,8 @@
"Mention": "उल्लेख",
"Invite": "आमंत्रण",
"Share Link to User": "उपयोगकर्ता को लिंक साझा करें",
"User Options": "उपयोगकर्ता विकल्प",
"Direct chats": "प्रत्यक्ष चैट",
"Unmute": "अनम्यूट",
"Mute": "म्यूट",
"Revoke Moderator": "मॉडरेटर को रद्द करें",
"Make Moderator": "मॉडरेटर बनायें",
"Admin Tools": "व्यवस्थापक उपकरण",
"Close": "बंद",
"and %(count)s others...|other": "और %(count)s अन्य ...",
@ -382,9 +343,7 @@
"Video call": "वीडियो कॉल",
"Upload file": "फाइल अपलोड करें",
"Send an encrypted reply…": "एक एन्क्रिप्टेड उत्तर भेजें …",
"Send a reply (unencrypted)…": "एक उत्तर भेजें (अनएन्क्रिप्टेड) …",
"Send an encrypted message…": "एक एन्क्रिप्टेड संदेश भेजें …",
"Send a message (unencrypted)…": "एक संदेश भेजें (अनएन्क्रिप्टेड) …",
"This room has been replaced and is no longer active.": "इस रूम को बदल दिया गया है और अब सक्रिय नहीं है।",
"The conversation continues here.": "वार्तालाप यहां जारी है।",
"You do not have permission to post to this room": "आपको इस रूम में पोस्ट करने की अनुमति नहीं है",
@ -408,7 +367,6 @@
"Idle": "निष्क्रिय",
"Offline": "ऑफलाइन",
"Unknown": "अज्ञात",
"Chat with Riot Bot": "रायट बॉट के साथ चैट करें",
"Whether or not you're logged in (we don't record your username)": "आप लॉग इन हैं या नहीं (हम आपका उपयोगकर्ता नाम रिकॉर्ड नहीं करते हैं)",
"The file '%(fileName)s' exceeds this homeserver's size limit for uploads": "फ़ाइल '%(fileName)s' अपलोड के लिए इस होमस्वर के आकार की सीमा से अधिक है",
"Upgrades a room to a new version": "एक रूम को एक नए संस्करण में अपग्रेड करता है",
@ -562,14 +520,11 @@
"Phone numbers": "फोन नंबर",
"Language and region": "भाषा और क्षेत्र",
"Theme": "थीम",
"Dark theme": "डार्क थीम",
"Account management": "खाता प्रबंधन",
"Deactivating your account is a permanent action - be careful!": "अपने खाते को निष्क्रिय करना एक स्थायी कार्रवाई है - सावधान रहें!",
"Deactivate Account": "खाता निष्क्रिय करें",
"Legal": "कानूनी",
"Credits": "क्रेडिट",
"For help with using Riot, click <a>here</a>.": "रायट का उपयोग करने में मदद के लिए, <a>यहां</a> क्लिक करें।",
"For help with using Riot, click <a>here</a> or start a chat with our bot using the button below.": "रायट का उपयोग करने में सहायता के लिए, <a>यहां</a> क्लिक करें या नीचे दिए गए बटन का उपयोग करके हमारे बॉट के साथ एक चैट शुरू करें।",
"Check for update": "अपडेट के लिये जांचें",
"Help & About": "सहायता और के बारे में",
"Bug reporting": "बग रिपोर्टिंग",
@ -577,7 +532,6 @@
"Submit debug logs": "डिबग लॉग जमा करें",
"FAQ": "सामान्य प्रश्न",
"Versions": "संस्करण",
"riot-web version:": "रायट-वेब संस्करण:",
"olm version:": "olm संस्करण:",
"Homeserver is": "होमेसेर्वेर हैं",
"Identity Server is": "आइडेंटिटी सर्वर हैं",
@ -592,9 +546,7 @@
"%(senderDisplayName)s disabled flair for %(groups)s in this room.": "%(senderDisplayName)s ने फ्लेयर %(groups)s के लिए अक्षम कर दिया।",
"%(senderDisplayName)s enabled flair for %(newGroups)s and disabled flair for %(oldGroups)s in this room.": "%(senderDisplayName)s ने इस कमरे में %(newGroups)s के लिए फ्लेयर सक्षम किया और %(oldGroups)s के लिए फ्लेयर अक्षम किया।",
"Show read receipts sent by other users": "अन्य उपयोगकर्ताओं द्वारा भेजी गई रसीदें दिखाएं",
"Order rooms in the room list by most important first instead of most recent": "कक्ष सूचि में सभी कक्षों को हाल के कक्षों के बजाय सबसे महत्वपूर्ण वाले कक्ष पहले रखे",
"Scissors": "कैंची",
"Light theme": "लाइट थीम",
"Timeline": "समयसीमा",
"Room list": "कक्ष सूचि",
"Autocomplete delay (ms)": "स्वत: पूर्ण विलंब (ms)",
@ -606,11 +558,9 @@
"Reject all %(invitedRooms)s invites": "सभी %(invitedRooms)s की आमंत्रण को अस्वीकार करें",
"Key backup": "कुंजी बैकअप",
"Security & Privacy": "सुरक्षा और गोपनीयता",
"Riot collects anonymous analytics to allow us to improve the application.": "रायट हमें आवेदन में सुधार करने की अनुमति देने के लिए अनाम विश्लेषण एकत्र करता है।",
"Privacy is important to us, so we don't collect any personal or identifiable data for our analytics.": "गोपनीयता हमारे लिए महत्वपूर्ण है, इसलिए हम अपने विश्लेषिकी के लिए कोई व्यक्तिगत या पहचान योग्य डेटा एकत्र नहीं करते हैं।",
"Learn more about how we use analytics.": "हम एनालिटिक्स का उपयोग कैसे करते हैं, इसके बारे में और जानें।",
"No media permissions": "मीडिया की अनुमति नहीं",
"You may need to manually permit Riot to access your microphone/webcam": "आपको अपने माइक्रोफ़ोन/वेबकैम तक पहुंचने के लिए रायट को मैन्युअल रूप से अनुमति देने की आवश्यकता हो सकती है",
"Missing media permissions, click the button below to request.": "मीडिया अनुमतियाँ गुम, अनुरोध करने के लिए नीचे दिए गए बटन पर क्लिक करें।",
"Request media permissions": "मीडिया अनुमति का अनुरोध करें",
"No Audio Outputs detected": "कोई ऑडियो आउटपुट नहीं मिला",

View file

@ -3,6 +3,6 @@
"This phone number is already in use": "Ovaj broj telefona se već koristi",
"Failed to verify email address: make sure you clicked the link in the email": "Nismo u mogućnosti verificirati Vašu email adresu. Provjerite dali ste kliknuli link u mailu",
"The platform you're on": "Platforma na kojoj se nalazite",
"The version of Riot.im": "Verzija Riot.im",
"The version of %(brand)s": "Verzija %(brand)s",
"Your language of choice": "Izabrani jezik"
}

File diff suppressed because it is too large Load diff

View file

@ -7,7 +7,6 @@
"No media permissions": "Tidak ada izin media",
"Microphone": "Mikrofon",
"Camera": "Kamera",
"Alias (optional)": "Alias (pilihan)",
"Are you sure?": "Anda yakin?",
"An error has occurred.": "Telah terjadi kesalahan.",
"Are you sure you want to reject the invitation?": "Anda yakin menolak undangannya?",
@ -20,18 +19,13 @@
"Create Room": "Buat Ruang",
"Current password": "Password sekarang",
"Deactivate Account": "Nonaktifkan Akun",
"Device ID": "ID Perangkat",
"Email": "Email",
"Email address": "Alamat email",
"Enable Notifications": "Aktifkan Notifikasi",
"Algorithm": "Algoritma",
"Attachment": "Lampiran",
"Command error": "Perintah gagal",
"Decline": "Tolak",
"Default": "Bawaan",
"Direct chats": "Obrolan langsung",
"Download %(text)s": "Unduh %(text)s",
"Event information": "Informasi Event",
"Export": "Ekspor",
"Failed to join room": "Gagal gabung ruang",
"Failed to leave room": "Gagal meninggalkan ruang",
@ -51,7 +45,6 @@
"Name": "Nama",
"New passwords don't match": "Password baru tidak cocok",
"<not supported>": "<tidak didukung>",
"NOT verified": "TIDAK terverifikasi",
"No results": "Tidak ada hasil",
"OK": "OK",
"Operation failed": "Operasi gagal",
@ -62,14 +55,13 @@
"Public Chat": "Obrolan Publik",
"Reason": "Alasan",
"Register": "Registrasi",
"riot-web version:": "riot-web versi:",
"%(brand)s version:": "%(brand)s versi:",
"Return to login screen": "Kembali ke halaman masuk",
"Room Colour": "Warna Ruang",
"Rooms": "Ruang",
"Save": "Simpan",
"Search": "Cari",
"Search failed": "Pencarian gagal",
"Send anyway": "Kirim saja",
"Send Reset Email": "Kirim Email Atur Ulang",
"Server error": "Server bermasalah",
"Session ID": "ID Sesi",
@ -83,12 +75,7 @@
"This room": "Ruang ini",
"Unable to add email address": "Tidak dapat menambahkan alamat email",
"Unable to verify email address.": "Tidak dapat memverifikasi alamat email.",
"unencrypted": "tidak terenkripsi",
"unknown error code": "kode kesalahan tidak diketahui",
"unknown device": "perangkat tidak diketahui",
"User ID": "ID Pengguna",
"Verification": "Verifikasi",
"verified": "terverifikasi",
"Verification Pending": "Verifikasi Tertunda",
"Video call": "Panggilan Video",
"Voice call": "Panggilan Suara",
@ -122,7 +109,7 @@
"Admin": "Admin",
"Admin Tools": "Peralatan Admin",
"No Webcams detected": "Tidak ada Webcam terdeteksi",
"You may need to manually permit Riot to access your microphone/webcam": "Anda mungkin perlu secara manual mengizinkan Riot untuk mengakses mikrofon/webcam",
"You may need to manually permit %(brand)s to access your microphone/webcam": "Anda mungkin perlu secara manual mengizinkan %(brand)s untuk mengakses mikrofon/webcam",
"Default Device": "Perangkat Bawaan",
"Advanced": "Tingkat Lanjut",
"Always show message timestamps": "Selalu tampilkan cap waktu dari pesan",
@ -133,7 +120,6 @@
"%(senderName)s answered the call.": "%(senderName)s telah menjawab panggilan.",
"Anyone who knows the room's link, including guests": "Siapa pun yang tahu tautan ruang, termasuk tamu",
"Anyone who knows the room's link, apart from guests": "Siapa pun yang tahu tautan ruang, selain tamu",
"Blacklisted": "Didaftarhitamkan",
"%(senderName)s banned %(targetName)s.": "%(senderName)s telah memblokir %(targetName)s.",
"Banned users": "Pengguna yang diblokir",
"Can't connect to homeserver - please check your connectivity, ensure your <a>homeserver's SSL certificate</a> is trusted, and that a browser extension is not blocking requests.": "Tidak dapat terhubung ke server Home - harap cek koneksi anda, pastikan <a>sertifikat SSL server Home</a> Anda terpercaya, dan ekstensi dari browser tidak memblokir permintaan.",
@ -145,15 +131,11 @@
"%(senderDisplayName)s changed the room name to %(roomName)s.": "%(senderDisplayName)s telah mengubah nama ruang menjadi %(roomName)s.",
"%(senderDisplayName)s changed the topic to \"%(topic)s\".": "%(senderDisplayName)s telah mengubah topik menjadi \"%(topic)s\".",
"click to reveal": "Klik untuk menampilkan",
"Could not connect to the integration server": "Tidak dapat terhubung ke server integrasi",
"Cryptography": "Kriptografi",
"Decrypt %(text)s": "Dekrip %(text)s",
"Decryption error": "Dekripsi gagal",
"device id: ": "id perangkat: ",
"Ban": "Blokir",
"Bans user with given id": "Blokir pengguna dengan id",
"Fetching third party location failed": "Gagal mengambil lokasi pihak ketiga",
"A new version of Riot is available.": "Riot versi baru telah tersedia.",
"All notifications are currently disabled for all targets.": "Semua notifikasi saat ini dinonaktifkan untuk semua target.",
"Uploading report": "Unggah laporan",
"Sunday": "Minggu",
@ -172,8 +154,6 @@
"Waiting for response from server": "Menunggu respon dari server",
"Leave": "Tinggalkan",
"Advanced notification settings": "Pengaturan notifikasi lanjutan",
"delete the alias.": "hapus alias.",
"To return to your account in future you need to <u>set a password</u>": "Untuk kembali ke akun di lain waktu, Anda perlu <u>mengisi password</u>",
"Forget": "Lupakan",
"World readable": "Terpublikasi Umum",
"You cannot delete this image. (%(code)s)": "Anda tidak dapat menghapus gambar ini. (%(code)s)",
@ -201,7 +181,6 @@
"Resend": "Kirim Ulang",
"Files": "Files",
"Collecting app version information": "Mengumpukan informasi versi aplikasi",
"Delete the room alias %(alias)s and remove %(name)s from the directory?": "Hapus alias ruang %(alias)s dan hapus %(name)s dari direktori?",
"Enable notifications for this account": "Aktifkan notifikasi untuk akun ini",
"Messages containing <span>keywords</span>": "Pesan mengandung <span>kata kunci</span>",
"Room not found": "Ruang tidak ditemukan",
@ -209,7 +188,7 @@
"Enter keywords separated by a comma:": "Masukkan kata kunci dipisahkan oleh koma:",
"Search…": "Cari…",
"Remove %(name)s from the directory?": "Hapus %(name)s dari direktori?",
"Riot uses many advanced browser features, some of which are not available or experimental in your current browser.": "Riot menggunakan banyak fitur terdepan dari browser, dimana tidak tersedia atau dalam fase eksperimen di browser Anda.",
"%(brand)s uses many advanced browser features, some of which are not available or experimental in your current browser.": "%(brand)s menggunakan banyak fitur terdepan dari browser, dimana tidak tersedia atau dalam fase eksperimen di browser Anda.",
"Unnamed room": "Ruang tanpa nama",
"Friday": "Jumat",
"Remember, you can always set an email address in user settings if you change your mind.": "Ingat, Anda selalu dapat mengubah alamat email di pengaturan pengguna jika anda berubah pikiran.",
@ -251,8 +230,7 @@
"Show message in desktop notification": "Tampilkan pesan pada desktop",
"Unhide Preview": "Tampilkan Pratinjau",
"Unable to join network": "Tidak dapat bergabung di jaringan",
"You might have configured them in a client other than Riot. You cannot tune them in Riot but they still apply": "Anda mungkin sudah konfigurasi di klien selain Riot. Anda tidak dapat setel di Riot tetap berlaku",
"Sorry, your browser is <b>not</b> able to run Riot.": "Maaf, browser Anda <b>tidak</b> dapat menjalankan Riot.",
"Sorry, your browser is <b>not</b> able to run %(brand)s.": "Maaf, browser Anda <b>tidak</b> dapat menjalankan %(brand)s.",
"Uploaded on %(date)s by %(user)s": "Diunggah pada %(date)s oleh %(user)s",
"Messages in group chats": "Pesan di obrolan grup",
"Yesterday": "Kemarin",
@ -262,7 +240,7 @@
"Unable to fetch notification target list": "Tidak dapat mengambil daftar notifikasi target",
"Set Password": "Ubah Password",
"Off": "Mati",
"Riot does not know how to join a room on this network": "Riot tidak tau bagaimana gabung ruang di jaringan ini",
"%(brand)s does not know how to join a room on this network": "%(brand)s tidak tau bagaimana gabung ruang di jaringan ini",
"Mentions only": "Hanya jika disinggung",
"Failed to remove tag %(tagName)s from room": "Gagal menghapus tag %(tagName)s dari ruang",
"Remove": "Hapus",
@ -277,28 +255,20 @@
"Thank you!": "Terima kasih!",
"With your current browser, the look and feel of the application may be completely incorrect, and some or all features may not function. If you want to try it anyway you can continue, but you are on your own in terms of any issues you may encounter!": "Dengan browser ini, tampilan dari aplikasi mungkin tidak sesuai, dan beberapa atau bahkan semua fitur mungkin tidak berjalan. Jika Anda ingin tetap mencobanya, Anda bisa melanjutkan, tapi Anda tanggung sendiri jika muncul masalah yang terjadi!",
"Checking for an update...": "Cek pembaruan...",
"There are advanced notifications which are not shown here": "Ada notifikasi lanjutan yang tidak ditampilkan di sini",
"This email address is already in use": "Alamat email ini telah terpakai",
"This phone number is already in use": "Nomor telepon ini telah terpakai",
"Failed to verify email address: make sure you clicked the link in the email": "Gagal memverifikasi alamat email: pastikan Anda telah menekan link di dalam email",
"The version of Riot.im": "Versi Riot.im",
"The version of %(brand)s": "Versi %(brand)s",
"Your language of choice": "Pilihan bahasamu",
"Your homeserver's URL": "URL Homeserver Anda",
"Your identity server's URL": "URL Server Identitas Anda",
"e.g. %(exampleValue)s": "",
"Every page you use in the app": "Setiap halaman yang digunakan di app",
"e.g. <CurrentPageURL>": "e.g. <URLHalamanSaatIni>",
"Your User Agent": "User Agent Anda",
"Your device resolution": "Resolusi perangkat Anda",
"Analytics": "Analitik",
"The information being sent to us to help make Riot.im better includes:": "Informasi yang dikirim membantu kami memperbaiki Riot.im, termasuk:",
"The information being sent to us to help make %(brand)s better includes:": "Informasi yang dikirim membantu kami memperbaiki %(brand)s, termasuk:",
"Where this page includes identifiable information, such as a room, user or group ID, that data is removed before being sent to the server.": "Apabila terdapat informasi yang dapat digunakan untuk pengenalan pada halaman ini, seperti ruang, pengguna, atau ID grup, kami akan menghapusnya sebelum dikirim ke server.",
"Call Failed": "Panggilan Gagal",
"Review Devices": "Telaah Perangkat",
"Call Anyway": "Tetap Panggil",
"Answer Anyway": "Tetap Jawab",
"Call": "Panggilan",
"Answer": "Jawab",
"Call Timeout": "Masa Berakhir Panggilan",
"The remote side failed to pick up": "Gagal jawab oleh pihak lain",
"Unable to capture screen": "Tidak dapat menangkap tampilan",

View file

@ -4,13 +4,8 @@
"Failed to verify email address: make sure you clicked the link in the email": "Gat ekki sannprófað tölvupóstfang: gakktu úr skugga um að þú hafir smellt á tengilinn í tölvupóstinum",
"e.g. %(exampleValue)s": "t.d. %(exampleValue)s",
"e.g. <CurrentPageURL>": "t.d. <CurrentPageURL>",
"Your User Agent": "Kennisstrengur þinn",
"Your device resolution": "Skjáupplausn tækisins þíns",
"Analytics": "Greiningar",
"Call Anyway": "hringja samt",
"Answer Anyway": "Svara samt",
"Call": "Samtal",
"Answer": "Svara",
"The remote side failed to pick up": "Ekki var svarað á fjartengda endanum",
"VoIP is unsupported": "Enginn stuðningur við VoIP",
"Warning!": "Aðvörun!",
@ -40,12 +35,10 @@
"%(weekDayName)s, %(monthName)s %(day)s %(time)s": "%(weekDayName)s, %(monthName)s %(day)s %(time)s",
"%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s",
"%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s": "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s",
"Room name or alias": "Nafn eða samnefni spjallrásar",
"Default": "Sjálfgefið",
"Restricted": "Takmarkað",
"Moderator": "Umsjónarmaður",
"Admin": "Stjórnandi",
"Start a chat": "Hefja spjall",
"Operation failed": "Aðgerð tókst ekki",
"You need to be logged in.": "Þú þarft að vera skráð/ur inn.",
"Unable to create widget.": "Gat ekki búið til viðmótshluta.",
@ -63,7 +56,6 @@
"Someone": "Einhver",
"(not supported by this browser)": "(Ekki stutt af þessum vafra)",
"(no answer)": "(ekkert svar)",
"Send anyway": "Senda samt",
"Send": "Senda",
"Unnamed Room": "Nafnlaus spjallrás",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "Birta tímamerki á 12 stunda sniði (t.d. 2:30 fh)",
@ -98,9 +90,7 @@
"Confirm password": "Staðfestu lykilorðið",
"Change Password": "Breyta lykilorði",
"Authentication": "Auðkenning",
"Device ID": "Auðkenni tækis",
"Last seen": "Sást síðast",
"Enable Notifications": "Virkja tilkynningar",
"Error saving email notification preferences": "Villa við að vista valkosti pósttilkynninga",
"An error occurred whilst saving your email notification preferences.": "Villa kom upp við að vista valkosti tilkynninga í tölvupósti.",
"Keywords": "Stikkorð",
@ -128,8 +118,6 @@
"%(senderName)s sent a video": "%(senderName)s sendi myndskeið",
"%(senderName)s uploaded a file": "%(senderName)s sendi inn skrá",
"Options": "Valkostir",
"Blacklisted": "Á bannlista",
"device id: ": "Auðkenni tækis: ",
"Kick": "Sparka",
"Unban": "Afbanna",
"Ban": "Banna",
@ -140,11 +128,8 @@
"Ignore": "Hunsa",
"Mention": "Minnst á",
"Invite": "Bjóða",
"User Options": "User Options",
"Direct chats": "Beint spjall",
"Unmute": "Kveikja á hljóði",
"Mute": "Þagga hljóð",
"Make Moderator": "Gera að umsjónarmanni",
"Admin Tools": "Kerfisstjóratól",
"Invited": "Boðið",
"Filter room members": "Sía meðlimi spjallrásar",
@ -154,7 +139,6 @@
"Video call": "_Myndsímtal",
"Upload file": "Hlaða inn skrá",
"Send an encrypted message…": "Senda dulrituð skilaboð…",
"Send a message (unencrypted)…": "Senda skilaboð (ódulrituð)…",
"You do not have permission to post to this room": "Þú hefur ekki heimild til að senda skilaboð á þessa spjallrás",
"Server error": "Villa á þjóni",
"Command error": "Skipanavilla",
@ -217,7 +201,6 @@
"Copied!": "Afritað",
"Custom Server Options": "Sérsniðnir valkostir vefþjóns",
"Dismiss": "Hunsa",
"To continue, please enter your password.": "Til að halda áfram, settu inn lykilorðið þitt.",
"Please check your email to continue registration.": "Skoðaðu tölvupóstinn þinn til að geta haldið áfram með skráningu.",
"Code": "Kóði",
"powered by Matrix": "keyrt með Matrix",
@ -228,13 +211,11 @@
"Remove": "Fjarlægja",
"Something went wrong!": "Eitthvað fór úrskeiðis!",
"Filter community rooms": "Sía spjallrásir samfélags",
"Yes, I want to help!": "Já, ég vil hjálpa til",
"You are not receiving desktop notifications": "Þú færð ekki tilkynningar á skjáborði",
"Enable them now": "Virkja þetta núna",
"What's New": "Nýtt á döfinni",
"Update": "Uppfæra",
"What's new?": "Hvað er nýtt á döfinni?",
"A new version of Riot is available.": "Ný útgáfa af Riot er tiltæk.",
"Set Password": "Setja lykilorð",
"Error encountered (%(errorDetail)s).": "Villa fannst (%(errorDetail)s).",
"Checking for an update...": "Athuga með uppfærslu...",
@ -243,10 +224,6 @@
"Warning": "Aðvörun",
"Allow": "Leyfa",
"Edit": "Breyta",
"Unblacklist": "Taka af bannlista",
"Blacklist": "Bannlisti",
"Unverify": "Afturkalla sannvottun",
"Verify...": "Sannreyna...",
"No results": "Engar niðurstöður",
"Communities": "Samfélög",
"Home": "Heim",
@ -280,17 +257,12 @@
"Incorrect password": "Rangt lykilorð",
"Deactivate Account": "Gera notandaaðgang óvirkann",
"To continue, please enter your password:": "Til að halda áfram, settu inn lykilorðið þitt:",
"I verify that the keys match": "Ég staðfesti að dulritunarlyklarnir samsvari",
"Back": "Til baka",
"Send Account Data": "Senda upplýsingar um notandaaðgang",
"Filter results": "Sía niðurstöður",
"Toolbox": "Verkfærakassi",
"Developer Tools": "Forritunartól",
"An error has occurred.": "Villa kom upp.",
"Start verification": "Hefja sannvottun",
"Share without verifying": "Deila án sannvottunar",
"Ignore request": "Hunsa beiðni",
"Encryption key request": "Beiðni um dulritunarlykil",
"Sign out": "Skrá út",
"Send Logs": "Senda atvikaskrár",
"Refresh": "Endurlesa",
@ -306,7 +278,6 @@
"(HTTP status %(httpStatus)s)": "(HTTP staða %(httpStatus)s)",
"Please set a password!": "Stilltu lykilorð!",
"Custom": "Sérsniðið",
"Alias (optional)": "Samnefni (valfrjálst)",
"You cannot delete this message. (%(code)s)": "Þú getur ekki eytt þessum skilaboðum. (%(code)s)",
"Resend": "Endursenda",
"Cancel Sending": "Hætta við sendingu",
@ -350,12 +321,10 @@
"Room": "Spjallrás",
"Fill screen": "Fylla skjáinn",
"Clear filter": "Hreinsa síu",
"Light theme": "Ljóst þema",
"Dark theme": "Dökkt þema",
"Success": "Tókst",
"Import E2E room keys": "Flytja inn E2E dulritunarlykla spjallrásar",
"Cryptography": "Dulritun",
"Riot collects anonymous analytics to allow us to improve the application.": "Riot safnar nafnlausum greiningargögnum til að gera okkur kleift að bæta forritið.",
"%(brand)s collects anonymous analytics to allow us to improve the application.": "%(brand)s safnar nafnlausum greiningargögnum til að gera okkur kleift að bæta forritið.",
"Labs": "Tilraunir",
"Check for update": "Athuga með uppfærslu",
"Default Device": "Sjálfgefið tæki",
@ -367,7 +336,7 @@
"Access Token:": "Aðgangsteikn:",
"click to reveal": "smelltu til að birta",
"Identity Server is": "Auðkennisþjónn er",
"riot-web version:": "Útgáfa riot-web:",
"%(brand)s version:": "Útgáfa %(brand)s:",
"olm version:": "Útgáfa olm:",
"Failed to send email": "Mistókst að senda tölvupóst",
"The email address linked to your account must be entered.": "Það þarf að setja inn tölvupóstfangið sem tengt er notandaaðgangnum þínum.",
@ -380,21 +349,7 @@
"Upload an avatar:": "Hlaða inn auðkennismynd:",
"Commands": "Skipanir",
"Users": "Notendur",
"unknown device": "óþekkt tæki",
"NOT verified": "EKKI sannreynt",
"verified": "sannreynt",
"Verification": "Sannvottun",
"Ed25519 fingerprint": "Ed25519 fingrafar",
"User ID": "Notandaauðkenni",
"Curve25519 identity key": "Curve25519 auðkennislykill",
"none": "ekkert",
"Claimed Ed25519 fingerprint key": "Tilkynnti Ed25519 fingrafarslykil",
"Algorithm": "Reiknirit",
"unencrypted": "ódulritað",
"Decryption error": "Afkóðunarvilla",
"Session ID": "Auðkenni setu",
"End-to-end encryption information": "Enda-í-enda dulritunarupplýsingar",
"Event information": "Upplýsingar um atburð",
"Export room keys": "Flytja út dulritunarlykla spjallrásar",
"Enter passphrase": "Settu inn lykilsetningu (passphrase)",
"Confirm passphrase": "Staðfestu lykilsetningu",
@ -403,11 +358,9 @@
"File to import": "Skrá til að flytja inn",
"Import": "Flytja inn",
"The platform you're on": "Stýrikerfið sem þú ert á",
"The version of Riot.im": "Útgáfan af Riot.im",
"The version of %(brand)s": "Útgáfan af %(brand)s",
"Your language of choice": "Tungumálið þitt",
"Your homeserver's URL": "Vefslóð á heimaþjóninn þinn",
"Your identity server's URL": "Vefslóð á auðkenningarþjóninn þinn",
"Review Devices": "Yfirfara tæki",
"Call Timeout": "Tímamörk hringingar",
"Unable to capture screen": "Get ekki tekið skjámynd",
"Invite to Community": "Bjóða í samfélag",
@ -456,7 +409,7 @@
"Private Chat": "Einkaspjall",
"Public Chat": "Opinbert spjall",
"Collapse Reply Thread": "Fella saman svarþráð",
"Sorry, your browser is <b>not</b> able to run Riot.": "Því miður, vafrinn þinn getur <b>ekki</b> keyrt Riot.",
"Sorry, your browser is <b>not</b> able to run %(brand)s.": "Því miður, vafrinn þinn getur <b>ekki</b> keyrt %(brand)s.",
"Add a Room": "Bæta við spjallrás",
"Add a User": "Bæta við notanda",
"Unable to accept invite": "Mistókst að þiggja boð",
@ -478,9 +431,7 @@
"Reject invitation": "Hafna boði",
"Are you sure you want to reject the invitation?": "Ertu viss um að þú viljir hafna þessu boði?",
"Failed to reject invitation": "Mistókst að hafna boði",
"Scroll to bottom of page": "Skruna neðst á síðu",
"No more results": "Ekki fleiri niðurstöður",
"Unknown room %(roomId)s": "Óþekkt spjallrás %(roomId)s",
"Failed to reject invite": "Mistókst að hafna boði",
"Click to unmute video": "Smelltu til að virkja hljóð í myndskeiði",
"Click to mute video": "Smelltu til að þagga niður í myndskeiði",

File diff suppressed because it is too large Load diff

View file

@ -7,7 +7,6 @@
"Close": "閉じる",
"Create Room": "部屋を作成",
"Current password": "現在のパスワード",
"Direct chats": "対話",
"Favourite": "お気に入り",
"Favourites": "お気に入り",
"Invited": "招待中",
@ -29,8 +28,7 @@
"Show timestamps in 12 hour format (e.g. 2:30pm)": "発言時刻を12時間形式で表示 (例 2:30PM)",
"Upload avatar": "アイコン画像を変更",
"Upload file": "ファイルのアップロード",
"Use compact timeline layout": "会話表示の行間を狭くする",
"Riot collects anonymous analytics to allow us to improve the application.": "Riotはアプリケーションを改善するために匿名の分析情報を収集しています。",
"%(brand)s collects anonymous analytics to allow us to improve the application.": "%(brand)sはアプリケーションを改善するために匿名の分析情報を収集しています。",
"Add": "追加",
"No Microphones detected": "マイクが見つかりません",
"No Webcams detected": "カメラが見つかりません",
@ -62,17 +60,15 @@
"This phone number is already in use": "この電話番号は既に使われています",
"Failed to verify email address: make sure you clicked the link in the email": "メールアドレスの認証に失敗しました。メール中のリンクをクリックしたか、確認してください",
"The platform you're on": "利用中のプラットフォーム",
"The version of Riot.im": "Riot.imのバージョン",
"The version of %(brand)s": "%(brand)s のバージョン",
"Your language of choice": "選択した言語",
"Which officially provided instance you are using, if any": "どの公式に提供されたインスタンスを利用していますか(もしあれば)",
"Whether or not you're using the Richtext mode of the Rich Text Editor": "リッチテキストエディタのリッチテキストモードを利用しているか否か",
"Your homeserver's URL": "あなたのホームサーバーの URL",
"Your identity server's URL": "あなたのアイデンティティサーバーの URL",
"Analytics": "分析",
"The information being sent to us to help make Riot.im better includes:": "Riot.imをよりよくするために私達に送信される情報は以下を含みます:",
"The information being sent to us to help make %(brand)s better includes:": "%(brand)sをよりよくするために私達に送信される情報は以下を含みます:",
"Thursday": "木曜日",
"Messages in one-to-one chats": "1対1のチャットでのメッセージ",
"A new version of Riot is available.": "新しいバージョンのRiotが利用可能です。",
"All Rooms": "全ての部屋",
"You cannot delete this message. (%(code)s)": "あなたはこの発言を削除できません (%(code)s)",
"Send": "送信",
@ -84,7 +80,7 @@
"Files": "添付ファイル",
"Room not found": "部屋が見つかりません",
"Set Password": "パスワードを設定",
"Sorry, your browser is <b>not</b> able to run Riot.": "申し訳ありません。あなたのブラウザではRiotは<b>動作できません</b>。",
"Sorry, your browser is <b>not</b> able to run %(brand)s.": "申し訳ありません。あなたのブラウザでは%(brand)sは<b>動作できません</b>。",
"Monday": "月曜日",
"Messages in group chats": "グループチャットでのメッセージ",
"Friday": "金曜日",
@ -134,8 +130,6 @@
"Send Custom Event": "カスタムイベントを送信する",
"All notifications are currently disabled for all targets.": "現在すべての対象についての全通知が無効です。",
"Failed to send logs: ": "ログの送信に失敗しました: ",
"delete the alias.": "エイリアスを削除する。",
"To return to your account in future you need to <u>set a password</u>": "今後アカウントを回復するには、 <u>パスワードを設定</u> する必要があります",
"You cannot delete this image. (%(code)s)": "この画像を消すことはできません。 (%(code)s)",
"Cancel Sending": "送信を取り消す",
"Remember, you can always set an email address in user settings if you change your mind.": "利用者設定でいつでもメールアドレスを設定できます。",
@ -148,12 +142,11 @@
"Source URL": "ソースのURL",
"Filter results": "絞り込み結果",
"Noisy": "音量大",
"Delete the room alias %(alias)s and remove %(name)s from the directory?": "部屋のエイリアス %(alias)s を削除し、ディレクトリから %(name)s を消去しますか?",
"Invite to this community": "このコミュニティに招待する",
"View Source": "ソースコードを表示する",
"Back": "戻る",
"Remove %(name)s from the directory?": "ディレクトリから %(name)s を消去しますか?",
"Riot uses many advanced browser features, some of which are not available or experimental in your current browser.": "Riotは多くの高度なブラウザの機能を使用しています。そのうちのいくつかはご使用のブラウザでは使えないか、実験的な機能です。",
"%(brand)s uses many advanced browser features, some of which are not available or experimental in your current browser.": "%(brand)sは多くの高度なブラウザの機能を使用しています。そのうちのいくつかはご使用のブラウザでは使えないか、実験的な機能です。",
"Event sent!": "イベントが送信されました!",
"Preparing to send logs": "ログを送信する準備をしています",
"Explore Account Data": "アカウントのデータを調べる",
@ -183,12 +176,11 @@
"Show message in desktop notification": "デスクトップ通知にメッセージ内容を表示する",
"Debug logs contain application usage data including your username, the IDs or aliases of the rooms or groups you have visited and the usernames of other users. They do not contain messages.": "デバッグログはあなたのユーザ名、訪問した部屋やグループのIDやエイリアス、他のユーザのユーザ名を含むアプリの使用データを含みます。メッセージは含みません。",
"Unable to join network": "ネットワークに接続できません",
"You might have configured them in a client other than Riot. You cannot tune them in Riot but they still apply": "Riot以外のクライアントで設定した可能性があります。Riotで設定することはできませんが、引き続き使用可能です",
"Error encountered (%(errorDetail)s).": "エラーが発生しました (%(errorDetail)s)。",
"Event Type": "イベントの形式",
"What's New": "新着",
"remove %(name)s from the directory.": "ディレクトリから %(name)s を消去する。",
"Riot does not know how to join a room on this network": "Riotはこのネットワークで部屋に参加する方法を知りません",
"%(brand)s does not know how to join a room on this network": "%(brand)sはこのネットワークで部屋に参加する方法を知りません",
"You can now return to your account after signing out, and sign in on other devices.": "サインアウト後にあなたの\nアカウントに戻る、また、他の端末でサインインすることができます。",
"Pin Message": "メッセージを固定する",
"Thank you!": "ありがとうございます!",
@ -198,14 +190,9 @@
"Event Content": "イベントの内容",
"With your current browser, the look and feel of the application may be completely incorrect, and some or all features may not function. If you want to try it anyway you can continue, but you are on your own in terms of any issues you may encounter!": "現在ご使用のブラウザでは、アプリの外見や使い心地が正常でない可能性があります。また、一部または全部の機能がご使用いただけない可能性があります。このままご使用いただけますが、問題が発生した場合は対応しかねます!",
"Checking for an update...": "アップデートを確認しています…",
"There are advanced notifications which are not shown here": "ここに表示されない詳細な通知があります",
"Call": "通話",
"Answer": "応答",
"e.g. <CurrentPageURL>": "凡例: <CurrentPageURL>",
"Your device resolution": "端末の解像度",
"Where this page includes identifiable information, such as a room, user or group ID, that data is removed before being sent to the server.": "このページに部屋、ユーザー、グループIDなどの識別可能な情報が含まれている場合、そのデータはサーバーに送信される前に削除されます。",
"Answer Anyway": "とにかく応答",
"Call Anyway": "とにかく通話",
"Call Timeout": "通話タイムアウト",
"The remote side failed to pick up": "相手が応答しませんでした",
"Unable to capture screen": "画面をキャプチャできません",
@ -214,7 +201,6 @@
"VoIP is unsupported": "VoIPはサポートされていません",
"You cannot place VoIP calls in this browser.": "このブラウザにはVoIP通話はできません。",
"You cannot place a call with yourself.": "自分自身に電話をかけることはできません。",
"Could not connect to the integration server": "統合サーバーに接続できません",
"Call in Progress": "発信中",
"A call is currently being placed!": "現在発信中です!",
"A call is already in progress!": "既に発信しています!",
@ -253,24 +239,20 @@
"Which rooms would you like to add to this community?": "このコミュニティに追加したい部屋はどれですか?",
"Show these rooms to non-members on the community page and room list?": "コミュニティページとルームリストのメンバー以外にこれらの部屋を公開しますか?",
"Add rooms to the community": "コミュニティに部屋を追加します",
"Room name or alias": "部屋名またはエイリアス",
"Add to community": "コミュニティに追加",
"Failed to invite the following users to %(groupId)s:": "次のユーザーを %(groupId)s に招待できませんでした:",
"Failed to invite users to community": "ユーザーをコミュニティに招待できませんでした",
"Failed to invite users to %(groupId)s": "ユーザーを %(groupId)s に招待できませんでした",
"Failed to add the following rooms to %(groupId)s:": "次の部屋を %(groupId)s に追加できませんでした:",
"Riot does not have permission to send you notifications - please check your browser settings": "Riotに通知を送信する権限がありません - ブラウザの設定を確認してください",
"Riot was not given permission to send notifications - please try again": "Riotに通知を送信する権限がありませんでした。もう一度お試しください",
"%(brand)s does not have permission to send you notifications - please check your browser settings": "%(brand)sに通知を送信する権限がありません - ブラウザの設定を確認してください",
"%(brand)s was not given permission to send notifications - please try again": "%(brand)sに通知を送信する権限がありませんでした。もう一度お試しください",
"Unable to enable Notifications": "通知を有効にできません",
"This email address was not found": "このメールアドレスが見つかりませんでした",
"Your email address does not appear to be associated with a Matrix ID on this Homeserver.": "あなたのメールアドレスは、このホームサーバー上のマトリックスIDと関連付けられていないようです。",
"Registration Required": "登録が必要です",
"You need to register to do this. Would you like to register now?": "これを行うには登録する必要があります。 今すぐ登録しますか?",
"Default": "既定値",
"Restricted": "制限",
"Moderator": "仲裁者",
"Admin": "管理者",
"Start a chat": "チャットを開始する",
"Failed to invite": "招待できませんでした",
"Failed to invite the following users to the %(roomName)s room:": "次のユーザーを %(roomName)s の部屋に招待できませんでした:",
"You need to be logged in.": "ログインする必要があります。",
@ -291,9 +273,7 @@
"To use it, just wait for autocomplete results to load and tab through them.": "それを使用するには、結果が完全にロードされるのを待ってから、Tabキーを押してください。",
"Changes your display nickname": "表示されるニックネームを変更",
"Invites user with given id to current room": "指定されたIDを持つユーザーを現在のルームに招待する",
"Joins room with given alias": "指定された別名で部屋に参加する",
"Leave room": "部屋を退出",
"Unrecognised room alias:": "認識されない部屋の別名:",
"Kicks user with given id": "与えられたIDを持つユーザーを追放する",
"Bans user with given id": "指定されたIDでユーザーをブロックする",
"Ignores a user, hiding their messages from you": "ユーザーを無視し、自分からのメッセージを隠す",
@ -331,11 +311,6 @@
"%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s が部屋名を削除しました。",
"%(senderDisplayName)s changed the room name to %(roomName)s.": "%(senderDisplayName)s が部屋名を %(roomName)s に変更しました。",
"%(senderDisplayName)s sent an image.": "%(senderDisplayName)s が画像を送信しました。",
"%(senderName)s added %(count)s %(addedAddresses)s as addresses for this room.|other": "%(senderName)s はこの部屋のアドレスとして %(addedAddresses)s を追加しました。",
"%(senderName)s added %(count)s %(addedAddresses)s as addresses for this room.|one": "%(senderName)s はこの部屋のアドレスとして %(addedAddresses)s を追加しました。",
"%(senderName)s removed %(count)s %(removedAddresses)s as addresses for this room.|other": "%(senderName)s はこの部屋のアドレスとして %(removedAddresses)s を削除しました。",
"%(senderName)s removed %(count)s %(removedAddresses)s as addresses for this room.|one": "%(senderName)s はこの部屋のアドレスとして %(removedAddresses)s を削除しました。",
"%(senderName)s added %(addedAddresses)s and removed %(removedAddresses)s as addresses for this room.": "%(senderName)s はこの部屋のアドレスとして %(addedAddresses)s を追加し、%(removedAddresses)s を削除しました。",
"%(senderName)s set the main address for this room to %(address)s.": "%(senderName)s が、この部屋のメインアドレスを %(address)s に設定しました。",
"%(senderName)s removed the main address for this room.": "%(senderName)s がこの部屋のメインアドレスを削除しました。",
"Someone": "誰か",
@ -359,14 +334,13 @@
"%(widgetName)s widget removed by %(senderName)s": "%(widgetName)s ウィジェットが %(senderName)s によって削除されました",
"Failure to create room": "部屋の作成に失敗しました",
"Server may be unavailable, overloaded, or you hit a bug.": "サーバーが使用できない、オーバーロードされている、またはバグが発生した可能性があります。",
"Send anyway": "とにかく送る",
"Unnamed Room": "名前のない部屋",
"This homeserver has hit its Monthly Active User limit.": "このホームサーバーは、月間アクティブユーザー制限を超えています。",
"This homeserver has exceeded one of its resource limits.": "このホームサーバーは、リソース制限の1つを超えています。",
"Please <a>contact your service administrator</a> to continue using the service.": "サービスを引き続き使用するには、<a>サービス管理者にお問い合わせ</a>ください。",
"Unable to connect to Homeserver. Retrying...": "ホームサーバーに接続できません。 再試行中...",
"Your browser does not support the required cryptography extensions": "お使いのブラウザは、必要な暗号化拡張機能をサポートしていません",
"Not a valid Riot keyfile": "有効なRiotキーファイルではありません",
"Not a valid %(brand)s keyfile": "有効な%(brand)sキーファイルではありません",
"Authentication check failed: incorrect password?": "認証チェックに失敗しました: パスワードの間違い?",
"Sorry, your homeserver is too old to participate in this room.": "申し訳ありませんが、あなたのホームサーバーはこの部屋に参加するには古すぎます。",
"Please contact your homeserver administrator.": "ホームサーバー管理者に連絡してください。",
@ -402,11 +376,8 @@
"Password": "パスワード",
"Confirm password": "確認のパスワード",
"Authentication": "認証",
"Device ID": "端末ID",
"Last seen": "最近の使用履歴",
"Failed to set display name": "表示名の設定に失敗しました",
"Disable Notifications": "通知を無効にする",
"Enable Notifications": "通知を有効にする",
"Off": "オフ",
"On": "オン",
"Cannot add any more widgets": "ウィジェットを追加できません",
@ -424,8 +395,6 @@
"Options": "オプション",
"Key request sent.": "キーリクエストが送信されました。",
"Please select the destination room for this message": "このメッセージを送り先部屋を選択してください",
"Blacklisted": "ブラックリストに載せた",
"device id: ": "端末id: ",
"Disinvite": "招待拒否",
"Kick": "追放する",
"Disinvite this user?": "このユーザーを招待拒否しますか?",
@ -433,25 +402,19 @@
"Failed to kick": "追放できませんでした",
"e.g. %(exampleValue)s": "例えば %(exampleValue)s",
"Every page you use in the app": "アプリで使用するすべてのページ",
"Your User Agent": "ユーザーエージェント",
"Call Failed": "呼び出しに失敗しました",
"Review Devices": "端末を確認する",
"Automatically replace plain text Emoji": "自動的にプレーンテキスト絵文字を置き換える",
"Demote yourself?": "自身を降格しますか?",
"You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.": "自分自身を降格させるときにこの変更を元に戻すことはできません。あなたが部屋の最後の特権ユーザーである場合、特権を回復することは不可能です。",
"Demote": "降格",
"Failed to mute user": "ユーザーのミュートに失敗しました",
"Failed to toggle moderator status": "モデレータステータスを切り替えることができませんでした",
"Failed to change power level": "権限レベルの変更に失敗しました",
"You will not be able to undo this change as you are promoting the user to have the same power level as yourself.": "この変更を元に戻すことはできません。そのユーザーが自分と同じ権限レベルを持つように促します。",
"Ignore": "無視",
"Jump to read receipt": "既読へジャンプ",
"Invite": "招待",
"Share Link to User": "ユーザーへのリンクを共有する",
"User Options": "ユーザーオプション",
"Unmute": "ミュート解除",
"Revoke Moderator": "モデレーターを取り消す",
"Make Moderator": "モデレーターにする",
"Admin Tools": "管理者ツール",
"and %(count)s others...|other": "そして、他 %(count)s ...",
"and %(count)s others...|one": "そして、もう1つ...",
@ -461,9 +424,7 @@
"Voice call": "音声通話",
"Video call": "ビデオ通話",
"Send an encrypted reply…": "暗号化された返信を送信する…",
"Send a reply (unencrypted)…": "(暗号化されていない) 返信を送信する…",
"Send an encrypted message…": "暗号化されたメッセージを送信する…",
"Send a message (unencrypted)…": "(暗号化されていない) メッセージを送信する…",
"This room has been replaced and is no longer active.": "この部屋は交換されており、もうアクティブではありません。",
"The conversation continues here.": "会話はここで続けられます。",
"You do not have permission to post to this room": "この部屋に投稿する権限がありません",
@ -531,10 +492,7 @@
"Show Stickers": "ステッカーを表示",
"Jump to first unread message.": "最初の未読メッセージにジャンプします。",
"not specified": "指定なし",
"Remote addresses for this room:": "この部屋のリモートアドレス:",
"Local addresses for this room:": "この部屋のローカルアドレス:",
"This room has no local addresses": "この部屋にはローカルアドレスはありません",
"New address (e.g. #foo:%(localDomain)s)": "新しいアドレス (例 #foo:%(localDomain)s",
"Invalid community ID": "無効なコミュニティID",
"'%(groupId)s' is not a valid community ID": "'%(groupId)s' は有効なコミュニティIDではありません",
"Showing flair for these communities:": "次のコミュニティのバッジを表示:",
@ -564,10 +522,6 @@
"Failed to copy": "コピーに失敗しました",
"Add an Integration": "統合を追加する",
"You are about to be taken to a third-party site so you can authenticate your account for use with %(integrationsUrl)s. Do you wish to continue?": "サードパーティのサイトに移動して、%(integrationsUrl)s で使用するためにアカウントを認証できるようになります。続行しますか?",
"Removed or unknown message type": "削除されたまたは未知のメッセージタイプ",
"Message removed by %(userId)s": "%(userId)s によってメッセージが削除されました",
"Message removed": "メッセージが削除された",
"To continue, please enter your password.": "続行するには、パスワードを入力してください。",
"Please review and accept the policies of this homeserver:": "このホームサーバーのポリシーを確認し、同意してください:",
"An email has been sent to %(emailAddress)s": "電子メールが %(emailAddress)s に送信されました",
"Please check your email to continue registration.": "登録を続行するにはメールをご確認ください。",
@ -603,12 +557,6 @@
"Display your community flair in rooms configured to show it.": "表示するよう設定した部屋であなたのコミュニティ バッジを表示",
"Show developer tools": "開発者ツールを表示",
"You're not currently a member of any communities.": "あなたは現在、どのコミュニティのメンバーでもありません。",
"Please help improve Riot.im by sending <UsageDataLink>anonymous usage data</UsageDataLink>. This will use a cookie (please see our <PolicyLink>Cookie Policy</PolicyLink>).": "<UsageDataLink>匿名利用データ</UsageDataLink>を送信して、Riot.imの改善を支援してください。 これはCookieを使用します (<PolicyLink>クッキーポリシー</PolicyLink>をご覧ください)>。",
"Please help improve Riot.im by sending <UsageDataLink>anonymous usage data</UsageDataLink>. This will use a cookie.": "<UsageDataLink>匿名利用データ</UsageDataLink>を送信して、Riot.imの改善を支援してください。 これはクッキーを使用します。",
"Yes, I want to help!": "はい、協力します!",
"Please <a>contact your service administrator</a> to get this limit increased.": "この制限を増やすには、<a>サービス管理者にお問い合わせ</a>ください。",
"This homeserver has hit its Monthly Active User limit so <b>some users will not be able to log in</b>.": "このホームサーバーは月間アクティブユーザー数の上限に達しているため、<b>一部のユーザーはログインできません</ b>。",
"This homeserver has exceeded one of its resource limits so <b>some users will not be able to log in</b>.": "このホームサーバーはリソース制限の1つを超えており、<b>一部のユーザーはログインできません</b>。",
"Unknown Address": "不明な住所",
"Allow": "許可",
"Delete Widget": "ウィジェットを削除",
@ -618,9 +566,6 @@
"An error ocurred whilst trying to remove the widget from the room": "ウィジェットをその部屋から削除しようとしているときにエラーが発生しました",
"Minimize apps": "アプリを最小化する",
"Popout widget": "ウィジェットをポップアウト",
"Unblacklist": "ブラックリスト解除",
"Blacklist": "ブラックリスト",
"Verify...": "検証する...",
"No results": "結果がありません",
"Communities": "コミュニティ",
"Home": "ホーム",
@ -708,18 +653,13 @@
"Message visibility in Matrix is similar to email. Our forgetting your messages means that messages you have sent will not be shared with any new or unregistered users, but registered users who already have access to these messages will still have access to their copy.": "Matrixのメッセージの可視性は電子メールと似ています。メッセージを忘れると、新規または未登録のユーザーと共有することができませんが、既にこれらのメッセージにアクセスしている登録ユーザーは、依然としてそのコピーにアクセスできます。",
"Please forget all messages I have sent when my account is deactivated (<b>Warning:</b> this will cause future users to see an incomplete view of conversations)": "アカウントを無効する際、送信したすべてのメッセージを削除(<b>警告:</b>これにより、今後のユーザーは会話履歴の全文を見ることができなくなります)",
"To continue, please enter your password:": "続行するには、パスワードを入力してください:",
"I verify that the keys match": "キーが一致することを確認します",
"An error has occurred.": "エラーが発生しました。",
"Start verification": "検証を開始する",
"Share without verifying": "検証せずに共有する",
"Ignore request": "要求を無視する",
"Encryption key request": "暗号化キー要求",
"You've previously used Riot 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, Riot needs to resync your account.": "以前 %(host)s にて、メンバーの遅延ロードを有効にしたRiotを使用していました。このバージョンでは、遅延ロードは無効です。ローカルキャッシュはこれらの2つの設定の間で互換性がないため、Riotはアカウントを再同期する必要があります。",
"If the other version of Riot is still open in another tab, please close it as using Riot on the same host with both lazy loading enabled and disabled simultaneously will cause issues.": "他のバージョンのRiotがまだ別のタブで開いている場合は、同じホスト上でRiotを使用するように閉じてください。遅延ロードが同時に有効と無効になっていると問題が発生します。",
"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.": "以前 %(host)s にて、メンバーの遅延ロードを有効にした%(brand)sを使用していました。このバージョンでは、遅延ロードは無効です。ローカルキャッシュはこれらの2つの設定の間で互換性がないため、%(brand)sはアカウントを再同期する必要があります。",
"If the other version of %(brand)s is still open in another tab, please close it as using %(brand)s on the same host with both lazy loading enabled and disabled simultaneously will cause issues.": "他のバージョンの%(brand)sがまだ別のタブで開いている場合は、同じホスト上で%(brand)sを使用するように閉じてください。遅延ロードが同時に有効と無効になっていると問題が発生します。",
"Incompatible local cache": "互換性のないローカルキャッシュ",
"Clear cache and resync": "キャッシュをクリアして再同期する",
"Riot now uses 3-5x less memory, by only loading information about other users when needed. Please wait whilst we resynchronise with the server!": "Riotは、必要に応じて他のユーザーに関する情報をロードするだけで、メモリの使用量を3〜5倍減らしました。サーバーと再同期するのを待ってください!",
"Updating Riot": "Riot更新中",
"%(brand)s now uses 3-5x less memory, by only loading information about other users when needed. Please wait whilst we resynchronise with the server!": "%(brand)sは、必要に応じて他のユーザーに関する情報をロードするだけで、メモリの使用量を3〜5倍減らしました。サーバーと再同期するのを待ってください!",
"Updating %(brand)s": "%(brand)s更新中",
"Failed to upgrade room": "部屋をアップグレードできませんでした",
"The room upgrade could not be completed": "部屋のアップグレードを完了できませんでした",
"Upgrade this room to version %(version)s": "この部屋をバージョン %(version)s にアップグレードします",
@ -728,7 +668,6 @@
"Update any local room aliases to point to the new room": "新しいルームを指すようにローカルルームのエイリアスを更新する",
"Stop users from speaking in the old version of the room, and post a message advising users to move to the new room": "古いバージョンの部屋でのユーザーの発言を停止し、新しい部屋に移動するようユーザーに通知するメッセージを投稿する",
"Mention": "記載",
"Unverify": "未検証",
"%(severalUsers)shad their invitations withdrawn %(count)s times|other": "%(severalUsers)s が %(count)s 回招待を撤回した",
"was unbanned %(count)s times|one": "ブロック解除されました",
"Put a link back to the old room at the start of the new room so people can see old messages": "新しい部屋の始めに古い部屋にリンクを張って、人々が古いメッセージを見ることができるようにする",
@ -738,7 +677,7 @@
"Refresh": "リフレッシュ",
"Unable to restore session": "セッションを復元できません",
"We encountered an error trying to restore your previous session.": "以前のセッションを復元しようとしてエラーが発生しました。",
"If you have previously used a more recent version of Riot, your session may be incompatible with this version. Close this window and return to the more recent version.": "以前にRiotの最新バージョンを使用していた場合、セッションはこのバージョンと互換性がない可能性があります。 このウィンドウを閉じて、最新のバージョンに戻ります。",
"If you have previously used a more recent version of %(brand)s, your session may be incompatible with this version. Close this window and return to the more recent version.": "以前に%(brand)sの最新バージョンを使用していた場合、セッションはこのバージョンと互換性がない可能性があります。 このウィンドウを閉じて、最新のバージョンに戻ります。",
"Clearing your browser's storage may fix the problem, but will sign you out and cause any encrypted chat history to become unreadable.": "ブラウザのストレージをクリアすると問題は解決するかもしれませんが、ログアウトして暗号化されたチャット履歴を読むことができなくなります。",
"Invalid Email Address": "無効なメールアドレス",
"This doesn't appear to be a valid email address": "これは有効なメールアドレスではないようです",
@ -765,7 +704,6 @@
"Private Chat": "プライベートチャット",
"Public Chat": "パブリックチャット",
"Custom": "カスタム",
"Alias (optional)": "エイリアス (オプション)",
"Reject invitation": "招待を拒否する",
"Are you sure you want to reject the invitation?": "招待を拒否しますか?",
"Unable to reject invite": "招待を拒否できません",
@ -826,16 +764,15 @@
"To continue using the %(homeserverDomain)s homeserver you must review and agree to our terms and conditions.": "%(homeserverDomain)s ホームサーバーを引き続き使用するには、利用規約を確認して同意する必要があります。",
"Review terms and conditions": "利用規約を確認する",
"Old cryptography data detected": "古い暗号化データが検出されました",
"Data from an older version of Riot has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "Riotの古いバージョンのデータが検出されました。 これにより、古いバージョンではエンドツーエンドの暗号化が機能しなくなります。 古いバージョンを使用している間に最近交換されたエンドツーエンドの暗号化されたメッセージは、このバージョンでは復号化できません。 これにより、このバージョンで交換されたメッセージが失敗することもあります。 問題が発生した場合は、ログアウトして再度ログインしてください。 メッセージ履歴を保持するには、キーをエクスポートして再インポートします。",
"Data from an older version of %(brand)s has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "%(brand)sの古いバージョンのデータが検出されました。 これにより、古いバージョンではエンドツーエンドの暗号化が機能しなくなります。 古いバージョンを使用している間に最近交換されたエンドツーエンドの暗号化されたメッセージは、このバージョンでは復号化できません。 これにより、このバージョンで交換されたメッセージが失敗することもあります。 問題が発生した場合は、ログアウトして再度ログインしてください。 メッセージ履歴を保持するには、キーをエクスポートして再インポートします。",
"Logout": "ログアウト",
"Your Communities": "あなたのコミュニティ",
"Did you know: you can use communities to filter your Riot.im experience!": "知っていましたか: コミュニティを使ってRiot.imの経験を絞り込むことができます!",
"Did you know: you can use communities to filter your %(brand)s experience!": "知っていましたか: コミュニティを使って%(brand)sの経験を絞り込むことができます!",
"To set up a filter, drag a community avatar over to the filter panel on the far left hand side of the screen. You can click on an avatar in the filter panel at any time to see only the rooms and people associated with that community.": "フィルターを設定するには、画面左側のフィルターパネルへコミュニティアバターをドラッグします。フィルタパネルのアバターをクリックすると、そのコミュニティに関連付けられた部屋や人だけが表示されます。",
"Error whilst fetching joined communities": "参加したコミュニティを取得中にエラーが発生しました",
"Create a new community": "新しいコミュニティを作成する",
"Create a community to group together users and rooms! Build a custom homepage to mark out your space in the Matrix universe.": "ユーザーと部屋をグループ化するコミュニティを作成してください! Matrixユニバースにあなたの空間を目立たせるためにカスタムホームページを作成してください。",
"You have no visible notifications": "表示される通知はありません",
"Scroll to bottom of page": "ページの一番下にスクロールする",
"You can't send any messages until you review and agree to <consentLink>our terms and conditions</consentLink>.": "<consentLink>利用規約</consentLink> を確認して同意するまでは、いかなるメッセージも送信できません。",
"Your message wasn't sent because this homeserver has hit its Monthly Active User Limit. Please <a>contact your service administrator</a> to continue using the service.": "このホームサーバーが月間アクティブユーザー制限を超えたため、メッセージは送信されませんでした。 サービスを引き続き使用するには、<a>サービス管理者にお問い合わせ</a>ください。",
"Your message wasn't sent because this homeserver has exceeded a resource limit. Please <a>contact your service administrator</a> to continue using the service.": "このホームサーバーがリソース制限を超えたため、メッセージは送信されませんでした。 サービスを引き続き使用するには、<a>サービス管理者にお問い合わせ</a>ください。",
@ -852,7 +789,6 @@
"Search failed": "検索に失敗しました",
"Server may be unavailable, overloaded, or search timed out :(": "サーバーが使用できない、オーバーロードされている、または検索がタイムアウトしているようです :(",
"No more results": "もう結果はありません",
"Unknown room %(roomId)s": "未知の部屋 %(roomId)s",
"Room": "部屋",
"Failed to reject invite": "招待を拒否できませんでした",
"Click to unmute video": "ビデオの音消解除するにはクリックしてください",
@ -880,7 +816,7 @@
"Reject all %(invitedRooms)s invites": "%(invitedRooms)s すべての招待を拒否する",
"Start automatically after system login": "システムログイン後に自動的に起動する",
"No media permissions": "メディア権限がありません",
"You may need to manually permit Riot to access your microphone/webcam": "自分のマイク/ウェブカメラにアクセスするために手動でRiotを許可する必要があるかもしれません",
"You may need to manually permit %(brand)s to access your microphone/webcam": "自分のマイク/ウェブカメラにアクセスするために手動で%(brand)sを許可する必要があるかもしれません",
"No Audio Outputs detected": "オーディオ出力が検出されませんでした",
"Default Device": "既定のデバイス",
"Audio Output": "音声出力",
@ -891,7 +827,7 @@
"click to reveal": "クリックすると表示されます",
"Homeserver is": "ホームサーバーは",
"Identity Server is": "アイデンティティ・サーバー",
"riot-web version:": "riot-web のバージョン:",
"%(brand)s version:": "%(brand)s のバージョン:",
"olm version:": "olm のバージョン:",
"Failed to send email": "メールを送信できませんでした",
"The email address linked to your account must be entered.": "あなたのアカウントにリンクされているメールアドレスを入力する必要があります。",
@ -919,21 +855,7 @@
"Notify the whole room": "部屋全体に通知する",
"Room Notification": "ルーム通知",
"Users": "ユーザー",
"unknown device": "未知の端末",
"NOT verified": "検証されていない",
"verified": "検証済み",
"Verification": "検証",
"Ed25519 fingerprint": "Ed25519フィンガープリント",
"User ID": "ユーザーID",
"Curve25519 identity key": "Curve25519 ID鍵",
"none": "無し",
"Claimed Ed25519 fingerprint key": "Claimed Ed25519フィンガープリント鍵",
"Algorithm": "アルゴリズム",
"unencrypted": "暗号化されていない",
"Decryption error": "復号化エラー",
"Session ID": "セッション ID",
"End-to-end encryption information": "エンドツーエンド暗号化情報",
"Event information": "イベント情報",
"Passphrases must match": "パスフレーズは一致する必要があります",
"Passphrase must not be empty": "パスフレーズは空であってはいけません",
"Export room keys": "ルームキーのエクスポート",
@ -953,12 +875,9 @@
"Open Devtools": "開発ツールを開く",
"Flair": "バッジ",
"Fill screen": "フィルスクリーン",
"Light theme": "ライトテーマ",
"Dark theme": "ダークテーマ",
"Unignore": "無視しない",
"Unable to load! Check your network connectivity and try again.": "ロードできません! ネットワーク通信を確認の上もう一度お試しください。",
"Failed to invite users to the room:": "部屋にユーザーを招待できませんでした:",
"Waiting for %(userId)s to confirm...": "%(userId)s の確認を待っています...",
"You do not have permission to invite people to this room.": "この部屋にユーザーを招待する権限がありません。",
"Unknown server error": "不明なサーバーエラー",
"No need for symbols, digits, or uppercase letters": "記号、数字、大文字を含む必要はありません",
@ -986,7 +905,6 @@
"Add Phone Number": "電話番号の追加",
"Call failed due to misconfigured server": "サーバの誤設定により呼び出し失敗",
"Try using turn.matrix.org": "turn.matrix.orgで試してみる",
"A conference call could not be started because the integrations server is not available": "統合サーバーが利用できないので電話会議を開始できませんでした",
"Replying With Files": "ファイルを添付して返信",
"The file '%(fileName)s' failed to upload.": "ファイル '%(fileName)s' のアップロードに失敗しました。",
"The file '%(fileName)s' exceeds this homeserver's size limit for uploads": "ファイル '%(fileName)s' はこのホームサーバのアップロードのサイズ上限を超えています",
@ -1031,7 +949,7 @@
"%(names)s and %(count)s others are typing …|one": "%(names)s ともう一人が入力中 …",
"%(names)s and %(lastPerson)s are typing …": "%(names)s と %(lastPerson)s が入力中 …",
"Cannot reach homeserver": "ホームサーバーに接続できません",
"Your Riot is misconfigured": "あなたのRiotは設定が間違っています",
"Your %(brand)s is misconfigured": "あなたの%(brand)sは設定が間違っています",
"Cannot reach identity server": "IDサーバーに接続できません",
"No homeserver URL provided": "ホームサーバーのURLが与えられていません",
"User %(userId)s is already in the room": "ユーザー %(userId)s はすでにその部屋にいます",
@ -1052,7 +970,6 @@
"Enable big emoji in chat": "チャットで大きな絵文字を有効にする",
"Send typing notifications": "入力中通知を送信する",
"Enable Community Filter Panel": "コミュニティーフィルターパネルを有効にする",
"Show recently visited rooms above the room list": "最近訪問した部屋をリストの上位に表示する",
"Low bandwidth mode": "低帯域通信モード",
"Public Name": "公開名",
"<a>Upgrade</a> to your own domain": "あなた自身のドメインに<a>アップグレード</a>",
@ -1134,7 +1051,7 @@
"Encrypted messages are secured with end-to-end encryption. Only you and the recipient(s) have the keys to read these messages.": "暗号化されたメッセージは、エンドツーエンドの暗号化によって保護されています。これらの暗号化されたメッセージを読むための鍵を持っているのは、あなたと参加者だけです。",
"Restore from Backup": "バックアップから復元",
"Credits": "クレジット",
"For help with using Riot, click <a>here</a>.": "Riotの使用方法に関するヘルプは<a>こちら</a>をご覧ください。",
"For help with using %(brand)s, click <a>here</a>.": "%(brand)sの使用方法に関するヘルプは<a>こちら</a>をご覧ください。",
"Help & About": "ヘルプと概要",
"Bug reporting": "バグの報告",
"FAQ": "よくある質問",
@ -1165,21 +1082,12 @@
"You'll upgrade this room from <oldVersion /> to <newVersion />.": "このルームを<oldVersion />から<newVersion />にアップグレードします。",
"<b>Warning</b>: You should only set up key backup from a trusted computer.": "<b>警告</b>: 信頼できるコンピュータからのみキーのバックアップをセットアップしてください。",
"For maximum security, this should be different from your account password.": "セキュリティの効果を高めるために、アカウントのパスワードと別のものを設定するべきです。",
"Enter a passphrase...": "パスワードを入力...",
"That matches!": "同じです!",
"Please enter your passphrase a second time to confirm.": "確認のために、パスワードをもう一度入力してください。",
"Repeat your passphrase...": "パスワードを再度入力...",
"Your recovery key is a safety net - you can use it to restore access to your encrypted messages if you forget your passphrase.": "リカバリキーは安全網です - パスワードを忘れた際は、リカバリキーを使って復元できます。",
"Copy to clipboard": "クリップボードにコピー",
"Download": "ダウンロード",
"Your recovery key has been <b>copied to your clipboard</b>, paste it to:": "リカバリキーが<b>クリップボードにコピーされました</b>。ペーストして:",
"<b>Print it</b> and store it somewhere safe": "<b>印刷して</b>安全な場所に保管しましょう",
"<b>Save it</b> on a USB key or backup drive": "USB メモリーやバックアップ用のドライブに<b>保存</b>しましょう",
"<b>Copy it</b> to your personal cloud storage": "個人のクラウドストレージに<b>コピー</b>しましょう",
"Confirm your passphrase": "パスワードを確認",
"Recovery key": "リカバリキー",
"We'll store an encrypted copy of your keys on our server. Protect your backup with a passphrase to keep it secure.": "キーの暗号化されたコピーがサーバーに保存されます。バックアップを保護するために、パスワードを設定してください。",
"Secure your backup with a passphrase": "バックアップをパスワードで保護",
"Display Name": "表示名",
"Profile picture": "プロフィール画像",
"Encryption enabled": "暗号化が有効です",
@ -1195,11 +1103,9 @@
"Session ID:": "セッション ID:",
"Session key:": "セッション鍵:",
"Cross-signing": "クロス署名",
"Sessions": "セッション",
"A session's public name is visible to people you communicate with": "各セッションの公開名は、あなたの連絡先のユーザーが閲覧できます。",
"Session name": "セッション名",
"Session key": "セッション鍵",
"Sender session information": "送信者のセッション情報",
"Never send encrypted messages to unverified sessions from this session": "このセッションでは、未検証のセッションに対して暗号化されたメッセージを送信しない",
"Never send encrypted messages to unverified sessions in this room from this session": "このセッションでは、この部屋の未検証のセッションに対して暗号化されたメッセージを送信しない",
"Encrypted messages in one-to-one chats": "1対1のチャットでの暗号化されたメッセージ",
@ -1208,10 +1114,6 @@
"Enable desktop notifications for this session": "このセッションでデスクトップ通知を行う",
"Email addresses": "メールアドレス",
"This room is end-to-end encrypted": "この部屋はエンドツーエンド暗号化されています",
"Some sessions for this user are not trusted": "このユーザーの一部のセッションは信頼されていません",
"All sessions for this user are trusted": "このユーザーの全てのセッションを信頼しています",
"Some sessions in this encrypted room are not trusted": "この暗号化された部屋の一部のセッションは信頼されていません",
"All sessions in this encrypted room are trusted": "この暗号化された部屋の全てのセッションを信頼しています",
"Encrypted by an unverified session": "未検証のセッションによる暗号化",
"Close preview": "プレビューを閉じる",
"Direct Messages": "ダイレクトメッセージ",
@ -1226,7 +1128,6 @@
"Clear all data": "全てのデータを削除",
"Create a public room": "公開された部屋を作成",
"Make this room public": "この部屋を公開する",
"Loading session info...": "セッション情報を読み込み中...",
"Message edits": "メッセージの編集履歴",
"Report Content to Your Homeserver Administrator": "あなたのホームサーバーの管理者にコンテンツを報告",
"Reporting this message will send its unique 'event ID' to the administrator of your homeserver. If messages in this room are encrypted, your homeserver administrator will not be able to read the message text or view any files or images.": "このメッセージを報告すると、このメッセージの一意の「イベントID」があなたのホームサーバーの管理者に送信されます。この部屋内のメッセージが暗号化されている場合、ホームサーバーの管理者はメッセージのテキストを読んだり、ファイルや画像を表示することはできません。",
@ -1239,7 +1140,6 @@
"Help": "ヘルプ",
"Filter rooms…": "部屋を検索…",
"Preview": "プレビュー",
"The version of Riot": "Riot のバージョン",
"Your user agent": "あなたの User Agent",
"Bold": "太字",
"Italics": "イタリック体",
@ -1328,9 +1228,6 @@
"in account data": "アカウントデータ内",
"Homeserver feature support:": "ホームサーバーの対応状況:",
"exists": "対応している",
"Secret Storage key format:": "機密ストレージ鍵の形式:",
"outdated": "最新版でない",
"up to date": "最新版",
"Your homeserver does not support session management.": "あなたのホームサーバーはセッション管理に対応していません。",
"Unable to load session list": "セッション一覧を読み込めません",
"Securely cache encrypted messages locally for them to appear in search results, using ": "検索結果を表示するため、暗号化されたメッセージをローカルに安全にキャッシュしています。 キャッシュの保存に ",
@ -1349,7 +1246,7 @@
"Published Addresses": "公開アドレス",
"Published addresses can be used by anyone on any server to join your room. To publish an address, it needs to be set as a local address first.": "公開アドレスを使うと、どのサーバーのどのユーザーでもあなたの部屋に参加することができます。アドレスを公開するには、まずローカルアドレスとして設定する必要があります。",
"Local Addresses": "ローカルアドレス",
"Riot is securely caching encrypted messages locally for them to appear in search results:": "Riot は検索結果を表示するため、暗号化されたメッセージをローカルに安全にキャッシュしています:",
"%(brand)s is securely caching encrypted messages locally for them to appear in search results:": "%(brand)s は検索結果を表示するため、暗号化されたメッセージをローカルに安全にキャッシュしています:",
"Space used:": "使用中のストレージ容量:",
"Indexed messages:": "インデックス済みのメッセージ数:",
"Indexed rooms:": "インデックス済みの部屋数:",
@ -1368,7 +1265,7 @@
"Your avatar URL": "あなたのアバター URL",
"Your user ID": "あなたのユーザー ID",
"Your theme": "あなたのテーマ",
"Riot URL": "Riot URL",
"%(brand)s URL": "%(brand)s URL",
"Room ID": "部屋 ID",
"Maximize apps": "アプリを最大化する",
"More options": "更なるオプション",
@ -1410,7 +1307,6 @@
"Show shortcuts to recently viewed rooms above the room list": "最近表示した部屋のショートカットを部屋リストの上に表示",
"Show previews/thumbnails for images": "画像のプレビュー/サムネイルを表示",
"Your account has a cross-signing identity in secret storage, but it is not yet trusted by this session.": "あなたのアカウントではクロス署名の認証情報がシークレットストレージに保存されていますが、このセッションでは信頼されていません。",
"Riot can't securely cache encrypted messages locally while running in a web browser. Use <riotLink>Riot Desktop</riotLink> for encrypted messages to appear in search results.": "Riot はウェブブラウザでは暗号化されたメッセージを安全にキャッシュできません。暗号化されたメッセージを検索結果に表示するには <riotLink>Riot Desktop</riotLink> を利用してください。",
"This session is <b>not backing up your keys</b>, but you do have an existing backup you can restore from and add to going forward.": "このセッションでは<b>キーをバックアップしていません</b>。ですが、あなたは復元に使用したり今後キーを追加したりできるバックアップを持っています。",
"Connect this session to key backup before signing out to avoid losing any keys that may only be on this session.": "このセッションのみにあるキーを失なわないために、セッションをキーバックアップに接続しましょう。",
"Connect this session to Key Backup": "このセッションをキーバックアップに接続",
@ -1421,15 +1317,12 @@
"Join the discussion": "話し合いに参加",
"%(roomName)s can't be previewed. Do you want to join it?": "%(roomName)s はプレビューできません。部屋に参加しますか?",
"Set addresses for this room so users can find this room through your homeserver (%(localDomain)s)": "他のユーザーがあなたのホームサーバー (%(localDomain)s) を通じてこの部屋を見つけられるよう、アドレスを設定しましょう",
"<b>Warning</b>: You should only do this on a trusted computer.": "<b>警告</b>: 信頼できるコンピュータでのみこれを実行するべきです。",
"Enter recovery key": "リカバリキーを入力",
"Access your secure message history and your cross-signing identity for verifying other sessions by entering your recovery key.": "暗号化されたメッセージへアクセスしたりクロス署名認証情報で他のセッションを承認するにはリカバリキーを入力してください。",
"If you've forgotten your recovery key you can <button>set up new recovery options</button>.": "リカバリキーを忘れた場合は<button>新しいリカバリオプションをセットアップ</button>できます。",
"Verify this login": "このログインを承認",
"Signing In...": "サインインしています...",
"If you've joined lots of rooms, this might take a while": "たくさんの部屋に参加している場合は、時間がかかる可能性があります",
"Confirm your identity by verifying this login from one of your other sessions, granting it access to encrypted messages.": "このログインを他のセッションで承認し、あなたの認証情報を確認すれば、暗号化されたメッセージへアクセスできるようになります。",
"This requires the latest Riot on your other devices:": "最新版の Riot が他のあなたのデバイスで実行されている必要があります:",
"This requires the latest %(brand)s on your other devices:": "最新版の %(brand)s が他のあなたのデバイスで実行されている必要があります:",
"or another cross-signing capable Matrix client": "もしくはクロス署名に対応した他の Matrix クライアント",
"Without completing security on this session, it wont have access to encrypted messages.": "このセッションでのセキュリティを完了させない限り、暗号化されたメッセージにはアクセスできません。"
}

View file

@ -3,26 +3,17 @@
"This phone number is already in use": ".i ca'o pilno le fonjudri",
"Failed to verify email address: make sure you clicked the link in the email": ".i na pu facki lo du'u xu kau do ponse le skami te mrilu .i ko birti lo du'u do pu skami cuxna le urli pe le se samymri",
"The platform you're on": "le ciste poi do pilno",
"The version of Riot.im": "le farvi tcini be la nu zunti",
"Your language of choice": "le se cuxna be fi lo'i bangu",
"Which officially provided instance you are using, if any": "le klesi poi ca'irselzau se sabji poi do pilno",
"Whether or not you're using the Richtext mode of the Rich Text Editor": "lo du'u xu kau do pilno la .markdaun. lo nu ciski",
"Your homeserver's URL": "le urli be le do samtcise'u",
"Your identity server's URL": "le urli be le do prenu datni samtcise'u",
"e.g. %(exampleValue)s": "mu'a zoi gy. %(exampleValue)s .gy.",
"Every page you use in the app": "ro lo pagbu poi do pilno pe le samtci",
"e.g. <CurrentPageURL>": "mu'a zoi urli. <CurrentPageURL> .urli",
"Your User Agent": "le datni be lo do kibyca'o",
"Your device resolution": "le ni vidnysle",
"Analytics": "lo se lanli datni",
"The information being sent to us to help make Riot.im better includes:": ".i ti liste lo datni poi se dunda fi lo favgau te zu'e lo nu xagzengau la nu zunti",
"Where this page includes identifiable information, such as a room, user or group ID, that data is removed before being sent to the server.": ".i pu lo nu benji fi lo samtcise'u cu vimcu lo datni poi termi'u no'u mu'a lo termi'u be lo kumfa pe'a .o nai lo pilno .o nai lo girzu",
"Call Failed": ".i pu fliba lo nu fonjo'e",
"Review Devices": "za'u re'u viska lo liste be lo samtciselse'u",
"Call Anyway": "je'e fonjo'e",
"Answer Anyway": "je'e spuda",
"Call": "fonjo'e",
"Answer": "spuda",
"You are already in a call.": ".i do ca'o pu zvati lo nu fonjo'e",
"VoIP is unsupported": ".i na kakne tu'a la .voip.",
"You cannot place VoIP calls in this browser.": ".i le kibyca'o na kakne tu'a la .voip.",
@ -38,9 +29,7 @@
"The remote side failed to pick up": ".i lo se fonjo'e na pu spuda",
"Unable to capture screen": ".i na kakne lo nu benji lo vidvi be lo vidni",
"Existing Call": ".i ca'o pu fonjo'e",
"Could not connect to the integration server": ".i na kakne lo nu co'a samjo'e le jmina samtcise'u",
"Server may be unavailable, overloaded, or you hit a bug.": ".i la'a cu'i lo samtcise'u cu spofu gi'a mutce gunka .i ja samcfi",
"Send anyway": "je'e benji",
"Send": "benji",
"Sun": "nondei",
"Mon": "pavdei",
@ -74,26 +63,20 @@
"Which rooms would you like to add to this community?": ".i do djica lo nu jmina ma poi kumfa pe'a po'u le girzu",
"Show these rooms to non-members on the community page and room list?": ".i .au pei le kumfa cu gubni zvati le girzu pagbu .e le liste be lo'i kumfa pe'a",
"Add rooms to the community": "jmina lo kumfa pe'a le girzu",
"Room name or alias": "lo cmene ja datcme be lo kumfa",
"Add to community": "jmina fi le girzu",
"Failed to invite the following users to %(groupId)s:": "lo pilno poi fliba lo nu vi'ecpe ke'a la'o ny. %(groupId)s .ny.",
"Failed to invite users to community": ".i pu fliba lo nu vi'ecpe lo pilno le girzu",
"Failed to invite users to %(groupId)s": ".i pu fliba lo nu vi'ecpe lo pilno la'o ny. %(groupId)s .ny.",
"Failed to add the following rooms to %(groupId)s:": "lo kumfa pe'a poi fliba lo nu jmina ke'a la'o ny. %(groupId)s .ny.",
"Unnamed Room": "lo kumfa pe'a noi no da cmene",
"Riot does not have permission to send you notifications - please check your browser settings": ".i na curmi lo nu la nu zunti cu benji lo sajgau do .i .e'o do cipcta lo te cuxna pe le do kibyca'o",
"Riot was not given permission to send notifications - please try again": ".i na pu curmi lo nu la nu zunti cu benji lo sajgau .i .e'o do za'u re'u troci",
"Unable to enable Notifications": ".i na kakne lo nu co'a kakne lo nu benji lo sajgau",
"This email address was not found": ".i na pu facki fi le ve samymri",
"Your email address does not appear to be associated with a Matrix ID on this Homeserver.": ".i za'a le ve samymri be fo do cu ckini no lo judri be fi la nacmeimei be'o pe le samtcise'u",
"Registration Required": ".i .ei do se cmeveigau",
"You need to register to do this. Would you like to register now?": ".i lo nu cmeveigau do sarcu ti .i do ca .au pei cmeveigau do",
"Register": "cmeveigau",
"Default": "lo zmiselcu'a",
"Restricted": "li so'u",
"Moderator": "li so'i",
"Admin": "li ro",
"Start a chat": "lo nu co'a tavla",
"Power level must be positive integer.": ".i .ei lo ni vlipa cu kacna'u",
"%(senderName)s changed the power level of %(powerLevelDiffText)s.": ".i la'o ly. %(senderName)s .ly. gafygau %(powerLevelDiffText)s",
"Failed to change power level": ".i pu fliba lo nu gafygau lo ni vlipa",
@ -117,9 +100,7 @@
"/ddg is not a command": "zoi ny. /ddg .ny. na nu minde",
"Changes your display nickname": ".i galfi le do cmene",
"Invites user with given id to current room": ".i vi'ecpe lo pilno poi se judri ti ku le kumfa pe'a",
"Joins room with given alias": ".i drata judri le kumfa pe'a",
"Leave room": "cliva le kumfa pe'a",
"Unrecognised room alias:": "lo drata judri poi na se sanji",
"Kicks user with given id": ".i rinka lo nu lo pilno poi se judri ti cu cliva",
"Bans user with given id": ".i rinka lo nu lo pilno poi se judri ti cu vitno cliva",
"Ignores a user, hiding their messages from you": ".i rinka lo nu no'e jundi lo pilno gi'e mipri lo notci be fi py. do",
@ -158,11 +139,6 @@
"%(senderDisplayName)s removed the room name.": ".i la'o ly. %(senderDisplayName)s .ly. vimcu lo cmene be le kumfa pe'a",
"%(senderDisplayName)s changed the room name to %(roomName)s.": ".i la'o ly. %(senderDisplayName)s .ly. gafygau lo cmene be le kumfa zoi ly. %(roomName)s .ly.",
"%(senderDisplayName)s sent an image.": ".i la'o ly. %(senderDisplayName)s .ly. mrilu lo pixra",
"%(senderName)s added %(count)s %(addedAddresses)s as addresses for this room.|other": ".i la'o ly. %(senderName)s .ly. jmina zoi ny. %(addedAddresses)s .ny. lo'i judri be le kumfa pe'a",
"%(senderName)s added %(count)s %(addedAddresses)s as addresses for this room.|one": ".i la'o ly. %(senderName)s .ly. jmina zoi ny. %(addedAddresses)s .ny. lo'i judri be le kumfa pe'a",
"%(senderName)s removed %(count)s %(removedAddresses)s as addresses for this room.|other": ".i la'o ly. %(senderName)s .ly. vimcu zoi ny. %(removedAddresses)s .ny. lo'i judri be le kumfa pe'a",
"%(senderName)s removed %(count)s %(removedAddresses)s as addresses for this room.|one": ".i la'o ly. %(senderName)s .ly. vimcu zoi ny. %(removedAddresses)s .ny. lo'i judri be le kumfa pe'a",
"%(senderName)s added %(addedAddresses)s and removed %(removedAddresses)s as addresses for this room.": ".i la'o ly. %(senderName)s .ly. jmina zoi ny. %(addedAddresses)s .ny. lo'i judri be le kumfa pe'a gi'e vimcu zoi ny. %(removedAddresses)s .ny. jy.",
"%(senderName)s set the main address for this room to %(address)s.": ".i la'o ly. %(senderName)s .ly. gafygau lo ralju cmene be le kumfa pe'a zoi ny. %(address)s .ny.",
"%(senderName)s removed the main address for this room.": ".i la'o ly. %(senderName)s .ly. vimcu lo ralju cmene be le kumfa pe'a",
"Someone": "da poi prenu",
@ -187,13 +163,11 @@
"Please <a>contact your service administrator</a> to continue using the service.": ".i .e'o ko <a>tavla lo do te selfu admine</a> .i ja nai do djica lo nu ca'o pilno le te selfu",
"Unable to connect to Homeserver. Retrying...": ".i pu fliba lo nu samjo'e le samtcise'u .i za'u re'u ca'o troci",
"Your browser does not support the required cryptography extensions": ".i le do kibyca'o na kakne tu'a le te mifra ciste noi se nitcu",
"Not a valid Riot keyfile": ".i na'e drani ckiku datnyvei",
"Authentication check failed: incorrect password?": ".i pu fliba lo nu birti lo du'u curmi lo nu do jonse .i na'e drani xu japyvla",
"Sorry, your homeserver is too old to participate in this room.": ".i .uu le do samtcise'u cu dukse lo ka laldo ku ja'e lo du'u sy. na kakne lo nu pagbu le kumfa pe'a",
"Please contact your homeserver administrator.": ".i .e'o ko tavla lo admine be le samtcise'u",
"Failed to join room": ".i pu fliba lo nu cmibi'o le kumfa pe'a",
"Message Pinning": "lo du'u xu kau kakne lo nu mrilu lo vitno notci",
"Use compact timeline layout": "lo du'u xu kau lo liste be lo notci cu tagji",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "lo du'u xu kau lo tcika cu se tarmi mu'a lu ti'u li re pi'e ci no su'i pa re li'u",
"Always show message timestamps": "lo du'u xu kau do ro roi viska ka'e lo tcika be tu'a lo notci",
"Autoplay GIFs and videos": "lo du'u xu kau lo vidvi cu zmiku cfari",
@ -243,11 +217,8 @@
"Confirm password": "lo za'u re'u japyvla poi cnino",
"Change Password": "galfi lo japyvla",
"Authentication": "lo nu facki lo du'u do du ma kau",
"Device ID": "lo judri be lo samtciselse'u",
"Last seen": "lo ro re'u nu viska",
"Failed to set display name": ".i pu fliba lo nu galfi lo cmene",
"Disable Notifications": "na sajgau",
"Enable Notifications": "sajgau",
"Error saving email notification preferences": ".i pu fliba lo nu co'a vreji lo se cuxna pe lo nu samymri",
"An error occurred whilst saving your email notification preferences.": ".i pu fliba lo nu co'a vreji lo se cuxna pe lo nu samymri sajgau",
"Keywords": "lo midvla",

View file

@ -61,7 +61,6 @@
"Update": "Leqqem",
"Restart": "Ales tanekra",
"Font size": "Tuɣzi n tsefsit",
"Custom font size": "Tiddi n tsefsit yugnen",
"Decline": "Agwi",
"Accept": "Qbel",
"or": "neɣ",
@ -112,7 +111,7 @@
"General": "Amatu",
"Legal": "Usḍif",
"Credits": "Asenmer",
"Chat with Riot Bot": "Asqerdec akked Riot Bot",
"Chat with %(brand)s Bot": "Asqerdec akked %(brand)s Bot",
"FAQ": "Isteqsiyen FAQ",
"Keyboard Shortcuts": "Inegzumen n unasiw",
"Versions": "Ileqman",
@ -296,7 +295,7 @@
"End": "Taggara",
"This email address is already in use": "Tansa-agi n yimayl tettuseqdac yakan",
"This phone number is already in use": "Uṭṭun-agi n tilifun yettuseqddac yakan",
"Your Riot is misconfigured": "Riot inek(inem) ur ittusbadu ara",
"Your %(brand)s is misconfigured": "%(brand)s inek(inem) ur ittusbadu ara",
"Please install <chromeLink>Chrome</chromeLink>, <firefoxLink>Firefox</firefoxLink>, or <safariLink>Safari</safariLink> for the best experience.": "Ma ulac aɣilif, sebded <chromeLink>Chrome</chromeLink>, <firefoxLink>Firefox</firefoxLink>, neɣ<safariLink>Safari</safariLink> i tirmit igerrzen.",
"I understand the risks and wish to continue": "Gziɣ ayen ara d-yeḍrun maca bɣiɣ ad kemmleɣ",
"Use Single Sign On to continue": "Seqdec anekcum asuf akken ad tkemmleḍ",
@ -311,7 +310,7 @@
"Click the button below to confirm adding this phone number.": "Sit ɣef tqeffalt yellan ddaw i usentem n tmerna n wuṭṭun-a n tilifun.",
"Add Phone Number": "Rnu uṭṭun n tilifun",
"The platform you're on": "Tiɣerɣert ideg telliḍ akka tura",
"The version of Riot": "Lqem n Riot",
"The version of %(brand)s": "Lqem n %(brand)s",
"Whether or not you're logged in (we don't record your username)": "Ma teqqneḍ neɣ uhu (isem-ik(im) n useqdac ur yettwasekles ara)",
"Your language of choice": "Tutlayt i tferneḍ",
"Which officially provided instance you are using, if any": "Tummant i d-yettunefken tunṣibt ara tesseqdace, ma yella tella",
@ -347,7 +346,7 @@
"Toggle microphone mute": "Rmed/sens tanusi n usawaḍ",
"Toggle video on/off": "Rmed/sens tavidyut",
"Scroll up/down in the timeline": "Drurem gar afellay/addday n tesnakudt",
"Updating Riot": "Leqqem Riot",
"Updating %(brand)s": "Leqqem %(brand)s",
"I don't want my encrypted messages": "Ur bɣiɣ ara izan-inu iwgelhanen",
"Manually export keys": "Sifeḍ s ufus tisura",
"Session ID": "Asulay n tqimit",
@ -400,8 +399,8 @@
"Failed to add the following rooms to %(groupId)s:": "Timerna n texxamin i d-iteddun ɣer %(groupId)s ur yedi ara:",
"Identity server has no terms of service": "Timagit n uqeddac ulac ɣer-sen iferdisen n umeẓlu",
"%(name)s is requesting verification": "%(name)s yesra asenqed",
"Riot does not have permission to send you notifications - please check your browser settings": "Riot ulac ɣer-s tisirag i tuzna n yilɣa - ttxil-k/m senqed iɣewwaren n yiminig-ik/im",
"Riot was not given permission to send notifications - please try again": "Riot ur d-yefk ara tisirag i tuzna n yilɣa - ttxil-k/m εreḍ tikkelt-nniḍen",
"%(brand)s does not have permission to send you notifications - please check your browser settings": "%(brand)s ulac ɣer-s tisirag i tuzna n yilɣa - ttxil-k/m senqed iɣewwaren n yiminig-ik/im",
"%(brand)s was not given permission to send notifications - please try again": "%(brand)s ur d-yefk ara tisirag i tuzna n yilɣa - ttxil-k/m εreḍ tikkelt-nniḍen",
"Unable to enable Notifications": "Sens irmad n yilɣa",
"This email address was not found": "Tansa-a n yimayl ulac-it",
"Your email address does not appear to be associated with a Matrix ID on this Homeserver.": "Tansa-ik/im n yimayl ur d-tban ara akken ad tettwacudd d usulay Matrix deg usebter-a agejdan.",
@ -435,9 +434,8 @@
"New login. Was this you?": "Anekcam amaynut. D kečč/kemm?",
"Verify the new login accessing your account: %(name)s": "Senqed anekcam amaynut i ikecmen ɣer umiḍan-ik/im: %(name)s",
"What's new?": "D acu-t umaynut?",
"Upgrade your Riot": "Leqqem Riot inek/inem",
"A new version of Riot is available!": "Lqem amaynut n Riot yella!",
"You: %(message)s": "Kečč/kemm: %(message)s",
"Upgrade your %(brand)s": "Leqqem %(brand)s inek/inem",
"A new version of %(brand)s is available!": "Lqem amaynut n %(brand)s yella!",
"There was an error joining the room": "Tella-d tuccḍa deg unekcum ɣer texxamt",
"Sorry, your homeserver is too old to participate in this room.": "Suref-aɣ, asebter-ik/im agejdan d aqbur aṭas akken ad yettekki deg texxamt-a.",
"Please contact your homeserver administrator.": "Ttxil-k/m nermes anedbal-ik/im n usebter agejdan.",
@ -452,10 +450,10 @@
"Room Colour": "Initen n texxamt",
"Show developer tools": "Sken ifecka n uneflay",
"Whether or not you're using the Richtext mode of the Rich Text Editor": "Ama tseqdaceḍ askar-inek.inem n umaẓrag n uḍris anesbaɣur neɣ xaṭi",
"Whether you're using Riot on a device where touch is the primary input mechanism": "Γas ma tseqdaceḍ Riot inek.inem deg yibenk anida asami d ametwi agejdan n unekcum",
"Whether you're using %(brand)s on a device where touch is the primary input mechanism": "Γas ma tseqdaceḍ %(brand)s inek.inem deg yibenk anida asami d ametwi agejdan n unekcum",
"Whether or not you're using the 'breadcrumbs' feature (avatars above the room list)": "Γas ma tseqdaceḍ tamahilt 'breadcrumbs' neɣ xaṭi(avatar nnig tebdert n texxamt)",
"Whether you're using Riot as an installed Progressive Web App": "Γas ma tseqdaceḍ Riot d asnas web n usfari i ibedden",
"The information being sent to us to help make Riot better includes:": "Talɣut i aɣ-d-yettwaznen ɣef tallalt n usnerni n Riot deg-s:",
"Whether you're using %(brand)s as an installed Progressive Web App": "Γas ma tseqdaceḍ %(brand)s d asnas web n usfari i ibedden",
"The information being sent to us to help make %(brand)s better includes:": "Talɣut i aɣ-d-yettwaznen ɣef tallalt n usnerni n %(brand)s deg-s:",
"Where this page includes identifiable information, such as a room, user or group ID, that data is removed before being sent to the server.": "Ma yili asebter-a degs talɣut tummilt, am texxamt neɣ aseqdac neɣ asulay n ugraw, isefka-a ad ttwakksen send ad ttwaznen i uqeddac.",
"Unable to load! Check your network connectivity and try again.": "Yegguma ad d-yali! Senqed tuqqna-inek.inem ɣer uzeṭṭa syen tεerḍeḍ tikkelt-nniḍen.",
"Failure to create room": "Timerna n texxamt ur teddi ara",

View file

@ -28,10 +28,8 @@
"Microphone": "마이크",
"Camera": "카메라",
"Advanced": "고급",
"Algorithm": "알고리즘",
"Always show message timestamps": "항상 메시지의 시간을 보이기",
"Authentication": "인증",
"Alias (optional)": "별칭 (선택)",
"A new password must be entered.": "새 비밀번호를 입력해주세요.",
"An error has occurred.": "오류가 발생했습니다.",
"Anyone": "누구나",
@ -41,17 +39,12 @@
"Autoplay GIFs and videos": "GIF와 동영상을 자동으로 재생하기",
"Ban": "출입 금지",
"Banned users": "출입 금지된 사용자",
"Blacklisted": "블랙리스트 대상",
"Change Password": "비밀번호 바꾸기",
"Changes your display nickname": "표시 별명 변경하기",
"Confirm password": "비밀번호 확인",
"Create Room": "방 만들기",
"Custom": "사용자 지정",
"Device ID": "기기 ID",
"Default": "기본",
"device id: ": "기기 ID: ",
"Direct chats": "다이렉트 대화",
"Disable Notifications": "알림 끄기",
"Email": "이메일",
"Email address": "이메일 주소",
"Failed to forget room %(errCode)s": "%(errCode)s 방 지우기에 실패함",
@ -63,7 +56,7 @@
"Access Token:": "접근 토큰:",
"Active call (%(roomName)s)": "현재 전화 (%(roomName)s 방)",
"Add a topic": "주제 추가",
"You may need to manually permit Riot to access your microphone/webcam": "수동으로 Riot에 마이크와 카메라를 허용해야 함",
"You may need to manually permit %(brand)s to access your microphone/webcam": "수동으로 %(brand)s에 마이크와 카메라를 허용해야 함",
"%(items)s and %(lastItem)s": "%(items)s님과 %(lastItem)s님",
"and %(count)s others...|one": "외 한 명...",
"and %(count)s others...|other": "외 %(count)s명...",
@ -81,7 +74,6 @@
"%(senderDisplayName)s changed the room name to %(roomName)s.": "%(senderDisplayName)s님이 방 이름을 %(roomName)s(으)로 바꿨습니다.",
"%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s님이 방 이름을 제거했습니다.",
"%(senderDisplayName)s changed the topic to \"%(topic)s\".": "%(senderDisplayName)s님이 주제를 \"%(topic)s\"(으)로 바꿨습니다.",
"Claimed Ed25519 fingerprint key": "Ed25519 핑거프린트 키가 필요함",
"Click here to fix": "해결하려면 여기를 누르세요",
"Click to mute audio": "소리를 끄려면 클릭",
"Click to mute video": "영상 소리를 끄려면 클릭",
@ -90,30 +82,23 @@
"Click to unmute audio": "소리를 켜려면 클릭",
"Command error": "명령어 오류",
"Commands": "명령어",
"Could not connect to the integration server": "통합 서버에 연결할 수 없음",
"Cryptography": "암호화",
"Current password": "현재 비밀번호",
"Curve25519 identity key": "Curve25519 ID 키",
"Custom level": "맞춤 등급",
"/ddg is not a command": "/ddg는 명령어가 아닙니다",
"Deactivate Account": "계정 비활성화",
"Decline": "거절",
"Decrypt %(text)s": "%(text)s 복호화",
"Decryption error": "암호 복호화 오류",
"Deops user with given id": "받은 ID로 사용자의 등급을 낮추기",
"Disinvite": "초대 취소",
"Displays action": "활동 표시하기",
"Download %(text)s": "%(text)s 다운로드",
"Drop File Here": "여기에 파일을 놓아주세요",
"Ed25519 fingerprint": "Ed25519 핑거프린트",
"Emoji": "이모지",
"Enable Notifications": "알림 켜기",
"%(senderName)s ended the call.": "%(senderName)s님이 전화를 끊었습니다.",
"End-to-end encryption information": "종단간 암호화 정보",
"Enter passphrase": "암호 입력",
"Error decrypting attachment": "첨부 파일 복호화 중 오류",
"Error: Problem communicating with the given homeserver.": "오류: 지정한 홈서버와 통신에 문제가 있습니다.",
"Event information": "이벤트 정보",
"Existing Call": "기존 전화",
"Export": "내보내기",
"Export E2E room keys": "종단간 암호화 방 열쇠 내보내기",
@ -130,7 +115,6 @@
"Failed to send email": "이메일 보내기에 실패함",
"Failed to send request.": "요청을 보내지 못했습니다.",
"Failed to set display name": "표시 이름을 설정하지 못함",
"Failed to toggle moderator status": "조정자 상태 설정에 실패함",
"Failed to unban": "출입 금지 풀기에 실패함",
"Failed to upload profile picture!": "프로필 사진 업로드에 실패함!",
"Failed to verify email address: make sure you clicked the link in the email": "이메일 주소를 인증하지 못했습니다. 메일에 나온 주소를 눌렀는지 확인해 보세요",
@ -166,7 +150,6 @@
"Join as <voiceText>voice</voiceText> or <videoText>video</videoText>.": "<voiceText>음성</voiceText> 또는 <videoText>영상</videoText>으로 참가하세요.",
"Join Room": "방에 참가",
"%(targetName)s joined the room.": "%(targetName)s님이 방에 참가했습니다.",
"Joins room with given alias": "받은 별칭으로 방에 들어가기",
"Jump to first unread message.": "읽지 않은 첫 메시지로 건너뜁니다.",
"%(senderName)s kicked %(targetName)s.": "%(senderName)s님이 %(targetName)s님을 추방했습니다.",
"Kick": "추방",
@ -175,7 +158,6 @@
"Last seen": "마지막으로 본 순간",
"Leave room": "방 떠나기",
"%(targetName)s left the room.": "%(targetName)s님이 방을 떠났습니다.",
"Local addresses for this room:": "이 방의 로컬 주소:",
"Logout": "로그아웃",
"Low priority": "중요하지 않음",
"%(senderName)s made future room history visible to all room members, from the point they are invited.": "%(senderName)s님이 이후 방 구성원 모두, 초대받은 시점부터 방의 기록을 볼 수 있게 했습니다.",
@ -188,14 +170,11 @@
"Missing user_id in request": "요청에서 user_id이(가) 빠짐",
"Moderator": "조정자",
"Name": "이름",
"New address (e.g. #foo:%(localDomain)s)": "새 주소 (예: #foo:%(localDomain)s)",
"New passwords don't match": "새 비밀번호가 맞지 않음",
"New passwords must match each other.": "새 비밀번호는 서로 같아야 합니다.",
"none": "없음",
"not specified": "지정되지 않음",
"(not supported by this browser)": "(이 브라우저에서 지원하지 않습니다)",
"<not supported>": "<지원하지 않음>",
"NOT verified": "인증하지 않음",
"No display name": "표시 이름 없음",
"No more results": "더 이상 결과 없음",
"No results": "결과 없음",
@ -217,29 +196,25 @@
"%(senderName)s set a profile picture.": "%(senderName)s님이 프로필 사진을 설정했습니다.",
"Public Chat": "공개 대화",
"Reason": "이유",
"Revoke Moderator": "조정자 철회",
"Register": "등록",
"%(targetName)s rejected the invitation.": "%(targetName)s님이 초대를 거절했습니다.",
"Reject invitation": "초대 거절",
"Remote addresses for this room:": "이 방의 원격 주소:",
"%(senderName)s removed their display name (%(oldDisplayName)s).": "%(senderName)s님이 표시 이름 (%(oldDisplayName)s)을(를) 제거했습니다.",
"%(senderName)s requested a VoIP conference.": "%(senderName)s님이 VoIP 회의를 요청했습니다.",
"Results from DuckDuckGo": "DuckDuckGo에서 검색한 결과",
"Return to login screen": "로그인 화면으로 돌아가기",
"Riot does not have permission to send you notifications - please check your browser settings": "Riot은 알림을 보낼 권한을 가지고 있지 않습니다. 브라우저 설정을 확인해주세요",
"Riot was not given permission to send notifications - please try again": "Riot이 알림을 보낼 권한을 받지 못했습니다. 다시 해주세요",
"riot-web version:": "Riot 웹 버전:",
"%(brand)s does not have permission to send you notifications - please check your browser settings": "%(brand)s은 알림을 보낼 권한을 가지고 있지 않습니다. 브라우저 설정을 확인해주세요",
"%(brand)s was not given permission to send notifications - please try again": "%(brand)s이 알림을 보낼 권한을 받지 못했습니다. 다시 해주세요",
"%(brand)s version:": "%(brand)s 웹 버전:",
"Room %(roomId)s not visible": "방 %(roomId)s이(가) 보이지 않음",
"Room Colour": "방 색",
"%(roomName)s does not exist.": "%(roomName)s은 없는 방이에요.",
"%(roomName)s is not accessible at this time.": "현재는 %(roomName)s에 들어갈 수 없습니다.",
"Rooms": "방",
"Save": "저장",
"Scroll to bottom of page": "화면 맨 아래로 이동",
"Search failed": "검색 실패함",
"Searches DuckDuckGo for results": "DuckDuckGo에서 검색하기",
"Seen by %(userName)s at %(dateTime)s": "%(userName)s님이 %(dateTime)s에 확인함",
"Send anyway": "무시하고 보내기",
"Send Reset Email": "초기화 이메일 보내기",
"%(senderDisplayName)s sent an image.": "%(senderDisplayName)s님이 사진을 보냈습니다.",
"%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": "방에 들어오라고 %(senderName)s님이 %(targetDisplayName)s님에게 초대를 보냈습니다.",
@ -255,7 +230,6 @@
"Sign out": "로그아웃",
"%(count)s of your messages have not been sent.|other": "일부 메시지를 보내지 못했습니다.",
"Someone": "다른 사람",
"Start a chat": "대화 시작하기",
"Start authentication": "인증 시작",
"Submit": "제출",
"Success": "성공",
@ -280,13 +254,9 @@
"%(senderName)s unbanned %(targetName)s.": "%(senderName)s님이 %(targetName)s님에 대한 출입 금지를 풀었습니다.",
"Unable to capture screen": "화면을 찍을 수 없음",
"Unable to enable Notifications": "알림을 사용할 수 없음",
"unencrypted": "암호화하지 않음",
"unknown caller": "알 수 없는 발신자",
"unknown device": "알 수 없는 기기",
"Unknown room %(roomId)s": "알 수 없는 방 %(roomId)s",
"Unmute": "음소거 끄기",
"Unnamed Room": "이름 없는 방",
"Unrecognised room alias:": "인식할 수 없는 방 별칭:",
"Uploading %(filename)s and %(count)s others|zero": "%(filename)s을(를) 올리는 중",
"Uploading %(filename)s and %(count)s others|one": "%(filename)s 외 %(count)s개를 올리는 중",
"Uploading %(filename)s and %(count)s others|other": "%(filename)s 외 %(count)s개를 올리는 중",
@ -295,13 +265,9 @@
"Upload file": "파일 업로드",
"Upload new:": "새로 업로드:",
"Usage": "사용",
"Use compact timeline layout": "간단한 타임라인 구성 사용",
"User ID": "사용자 ID",
"Username invalid: %(errMessage)s": "잘못된 사용자 이름: %(errMessage)s",
"Users": "사용자",
"Verification Pending": "인증을 기다리는 중",
"Verification": "인증",
"verified": "인증함",
"Verified key": "인증한 열쇠",
"Video call": "영상 통화",
"Voice call": "음성 통화",
@ -354,7 +320,6 @@
"Upload an avatar:": "아바타 업로드:",
"This server does not support authentication with a phone number.": "이 서버는 전화번호 인증을 지원하지 않습니다.",
"An error occurred: %(error_string)s": "오류가 발생함: %(error_string)s",
"Make Moderator": "조정자 임명",
"There are no visible files in this room": "이 방에는 보여줄 수 있는 파일이 없습니다",
"Room": "방",
"Connectivity to the server has been lost.": "서버 연결이 끊어졌습니다.",
@ -367,7 +332,7 @@
"Start automatically after system login": "컴퓨터를 시작할 때 자동으로 실행하기",
"Analytics": "정보 분석",
"Options": "옵션",
"Riot collects anonymous analytics to allow us to improve the application.": "Riot은 앱을 발전시키기 위해 익명으로 정보 분석을 수집합니다.",
"%(brand)s collects anonymous analytics to allow us to improve the application.": "%(brand)s은 앱을 발전시키기 위해 익명으로 정보 분석을 수집합니다.",
"Passphrases must match": "암호가 일치해야 함",
"Passphrase must not be empty": "암호를 입력해야 함",
"Export room keys": "방 키 내보내기",
@ -380,20 +345,14 @@
"Confirm Removal": "삭제 확인",
"Unknown error": "알 수 없는 오류",
"Incorrect password": "맞지 않는 비밀번호",
"To continue, please enter your password.": "계속하려면, 비밀번호를 입력해주세요.",
"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 클라이언트에서 파일을 가져와서, 해당 클라이언트에서도 이 메시지를 복호화할 수 있도록 할 수 있습니다.",
"The exported file will allow anyone who can read it to decrypt any encrypted messages that you can see, so you should be careful to keep it secure. To help with this, you should enter a passphrase below, which will be used to encrypt the exported data. It will only be possible to import the data by using the same passphrase.": "내보낸 파일이 있으면 누구든 암호화한 메시지를 복호화해서 읽을 수 있으므로, 보안에 신경을 써야 합니다. 이런 이유로 내보낸 파일을 암호화하도록 아래에 암호를 입력하는 것을 추천합니다. 같은 암호를 사용해야 데이터를 불러올 수 있을 것입니다.",
"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.": "내보낸 파일이 암호로 보호되어 있습니다. 파일을 복호화하려면, 여기에 암호를 입력해야 합니다.",
"Are you sure you wish to remove (delete) this event? Note that if you delete a room name or topic change, it could undo the change.": "이 이벤트를 감추길(삭제하길) 원하세요? 방 이름을 삭제하거나 주제를 바꾸면, 다시 생길 수도 있습니다.",
"I verify that the keys match": "열쇠가 맞는지 인증합니다",
"Unable to restore session": "세션을 복구할 수 없음",
"If you have previously used a more recent version of Riot, your session may be incompatible with this version. Close this window and return to the more recent version.": "이전에 최근 버전의 Riot을 썼다면, 세션이 이 버전과 맞지 않을 것입니다. 창을 닫고 최근 버전으로 돌아가세요.",
"If you have previously used a more recent version of %(brand)s, your session may be incompatible with this version. Close this window and return to the more recent version.": "이전에 최근 버전의 %(brand)s을 썼다면, 세션이 이 버전과 맞지 않을 것입니다. 창을 닫고 최근 버전으로 돌아가세요.",
"Unknown Address": "알 수 없는 주소",
"Unblacklist": "블랙리스트 제외",
"Blacklist": "블랙리스트 등록",
"Unverify": "인증 취소",
"Verify...": "인증하기...",
"ex. @bob:example.com": "예: @bob:example.com",
"Add User": "사용자 추가",
"Please check your email to continue registration.": "등록하려면 이메일을 확인해주세요.",
@ -405,7 +364,6 @@
"Error decrypting video": "영상 복호화 중 오류",
"Add an Integration": "통합 추가",
"You are about to be taken to a third-party site so you can authenticate your account for use with %(integrationsUrl)s. Do you wish to continue?": "%(integrationsUrl)s에서 쓸 수 있도록 계정을 인증하려고 다른 사이트로 이동하고 있습니다. 계속하겠습니까?",
"Removed or unknown message type": "감췄거나 알 수 없는 메시지 유형",
"URL Previews": "URL 미리보기",
"Drop file here to upload": "업로드할 파일을 여기에 놓으세요",
" (unsupported)": " (지원하지 않음)",
@ -423,18 +381,13 @@
"This will be your account name on the <span></span> homeserver, or you can pick a <a>different server</a>.": "이건 <span></span> 홈서버에서 계정 이름이 됩니다, 혹은 <a>다른 서버</a>를 고를 수도 있습니다.",
"If you already have a Matrix account you can <a>log in</a> instead.": "Matrix 계정을 이미 갖고 있다면, <a>로그인</a>할 수 있습니다.",
"Your browser does not support the required cryptography extensions": "필요한 암호화 확장 기능을 브라우저가 지원하지 않습니다",
"Not a valid Riot keyfile": "올바른 Riot 열쇠 파일이 아닙니다",
"Not a valid %(brand)s keyfile": "올바른 %(brand)s 열쇠 파일이 아닙니다",
"Authentication check failed: incorrect password?": "인증 확인 실패: 비밀번호를 틀리셨나요?",
"Do you want to set an email address?": "이메일 주소를 설정하시겠어요?",
"This will allow you to reset your password and receive notifications.": "이렇게 하면 비밀번호를 다시 설정하고 알림을 받을 수 있습니다.",
"Skip": "건너뛰기",
"Start verification": "인증 시작",
"Share without verifying": "인증하지 않고 공유",
"Ignore request": "요청 무시하기",
"Encryption key request": "암호화 키 요청",
"Edit": "편집",
"Fetching third party location failed": "제 3자 위치를 가져오지 못함",
"A new version of Riot is available.": "Riot의 새 버전을 사용할 수 있습니다.",
"All notifications are currently disabled for all targets.": "현재 모든 알림이 모든 대상에 대해 꺼져있습니다.",
"Uploading report": "신고 업로드 중",
"Sunday": "일요일",
@ -452,8 +405,6 @@
"Waiting for response from server": "서버에서 응답을 기다리는 중",
"Leave": "떠나기",
"Advanced notification settings": "고급 알림 설정",
"delete the alias.": "별칭을 삭제합니다.",
"To return to your account in future you need to <u>set a password</u>": "나중에 계정으로 돌아가려면 <u>비밀번호를 설정</u>해야 함",
"Forget": "지우기",
"World readable": "모두가 읽을 수 있음",
"You cannot delete this image. (%(code)s)": "이 사진을 삭제할 수 없습니다. (%(code)s)",
@ -479,7 +430,6 @@
"Noisy": "소리",
"Files": "파일",
"Collecting app version information": "앱 버전 정보를 수집하는 중",
"Delete the room alias %(alias)s and remove %(name)s from the directory?": "방 별칭 %(alias)s을(를) 삭제하고 목록에서 %(name)s 방을 제거하겠습니까?",
"Enable notifications for this account": "이 계정의 알림 사용하기",
"Messages containing <span>keywords</span>": "<span>키워드</span>가 적힌 메시지",
"Room not found": "방을 찾을 수 없음",
@ -487,7 +437,7 @@
"Enter keywords separated by a comma:": "키워드를 쉼표로 구분해 입력해주세요:",
"Search…": "찾기…",
"Remove %(name)s from the directory?": "목록에서 %(name)s 방을 제거하겠습니까?",
"Riot uses many advanced browser features, some of which are not available or experimental in your current browser.": "Riot은 많은 고급 브라우저 기능을 사용합니다. 일부는 현재 브라우저에서 쓸 수 없거나 실험 상태입니다.",
"%(brand)s uses many advanced browser features, some of which are not available or experimental in your current browser.": "%(brand)s은 많은 고급 브라우저 기능을 사용합니다. 일부는 현재 브라우저에서 쓸 수 없거나 실험 상태입니다.",
"Developer Tools": "개발자 도구",
"Unnamed room": "이름 없는 방",
"Remove from Directory": "목록에서 제거",
@ -529,14 +479,13 @@
"Show message in desktop notification": "컴퓨터 알림에서 내용 보이기",
"Unhide Preview": "미리 보기를 숨기지 않기",
"Unable to join network": "네트워크에 들어갈 수 없음",
"You might have configured them in a client other than Riot. You cannot tune them in Riot but they still apply": "Riot이 아닌 다른 클라이언트에서 설정했을지도 모릅니다. Riot에서 바꿀 수는 없지만, 여전히 적용되어 있습니다",
"Sorry, your browser is <b>not</b> able to run Riot.": "죄송합니다. 쓰고 계신 브라우저에서는 Riot를 사용할 수 <b>없습니다</b>.",
"Sorry, your browser is <b>not</b> able to run %(brand)s.": "죄송합니다. 쓰고 계신 브라우저에서는 %(brand)s를 사용할 수 <b>없습니다</b>.",
"Uploaded on %(date)s by %(user)s": "%(user)s님이 %(date)s에 업로드함",
"Messages in group chats": "그룹 대화 메시지",
"Yesterday": "어제",
"Error encountered (%(errorDetail)s).": "오류가 일어났습니다 (%(errorDetail)s).",
"Low Priority": "중요하지 않음",
"Riot does not know how to join a room on this network": "Riot이 이 네트워크에서 방에 참가하는 방법을 모름",
"%(brand)s does not know how to join a room on this network": "%(brand)s이 이 네트워크에서 방에 참가하는 방법을 모름",
"Set Password": "비밀번호 설정",
"Off": "끄기",
"Mentions only": "언급한 것만",
@ -551,7 +500,6 @@
"Unable to fetch notification target list": "알림 대상 목록을 가져올 수 없음",
"With your current browser, the look and feel of the application may be completely incorrect, and some or all features may not function. If you want to try it anyway you can continue, but you are on your own in terms of any issues you may encounter!": "현재 쓰는 브라우저로는, 응용 프로그램의 보고 느끼는 경험이 완전히 안 맞을수도 있고, 일부 혹은 전체 기능이 제대로 작동하지 않을 수 있습니다. 이 브라우저를 계속 사용하고 싶다면 사용해도 되지만 발생하는 문제는 스스로 해결해야 합니다!",
"Checking for an update...": "업데이트를 확인하는 중...",
"There are advanced notifications which are not shown here": "여기에는 보이지 않는 고급 알림이 있습니다",
"%(oldDisplayName)s changed their display name to %(displayName)s.": "%(oldDisplayName)s님이 표시 이름을 %(displayName)s(으)로 바꿨습니다.",
"%(senderName)s changed the pinned messages for the room.": "%(senderName)s가 방의 고정된 메시지를 바꿨습니다.",
"%(severalUsers)schanged their name %(count)s times|other": "%(severalUsers)s이 이름을 %(count)s번 바꿨습니다",
@ -562,7 +510,7 @@
"%(severalUsers)schanged their avatar %(count)s times|one": "%(severalUsers)s이 아바타를 바꿨습니다",
"%(oneUser)schanged their avatar %(count)s times|other": "%(oneUser)s님이 아바타를 %(count)s번 바꿨습니다",
"%(oneUser)schanged their avatar %(count)s times|one": "%(oneUser)s님이 아바타를 바꿨습니다",
"Data from an older version of Riot has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "이전 버전 Riot의 데이터가 감지됬습니다. 이 때문에 이전 버전에서 종단간 암호화가 작동하지 않을 수 있습니다. 이전 버전을 사용하면서 최근에 교환한 종단간 암호화 메시지를 이 버전에서는 복호화할 수 없습니다. 이 버전에서 메시지를 교환할 수 없을 수도 있습니다. 문제가 발생하면 로그아웃한 후 다시 로그인하세요. 메시지 기록을 유지하려면 키를 내보낸 후 다시 가져오세요.",
"Data from an older version of %(brand)s has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "이전 버전 %(brand)s의 데이터가 감지됬습니다. 이 때문에 이전 버전에서 종단간 암호화가 작동하지 않을 수 있습니다. 이전 버전을 사용하면서 최근에 교환한 종단간 암호화 메시지를 이 버전에서는 복호화할 수 없습니다. 이 버전에서 메시지를 교환할 수 없을 수도 있습니다. 문제가 발생하면 로그아웃한 후 다시 로그인하세요. 메시지 기록을 유지하려면 키를 내보낸 후 다시 가져오세요.",
"This event could not be displayed": "이 이벤트를 표시할 수 없음",
"Seen by %(displayName)s (%(userName)s) at %(dateTime)s": "%(displayName)s(%(userName)s)님이 %(dateTime)s에 확인함",
"Banned by %(displayName)s": "%(displayName)s님에 의해 출입 금지됨",
@ -575,25 +523,18 @@
"Showing flair for these communities:": "이 커뮤니티에 재능을 공개 중:",
"This room is not showing flair for any communities": "이 방은 모든 커뮤니티에 재능을 공개하지 않음",
"The platform you're on": "당신이 사용 중인 플랫폼",
"The version of Riot.im": "Riot.im 버전",
"The version of %(brand)s": "%(brand)s의 버전",
"Your language of choice": "선택한 언어",
"Which officially provided instance you are using, if any": "공식적으로 제공하는 인스턴스를 사용하는 지 여부",
"Whether or not you're using the Richtext mode of the Rich Text Editor": "Rich Text Editor의 Richtext mode를 사용하고 있는지 여부",
"Your homeserver's URL": "당신의 홈서버 URL",
"Your identity server's URL": "당신의 ID 서버 URL",
"e.g. %(exampleValue)s": "예시: %(exampleValue)s",
"Every page you use in the app": "앱에서 이용하는 모든 페이지",
"e.g. <CurrentPageURL>": "예시: <CurrentPageURL>",
"Your User Agent": "사용자 에이전트",
"Your device resolution": "기기 해상도",
"The information being sent to us to help make Riot.im better includes:": "Riot.im을 발전시키기 위해 저희에게 보내는 정보는 다음을 포함합니다:",
"The information being sent to us to help make %(brand)s better includes:": "%(brand)s을 개선하기 위해 당사에 전송되는 정보에는 다음과 같은 것들이 포함됩니다:",
"Where this page includes identifiable information, such as a room, user or group ID, that data is removed before being sent to the server.": "이 페이지에서 방, 사용자, 혹은 그룹 ID와 같은 식별 가능한 정보를 포함하는 부분이 있는 데이터는 서버에 보내지기 전에 제거됩니다.",
"Call Failed": "전화 실패",
"Review Devices": "기기 검증하기",
"Call Anyway": "무시하고 걸기",
"Answer Anyway": "무시하고 받기",
"Call": "전화하기",
"Answer": "받기",
"Call in Progress": "전화 거는 중",
"A call is already in progress!": "이미 전화가 진행 중입니다!",
"PM": "오후",
@ -606,7 +547,6 @@
"Which rooms would you like to add to this community?": "어떤 방을 이 커뮤니티에 추가하고 싶으세요?",
"Show these rooms to non-members on the community page and room list?": "이 방을 커뮤니티 페이지와 방 목록에 있는 구성원이 아닌 사람들에게 공개할까요?",
"Add rooms to the community": "커뮤니티에 방 추가하기",
"Room name or alias": "방 이름 또는 별칭",
"Add to community": "커뮤니티에 추가하기",
"Failed to invite the following users to %(groupId)s:": "다음 사용자를 %(groupId)s에 초대하지 못했습니다:",
"Failed to invite users to community": "사용자를 커뮤니티에 초대하지 못했습니다",
@ -628,8 +568,6 @@
"%(widgetName)s widget modified by %(senderName)s": "%(senderName)s님이 수정한 %(widgetName)s 위젯",
"%(widgetName)s widget added by %(senderName)s": "%(senderName)s님이 추가한 %(widgetName)s 위젯",
"%(widgetName)s widget removed by %(senderName)s": "%(senderName)s님이 제거한 %(widgetName)s 위젯",
"Message removed by %(userId)s": "%(userId)s님에 의해 감춰진 메시지",
"Message removed": "메시지 감춰짐",
"Remove from community": "커뮤니티에서 제거",
"Remove this user from community?": "이 사용자를 커뮤니티에서 제거하겠습니까?",
"Failed to remove user from community": "사용자를 커뮤니티에서 제거에 실패함",
@ -677,11 +615,8 @@
"Loading...": "로딩 중...",
"Unpin Message": "메시지 고정 풀기",
"No pinned messages.": "고정된 메시지가 없습니다.",
"Send a message (unencrypted)…": "(암호화 안 된) 메시지를 보내세요…",
"Send an encrypted message…": "암호화된 메시지를 보내세요…",
"Send an encrypted reply…": "암호화된 메시지를 보내세요…",
"Send a reply (unencrypted)…": "(암호화 안 된) 답장을 보내세요…",
"User Options": "사용자 옵션",
"Share Link to User": "사용자에게 링크 공유",
"Invite": "초대",
"Mention": "언급",
@ -748,7 +683,7 @@
"Filter results": "필터 결과",
"Filter community rooms": "커뮤니티 방 찾기",
"Clear filter": "필터 지우기",
"Did you know: you can use communities to filter your Riot.im experience!": "그거 아세요: 커뮤니티로 Riot.im에서의 경험을 분류할 수 있어요!",
"Did you know: you can use communities to filter your %(brand)s experience!": "그거 아세요: 커뮤니티로 %(brand)s에서의 경험을 분류할 수 있어요!",
"To set up a filter, drag a community avatar over to the filter panel on the far left hand side of the screen. You can click on an avatar in the filter panel at any time to see only the rooms and people associated with that community.": "필터를 사용하려면, 커뮤니티 아바타를 화면 왼쪽의 필터 패널로 드래그하세요. 언제든지 필터 패널에 있는 아바타를 클릭해 커뮤니티와 관련된 방과 사람들만 볼 수 있습니다.",
"Muted Users": "음소거된 사용자",
"Delete Widget": "위젯 삭제",
@ -759,7 +694,6 @@
"Failed to remove the room from the summary of %(groupId)s": "%(groupId)s의 요약에서 방을 제거하는데 실패함",
"Failed to remove a user from the summary of %(groupId)s": "%(groupId)s의 요약에 사용자를 제거하는데 실패함",
"This will make your account permanently unusable. You will not be able to log in, and no one will be able to re-register the same user ID. This will cause your account to leave all rooms it is participating in, and it will remove your account details from your identity server. <b>This action is irreversible.</b>": "계정을 일시적으로 사용할 수 없게 됩니다. 로그인할 수 없고, 누구도 같은 사용자 ID를 다시 등록할 수 없습니다. 계정이 들어가 있던 모든 방에서 나오게 되고, ID 서버에서 계정 세부 정보도 제거됩니다. <b>이 결정은 돌이킬 수 없습니다.</b>",
"Yes, I want to help!": "네, 돕고 싶어요!",
"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 or groups you have visited and the usernames of other users. They do not contain messages.": "Github를 통해 버그를 신고한다면, 디버그 로그가 문제를 해결하는데 도움을 줍니다. 디버그 로그에는 사용자 이름과 방문했던 방이나 그룹의 ID와 별칭, 그리고 다른 사용자의 사용자 이름이 포함됩니다. 대화 내용은 포함되지 않습니다.",
"Delete widget": "위젯 삭제",
"Minimize apps": "앱 최소화",
@ -777,11 +711,8 @@
"You must specify an event type!": "이벤트 종류를 지정해야 합니다!",
"Send Custom Event": "맞춤 이벤트 보내기",
"Unable to load event that was replied to, it either does not exist or you do not have permission to view it.": "응답한 이벤트를 불러오지 못했습니다, 존재하지 않거나 볼 수 있는 권한이 없습니다.",
"Light theme": "밝은 테마",
"Dark theme": "어두운 테마",
"A text message has been sent to %(msisdn)s": "%(msisdn)s님에게 문자 메시지를 보냈습니다",
"Something went wrong when trying to get your communities.": "커뮤니티를 받는 중 잘못되었습니다.",
"Please help improve Riot.im by sending <UsageDataLink>anonymous usage data</UsageDataLink>. This will use a cookie.": "<UsageDataLink>익명의 이용자 데이터</UsageDataLink>를 보내 Riot.im을 개선하도록 도와주세요. 이 과정에서 쿠키를 사용합니다.",
"Allow": "허용",
"Visible to everyone": "모두에게 보여짐",
"Only visible to community members": "커뮤니티 구성원에게만 보여짐",
@ -876,8 +807,6 @@
"Add users to the community summary": "커뮤니티 요약에 사용자 추가",
"Who would you like to add to this summary?": "이 요약에 누구를 추가하겠습니까?",
"Link to most recent message": "가장 최근 메시지로 연결",
"Registration Required": "계정 등록 필요",
"You need to register to do this. Would you like to register now?": "계정을 등록해야합니다. 지금 계정을 만드시겠습니까?",
"This homeserver has hit its Monthly Active User limit.": "이 홈서버가 월 간 활성 사용자 수 한도를 초과했습니다.",
"Please <a>contact your service administrator</a> to continue using the service.": "서비스를 계속 사용하려면 <a>서비스 관리자에게 연락</a>해주세요.",
"Unable to connect to Homeserver. Retrying...": "홈서버에 연결할 수 없습니다. 다시 시도하는 중...",
@ -890,14 +819,12 @@
"Only room administrators will see this warning": "방 관리자만이 이 경고를 볼 수 있음",
"This room is a continuation of another conversation.": "이 방은 다른 대화방의 연장선입니다.",
"Click here to see older messages.": "여길 눌러 오래된 메시지를 보세요.",
"Please help improve Riot.im by sending <UsageDataLink>anonymous usage data</UsageDataLink>. This will use a cookie (please see our <PolicyLink>Cookie Policy</PolicyLink>).": "<UsageDataLink>익명의 이용자 데이터</UsageDataLink>를 보내 Riot.im을 개선하도록 도와주세요. 이 과정에서 쿠키를 사용합니다 (우리의 <PolicyLink>쿠키 정책</PolicyLink>을 살펴보세요).",
"This homeserver has hit its Monthly Active User limit so <b>some users will not be able to log in</b>.": "이 홈서버는 월 간 활성 사용자 수 한도를 초과했기 때문에 <b>일부 사용자는 로그인할 수 없습니다</b>.",
"%(nameList)s %(transitionList)s": "%(nameList)s %(transitionList)s",
"%(severalUsers)sleft and rejoined %(count)s times|other": "%(severalUsers)s이 %(count)s번 떠나고 다시 참가했습니다",
"<a>In reply to</a> <pill>": "<a>관련 대화</a> <pill>",
"Please forget all messages I have sent when my account is deactivated (<b>Warning:</b> this will cause future users to see an incomplete view of conversations)": "계정을 비활성화할 때 보낸 모든 메시지는 지워주세요 (<b>경고:</b> 이후 이용자들은 불완전한 대화 목록을 볼 수 있을 겁니다)",
"Explore Account Data": "계정 정보 탐색",
"Updating Riot": "Riot 업데이트 중",
"Updating %(brand)s": "%(brand)s 업데이트 중",
"Upgrade this room to version %(version)s": "이 방을 %(version)s 버전으로 업그레이드",
"Upgrade Room Version": "방 버전 업그레이드",
"Create a new room with the same name, description and avatar": "이름, 설명, 아바타가 같은 새 방 만들기",
@ -920,7 +847,6 @@
"Please ask the administrator of your homeserver (<code>%(homeserverDomain)s</code>) to configure a TURN server in order for calls to work reliably.": "전화가 안정적으로 작동하도록 TURN 서버를 설정하려면 당신의 홈서버 (<code>%(homeserverDomain)s</code>) 관리자에게 물어보세요 .",
"Alternatively, you can try to use the public server at <code>turn.matrix.org</code>, but this will not be as reliable, and it will share your IP address with that server. You can also manage this in Settings.": "대신, <code>turn.matrix.org</code>에서 공개 서버를 사용할 수 있습니다, 하지만 신뢰를 가질 수 없고 IP 주소를 서버와 공유하게 됩니다. 설정에서 이를 관리할 수도 있습니다.",
"Try using turn.matrix.org": "turn.matrix.org를 사용해보세요",
"A conference call could not be started because the integrations server is not available": "통합 서버를 사용할 수 없기 때문에 회의 전화를 시작할 수 없습니다",
"Replying With Files": "파일과 함께 답장하기",
"At this time it is not possible to reply with a file. Would you like to upload this file without replying?": "현재는 파일과 함께 답장할 수 없습니다. 답장 없이 파일을 업로드하는 것은 어떤가요?",
"The file '%(fileName)s' failed to upload.": "'%(fileName)s' 파일 업로드에 실패했습니다.",
@ -960,11 +886,6 @@
"%(senderDisplayName)s enabled flair for %(groups)s in this room.": "%(senderDisplayName)s님이 이 방에서 %(groups)s에 대한 재능을 활성화했습니다.",
"%(senderDisplayName)s disabled flair for %(groups)s in this room.": "%(senderDisplayName)s님이 이 방에서 %(groups)s에 대한 재능을 비활성화했습니다.",
"%(senderDisplayName)s enabled flair for %(newGroups)s and disabled flair for %(oldGroups)s in this room.": "%(senderDisplayName)s님이 이 방에서 %(oldGroups)s에 대한 재능을 비활성화하고 %(newGroups)s에 대한 재능을 활성화했습니다.",
"%(senderName)s added %(count)s %(addedAddresses)s as addresses for this room.|other": "%(senderName)s님이 이 방의 주소로 %(addedAddresses)s을(를) 추가했습니다.",
"%(senderName)s added %(count)s %(addedAddresses)s as addresses for this room.|one": "%(senderName)s님이 이 방의 주소로 %(addedAddresses)s을(를) 추가했습니다.",
"%(senderName)s removed %(count)s %(removedAddresses)s as addresses for this room.|other": "%(senderName)s님이 이 방의 주소인 %(removedAddresses)s을(를) 제거했습니다.",
"%(senderName)s removed %(count)s %(removedAddresses)s as addresses for this room.|one": "%(senderName)s님이 이 방의 주소인 %(removedAddresses)s을(를) 제거했습니다.",
"%(senderName)s added %(addedAddresses)s and removed %(removedAddresses)s as addresses for this room.": "%(senderName)s님이 이 방의 주소인 %(removedAddresses)s을(를) 제거하고 %(addedAddresses)s을(를) 추가했습니다.",
"%(senderName)s set the main address for this room to %(address)s.": "%(senderName)s님이 이 방의 메인 주소를 %(address)s(으)로 설정했습니다.",
"%(senderName)s removed the main address for this room.": "%(senderName)s님이 이 방의 메인 주소를 제거했습니다.",
"%(senderName)s revoked the invitation for %(targetDisplayName)s to join the room.": "방에 들어오라고 %(senderName)s님이 %(targetDisplayName)s님에게 보낸 초대를 취소했습니다.",
@ -974,8 +895,8 @@
"%(names)s and %(lastPerson)s are typing …": "%(names)s님과 %(lastPerson)s님이 적고 있습니다 …",
"Cannot reach homeserver": "홈서버에 연결할 수 없습니다",
"Ensure you have a stable internet connection, or get in touch with the server admin": "인터넷 연결이 안정적인지 확인하세요, 또는 서버 관리자에게 연락하세요",
"Your Riot is misconfigured": "Riot이 잘못 설정됨",
"Ask your Riot admin to check <a>your config</a> for incorrect or duplicate entries.": "Riot 관리자에게 <a>당신의 설정</a>에 잘못되거나 중복된 항목이 있는지 확인하도록 요청하세요.",
"Your %(brand)s is misconfigured": "%(brand)s이 잘못 설정됨",
"Ask your %(brand)s admin to check <a>your config</a> for incorrect or duplicate entries.": "%(brand)s 관리자에게 <a>당신의 설정</a>에 잘못되거나 중복된 항목이 있는지 확인하도록 요청하세요.",
"Cannot reach identity server": "ID 서버에 연결할 수 없습니다",
"You can register, but some features will be unavailable until the identity server is back online. If you keep seeing this warning, check your configuration or contact a server admin.": "등록할 수 있지만 ID 서버가 다시 온라인 상태가 될 때까지 일부 기능을 사용할 수 없습니다. 이 경고가 계속 표시되면, 설정을 확인하거나 서버 관리자에게 연락하세요.",
"You can reset your password, but some features will be unavailable until the identity server is back online. If you keep seeing this warning, check your configuration or contact a server admin.": "비밀번호를 다시 설정할 수 있지만 ID 서버가 다시 온라인 상태가 될 때까지 일부 기능을 사용할 수 없습니다. 이 경고가 계속 표시되면, 설정을 확인하거나 서버 관리자에게 연락하세요.",
@ -1106,8 +1027,6 @@
"Allow Peer-to-Peer for 1:1 calls": "1:1 전화를 위해 P2P 허용",
"Prompt before sending invites to potentially invalid matrix IDs": "잠재적으로 올바르지 않은 Matrix ID로 초대를 보내기 전에 확인",
"Show developer tools": "개발 도구 보이기",
"Order rooms in the room list by most important first instead of most recent": "가장 최근에서 가장 중요한 순으로 방 목록에서 방을 정렬",
"Show recently visited rooms above the room list": "최근 방문한 방 순으로 방 목록에 보이기",
"Show hidden events in timeline": "타임라인에서 숨겨진 이벤트 보이기",
"Low bandwidth mode": "낮은 대역폭 모드",
"Allow fallback call assist server turn.matrix.org when your homeserver does not offer one (your IP address would be shared during a call)": "홈서버가 전화를 제공하지 않을 경우 대체 전화 지원 서버 turn.matrix.org 허용 (전화하는 동안 IP 주소가 공유됨)",
@ -1175,9 +1094,9 @@
"Deactivate account": "계정 비활성화",
"Legal": "법적",
"Credits": "크레딧",
"For help with using Riot, click <a>here</a>.": "Riot응 사용하다가 도움이 필요하다면, <a>여기</a>를 클릭하세요.",
"For help with using Riot, click <a>here</a> or start a chat with our bot using the button below.": "Riot을 사용하다가 도움이 필요하다면, <a>여기</a>를 클릭하거나, 아래 버튼을 사용해 우리의 봇과 대화를 시작하세요.",
"Chat with Riot Bot": "Riot 봇과 대화",
"For help with using %(brand)s, click <a>here</a>.": "%(brand)s응 사용하다가 도움이 필요하다면, <a>여기</a>를 클릭하세요.",
"For help with using %(brand)s, click <a>here</a> or start a chat with our bot using the button below.": "%(brand)s을 사용하다가 도움이 필요하다면, <a>여기</a>를 클릭하거나, 아래 버튼을 사용해 우리의 봇과 대화를 시작하세요.",
"Chat with %(brand)s Bot": "%(brand)s 봇과 대화",
"Help & About": "도움 & 정보",
"Bug reporting": "버그 신고하기",
"FAQ": "자주 묻는 질문 (FAQ)",
@ -1234,7 +1153,6 @@
"Select the roles required to change various parts of the room": "방의 여러 부분을 변경하는 데 필요한 규칙을 선택",
"Enable encryption?": "암호화를 켜겠습니까?",
"Once enabled, encryption for a room cannot be disabled. Messages sent in an encrypted room cannot be seen by the server, only by the participants of the room. Enabling encryption may prevent many bots and bridges from working correctly. <a>Learn more about encryption.</a>": "일단 켜면, 방에 대한 암호화는 끌 수 없습니다. 암호화된 방에서 보낸 메시지는 서버에서 볼 수 없고, 오직 방의 참가자만 볼 수 있습니다. 암호화를 켜면 많은 봇과 브릿지가 올바르게 작동하지 않을 수 있습니다. <a>암호화에 대해 더 자세히 알아보기.</a>",
"To link to this room, please add an alias.": "이 방에 연결하려면, 별칭을 추가해주세요.",
"Changes to who can read history will only apply to future messages in this room. The visibility of existing history will be unchanged.": "기록을 읽을 수 있는 사람의 변경 사항은 이 방에서 오직 이후 메시지부터 적용됩니다. 존재하는 기록의 가시성은 변하지 않습니다.",
"Encryption": "암호화",
"Once enabled, encryption cannot be disabled.": "일단 켜면, 암호화는 끌 수 없습니다.",
@ -1297,10 +1215,6 @@
"Invited by %(sender)s": "%(sender)s님에게 초대받음",
"Error updating main address": "기본 주소 업데이트 중 오류",
"There was an error updating the room's main address. It may not be allowed by the server or a temporary failure occurred.": "방의 기본 주소를 업데이트하는 중 오류가 발생했습니다. 서버가 허용하지 않거나 일시적인 오류 발생일 수 있습니다.",
"Error creating alias": "별칭 만드는 중 오류",
"There was an error creating that alias. It may not be allowed by the server or a temporary failure occurred.": "별칭을 만드는 중 오류가 발생했습니다. 서버가 허용하지 않거나 일시적인 오류 발생일 수 있습니다.",
"Error removing alias": "별칭 삭제 중 오류",
"There was an error removing that alias. It may no longer exist or a temporary error occurred.": "별칭을 삭제하는 중 오류가 발생했습니다. 더 이상 존재하지 않거나 일시적인 오류 발생일 수 있습니다.",
"Main address": "기본 주소",
"Error updating flair": "재능 업데이트 중 오류",
"There was an error updating the flair for this room. The server may not allow it or a temporary error occurred.": "재능을 업데이트하는 중 오류가 발생했습니다. 서버가 허용하지 않거나 일시적인 오류 발생일 수 있습니다.",
@ -1312,8 +1226,6 @@
"Edited at %(date)s. Click to view edits.": "%(date)s에 편집함. 클릭해서 편집 보기.",
"edited": "편집됨",
"Failed to load group members": "그룹 구성원을 불러오는 데 실패함",
"Please <a>contact your service administrator</a> to get this limit increased.": "한도를 높이려면 <a>서비스 관리자와 연락</a>해주세요.",
"This homeserver has exceeded one of its resource limits so <b>some users will not be able to log in</b>.": "이 홈서버는 리소스 한도를 초과했기 때문에 <b>일부 사용자는 로그인할 수 없습니다</b>.",
"Maximize apps": "앱 최대화",
"Join": "참가",
"Yes": "네",
@ -1347,28 +1259,19 @@
"Unable to load commit detail: %(msg)s": "커밋 세부 정보를 불러올 수 없음: %(msg)s",
"Removing…": "제거 중…",
"Clear all data": "모든 데이터 지우기",
"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 Riot to do this": "대화 기록을 잃지 않으려면, 로그아웃하기 전에 방 키를 내보내야 합니다. 이 작업을 수행하려면 최신 버전의 Riot으로 가야 합니다",
"You've previously used a newer version of Riot on %(host)s. To use this version again with end to end encryption, you will need to sign out and back in again. ": "이전에 %(host)s에서 Riot의 최신 버전을 사용했습니다. 종단간 암호화로 이 버전을 다시 사용하려면, 로그아웃한 후 다시 로그인하세요. ",
"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으로 가야 합니다",
"Incompatible Database": "호환하지 않는 데이터베이스",
"Continue With Encryption Disabled": "암호화를 끈 채 계속하기",
"Message visibility in Matrix is similar to email. Our forgetting your messages means that messages you have sent will not be shared with any new or unregistered users, but registered users who already have access to these messages will still have access to their copy.": "Matrix에서 메시지 가시성은 이메일과 유사합니다. 메시지를 지우면 보낸 메시지는 신규 또는 등록하지 않은 사용자와 공유되지 않습니다, 하지만 이미 메시지에 접근한 등록한 사용자는 그 사본에 여전히 접근할 수 있습니다.",
"Use Legacy Verification (for older clients)": "옛날 인증 방식 사용 (오래된 클라이언트 용)",
"Verify by comparing a short text string.": "짧은 문장을 비교하는 것으로 인증하기.",
"Begin Verifying": "인증 시작",
"Waiting for partner to accept...": "상대방이 수락하기를 기다리는 중...",
"Nothing appearing? Not all clients support interactive verification yet. <button>Use legacy verification</button>.": "아무것도 안 나타나나요? 아직 모든 클라이언트가 상호작용 인증을 지원하지 않습니다. <button>옛날 인증 방식을 사용하세요</button>.",
"Waiting for %(userId)s to confirm...": "%(userId)s님이 확인하기를 기다리는 중...",
"Use two-way text verification": "양방향 문자 인증 사용",
"Explore Room State": "방 상태 탐색",
"View Servers in Room": "방에 있는 서버 보기",
"Verify this user to mark them as trusted. Trusting users gives you extra peace of mind when using end-to-end encrypted messages.": "이 사용자를 신뢰할 수 있도록 인증합니다. 종단간 암호화 메시지를 사용할 때 사용자를 신뢰하면 안심이 듭니다.",
"Waiting for partner to confirm...": "상대방이 확인하기를 기다리는 중...",
"Incoming Verification Request": "수신 확인 요청",
"You've previously used Riot 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, Riot needs to resync your account.": "이전에 구성원의 불러오기 지연이 켜진 %(host)s에서 Riot을 사용했습니다. 이 버전에서 불러오기 지연은 꺼집니다. 로컬 캐시가 이 두 설정 간에 호환되지 않으므로, Riot은 계정을 다시 동기화 해야 합니다.",
"If the other version of Riot is still open in another tab, please close it as using Riot on the same host with both lazy loading enabled and disabled simultaneously will cause issues.": "다른 버전의 Riot이 다른 탭에서 열려있다면, 같은 호스트에서 불러오기 지연이 동시에 켜지고 꺼지면서 오류가 발생할 수 있으니 닫아주세요.",
"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.": "이전에 구성원의 불러오기 지연이 켜진 %(host)s에서 %(brand)s을 사용했습니다. 이 버전에서 불러오기 지연은 꺼집니다. 로컬 캐시가 이 두 설정 간에 호환되지 않으므로, %(brand)s은 계정을 다시 동기화 해야 합니다.",
"Incompatible local cache": "호환하지 않는 로컬 캐시",
"Clear cache and resync": "캐시를 지우고 다시 동기화",
"Riot now uses 3-5x less memory, by only loading information about other users when needed. Please wait whilst we resynchronise with the server!": "Riot은 이제 필요할 때만 다른 사용자에 대한 정보를 불러와 메모리를 3배에서 5배 덜 잡아먹습니다. 서버와 다시 동기화하는 동안 기다려주세요!",
"%(brand)s now uses 3-5x less memory, by only loading information about other users when needed. Please wait whilst we resynchronise with the server!": "%(brand)s은 이제 필요할 때만 다른 사용자에 대한 정보를 불러와 메모리를 3배에서 5배 덜 잡아먹습니다. 서버와 다시 동기화하는 동안 기다려주세요!",
"I don't want my encrypted messages": "저는 제 암호화된 메시지를 원하지 않아요",
"Manually export keys": "수동으로 키 내보내기",
"You'll lose access to your encrypted messages": "암호화된 메시지에 접근할 수 없게 됩니다",
@ -1416,20 +1319,12 @@
"Remember my selection for this widget": "이 위젯에 대해 내 선택 기억하기",
"Deny": "거부",
"Unable to load backup status": "백업 상태 불러올 수 없음",
"Recovery Key Mismatch": "복구 키가 맞지 않음",
"Backup could not be decrypted with this key: please verify that you entered the correct recovery key.": "이 키로 백업을 복호화할 수 없음: 맞는 복구 키를 입력해서 인증해주세요.",
"Incorrect Recovery Passphrase": "맞지 않은 복구 암호",
"Backup could not be decrypted with this passphrase: please verify that you entered the correct recovery passphrase.": "이 암호로 백업을 복호화할 수 없음: 맞는 암호를 입력해서 입증해주세요.",
"Unable to restore backup": "백업을 복구할 수 없음",
"No backup found!": "백업을 찾을 수 없습니다!",
"Backup Restored": "백업 복구됨",
"Failed to decrypt %(failedCount)s sessions!": "%(failedCount)s개의 세션 복호화에 실패했습니다!",
"Restored %(sessionCount)s session keys": "%(sessionCount)s개의 세션 키 복구됨",
"Enter Recovery Passphrase": "복구 암호 입력",
"<b>Warning</b>: you should only set up key backup from a trusted computer.": "<b>경고</b>: 신뢰할 수 있는 컴퓨터에서만 키 백업을 설정해야 합니다.",
"Access your secure message history and set up secure messaging by entering your recovery passphrase.": "복구 암호를 입력해서 보안 메시지 기록에 접근하고 보안 메시지 설정하기.",
"If you've forgotten your recovery passphrase you can <button1>use your recovery key</button1> or <button2>set up new recovery options</button2>": "복구 암호를 잊어버렸다면 <button1>복구 키를 사용</button1>하거나 <button2>새 복구 옵션을 설정</button2>할 수 있음",
"Enter Recovery Key": "복구 키 입력",
"This looks like a valid recovery key!": "올바른 복구 키입니다!",
"Not a valid recovery key": "올바르지 않은 복구 키",
"Access your secure message history and set up secure messaging by entering your recovery key.": "복구 키를 입력해서 보안 메시지 기록에 접근하고 보안 메시지 설정하기.",
@ -1493,8 +1388,8 @@
"You are an administrator of this community. You will not be able to rejoin without an invite from another administrator.": "당신은 이 커뮤니티의 관리자입니다. 다른 관리자의 초대없이는 이 커뮤니티에 다시 참가할 수 없습니다.",
"Want more than a community? <a>Get your own server</a>": "한 개 이상의 커뮤니티가 필요한가요? <a>자체 서버를 얻으세요</a>",
"This homeserver does not support communities": "이 홈서버는 커뮤니티를 지원하지 않습니다",
"Riot failed to get the protocol list from the homeserver. The homeserver may be too old to support third party networks.": "Riot이 홈서버에서 프로토콜 얻기에 실패했습니다. 홈서버가 제 3자 네트워크를 지원하기에 너무 오래된 것 같습니다.",
"Riot failed to get the public room list.": "Riot이 공개 방 목록을 가져오는데 실패했습니다.",
"%(brand)s failed to get the protocol list from the homeserver. The homeserver may be too old to support third party networks.": "%(brand)s이 홈서버에서 프로토콜 얻기에 실패했습니다. 홈서버가 제 3자 네트워크를 지원하기에 너무 오래된 것 같습니다.",
"%(brand)s failed to get the public room list.": "%(brand)s이 공개 방 목록을 가져오는데 실패했습니다.",
"The homeserver may be unavailable or overloaded.": "홈서버를 이용할 수 없거나 과부화된 상태입니다.",
"Your message wasn't sent because this homeserver has exceeded a resource limit. Please <a>contact your service administrator</a> to continue using the service.": "이 홈서버가 리소스 한도를 초과했기 때문에 메시지를 보낼 수 없었습니다. 서비스를 계속 사용하려면 <a>서비스 관리자에게 연락</a>해주세요.",
"Add room": "방 추가",
@ -1541,34 +1436,18 @@
"You cannot sign in to your account. Please contact your homeserver admin for more information.": "계정에 로그인할 수 없습니다. 자세한 정보는 홈서버 관리자에게 연락하세요.",
"You're signed out": "로그아웃됬습니다",
"Clear personal data": "개인 정보 지우기",
"Great! This passphrase looks strong enough.": "멋져요! 이 암호는 충분히 강합니다.",
"We'll store an encrypted copy of your keys on our server. Protect your backup with a passphrase to keep it secure.": "우리의 서버에 암호화된 키의 사본을 저장합니다. 보안을 유지하기 위해 백업을 암호로 보호하세요.",
"For maximum security, this should be different from your account password.": "보안을 최대화하려면, 암호는 계정 비밀번호와 달라야 할 것입니다.",
"Enter a passphrase...": "암호를 입력하세요...",
"Set up with a Recovery Key": "복구 키로 설정",
"That matches!": "맞습니다!",
"That doesn't match.": "맞지 않습니다.",
"Go back to set it again.": "돌아가서 다시 설정하기.",
"Please enter your passphrase a second time to confirm.": "확인하기 위해 비밀번호를 다시 입력해주세요.",
"Repeat your passphrase...": "암호를 다시 입력하세요...",
"As a safety net, you can use it to restore your encrypted message history if you forget your Recovery Passphrase.": "안전망처럼, 복구 암호를 잊어버렸다면 복구 키를 사용해 암호화된 메시지 기록을 복구할 수 있습니다.",
"As a safety net, you can use it to restore your encrypted message history.": "안전망처럼, 복구 암호를 사용해 암호화된 메시지 기록을 복구할 수 있습니다.",
"Your recovery key is a safety net - you can use it to restore access to your encrypted messages if you forget your passphrase.": "복구 키는 안전망과 같습니다 - 복구 암호를 잊어버렸다면 복구 키를 사용해 암호화된 메시지에 접근할 수 있습니다.",
"Your Recovery Key": "당신의 복구 키",
"Copy to clipboard": "클립보드로 복사",
"Download": "다운로드",
"<b>Print it</b> and store it somewhere safe": "<b>인쇄</b>한 후 안전한 장소에 보관",
"<b>Save it</b> on a USB key or backup drive": "USB 키나 백업 드라이브에 <b>저장</b>",
"<b>Copy it</b> to your personal cloud storage": "개인 클라우드 저장소에 <b>복사</b>",
"Your keys are being backed up (the first backup could take a few minutes).": "키를 백업했습니다 (처음 백업에는 시간이 걸릴 수 있습니다).",
"Set up Secure Message Recovery": "보안 메시지 복구 설정",
"Secure your backup with a passphrase": "암호로 백업 보호",
"Confirm your passphrase": "암호 확인",
"Recovery key": "복구 키",
"Keep it safe": "안전하게 유지하세요",
"Starting backup...": "백업 시작 중...",
"Success!": "성공!",
"Create Key Backup": "키 백업 만들기",
"Unable to create key backup": "키 백업을 만들 수 없음",
"Retry": "다시 시도",
"Without setting up Secure Message Recovery, you'll lose your secure message history when you log out.": "보안 메시지 복구를 설정하지 않으면, 로그아웃할 때 보안 메시지 기록을 잃게 됩니다.",
@ -1591,10 +1470,10 @@
"Sends a message as plain text, without interpreting it as markdown": "일반 문자로 메시지를 보냅니다, 마크다운으로 해석하지 않습니다",
"An error (%(errcode)s) was returned while trying to validate your invite. You could try to pass this information on to a room admin.": "초대를 확인하는 중 오류 (%(errcode)s)가 반환됬습니다. 이 정보를 방 관리자에게 전달할 수 있습니다.",
"This invite to %(roomName)s was sent to %(email)s which is not associated with your account": "당신의 계정과 관계없는 %(email)s님으로 %(roomName)s으로의 초대를 보냈습니다",
"Link this email with your account in Settings to receive invites directly in Riot.": "설정에서 이 이메일을 계정에 연결하면 Riot에서 직접 초대를 받을 수 있습니다.",
"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(으)로 보내졌습니다",
"Use an identity server in Settings to receive invites directly in Riot.": "설정에서 ID 서버를 사용해 Riot에서 직접 초대를 받을 수 있습니다.",
"Share this email in Settings to receive invites directly in Riot.": "설정에서 이 이메일을 공유해서 Riot에서 직접 초대를 받을 수 있습니다.",
"Use an identity server in Settings to receive invites directly in %(brand)s.": "설정에서 ID 서버를 사용해 %(brand)s에서 직접 초대를 받을 수 있습니다.",
"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": "굵게",
@ -1636,13 +1515,8 @@
"Read Marker lifetime (ms)": "이전 대화 경계선 표시 시간 (ms)",
"Read Marker off-screen lifetime (ms)": "이전 대화 경계선 사라지는 시간 (ms)",
"Changes the avatar of the current room": "현재 방의 아바타 변경하기",
"Room alias": "방 별칭",
"e.g. my-room": "예: my-room",
"Please provide a room alias": "방 별칭을 제공해주세요",
"This alias is available to use": "이 별칭은 사용할 수 있습니다",
"This alias is already in use": "이 별칭은 이미 사용 중입니다",
"Please enter a name for the room": "방 이름을 입력해주세요",
"Set a room alias to easily share your room with other people.": "다른 사람들과 방을 쉽게 공유할 수 있도록 방 별칭을 설정하세요.",
"This room is private, and can only be joined by invitation.": "이 방은 개인입니다, 오직 초대로만 참가할 수 있습니다.",
"Create a public room": "공개 방 만들기",
"Create a private room": "개인 방 만들기",
@ -1725,7 +1599,6 @@
"Error adding ignored user/server": "무시한 사용자/서버 추가 중 오류",
"Something went wrong. Please try again or view your console for hints.": "무언가 잘못되었습니다. 다시 시도하거나 콘솔을 통해 원인을 알아봐주세요.",
"Error subscribing to list": "목록으로 구독하는 중 오류",
"Please verify the room ID or alias and try again.": "방 ID나 별칭을 확인한 후 다시 시도해주세요.",
"Error removing ignored user/server": "무시한 사용자/서버를 지우는 중 오류",
"Error unsubscribing from list": "목록에서 구독 해제 중 오류",
"Please try again or view your console for hints.": "다시 시도하거나 콘솔을 통해 원인을 알아봐주세요.",
@ -1740,7 +1613,7 @@
"View rules": "규칙 보기",
"You are currently subscribed to:": "현재 구독 중임:",
"⚠ These settings are meant for advanced users.": "⚠ 이 설정은 고급 사용자를 위한 것입니다.",
"Add users and servers you want to ignore here. Use asterisks to have Riot match any characters. For example, <code>@bot:*</code> would ignore all users that have the name 'bot' on any server.": "무시하고 싶은 사용자와 서버를 여기에 추가하세요. 별표(*)를 사용해서 Riot이 이름과 문자를 맞춰볼 수 있습니다. 예를 들어, <code>@bot:*</code>이라면 모든 서버에서 'bot'이라는 문자를 가진 이름의 모든 사용자를 무시합니다.",
"Add users and servers you want to ignore here. Use asterisks to have %(brand)s match any characters. For example, <code>@bot:*</code> would ignore all users that have the name 'bot' on any server.": "무시하고 싶은 사용자와 서버를 여기에 추가하세요. 별표(*)를 사용해서 %(brand)s이 이름과 문자를 맞춰볼 수 있습니다. 예를 들어, <code>@bot:*</code>이라면 모든 서버에서 'bot'이라는 문자를 가진 이름의 모든 사용자를 무시합니다.",
"Custom (%(level)s)": "맞춤 (%(level)s)",
"Ignoring people is done through ban lists which contain rules for who to ban. Subscribing to a ban list means the users/servers blocked by that list will be hidden from you.": "차단당하는 사람은 규칙에 따라 차단 목록을 통해 무시됩니다. 차단 목록을 구독하면 그 목록에서 차단당한 사용자/서버를 당신으로부터 감추게됩니다.",
"Personal ban list": "개인 차단 목록",
@ -1750,7 +1623,6 @@
"Subscribed lists": "구독 목록",
"Subscribing to a ban list will cause you to join it!": "차단 목록을 구독하면 차단 목록에 참여하게 됩니다!",
"If this isn't what you want, please use a different tool to ignore users.": "이것을 원한 것이 아니라면, 사용자를 무시하는 다른 도구를 사용해주세요.",
"Room ID or alias of ban list": "방 ID 또는 차단 목록의 별칭",
"Subscribe": "구독",
"Trusted": "신뢰함",
"Not trusted": "신뢰하지 않음",
@ -1765,33 +1637,27 @@
"Your avatar URL": "당신의 아바타 URL",
"Your user ID": "당신의 사용자 ID",
"Your theme": "당신의 테마",
"Riot URL": "Riot URL",
"%(brand)s URL": "%(brand)s URL",
"Room ID": "방 ID",
"Widget ID": "위젯 ID",
"Using this widget may share data <helpIcon /> with %(widgetDomain)s & your Integration Manager.": "이 위젯을 사용하면 <helpcon /> %(widgetDomain)s & 통합 관리자와 데이터를 공유합니다.",
"Using this widget may share data <helpIcon /> with %(widgetDomain)s.": "이 위젯을 사용하면 <helpIcon /> %(widgetDomain)s와(과) 데이터를 공유합니다.",
"Widget added by": "위젯을 추가했습니다",
"This widget may use cookies.": "이 위젯은 쿠키를 사용합니다.",
"Enable local event indexing and E2EE search (requires restart)": "로컬 이벤트 인덱싱 및 종단간 암호화 켜기 (다시 시작해야 합니다)",
"Decline (%(counter)s)": "거절 (%(counter)s)",
"Connecting to integration manager...": "통합 관리자로 연결 중...",
"Cannot connect to integration manager": "통합 관리자에 연결할 수 없음",
"The integration manager is offline or it cannot reach your homeserver.": "통합 관리자가 오프라인이거나 당신의 홈서버에서 접근할 수 없습니다.",
"The version of Riot": "Riot의 버전",
"Whether you're using Riot on a device where touch is the primary input mechanism": "터치가 기본 입력 방식인 기기에서 Riot을 사용하는지 여부",
"Whether you're using Riot as an installed Progressive Web App": "Riot을 설치형 프로그레시브 웹 앱으로 사용하는지 여부",
"Whether you're using %(brand)s on a device where touch is the primary input mechanism": "터치가 기본 입력 방식인 기기에서 %(brand)s을 사용하는지 여부",
"Whether you're using %(brand)s as an installed Progressive Web App": "%(brand)s을 설치형 프로그레시브 웹 앱으로 사용하는지 여부",
"Your user agent": "사용자 에이전트",
"The information being sent to us to help make Riot better includes:": "Riot을 개선하기 위해 당사에 전송되는 정보에는 다음과 같은 것들이 포함됩니다:",
"There are unknown sessions in this room: if you proceed without verifying them, it will be possible for someone to eavesdrop on your call.": "이 방에는 알 수 없는 세션들이 있습니다: 검증 없이 진행하면 누군가 당신의 전화를 도청할 수도 있습니다.",
"If you cancel now, you won't complete verifying the other user.": "지금 취소하면 다른 사용자 확인이 완료될 수 없습니다.",
"If you cancel now, you won't complete verifying your other session.": "지금 취소하면 당신의 다른 세션을 검증할 수 없습니다.",
"If you cancel now, you won't complete your secret storage operation.": "지금 취소하면 보안 저장 작업을 완료할 수 없습니다.",
"Cancel entering passphrase?": "암호 입력을 취소하시겠습니까?",
"Setting up keys": "키 설정",
"Verify this session": "이 세션 검증",
"Encryption upgrade available": "암호화 업그레이드 가능",
"Set up encryption": "암호화 설정",
"Unverified session": "검증되지 않은 세션",
"Error upgrading room": "방 업그레이드 오류",
"Double check that your server supports the room version chosen and try again.": "서버가 선택한 방 버전을 지원하는지 확인한 뒤에 다시 시도해주세요.",
"Verifies a user, session, and pubkey tuple": "사용자, 세션, 공개키 튜플을 검증합니다",

View file

@ -3,16 +3,14 @@
"This phone number is already in use": "Šis telefono numeris jau naudojamas",
"Failed to verify email address: make sure you clicked the link in the email": "Nepavyko patvirtinti el. pašto adreso: įsitikinkite, kad paspaudėte nuorodą el. laiške",
"The platform you're on": "Jūsų naudojama platforma",
"The version of Riot.im": "Riot.im versija",
"The version of %(brand)s": "%(brand)s versija",
"Your language of choice": "Jūsų pasirinkta kalba",
"Which officially provided instance you are using, if any": "Kurią oficialiai teikiamą instanciją naudojate, jei tokių yra",
"Whether or not you're using the Richtext mode of the Rich Text Editor": "Ar jūs naudojate Raiškiojo Teksto Redaktoriaus Raiškiojo Teksto režimą ar ne",
"Your homeserver's URL": "Jūsų serverio URL",
"Your identity server's URL": "Jūsų tapatybės serverio URL",
"Analytics": "Statistika",
"The information being sent to us to help make Riot.im better includes:": "Informacija, siunčiama mums, kad padėtų tobulinti Riot.im, apima:",
"The information being sent to us to help make %(brand)s better includes:": "Informacija, siunčiama mums siekiant pagerinti %(brand)s, yra:",
"Fetching third party location failed": "Nepavyko gauti trečios šalies vietos",
"A new version of Riot is available.": "Yra prieinama nauja Riot versija.",
"I understand the risks and wish to continue": "Suprantu šią riziką ir noriu tęsti",
"Send Account Data": "Siųsti paskyros duomenis",
"Advanced notification settings": "Išplėstiniai pranešimų nustatymai",
@ -36,8 +34,6 @@
"Send Custom Event": "Siųsti pasirinktinį įvykį",
"All notifications are currently disabled for all targets.": "Šiuo metu visi pranešimai visiems objektams yra išjungti.",
"Operation failed": "Operacija nepavyko",
"delete the alias.": "ištrinti slapyvardį.",
"To return to your account in future you need to <u>set a password</u>": "Ateityje, norėdami grįžti prie savo paskyros turite <u>nusistatyti slaptažodį</u>",
"Forget": "Pamiršti",
"World readable": "Visiems skaitomas",
"Mute": "Nutildyti",
@ -68,7 +64,6 @@
"No update available.": "Nėra galimų atnaujinimų.",
"Noisy": "Triukšmingas",
"Collecting app version information": "Renkama programėlės versijos informacija",
"Delete the room alias %(alias)s and remove %(name)s from the directory?": "Ar ištrinti kambarį %(alias)s ir %(name)s kambario pavadinimą iš katalogo?",
"Keywords": "Raktažodžiai",
"Unpin Message": "Atsegti žinutę",
"Enable notifications for this account": "Įjungti pranešimus šiai paskyrai",
@ -81,7 +76,7 @@
"Search…": "Paieška…",
"You have successfully set a password and an email address!": "Jūs sėkmingai įrašėte slaptažodį ir el. pašto adresą!",
"Remove %(name)s from the directory?": "Ar ištrinti %(name)s iš katalogo?",
"Riot uses many advanced browser features, some of which are not available or experimental in your current browser.": "Riot naudoja daug išplėstinių naršyklės funkcijų, kai kurios iš jų yra neprieinamos arba eksperimentinės jūsų esamoje naršyklėje.",
"%(brand)s uses many advanced browser features, some of which are not available or experimental in your current browser.": "%(brand)s naudoja daug išplėstinių naršyklės funkcijų, kai kurios iš jų yra neprieinamos arba eksperimentinės jūsų esamoje naršyklėje.",
"Event sent!": "Įvykis išsiųstas!",
"Unnamed room": "Kambarys be pavadinimo",
"Dismiss": "Atmesti",
@ -131,14 +126,13 @@
"Reply": "Atsakyti",
"Show message in desktop notification": "Rodyti žinutes darbalaukio pranešimuose",
"Reject": "Atmesti",
"You might have configured them in a client other than Riot. You cannot tune them in Riot but they still apply": "Jūs turbūt juos sukonfigūravote kitoje programėlėje nei Riot. Negalite jų koreguoti Riot programėlėje, bet jie vistiek yra taikomi",
"Sorry, your browser is <b>not</b> able to run Riot.": "Atleiskite, jūsų naršyklė <b>negali</b> paleisti Riot.",
"Sorry, your browser is <b>not</b> able to run %(brand)s.": "Atleiskite, jūsų naršyklė <b>negali</b> paleisti %(brand)s.",
"Quote": "Cituoti",
"Messages in group chats": "Žinutės grupės pokalbiuose",
"Yesterday": "Vakar",
"Error encountered (%(errorDetail)s).": "Susidurta su klaida (%(errorDetail)s).",
"Low Priority": "Žemo prioriteto",
"Riot does not know how to join a room on this network": "Riot nežino kaip prisijungti prie kambario šiame tinkle",
"%(brand)s does not know how to join a room on this network": "%(brand)s nežino kaip prisijungti prie kambario šiame tinkle",
"Set Password": "Nustatyti slaptažodį",
"An error occurred whilst saving your email notification preferences.": "Išsaugant pranešimų el. paštu nuostatas, įvyko klaida.",
"Unable to join network": "Nepavyko prisijungti prie tinklo",
@ -164,19 +158,13 @@
"Thank you!": "Ačiū!",
"With your current browser, the look and feel of the application may be completely incorrect, and some or all features may not function. If you want to try it anyway you can continue, but you are on your own in terms of any issues you may encounter!": "Naudojant šią naršyklę aplikacija gali atrodyti ir reaguoti neteisingai. Kai kurios arba visos funkcijos gali neveikti. Jei vis tiek norite pabandyti gali tęsti, tačiau iškilusios problemos yra jūsų pačių reikalas!",
"Checking for an update...": "Tikrinama ar yra atnaujinimų...",
"There are advanced notifications which are not shown here": "Yra išplėstinių pranešimų, kurie čia nėra rodomi",
"e.g. %(exampleValue)s": "pvz., %(exampleValue)s",
"e.g. <CurrentPageURL>": "pvz., <CurrentPageURL>",
"Your device resolution": "Jūsų įrenginio raiška",
"Call Failed": "Skambutis nepavyko",
"Call Anyway": "Vis tiek skambinti",
"Answer Anyway": "Vis tiek atsiliepti",
"Call": "Skambinti",
"Answer": "Atsiliepti",
"Unable to capture screen": "Nepavyko nufotografuoti ekrano",
"You are already in a call.": "Jūs jau dalyvaujate skambutyje.",
"VoIP is unsupported": "VoIP yra nepalaikoma",
"Could not connect to the integration server": "Nepavyko prisijungti prie integracijos serverio",
"Permission Required": "Reikalingas leidimas",
"Upload Failed": "Įkėlimas nepavyko",
"Sun": "Sek",
@ -214,12 +202,11 @@
"Failed to invite users to community": "Nepavyko pakviesti vartotojų į bendruomenę",
"Failed to invite users to %(groupId)s": "Nepavyko pakviesti vartotojų į %(groupId)s",
"Failed to add the following rooms to %(groupId)s:": "Nepavyko pridėti šių kambarių į %(groupId)s:",
"Riot does not have permission to send you notifications - please check your browser settings": "Riot neturi leidimo siųsti jums pranešimus - patikrinkite savo naršyklės nustatymus",
"Riot was not given permission to send notifications - please try again": "Riot nebuvo suteiktas leidimas siųsti pranešimus - bandykite dar kartą",
"%(brand)s does not have permission to send you notifications - please check your browser settings": "%(brand)s neturi leidimo siųsti jums pranešimus - patikrinkite savo naršyklės nustatymus",
"%(brand)s was not given permission to send notifications - please try again": "%(brand)s nebuvo suteiktas leidimas siųsti pranešimus - bandykite dar kartą",
"Unable to enable Notifications": "Nepavyko įjungti pranešimų",
"This email address was not found": "Šis el. pašto adresas nebuvo rastas",
"Admin": "Administratorius",
"Start a chat": "Pradėti pokalbį",
"Failed to invite": "Nepavyko pakviesti",
"Failed to invite the following users to the %(roomName)s room:": "Nepavyko pakviesti šių vartotojų į kambarį %(roomName)s:",
"You need to be logged in.": "Turite būti prisijungę.",
@ -253,7 +240,6 @@
"%(senderName)s answered the call.": "%(senderName)s atsiliepė į skambutį.",
"(unknown failure: %(reason)s)": "(nežinoma klaida: %(reason)s)",
"%(senderName)s ended the call.": "%(senderName)s užbaigė skambutį.",
"Send anyway": "Vis tiek siųsti",
"Unnamed Room": "Bevardis kambarys",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "Rodyti laiko žymes 12 valandų formatu (pvz. 2:30pm)",
"Always show message timestamps": "Visada rodyti žinučių laiko žymes",
@ -275,10 +261,7 @@
"Current password": "Dabartinis slaptažodis",
"Password": "Slaptažodis",
"New Password": "Naujas slaptažodis",
"Device ID": "Įrenginio ID",
"Failed to set display name": "Nepavyko nustatyti rodomo vardo",
"Disable Notifications": "Išjungti pranešimus",
"Enable Notifications": "Įjungti pranešimus",
"Cannot add any more widgets": "Nepavyksta pridėti daugiau valdiklių",
"Add a widget": "Pridėti valdiklį",
"Drop File Here": "Vilkite failą čia",
@ -289,21 +272,17 @@
"%(senderName)s uploaded a file": "%(senderName)s įkėlė failą",
"Options": "Parinktys",
"Key request sent.": "Rakto užklausa išsiųsta.",
"device id: ": "įrenginio id: ",
"Failed to mute user": "Nepavyko nutildyti naudotoją",
"Are you sure?": "Ar tikrai?",
"Ignore": "Ignoruoti",
"Invite": "Pakviesti",
"User Options": "Vartotojo parinktys",
"Admin Tools": "Administratoriaus įrankiai",
"Attachment": "Priedas",
"Voice call": "Balso skambutis",
"Video call": "Vaizdo skambutis",
"Upload file": "Įkelti failą",
"Send an encrypted reply…": "Siųsti šifruotą atsakymą…",
"Send a reply (unencrypted)…": "Siųsti atsakymą (nešifruotą)…",
"Send an encrypted message…": "Siųsti šifruotą žinutę…",
"Send a message (unencrypted)…": "Siųsti žinutę (nešifruotą)…",
"Server error": "Serverio klaida",
"Command error": "Komandos klaida",
"Loading...": "Įkeliama...",
@ -326,9 +305,7 @@
"Permissions": "Leidimai",
"Advanced": "Išplėstiniai",
"Add a topic": "Pridėti temą",
"Local addresses for this room:": "Vietiniai šio kambario adresai:",
"This room has no local addresses": "Šis kambarys neturi jokių vietinių adresų",
"New address (e.g. #foo:%(localDomain)s)": "Naujas adresas (pvz., #betkoks:%(localDomain)s)",
"Invalid community ID": "Neteisingas bendruomenės ID",
"'%(groupId)s' is not a valid community ID": "\"%(groupId)s\" nėra teisingas bendruomenės ID",
"New community ID (e.g. +foo:%(localDomain)s)": "Naujas bendruomenės ID (pvz., +betkoks:%(localDomain)s)",
@ -341,9 +318,6 @@
"Error decrypting video": "Klaida iššifruojant vaizdo įrašą",
"Copied!": "Nukopijuota!",
"Failed to copy": "Nepavyko nukopijuoti",
"Message removed by %(userId)s": "Žinutę pašalino %(userId)s",
"Message removed": "Žinutė pašalinta",
"To continue, please enter your password.": "Norėdami tęsti, įveskite savo slaptažodį.",
"An email has been sent to %(emailAddress)s": "El. laiškas buvo išsiųstas į %(emailAddress)s",
"Please check your email to continue registration.": "Norėdami tęsti registraciją, patikrinkite savo el. paštą.",
"A text message has been sent to %(msisdn)s": "Tekstinė žinutė buvo išsiųsta į %(msisdn)s",
@ -362,13 +336,11 @@
"Something went wrong!": "Kažkas nutiko!",
"Visibility in Room List": "Matomumas kambarių sąraše",
"Visible to everyone": "Matomas visiems",
"Yes, I want to help!": "Taip, aš noriu padėti!",
"Unknown Address": "Nežinomas adresas",
"Allow": "Leisti",
"Delete Widget": "Ištrinti valdiklį",
"Delete widget": "Ištrinti valdiklį",
"Failed to remove widget": "Nepavyko pašalinti valdiklio",
"Scroll to bottom of page": "Slinkti į puslapio apačią",
"%(count)s of your messages have not been sent.|other": "Kai kurios iš jūsų žinučių nebuvo išsiųstos.",
"%(count)s of your messages have not been sent.|one": "Jūsų žinutė nebuvo išsiųsta.",
"Connectivity to the server has been lost.": "Jungiamumas su šiuo serveriu buvo prarastas.",
@ -380,7 +352,6 @@
"Search failed": "Paieška nepavyko",
"Server may be unavailable, overloaded, or search timed out :(": "Gali būti, kad serveris neprieinamas, perkrautas arba pasibaigė paieškai skirtas laikas :(",
"No more results": "Daugiau nėra jokių rezultatų",
"Unknown room %(roomId)s": "Nežinomas kambarys %(roomId)s",
"Room": "Kambarys",
"Failed to reject invite": "Nepavyko atmesti pakvietimo",
"Fill screen": "Užpildyti ekraną",
@ -392,14 +363,12 @@
"Uploading %(filename)s and %(count)s others|other": "Įkeliamas %(filename)s ir dar %(count)s failai",
"Uploading %(filename)s and %(count)s others|zero": "Įkeliamas %(filename)s",
"Uploading %(filename)s and %(count)s others|one": "Įkeliamas %(filename)s ir dar %(count)s failas",
"Light theme": "Šviesi tema",
"Dark theme": "Tamsi tema",
"Success": "Pavyko",
"Unable to remove contact information": "Nepavyko pašalinti kontaktinės informacijos",
"<not supported>": "<nepalaikoma>",
"Check for update": "Tikrinti, ar yra atnaujinimų",
"Reject all %(invitedRooms)s invites": "Atmesti visus %(invitedRooms)s pakvietimus",
"You may need to manually permit Riot to access your microphone/webcam": "Jums gali tekti rankiniu būdu duoti leidimą Riot prieigai prie mikrofono/kameros",
"You may need to manually permit %(brand)s to access your microphone/webcam": "Jums gali tekti rankiniu būdu duoti leidimą %(brand)s prieigai prie mikrofono/kameros",
"No Audio Outputs detected": "Neaptikta jokių garso išvesčių",
"No Microphones detected": "Neaptikta jokių mikrofonų",
"No Webcams detected": "Neaptikta jokių kamerų",
@ -411,7 +380,7 @@
"Profile": "Profilis",
"Account": "Paskyra",
"click to reveal": "spustelėkite, norėdami atskleisti",
"riot-web version:": "riot-web versija:",
"%(brand)s version:": "%(brand)s versija:",
"olm version:": "olm versija:",
"Failed to send email": "Nepavyko išsiųsti el. laiško",
"The email address linked to your account must be entered.": "Privalo būti įvestas su jūsų paskyra susietas el. pašto adresas.",
@ -427,16 +396,7 @@
"Results from DuckDuckGo": "Rezultatai iš DuckDuckGo",
"Notify the whole room": "Pranešti visam kambariui",
"Users": "Naudotojai",
"unknown device": "nežinomas įrenginys",
"Ed25519 fingerprint": "Ed25519 kontrolinis kodas",
"User ID": "Naudotojo ID",
"Curve25519 identity key": "Curve25519 tapatybės raktas",
"none": "nėra",
"Algorithm": "Algoritmas",
"Decryption error": "Iššifravimo klaida",
"Session ID": "Seanso ID",
"End-to-end encryption information": "Ištisinio šifravimo informacija",
"Event information": "Įvykio informacija",
"Passphrases must match": "Slaptafrazės privalo sutapti",
"Passphrase must not be empty": "Slaptafrazė negali būti tuščia",
"Export room keys": "Eksportuoti kambario raktus",
@ -447,14 +407,10 @@
"The export file will be protected with a passphrase. You should enter the passphrase here, to decrypt the file.": "Eksportavimo failas bus apsaugotas slaptafraze. Norėdami iššifruoti failą, čia turėtumėte įvesti slaptafrazę.",
"File to import": "Failas, kurį importuoti",
"Import": "Importuoti",
"Your User Agent": "Jūsų vartotojo agentas",
"Review Devices": "Peržiūrėti įrenginius",
"You do not have permission to start a conference call in this room": "Jūs neturite leidimo šiame kambaryje pradėti konferencinį pokalbį",
"Room name or alias": "Kambario pavadinimas ar slapyvardis",
"Your email address does not appear to be associated with a Matrix ID on this Homeserver.": "Neatrodo, kad jūsų el. pašto adresas šiame serveryje būtų susietas su Matrix ID.",
"Missing room_id in request": "Užklausoje trūksta room_id",
"Missing user_id in request": "Užklausoje trūksta user_id",
"Unrecognised room alias:": "Neatpažintas kambario slapyvardis:",
"VoIP conference started.": "VoIP konferencija pradėta.",
"VoIP conference finished.": "VoIP konferencija užbaigta.",
"%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s pašalino kambario pavadinimą.",
@ -463,7 +419,6 @@
"%(widgetName)s widget removed by %(senderName)s": "%(senderName)s pašalino %(widgetName)s valdiklį",
"Failure to create room": "Nepavyko sukurti kambarį",
"Server may be unavailable, overloaded, or you hit a bug.": "Serveris gali būti neprieinamas, per daug apkrautas, arba susidūrėte su klaida.",
"Use compact timeline layout": "Naudoti kompaktišką laiko juostos išdėstymą",
"Autoplay GIFs and videos": "Automatiškai atkurti GIF ir vaizdo įrašus",
"This event could not be displayed": "Nepavyko parodyti šio įvykio",
"Kick": "Išmesti",
@ -474,7 +429,6 @@
"Unban this user?": "Atblokuoti šį naudotoją?",
"Ban this user?": "Užblokuoti šį naudotoją?",
"Failed to ban user": "Nepavyko užblokuoti naudotoją",
"Failed to toggle moderator status": "Nepavyko perjungti moderatoriaus būseną",
"Invited": "Pakviestas",
"Filter room members": "Filtruoti kambario dalyvius",
"Server unavailable, overloaded, or something else went wrong.": "Serveris neprieinamas, perkrautas arba nutiko kažkas kito.",
@ -496,7 +450,7 @@
"%(senderName)s made future room history visible to all room members.": "%(senderName)s padarė būsimą kambario istoriją matomą visiems kambario dalyviams.",
"%(senderName)s made future room history visible to anyone.": "%(senderName)s padarė būsimą kambario istoriją matomą bet kam.",
"Your browser does not support the required cryptography extensions": "Jūsų naršyklė nepalaiko reikalingų kriptografijos plėtinių",
"Not a valid Riot keyfile": "Negaliojantis Riot rakto failas",
"Not a valid %(brand)s keyfile": "Negaliojantis %(brand)s rakto failas",
"Authentication check failed: incorrect password?": "Autentifikavimo patikra nepavyko: neteisingas slaptažodis?",
"Send analytics data": "Siųsti analitinius duomenis",
"Incoming voice call from %(name)s": "Įeinantis balso skambutis nuo %(name)s",
@ -506,7 +460,6 @@
"Authentication": "Tapatybės nustatymas",
"The maximum permitted number of widgets have already been added to this room.": "Į šį kambarį jau yra pridėtas didžiausias leidžiamas valdiklių skaičius.",
"Please select the destination room for this message": "Pasirinkite šiai žinutei paskirties kambarį",
"Make Moderator": "Padaryti moderatoriumi",
"Hangup": "Padėti ragelį",
"No pinned messages.": "Nėra jokių prisegtų žinučių.",
"Online for %(duration)s": "Prisijungęs %(duration)s",
@ -530,7 +483,6 @@
"Demote yourself?": "Pažeminti save?",
"Demote": "Pažeminti",
"Share Link to User": "Dalintis nuoroda į vartotoją",
"Direct chats": "Privatūs pokalbiai",
"The conversation continues here.": "Pokalbis tęsiasi čia.",
"Jump to message": "Pereiti prie žinutės",
"Favourites": "Mėgstami",
@ -538,7 +490,6 @@
"This room is not accessible by remote Matrix servers": "Šis kambarys nėra pasiekiamas nuotoliniams Matrix serveriams",
"Who can read history?": "Kas gali skaityti istoriją?",
"Only room administrators will see this warning": "Šį įspėjimą matys tik kambario administratoriai",
"Remote addresses for this room:": "Nuotoliniai šio kambario adresai:",
"You have <a>enabled</a> URL previews by default.": "Jūs esate <a>įjungę</a> URL nuorodų peržiūras kaip numatytasias.",
"You have <a>disabled</a> URL previews by default.": "Jūs esate <a>išjungę</a> URL nuorodų peržiūras kaip numatytasias.",
"URL previews are enabled by default for participants in this room.": "URL nuorodų peržiūros yra įjungtos kaip numatytasios šio kambario dalyviams.",
@ -581,7 +532,6 @@
"Incorrect password": "Neteisingas slaptažodis",
"To continue, please enter your password:": "Norėdami tęsti, įveskite savo slaptažodį:",
"An error has occurred.": "Įvyko klaida.",
"Ignore request": "Nepaisyti užklausos",
"Failed to upgrade room": "Nepavyko atnaujinti kambarį",
"The room upgrade could not be completed": "Nepavyko užbaigti kambario naujinimo",
"Sign out": "Atsijungti",
@ -591,8 +541,6 @@
"Invalid Email Address": "Neteisingas el. pašto adresas",
"You cannot place VoIP calls in this browser.": "Negalite inicijuoti VoIP skambučių šioje naršyklėje.",
"You cannot place a call with yourself.": "Negalite skambinti patys sau.",
"Registration Required": "Reikalinga registracija",
"You need to register to do this. Would you like to register now?": "Norėdami tai atlikti, turite užsiregistruoti. Ar norėtumėte užsiregistruoti dabar?",
"Missing roomId.": "Trūksta kambario ID.",
"Leave room": "Išeiti iš kambario",
"(could not connect media)": "(nepavyko prijungti medijos)",
@ -615,19 +563,10 @@
"%(senderDisplayName)s changed the avatar for %(roomName)s": "%(senderDisplayName)s pakeitė kambario %(roomName)s pseudoportretą",
"%(senderDisplayName)s removed the room avatar.": "%(senderDisplayName)s pašalino kambario pseudoportretą.",
"%(senderDisplayName)s changed the room avatar to <img/>": "%(senderDisplayName)s pakeitė kambario pseudoportretą į <img/>",
"Removed or unknown message type": "Žinutė pašalinta arba yra nežinomo tipo",
"Filter community members": "Filtruoti bendruomenės dalyvius",
"Removing a room from the community will also remove it from the community page.": "Pašalinus kambarį iš bendruomenės, taip pat pašalins jį iš bendruomenės puslapio.",
"Filter community rooms": "Filtruoti bendruomenės kambarius",
"Please help improve Riot.im by sending <UsageDataLink>anonymous usage data</UsageDataLink>. This will use a cookie (please see our <PolicyLink>Cookie Policy</PolicyLink>).": "Padėkite patobulinti Riot.im, siųsdami <UsageDataLink>anoniminius naudojimosi duomenis</UsageDataLink>. Tai panaudos slapuką (žiūrėkite mūsų <PolicyLink>Slapukų politiką</PolicyLink>).",
"Please help improve Riot.im by sending <UsageDataLink>anonymous usage data</UsageDataLink>. This will use a cookie.": "Padėkite patobulinti Riot.im, siųsdami <UsageDataLink>anoniminius naudojimosi duomenis</UsageDataLink>. Tai naudos slapuką.",
"Please <a>contact your service administrator</a> to get this limit increased.": "Norėdami padidinti šį limitą, <a>susisiekite su savo paslaugų administratoriumi</a>.",
"This homeserver has hit its Monthly Active User limit so <b>some users will not be able to log in</b>.": "Šis namų serveris pasiekė savo mėnesinį aktyvių naudotojų limitą, taigi, <b>kai kurie naudotojai negalės prisijungti</b>.",
"This homeserver has exceeded one of its resource limits so <b>some users will not be able to log in</b>.": "Šis namų serveris viršijo vieno iš savo išteklių limitą, taigi, <b>kai kurie naudotojai negalės prisijungti</b>.",
"An error ocurred whilst trying to remove the widget from the room": "Bandant pašalinti valdiklį iš kambario įvyko klaida",
"Blacklist": "Blokuoti",
"Unblacklist": "Atblokuoti",
"Verify...": "Patvirtinti...",
"Communities": "Bendruomenės",
"Home": "Pradžia",
"%(severalUsers)sleft %(count)s times|other": "%(severalUsers)s išėjo %(count)s kartų(-us)",
@ -646,16 +585,10 @@
"Moderator": "Moderatorius",
"Ignores a user, hiding their messages from you": "Ignoruoja vartotoją, slepiant nuo jūsų jo žinutes",
"Stops ignoring a user, showing their messages going forward": "Sustabdo vartotojo ignoravimą, rodant jums jo tolimesnes žinutes",
"Revoke Moderator": "Panaikinti moderatorių",
"Invites": "Pakvietimai",
"Historical": "Istoriniai",
"Every page you use in the app": "Kiekvienas puslapis, kurį jūs naudojate programoje",
"Call Timeout": "Skambučio laikas baigėsi",
"%(senderName)s added %(count)s %(addedAddresses)s as addresses for this room.|other": "%(senderName)s pridėjo %(addedAddresses)s, kaip šio kambario adresus.",
"%(senderName)s added %(count)s %(addedAddresses)s as addresses for this room.|one": "%(senderName)s pridėjo %(addedAddresses)s, kaip šio kambario adresą.",
"%(senderName)s removed %(count)s %(removedAddresses)s as addresses for this room.|other": "%(senderName)s pašalino %(removedAddresses)s, kaip šio kambario adresus.",
"%(senderName)s removed %(count)s %(removedAddresses)s as addresses for this room.|one": "%(senderName)s pašalino %(removedAddresses)s, kaip šio kambario adresą.",
"%(senderName)s added %(addedAddresses)s and removed %(removedAddresses)s as addresses for this room.": "%(senderName)s pridėjo %(addedAddresses)s ir pašalino %(removedAddresses)s, kaip šio kambario adresus.",
"%(senderName)s set the main address for this room to %(address)s.": "%(senderName)s nustatė pagrindinį šio kambario adresą į %(address)s.",
"%(senderName)s removed the main address for this room.": "%(senderName)s pašalino pagrindinį šio kambario adresą.",
"Disinvite": "Atšaukti pakvietimą",
@ -706,9 +639,8 @@
"Preparing to send logs": "Ruošiamasi išsiųsti žurnalus",
"Incompatible Database": "Nesuderinama duomenų bazė",
"Deactivate Account": "Deaktyvuoti paskyrą",
"I verify that the keys match": "Aš patvirtinu, kad raktai sutampa",
"Incompatible local cache": "Nesuderinamas vietinis podėlis",
"Updating Riot": "Atnaujinama Riot",
"Updating %(brand)s": "Atnaujinama %(brand)s",
"This doesn't appear to be a valid email address": "Tai nepanašu į teisingą el. pašto adresą",
"Unable to add email address": "Nepavyko pridėti el. pašto adreso",
"Unable to verify email address.": "Nepavyko patvirtinti el. pašto adreso.",
@ -723,7 +655,6 @@
"If you already have a Matrix account you can <a>log in</a> instead.": "Jeigu jau turite Matrix paskyrą, tuomet vietoj to, galite <a>prisijungti</a>.",
"Unable to restore backup": "Nepavyko atkurti atsarginės kopijos",
"No backup found!": "Nerasta jokios atsarginės kopijos!",
"Backup Restored": "Atsarginė kopija atkurta",
"Failed to decrypt %(failedCount)s sessions!": "Nepavyko iššifruoti %(failedCount)s seansų!",
"Next": "Toliau",
"Private Chat": "Privatus pokalbis",
@ -743,18 +674,15 @@
"Failed to perform homeserver discovery": "Nepavyko atlikti serverio radimo",
"Error: Problem communicating with the given homeserver.": "Klaida: Problemos susisiekiant su nurodytu namų serveriu.",
"This server does not support authentication with a phone number.": "Šis serveris nepalaiko tapatybės nustatymo telefono numeriu.",
"Great! This passphrase looks strong enough.": "Puiku! Ši slapta frazė atrodo pakankamai stipri.",
"Your Recovery Key": "Jūsų atkūrimo raktas",
"Copy to clipboard": "Kopijuoti į iškarpinę",
"Download": "Atsisiųsti",
"Retry": "Bandyti dar kartą",
"Add Email Address": "Pridėti el. pašto adresą",
"Add Phone Number": "Pridėti telefono numerį",
"Whether or not you're logged in (we don't record your username)": "Ar jūs prisijungę ar ne (mes neįrašome jūsų vartotojo vardo)",
"Chat with Riot Bot": "Kalbėtis su Riot Botu",
"Chat with %(brand)s Bot": "Kalbėtis su %(brand)s Botu",
"Sign In": "Prisijungti",
"Explore rooms": "Žvalgyti kambarius",
"Your Riot is misconfigured": "Jūsų Riot yra neteisingai sukonfigūruotas",
"Your %(brand)s is misconfigured": "Jūsų %(brand)s yra neteisingai sukonfigūruotas",
"Sign in to your Matrix account on %(serverName)s": "Prisijunkite prie savo Matrix paskyros %(serverName)s serveryje",
"Sign in to your Matrix account on <underlinedServerName />": "Prisijunkite prie savo paskyros <underlinedServerName /> serveryje",
"Whether or not you're using the 'breadcrumbs' feature (avatars above the room list)": "Ar jūs naudojate 'duonos trupinių' funkciją ar ne (pseudoportretai virš kambarių sąrašo)",
@ -764,7 +692,6 @@
"Please ask the administrator of your homeserver (<code>%(homeserverDomain)s</code>) to configure a TURN server in order for calls to work reliably.": "Paprašykite savo serverio administratoriaus (<code>%(homeserverDomain)s</code>) sukonfiguruoti TURN serverį, kad skambučiai veiktų patikimai.",
"Alternatively, you can try to use the public server at <code>turn.matrix.org</code>, but this will not be as reliable, and it will share your IP address with that server. You can also manage this in Settings.": "Alternatyviai, jūs galite bandyti naudoti viešą serverį <code>turn.matrix.org</code>, bet tai nebus taip patikima, ir tai atskleis jūsų IP adresą šiam serveriui. Jūs taip pat galite tvarkyti tai Nustatymuose.",
"Try using turn.matrix.org": "Bandykite naudoti turn.matrix.org",
"A conference call could not be started because the integrations server is not available": "Konferencinio skambučio nebuvo galima pradėti, nes nėra integracijų serverio",
"Call in Progress": "Vykstantis skambutis",
"A call is currently being placed!": "Šiuo metu skambinama!",
"Replying With Files": "Atsakyti su failais",
@ -799,7 +726,6 @@
"Use an identity server": "Naudoti tapatybės serverį",
"Use an identity server to invite by email. Click continue to use the default identity server (%(defaultIdentityServerName)s) or manage in Settings.": "Norėdami pakviesti nurodydami el. paštą, naudokite tapatybės serverį. Tam, kad toliau būtų naudojamas numatytasis tapatybės serveris %(defaultIdentityServerName)s, spauskite tęsti, arba tvarkykite nustatymuose.",
"Use an identity server to invite by email. Manage in Settings.": "Norėdami pakviesti nurodydami el. paštą, naudokite tapatybės serverį. Tvarkykite nustatymuose.",
"Joins room with given alias": "Prisijungia prie kambario su nurodytu slapyvardžiu",
"Unbans user with given ID": "Atblokuoja vartotoją su nurodytu id",
"Ignored user": "Ignoruojamas vartotojas",
"Unignored user": "Nebeignoruojamas vartotojas",
@ -839,7 +765,7 @@
"%(names)s and %(lastPerson)s are typing …": "%(names)s ir %(lastPerson)s rašo …",
"Cannot reach homeserver": "Serveris nepasiekiamas",
"Ensure you have a stable internet connection, or get in touch with the server admin": "Įsitikinkite, kad jūsų interneto ryšys yra stabilus, arba susisiekite su serverio administratoriumi",
"Ask your Riot admin to check <a>your config</a> for incorrect or duplicate entries.": "Paprašykite savo Riot administratoriaus patikrinti ar <a>jūsų konfigūracijoje</a> nėra neteisingų arba pasikartojančių įrašų.",
"Ask your %(brand)s admin to check <a>your config</a> for incorrect or duplicate entries.": "Paprašykite savo %(brand)s administratoriaus patikrinti ar <a>jūsų konfigūracijoje</a> nėra neteisingų arba pasikartojančių įrašų.",
"Cannot reach identity server": "Tapatybės serveris nepasiekiamas",
"You can register, but some features will be unavailable until the identity server is back online. If you keep seeing this warning, check your configuration or contact a server admin.": "Jūs galite registruotis, tačiau kai kurios funkcijos bus nepasiekiamos, kol tapatybės serveris prisijungs. Jei ir toliau matote šį įspėjimą, patikrinkite savo konfigūraciją arba susisiekite su serverio administratoriumi.",
"You can reset your password, but some features will be unavailable until the identity server is back online. If you keep seeing this warning, check your configuration or contact a server admin.": "Jūs galite iš naujo nustatyti savo slaptažodį, tačiau kai kurios funkcijos bus nepasiekiamos, kol tapatybės serveris prisijungs. Jei ir toliau matote šį įspėjimą, patikrinkite savo konfigūraciją arba susisiekite su serverio administratoriumi.",
@ -899,15 +825,13 @@
"This room is not public. You will not be able to rejoin without an invite.": "Šis kambarys nėra viešas. Jūs negalėsite vėl prie jo prisijungti be pakvietimo.",
"Are you sure you want to leave the room '%(roomName)s'?": "Ar tikrai norite išeiti iš kambario %(roomName)s?",
"%(creator)s created and configured the room.": "%(creator)s sukūrė ir sukonfigūravo kambarį.",
"Riot failed to get the public room list.": "Riot nepavyko gauti viešų kambarių sąrašo.",
"%(brand)s failed to get the public room list.": "%(brand)s nepavyko gauti viešų kambarių sąrašo.",
"General failure": "Bendras triktis",
"Messages containing my username": "Žinutės, kuriose yra mano vartotojo vardas",
"Set a new account password...": "Nustatyti naują paskyros slaptažodį...",
"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 or groups you have visited and the usernames of other users. They do not contain messages.": "Jei jūs pateikėte pranešimą apie klaidą per GitHub, derinimo žurnalai (debug logs) gali padėti mums surasti problemą. Derinimo žurnaluose yra programos naudojimo duomenys, įskaitant jūsų vartotojo vardą, ID ar kitus kambarių arba grupių, kuriuose jūs lankėtės, pavadinimus ir kitų vartotojų vardus. Juose nėra žinučių.",
"%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (galia %(powerLevelNumber)s)",
"Debug logs contain application usage data including your username, the IDs or aliases of the rooms or groups you have visited and the usernames of other users. They do not contain messages.": "Derinimo žurnaluose yra programos naudojimo duomenys, įskaitant jūsų vartotojo vardą, ID ar kitus kambarių arba grupių, kuriuose jūs lankėtės, pavadinimus ir kitų vartotojų vardus. Juose nėra žinučių.",
"If you can't find someone, ask them for their username, share your username (%(userId)s) or <a>profile link</a>.": "Jei jūs negalite kažkieno surasti, paklauskite jų vartotojo vardo, pasidalinkite savo vartotojo vardu (%(userId)s) arba <a>profilio nuoroda</a>.",
"If you can't find someone, ask them for their username (e.g. @user:server.com) or <a>share this room</a>.": "Jei jūs negalite kažkieno surasti, paklauskite jų vartotojo vardo (pvz.: @vartotojas:serveris.lt) arba <a>pasidalinkite šiuo kambariu</a>.",
"A username can only contain lower case letters, numbers and '=_-./'": "Vartotojo vardą gali sudaryti tik mažosios raidės, skaičiai ir '=_-./'",
"The username field must not be blank.": "Vartotojo vardo laukelis negali būti tuščias.",
"Username": "Vartotojo vardas",
@ -1022,7 +946,6 @@
"Back up your keys before signing out to avoid losing them.": "Prieš atsijungdami sukurkite atsarginę savo raktų kopiją, kad išvengtumėte jų praradimo.",
"Start using Key Backup": "Pradėti naudoti atsarginę raktų kopiją",
"Display Name": "Rodomas Vardas",
"Please verify the room ID or alias and try again.": "Prašome patikrinti kambario ID arba slapyvardį ir bandyti dar kartą.",
"Room %(name)s": "Kambarys %(name)s",
"Upgrading this room will shut down the current instance of the room and create an upgraded room with the same name.": "Atnaujinimas išjungs dabartinę kambario instanciją ir sukurs atnaujintą kambarį tuo pačiu pavadinimu.",
"Other published addresses:": "Kiti paskelbti adresai:",
@ -1037,14 +960,11 @@
"%(name)s wants to verify": "%(name)s nori patvirtinti",
"Your display name": "Jūsų rodomas vardas",
"Rotate Left": "Pasukti Kairėn",
"Room alias": "Kambario slapyvardis",
"e.g. my-room": "pvz.: mano-kambarys",
"Please provide a room alias": "Įveskite kambario slapyvardį",
"Enter a server name": "Įveskite serverio pavadinimą",
"Enter the name of a new server you want to explore.": "Įveskite naujo, norimo žvalgyti serverio pavadinimą.",
"Server name": "Serverio pavadinimas",
"Please enter a name for the room": "Įveskite kambario pavadinimą",
"Set a room alias to easily share your room with other people.": "Nustatykite kambario slapyvardį, kad galėtumėte nesunkiai pasidalinti juo su kitais.",
"This room is private, and can only be joined by invitation.": "Šis kambarys yra privatus, prie jo prisijungti galima tik su pakvietimu.",
"Create a private room": "Sukurti privatų kambarį",
"Name": "Pavadinimas",
@ -1057,7 +977,6 @@
"I don't want my encrypted messages": "Man nereikalingos užšifruotos žinutės",
"You'll lose access to your encrypted messages": "Jūs prarasite prieigą prie savo užšifruotų žinučių",
"New session": "Naujas seansas",
"Enter secret storage passphrase": "Įveskite slaptos saugyklos slaptafrazę",
"Enter recovery passphrase": "Įveskite atgavimo slaptafrazę",
"<b>Warning</b>: you should only set up key backup from a trusted computer.": "<b>Įspėjimas</b>: atsarginę raktų kopiją sukurkite tik iš patikimo kompiuterio.",
"<b>Warning</b>: You should only set up key backup from a trusted computer.": "<b>Įspėjimas</b>: Atsarginę raktų kopiją sukurkite tik iš patikimo kompiuterio.",
@ -1066,26 +985,16 @@
"Add room": "Sukurti kambarį",
"Changing your password will reset any end-to-end encryption keys on all of your sessions, making encrypted chat history unreadable. Set up Key Backup or export your room keys from another session before resetting your password.": "Slaptažodžio keitimas iš naujo nustatys visų jūsų seansų šifravimo raktus, todėl užšifruota pokalbių istorija taps neperskaitoma. Sukurkite atsarginę raktų kopiją arba eksportuokite savo kambarių raktus iš kito seanso prieš iš naujo nustatydami slaptažodį.",
"Set a display name:": "Nustatyti rodomą vardą:",
"Secure your encryption keys with a passphrase. For maximum security this should be different to your account password:": "Apsaugokite savo šifravimo raktus slaptafraze. Maksimaliam saugumui užtikrinti ji turi skirtis nuo jūsų paskyros slaptažodžio:",
"Enter a passphrase": "Įveskite slaptafrazę",
"Enter your passphrase a second time to confirm it.": "Įveskite slaptafrazę antrą kartą, kad ją patvirtintumėte.",
"We'll store an encrypted copy of your keys on our server. Protect your backup with a passphrase to keep it secure.": "Mes saugosime užšifruotą jūsų raktų kopiją mūsų serveryje. Apsaugokite savo atsarginę kopiją slaptafraze, kad ji būtų saugi.",
"For maximum security, this should be different from your account password.": "Maksimaliam saugumui užtikrinti ji turi skirtis nuo jūsų paskyros slaptažodžio.",
"Enter a passphrase...": "Įveskite slaptafrazę...",
"Please enter your passphrase a second time to confirm.": "Įveskite slaptafrazę antrą kartą, kad ją patvirtintumėte.",
"Secure your backup with a passphrase": "Apsaugokite savo atsarginę kopiją slaptafraze",
"Set up encryption": "Nustatyti šifravimą",
"COPY": "Kopijuoti",
"Enter recovery key": "Įveskite atgavimo raktą",
"Keep going...": "Tęskite...",
"Please install <chromeLink>Chrome</chromeLink>, <firefoxLink>Firefox</firefoxLink>, or <safariLink>Safari</safariLink> for the best experience.": "Riot geriausiai veikia su <chromeLink>Chrome</chromeLink>, <firefoxLink>Firefox</firefoxLink>, arba <safariLink>Safari</safariLink> naršyklėmis.",
"Syncing...": "Sinchronizuojama...",
"Signing In...": "Prijungiama...",
"If you've joined lots of rooms, this might take a while": "Jei esate prisijungę prie daug kambarių, tai gali užtrukti",
"Without completing security on this session, it wont have access to encrypted messages.": "Neužbaigus saugumo šiame seanse, jis neturės prieigos prie šifruotų žinučių.",
"Set a recovery passphrase to secure encrypted information and recover it if you log out. This should be different to your account password:": "Nustatykite atgavimo slaptafrazę, kad apsaugotumėte šifruotą informaciją ir atgautumėte ją jei atsijungsite. Ji turi skirtis nuo jūsų paskyros slaptažodžio:",
"Enter a recovery passphrase": "Įveskite atgavimo slaptafrazę",
"Back up encrypted message keys": "Padaryti atsargines šifruotų žinučių raktų kopijas",
"Set up with a recovery key": "Nustatyti su atgavimo raktu",
"Enter your recovery passphrase a second time to confirm it.": "Įveskite atgavimo slaptafrazę antrą kartą, kad ją patvirtintumėte.",
"Your recovery key is a safety net - you can use it to restore access to your encrypted messages if you forget your recovery passphrase.": "Jūsų atgavimo raktas yra atsarginė saugumo priemonė - jūs galite jį naudoti prieigos prie jūsų šifruotų žinučių atkūrimui, jei pamiršite savo atgavimo slaptafrazę.",
@ -1127,16 +1036,12 @@
"Homeserver URL": "Serverio URL",
"Homeserver URL does not appear to be a valid Matrix homeserver": "Serverio adresas neatrodo esantis tinkamas Matrix serveris",
"This homeserver does not support login using email address.": "Šis serveris nepalaiko prisijungimo naudojant el. pašto adresą.",
"Review Sessions": "Peržiūrėti seansus",
"Setting up keys": "Raktų nustatymas",
"Review where youre logged in": "Peržiūrėkite kur esate prisijungę",
"Verify all your sessions to ensure your account & messages are safe": "Patvirtinkite visus savo seansus, kad užtikrintumėte savo paskyros ir žinučių saugumą",
"Review": "Peržiūrėti",
"Message deleted": "Žinutė ištrinta",
"Message deleted by %(name)s": "Žinutė, ištrinta %(name)s",
"<b>Warning</b>: You should only do this on a trusted computer.": "<b>Įspėjimas</b>: Tai atlikite tik saugiame kompiuteryje.",
"Access your secure message history and your cross-signing identity for verifying other sessions by entering your recovery passphrase.": "Pasiekite savo saugių žinučių istoriją ir kryžminio pasirašymo tapatybę, naudojamą kitų seansų patvirtinimui, įvesdami savo atgavimo slaptafrazę.",
"If you've forgotten your recovery passphrase you can <button1>use your recovery key</button1> or <button2>set up new recovery options</button2>.": "Jei pamiršote savo atgavimo slaptafrazę jūs galite <button1>naudoti savo atgavimo raktą</button1> arba <button2>nustatyti naujus atgavimo nustatymus</button2>.",
"If you've forgotten your recovery passphrase you can <button1>use your recovery key</button1> or <button2>set up new recovery options</button2>": "Jei pamiršote savo atgavimo slaptafrazę jūs galite <button1>naudoti savo atgavimo raktą</button1> arba <button2>nustatyti naujas atgavimo parinktis</button2>",
"Confirm your identity by entering your account password below.": "Patvirtinkite savo tapatybę žemiau įvesdami savo paskyros slaptažodį.",
"Use an email address to recover your account": "Naudokite el. pašto adresą, kad prireikus galėtumėte atgauti paskyrą",
@ -1151,9 +1056,6 @@
"<b>Print it</b> and store it somewhere safe": "<b>Atsispausdinti jį</b> ir laikyti saugioje vietoje",
"<b>Save it</b> on a USB key or backup drive": "<b>Išsaugoti jį</b> USB rakte arba atsarginių kopijų diske",
"<b>Copy it</b> to your personal cloud storage": "<b>Nukopijuoti jį</b> į savo asmeninę debesų saugyklą",
"You can now verify your other devices, and other users to keep your chats safe.": "Jūs dabar galite patvirtinti kitus savo įrenginius ir kitus vartotojus, kad jūsų pokalbiai būtų saugūs.",
"Confirm recovery passphrase": "Patvirtinkite atgavimo slaptafrazę",
"You're done!": "Atlikta!",
"Changing password will currently reset any end-to-end encryption keys on all sessions, making encrypted chat history unreadable, unless you first export your room keys and re-import them afterwards. In future this will be improved.": "Pakeitus slaptažodį šiuo metu, visuose seansuose bus iš naujo nustatyti visapusio šifravimo raktai, tad šifruotų pokalbių istorija taps neperskaitoma, nebent jūs eksportuosite savo kambarių raktus ir po to importuosite juos atgal. Ateityje ši funkcija bus pataisyta.",
"Your password was successfully changed. You will not receive push notifications on other sessions until you log back in to them": "Jūsų slaptažodis buvo sėkmingai pakeistas. Jūs kituose seansuose negausite pranešimų, kol iš naujo prie jų neprisijungsite",
"An email has been sent to %(emailAddress)s. Once you've followed the link it contains, click below.": "El. laiškas buvo išsiųstas į %(emailAddress)s. Kai paspausite jame esančią nuorodą, tada spauskite žemiau.",
@ -1200,7 +1102,6 @@
"Deactivate user?": "Deaktyvuoti vartotoją?",
"Deactivate user": "Deaktyvuoti vartotoją",
"Failed to deactivate user": "Nepavyko deaktyvuoti vartotojo",
"Sessions": "Seansai",
"Try again later, or ask a room admin to check if you have access.": "Pabandykite vėliau arba paprašykite kambario administratoriaus patikrinti, ar turite prieigą.",
"%(errcode)s was returned while trying to access the room. If you think you're seeing this message in error, please <issueLink>submit a bug report</issueLink>.": "Bandant patekti į kambarį buvo gauta klaida: %(errcode)s. Jei manote, kad matote šį pranešimą per klaidą, prašome <issueLink>apie ją pranešti</issueLink>.",
"Error updating flair": "Klaida atnaujinant ženkliuką",
@ -1234,9 +1135,6 @@
"You cant disable this later. Bridges & most bots wont work yet.": "Jūs negalėsite vėliau to išjungti. Tiltai ir dauguma bot'ų dar nėra palaikomi.",
"Are you sure you want to deactivate your account? This is irreversible.": "Ar tikrai norite deaktyvuoti savo paskyrą? Tai yra negrįžtama.",
"Verify session": "Patvirtinti seansą",
"Verify by comparing a short text string.": "Patvirtinkite palygindami trumpą teksto eilutę.",
"To verify that this session can be trusted, please contact its owner using some other means (e.g. in person or a phone call) and ask them whether the key they see in their User Settings for this session matches the key below:": "Norėdami patvirtinti, kad šis seansas yra patikimas, susisiekite su jo savininku kokiu nors kitu būdu (pvz.: asmeniškai arba telefono skambučiu) ir paklauskite ar jų Vartotojo Nustatymuose matomas šio seanso raktas sutampa su raktu esančiu žemiau:",
"Start verification": "Pradėti patvirtinimą",
"Are you sure you want to sign out?": "Ar tikrai norite atsijungti?",
"Use this session to verify your new one, granting it access to encrypted messages:": "Panaudoti šį seansą naujo patvirtinimui, suteikant jam prieigą prie šifruotų žinučių:",
"If you didnt sign in to this session, your account may be compromised.": "Jei jūs nesijungėte prie šios sesijos, jūsų paskyra gali būti sukompromituota.",
@ -1247,7 +1145,6 @@
"Report Content to Your Homeserver Administrator": "Pranešti apie turinį serverio administratoriui",
"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.": "Pranešant apie šią netinkamą žinutę, serverio administratoriui bus nusiųstas unikalus 'įvykio ID'. Jei žinutės šiame kambaryje yra šifruotos, serverio administratorius negalės perskaityti žinutės teksto ar peržiūrėti failų arba paveikslėlių.",
"Send report": "Siųsti pranešimą",
"Unknown sessions": "Nežinomi seansai",
"Verify other session": "Patvirtinti kitą seansą",
"Are you sure you want to reject the invitation?": "Ar tikrai norite atmesti pakvietimą?",
"Share Permalink": "Dalintis nuoroda",
@ -1258,9 +1155,8 @@
"Registration has been disabled on this homeserver.": "Registracija šiame serveryje išjungta.",
"You can now close this window or <a>log in</a> to your new account.": "Jūs galite uždaryti šį langą arba <a>prisijungti</a> į savo naują paskyrą.",
"Confirm your identity by verifying this login from one of your other sessions, granting it access to encrypted messages.": "Identifikuokite save patvirtindami šį prisijungimą viename iš kitų jūsų seansų ir suteikdami jam prieigą prie šifruotų žinučių.",
"This requires the latest Riot on your other devices:": "Tam reikia naujausios Riot versijos kituose jūsų įrenginiuose:",
"This requires the latest %(brand)s on your other devices:": "Tam reikia naujausios %(brand)s versijos kituose jūsų įrenginiuose:",
"or another cross-signing capable Matrix client": "arba kito kryžminį pasirašymą palaikančio Matrix kliento",
"Use Recovery Passphrase or Key": "Naudoti atgavimo slaptafrazę arba raktą",
"Upgrade this session to allow it to verify other sessions, granting them access to encrypted messages and marking them as trusted for other users.": "Atnaujinkite šį seansą, kad jam būtų leista patvirtinti kitus seansus, suteikiant jiems prieigą prie šifruotų žinučių ir juos pažymint kaip patikimus kitiems vartotojams.",
"Use Single Sign On to continue": "Norėdami tęsti naudokite Vieno Prisijungimo sistemą",
"Confirm adding this email address by using Single Sign On to prove your identity.": "Patvirtinkite šio el. pašto adreso pridėjimą naudodami Vieno Prisijungimo sistemą, patvirtinančią jūsų tapatybę.",
@ -1269,7 +1165,6 @@
"Confirm adding this phone number by using Single Sign On to prove your identity.": "Patvirtinkite šio telefono numerio pridėjimą naudodami Vieno Prisijungimo sistemą, patvirtinančią jūsų tapatybę.",
"Confirm adding phone number": "Patvirtinkite telefono numerio pridėjimą",
"Click the button below to confirm adding this phone number.": "Paspauskite žemiau esantį mygtuką, kad patvirtintumėte šio numerio pridėjimą.",
"The version of Riot": "Riot versija",
"Match system theme": "Suderinti su sistemos tema",
"Identity Server URL must be HTTPS": "Tapatybės serverio URL privalo būti HTTPS",
"Not a valid Identity Server (status code %(code)s)": "Netinkamas tapatybės serveris (statuso kodas %(code)s)",
@ -1309,17 +1204,16 @@
"Your theme": "Jūsų tema",
"Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "Valdiklio ištrinimas pašalina jį visiems kambaryje esantiems vartotojams. Ar tikrai norite ištrinti šį valdiklį?",
"Enable 'Manage Integrations' in Settings to do this.": "Įjunkite 'Valdyti integracijas' nustatymuose, kad tai atliktumėte.",
"Your Riot doesn't allow you to use an Integration Manager to do this. Please contact an admin.": "Jūsų Riot neleidžia jums naudoti integracijų tvarkytuvo tam atlikti. Susisiekite su administratoriumi.",
"Your %(brand)s doesn't allow you to use an Integration Manager to do this. Please contact an admin.": "Jūsų %(brand)s neleidžia jums naudoti integracijų tvarkytuvo tam atlikti. Susisiekite su administratoriumi.",
"Enter phone number (required on this homeserver)": "Įveskite telefono numerį (privaloma šiame serveryje)",
"Doesn't look like a valid phone number": "Tai nepanašu į veikiantį telefono numerį",
"Invalid homeserver discovery response": "Klaidingas serverio radimo atsakas",
"Invalid identity server discovery response": "Klaidingas tapatybės serverio radimo atsakas",
"The phone number entered looks invalid": "Įvestas telefono numeris atrodo klaidingas",
"Double check that your server supports the room version chosen and try again.": "Dar kartą įsitikinkite, kad jūsų serveris palaiko pasirinktą kambario versiją ir bandykite iš naujo.",
"Whether you're using Riot on a device where touch is the primary input mechanism": "Ar naudojate Riot įrenginyje, kuriame pagrindinis įvesties mechanizmas yra lietimas",
"Whether you're using %(brand)s on a device where touch is the primary input mechanism": "Ar naudojate %(brand)s įrenginyje, kuriame pagrindinis įvesties mechanizmas yra lietimas",
"Session already verified!": "Seansas jau patvirtintas!",
"WARNING: Session already verified, but keys do NOT MATCH!": "ĮSPĖJIMAS: Seansas jau patvirtintas, bet raktai NESUTAMPA!",
"Enable cross-signing to verify per-user instead of per-session": "Įjunkite kryžminį pasirašymą, kad patvirtintumėte vartotoją, o ne seansą",
"Enable Emoji suggestions while typing": "Įjungti jaustukų pasiūlymus rašant",
"Show a reminder to enable Secure Message Recovery in encrypted rooms": "Rodyti priminimą įjungti saugių žinučių atgavimą šifruotuose kambariuose",
"Enable automatic language detection for syntax highlighting": "Įjungti automatinį kalbos aptikimą sintaksės paryškinimui",
@ -1422,7 +1316,6 @@
"Backup has a <validity>valid</validity> signature from <verify>unverified</verify> session <device></device>": "Atsarginė kopija turi <validity>galiojantį</validity> <verify>nepatvirtinto</verify> seanso <device></device> parašą",
"Backup has an <validity>invalid</validity> signature from <verify>verified</verify> session <device></device>": "Atsarginė kopija turi <validity>negaliojantį</validity> <verify>patvirtinto</verify> seanso <device></device> parašą",
"Backup has an <validity>invalid</validity> signature from <verify>unverified</verify> session <device></device>": "Atsarginė kopija turi <validity>negaliojantį</validity> <verify>nepatvirtinto</verify> seanso <device></device> parašą",
"Backup key stored in secret storage, but this feature is not enabled on this session. Please enable cross-signing in Labs to modify key backup state.": "Atsarginė rakto kopija saugoma slaptoje saugykloje, bet ši funkcija nėra įjungta šiame seanse. Įjunkite kryžminį pasirašymą Laboratorijose, kad galėtumėte keisti atsarginės rakto kopijos būseną.",
"Enable desktop notifications for this session": "Įjungti darbalaukio pranešimus šiam seansui",
"Enable audible notifications for this session": "Įjungti garsinius pranešimus šiam seansui",
"wait and try again later": "palaukite ir bandykite vėliau dar kartą",
@ -1440,7 +1333,7 @@
"You have verified this user. This user has verified all of their sessions.": "Jūs patvirtinote šį vartotoją. Šis vartotojas patvirtino visus savo seansus.",
"Everyone in this room is verified": "Visi šiame kambaryje yra patvirtinti",
"Encrypted by a deleted session": "Užšifruota ištrintos sesijos",
"Use an identity server in Settings to receive invites directly in Riot.": "Nustatymuose naudokite tapatybės serverį, kad gautumėte pakvietimus tiesiai į Riot.",
"Use an identity server in Settings to receive invites directly in %(brand)s.": "Nustatymuose naudokite tapatybės serverį, kad gautumėte pakvietimus tiesiai į %(brand)s.",
"%(count)s verified sessions|one": "1 patvirtintas seansas",
"If you can't scan the code above, verify by comparing unique emoji.": "Jei nuskaityti aukščiau esančio kodo negalite, patvirtinkite palygindami unikalius jaustukus.",
"You've successfully verified your device!": "Jūs sėkmingai patvirtinote savo įrenginį!",
@ -1454,29 +1347,24 @@
"Destroy cross-signing keys?": "Sunaikinti kryžminio pasirašymo raktus?",
"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.": "Kryžminio pasirašymo raktų ištrinimas yra neatšaukiamas. Visi, kurie buvo jais patvirtinti, matys saugumo įspėjimus. Jūs greičiausiai nenorite to daryti, nebent praradote visus įrenginius, iš kurių galite patvirtinti kryžminiu pasirašymu.",
"Clear cross-signing keys": "Valyti kryžminio pasirašymo raktus",
"To verify that this session can be trusted, please check that the key you see in User Settings on that device matches the key below:": "Tam, kad patvirtintumėte šio seanso patikimumą, patikrinkite ar raktas, kurį matote Vartotojo Nustatymuose tame įrenginyje, sutampa su raktu esančiu žemiau:",
"Verify this device to mark it as trusted. Trusting this device gives you and other users extra peace of mind when using end-to-end encrypted messages.": "Patvirtinkite šį įrenginį, kad pažymėtumėte jį kaip patikimą. Pasitikėjimas šiuo įrenginiu suteikia jums ir kitiems vartotojams papildomos ramybės, kai naudojate visapusiškai užšifruotas žinutes.",
"Verifying this device will mark it as trusted, and users who have verified with you will trust this device.": "Šio įrenginio patvirtinimas pažymės jį kaip patikimą ir vartotojai, kurie patvirtino su jumis, pasitikės šiuo įrenginiu.",
"a new cross-signing key signature": "naujas kryžminio pasirašymo rakto parašas",
"a device cross-signing signature": "įrenginio kryžminio pasirašymo parašas",
"Access your secure message history and your cross-signing identity for verifying other sessions by entering your recovery key.": "Pasiekite savo saugių žinučių istoriją ir kryžminio pasirašymo tapatybę, naudojamą kitų seansų patvirtinimui, įvesdami savo atgavimo raktą.",
"Session verified": "Seansas patvirtintas",
"Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or <a>enable unsafe scripts</a>.": "Neįmanoma prisijungti prie serverio per HTTP, kai naršyklės juostoje yra HTTPS URL. Naudokite HTTPS arba <a>įjunkite nesaugias rašmenas</a>.",
"Your new session is now verified. It has access to your encrypted messages, and other users will see it as trusted.": "Jūsų naujas seansas buvo patvirtintas. Jis turi prieigą prie jūsų šifruotų žinučių ir kiti vartotojai matys jį kaip patikimą.",
"Your new session is now verified. Other users will see it as trusted.": "Jūsų naujas seansas dabar yra patvirtintas. Kiti vartotojai matys jį kaip patikimą.",
"NOT verified": "Nepatvirtinta",
"verified": "patvirtinta",
"If you don't want to set this up now, you can later in Settings.": "Jei jūs dabar nenorite to nustatyti, galite padaryti tai vėliau Nustatymuose.",
"Done": "Atlikta",
"No media permissions": "Nėra medijos leidimų",
"The session you are trying to verify doesn't support scanning a QR code or emoji verification, which is what Riot supports. Try with a different client.": "Seansas, kurį jūs bandote patvirtinti, nepalaiko QR kodo nuskaitymo arba jaustukų patvirtinimo, kuriuos palaiko Riot. Bandykite su kitu klientu.",
"The session you are trying to verify doesn't support scanning a QR code or emoji verification, which is what %(brand)s supports. Try with a different client.": "Seansas, kurį jūs bandote patvirtinti, nepalaiko QR kodo nuskaitymo arba jaustukų patvirtinimo, kuriuos palaiko %(brand)s. Bandykite su kitu klientu.",
"Almost there! Is your other session showing the same shield?": "Beveik atlikta! Ar jūsų kitas seansas rodo tokį patį skydą?",
"Almost there! Is %(displayName)s showing the same shield?": "Beveik atlikta! Ar %(displayName)s rodo tokį patį skydą?",
"No": "Ne",
"Yes": "Taip",
"Interactively verify by Emoji": "Patvirtinti interaktyviai, naudojant jaustukus",
"The message you are trying to send is too large.": "Žinutė, kurią jūs bandote siųsti, yra per didelė.",
"Use the improved room list (in development - refresh to apply changes)": "Naudoti patobulintą kambarių sąrašą (tobulinama - atnaujinkite, kad pritaikytumėte pakeitimus)",
"Show a placeholder for removed messages": "Rodyti pašalintų žinučių žymeklį",
"Show join/leave messages (invites/kicks/bans unaffected)": "Rodyti prisijungimo/išėjimo žinutes (pakvietimai/išmetimai/draudimai nepaveikti)",
"Show avatar changes": "Rodyti pseudoportretų pakeitimus",
@ -1498,7 +1386,6 @@
"Verify this user by confirming the following emoji appear on their screen.": "Patvirtinkite šį vartotoją, įsitikindami, kad šie jaustukai rodomi jo ekrane.",
"⚠ These settings are meant for advanced users.": "⚠ Šie nustatymai yra skirti pažengusiems vartotojams.",
"Your personal ban list holds all the users/servers you personally don't want to see messages from. After ignoring your first user/server, a new room will show up in your room list named 'My Ban List' - stay in this room to keep the ban list in effect.": "Jūsų asmeniniame draudimų sąraše yra visi vartotojai/serveriai, iš kurių jūs asmeniškai nenorite matyti pranešimų. Po pirmojo jūsų vartotojo/serverio ignoravimo, jūsų kambarių sąraše pasirodys naujas kambarys pavadinimu 'Mano Draudimų Sąrašas' - likite šiame kambaryje, kad draudimų sąrašas veiktų.",
"Room ID or alias of ban list": "Kambario ID arba draudimų sąrašo slapyvardis",
"Room list": "Kambarių sąrašas",
"Composer": "Rašymas",
"Autocomplete delay (ms)": "Automatinio užbaigimo vėlinimas (ms)",
@ -1540,12 +1427,10 @@
"Reject & Ignore user": "Atmesti ir ignoruoti vartotoją",
"Reject invitation": "Atmesti pakvietimą",
"Unable to reject invite": "Nepavyko atmesti pakvietimo",
"Whether you're using Riot as an installed Progressive Web App": "Ar naudojate Riot kaip įdiegtą progresyviąją žiniatinklio programą",
"Whether you're using %(brand)s as an installed Progressive Web App": "Ar naudojate %(brand)s kaip įdiegtą progresyviąją žiniatinklio programą",
"Your user agent": "Jūsų vartotojo agentas",
"The information being sent to us to help make Riot better includes:": "Informacija, siunčiama mums siekiant pagerinti Riot, yra:",
"Invite only": "Tik pakviestiems",
"You can only join it with a working invite.": "Jūs galite prisijungti tik su veikiančiu pakvietimu.",
"There are unknown sessions in this room: if you proceed without verifying them, it will be possible for someone to eavesdrop on your call.": "Šiame kambaryje yra nežinomų seansų: jei jūs tęsite jų nepatvirtinę, bus galimybė kažkam slapta pasiklausyti jūsų skambučio.",
"If you cancel now, you won't complete your operation.": "Jei atšauksite dabar, jūs neužbaigsite savo operacijos.",
"Cancel entering passphrase?": "Atšaukti slaptafrazės įvedimą?",
"Room name or address": "Kambario pavadinimas arba adresas",
@ -1571,8 +1456,6 @@
"You sent a verification request": "Jūs išsiuntėte patvirtinimo užklausą",
"Widgets do not use message encryption.": "Valdikliai nenaudoja žinučių šifravimo.",
"Continue With Encryption Disabled": "Tęsti išjungus šifravimą",
"Waiting for partner to accept...": "Laukiama kol partneris sutiks...",
"Waiting for %(userId)s to confirm...": "Laukiama kol %(userId)s patvirtins...",
"Verify this user to mark them as trusted. Trusting users gives you extra peace of mind when using end-to-end encrypted messages.": "Patvirtinkite šį vartotoją, kad pažymėtumėte jį kaip patikimą. Pažymint vartotojus kaip patikimus suteikia papildomos ramybės naudojant visapusiškai užšifruotas žinutes.",
"Waiting for partner to confirm...": "Laukiama kol partneris patvirtins...",
"Start a conversation with someone using their name, username (like <userId/>) or email address.": "Pradėkite pokalbį su kuo nors naudodami jų vardą, vartotojo vardą (kaip <userId/>) arba el. pašto adresą.",
@ -1623,7 +1506,6 @@
"Show developer tools": "Rodyti vystytojo įrankius",
"Low bandwidth mode": "Žemo duomenų pralaidumo režimas",
"Send read receipts for messages (requires compatible homeserver to disable)": "Siųsti žinučių perskaitymo kvitus (norint išjungti reikalingas suderinamas serveris)",
"Keep recovery passphrase in memory for this session": "Šiam seansui atgavimo slaptafrazę laikyti atmintyje",
"How fast should messages be downloaded.": "Kaip greitai žinutės turi būti parsiųstos.",
"Manually verify all remote sessions": "Rankiniu būdu patvirtinti visus nuotolinius seansus",
"well formed": "gerai suformuotas",
@ -1639,7 +1521,6 @@
"in account data": "paskyros duomenyse",
"Homeserver feature support:": "Serverio funkcijų palaikymas:",
"exists": "yra",
"Riot can't securely cache encrypted messages locally while running in a web browser. Use <riotLink>Riot Desktop</riotLink> for encrypted messages to appear in search results.": "Riot negali saugiai podėlyje talpinti užšifruotų žinučių, kol veikia interneto naršyklėje. Naudokite <riotLink>Riot Desktop</riotLink>, kad užšifruotos žinutės būtų rodomos paieškos rezultatuose.",
"This session is backing up your keys. ": "Šis seansas kuria atsargines jūsų raktų kopijas. ",
"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.": "Šis seansas <b>nekuria atsarginių raktų kopijų</b>, bet jūs jau turite atsarginę kopiją iš kurios galite atkurti ir pridėti.",
"All keys backed up": "Atsarginė kopija sukurta visiems raktams",
@ -1653,7 +1534,6 @@
"Clearing all data from this session is permanent. Encrypted messages will be lost unless their keys have been backed up.": "Šio seanso duomenų išvalymas yra negrįžtamas. Šifruotos žinutės bus prarastos, nebent buvo sukurta jų raktų atsarginė kopija.",
"Some session data, including encrypted message keys, is missing. Sign out and sign in to fix this, restoring keys from backup.": "Trūksta kai kurių seanso duomenų, įskaitant šifruotų žinučių raktus. Atsijunkite ir prisijunkite, kad tai išspręstumėte, atkurdami raktus iš atsarginės kopijos.",
"Unable to access secret storage. Please verify that you entered the correct recovery passphrase.": "Nepavyko pasiekti slaptos saugyklos. Patikrinkite, ar įvedėte teisingą atgavimo slaptafrazę.",
"Unable to access secret storage. Please verify that you entered the correct recovery key.": "Nepavyko pasiekti slaptos saugyklos. Patikrinkite, ar įvedėte teisingą atgavimo raktą.",
"Restoring keys from backup": "Raktų atkūrimas iš atsarginės kopijos",
"Backup could not be decrypted with this recovery key: please verify that you entered the correct recovery key.": "Atsarginės kopijos nepavyko iššifruoti naudojant šį atgavimo raktą: patikrinkite, ar įvedėte teisingą atgavimo raktą.",
"Unable to query secret storage status": "Slaptos saugyklos būsenos užklausa neįmanoma",
@ -1678,8 +1558,8 @@
"Disconnect": "Atsijungti",
"Disconnect anyway": "Vis tiek atsijungti",
"Credits": "Padėka",
"For help with using Riot, click <a>here</a>.": "Norėdami gauti pagalbos naudojant Riot, paspauskite <a>čia</a>.",
"For help with using Riot, click <a>here</a> or start a chat with our bot using the button below.": "Norėdami gauti pagalbos naudojant Riot, paspauskite <a>čia</a> arba pradėkite pokalbį su mūsų botu pasinaudoję žemiau esančiu mygtuku.",
"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>.",
@ -1690,7 +1570,7 @@
"Import E2E room keys": "Importuoti E2E kambarių raktus",
"Session ID:": "Seanso ID:",
"Session key:": "Seanso raktas:",
"Riot collects anonymous analytics to allow us to improve the application.": "Riot renka anoniminę analizę, kad galėtume patobulinti programą.",
"%(brand)s collects anonymous analytics to allow us to improve the application.": "%(brand)s renka anoniminę analizę, kad galėtume patobulinti programą.",
"Privacy is important to us, so we don't collect any personal or identifiable data for our analytics.": "Privatumas mums yra svarbus, todėl mes nerenkame jokių asmeninių ar identifikuojamų duomenų savo analitikai.",
"Learn more about how we use analytics.": "Sužinokite daugiau apie tai, kaip mes naudojame analitiką.",
"Reset": "Iš naujo nustatyti",
@ -1706,7 +1586,6 @@
"Integration Manager": "Integracijų tvarkytuvas",
"This looks like a valid recovery key!": "Tai panašu į galiojantį atgavimo raktą!",
"Not a valid recovery key": "Negaliojantis atgavimo raktas",
"If you've forgotten your recovery key you can <button>set up new recovery options</button>.": "Jei pamiršote savo atgavimo raktą, galite <button>nustatyti naujas atgavimo parinktis</button>.",
"Recovery key mismatch": "Atgavimo rakto neatitikimas",
"Incorrect recovery passphrase": "Neteisinga atgavimo slaptafrazė",
"Backup could not be decrypted with this recovery passphrase: please verify that you entered the correct recovery passphrase.": "Nepavyko iššifruoti atsarginės kopijos naudojant šią atgavimo slaptafrazę: patikrinkite, ar įvedėte teisingą atgavimo slaptafrazę.",

View file

@ -12,15 +12,13 @@
"No Microphones detected": "Nav mikrofonu",
"No Webcams detected": "Nav webkameru",
"No media permissions": "Nav datu nesēju, kuriem atļauta piekļuve",
"You may need to manually permit Riot to access your microphone/webcam": "Tev varētu būt nepieciešams manuāli atļaut Riot pieslēgties tavam mikrofonam/webkamerai",
"You may need to manually permit %(brand)s to access your microphone/webcam": "Tev varētu būt nepieciešams manuāli atļaut %(brand)s pieslēgties tavam mikrofonam/webkamerai",
"Default Device": "Noklusējuma ierīce",
"Microphone": "Mikrofons",
"Camera": "Kamera",
"Advanced": "Papildus",
"Algorithm": "Algoritms",
"Always show message timestamps": "Vienmēr rādīt ziņojumu laika zīmogu",
"Authentication": "Autentifikācija",
"Alias (optional)": "Aizstājējvārds (neobligāts)",
"%(items)s and %(lastItem)s": "%(items)s un %(lastItem)s",
"A new password must be entered.": "Nepieciešams ievadīt jauno paroli.",
"%(senderName)s answered the call.": "%(senderName)s atbildēja zvanam.",
@ -37,7 +35,6 @@
"Ban": "Nobanot/liegt pieeju",
"Banned users": "Banotie/bloķētie lietotāji (kuriem liegta pieeja)",
"Bans user with given id": "Bloķē (liedz pieeju) lietotāju pēc uzdotā ID (nobano)",
"Blacklisted": "Melnajā sarakstā iekļautie",
"Call Timeout": "Savienojuma gaidīšanas noilgums",
"Can't connect to homeserver - please check your connectivity, ensure your <a>homeserver's SSL certificate</a> is trusted, and that a browser extension is not blocking requests.": "Neizdodas savienoties ar bāzes serveri. Pārbaudi tīkla savienojumu un pārliecinies, ka <a> bāzes servera SSL sertifikāts</a> ir uzticams, kā arī pārlūkā instalētie paplašinājumi nebloķē pieprasījumus.",
"Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or <a>enable unsafe scripts</a>.": "Neizdodas savienoties ar bāzes serveri izmantojot HTTP protokolu, kad Tava pārlūka adreses laukā norādīts HTTPS protokols. Tā vietā izmanto HTTPS vai <a>iespējo nedrošos skriptus</a>.",
@ -48,7 +45,6 @@
"%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s dzēsa istabas nosaukumu.",
"%(senderDisplayName)s changed the topic to \"%(topic)s\".": "%(senderDisplayName)s nomainīja tēmas nosaukumu uz \"%(topic)s\".",
"Changes your display nickname": "Nomaina Tavu publisko segvārdu (niku)",
"Claimed Ed25519 fingerprint key": "Ed25519 pieprasītā nospieduma (fingerprint) atslēga",
"Click here to fix": "Klikšķini šeit, lai salabotu",
"Click to mute audio": "Klikšķini, lai audio skaņu izslēgtu",
"Click to mute video": "Klikšķini, lai video skaņu izslēgtu",
@ -60,40 +56,29 @@
"Commands": "Komandas",
"Confirm password": "Apstiprini paroli",
"Continue": "Turpināt",
"Could not connect to the integration server": "Neizdevās savienoties ar Integrācijas serveri",
"Create Room": "Izveidot istabu",
"Cryptography": "Kriptogrāfija",
"Current password": "Pašreizējā parole",
"Curve25519 identity key": "Curve25519 identifikācijas atslēga",
"Custom": "Pielāgots",
"Custom level": "Īpašais līmenis",
"/ddg is not a command": "/ddg nav komanda",
"Deactivate Account": "Deaktivēt kontu",
"Decline": "Noraidīt",
"Decrypt %(text)s": "Atšifrēt %(text)s",
"Decryption error": "Atšifrēšanas kļūda",
"Deops user with given id": "Atceļ operatora statusu lietotājam ar norādīto Id",
"Default": "Noklusējuma",
"Device ID": "Ierīces Id",
"device id: ": "ierīces id: ",
"Direct chats": "Tiešie čati",
"Disable Notifications": "Izslēgt paziņojumus",
"Disinvite": "Atsaukt",
"Displays action": "Parāda darbību",
"Download %(text)s": "Lejupielādēt tekstu: %(text)s",
"Drop File Here": "Ievelc failu šeit",
"Ed25519 fingerprint": "Ed25519 nospiedums (fingerprint), zīmju virkne",
"Email": "Epasts",
"Email address": "Epasta adrese",
"Emoji": "Emocīši (emoji)",
"Enable Notifications": "Ieslēgt paziņojumus",
"%(senderName)s ended the call.": "%(senderName)s beidza zvanu.",
"End-to-end encryption information": "\"End-to-End\" (ierīce-ierīce) šifrēšanas informācija",
"Enter passphrase": "Ievadi paroles frāzi",
"Error": "Kļūda",
"Error decrypting attachment": "Kļūda atšifrējot pielikumu",
"Error: Problem communicating with the given homeserver.": "Kļūda: Saziņas problēma ar norādīto bāzes serveri.",
"Event information": "Notikuma informācija",
"Existing Call": "Pašreizējā saruna (zvans)",
"Export": "Eksportēt",
"Export E2E room keys": "Eksportēt E2E istabas atslēgas",
@ -114,7 +99,6 @@
"Failed to send email": "Neizdevās nosūtīt epastu",
"Failed to send request.": "Neizdevās nosūtīt pieprasījumu.",
"Failed to set display name": "Neizdevās iestatīt redzamo vārdu",
"Failed to toggle moderator status": "Neizdevās nomainīt moderatora statusu",
"Failed to unban": "Neizdevās atbanot/atbloķēt (atcelt pieejas liegumu)",
"Failed to upload profile picture!": "Neizdevās augšuplādēt profila attēlu!",
"Failed to verify email address: make sure you clicked the link in the email": "Neizdevās apstiprināt epasta adresi. Pārbaudi, vai Tu esi noklikšķinājis/usi saiti epasta ziņā",
@ -150,7 +134,6 @@
"Join as <voiceText>voice</voiceText> or <videoText>video</videoText>.": "Pievienoties kā <voiceText>AUDIO</voiceText> vai <videoText>VIDEO</videoText>.",
"Join Room": "Pievienoties istabai",
"%(targetName)s joined the room.": "%(targetName)s pievienojās istabai.",
"Joins room with given alias": "Pievienojas istabai ar minēto aliasi (pseidonīmu)",
"Jump to first unread message.": "Pāriet uz pirmo neizlasīto ziņu.",
"%(senderName)s kicked %(targetName)s.": "%(senderName)s iespēra (kick) %(targetName)s.",
"Kick": "Izspert/padzīt no istabas (kick)",
@ -159,7 +142,6 @@
"Last seen": "Pēdējo reizi redzēts/a",
"Leave room": "Doties prom no istabas",
"%(targetName)s left the room.": "%(targetName)s devās prom no istabas.",
"Local addresses for this room:": "Šīs istabas lokālās adreses:",
"Logout": "Izrakstīties",
"Low priority": "Zemas prioritātes",
"%(senderName)s made future room history visible to all room members, from the point they are invited.": "%(senderName)s padarīja istabas ziņu turpmāko vēsturi redzamu visiem istabas biedriem no brīža, kad tie tika uzaicināti.",
@ -173,15 +155,12 @@
"Moderator": "Moderators",
"Mute": "Noklusināt (izslēgt skaņu)",
"Name": "Vārds",
"New address (e.g. #foo:%(localDomain)s)": "Jaunā adrese (piemēram #kautkas:%(localDomain)s)",
"New passwords don't match": "Jaunās paroles nesakrīt",
"New passwords must match each other.": "Jaunajām parolēm ir jāsakrīt vienai ar otru.",
"none": "neviens",
"not specified": "nav noteikts",
"Notifications": "Paziņojumi",
"(not supported by this browser)": "(netiek atbalstīts šajā pārlūkā)",
"<not supported>": "<netiek atbalstīts>",
"NOT verified": "NAV verificēts",
"No display name": "Nav publiski redzamā vārda",
"No more results": "Nav tālāko rezultātu",
"No results": "Nav rezultātu",
@ -200,20 +179,18 @@
"Profile": "Profils",
"Public Chat": "Publiskais čats",
"Reason": "Iemesls",
"Revoke Moderator": "Atcelt moderatoru",
"Register": "Reģistrēties",
"%(targetName)s rejected the invitation.": "%(targetName)s noraidīja uzaicinājumu.",
"Reject invitation": "Noraidīt uzaicinājumu",
"Remote addresses for this room:": "Attālinātā adrese šai istabai:",
"%(senderName)s removed their display name (%(oldDisplayName)s).": "%(senderName)s dzēsa attēlojamo/redzamo vārdu (%(oldDisplayName)s).",
"%(senderName)s removed their profile picture.": "%(senderName)s dzēsa profila attēlu.",
"Remove": "Dzēst",
"%(senderName)s requested a VoIP conference.": "%(senderName)s vēlas VoIP konferenci.",
"Results from DuckDuckGo": "Rezultāti no DuckDuckGo",
"Return to login screen": "Atgriezties uz pierakstīšanās lapu",
"Riot does not have permission to send you notifications - please check your browser settings": "Riot nav atļauts nosūtīt Tev paziņojumus. Lūdzu pārbaudi sava pārlūka iestatījumus",
"Riot was not given permission to send notifications - please try again": "Riot nav piešķirta atļauja nosūtīt paziņojumus. Lūdzu mēģini vēlreiz",
"riot-web version:": "Riot-web versija:",
"%(brand)s does not have permission to send you notifications - please check your browser settings": "%(brand)s nav atļauts nosūtīt Tev paziņojumus. Lūdzu pārbaudi sava pārlūka iestatījumus",
"%(brand)s was not given permission to send notifications - please try again": "%(brand)s nav piešķirta atļauja nosūtīt paziņojumus. Lūdzu mēģini vēlreiz",
"%(brand)s version:": "%(brand)s versija:",
"Unable to enable Notifications": "Nav iespējams iespējot paziņojumus",
"You have no visible notifications": "Tev nav redzamo paziņojumu",
"This will allow you to reset your password and receive notifications.": "Tas atļaus Tev atiestatīt paroli un saņemt paziņojumus.",
@ -226,7 +203,6 @@
"%(senderName)s set a profile picture.": "%(senderName)s uzstādīja profila attēlu.",
"%(senderName)s set their display name to %(displayName)s.": "%(senderName)s nomainīja attēlojamo/redzamo vārdu uz: %(displayName)s.",
"%(senderName)s unbanned %(targetName)s.": "%(senderName)s atcēla pieejas ierobežojumu (atbanoja) %(targetName)s.",
"Unknown room %(roomId)s": "Nezināma istaba %(roomId)s",
"Uploading %(filename)s and %(count)s others|zero": "Tiek augšuplādēts %(filename)s",
"Uploading %(filename)s and %(count)s others|one": "Tiek augšuplādēts %(filename)s un %(count)s citi",
"Uploading %(filename)s and %(count)s others|other": "Tiek augšuplādēts %(filename)s un %(count)s citi",
@ -249,11 +225,9 @@
"Room Colour": "Istabas krāsa",
"Rooms": "Istabas",
"Save": "Saglabāt",
"Scroll to bottom of page": "Aizritināt uz lapas apakšu",
"Search": "Meklēt",
"Search failed": "Meklēšana neizdevās",
"Searches DuckDuckGo for results": "Meklēšanai izmanto DuckDuckGo",
"Send anyway": "Nosūtīt jebkurā gadījumā",
"Send Reset Email": "Nosūtīt atiestatīšanas epastu",
"Server error": "Servera kļūda",
"Server may be unavailable, overloaded, or search timed out :(": "Serveris izskatās nesasniedzams, ir pārslogots, vai arī meklēšana beigusies ar savienojuma noildzi :(",
@ -267,7 +241,6 @@
"Sign out": "Izrakstīties",
"%(count)s of your messages have not been sent.|other": "Dažas no tavām ziņām netika nosūtītas.",
"Someone": "Kāds",
"Start a chat": "Sākt čatu",
"Start authentication": "Sākt autentifikāciju",
"Submit": "Iesniegt",
"Success": "Izdevās",
@ -290,9 +263,7 @@
"Unable to verify email address.": "Nav iespējams apstiprināt epasta adresi.",
"Unban": "Atbanot/atcelt pieejas liegumu",
"Unable to capture screen": "Neizdevās uzņemt ekrānattēlu",
"unencrypted": "nešifrēts",
"unknown caller": "nezināms zvanītājs",
"unknown device": "nezināma ierīce",
"unknown error code": "nezināms kļūdas kods",
"Unmute": "Ieslēgt skaņu",
"Unnamed Room": "Istaba bez nosaukuma",
@ -301,20 +272,14 @@
"Custom Server Options": "Iestatāmās servera opcijas",
"Dismiss": "Atteikt",
"You have <a>enabled</a> URL previews by default.": "URL priekšskats pēc noklusējuma Tev ir<a>iespējots</a> .",
"Unrecognised room alias:": "Neatpazīta istabas aliase:",
"Upload avatar": "Augšuplādēt avataru (profila attēlu)",
"Upload Failed": "Augšupielāde (nosūtīšana) neizdevās",
"Upload file": "Augšuplādēt failu",
"Upload new:": "Augšuplādēt jaunu:",
"Usage": "Lietojums",
"Use compact timeline layout": "Izmanto kompaktu laikpaziņojumu skatu",
"User ID": "Lietotāja Id",
"Users": "Lietotāji",
"Verification Pending": "Gaida verifikāciju",
"Verification": "Verifikācija",
"verified": "verificēts",
"Verified key": "Verificēta atslēga",
"Start verification": "Sākt verifikāciju",
"Video call": "VIDEO zvans",
"Voice call": "AUDIO zvans",
"VoIP conference finished.": "VoIP konference beidzās.",
@ -359,7 +324,6 @@
"%(senderDisplayName)s changed the room avatar to <img/>": "%(senderDisplayName)s nomainīja istabas avataru uz <img/>",
"Upload an avatar:": "Augšuplādē avataru (profila attēlu):",
"This server does not support authentication with a phone number.": "Šis serveris neatbalsta autentifikāciju pēc telefona numura.",
"Make Moderator": "Piešķirt moderatora statusu",
"There are no visible files in this room": "Nav redzamu failu šajā istabā",
"Room": "Istaba",
"Connectivity to the server has been lost.": "Savienojums ar serveri pārtrūka.",
@ -372,7 +336,7 @@
"Start automatically after system login": "Startēt pie ierīces ielādes",
"Analytics": "Analītika",
"Options": "Opcijas/iestatījumi",
"Riot collects anonymous analytics to allow us to improve the application.": "Riot ievāc anonīmus analītikas datus, lai varētu uzlabot aplikācijas darbību.",
"%(brand)s collects anonymous analytics to allow us to improve the application.": "%(brand)s ievāc anonīmus analītikas datus, lai varētu uzlabot aplikācijas darbību.",
"Passphrases must match": "Paroles frāzēm ir jāsakrīt",
"Passphrase must not be empty": "Paroles frāze nevar būt tukša",
"Export room keys": "Eksportēt istabas atslēgas",
@ -389,15 +353,9 @@
"Are you sure you wish to remove (delete) this event? Note that if you delete a room name or topic change, it could undo the change.": "Vai tiešām vēlies dzēst šo notikumu? Ņem vērā, ka istabas nosaukuma vai tēmas nosaukuma maiņa var ietekmēt (atsaukt) izmaiņas.",
"Unknown error": "Nezināma kļūda",
"Incorrect password": "Nepareiza parole",
"To continue, please enter your password.": "Lai turpinātu, ievadi savu paroli.",
"I verify that the keys match": "Es apstiprinu, ka atslēgas sakrīt",
"Unable to restore session": "Nav iespējams atjaunot sesiju",
"If you have previously used a more recent version of Riot, your session may be incompatible with this version. Close this window and return to the more recent version.": "Ja Tu iepriekš izmantoji jaunāku Riot versiju, tava sesija var nebūt saderīga ar šo versiju. Aizver šo logu un atgriezies jaunākajā versijā.",
"If you have previously used a more recent version of %(brand)s, your session may be incompatible with this version. Close this window and return to the more recent version.": "Ja Tu iepriekš izmantoji jaunāku %(brand)s versiju, tava sesija var nebūt saderīga ar šo versiju. Aizver šo logu un atgriezies jaunākajā versijā.",
"Unknown Address": "Nezināma adrese",
"Unblacklist": "Atbloķēšanas saraksts",
"Blacklist": "Melnais saraksts",
"Unverify": "Atverificēt",
"Verify...": "Verificē...",
"ex. @bob:example.com": "piemēram, @valters:smaidu.lv",
"Add User": "Pievienot lietotāju",
"Please check your email to continue registration.": "Lūdzu pārbaudi savu epastu lai turpinātu reģistrāciju.",
@ -409,7 +367,6 @@
"Error decrypting image": "Kļūda atšifrējot attēlu",
"Error decrypting video": "Kļūda atšifrējot video",
"Add an Integration": "Pievienot integrāciju",
"Removed or unknown message type": "Dzēsts vai nezināms ziņas tips",
"URL Previews": "URL priekšskats",
"Drop file here to upload": "Ievelc failu šeit lai augšuplādētu",
" (unsupported)": " (netiek atbalstīts)",
@ -423,13 +380,10 @@
"This will be your account name on the <span></span> homeserver, or you can pick a <a>different server</a>.": "Šis būs Tavs konta vārds <span></span> Bāzes serverī, vai arī vari izvēlēties <a>citu serveri</a>.",
"If you already have a Matrix account you can <a>log in</a> instead.": "Vai arī, ja Tev jau ir Matrix konts, tu vari <a>pierakstīties</a> tajā.",
"Your browser does not support the required cryptography extensions": "Tavs pārlūks neatbalsta vajadzīgos kriptogrāfijas paplašinājumus",
"Not a valid Riot keyfile": "Nederīgs Riot atslēgfails",
"Not a valid %(brand)s keyfile": "Nederīgs %(brand)s atslēgfails",
"Authentication check failed: incorrect password?": "Autentifikācijas pārbaude neizdevās. Nepareiza parole?",
"Do you want to set an email address?": "Vai vēlies norādīt epasta adresi?",
"Skip": "Izlaist",
"Share without verifying": "Kopīgot bez verificēšanas",
"Ignore request": "Ignorēt pieprasījumu",
"Encryption key request": "Šifrēšanas atslēgas pieprasījums",
"Add a widget": "Pievienot vidžetu",
"Allow": "Atļaut",
"and %(count)s others...|other": "un vēl %(count)s citi...",
@ -464,20 +418,14 @@
"Unnamed room": "Nenosaukta istaba",
"Guests can join": "Var pievienoties viesi",
"The platform you're on": "Izmantotā operētājsistēma",
"The version of Riot.im": "Riot.im versija",
"The version of %(brand)s": "%(brand)s versija",
"Your language of choice": "Izvēlētā valoda",
"Which officially provided instance you are using, if any": "Kuru oficiāli izlaisto versiju izmantojat (ja to darat)",
"Whether or not you're using the Richtext mode of the Rich Text Editor": "Neatkarīgi no tā, vai izmantojat Richtext režīmu redaktorā Rich Text Editor",
"Your homeserver's URL": "Bāzes servera URL adrese",
"Your identity server's URL": "Tava Identitātes servera URL adrese",
"The information being sent to us to help make Riot.im better includes:": "Informācija, kura mums tiek nosūtīta, lai ļautu padarīt Riot.im labāku, ietver:",
"The information being sent to us to help make %(brand)s better includes:": "Informācija, kura mums tiek nosūtīta, lai ļautu padarīt %(brand)s labāku, ietver:",
"Where this page includes identifiable information, such as a room, user or group ID, that data is removed before being sent to the server.": "Ja šī lapa ietver identificējamu informāciju, tādu kā istaba, lietotājs, grupas Id, šie dati tiek noņemti pirms nosūtīšanas uz serveri.",
"Call Failed": "Zvans neizdevās",
"Review Devices": "Ierīču pārskats",
"Call Anyway": "Vienalga zvanīt",
"Answer Anyway": "Vienalga atbildēt",
"Call": "Zvans",
"Answer": "Atbildēt",
"%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s",
"Who would you like to add to this community?": "Kurus cilvēkus Tu vēlētos pievienot šai kopienai?",
"Warning: any person you add to a community will be publicly visible to anyone who knows the community ID": "Brīdinājums: ikviens, kurš tiek pievienots kopienai būs publiski redzams visiem, kuri zin kopienas Id",
@ -486,7 +434,6 @@
"Which rooms would you like to add to this community?": "Kuras istabas vēlies pievienot šai kopienai?",
"Show these rooms to non-members on the community page and room list?": "Vai ne-biedriem rādīt kopienas lapā un istabu sarakstā šīs istabas?",
"Add rooms to the community": "Istabu pievienošana kopienai",
"Room name or alias": "Istabas nosaukums vai aliase",
"Add to community": "Pievienot kopienai",
"Failed to invite the following users to %(groupId)s:": "Neizdevās uzaicināt sekojošus lietotājus grupā %(groupId)s:",
"Failed to invite users to community": "Neizdevās uzaicināt lietotājus komūnā",
@ -518,11 +465,8 @@
"Jump to read receipt": "Pāriet uz izlasīšanas apstiprinājumu",
"Mention": "Pieminējums/atsauce",
"Invite": "Uzaicināt",
"User Options": "Lietotāja uzstādījumi/opcijas",
"Send an encrypted reply…": "sūtīt šifrētu atbildi…",
"Send a reply (unencrypted)…": "sūtīt NEšifrētu atbildi…",
"Send an encrypted message…": "rakstīt ziņu (šifrētu)…",
"Send a message (unencrypted)…": "rakstīt ziņu (NEšifrētu)…",
"Jump to message": "Pāriet uz ziņu",
"No pinned messages.": "Nav piekabinātu ziņu.",
"Loading...": "Ielāde...",
@ -556,8 +500,6 @@
"URL previews are disabled by default for participants in this room.": "ULR priešskats šīs istabas dalībniekiem pēc noklusējuma ir atspējots.",
"Copied!": "Nokopēts!",
"Failed to copy": "Nokopēt neizdevās",
"Message removed by %(userId)s": "Ziņu dzēsis %(userId)s",
"Message removed": "Ziņa dzēsta",
"An email has been sent to %(emailAddress)s": "Vēstule tika nosūtīta uz %(emailAddress)s",
"A text message has been sent to %(msisdn)s": "Teksta ziņa tika nosūtīta uz %(msisdn)s",
"Remove from community": "Izdzēst no kopienas",
@ -651,19 +593,16 @@
"Failed to load %(groupId)s": "Neizdevās ielādēt %(groupId)s",
"This room is not public. You will not be able to rejoin without an invite.": "Šīs istaba nav publiska. Tu nevari tajā ieiet bez uzaicinājuma.",
"Old cryptography data detected": "Tika uzieti novecojuši šifrēšanas dati",
"Data from an older version of Riot has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "Uzieti dati no vecākas Riot versijas. Tas novedīs pie \"end-to-end\" šifrēšanas problēmām vecākajā versijā. Šajā versijā nevar tikt atšifrēti ziņojumi, kuri radīti izmantojot vecākajā versijā \"end-to-end\" šifrētas ziņas. Tas var arī novest pie ziņapmaiņas, kas veikta ar šo versiju, neizdošanās. Ja rodas ķibeles, izraksties un par jaunu pieraksties sistēmā. Lai saglabātu ziņu vēsturi, eksportē un tad importē savas šifrēšanas atslēgas.",
"Data from an older version of %(brand)s has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "Uzieti dati no vecākas %(brand)s versijas. Tas novedīs pie \"end-to-end\" šifrēšanas problēmām vecākajā versijā. Šajā versijā nevar tikt atšifrēti ziņojumi, kuri radīti izmantojot vecākajā versijā \"end-to-end\" šifrētas ziņas. Tas var arī novest pie ziņapmaiņas, kas veikta ar šo versiju, neizdošanās. Ja rodas ķibeles, izraksties un par jaunu pieraksties sistēmā. Lai saglabātu ziņu vēsturi, eksportē un tad importē savas šifrēšanas atslēgas.",
"Create a community to group together users and rooms! Build a custom homepage to mark out your space in the Matrix universe.": "Radi kopienu, lai apvienotu lietotājus un istabas. Izveido mājaslapu, lai iezīmētu Matrix visumā savu klātbūtni, vietu un telpu.",
"Error whilst fetching joined communities": "Ielādējot kopienas radās kļūda",
"%(count)s of your messages have not been sent.|one": "Tava ziņa netika nosūtīta.",
"%(count)s <resendText>Resend all</resendText> or <cancelText>cancel all</cancelText> now. You can also select individual messages to resend or cancel.|one": "<resendText>Atkārtoti sūtīt ziņu</resendText> vai <cancelText>atcelt sūtīšanu</cancelText>.",
"There's no one else here! Would you like to <inviteText>invite others</inviteText> or <nowarnText>stop warning about the empty room</nowarnText>?": "Šeit neviena nav. Ja vēlies <inviteText>kādu uzaicināt</inviteText> vai <nowarnText>atslēgt paziņojumu par tukšu istabu</nowarnText>?",
"Light theme": "Gaiša ādiņa",
"Dark theme": "Tumša ādiņa",
"Privacy is important to us, so we don't collect any personal or identifiable data for our analytics.": "Privātumu augstu respektējam, tādēļ analītikas mērķiem nevācam nekādus personas un identificējamus datus.",
"Learn more about how we use analytics.": "Sīkāk par to, kā tiek izmantota analītika.",
"An email has been sent to %(emailAddress)s. Once you've followed the link it contains, click below.": "Epasts ir nosūtīts uz %(emailAddress)s. Izmanto epastā nosūtīto tīmekļa saiti un tad noklikšķini zemāk.",
"Please note you are logging into the %(hs)s server, not matrix.org.": "Lūdzu ņem vērā, ka Tu pieraksties %(hs)s serverī, nevis matrix.org serverī.",
"This homeserver doesn't offer any login flows which are supported by this client.": "Šis bāzes serveris neatbalsta nevienu pierakstīšanās metodi, kuru piedāvā šis Riot klients.",
"Ignores a user, hiding their messages from you": "Ignorē lietotāju, Tev nerādot viņa sūtītās ziņas",
"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",
@ -700,7 +639,7 @@
"Long Description (HTML)": "Garais apraksts (HTML)",
"Community %(groupId)s not found": "Kopiena %(groupId)s nav atrasta",
"Your Communities": "Tavas kopienas",
"Did you know: you can use communities to filter your Riot.im experience!": "Vai zināji: Tu vari izmantot kopienas, lai filtrētu (atlasītu) savu Riot.im pieredzi!",
"Did you know: you can use communities to filter your %(brand)s experience!": "Vai zināji: Tu vari izmantot kopienas, lai filtrētu (atlasītu) savu %(brand)s pieredzi!",
"To set up a filter, drag a community avatar over to the filter panel on the far left hand side of the screen. You can click on an avatar in the filter panel at any time to see only the rooms and people associated with that community.": "Lai uzstādītu filtru, uzvelc kopienas avataru uz filtru paneļa ekrāna kreisajā malā. Lai redzētu tikai istabas un cilvēkus, kas saistīti ar šo kopienu, Tu vari klikšķināt uz avatara filtru panelī jebkurā brīdī.",
"Create a new community": "Izveidot jaunu kopienu",
"%(count)s <resendText>Resend all</resendText> or <cancelText>cancel all</cancelText> now. You can also select individual messages to resend or cancel.|other": "Tagad<resendText>visas atkārtoti sūtīt</resendText> vai <cancelText>visas atcelt</cancelText>. Tu vari atzīmēt arī individuālas ziņas, kuras atkārtoti sūtīt vai atcelt.",
@ -710,7 +649,6 @@
"Opens the Developer Tools dialog": "Atver Izstrādātāja instrumentus",
"Seen by %(displayName)s (%(userName)s) at %(dateTime)s": "Skatījis %(displayName)s (%(userName)s) %(dateTime)s",
"Fetching third party location failed": "Neizdevās iegūt trešās puses atrašanās vietu",
"A new version of Riot is available.": "Pieejama jauna Riot versija.",
"Send Account Data": "Sūtīt konta datus",
"All notifications are currently disabled for all targets.": "Visiem saņēmējiem visi paziņojumi ir atspējoti.",
"Uploading report": "Augšuplādē atskaiti",
@ -727,8 +665,6 @@
"Send Custom Event": "Sūtīt individuālu notikumu",
"Advanced notification settings": "Paziņojumu papildus iestatījumi",
"Failed to send logs: ": "Neizdevās nosūtīt logfailus: ",
"delete the alias.": "dzēst aliasi/aizstājējvārdu.",
"To return to your account in future you need to <u>set a password</u>": "Lai nākotnē atgrieztos savā kontā, nepieciešams <u>iestatīt paroli</u>",
"Forget": "Aizmirst",
"You cannot delete this image. (%(code)s)": "Šo attēlu nevar izdzēst (%(code)s)",
"Cancel Sending": "Atcelt sūtīšanu",
@ -754,7 +690,6 @@
"Resend": "Nosūtīt atkārtoti",
"Files": "Faili",
"Collecting app version information": "Tiek iegūta programmas versijas informācija",
"Delete the room alias %(alias)s and remove %(name)s from the directory?": "Dzēst istabas aliasi/aizstājējvārdu %(alias)s un dzēst %(name)s no kataloga?",
"Keywords": "Atslēgvārdi",
"Enable notifications for this account": "Iespējot paziņojumus šim kontam",
"Invite to this community": "Uzaicināt šajā kopienā",
@ -765,7 +700,7 @@
"Search…": "Meklēju…",
"You have successfully set a password and an email address!": "Esi veiksmīgi iestatījis(usi) paroli un epasta adresi!",
"Remove %(name)s from the directory?": "Dzēst %(name)s no kataloga?",
"Riot uses many advanced browser features, some of which are not available or experimental in your current browser.": "Riot izmanto daudzas advancētas tīmekļa pārlūka iespējas, no kurām dažas var nebūt pieejamas vai ir eksperimentālas Tavā pašreizējajā pārlūkā.",
"%(brand)s uses many advanced browser features, some of which are not available or experimental in your current browser.": "%(brand)s izmanto daudzas advancētas tīmekļa pārlūka iespējas, no kurām dažas var nebūt pieejamas vai ir eksperimentālas Tavā pašreizējajā pārlūkā.",
"Event sent!": "Notikums nosūtīts!",
"Preparing to send logs": "Gatavojos nosūtīt atutošanas logfailus",
"Explore Account Data": "Aplūkot konta datus",
@ -811,8 +746,7 @@
"Debug logs contain application usage data including your username, the IDs or aliases of the rooms or groups you have visited and the usernames of other users. They do not contain messages.": "Atutošanas logfaili satur programmas datus, ieskaitot Tavu lietotājvārdu, istabu/grupu ID vai aliases, kuras esi apmeklējis un citu lietotāju lietotājvārdus. Tie nesatur pašas ziņas.",
"Unhide Preview": "Rādīt priekšskatījumu",
"Unable to join network": "Nav iespējams pievienoties tīklam",
"You might have configured them in a client other than Riot. You cannot tune them in Riot but they still apply": "Droši vien Tu konfigurēji tās kādā citā Matrix klientā, nevis Riot. Nav iespējams tos pārkonfigurēt ar Riot, bet tie joprojām tiek izmantoti",
"Sorry, your browser is <b>not</b> able to run Riot.": "Atvaino, diemžēl tavs tīmekļa pārlūks <b>nespēj</b> darbināt Riot.",
"Sorry, your browser is <b>not</b> able to run %(brand)s.": "Atvaino, diemžēl tavs tīmekļa pārlūks <b>nespēj</b> darbināt %(brand)s.",
"Uploaded on %(date)s by %(user)s": "Augšuplādēja %(user)s %(date)s",
"Messages in group chats": "Ziņas grupas čatos",
"Yesterday": "vakar",
@ -821,7 +755,7 @@
"Unable to fetch notification target list": "Neizdevās iegūt paziņojumu mērķu sarakstu",
"Set Password": "Iestatīt paroli",
"Off": "izslēgts",
"Riot does not know how to join a room on this network": "Riot nezin kā pievienoties šajā tīklā esošajai istabai",
"%(brand)s does not know how to join a room on this network": "%(brand)s nezin kā pievienoties šajā tīklā esošajai istabai",
"Mentions only": "Vienīgi atsauces",
"You can now return to your account after signing out, and sign in on other devices.": "Tagad vari atgriezties savā kontā arī pēc izrakstīšanās, un pierakstīties no citām ierīcēm.",
"Enable email notifications": "Iespējot paziņojumus pa epastu",
@ -836,7 +770,6 @@
"Thank you!": "Tencinam!",
"With your current browser, the look and feel of the application may be completely incorrect, and some or all features may not function. If you want to try it anyway you can continue, but you are on your own in terms of any issues you may encounter!": "Tavā pašreizējā pārlūkā aplikācijas izskats un uzvedība var būt pilnīgi neatbilstoša, kā arī dažas no visām funkcijām var nedarboties. Ja vēlies turpināt izmantot šo pārlūku, Tu vari arī turpināt, apzinoties, ka šajā gadījumā esi viens/a ar iespējamo problēmu!",
"Checking for an update...": "Lūkojos pēc aktualizācijas...",
"There are advanced notifications which are not shown here": "Pastāv papildus paziņojumi, kuri šeit netiek rādīti",
"e.g. %(exampleValue)s": "piemēram %(exampleValue)s",
"e.g. <CurrentPageURL>": "piemēram <CurrentPageURL>",
"Your device resolution": "Tavas iekārtas izšķirtspēja",
@ -844,8 +777,6 @@
"Whether or not you're logged in (we don't record your username)": "Esat vai neesat pieteicies (mēs nesaglabājam jūsu lietotājvārdu)",
"Whether or not you're using the 'breadcrumbs' feature (avatars above the room list)": "Neatkarīgi no tā, vai izmantojat funkciju \"breadcrumbs\" (avatari virs istabu saraksta)",
"Every page you use in the app": "Katra lapa, ko lietojat lietotnē",
"Your User Agent": "Jūsu lietotāja aģents",
"A conference call could not be started because the integrations server is not available": "Konferences zvanu nevarēja sākt, jo integrācijas serveris nav pieejams",
"Call in Progress": "Notiek zvans",
"A call is currently being placed!": "Pašlaik notiek saruna!",
"A call is already in progress!": "Zvans jau notiek!",
@ -853,7 +784,7 @@
"You do not have permission to start a conference call in this room": "Šajā istabā nav atļaujas sākt konferences zvanu",
"Replying With Files": "Atbildot ar failiem",
"At this time it is not possible to reply with a file. Would you like to upload this file without replying?": "Šobrīd nav iespējams atbildēt ar failu. Vai vēlaties augšupielādēt šo failu, neatbildot?",
"Your Riot is misconfigured": "Jūsu Riot ir nepareizi konfigurēts",
"Your %(brand)s is misconfigured": "Jūsu %(brand)s ir nepareizi konfigurēts",
"Add Email Address": "Pievienot e-pasta adresi",
"Add Phone Number": "Pievienot tālruņa numuru",
"Call failed due to misconfigured server": "Zvans neizdevās nekorekti nokonfigurēta servera dēļ"

View file

@ -23,7 +23,6 @@
"Microphone": "മൈക്രോഫോൺ",
"Camera": "ക്യാമറ",
"Fetching third party location failed": "തേഡ് പാര്‍ട്ടി ലൊക്കേഷന്‍ ഫെച്ച് ചെയ്യാന്‍ കഴിഞ്ഞില്ല",
"A new version of Riot is available.": "റയട്ടിന്റെ ഒരു പുതിയ പതിപ്പ് ലഭ്യമാണ്.",
"All notifications are currently disabled for all targets.": "അറിയിപ്പുകളെല്ലാം നിര്‍ത്തിയിരിയ്ക്കുന്നു.",
"Uploading report": "റിപ്പോര്‍ട്ട് അപ്ലോഡ് ചെയ്യുന്നു",
"Sunday": "ഞായര്‍",
@ -41,8 +40,6 @@
"Waiting for response from server": "സെര്‍വറില്‍ നിന്നുള്ള പ്രതികരണത്തിന് കാക്കുന്നു",
"Leave": "വിടവാങ്ങുക",
"Advanced notification settings": "അറിയപ്പുകളുടെ സങ്കീര്‍ണമായ സജ്ജീകരണങ്ങള്‍",
"delete the alias.": "ഏലിയാസ് നീക്കം ചെയ്യുക.",
"To return to your account in future you need to <u>set a password</u>": "വീണ്ടും ഈ അക്കൌണ്ട് ഉപയോഗിക്കണമെങ്കില്‍ <u>ഒരു രഹസ്യവാക്ക് സെറ്റ് ചെയ്യുക</u>",
"Forget": "മറക്കുക",
"World readable": "ആർക്കും വായിക്കാവുന്നത്",
"You cannot delete this image. (%(code)s)": "നിങ്ങള്‍ക്ക് ഈ ചിത്രം നീക്കം ചെയ്യാനാകില്ല. (%(code)s)",
@ -67,7 +64,6 @@
"Resend": "വീണ്ടും അയയ്ക്കുക",
"Files": "ഫയലുകള്‍",
"Collecting app version information": "ആപ്പ് പതിപ്പു വിവരങ്ങള്‍ ശേഖരിക്കുന്നു",
"Delete the room alias %(alias)s and remove %(name)s from the directory?": "റൂം ഏലിയാസ് %(alias)s നീക്കം ചെയ്യുകയും %(name)s കള്‍ ഡയറക്ടറിയില്‍ നിന്നും നീക്കം ചെയ്യുകയും ചെയ്യുക ?",
"Keywords": "കീവേഡുകള്‍",
"Enable notifications for this account": "ഈ അക്കൌണ്ടില്‍ നോട്ടിഫിക്കേഷനുകള്‍ ഇനേബിള്‍ ചെയ്യുക",
"Messages containing <span>keywords</span>": "<span>കീവേഡുകള്‍</span>അടങ്ങിയ സന്ദേശങ്ങള്‍ക്ക്",
@ -76,7 +72,6 @@
"Enter keywords separated by a comma:": "കീവേഡുകളെ കോമ കൊണ്ട് വേര്‍ത്തിരിച്ച് ടൈപ്പ് ചെയ്യുക :",
"I understand the risks and wish to continue": "കുഴപ്പമാകാന്‍ സാധ്യതയുണ്ടെന്നെനിയ്ക്കു് മനസ്സിലായി, എന്നാലും മുന്നോട്ട് പോകുക",
"Remove %(name)s from the directory?": "%(name)s കള്‍ ഡയറക്റ്ററിയില്‍ നിന്നും മാറ്റണോ ?",
"Riot uses many advanced browser features, some of which are not available or experimental in your current browser.": "റയട്ട് നൂതന ബ്രൌസര്‍ ഫീച്ചറുകള്‍ ഉപയോഗിക്കുന്നു. നിങ്ങളുടെ ബ്രൌസറില്‍ അവയില്‍ പലതും ഇല്ല / പൂര്‍ണ്ണമല്ല .",
"Unnamed room": "പേരില്ലാത്ത റൂം",
"All messages (noisy)": "എല്ലാ സന്ദേശങ്ങളും (ഉച്ചത്തിൽ)",
"Saturday": "ശനി",
@ -114,8 +109,6 @@
"Back": "തിരികെ",
"Unhide Preview": "പ്രിവ്യു കാണിക്കുക",
"Unable to join network": "നെറ്റ്‍വര്‍ക്കില്‍ ജോയിന്‍ ചെയ്യാന്‍ കഴിയില്ല",
"You might have configured them in a client other than Riot. You cannot tune them in Riot but they still apply": "ഇവ റയട്ടല്ലാതെ മറ്റൊരു ക്ലയന്റില്‍ വച്ച് കോണ്‍ഫിഗര്‍ ചെയ്തതാകാം. റയട്ടില്‍ അവ ലഭിക്കില്ല, എങ്കിലും അവ നിലവിലുണ്ട്",
"Sorry, your browser is <b>not</b> able to run Riot.": "ക്ഷമിക്കണം, നിങ്ങളുടെ ബ്രൌസര്‍ റയട്ട് പ്രവര്‍ത്തിപ്പിക്കാന്‍ <b>പര്യാപ്തമല്ല</b>.",
"Uploaded on %(date)s by %(user)s": "%(date)s ല്‍ %(user)s അപ്ലോഡ് ചെയ്തത്",
"Messages in group chats": "ഗ്രൂപ്പ് ചാറ്റുകളിലെ സന്ദേശങ്ങള്‍ക്ക്",
"Yesterday": "ഇന്നലെ",
@ -125,7 +118,6 @@
"Set Password": "രഹസ്യവാക്ക് സജ്ജീകരിക്കുക",
"remove %(name)s from the directory.": "%(name)s ഡയറക്റ്ററിയില്‍ നിന്ന് നീക്കം ചെയ്യുക.",
"Off": "ഓഫ്",
"Riot does not know how to join a room on this network": "ഈ നെറ്റ്‍വര്‍ക്കിലെ ഒരു റൂമില്‍ എങ്ങനെ അംഗമാകാമെന്ന് റയട്ടിന് അറിയില്ല",
"Mentions only": "മെന്‍ഷനുകള്‍ മാത്രം",
"Failed to remove tag %(tagName)s from room": "റൂമില്‍ നിന്നും %(tagName)s ടാഗ് നീക്കം ചെയ്യുവാന്‍ സാധിച്ചില്ല",
"You can now return to your account after signing out, and sign in on other devices.": "നിങ്ങള്‍ക്ക് ഇപ്പോള്‍ സൈന്‍ ഔട്ട് ചെയ്ത ശേഷവും നിങ്ങളുടെ അക്കൌണ്ടിലേക്ക് തിരികെ വരാം, അതു പോലെ മറ്റ് ഡിവൈസുകളില്‍ സൈന്‍ ഇന്‍ ചെയ്യുകയുമാവാം.",
@ -135,6 +127,5 @@
"Failed to change settings": "സജ്ജീകരണങ്ങള്‍ മാറ്റുന്നവാന്‍ സാധിച്ചില്ല",
"View Source": "സോഴ്സ് കാണുക",
"With your current browser, the look and feel of the application may be completely incorrect, and some or all features may not function. If you want to try it anyway you can continue, but you are on your own in terms of any issues you may encounter!": "നിങ്ങളുടെ ഇപ്പോളത്തെ ബ്രൌസര്‍ റയട്ട് പ്രവര്‍ത്തിപ്പിക്കാന്‍ പൂര്‍ണമായും പര്യാപത്മല്ല. പല ഫീച്ചറുകളും പ്രവര്‍ത്തിക്കാതെയിരിക്കാം. ഈ ബ്രൌസര്‍ തന്നെ ഉപയോഗിക്കണമെങ്കില്‍ മുന്നോട്ട് പോകാം. പക്ഷേ നിങ്ങള്‍ നേരിടുന്ന പ്രശ്നങ്ങള്‍ നിങ്ങളുടെ ഉത്തരവാദിത്തത്തില്‍ ആയിരിക്കും!",
"Checking for an update...": "അപ്ഡേറ്റ് ഉണ്ടോ എന്ന് തിരയുന്നു...",
"There are advanced notifications which are not shown here": "ഇവിടെ കാണിക്കാത്ത നൂതന നോട്ടിഫിക്കേഷനുകള്‍ ഉണ്ട്"
"Checking for an update...": "അപ്ഡേറ്റ് ഉണ്ടോ എന്ന് തിരയുന്നു..."
}

View file

@ -4,7 +4,7 @@
"This phone number is already in use": "Dette mobilnummeret er allerede i bruk",
"Failed to verify email address: make sure you clicked the link in the email": "Klarte ikke verifisere e-postadressen: dobbelsjekk at du trykket på lenken i e-posten",
"The platform you're on": "Platformen du befinner deg på",
"The version of Riot.im": "Versjonen av Riot.im",
"The version of %(brand)s": "%(brand)s-versjonen",
"Your language of choice": "Ditt valgte språk",
"Your homeserver's URL": "Din hjemmetjeners URL",
"Fetching third party location failed": "Kunne ikke hente tredjeparts lokalisering",
@ -23,7 +23,6 @@
"On": "På",
"Leave": "Forlat",
"All notifications are currently disabled for all targets.": "Alle varsler er deaktivert for alle mottakere.",
"delete the alias.": "Slett aliaset.",
"Forget": "Glem",
"World readable": "Lesbar for alle",
"You cannot delete this image. (%(code)s)": "Du kan ikke slette dette bildet. (%(code)s)",
@ -40,7 +39,6 @@
"Failed to add tag %(tagName)s to room": "Kunne ikke legge til tagg %(tagName)s til rom",
"Members": "Medlemmer",
"Noisy": "Bråkete",
"Delete the room alias %(alias)s and remove %(name)s from the directory?": "Slett rom alias %(alias)s og fjern %(name)s fra katalogen?",
"Enable notifications for this account": "Aktiver varsler for denne konto",
"Messages containing <span>keywords</span>": "Meldinger som inneholder <span>nøkkelord</span>",
"When I'm invited to a room": "Når jeg blir invitert til et rom",
@ -48,7 +46,7 @@
"Enter keywords separated by a comma:": "Angi nøkkelord adskilt med komma:",
"I understand the risks and wish to continue": "Jeg forstår risikoen og ønsker å fortsette",
"Remove %(name)s from the directory?": "Fjern %(name)s fra katalogen?",
"Riot uses many advanced browser features, some of which are not available or experimental in your current browser.": "Riot benytter mange avanserte nettleserfunksjoner, og noen av disse er ikke tilgjengelige eller er eksperimentelle på din nåværende nettleser.",
"%(brand)s uses many advanced browser features, some of which are not available or experimental in your current browser.": "%(brand)s benytter mange avanserte nettleserfunksjoner, og noen av disse er ikke tilgjengelige eller er eksperimentelle på din nåværende nettleser.",
"Unnamed room": "Rom uten navn",
"All messages (noisy)": "Alle meldinger (høy)",
"Direct Chat": "Direkte Chat",
@ -78,12 +76,12 @@
"Thursday": "Torsdag",
"All messages": "Alle meldinger",
"Unable to join network": "Kunne ikke bli med i nettverket",
"Sorry, your browser is <b>not</b> able to run Riot.": "Beklager, din nettleser er <b>ikke</b> i stand til å kjøre Riot.",
"Sorry, your browser is <b>not</b> able to run %(brand)s.": "Beklager, din nettleser er <b>ikke</b> i stand til å kjøre %(brand)s.",
"Uploaded on %(date)s by %(user)s": "Lastet opp den %(date)s av %(user)s",
"Messages in group chats": "Meldinger i gruppesamtaler",
"Yesterday": "I går",
"Low Priority": "Lav Prioritet",
"Riot does not know how to join a room on this network": "Riot vet ikke hvordan man kan komme inn på et rom på dette nettverket",
"%(brand)s does not know how to join a room on this network": "%(brand)s vet ikke hvordan man kan komme inn på et rom på dette nettverket",
"An error occurred whilst saving your email notification preferences.": "En feil oppsto i forbindelse med lagring av epost varsel innstillinger.",
"remove %(name)s from the directory.": "fjern %(name)s fra katalogen.",
"Off": "Av",
@ -97,26 +95,18 @@
"Custom Server Options": "Server-instillinger",
"Quote": "Sitat",
"Saturday": "Lørdag",
"There are advanced notifications which are not shown here": "Det er avanserte varsler som ikke vises her",
"Dismiss": "Avvis",
"Whether or not you're logged in (we don't record your username)": "Om du er logget inn eller ikke (vi lagrer ikke brukernavnet ditt)",
"Which officially provided instance you are using, if any": "Hvilken offisielle leverte instans som du bruker, hvis noen",
"Whether or not you're using the Richtext mode of the Rich Text Editor": "Om du bruker rik-tekstmodus i rik-tekstfeltet",
"Your identity server's URL": "Din identitetstjeners URL",
"e.g. %(exampleValue)s": "f.eks. %(exampleValue)s",
"Every page you use in the app": "Alle sider du bruker i appen",
"e.g. <CurrentPageURL>": "f.eks. <CurrentPageURL>",
"Your User Agent": "Din brukeragent",
"Your device resolution": "Din enhets skjermoppløsing",
"Analytics": "Statistikk",
"The information being sent to us to help make Riot.im better includes:": "Informasjonen som blir sendt til oss for å hjelpe oss med å lage Riot.im bedre inkluderer:",
"The information being sent to us to help make %(brand)s better includes:": "Informasjonen som blir sendt til oss for å hjelpe oss med å lage %(brand)s bedre inkluderer:",
"Where this page includes identifiable information, such as a room, user or group ID, that data is removed before being sent to the server.": "Hvor denne siden inkluderer identifiserende informasjon, sånn som navnet på rommet, brukeren, og gruppe ID, men denne informasjonen blir fjernet før den blir sendt til tjeneren.",
"Call Failed": "Oppringning mislyktes",
"Review Devices": "Se over enheter",
"Call Anyway": "Ring likevel",
"Answer Anyway": "Svar likevel",
"Call": "Ring",
"Answer": "Svar",
"Call Timeout": "Oppringningen be tidsavbrutt",
"The remote side failed to pick up": "Den andre svarte ikke",
"Unable to capture screen": "Klarte ikke ta opp skjermen",
@ -125,7 +115,6 @@
"VoIP is unsupported": "VoIP er ikke støttet",
"You cannot place VoIP calls in this browser.": "Du kan ikke ringe via VoIP i denne nettleseren.",
"You cannot place a call with yourself.": "Du kan ikke ringe deg selv.",
"Could not connect to the integration server": "Kunne ikke kople til integrasjons-tjeneren",
"Call in Progress": "Samtale pågår",
"A call is currently being placed!": "En samtale holder allerede på å starte",
"A call is already in progress!": "En samtale er allerede i gang!",
@ -135,7 +124,6 @@
"Upload Failed": "Opplasting feilet",
"Failure to create room": "Klarte ikke å opprette rommet",
"Server may be unavailable, overloaded, or you hit a bug.": "Tjeneren kan være utilgjengelig, overbelastet, eller du fant en feil.",
"Send anyway": "Send likevel",
"Send": "Send",
"Sun": "Søn",
"Mon": "Man",
@ -169,7 +157,6 @@
"Which rooms would you like to add to this community?": "Hvilke rom vil du legge til i dette samfunnet?",
"Show these rooms to non-members on the community page and room list?": "Vis disse rommene til ikke-medlemmer på samfunn-siden og i rom-listen?",
"Add rooms to the community": "Legg til rom i samfunnet",
"Room name or alias": "Rom-navn eller alias",
"Add to community": "Legg til i samfunn",
"Failed to invite the following users to %(groupId)s:": "Klarte ikke invitere disse brukerne til %(groupId)s:",
"Failed to invite users to community": "Klarte ikke å invitere brukere til samfunnet",
@ -177,19 +164,16 @@
"Failed to add the following rooms to %(groupId)s:": "Klarte ikke å legge til de følgende rommene til %(groupId)s:",
"Unnamed Room": "Navnløst rom",
"Unable to load! Check your network connectivity and try again.": "Klarte ikke laste! Sjekk nettverstilkoblingen din og prøv igjen.",
"Riot does not have permission to send you notifications - please check your browser settings": "Riot har ikke tillatelse til å sende deg varsler - vennligst sjekk nettleserinnstillingene",
"Riot was not given permission to send notifications - please try again": "Riot fikk ikke tillatelse til å sende deg varsler - vennligst prøv igjen",
"%(brand)s does not have permission to send you notifications - please check your browser settings": "%(brand)s har ikke tillatelse til å sende deg varsler - vennligst sjekk nettleserinnstillingene",
"%(brand)s was not given permission to send notifications - please try again": "%(brand)s fikk ikke tillatelse til å sende deg varsler - vennligst prøv igjen",
"Unable to enable Notifications": "Klarte ikke slå på Varslinger",
"This email address was not found": "Denne e-post adressen ble ikke funnet",
"Your email address does not appear to be associated with a Matrix ID on this Homeserver.": "E-post adressen din ser ikke ut til å være koplet til en Matrix-ID på denne hjemmetjeneren.",
"Registration Required": "Registrering påkrevd",
"You need to register to do this. Would you like to register now?": "Du må registrere deg for å gjøre dette. Vil du registrere deg nå?",
"Register": "Registrer",
"Default": "Standard",
"Restricted": "Begrenset",
"Moderator": "Moderator",
"Admin": "Admin",
"Start a chat": "Start en samtale",
"Operation failed": "Operasjon mislyktes",
"Failed to invite": "Klarte ikke invitere",
"Failed to invite users to the room:": "Klarte ikke invitere brukere til rommet:",
@ -212,7 +196,7 @@
"To use it, just wait for autocomplete results to load and tab through them.": "For å bruke dette, bare vent til autofullfør-resultatene laster, og tab deg gjennom dem.",
"Upgrades a room to a new version": "Oppgraderer et rom til en ny versjon",
"Changes your display nickname": "Endrer visningsnavnet ditt",
"Chat with Riot Bot": "Chat med Riot Bot",
"Chat with %(brand)s Bot": "Chat med %(brand)s Bot",
"Changes your display nickname in the current room only": "Endrer visningsnavnet ditt kun i det nåværende rommet",
"Changes your avatar in this current room only": "Endrer avataren din kun i det nåværende rommet",
"Call failed due to misconfigured server": "Oppringingen feilet på grunn av feil-konfigurert tjener",
@ -220,7 +204,6 @@
"Alternatively, you can try to use the public server at <code>turn.matrix.org</code>, but this will not be as reliable, and it will share your IP address with that server. You can also manage this in Settings.": "Alternativt kan du prøve å bruke felles tjeneren <code>turn.matrix.org</code>, men dette vil ikke bli like stabilt. I tillegg vil din IP adresse bli delt med denne tjeneren. Dette kan du endre i Innstillinger.",
"Try using turn.matrix.org": "Prøv å bruke turn.matrix.org",
"OK": "OK",
"A conference call could not be started because the integrations server is not available": "En konferansesamtale kunne ikke startes fordi integrasjons-tjeneren er ikke tilgjengelig",
"Replying With Files": "Sender svar som fil",
"At this time it is not possible to reply with a file. Would you like to upload this file without replying?": "Det er ikke mulig å svare med en fil akkurat nå. Ønsker du å laste opp denne filen uten å svare?",
"Continue": "Fortsett",
@ -239,9 +222,7 @@
"This room has no topic.": "Dette rommet har ingen overskrift.",
"Sets the room name": "Setter rommets navn",
"Invites user with given id to current room": "Inviterer brukeren med gitt id til dette rommet",
"Joins room with given alias": "Går inn i rommet med gitt alias",
"Leave room": "Forlat rommet",
"Unrecognised room alias:": "Ukjent rom alias:",
"Kicks user with given id": "Sparker ut bruker med gitt id",
"Bans user with given id": "Nekter tilgang til bruker med gitt id",
"Unbans user with given ID": "Gir tilbake tilgang til bruker med gitt ID",
@ -268,8 +249,7 @@
"%(targetName)s accepted an invitation.": "%(targetName)s aksepterte en invitasjon.",
"Add Email Address": "Legg til E-postadresse",
"Add Phone Number": "Legg til telefonnummer",
"The version of Riot": "Riot-versjonen",
"Whether you're using Riot on a device where touch is the primary input mechanism": "Hvorvidt du bruker Riot på en enhet som primært mottar inndata gjennom touchskjerm",
"Whether you're using %(brand)s on a device where touch is the primary input mechanism": "Hvorvidt du bruker %(brand)s på en enhet som primært mottar inndata gjennom touchskjerm",
"Your user agent": "Brukeragenten din",
"Cancel": "Avbryt",
"Trust": "Stol på",
@ -279,8 +259,6 @@
"%(senderDisplayName)s sent an image.": "%(senderDisplayName)s sendte et bilde.",
"Someone": "Noen",
"%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": "%(senderName)s sendte en invitasjon til %(targetDisplayName)s om å bli med i rommet.",
"Light theme": "Lyst tema",
"Dark theme": "Mørkt tema",
"Done": "Fullført",
"%(displayName)s is typing …": "%(displayName)s skriver …",
"%(names)s and %(count)s others are typing …|other": "%(names)s og %(count)s andre skriver …",
@ -364,7 +342,6 @@
"Composer": "Komposør",
"Timeline": "Tidslinje",
"Security & Privacy": "Sikkerhet og personvern",
"Sessions": "Økter",
"Camera": "Kamera",
"Reset": "Nullstill",
"Browse": "Bla",
@ -396,7 +373,6 @@
"Send an encrypted reply…": "Send et kryptert svar …",
"Send an encrypted message…": "Send en kryptert beskjed …",
"Send a message…": "Send en melding …",
"Send a message (unencrypted)…": "Send en melding (ukryptert) …",
"Bold": "Fet",
"Italics": "Kursiv",
"Strikethrough": "Gjennomstreking",
@ -441,7 +417,6 @@
"Quick Reactions": "Hurtigreaksjoner",
"Cancel search": "Avbryt søket",
"More options": "Flere alternativer",
"Blacklist": "Svarteliste",
"Join": "Bli med",
"Yes": "Ja",
"No": "Nei",
@ -530,10 +505,6 @@
"Commands": "Kommandoer",
"Emoji": "Emoji",
"Users": "Brukere",
"verified": "bekreftet",
"User ID": "Brukerens ID",
"none": "ingen",
"Algorithm": "Algoritme",
"Export": "Eksporter",
"Import": "Importer",
"Restore": "Gjenopprett",
@ -543,10 +514,8 @@
"Success!": "Suksess!",
"Set up": "Sett opp",
"Disable": "Slå av",
"Review Sessions": "Gå gjennom økter",
"Identity server has no terms of service": "Identitetstjeneren har ingen brukervilkår",
"Enable Emoji suggestions while typing": "Skru på emoji-forslag mens du skriver",
"Use compact timeline layout": "Bruk det kompakte tidslinjeoppsettet",
"Show a placeholder for removed messages": "Vis en stattholder for fjernede meldinger",
"Show join/leave messages (invites/kicks/bans unaffected)": "Vis meldinger om innvielser/forlatinger (ekskl. invitasjoner/sparkinger/bannlysninger)",
"Show avatar changes": "Vis avatarendringer",
@ -640,7 +609,7 @@
"Check for update": "Let etter oppdateringer",
"Help & About": "Hjelp/Om",
"Bug reporting": "Feilrapportering",
"riot-web version:": "'riot-web'-versjon:",
"%(brand)s version:": "'%(brand)s'-versjon:",
"olm version:": "olm-versjon:",
"click to reveal": "klikk for å avsløre",
"Ignored/Blocked": "Ignorert/Blokkert",
@ -699,7 +668,6 @@
" (unsupported)": " (ikke støttet)",
"Edit message": "Rediger meldingen",
"Unencrypted": "Ukryptert",
"device id: ": "enhets-id: ",
"Disinvite": "Trekk tilbake invitasjon",
"Kick": "Spark ut",
"Deactivate user?": "Vil du deaktivere brukeren?",
@ -747,12 +715,11 @@
"Declining …": "Avslår …",
"edited": "redigert",
"You're not currently a member of any communities.": "Du er ikke medlem av noen samfunn for øyeblikket.",
"Yes, I want to help!": "Ja, jeg vil hjelpe til!",
"What's new?": "Hva er nytt?",
"Set Password": "Bestem passord",
"Your user ID": "Din bruker-ID",
"Your theme": "Ditt tema",
"Riot URL": "Riot-URL",
"%(brand)s URL": "%(brand)s-URL",
"Room ID": "Rom-ID",
"Widget ID": "Modul-ID",
"Delete Widget": "Slett modul",
@ -783,7 +750,7 @@
"Create Room": "Opprett et rom",
"Session ID": "Økt-ID",
"Session key": "Øktnøkkel",
"Updating Riot": "Oppdaterer Riot",
"Updating %(brand)s": "Oppdaterer %(brand)s",
"Message edits": "Meldingsredigeringer",
"This wasn't me": "Det var ikke meg",
"Send report": "Send inn rapport",
@ -793,7 +760,6 @@
"Upload Error": "Opplastingsfeil",
"Verification Request": "Verifiseringsforespørsel",
"No backup found!": "Ingen sikkerhetskopier ble funnet!",
"Backup restored": "Sikkerhetskopien ble gjenopprettet",
"Update status": "Oppdater statusen",
"Country Dropdown": "Nedfallsmeny over land",
"Server Name": "Tjenernavn",
@ -820,9 +786,7 @@
"Search failed": "Søket mislyktes",
"No more results": "Ingen flere resultater",
"Fill screen": "Fyll skjermen",
" (1/%(totalCount)s)": " (1/%(totalCount)s)",
"Your profile": "Din profil",
"Waiting…": "Venter …",
"Session verified": "Økten er verifisert",
"Sign in instead": "Logg inn i stedet",
"I have verified my email address": "Jeg har verifisert E-postadressen min",
@ -832,11 +796,6 @@
"You're signed out": "Du er logget av",
"Results from DuckDuckGo": "Resultater fra DuckDuckGo",
"DuckDuckGo Results": "DuckDuckGo-resultater",
"unknown device": "ukjent enhet",
"Device ID": "Enhets-ID",
"Verification": "Verifisering",
"unencrypted": "ukryptert",
"Event information": "Hendelsesinformasjon",
"File to import": "Filen som skal importeres",
"Your recovery key": "Din gjenopprettingsnøkkel",
"Upgrade your encryption": "Oppgrader krypteringen din",
@ -885,7 +844,7 @@
"Identity Server (%(server)s)": "Identitetstjener (%(server)s)",
"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 Riot, click <a>here</a>.": "For å få hjelp til å bruke Riot, klikk <a>her</a>.",
"For help with using %(brand)s, click <a>here</a>.": "For å få hjelp til å bruke %(brand)s, klikk <a>her</a>.",
"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 or groups you have visited and the usernames of other users. They do not contain messages.": "Dersom du har sendt inn en feilrapport på GitHub, kan avlusingsloggbøker hjelpe oss med å finne frem til problemet. Avlusingsloggbøker inneholder programbruksdata inkl. ditt brukernavn, ID-ene eller aliasene til rommene eller gruppene du har besøkt, og brukernavnene til andre brukere. De inneholder ikke noen meldinger.",
"Submit debug logs": "Send inn avlusingsloggbøker",
"Clear cache and reload": "Tøm mellomlageret og last inn siden på nytt",
@ -895,7 +854,7 @@
"Identity Server is": "Identitetstjeneren er",
"Access Token:": "Tilgangssjetong:",
"Import E2E room keys": "Importer E2E-romnøkler",
"Riot collects anonymous analytics to allow us to improve the application.": "Riot samler inn anonyme statistikker for å hjelpe oss med å forbedre programmet.",
"%(brand)s collects anonymous analytics to allow us to improve the application.": "%(brand)s samler inn anonyme statistikker for å hjelpe oss med å forbedre programmet.",
"Privacy is important to us, so we don't collect any personal or identifiable data for our analytics.": "Privatlivet er viktig for oss, så vi samler ikke inn noe personlig eller identifiserbar data for våre analyser.",
"Internal room ID:": "Intern rom-ID:",
"Change room avatar": "Endre rommets avatar",
@ -919,10 +878,8 @@
"Who can read history?": "Hvem kan lese historikken?",
"Scroll to most recent messages": "Hopp bort til de nyeste meldingene",
"Share Link to User": "Del en lenke til brukeren",
"User Options": "Brukerinnstillinger",
"Filter room members": "Filtrer rommets medlemmer",
"Send a reply…": "Send et svar …",
"Send a reply (unencrypted)…": "Send et svar (ukryptert) …",
"Code block": "Kodefelt",
"Replying": "Svarer på",
"Room %(name)s": "Rom %(name)s",
@ -955,7 +912,6 @@
"Encryption enabled": "Kryptering er skrudd på",
"Encryption not enabled": "Kryptering er ikke skrudd på",
"%(senderDisplayName)s changed the room avatar to <img/>": "%(senderDisplayName)s endret rommets avatar til <img/>",
"Message removed": "Meldingen ble fjernet",
"Something went wrong!": "Noe gikk galt!",
"Visible to everyone": "Synlig for alle",
"Checking for an update...": "Leter etter en oppdatering …",
@ -966,8 +922,6 @@
"Your avatar URL": "Din avatars URL",
"Widget added by": "Modulen ble lagt til av",
"Create new room": "Opprett et nytt rom",
"Unverify": "Av-verifiser",
"Verify...": "Verifiser …",
"Language Dropdown": "Språk-nedfallsmeny",
"Manage Integrations": "Behandle integreringer",
"%(nameList)s %(transitionList)s": "%(nameList)s %(transitionList)s",
@ -984,8 +938,6 @@
"%(severalUsers)schanged their avatar %(count)s times|one": "%(severalUsers)s endret avatarene sine",
"%(oneUser)schanged their avatar %(count)s times|one": "%(oneUser)s endret avataren sin",
"Custom level": "Tilpasset nivå",
"Room alias": "Rom-alias",
"Please provide a room alias": "Vennligst skriv inn et rom-alias",
"And %(count)s more...|other": "Og %(count)s til...",
"Remove server": "Fjern tjeneren",
"Matrix": "Matrix",
@ -995,7 +947,6 @@
"Send logs": "Send loggbøker",
"Create Community": "Opprett et samfunn",
"Please enter a name for the room": "Vennligst skriv inn et navn for rommet",
"Set a room alias to easily share your room with other people.": "Velg et rom-alias for å dele rommet ditt enkelt med andre.",
"This room is private, and can only be joined by invitation.": "Dette rommet er privat, og man kan kun bli med etter invitasjon.",
"Create a public room": "Opprett et offentlig rom",
"Create a private room": "Opprett et privat rom",
@ -1047,7 +998,6 @@
"Registration Successful": "Registreringen var vellykket",
"Create your account": "Opprett kontoen din",
"Forgotten your password?": "Har du glemt passordet ditt?",
"Blacklisted": "Svartelistet",
"Export room keys": "Eksporter romnøkler",
"Import room keys": "Importer romnøkler",
"Go to Settings": "Gå til Innstillinger",
@ -1080,9 +1030,6 @@
"They match": "De samsvarer",
"They don't match": "De samsvarer ikke",
"in memory": "i minnet",
"outdated": "utdatert",
"Disable Notifications": "Skru av varsler",
"Enable Notifications": "Skru på varsler",
"Delete Backup": "Slett sikkerhetskopien",
"Restore from Backup": "Gjenopprett fra sikkerhetskopi",
"Remove %(email)s?": "Vil du fjerne %(email)s?",
@ -1125,18 +1072,14 @@
"was unbanned %(count)s times|one": "fikk bannlysningen sin opphevet",
"Clear all data": "Tøm alle data",
"Verify session": "Verifiser økten",
"Start verification": "Begynn verifisering",
"Upload completed": "Opplasting fullført",
"Unable to upload": "Mislyktes i å laste opp",
"Username not available": "Brukernavnet er utilgjengelig",
"Username available": "Brukernavnet er tilgjengelig",
"Unknown sessions": "Ukjente økter",
"Alias (optional)": "Alias (valgfritt)",
"Remove for everyone": "Fjern for alle",
"Remove for me": "Fjern for meg",
"Syncing...": "Synkroniserer ...",
"Signing In...": "Logger inn …",
"NOT verified": "IKKE verifisert",
"Calls": "Samtaler",
"Room List": "Romliste",
"Never send encrypted messages to unverified sessions from this session": "Aldri send krypterte meldinger til uverifiserte økter fra denne økten",
@ -1152,15 +1095,12 @@
"Session backup key:": "Øktsikkerhetskopieringsnøkkel:",
"Secret storage public key:": "Offentlig nøkkel for hemmelig lagring:",
"Homeserver feature support:": "Hjemmetjener-funksjonsstøtte:",
"Secret Storage key format:": "Nøkkelformatet for hemmelig lagring:",
"Riot can't securely cache encrypted messages locally while running in a web browser. Use <riotLink>Riot Desktop</riotLink> for encrypted messages to appear in search results.": "Riot kan ikke lagre krypterte meldinger sikkert når den kjøres i en nettleser. Bruk <riotLink>Riot Desktop</riotLink> for at krypterte meldinger skal dukke opp i søkeresultater.",
"Read Marker lifetime (ms)": "Lesemarkørens visningstid (ms)",
"Read Marker off-screen lifetime (ms)": "Lesemarkørens visningstid utenfor skjermen (ms)",
"Cross-signing": "Kryssignering",
"Where youre logged in": "Der du er pålogget",
"Manage the names of and sign out of your sessions below or <a>verify them in your User Profile</a>.": "Behandle navnene til samt logge av dine økter nedenfor eller <a>verifiser dem i brukerprofilen din</a>.",
"Learn more about how we use analytics.": "Lær mer om hvordan vi bruker statistikker.",
"To link to this room, please add an alias.": "For å lenke til dette rommet, vennligst legg til et alias.",
"Showing flair for these communities:": "Viser merkeskilt for disse samfunnene:",
"URL previews are enabled by default for participants in this room.": "URL-forhåndsvisninger er skrudd på som standard for deltakerene i dette rommet.",
"URL previews are disabled by default for participants in this room.": "URL-forhåndsvisninger er skrudd av som standard for deltakerene i dette rommet.",
@ -1199,7 +1139,7 @@
"%(widgetName)s widget modified by %(senderName)s": "%(widgetName)s-modulen ble endret på av %(senderName)s",
"%(widgetName)s widget added by %(senderName)s": "%(widgetName)s-modulen ble lagt til av %(senderName)s",
"%(widgetName)s widget removed by %(senderName)s": "%(widgetName)s-modulen ble fjernet av %(senderName)s",
"Your Riot is misconfigured": "Ditt Riot-oppsett er feiloppsatt",
"Your %(brand)s is misconfigured": "Ditt %(brand)s-oppsett er feiloppsatt",
"a few seconds from now": "om noen sekunder fra nå",
"about a minute from now": "rundt et minutt fra nå",
"%(num)s minutes from now": "%(num)s minutter fra nå",
@ -1207,7 +1147,7 @@
"%(num)s hours from now": "%(num)s timer fra nå",
"about a day from now": "rundt en dag fra nå",
"%(num)s days from now": "%(num)s dager fra nå",
"Not a valid Riot keyfile": "Ikke en gyldig Riot-nøkkelfil",
"Not a valid %(brand)s keyfile": "Ikke en gyldig %(brand)s-nøkkelfil",
"Unrecognised address": "Adressen ble ikke gjenkjent",
"Unknown server error": "Ukjent tjenerfeil",
"Recent years are easy to guess": "Nylige år er lette å gjette",
@ -1243,8 +1183,6 @@
"Ban this user?": "Vil du bannlyse denne brukeren?",
"Demote yourself?": "Vil du degradere deg selv?",
"Demote": "Degrader",
"Revoke Moderator": "Trekk tilbake moderatorstatus",
"Make Moderator": "Gjør til moderator",
"and %(count)s others...|other": "og %(count)s andre …",
"and %(count)s others...|one": "og én annen …",
"%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (styrkenivå %(powerLevelNumber)s)",
@ -1274,20 +1212,14 @@
"Error decrypting audio": "Feil under dekryptering av lyd",
"Decrypt %(text)s": "Dekrypter %(text)s",
"You verified %(name)s": "Du verifiserte %(name)s",
"A new version of Riot is available.": "En ny versjon av Riot er tilgjengelig.",
"were kicked %(count)s times|other": "ble sparket ut %(count)s ganger",
"was kicked %(count)s times|other": "ble sparket ut %(count)s ganger",
"Some characters not allowed": "Noen tegn er ikke tillatt",
"This alias is available to use": "Dette aliaset er tilgjengelig for bruk",
"This alias is already in use": "Dette aliaset er allerede i bruk",
"You have entered an invalid address.": "Du har skrevet inn en ugyldig adresse.",
"Invite anyway": "Inviter likevel",
"Enable end-to-end encryption": "Aktiver start-til-mål-kryptering",
"You cant disable this later. Bridges & most bots wont work yet.": "Du kan ikke skru dette av senere. Broer og mange botter vil ikke fungere enda.",
"Begin Verifying": "Begynn verifiseringen",
"View Servers in Room": "Vis tjenerne i rommet",
"Ignore request": "Ignorer forespørselen",
"Loading session info...": "Laster inn økt-infoen …",
"a key signature": "en nøkkelsignatur",
"Send Logs": "Send loggbøker",
"Command Help": "Kommandohjelp",
@ -1312,16 +1244,11 @@
"Set a display name:": "Velg et visningsnavn:",
"Continue with previous account": "Fortsett med tidligere konto",
"Clear personal data": "Tøm personlige data",
"Ed25519 fingerprint": "Ed25519-fingeravtrykk",
"Curve25519 identity key": "Curve25519-identitetsnøkkel",
"Decryption error": "Dekrypteringsfeil",
"Passphrases must match": "Passfrasene må samsvare",
"Passphrase must not be empty": "Passfrasen kan ikke være tom",
"Confirm passphrase": "Bekreft passfrasen",
"Great! This recovery passphrase looks strong enough.": "Strålende! Denne gjenopprettingspassfrasen ser solid nok ut.",
"Set a recovery passphrase to secure encrypted information and recover it if you log out. This should be different to your account password:": "Velg en gjenopprettingspassfrase til å sikre kryptert informasjon og å gjenopprette det hvis du logger av. Dette burde noe annet enn kontopassordet ditt:",
"Enter a recovery passphrase": "Skriv inn en gjenopprettingspassfrase",
"Back up encrypted message keys": "Sikkerhetskopier krypterte meldingsnøkler",
"Set up with a recovery key": "Sett det opp med en gjenopprettingsnøkkel",
"That matches!": "Det samsvarer!",
"That doesn't match.": "Det samsvarer ikke.",
@ -1335,11 +1262,7 @@
"<b>Print it</b> and store it somewhere safe": "<b>Skriv den ut</b> og lagre den på et sikkert sted",
"<b>Save it</b> on a USB key or backup drive": "<b>Lagre den</b> på en USB-pinne eller backup-harddisk",
"<b>Copy it</b> to your personal cloud storage": "<b>Kopier den</b> til din personlige skylagring",
"You can now verify your other devices, and other users to keep your chats safe.": "Du kan nå verifisere de andre enhetene dine, samt andre brukere for å holde samtalene dine trygge.",
"Confirm recovery passphrase": "Bekreft gjenopprettingspassfrasen",
"Make a copy of your recovery key": "Lag en kopi av gjenopprettingsnøkkelen din",
"You're done!": "Du har gjort alt klart!",
"Enter a recovery passphrase...": "Skriv inn en gjenopprettingspassfrase …",
"Please enter your recovery passphrase a second time to confirm.": "Skriv inn gjenopprettingspassfrasen din en andre gang for å bekrefte.",
"Repeat your recovery passphrase...": "Gjenta gjenopprettingspassfrasen din …",
"Other users may not trust it": "Andre brukere kan kanskje mistro den",
@ -1357,7 +1280,6 @@
"Dismiss read marker and jump to bottom": "Avføy lesekvitteringen og hopp ned til bunnen",
"If you cancel now, you won't complete verifying your other session.": "Hvis du avbryter nå, vil du ikke ha fullført verifiseringen av den andre økten din.",
"Room name or address": "Rommets navn eller adresse",
"sent an image.": "sendte et bilde.",
"Light": "Lys",
"Dark": "Mørk",
"Verify your other session using one of the options below.": "Verifiser den andre økten din med en av metodene nedenfor.",
@ -1369,11 +1291,8 @@
"Encryption upgrade available": "Krypteringsoppdatering tilgjengelig",
"Verify the new login accessing your account: %(name)s": "Verifiser den nye påloggingen som vil ha tilgang til kontoen din: %(name)s",
"Restart": "Start på nytt",
"You: %(message)s": "Du: %(message)s",
"Font scaling": "Skrifttypeskalering",
"Use IRC layout": "Bruk IRC-oppsett",
"Font size": "Skriftstørrelse",
"Custom font size": "Tilpasset skriftstørrelse",
"You've successfully verified this user.": "Du har vellykket verifisert denne brukeren.",
"Waiting for your other session, %(deviceName)s (%(deviceId)s), to verify…": "Venter på at den andre økten din, %(deviceName)s (%(deviceId)s), skal verifisere …",
"Waiting for your other session to verify…": "Venter på at den andre økten din skal verifisere …",
@ -1474,9 +1393,7 @@
"Switch to dark mode": "Bytt til mørk modus",
"Switch theme": "Bytt tema",
"All settings": "Alle innstillinger",
"Archived rooms": "Arkiverte rom",
"Feedback": "Tilbakemelding",
"Account settings": "Kontoinnstillinger",
"Emoji Autocomplete": "Auto-fullfør emojier",
"Confirm encryption setup": "Bekreft krypteringsoppsett",
"Create key backup": "Opprett nøkkelsikkerhetskopi",

View file

@ -5,7 +5,6 @@
"Access Token:": "Toegangstoken:",
"Admin": "Beheerder",
"Advanced": "Geavanceerd",
"Algorithm": "Algoritme",
"Always show message timestamps": "Altijd tijdstempels van berichten tonen",
"Authentication": "Authenticatie",
"%(items)s and %(lastItem)s": "%(items)s en %(lastItem)s",
@ -24,7 +23,6 @@
"Ban": "Verbannen",
"Banned users": "Verbannen gebruikers",
"Bans user with given id": "Verbant de gebruiker met de gegeven ID",
"Blacklisted": "Geblokkeerd",
"Call Timeout": "Oproeptime-out",
"Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or <a>enable unsafe scripts</a>.": "Kan geen verbinding maken met de thuisserver via HTTP wanneer er een HTTPS-URL in uw browserbalk staat. Gebruik HTTPS of <a>schakel onveilige scripts in</a>.",
"Change Password": "Wachtwoord veranderen",
@ -43,7 +41,6 @@
"Commands": "Opdrachten",
"Confirm password": "Bevestig wachtwoord",
"Continue": "Doorgaan",
"Could not connect to the integration server": "Verbinding met de integratieserver is mislukt",
"Cancel": "Annuleren",
"Accept": "Aannemen",
"Active call (%(roomName)s)": "Actieve oproep (%(roomName)s)",
@ -53,11 +50,10 @@
"No Microphones detected": "Geen microfoons gevonden",
"No Webcams detected": "Geen webcams gevonden",
"No media permissions": "Geen mediatoestemmingen",
"You may need to manually permit Riot to access your microphone/webcam": "U moet Riot wellicht handmatig toestaan uw microfoon/webcam te gebruiken",
"You may need to manually permit %(brand)s to access your microphone/webcam": "U moet %(brand)s wellicht handmatig toestaan uw microfoon/webcam te gebruiken",
"Default Device": "Standaardapparaat",
"Microphone": "Microfoon",
"Camera": "Camera",
"Alias (optional)": "Bijnaam (optioneel)",
"Anyone": "Iedereen",
"Are you sure you want to leave the room '%(roomName)s'?": "Weet u zeker dat u het gesprek %(roomName)s wilt verlaten?",
"Close": "Sluiten",
@ -81,11 +77,9 @@
"Failed to change password. Is your password correct?": "Wijzigen van wachtwoord is mislukt. Is uw wachtwoord juist?",
"Moderator": "Moderator",
"Name": "Naam",
"none": "geen",
"not specified": "niet opgegeven",
"(not supported by this browser)": "(niet ondersteund door deze browser)",
"<not supported>": "<niet ondersteund>",
"NOT verified": "NIET geverifieerd",
"No display name": "Geen weergavenaam",
"No more results": "Geen resultaten meer",
"No results": "Geen resultaten",
@ -100,12 +94,9 @@
"Profile": "Profiel",
"Public Chat": "Openbaar gesprek",
"Reason": "Reden",
"Revoke Moderator": "Moderator degraderen",
"Register": "Registreren",
"%(targetName)s rejected the invitation.": "%(targetName)s heeft de uitnodiging geweigerd.",
"Reject invitation": "Uitnodiging weigeren",
"Remote addresses for this room:": "Externe adressen voor dit gesprek:",
"Start a chat": "Gesprek beginnen",
"Start authentication": "Authenticatie starten",
"Submit": "Bevestigen",
"Success": "Klaar",
@ -138,36 +129,25 @@
"Current password": "Huidig wachtwoord",
"%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s heeft de gespreksnaam verwijderd.",
"Create Room": "Gesprek aanmaken",
"Curve25519 identity key": "Curve25519-identiteitssleutel",
"/ddg is not a command": "/ddg is geen opdracht",
"Deactivate Account": "Account sluiten",
"Decline": "Weigeren",
"Decrypt %(text)s": "%(text)s ontsleutelen",
"Decryption error": "Ontsleutelingsfout",
"Device ID": "Apparaats-ID",
"device id: ": "apparaats-ID: ",
"Direct chats": "Tweegesprekken",
"Disable Notifications": "Meldingen uitschakelen",
"Disinvite": "Uitnodiging intrekken",
"Download %(text)s": "%(text)s downloaden",
"Drop File Here": "Versleep het bestand naar hier",
"Ed25519 fingerprint": "Ed25519-vingerafdruk",
"Email": "E-mailadres",
"Email address": "E-mailadres",
"Claimed Ed25519 fingerprint key": "Geclaimde Ed25519-vingerafdrukssleutel",
"Custom": "Aangepast",
"Custom level": "Aangepast niveau",
"Deops user with given id": "Ontmachtigt gebruiker met de gegeven ID",
"Default": "Standaard",
"Displays action": "Toont actie",
"Emoji": "Emoticons",
"Enable Notifications": "Meldingen inschakelen",
"%(senderName)s ended the call.": "%(senderName)s heeft opgehangen.",
"End-to-end encryption information": "Info over eind-tot-eind-versleuteling",
"Enter passphrase": "Voer wachtwoord in",
"Error decrypting attachment": "Fout bij het ontsleutelen van de bijlage",
"Error: Problem communicating with the given homeserver.": "Fout: probleem bij communicatie met de gegeven thuisserver.",
"Event information": "Gebeurtenisinformatie",
"Existing Call": "Bestaande oproep",
"Export": "Wegschrijven",
"Export E2E room keys": "E2E-gesprekssleutels wegschrijven",
@ -183,7 +163,6 @@
"Failed to send email": "Versturen van e-mail is mislukt",
"Failed to send request.": "Versturen van verzoek is mislukt.",
"Failed to set display name": "Instellen van weergavenaam is mislukt",
"Failed to toggle moderator status": "Aanpassen van moderatorstatus is mislukt",
"Failed to unban": "Ontbannen mislukt",
"Failed to upload profile picture!": "Uploaden van profielfoto is mislukt!",
"Failed to verify email address: make sure you clicked the link in the email": "Kan het e-mailadres niet verifiëren: zorg ervoor dat u de koppeling in de e-mail heeft aangeklikt",
@ -218,13 +197,11 @@
"Join as <voiceText>voice</voiceText> or <videoText>video</videoText>.": "Deelnemen met <voiceText>spraak</voiceText> of <videoText>video</videoText>.",
"Join Room": "Gesprek toetreden",
"%(targetName)s joined the room.": "%(targetName)s is tot het gesprek toegetreden.",
"Joins room with given alias": "Neemt met de gegeven bijnaam aan het gesprek deel",
"Jump to first unread message.": "Spring naar het eerste ongelezen bericht.",
"Labs": "Experimenteel",
"Last seen": "Laatst gezien",
"Leave room": "Gesprek verlaten",
"%(targetName)s left the room.": "%(targetName)s heeft het gesprek verlaten.",
"Local addresses for this room:": "Lokale adressen voor dit gesprek:",
"Logout": "Afmelden",
"Low priority": "Lage prioriteit",
"%(senderName)s made future room history visible to all room members, from the point they are invited.": "%(senderName)s heeft de toekomstige gespreksgeschiedenis zichtbaar gemaakt voor alle gespreksleden, vanaf het moment dat ze uitgenodigd zijn.",
@ -235,7 +212,6 @@
"Manage Integrations": "Integraties beheren",
"Missing room_id in request": "room_id ontbreekt in verzoek",
"Missing user_id in request": "user_id ontbreekt in verzoek",
"New address (e.g. #foo:%(localDomain)s)": "Nieuw adres (bv. #foo:%(localDomain)s)",
"New passwords don't match": "Nieuwe wachtwoorden komen niet overeen",
"New passwords must match each other.": "Nieuwe wachtwoorden moeten overeenkomen.",
"Only people who have been invited": "Alleen personen die zijn uitgenodigd",
@ -247,20 +223,18 @@
"%(senderName)s requested a VoIP conference.": "%(senderName)s heeft een VoIP-vergadering aangevraagd.",
"Results from DuckDuckGo": "Resultaten van DuckDuckGo",
"Return to login screen": "Terug naar het aanmeldscherm",
"Riot does not have permission to send you notifications - please check your browser settings": "Riot heeft geen toestemming u meldingen te sturen - controleer uw browserinstellingen",
"Riot was not given permission to send notifications - please try again": "Riot kreeg geen toestemming u meldingen te sturen - probeer het opnieuw",
"riot-web version:": "riot-web-versie:",
"%(brand)s does not have permission to send you notifications - please check your browser settings": "%(brand)s heeft geen toestemming u meldingen te sturen - controleer uw browserinstellingen",
"%(brand)s was not given permission to send notifications - please try again": "%(brand)s kreeg geen toestemming u meldingen te sturen - probeer het opnieuw",
"%(brand)s version:": "%(brand)s-versie:",
"Room %(roomId)s not visible": "Gesprek %(roomId)s is niet zichtbaar",
"Room Colour": "Gesprekskleur",
"%(roomName)s does not exist.": "%(roomName)s bestaat niet.",
"%(roomName)s is not accessible at this time.": "%(roomName)s is op dit moment niet toegankelijk.",
"Rooms": "Groepsgesprekken",
"Save": "Opslaan",
"Scroll to bottom of page": "Scroll naar de onderkant van de pagina",
"Search failed": "Zoeken mislukt",
"Searches DuckDuckGo for results": "Zoekt op DuckDuckGo voor resultaten",
"Seen by %(userName)s at %(dateTime)s": "Gezien door %(userName)s om %(dateTime)s",
"Send anyway": "Alsnog versturen",
"Send Reset Email": "E-mail voor opnieuw instellen versturen",
"%(senderDisplayName)s sent an image.": "%(senderDisplayName)s heeft een afbeelding gestuurd.",
"%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": "%(senderName)s heeft %(targetDisplayName)s in het gesprek uitgenodigd.",
@ -301,13 +275,9 @@
"%(senderName)s unbanned %(targetName)s.": "%(senderName)s heeft %(targetName)s ontbannen.",
"Unable to capture screen": "Kan geen schermafdruk maken",
"Unable to enable Notifications": "Kan meldingen niet inschakelen",
"unencrypted": "onversleuteld",
"unknown caller": "onbekende beller",
"unknown device": "onbekend apparaat",
"Unknown room %(roomId)s": "Onbekend gesprek %(roomId)s",
"Unmute": "Niet dempen",
"Unnamed Room": "Naamloos gesprek",
"Unrecognised room alias:": "Onbekende gespreksbijnaam:",
"Uploading %(filename)s and %(count)s others|zero": "%(filename)s wordt geüpload",
"Uploading %(filename)s and %(count)s others|one": "%(filename)s en %(count)s ander worden geüpload",
"Uploading %(filename)s and %(count)s others|other": "%(filename)s en %(count)s andere worden geüpload",
@ -316,14 +286,10 @@
"Upload file": "Bestand uploaden",
"Upload new:": "Upload er een nieuwe:",
"Usage": "Gebruik",
"Use compact timeline layout": "Compacte tijdlijnindeling gebruiken",
"User ID": "Gebruikers-ID",
"%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (macht %(powerLevelNumber)s)",
"Username invalid: %(errMessage)s": "Ongeldige gebruikersnaam: %(errMessage)s",
"Users": "Gebruikers",
"Verification Pending": "Verificatie in afwachting",
"Verification": "Verificatie",
"verified": "geverifieerd",
"Verified key": "Geverifieerde sleutel",
"Video call": "Video-oproep",
"Voice call": "Spraakoproep",
@ -353,7 +319,6 @@
"You will not be able to undo this change as you are promoting the user to have the same power level as yourself.": "U zult deze veranderingen niet terug kunnen draaien, daar u de gebruiker tot uw eigen niveau promoveert.",
"This server does not support authentication with a phone number.": "Deze server biedt geen ondersteuning voor authenticatie met een telefoonnummer.",
"An error occurred: %(error_string)s": "Er is een fout opgetreden: %(error_string)s",
"Make Moderator": "Benoemen tot moderator",
"There are no visible files in this room": "Er zijn geen zichtbare bestanden in dit gesprek",
"Room": "Gesprek",
"Connectivity to the server has been lost.": "De verbinding met de server is verbroken.",
@ -366,7 +331,7 @@
"Start automatically after system login": "Automatisch starten na systeemaanmelding",
"Analytics": "Statistische gegevens",
"Options": "Opties",
"Riot collects anonymous analytics to allow us to improve the application.": "Riot verzamelt anonieme analysegegevens die het mogelijk maken de toepassing te verbeteren.",
"%(brand)s collects anonymous analytics to allow us to improve the application.": "%(brand)s verzamelt anonieme analysegegevens die het mogelijk maken de toepassing te verbeteren.",
"Passphrases must match": "Wachtwoorden moeten overeenkomen",
"Passphrase must not be empty": "Wachtwoord mag niet leeg zijn",
"Export room keys": "Gesprekssleutels wegschrijven",
@ -385,15 +350,9 @@
"Are you sure you wish to remove (delete) this event? Note that if you delete a room name or topic change, it could undo the change.": "Weet u zeker dat u deze gebeurtenis wilt verwijderen? Besef wel dat het verwijderen van een van een gespreksnaams- of onderwerpswijziging die wijziging mogelijk teniet doet.",
"Unknown error": "Onbekende fout",
"Incorrect password": "Onjuist wachtwoord",
"To continue, please enter your password.": "Voer uw wachtwoord in om verder te gaan.",
"Blacklist": "Blokkeren",
"Unblacklist": "Deblokkeren",
"I verify that the keys match": "Ik verklaar dat de sleutels overeenkomen",
"Unable to restore session": "Sessieherstel lukt niet",
"If you have previously used a more recent version of Riot, your session may be incompatible with this version. Close this window and return to the more recent version.": "Als u reeds een recentere versie van Riot heeft gebruikt is uw sessie mogelijk onverenigbaar met deze versie. Sluit dit venster en ga terug naar die recentere versie.",
"If you have previously used a more recent version of %(brand)s, your session may be incompatible with this version. Close this window and return to the more recent version.": "Als u reeds een recentere versie van %(brand)s heeft gebruikt is uw sessie mogelijk onverenigbaar met deze versie. Sluit dit venster en ga terug naar die recentere versie.",
"Unknown Address": "Onbekend adres",
"Unverify": "Ontverifiëren",
"Verify...": "Verifiëren…",
"ex. @bob:example.com": "bv. @jan:voorbeeld.com",
"Add User": "Gebruiker toevoegen",
"Please check your email to continue registration.": "Bekijk uw e-mail om verder te gaan met de registratie.",
@ -405,7 +364,6 @@
"Error decrypting video": "Fout bij het ontsleutelen van de video",
"Add an Integration": "Voeg een integratie toe",
"You are about to be taken to a third-party site so you can authenticate your account for use with %(integrationsUrl)s. Do you wish to continue?": "U wordt zo dadelijk naar een derdepartijwebsite gebracht zodat u de account kunt legitimeren voor gebruik met %(integrationsUrl)s. Wilt u doorgaan?",
"Removed or unknown message type": "Verwijderd of onbekend berichttype",
"URL Previews": "URL-voorvertoningen",
"Drop file here to upload": "Versleep het bestand naar hier om het te uploaden",
" (unsupported)": " (niet ondersteund)",
@ -423,15 +381,11 @@
"This will be your account name on the <span></span> homeserver, or you can pick a <a>different server</a>.": "Dit zal uw accountnaam worden op de <span></span>-thuisserver, of u kunt een <a>andere server</a> kiezen.",
"If you already have a Matrix account you can <a>log in</a> instead.": "Als u al een Matrix-account heeft, kunt u zich meteen <a>aanmelden</a>.",
"Your browser does not support the required cryptography extensions": "Uw browser ondersteunt de benodigde cryptografie-extensies niet",
"Not a valid Riot keyfile": "Geen geldig Riot-sleutelbestand",
"Not a valid %(brand)s keyfile": "Geen geldig %(brand)s-sleutelbestand",
"Authentication check failed: incorrect password?": "Aanmeldingscontrole mislukt: onjuist wachtwoord?",
"Do you want to set an email address?": "Wilt u een e-mailadres instellen?",
"This will allow you to reset your password and receive notifications.": "Zo kunt u een nieuw wachtwoord instellen en meldingen ontvangen.",
"Skip": "Overslaan",
"Start verification": "Verificatie starten",
"Share without verifying": "Delen zonder verificatie",
"Ignore request": "Verzoek negeren",
"Encryption key request": "Verzoek voor versleutelingssleutel",
"Define the power level of a user": "Bepaal het machtsniveau van een gebruiker",
"Add a widget": "Widget toevoegen",
"Allow": "Toestaan",
@ -461,21 +415,15 @@
"Unpin Message": "Bericht losmaken",
"Add rooms to this community": "Voeg gesprekken toe aan deze gemeenschap",
"Call Failed": "Oproep mislukt",
"Call": "Bellen",
"Answer": "Beantwoorden",
"Warning: any person you add to a community will be publicly visible to anyone who knows the community ID": "Let op: elke persoon die u toevoegt aan een gemeenschap zal publiek zichtbaar zijn voor iedereen die de gemeenschaps-ID kent",
"Invite new community members": "Nodig nieuwe gemeenschapsleden uit",
"Which rooms would you like to add to this community?": "Welke gesprekken wilt u toevoegen aan deze gemeenschap?",
"Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "Widgets verwijderen geldt voor alle deelnemers aan dit gesprek. Weet u zeker dat u deze widget wilt verwijderen?",
"Delete Widget": "Widget verwijderen",
"Review Devices": "Apparaten nakijken",
"Call Anyway": "Toch bellen",
"Answer Anyway": "Toch beantwoorden",
"Who would you like to add to this community?": "Wie wilt u toevoegen aan deze gemeenschap?",
"Invite to Community": "Uitnodigen tot gemeenschap",
"Show these rooms to non-members on the community page and room list?": "Deze gesprekken tonen aan niet-leden op de gemeenschapspagina en gesprekslijst?",
"Add rooms to the community": "Voeg gesprekken toe aan de gemeenschap",
"Room name or alias": "Gespreks(bij)naam",
"Add to community": "Toevoegen aan gemeenschap",
"Failed to invite the following users to %(groupId)s:": "Uitnodigen van volgende gebruikers tot %(groupId)s is mislukt:",
"Failed to invite users to community": "Uitnodigen van gebruikers tot de gemeenschap is mislukt",
@ -507,11 +455,8 @@
"Jump to read receipt": "Naar het laatst gelezen bericht gaan",
"Mention": "Vermelden",
"Invite": "Uitnodigen",
"User Options": "Gebruikersopties",
"Send an encrypted reply…": "Verstuur een versleuteld antwoord…",
"Send a reply (unencrypted)…": "Verstuur een antwoord (onversleuteld)…",
"Send an encrypted message…": "Verstuur een versleuteld bericht…",
"Send a message (unencrypted)…": "Verstuur een bericht (onversleuteld)…",
"Jump to message": "Naar bericht springen",
"No pinned messages.": "Geen vastgeprikte berichten.",
"Loading...": "Bezig met laden…",
@ -543,8 +488,6 @@
"New community ID (e.g. +foo:%(localDomain)s)": "Nieuwe gemeenschaps-ID (bv. +foo:%(localDomain)s)",
"URL previews are enabled by default for participants in this room.": "URL-voorvertoningen zijn voor leden van dit gesprek standaard ingeschakeld.",
"URL previews are disabled by default for participants in this room.": "URL-voorvertoningen zijn voor leden van dit gesprek standaard uitgeschakeld.",
"Message removed by %(userId)s": "Bericht verwijderd door %(userId)s",
"Message removed": "Bericht verwijderd",
"An email has been sent to %(emailAddress)s": "Er is een e-mail naar %(emailAddress)s verstuurd",
"A text message has been sent to %(msisdn)s": "Er is een sms naar %(msisdn)s verstuurd",
"Remove from community": "Verwijderen uit gemeenschap",
@ -664,7 +607,7 @@
"Community %(groupId)s not found": "Gemeenschap %(groupId)s is niet gevonden",
"Failed to load %(groupId)s": "Laden van %(groupId)s is mislukt",
"Old cryptography data detected": "Oude cryptografiegegevens gedetecteerd",
"Data from an older version of Riot has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "Er zijn gegevens van een oudere versie van Riot gevonden, die problemen veroorzaakt hebben met de eind-tot-eind-versleuteling in de oude versie. Onlangs vanuit de oude versie verzonden eind-tot-eind-versleutelde berichten zijn mogelijk onontsleutelbaar in deze versie. Ook kunnen berichten die met deze versie uitgewisseld zijn falen. Mocht u problemen ervaren, meld u dan opnieuw aan. Schrijf uw sleutels weg en lees ze weer in om uw berichtgeschiedenis te behouden.",
"Data from an older version of %(brand)s has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "Er zijn gegevens van een oudere versie van %(brand)s gevonden, die problemen veroorzaakt hebben met de eind-tot-eind-versleuteling in de oude versie. Onlangs vanuit de oude versie verzonden eind-tot-eind-versleutelde berichten zijn mogelijk onontsleutelbaar in deze versie. Ook kunnen berichten die met deze versie uitgewisseld zijn falen. Mocht u problemen ervaren, meld u dan opnieuw aan. Schrijf uw sleutels weg en lees ze weer in om uw berichtgeschiedenis te behouden.",
"Your Communities": "Uw gemeenschappen",
"Error whilst fetching joined communities": "Er is een fout opgetreden bij het ophalen van de gemeenschappen waarvan u lid bent",
"Create a new community": "Maak een nieuwe gemeenschap aan",
@ -674,8 +617,6 @@
"%(count)s <resendText>Resend all</resendText> or <cancelText>cancel all</cancelText> now. You can also select individual messages to resend or cancel.|one": "<resendText>Bericht opnieuw versturen</resendText> of <cancelText>bericht annuleren</cancelText>.",
"Warning": "Let op",
"There's no one else here! Would you like to <inviteText>invite others</inviteText> or <nowarnText>stop warning about the empty room</nowarnText>?": "Er is niemand anders hier! Wilt u <inviteText>anderen uitnodigen</inviteText> of <nowarnText>de waarschuwing over het lege gesprek stoppen</nowarnText>?",
"Light theme": "Licht thema",
"Dark theme": "Donker thema",
"Privacy is important to us, so we don't collect any personal or identifiable data for our analytics.": "Privacy is belangrijk voor ons, dus we verzamelen geen persoonlijke of identificeerbare gegevens voor onze gegevensanalyse.",
"Learn more about how we use analytics.": "Lees meer over hoe we uw gegevens gebruiken.",
"An email has been sent to %(emailAddress)s. Once you've followed the link it contains, click below.": "Er is een e-mail naar %(emailAddress)s verstuurd. Klik hieronder van zodra u de koppeling erin hebt gevolgd.",
@ -685,21 +626,20 @@
"Stops ignoring a user, showing their messages going forward": "Stopt het negeren van een gebruiker, hierdoor worden de berichten van de gebruiker weer zichtbaar",
"Notify the whole room": "Laat dit aan het hele groepsgesprek weten",
"Room Notification": "Groepsgespreksmelding",
"The information being sent to us to help make Riot.im better includes:": "De naar ons verstuurde informatie om Riot.im te verbeteren behelst:",
"The information being sent to us to help make %(brand)s better includes:": "De informatie die naar ons wordt verstuurd om %(brand)s te verbeteren bevat:",
"Where this page includes identifiable information, such as a room, user or group ID, that data is removed before being sent to the server.": "Waar deze pagina identificeerbare informatie bevat, zoals een gespreks-, gebruikers- of groeps-ID, zullen deze gegevens verwijderd worden voordat ze naar de server gestuurd worden.",
"The platform you're on": "Het platform dat u gebruikt",
"The version of Riot.im": "De versie van Riot.im",
"The version of %(brand)s": "De versie van %(brand)s",
"Your language of choice": "De door u gekozen taal",
"Which officially provided instance you are using, if any": "Welke officieel aangeboden instantie u eventueel gebruikt",
"Whether or not you're using the Richtext mode of the Rich Text Editor": "Of u de tekstverwerker al dan niet in de modus voor opgemaakte tekst gebruikt",
"Your homeserver's URL": "De URL van uw thuisserver",
"Your identity server's URL": "De URL van uw identiteitsserver",
"<a>In reply to</a> <pill>": "<a>Als antwoord op</a> <pill>",
"This room is not public. You will not be able to rejoin without an invite.": "Dit is geen openbaar gesprek. Slechts op uitnodiging zult u opnieuw kunnen toetreden.",
"were unbanned %(count)s times|one": "zijn ontbannen",
"%(oldDisplayName)s changed their display name to %(displayName)s.": "%(oldDisplayName)s heeft %(displayName)s als weergavenaam aangenomen.",
"Key request sent.": "Sleutelverzoek verstuurd.",
"Did you know: you can use communities to filter your Riot.im experience!": "Wist u dat: u gemeenschappen kunt gebruiken om uw Riot.im-beleving te filteren!",
"Did you know: you can use communities to filter your %(brand)s experience!": "Wist u dat: u gemeenschappen kunt gebruiken om uw %(brand)s-beleving te filteren!",
"To set up a filter, drag a community avatar over to the filter panel on the far left hand side of the screen. You can click on an avatar in the filter panel at any time to see only the rooms and people associated with that community.": "Versleep een gemeenschapsavatar naar het filterpaneel helemaal links op het scherm om een filter in te stellen. Daarna kunt u op de avatar in het filterpaneel klikken wanneer u zich wilt beperken tot de gesprekken en mensen uit die gemeenschap.",
"Clear filter": "Filter wissen",
"Failed to set direct chat tag": "Instellen van tweegesprekslabel is mislukt",
@ -722,7 +662,6 @@
"Submit debug logs": "Foutopsporingslogboeken indienen",
"Opens the Developer Tools dialog": "Opent het dialoogvenster met ontwikkelaarsgereedschap",
"Fetching third party location failed": "Het ophalen van de locatie van de derde partij is mislukt",
"A new version of Riot is available.": "Er is een nieuwe versie van Riot beschikbaar.",
"I understand the risks and wish to continue": "Ik begrijp de risicos en wil graag verdergaan",
"Send Account Data": "Accountgegevens versturen",
"All notifications are currently disabled for all targets.": "Alle meldingen voor alle bestemmingen zijn momenteel uitgeschakeld.",
@ -740,8 +679,6 @@
"Waiting for response from server": "Wachten op antwoord van de server",
"Send Custom Event": "Aangepaste gebeurtenis versturen",
"Advanced notification settings": "Geavanceerde meldingsinstellingen",
"delete the alias.": "verwijder de bijnaam.",
"To return to your account in future you need to <u>set a password</u>": "Om uw account te kunnen blijven gebruiken dient u <u>een wachtwoord in te stellen</u>",
"Forget": "Vergeten",
"You cannot delete this image. (%(code)s)": "U kunt deze afbeelding niet verwijderen. (%(code)s)",
"Cancel Sending": "Versturen annuleren",
@ -766,7 +703,6 @@
"No update available.": "Geen update beschikbaar.",
"Noisy": "Lawaaierig",
"Collecting app version information": "App-versieinformatie wordt verzameld",
"Delete the room alias %(alias)s and remove %(name)s from the directory?": "De bijnaam %(alias)s verwijderen en %(name)s uit de catalogus verwijderen?",
"Keywords": "Trefwoorden",
"Enable notifications for this account": "Meldingen inschakelen voor deze account",
"Invite to this community": "Uitnodigen in deze gemeenschap",
@ -777,7 +713,7 @@
"Search…": "Zoeken…",
"You have successfully set a password and an email address!": "U heeft een wachtwoord en e-mailadres ingesteld!",
"Remove %(name)s from the directory?": "%(name)s uit de catalogus verwijderen?",
"Riot uses many advanced browser features, some of which are not available or experimental in your current browser.": "Riot gebruikt veel geavanceerde browserfuncties, waarvan enkele niet (of slechts experimenteel) in uw browser beschikbaar zijn.",
"%(brand)s uses many advanced browser features, some of which are not available or experimental in your current browser.": "%(brand)s gebruikt veel geavanceerde browserfuncties, waarvan enkele niet (of slechts experimenteel) in uw browser beschikbaar zijn.",
"Developer Tools": "Ontwikkelgereedschap",
"Explore Account Data": "Accountgegevens verkennen",
"Remove from Directory": "Verwijderen uit catalogus",
@ -817,8 +753,7 @@
"Show message in desktop notification": "Bericht tonen in bureaubladmelding",
"Unhide Preview": "Voorvertoning weergeven",
"Unable to join network": "Kon niet toetreden tot dit netwerk",
"You might have configured them in a client other than Riot. You cannot tune them in Riot but they still apply": "U heeft ze mogelijk ingesteld in een andere cliënt dan Riot. U kunt ze niet aanpassen in Riot, maar ze zijn wel actief",
"Sorry, your browser is <b>not</b> able to run Riot.": "Sorry, uw browser werkt <b>niet</b> met Riot.",
"Sorry, your browser is <b>not</b> able to run %(brand)s.": "Sorry, uw browser werkt <b>niet</b> met %(brand)s.",
"Uploaded on %(date)s by %(user)s": "Geüpload door %(user)s op %(date)s",
"Messages in group chats": "Berichten in groepsgesprekken",
"Yesterday": "Gisteren",
@ -827,7 +762,7 @@
"Unable to fetch notification target list": "Kan de bestemmingslijst voor meldingen niet ophalen",
"Set Password": "Wachtwoord instellen",
"Off": "Uit",
"Riot does not know how to join a room on this network": "Riot weet niet hoe het moet deelnemen aan een gesprek op dit netwerk",
"%(brand)s does not know how to join a room on this network": "%(brand)s weet niet hoe het moet deelnemen aan een gesprek op dit netwerk",
"Mentions only": "Alleen vermeldingen",
"Wednesday": "Woensdag",
"You can now return to your account after signing out, and sign in on other devices.": "Na afmelding kunt u terugkeren tot uw account, en u op andere apparaten aanmelden.",
@ -843,7 +778,6 @@
"Thank you!": "Bedankt!",
"With your current browser, the look and feel of the application may be completely incorrect, and some or all features may not function. If you want to try it anyway you can continue, but you are on your own in terms of any issues you may encounter!": "Met uw huidige browser kan de toepassing er volledig onjuist uitzien. Tevens is het mogelijk dat niet alle functies naar behoren werken. U kunt doorgaan als u het toch wilt proberen, maar bij problemen bent u volledig op uzelf aangewezen!",
"Checking for an update...": "Bezig met controleren op updates…",
"There are advanced notifications which are not shown here": "Er zijn geavanceerde meldingen die hier niet getoond worden",
"Logs sent": "Logboeken verstuurd",
"Debug logs contain application usage data including your username, the IDs or aliases of the rooms or groups you have visited and the usernames of other users. They do not contain messages.": "Foutopsporingslogboeken bevatten gebruiksgegevens over de toepassing, inclusief uw gebruikersnaam, de IDs of bijnamen van de gesprekken en groepen die u heeft bezocht, evenals de gebruikersnamen van andere gebruikers. Ze bevatten geen berichten.",
"Failed to send logs: ": "Versturen van logboeken mislukt: ",
@ -851,16 +785,12 @@
"e.g. %(exampleValue)s": "bv. %(exampleValue)s",
"Every page you use in the app": "Iedere bladzijde die u in de toepassing gebruikt",
"e.g. <CurrentPageURL>": "bv. <CurrentPageURL>",
"Your User Agent": "Uw gebruikersagent",
"Your device resolution": "De resolutie van uw apparaat",
"Missing roomId.": "roomId ontbreekt.",
"Always show encryption icons": "Versleutelingspictogrammen altijd tonen",
"Send analytics data": "Statistische gegevens (analytics) versturen",
"Enable widget screenshots on supported widgets": "Widget-schermafbeeldingen inschakelen op ondersteunde widgets",
"Muted Users": "Gedempte gebruikers",
"Please help improve Riot.im by sending <UsageDataLink>anonymous usage data</UsageDataLink>. This will use a cookie (please see our <PolicyLink>Cookie Policy</PolicyLink>).": "Help Riot.im te verbeteren door <UsageDataLink>anonieme gebruiksgegevens</UsageDataLink> te versturen. Dit zal een cookie gebruiken (bekijk hiervoor ons <PolicyLink>cookiebeleid</PolicyLink>).",
"Please help improve Riot.im by sending <UsageDataLink>anonymous usage data</UsageDataLink>. This will use a cookie.": "Help Riot.im te verbeteren door <UsageDataLink>anonieme gebruiksgegevens</UsageDataLink> te versturen. Dit zal een cookie gebruiken.",
"Yes, I want to help!": "Ja, ik wil helpen!",
"Popout widget": "Widget in nieuw venster openen",
"Unable to load event that was replied to, it either does not exist or you do not have permission to view it.": "Kan de gebeurtenis waarop gereageerd was niet laden. Wellicht bestaat die niet, of heeft u geen toestemming die te bekijken.",
"This will make your account permanently unusable. You will not be able to log in, and no one will be able to re-register the same user ID. This will cause your account to leave all rooms it is participating in, and it will remove your account details from your identity server. <b>This action is irreversible.</b>": "Dit zal uw account voorgoed onbruikbaar maken. U zult zich niet meer kunnen aanmelden, en niemand anders zal zich met dezelfde gebruikers-ID kunnen registreren. Hierdoor zal uw account alle gesprekken waaraan ze deelneemt verlaten, en worden de accountgegevens verwijderd van de identiteitsserver. <b>Deze stap is onomkeerbaar.</b>",
@ -910,8 +840,6 @@
"Audio Output": "Geluidsuitgang",
"Ignored users": "Genegeerde gebruikers",
"Bulk options": "Bulkopties",
"Registration Required": "Registratie vereist",
"You need to register to do this. Would you like to register now?": "Hiervoor dient u zich te registreren. Wilt u dat nu doen?",
"This homeserver has hit its Monthly Active User limit.": "Deze thuisserver heeft zijn limiet voor maandelijks actieve gebruikers bereikt.",
"This homeserver has exceeded one of its resource limits.": "Deze thuisserver heeft één van zijn systeembronlimieten overschreden.",
"Whether or not you're logged in (we don't record your username)": "Of u al dan niet aangemeld bent (we slaan uw gebruikersnaam niet op)",
@ -934,11 +862,6 @@
"%(senderDisplayName)s enabled flair for %(groups)s in this room.": "%(senderDisplayName)s heeft badges voor %(groups)s in dit gesprek ingeschakeld.",
"%(senderDisplayName)s disabled flair for %(groups)s in this room.": "%(senderDisplayName)s heeft badges voor %(groups)s in dit gesprek uitgeschakeld.",
"%(senderDisplayName)s enabled flair for %(newGroups)s and disabled flair for %(oldGroups)s in this room.": "%(senderDisplayName)s heeft badges in dit gesprek voor %(newGroups)s in-, en voor %(oldGroups)s uitgeschakeld.",
"%(senderName)s added %(count)s %(addedAddresses)s as addresses for this room.|other": "%(senderName)s heeft de adressen %(addedAddresses)s aan dit gesprek toegekend.",
"%(senderName)s added %(count)s %(addedAddresses)s as addresses for this room.|one": "%(senderName)s heeft %(addedAddresses)s als gespreksadres toegevoegd.",
"%(senderName)s removed %(count)s %(removedAddresses)s as addresses for this room.|other": "%(senderName)s heeft het gespreksadres %(removedAddresses)s verwijderd.",
"%(senderName)s removed %(count)s %(removedAddresses)s as addresses for this room.|one": "%(senderName)s heeft de gespreksadressen %(removedAddresses)s verwijderd.",
"%(senderName)s added %(addedAddresses)s and removed %(removedAddresses)s as addresses for this room.": "%(senderName)s heeft de gespreksadressen %(addedAddresses)s toegevoegd, en %(removedAddresses)s verwijderd.",
"%(senderName)s set the main address for this room to %(address)s.": "%(senderName)s heeft %(address)s als hoofdadres voor dit gesprek ingesteld.",
"%(senderName)s removed the main address for this room.": "%(senderName)s heeft het hoofdadres voor dit gesprek verwijderd.",
"%(displayName)s is typing …": "%(displayName)s is aan het typen…",
@ -1001,7 +924,6 @@
"Allow Peer-to-Peer for 1:1 calls": "Peer-to-peer toestaan voor tweegesprekken",
"Prompt before sending invites to potentially invalid matrix IDs": "Bevestiging vragen voordat uitnodigingen naar mogelijk ongeldige Matrix-IDs worden verstuurd",
"Show developer tools": "Ontwikkelgereedschap tonen",
"Order rooms in the room list by most important first instead of most recent": "Gesprekken in de gesprekkenlijst sorteren op belang in plaats van laatste gebruik",
"Messages containing my username": "Berichten die mijn gebruikersnaam bevatten",
"Messages containing @room": "Berichten die @room bevatten",
"Encrypted messages in one-to-one chats": "Versleutelde berichten in tweegesprekken",
@ -1091,7 +1013,7 @@
"All keys backed up": "Alle sleutels zijn geback-upt",
"Backup version: ": "Back-upversie: ",
"Algorithm: ": "Algoritme: ",
"Chat with Riot Bot": "Met Riot-robot chatten",
"Chat with %(brand)s Bot": "Met %(brand)s-robot chatten",
"Forces the current outbound group session in an encrypted room to be discarded": "Dwingt tot verwerping van de huidige uitwaartse groepssessie in een versleuteld gesprek",
"Start using Key Backup": "Begin sleutelback-up te gebruiken",
"Add an email address to configure email notifications": "Voeg een e-mailadres toe om e-mailmeldingen in te stellen",
@ -1111,8 +1033,8 @@
"General": "Algemeen",
"Legal": "Wettelijk",
"Credits": "Met dank aan",
"For help with using Riot, click <a>here</a>.": "Klik <a>hier</a> voor hulp bij het gebruiken van Riot.",
"For help with using Riot, 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 Riot, of begin een gesprek met onze robot met de knop hieronder.",
"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 gesprek met onze robot met de knop hieronder.",
"Help & About": "Hulp & Info",
"Bug reporting": "Foutmeldingen",
"FAQ": "VGV",
@ -1155,7 +1077,6 @@
"Select the roles required to change various parts of the room": "Selecteer de rollen vereist om verschillende delen van het gesprek te wijzigen",
"Enable encryption?": "Versleuteling inschakelen?",
"Once enabled, encryption for a room cannot be disabled. Messages sent in an encrypted room cannot be seen by the server, only by the participants of the room. Enabling encryption may prevent many bots and bridges from working correctly. <a>Learn more about encryption.</a>": "Gespreksversleuteling is onomkeerbaar. Berichten in versleutelde gesprekken zijn niet leesbaar voor de server; enkel voor de gespreksdeelnemers. Veel robots en overbruggingen werken niet correct in versleutelde gesprekken. <a>Lees meer over versleuteling.</a>",
"To link to this room, please add an alias.": "Voeg een bijnaam toe om naar dit gesprek te verwijzen.",
"Changes to who can read history will only apply to future messages in this room. The visibility of existing history will be unchanged.": "Wijzigingen aan wie de geschiedenis kan lezen gelden enkel voor toekomstige berichten in dit gesprek. De zichtbaarheid van de bestaande geschiedenis blijft ongewijzigd.",
"Encryption": "Versleuteling",
"Once enabled, encryption cannot be disabled.": "Eenmaal ingeschakeld kan versleuteling niet meer worden uitgeschakeld.",
@ -1171,10 +1092,6 @@
"Add some now": "Voeg er nu een paar toe",
"Error updating main address": "Fout bij bijwerken van hoofdadres",
"There was an error updating the room's main address. It may not be allowed by the server or a temporary failure occurred.": "Er is een fout opgetreden bij het bijwerken van het hoofdadres van het gesprek. Dit wordt mogelijk niet toegestaan door de server, of er is een tijdelijk probleem opgetreden.",
"Error creating alias": "Fout bij aanmaken van bijnaam",
"There was an error creating that alias. It may not be allowed by the server or a temporary failure occurred.": "Er is een fout opgetreden bij het aanmaken van die bijnaam. Dit wordt mogelijk niet toegestaan door de server, of er is een tijdelijk probleem opgetreden.",
"Error removing alias": "Fout bij verwijderen van bijnaam",
"There was an error removing that alias. It may no longer exist or a temporary error occurred.": "Er is een fout opgetreden bij het verwijderen van die bijnaam. Mogelijk bestaat die niet meer, of er is een tijdelijke fout opgetreden.",
"Main address": "Hoofdadres",
"Error updating flair": "Fout bij bijwerken van badge",
"There was an error updating the flair for this room. The server may not allow it or a temporary error occurred.": "Er is een fout opgetreden bij het bijwerken van de badge voor dit gesprek. Wellicht ondersteunt de server dit niet, of er is een tijdelijke fout opgetreden.",
@ -1184,9 +1101,6 @@
"This room is a continuation of another conversation.": "Dit gesprek is een voortzetting van een ander gesprek.",
"Click here to see older messages.": "Klik hier om oudere berichten te bekijken.",
"Failed to load group members": "Laden van groepsleden is mislukt",
"Please <a>contact your service administrator</a> to get this limit increased.": "Gelieve <a>contact op te nemen met uw dienstbeheerder</a> om deze limiet te verhogen.",
"This homeserver has hit its Monthly Active User limit so <b>some users will not be able to log in</b>.": "Deze thuisserver heeft zijn limiet voor maandelijks actieve gebruikers bereikt, waardoor <b>sommige gebruikers zich niet zullen kunnen aanmelden</b>.",
"This homeserver has exceeded one of its resource limits so <b>some users will not be able to log in</b>.": "Deze thuisserver heeft één van zijn systeembronlimieten overschreden, waardoor <b>sommige gebruikers zich niet zullen kunnen aanmelden</b>.",
"Join": "Deelnemen",
"Power level": "Machtsniveau",
"That doesn't look like a valid email address": "Dit is geen geldig e-mailadres",
@ -1196,26 +1110,18 @@
"Invite anyway": "Alsnog uitnodigen",
"Before submitting logs, you must <a>create a GitHub issue</a> to describe your problem.": "Vooraleer u logboeken indient, dient u uw probleem te <a>melden op GitHub</a>.",
"Unable to load commit detail: %(msg)s": "Kan commitdetail niet laden: %(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 Riot to do this": "Schrijf om uw gespreksgeschiedenis niet te verliezen vóór het afmelden uw gesprekssleutels weg. Dat moet vanuit de nieuwere versie van Riot",
"You've previously used a newer version of Riot on %(host)s. To use this version again with end to end encryption, you will need to sign out and back in again. ": "U heeft eerder een nieuwere versie van Riot op %(host)s gebruikt. Om deze versie opnieuw met eind-tot-eind-versleuteling te gebruiken, zult u zich moeten afmelden en opnieuw aanmelden. ",
"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": "Schrijf om uw gespreksgeschiedenis niet te verliezen vóór het afmelden uw gesprekssleutels weg. Dat moet vanuit de nieuwere versie van %(brand)s",
"Incompatible Database": "Incompatibele database",
"Continue With Encryption Disabled": "Verdergaan met versleuteling uitgeschakeld",
"Use Legacy Verification (for older clients)": "Verouderde verificatie gebruiken (voor oudere cliënten)",
"Verify by comparing a short text string.": "Verifieer door een korte tekenreeks te vergelijken.",
"Begin Verifying": "Verificatie beginnen",
"Waiting for partner to accept...": "Aan het wachten op partner…",
"Nothing appearing? Not all clients support interactive verification yet. <button>Use legacy verification</button>.": "Verschijnt er niets? Nog niet alle cliënten bieden ondersteuning voor interactieve verificatie. <button>Gebruik verouderde verificatie</button>.",
"Waiting for %(userId)s to confirm...": "Wachten op bevestiging van %(userId)s…",
"Use two-way text verification": "Tweerichtingstekstverificatie gebruiken",
"Verify this user to mark them as trusted. Trusting users gives you extra peace of mind when using end-to-end encrypted messages.": "Verifieer deze gebruiker om hem/haar als vertrouwd te markeren. Gebruikers vertrouwen geeft u extra gemoedsrust bij het gebruik van eind-tot-eind-versleutelde berichten.",
"Waiting for partner to confirm...": "Wachten op bevestiging van partner…",
"Incoming Verification Request": "Inkomend verificatieverzoek",
"You've previously used Riot 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, Riot needs to resync your account.": "U heeft voorheen Riot op %(host)s gebruikt met lui laden van leden ingeschakeld. In deze versie is lui laden uitgeschakeld. De lokale cache is niet compatibel tussen deze twee instellingen, zodat Riot uw account moet hersynchroniseren.",
"If the other version of Riot is still open in another tab, please close it as using Riot on the same host with both lazy loading enabled and disabled simultaneously will cause issues.": "Indien de andere versie van Riot nog open staat in een ander tabblad kunt u dat beter sluiten, want het geeft problemen als Riot op dezelfde host gelijktijdig met lui laden ingeschakeld en uitgeschakeld draait.",
"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.": "U heeft voorheen %(brand)s op %(host)s gebruikt met lui laden van leden ingeschakeld. In deze versie is lui laden uitgeschakeld. De lokale cache is niet compatibel tussen deze twee instellingen, zodat %(brand)s uw account moet hersynchroniseren.",
"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.": "Indien de andere versie van %(brand)s nog open staat in een ander tabblad kunt u dat beter sluiten, want het geeft problemen als %(brand)s op dezelfde host gelijktijdig met lui laden ingeschakeld en uitgeschakeld draait.",
"Incompatible local cache": "Incompatibele lokale cache",
"Clear cache and resync": "Cache wissen en hersynchroniseren",
"Riot now uses 3-5x less memory, by only loading information about other users when needed. Please wait whilst we resynchronise with the server!": "Riot verbruikt nu 3-5x minder geheugen, door informatie over andere gebruikers enkel te laden wanneer nodig. Even geduld, we hersynchroniseren met de server!",
"Updating Riot": "Riot wordt bijgewerkt",
"%(brand)s now uses 3-5x less memory, by only loading information about other users when needed. Please wait whilst we resynchronise with the server!": "%(brand)s verbruikt nu 3-5x minder geheugen, door informatie over andere gebruikers enkel te laden wanneer nodig. Even geduld, we hersynchroniseren met de server!",
"Updating %(brand)s": "%(brand)s wordt bijgewerkt",
"I don't want my encrypted messages": "Ik wil mijn versleutelde berichten niet",
"Manually export keys": "Sleutels handmatig wegschrijven",
"You'll lose access to your encrypted messages": "U zult de toegang tot uw versleutelde berichten verliezen",
@ -1236,21 +1142,13 @@
"A username can only contain lower case letters, numbers and '=_-./'": "Een gebruikersnaam mag enkel kleine letters, cijfers en =_-./ bevatten",
"Checking...": "Bezig met controleren…",
"Unable to load backup status": "Kan back-upstatus niet laden",
"Recovery Key Mismatch": "Herstelsleutel komt niet overeen",
"Backup could not be decrypted with this key: please verify that you entered the correct recovery key.": "De back-up kon met deze sleutel niet ontsleuteld worden: controleer of u de juiste herstelsleutel heeft ingevoerd.",
"Incorrect Recovery Passphrase": "Onjuist herstelwachtwoord",
"Backup could not be decrypted with this passphrase: please verify that you entered the correct recovery passphrase.": "De back-up kon met dit wachtwoord niet ontsleuteld worden: controleer of u het juiste herstelwachtwoord heeft ingevoerd.",
"Unable to restore backup": "Kan back-up niet terugzetten",
"No backup found!": "Geen back-up gevonden!",
"Backup Restored": "Back-up hersteld",
"Failed to decrypt %(failedCount)s sessions!": "Ontsleutelen van %(failedCount)s sessies is mislukt!",
"Restored %(sessionCount)s session keys": "%(sessionCount)s sessiesleutels hersteld",
"Enter Recovery Passphrase": "Voer het herstelwachtwoord in",
"<b>Warning</b>: you should only set up key backup from a trusted computer.": "<b>Let op</b>: stel sleutelback-up enkel in op een vertrouwde computer.",
"Access your secure message history and set up secure messaging by entering your recovery passphrase.": "Verkrijg toegang tot uw beveiligde berichtgeschiedenis en stel beveiligd chatten in door uw herstelwachtwoord in te voeren.",
"Next": "Volgende",
"If you've forgotten your recovery passphrase you can <button1>use your recovery key</button1> or <button2>set up new recovery options</button2>": "Als u uw herstelwachtwoord vergeten bent, kunt u <button1>uw herstelsleutel gebruiken</button1> of <button2>nieuwe herstelopties instellen</button2>",
"Enter Recovery Key": "Voer de herstelsleutel in",
"This looks like a valid recovery key!": "Dit is een geldige herstelsleutel!",
"Not a valid recovery key": "Geen geldige herstelsleutel",
"Access your secure message history and set up secure messaging by entering your recovery key.": "Verkrijg toegang tot uw beveiligde berichtgeschiedenis en stel beveiligd chatten in door uw herstelsleutel in te voeren.",
@ -1310,35 +1208,19 @@
"Registration has been disabled on this homeserver.": "Registratie is uitgeschakeld op deze thuisserver.",
"Unable to query for supported registration methods.": "Kan ondersteunde registratiemethoden niet opvragen.",
"Create your account": "Maak uw account aan",
"Great! This passphrase looks strong enough.": "Top! Dit wachtwoord ziet er sterk genoeg uit.",
"Keep going...": "Doe verder…",
"We'll store an encrypted copy of your keys on our server. Protect your backup with a passphrase to keep it secure.": "We bewaren een versleutelde kopie van uw sleutels op onze server. Bescherm uw back-up met een wachtwoord om deze veilig te houden.",
"For maximum security, this should be different from your account password.": "Voor maximale veiligheid zou dit moeten verschillen van uw accountwachtwoord.",
"Enter a passphrase...": "Voer een wachtwoord in…",
"Set up with a Recovery Key": "Instellen met herstelsleutel",
"That matches!": "Dat komt overeen!",
"That doesn't match.": "Dat komt niet overeen.",
"Go back to set it again.": "Ga terug om het opnieuw in te stellen.",
"Please enter your passphrase a second time to confirm.": "Voer uw wachtwoord nogmaals in om te bevestigen.",
"Repeat your passphrase...": "Herhaal uw wachtwoord…",
"As a safety net, you can use it to restore your encrypted message history if you forget your Recovery Passphrase.": "Als veiligheidsnet kunt u dit gebruiken om uw versleutelde berichtgeschiedenis te herstellen indien u uw herstelwachtwoord zou vergeten.",
"As a safety net, you can use it to restore your encrypted message history.": "Als veiligheidsnet kunt u het gebruiken om uw versleutelde berichtgeschiedenis te herstellen.",
"Your recovery key is a safety net - you can use it to restore access to your encrypted messages if you forget your passphrase.": "Uw herstelsleutel is een veiligheidsnet - u kunt hem gebruiken om de toegang tot uw versleutelde berichten te herstellen indien u uw wachtwoord zou vergeten.",
"Your Recovery Key": "Uw herstelsleutel",
"Copy to clipboard": "Kopiëren naar klembord",
"Download": "Downloaden",
"<b>Print it</b> and store it somewhere safe": "<b>Druk hem af</b> en bewaar hem op een veilige plaats",
"<b>Save it</b> on a USB key or backup drive": "<b>Sla hem op</b> op een USB-stick of een back-upschijf",
"<b>Copy it</b> to your personal cloud storage": "<b>Kopieer hem</b> naar uw persoonlijke cloudopslag",
"Your keys are being backed up (the first backup could take a few minutes).": "Er wordt een back-up van uw sleutels gemaakt (de eerste back-up kan enkele minuten duren).",
"Set up Secure Message Recovery": "Veilig berichtherstel instellen",
"Secure your backup with a passphrase": "Beveilig uw back-up met een wachtwoord",
"Confirm your passphrase": "Bevestig uw wachtwoord",
"Recovery key": "Herstelsleutel",
"Keep it safe": "Bewaar hem op een veilige plaats",
"Starting backup...": "Back-up wordt gestart…",
"Success!": "Klaar!",
"Create Key Backup": "Sleutelback-up aanmaken",
"Unable to create key backup": "Kan sleutelback-up niet aanmaken",
"Retry": "Opnieuw proberen",
"Without setting up Secure Message Recovery, you'll lose your secure message history when you log out.": "Zonder veilig berichtherstel in te stellen, zult u uw versleutelde berichtgeschiedenis verliezen wanneer u zich afmeldt.",
@ -1369,8 +1251,8 @@
"A widget located at %(widgetUrl)s would like to verify your identity. By allowing this, the widget will be able to verify your user ID, but not perform actions as you.": "Een widget op %(widgetUrl)s wil uw identiteit nagaan. Staat u dit toe, dan zal de widget wel uw gebruikers-ID kunnen nagaan, maar niet als u kunnen handelen.",
"Remember my selection for this widget": "Onthoud mijn keuze voor deze widget",
"Deny": "Weigeren",
"Riot failed to get the protocol list from the homeserver. The homeserver may be too old to support third party networks.": "Riot kon de protocollijst niet ophalen van de thuisserver. Mogelijk is de thuisserver te oud om derdepartijnetwerken te ondersteunen.",
"Riot failed to get the public room list.": "Riot kon de lijst met openbare gesprekken niet verkrijgen.",
"%(brand)s failed to get the protocol list from the homeserver. The homeserver may be too old to support third party networks.": "%(brand)s kon de protocollijst niet ophalen van de thuisserver. Mogelijk is de thuisserver te oud om derdepartijnetwerken te ondersteunen.",
"%(brand)s failed to get the public room list.": "%(brand)s kon de lijst met openbare gesprekken niet verkrijgen.",
"The homeserver may be unavailable or overloaded.": "De thuisserver is mogelijk onbereikbaar of overbelast.",
"You have %(count)s unread notifications in a prior version of this room.|other": "U heeft %(count)s ongelezen meldingen in een vorige versie van dit gesprek.",
"You have %(count)s unread notifications in a prior version of this room.|one": "U heeft %(count)s ongelezen meldingen in een vorige versie van dit gesprek.",
@ -1398,7 +1280,6 @@
"Upload %(count)s other files|one": "%(count)s overig bestand versturen",
"Cancel All": "Alles annuleren",
"Upload Error": "Fout bij versturen van bestand",
"A conference call could not be started because the integrations server is not available": "Daar de integratieserver onbereikbaar is kon het groepsaudiogesprek niet gestart worden",
"The server does not support the room version specified.": "De server ondersteunt deze versie van gesprekken niet.",
"Name or Matrix ID": "Naam of Matrix-ID",
"Changes your avatar in this current room only": "Verandert uw avatar enkel in het huidige gesprek",
@ -1467,7 +1348,6 @@
"Invalid base_url for m.identity_server": "Ongeldige base_url voor m.identity_server",
"Identity server URL does not appear to be a valid identity server": "De identiteitsserver-URL lijkt geen geldige identiteitsserver",
"Low bandwidth mode": "Lagebandbreedtemodus",
"Show recently visited rooms above the room list": "Recent bezochte gesprekken bovenaan de gesprekslijst weergeven",
"Uploaded sound": "Geüpload-geluid",
"Sounds": "Geluiden",
"Notification sound": "Meldingsgeluid",
@ -1476,8 +1356,8 @@
"Browse": "Bladeren",
"Cannot reach homeserver": "Kan thuisserver niet bereiken",
"Ensure you have a stable internet connection, or get in touch with the server admin": "Zorg dat u een stabiele internetverbinding heeft, of neem contact op met de systeembeheerder",
"Your Riot is misconfigured": "Uw Riot is onjuist geconfigureerd",
"Ask your Riot admin to check <a>your config</a> for incorrect or duplicate entries.": "Vraag uw Riot-beheerder <a>uw configuratie</a> na te kijken op onjuiste of dubbele items.",
"Your %(brand)s is misconfigured": "Uw %(brand)s is onjuist geconfigureerd",
"Ask your %(brand)s admin to check <a>your config</a> for incorrect or duplicate entries.": "Vraag uw %(brand)s-beheerder <a>uw configuratie</a> na te kijken op onjuiste of dubbele items.",
"Unexpected error resolving identity server configuration": "Onverwachte fout bij het oplossen van de identiteitsserverconfiguratie",
"Use lowercase letters, numbers, dashes and underscores only": "Gebruik enkel letters, cijfers, streepjes en underscores",
"Cannot reach identity server": "Kan identiteitsserver niet bereiken",
@ -1612,10 +1492,10 @@
"Code block": "Codeblok",
"An error (%(errcode)s) was returned while trying to validate your invite. You could try to pass this information on to a room admin.": "Er is een fout opgetreden (%(errcode)s) bij het valideren van uw uitnodiging. U kunt deze informatie doorgeven aan een gespreksbeheerder.",
"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 Riot.": "Koppel in de instellingen dit e-mailadres aan uw account om uitnodigingen direct in Riot te ontvangen.",
"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",
"Use an identity server in Settings to receive invites directly in Riot.": "Gebruik in de instellingen een identiteitsserver om uitnodigingen direct in Riot te ontvangen.",
"Share this email in Settings to receive invites directly in Riot.": "Deel in de instellingen dit e-mailadres om uitnodigingen direct in Riot te ontvangen.",
"Use an identity server in Settings to receive invites directly in %(brand)s.": "Gebruik in de instellingen een identiteitsserver om uitnodigingen direct in %(brand)s te ontvangen.",
"Share this email in Settings to receive invites directly in %(brand)s.": "Deel in de instellingen dit e-mailadres om uitnodigingen direct in %(brand)s te ontvangen.",
"Use an identity server to invite by email. <default>Use the default (%(defaultIdentityServerName)s)</default> or manage in <settings>Settings</settings>.": "Gebruik een identiteitsserver om uit te nodigen op e-mailadres. <default>Gebruik de standaardserver (%(defaultIdentityServerName)s)</default> of beheer de server in de <settings>Instellingen</settings>.",
"Use an identity server to invite by email. Manage in <settings>Settings</settings>.": "Gebruik een identiteitsserver om anderen uit te nodigen via e-mail. Beheer de server in de <settings>Instellingen</settings>.",
"Please fill why you're reporting.": "Gelieve aan te geven waarom u deze melding indient.",
@ -1645,14 +1525,9 @@
"Unread mentions.": "Ongelezen vermeldingen.",
"Show image": "Afbeelding tonen",
"Please <newIssueLink>create a new issue</newIssueLink> on GitHub so that we can investigate this bug.": "<newIssueLink>Maak een nieuw rapport aan</newIssueLink> op GitHub opdat we dit probleem kunnen onderzoeken.",
"Room alias": "Gespreksbijnaam",
"e.g. my-room": "bv. mijn-gesprek",
"Please provide a room alias": "Geef een gespreksbijnaam op",
"This alias is available to use": "Deze bijnaam is beschikbaar",
"This alias is already in use": "Deze bijnaam is al in gebruik",
"Close dialog": "Dialoog sluiten",
"Please enter a name for the room": "Geef een naam voor het gesprek op",
"Set a room alias to easily share your room with other people.": "Stel een gespreksbijnaam in om het gesprek eenvoudig met anderen te delen.",
"This room is private, and can only be joined by invitation.": "Dit gesprek is privé, en kan enkel op uitnodiging betreden worden.",
"Create a public room": "Maak een openbaar gesprek aan",
"Create a private room": "Maak een privégesprek aan",
@ -1674,14 +1549,12 @@
"Your email address hasn't been verified yet": "Uw e-mailadres is nog niet geverifieerd",
"Click the link in the email you received to verify and then click continue again.": "Open de koppeling in de ontvangen verificatie-e-mail, en klik dan op Doorgaan.",
"%(creator)s created and configured the room.": "Gesprek gestart en ingesteld door %(creator)s.",
"There are unknown sessions in this room: if you proceed without verifying them, it will be possible for someone to eavesdrop on your call.": "Dit gesprek bevat onbekende sessies. Tenzij u die verifieert zou iemand u kunnen afluisteren.",
"Setting up keys": "Sleutelconfiguratie",
"Verify this session": "Deze sessie verifiëren",
"Encryption upgrade available": "Er is een bijgewerkte versleuteling beschikbaar",
"You can use <code>/help</code> to list available commands. Did you mean to send this as a message?": "Typ <code>/help</code> om alle opdrachten te zien. Was het uw bedoeling dit als bericht te sturen?",
"Help": "Hulp",
"Set up encryption": "Versleuteling instellen",
"Unverified session": "Ongeverifieerde sessie",
"This action requires accessing the default identity server <server /> to validate an email address or phone number, but the server does not have any terms of service.": "Dit vergt validatie van een e-mailadres of telefoonnummer middels de standaardidentiteitsserver <server />, maar die server heeft geen gebruiksvoorwaarden.",
"Trust": "Vertrouwen",
"Custom (%(level)s)": "Aangepast (%(level)s)",
@ -1693,9 +1566,6 @@
"WARNING: Session already verified, but keys do NOT MATCH!": "PAS OP: de sessie is al geverifieerd, maar de sleutels komen NIET OVEREEN!",
"WARNING: KEY VERIFICATION FAILED! The signing key for %(userId)s and session %(deviceId)s is \"%(fprint)s\" which does not match the provided key \"%(fingerprint)s\". This could mean your communications are being intercepted!": "PAS OP: sleutelverificatie MISLUKT! De combinatie %(userId)s + sessie %(deviceId)s is ondertekend met %(fprint)s - maar de opgegeven sleutel is %(fingerprint)s. Wellicht worden uw berichten onderschept!",
"The signing key you provided matches the signing key you received from %(userId)s's session %(deviceId)s. Session marked as verified.": "De door u verschafte en de van %(userId)ss sessie %(deviceId)s verkregen sleutels komen overeen. De sessie is daarmee geverifieerd.",
"%(senderName)s added %(addedAddresses)s and %(count)s other addresses to this room|other": "%(senderName)s heeft %(addedAddresses)s en %(count)s andere adressen aan dit gesprek toegevoegd",
"%(senderName)s removed %(removedAddresses)s and %(count)s other addresses from this room|other": "%(senderName)s heeft dit gesprek ontdaan van %(removedAddresses)s en %(count)s andere adressen",
"%(senderName)s removed %(countRemoved)s and added %(countAdded)s addresses to this room": "%(senderName)s heeft dit gesprek ontdaan van %(countRemoved)s adressen, en er %(countAdded)s toegevoegd",
"%(senderName)s placed a voice call.": "%(senderName)s probeert u te bellen.",
"%(senderName)s placed a voice call. (not supported by this browser)": "%(senderName)s poogt u te bellen, maar uw browser ondersteunt dat niet",
"%(senderName)s placed a video call.": "%(senderName)s doet een video-oproep.",
@ -1734,21 +1604,14 @@
"%(num)s days from now": "over %(num)s dagen",
"%(name)s (%(userId)s)": "%(name)s (%(userId)s)",
"Try out new ways to ignore people (experimental)": "Nieuwe manieren om mensen te negeren uitproberen (nog in ontwikkeling)",
"Show a presence dot next to DMs in the room list": "Toon aanwezigheid bij tweegesprekken in de gesprekkenlijst",
"Enable cross-signing to verify per-user instead of per-session (in development)": "Gebruik gebruikersverificatie in plaats van sessieverificatie (nog in ontwikkeling)",
"Enable local event indexing and E2EE search (requires restart)": "Indexeer gebeurtenissen lokaal en maak zo E2EE-zoeken mogelijk (vergt een herstart)",
"Show info about bridges in room settings": "Toon bruginformatie in gespreksinstellingen",
"Show padlocks on invite only rooms": "Toon hangsloten op besloten gesprekken",
"Match system theme": "Aanpassen aan systeemthema",
"Never send encrypted messages to unverified sessions from this session": "Zend vanaf deze sessie nooit versleutelde berichten naar ongeverifieerde sessies",
"Never send encrypted messages to unverified sessions in this room from this session": "Zend vanaf deze sessie nooit versleutelde berichten naar ongeverifieerde sessies in dit gesprek",
"Enable message search in encrypted rooms": "Sta zoeken in versleutelde gesprekken toe",
"Keep secret storage passphrase in memory for this session": "Onthoud in deze sessie het wachtwoord voor sleutelopslag",
"How fast should messages be downloaded.": "Ophaalfrequentie van berichten.",
"My Ban List": "Mijn banlijst",
"This is your list of users/servers you have blocked - don't leave the room!": "Dit is de lijst van door u geblokkeerde servers/gebruikers. Verlaat dit gesprek niet!",
"Confirm the emoji below are displayed on both devices, in the same order:": "Bevestig dat beide apparaten dezelfde emojis in dezelfde volgorde tonen:",
"Verify this device by confirming the following number appears on its screen.": "Verifieer dit apparaat door te bevestigen dat het scherm het volgende getal toont.",
"Waiting for %(displayName)s to verify…": "Wachten tot %(displayName)s geverifieerd heeft…",
"They match": "Ze komen overeen",
"They don't match": "Ze komen niet overeen",
@ -1768,21 +1631,17 @@
"Show less": "Minder tonen",
"Show more": "Meer tonen",
"Changing password will currently reset any end-to-end encryption keys on all sessions, making encrypted chat history unreadable, unless you first export your room keys and re-import them afterwards. In future this will be improved.": "Momenteel stelt een wachtwoordswijziging alle berichtsleutels in alle sessies opnieuw in, en maakt zo oude versleutelde berichten onleesbaar - tenzij u uw sleutels eerst wegschrijft, en na afloop weer inleest. Dit zal verbeterd worden.",
"Add users and servers you want to ignore here. Use asterisks to have Riot match any characters. For example, <code>@bot:*</code> would ignore all users that have the name 'bot' on any server.": "Geef hier te negeren gebruikers en servers in. Asterisken staan voor willekeurige tekenreeksen; zo leidt <code>@bot:*</code> tot het negeren van alle gebruikers die bot heten op alle servers.",
"in memory": "in het geheugen",
"not found": "niet gevonden",
"Your homeserver does not support session management.": "Uw thuisserver ondersteunt geen sessiebeheer.",
"Unable to load session list": "Kan sessielijst niet laden",
"Delete %(count)s sessions|other": "%(count)s sessies verwijderen",
"Delete %(count)s sessions|one": "%(count)s sessie verwijderen",
"The version of Riot": "De versie van Riot",
"Whether you're using Riot on a device where touch is the primary input mechanism": "Of u Riot op een apparaat gebruikt waarop een aanraakscherm de voornaamste invoermethode is",
"Whether you're using Riot as an installed Progressive Web App": "Of u Riot gebruikt als een geïnstalleerde Progressive-Web-App",
"Whether you're using %(brand)s on a device where touch is the primary input mechanism": "Of u %(brand)s op een apparaat gebruikt waarop een aanraakscherm de voornaamste invoermethode is",
"Whether you're using %(brand)s as an installed Progressive Web App": "Of u %(brand)s gebruikt als een geïnstalleerde Progressive-Web-App",
"Your user agent": "Uw gebruikersagent",
"The information being sent to us to help make Riot better includes:": "De informatie die naar ons wordt verstuurd om Riot te verbeteren bevat:",
"If you cancel now, you won't complete verifying the other user.": "Als u nu annuleert zult u de andere gebruiker niet verifiëren.",
"If you cancel now, you won't complete verifying your other session.": "Als u nu annuleert zult u uw andere sessie niet verifiëren.",
"If you cancel now, you won't complete your secret storage operation.": "Als u nu annuleert zal de sleutelopslag worden afgebroken.",
"Cancel entering passphrase?": "Wachtwoordinvoer annuleren?",
"Show typing notifications": "Typmeldingen weergeven",
"Verify this session by completing one of the following:": "Verifieer deze sessie door een van het volgende te doen:",
@ -1803,7 +1662,6 @@
"Error adding ignored user/server": "Fout bij het toevoegen van een genegeerde gebruiker/server",
"Something went wrong. Please try again or view your console for hints.": "Er is iets fout gegaan. Probeer het opnieuw of bekijk de console om voor meer informatie.",
"Error subscribing to list": "Fout bij het abonneren op de lijst",
"Please verify the room ID or alias and try again.": "Controleer de gespreks-ID of -(bij)naam en probeer het opnieuw.",
"Error removing ignored user/server": "Fout bij het verwijderen van genegeerde gebruiker/server",
"Error unsubscribing from list": "Fout bij het opzeggen van een abonnement op de lijst",
"Please try again or view your console for hints.": "Probeer het opnieuw of bekijk de console voor meer informatie.",
@ -1823,7 +1681,6 @@
"Subscribed lists": "Abonnementen op lijsten",
"Subscribing to a ban list will cause you to join it!": "Wanneer u zich abonneert op een banlijst zal u eraan worden toegevoegd!",
"If this isn't what you want, please use a different tool to ignore users.": "Als u dit niet wilt kunt u een andere methode gebruiken om gebruikers te negeren.",
"Room ID or alias of ban list": "Gespreks-ID of (bij)naam van banlijst",
"Subscribe": "Abonneren",
"Enable desktop notifications for this session": "Bureaubladmeldingen inschakelen voor deze sessie",
"Enable audible notifications for this session": "Meldingen met geluid inschakelen voor deze sessie",
@ -1842,7 +1699,6 @@
"Session ID:": "Sessie-ID:",
"Session key:": "Sessiesleutel:",
"Message search": "Berichten zoeken",
"Sessions": "Sessies",
"A session's public name is visible to people you communicate with": "De publieke naam van een sessie is zichtbaar voor de mensen waarmee u communiceert",
"This room is bridging messages to the following platforms. <a>Learn more.</a>": "Dit gesprek wordt overbrugd naar de volgende platformen. <a>Lees meer</a>",
"This room isnt bridging messages to any platforms. <a>Learn more.</a>": "Dit gesprek wordt niet overbrugd naar andere platformen. <a>Lees meer.</a>",
@ -1853,10 +1709,6 @@
"Someone is using an unknown session": "Iemand gebruikt een onbekende sessie",
"This room is end-to-end encrypted": "Dit gesprek is eind-tot-eind-versleuteld",
"Everyone in this room is verified": "Iedereen in dit gesprek is geverifieerd",
"Some sessions for this user are not trusted": "Sommige sessies van deze gebruiker zijn niet vertrouwd",
"All sessions for this user are trusted": "Alle sessies van deze gebruiker zijn vertrouwd",
"Some sessions in this encrypted room are not trusted": "Sommige sessies in dit versleutelde gesprek zijn niet vertrouwd",
"All sessions in this encrypted room are trusted": "Alle sessies in dit versleutelde gesprek zijn vertrouwd",
"Mod": "Mod",
"rooms.": "gesprekken.",
"Recent rooms": "Actuele gesprekken",
@ -1905,10 +1757,8 @@
"Show rooms with unread notifications first": "Gesprekken met ongelezen meldingen eerst tonen",
"Show shortcuts to recently viewed rooms above the room list": "Snelkoppelingen naar de gesprekken die u recent heeft bekeken bovenaan de gesprekslijst weergeven",
"Cancelling…": "Bezig met annuleren…",
"Riot is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom Riot Desktop with <nativeLink>search components added</nativeLink>.": "In Riot ontbreken enige modulen vereist voor het veilig lokaal bewaren van versleutelde berichten. Wilt u deze functie uittesten, compileer dan een aangepaste versie van Riot Desktop <nativeLink>die de zoekmodulen bevat</nativeLink>.",
"Riot can't securely cache encrypted messages locally while running in a web browser. Use <riotLink>Riot Desktop</riotLink> for encrypted messages to appear in search results.": "Als Riot in een webbrowser draait kan het versleutelde berichten niet veilig lokaal bewaren. Gebruik <riotLink>Riot Desktop</riotLink> om versleutelde berichten doorzoekbaar te maken.",
"%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with <nativeLink>search components added</nativeLink>.": "In %(brand)s ontbreken enige modulen vereist voor het veilig lokaal bewaren van versleutelde berichten. Wilt u deze functie uittesten, compileer dan een aangepaste versie van %(brand)s Desktop <nativeLink>die de zoekmodulen bevat</nativeLink>.",
"This session is <b>not backing up your keys</b>, but you do have an existing backup you can restore from and add to going forward.": "Deze sessie <b>maakt geen back-ups van uw sleutels</b>, maar u beschikt over een reeds bestaande back-up waaruit u kunt herstellen en waaraan u nieuwe sleutels vanaf nu kunt toevoegen.",
"Backup key stored in secret storage, but this feature is not enabled on this session. Please enable cross-signing in Labs to modify key backup state.": "Er is een back-upsleutel opgeslagen in de geheime opslag, maar deze functie is niet ingeschakeld voor deze sessie. Schakel kruiselings ondertekenen in in de experimentele instellingen om de sleutelback-upstatus te wijzigen.",
"Customise your experience with experimental labs features. <a>Learn more</a>.": "Personaliseer uw ervaring met experimentele functies. <a>Klik hier voor meer informatie</a>.",
"Cross-signing": "Kruiselings ondertekenen",
"Your key share request has been sent - please check your other sessions for key share requests.": "Uw sleuteldeelverzoek is verstuurd - controleer de sleuteldeelverzoeken op uw andere sessies.",
@ -1922,7 +1772,6 @@
"Invite only": "Enkel op uitnodiging",
"Close preview": "Voorbeeld sluiten",
"Failed to deactivate user": "Deactiveren van gebruiker is mislukt",
"No sessions with registered encryption keys": "Geen sessies met geregistreerde versleutelingssleutels",
"Send a reply…": "Verstuur een antwoord…",
"Send a message…": "Verstuur een bericht…",
"Room %(name)s": "Gesprek %(name)s",
@ -1954,7 +1803,6 @@
"%(name)s (%(userId)s) signed in to a new session without verifying it:": "%(name)s%(userId)s heeft zich aangemeld bij een nieuwe sessie zonder deze te verifiëren:",
"Ask this user to verify their session, or manually verify it below.": "Vraag deze gebruiker haar/zijn sessie te verifiëren, of verifieer die hieronder handmatig.",
"Done": "Klaar",
"Manually Verify": "Handmatig verifiëren",
"Trusted": "Vertrouwd",
"Not trusted": "Niet vertrouwd",
"%(count)s verified sessions|other": "%(count)s geverifieerde sessies",
@ -1968,7 +1816,7 @@
"This client does not support end-to-end encryption.": "Deze cliënt biedt geen ondersteuning voor eind-tot-eind-versleuteling.",
"Messages in this room are not end-to-end encrypted.": "De berichten in dit gesprek worden niet eind-tot-eind-versleuteld.",
"Security": "Beveiliging",
"The session you are trying to verify doesn't support scanning a QR code or emoji verification, which is what Riot supports. Try with a different client.": "De sessie die u probeert te verifiëren biedt geen ondersteuning voor de door Riot ondersteunde verificatiemethodes, nl. het scannen van QR-codes of het vergelijken van emoji. Probeer met een andere cliënt te verifiëren.",
"The session you are trying to verify doesn't support scanning a QR code or emoji verification, which is what %(brand)s supports. Try with a different client.": "De sessie die u probeert te verifiëren biedt geen ondersteuning voor de door %(brand)s ondersteunde verificatiemethodes, nl. het scannen van QR-codes of het vergelijken van emoji. Probeer met een andere cliënt te verifiëren.",
"Verify by scanning": "Verifiëren met scan",
"Ask %(displayName)s to scan your code:": "Vraag %(displayName)s om uw code te scannen:",
"Verify by emoji": "Verifiëren met emoji",
@ -1976,9 +1824,6 @@
"Verify by comparing unique emoji.": "Verifieer door unieke emoji te vergelijken.",
"You've successfully verified %(displayName)s!": "U heeft %(displayName)s geverifieerd!",
"Got it": "Ik snap het",
"Verification timed out. Start verification again from their profile.": "De verificatie is verlopen. Begin het verificatieproces opnieuw via het profiel van de gebruiker.",
"%(displayName)s cancelled verification. Start verification again from their profile.": "%(displayName)s heeft de verificatie geannuleerd. Begin het verificatieproces opnieuw via het profiel van de gebruiker.",
"You cancelled verification. Start verification again from their profile.": "U heeft de verificatie geannuleerd. Begin het verificatieproces opnieuw via het profiel van de gebruiker.",
"Encryption enabled": "Versleuteling ingeschakeld",
"Messages in this room are end-to-end encrypted. Learn more & verify this user in their user profile.": "De berichten in dit gesprek worden eind-tot-eind-versleuteld. Kom hier meer over te weten en verifieer de gebruiker via zijn/haar gebruikersprofiel.",
"Encryption not enabled": "Versleuteling niet ingeschakeld",
@ -2017,7 +1862,7 @@
"Your avatar URL": "De URL van uw profielfoto",
"Your user ID": "Uw gebruikers-ID",
"Your theme": "Uw thema",
"Riot URL": "Riot-URL",
"%(brand)s URL": "%(brand)s-URL",
"Room ID": "Gespreks-ID",
"Widget ID": "Widget-ID",
"Using this widget may share data <helpIcon /> with %(widgetDomain)s & your Integration Manager.": "Deze widget gebruiken deelt mogelijk gegevens <helpIcon /> met %(widgetDomain)s en uw integratiebeheerder.",
@ -2033,11 +1878,8 @@
"Clear all data in this session?": "Alle gegevens in deze sessie verwijderen?",
"Clearing all data from this session is permanent. Encrypted messages will be lost unless their keys have been backed up.": "Het verwijderen van alle gegevens in deze sessie is onherroepelijk. Versleutelde berichten zullen verloren gaan, tenzij u een back-up van hun sleutels heeft.",
"Verify session": "Sessie verifiëren",
"To verify that this session can be trusted, please check that the key you see in User Settings on that device matches the key below:": "Controleer of de sleutel in de gebruikersinstellingen op het apparaat overeenkomt met onderstaande sleutel om te verifiëren dat de sessie vertrouwd kan worden:",
"To verify that this session can be trusted, please contact its owner using some other means (e.g. in person or a phone call) and ask them whether the key they see in their User Settings for this session matches the key below:": "Neem contact op met de eigenaar op een andere manier (bv. onder vier ogen of met een telefoongesprek) en vraag of de sleutel in zijn/haar gebruikersinstellingen overeenkomt met onderstaande sleutel om te verifiëren dat de sessie vertrouwd kan worden:",
"Session name": "Sessienaam",
"Session key": "Sessiesleutel",
"If it matches, press the verify button below. If it doesn't, then someone else is intercepting this session and you probably want to press the blacklist button instead.": "Als hij overeenkomt, klik dan op de knop Verifiëren. Zo niet is het mogelijk dat iemand deze sessie onderschept, en wilt u waarschijnlijk op de knop Blokkeren klikken.",
"Verification Requests": "Verificatieverzoeken",
"Verifying this user will mark their session as trusted, and also mark your session as trusted to them.": "Deze gebruiker verifiëren zal de sessie als vertrouwd markeren voor u en voor hem/haar.",
"Verify this device to mark it as trusted. Trusting this device gives you and other users extra peace of mind when using end-to-end encrypted messages.": "Verifieer dit apparaat om het als vertrouwd te markeren. Door dit apparaat te vertrouwen geeft u extra gemoedsrust aan uzelf en andere gebruikers bij het gebruik van eind-tot-eind-versleutelde berichten.",
@ -2045,7 +1887,7 @@
"Integrations are disabled": "Integraties zijn uitgeschakeld",
"Enable 'Manage Integrations' in Settings to do this.": "Schakel Beheer integraties in in de instellingen om dit te doen.",
"Integrations not allowed": "Integraties niet toegestaan",
"Your Riot doesn't allow you to use an Integration Manager to do this. Please contact an admin.": "Uw Riot laat u geen integratiebeheerder gebruiken om dit te doen. Neem contact op met een beheerder.",
"Your %(brand)s doesn't allow you to use an Integration Manager to do this. Please contact an admin.": "Uw %(brand)s laat u geen integratiebeheerder gebruiken om dit te doen. Neem contact op met een beheerder.",
"Failed to invite the following users to chat: %(csvUsers)s": "Het uitnodigen van volgende gebruikers voor gesprek is mislukt: %(csvUsers)s",
"We couldn't create your DM. Please check the users you want to invite and try again.": "Uw tweegesprek kon niet aangemaakt worden. Controleer de gebruikers die u wilt uitnodigen en probeer het opnieuw.",
"Something went wrong trying to invite the users.": "Er is een fout opgetreden bij het uitnodigen van de gebruikers.",
@ -2055,12 +1897,7 @@
"Recent Conversations": "Recente gesprekken",
"Suggestions": "Suggesties",
"Recently Direct Messaged": "Recente tweegesprekken",
"If you can't find someone, ask them for their username, share your username (%(userId)s) or <a>profile link</a>.": "Als u iemand niet kunt vinden, vraag dan zijn/haar gebruikersnaam, deel uw eigen gebruikersnaam (%(userId)s) of <a>profielkoppeling</a>.",
"Go": "Start",
"If you can't find someone, ask them for their username (e.g. @user:server.com) or <a>share this room</a>.": "Als u iemand niet kunt vinden, vraag dan zijn/haar gebruikersnaam (bv. @user:server.com) of <a>deel dit gesprek</a>.",
"You added a new session '%(displayName)s', which is requesting encryption keys.": "U heeft een nieuwe sessie %(displayName)s toegevoegd, die om versleutelingssleutels vraagt.",
"Your unverified session '%(displayName)s' is requesting encryption keys.": "Uw ongeverifieerde sessie %(displayName)s vraagt om versleutelingssleutels.",
"Loading session info...": "Sessie-info wordt geladen…",
"Your account is not secure": "Uw account is onveilig",
"Your password": "Uw wachtwoord",
"This session, or the other session": "Deze sessie, of de andere sessie",
@ -2074,27 +1911,12 @@
"Upgrade private room": "Privégesprek bijwerken",
"Upgrade public room": "Openbaar gesprek bijwerken",
"Upgrading a room is an advanced action and is usually recommended when a room is unstable due to bugs, missing features or security vulnerabilities.": "Het bijwerken van een gesprek is een gevorderde actie en wordt meestal aanbevolen wanneer een gesprek onstabiel is door fouten, ontbrekende functies of problemen met de beveiliging.",
"This usually only affects how the room is processed on the server. If you're having problems with your Riot, please <a>report a bug</a>.": "Dit heeft meestal enkel een invloed op de manier waarop het gesprek door de server verwerkt wordt. Als u problemen met uw Riot ondervindt, <a>dien dan een foutmelding in</a>.",
"This usually only affects how the room is processed on the server. If you're having problems with your %(brand)s, please <a>report a bug</a>.": "Dit heeft meestal enkel een invloed op de manier waarop het gesprek door de server verwerkt wordt. Als u problemen met uw %(brand)s ondervindt, <a>dien dan een foutmelding in</a>.",
"You'll upgrade this room from <oldVersion /> to <newVersion />.": "U werkt dit gesprek bij van <oldVersion /> naar <newVersion />.",
"This will allow you to return to your account after signing out, and sign in on other sessions.": "Daardoor kunt u na afmelding terugkeren tot uw account, en u bij andere sessies aanmelden.",
"You are currently blacklisting unverified sessions; to send messages to these sessions you must verify them.": "U blokkeert momenteel niet-geverifieerde sessies; om berichten te sturen naar deze sessies moet u ze verifiëren.",
"We recommend you go through the verification process for each session to confirm they belong to their legitimate owner, but you can resend the message without verifying if you prefer.": "We raden u aan om het verificatieproces voor elke sessie te doorlopen om te bevestigen dat ze aan hun rechtmatige eigenaar toebehoren, maar u kunt het bericht ook opnieuw versturen zonder verificatie indien u dit wenst.",
"Room contains unknown sessions": "Gesprek bevat onbekende sessies",
"\"%(RoomName)s\" contains sessions that you haven't seen before.": "%(RoomName)s bevat sessies die u nog niet eerder gezien heeft.",
"Unknown sessions": "Onbekende sessies",
"Verification Request": "Verificatieverzoek",
"Enter secret storage passphrase": "Voer het wachtwoord voor de geheime opslag in",
"Unable to access secret storage. Please verify that you entered the correct passphrase.": "Kan geen toegang verkrijgen tot geheime opslag. Controleer of u het juiste wachtwoord heeft ingevoerd.",
"<b>Warning</b>: You should only access secret storage from a trusted computer.": "<b>Let op</b>: open de geheime opslag enkel op een computer die u vertrouwt.",
"Access your secure message history and your cross-signing identity for verifying other sessions by entering your passphrase.": "Verkrijg de toegang tot uw beveiligde berichtgeschiedenis en uw identiteit voor kruiselings ondertekenen voor het verifiëren van andere sessies door uw wachtwoord in te voeren.",
"If you've forgotten your passphrase you can <button1>use your recovery key</button1> or <button2>set up new recovery options</button2>.": "Als u uw wachtwoord vergeten bent, kunt u <button1>uw herstelsleutel gebruiken</button1> of <button2>nieuwe herstelopties instellen</button2>.",
"Enter secret storage recovery key": "Voer de herstelsleutel voor de geheime opslag in",
"Unable to access secret storage. Please verify that you entered the correct recovery key.": "Kan geen toegang verkrijgen tot geheime opslag. Controleer of u de juiste herstelsleutel heeft ingevoerd.",
"Access your secure message history and your cross-signing identity for verifying other sessions by entering your recovery key.": "Verkrijg de toegang tot uw beveiligde berichtgeschiedenis en uw identiteit voor kruiselings ondertekenen voor het verifiëren van andere sessies door uw herstelsleutel in te voeren.",
"If you've forgotten your recovery key you can <button>set up new recovery options</button>.": "Als u uw herstelsleutel vergeten bent, kunt u <button>nieuwe herstelopties instellen</button>.",
"Recovery key mismatch": "Herstelsleutel komt niet overeen",
"Incorrect recovery passphrase": "Onjuist herstelwachtwoord",
"Backup restored": "Back-up teruggezet",
"Enter recovery passphrase": "Voer het herstelwachtwoord in",
"Enter recovery key": "Voer de herstelsleutel in",
"<b>Warning</b>: You should only set up key backup from a trusted computer.": "<b>Let op</b>: stel sleutelback-up enkel in op een vertrouwde computer.",
@ -2108,13 +1930,8 @@
"Country Dropdown": "Landselectie",
"Confirm your identity by entering your account password below.": "Bevestig uw identiteit door hieronder uw accountwachtwoord in te voeren.",
"No identity server is configured so you cannot add an email address in order to reset your password in the future.": "Er is geen identiteitsserver geconfigureerd, dus u kunt geen e-mailadres toevoegen om in de toekomst een nieuw wachtwoord in te stellen.",
"Message not sent due to unknown sessions being present": "Bericht niet verstuurd, er zijn onbekende sessies aanwezig",
"<showSessionsText>Show sessions</showSessionsText>, <sendAnywayText>send anyway</sendAnywayText> or <cancelText>cancel</cancelText>.": "<showSessionsText>Sessies tonen</showSessionsText>, <sendAnywayText>toch versturen</sendAnywayText> of <cancelText>annuleren</cancelText>.",
"Jump to first unread room.": "Ga naar het eerste ongelezen gesprek.",
"Jump to first invite.": "Ga naar de eerste uitnodiging.",
" (1/%(totalCount)s)": " (1/%(totalCount)s)",
"Complete security": "Vervolledig de beveiliging",
"Verify this session to grant it access to encrypted messages.": "Verifieer deze sessie om toegang te verkrijgen tot uw versleutelde berichten.",
"Session verified": "Sessie geverifieerd",
"Your new session is now verified. It has access to your encrypted messages, and other users will see it as trusted.": "Uw nieuwe sessie is nu geverifieerd. Ze heeft nu toegang tot uw versleutelde berichten, en de sessie zal voor andere gebruikers als vertrouwd gemarkeerd worden.",
"Your new session is now verified. Other users will see it as trusted.": "Uw nieuwe sessie is nu geverifieerd. Ze zal voor andere gebruikers als vertrouwd gemarkeerd worden.",
@ -2126,27 +1943,19 @@
"Warning: Your personal data (including encryption keys) is still stored in this session. Clear it if you're finished using this session, or want to sign in to another account.": "Let op: uw persoonlijke gegevens (waaronder versleutelingssleutels) zijn nog steeds opgeslagen in deze sessie. Wis ze wanneer u klaar bent met deze sessie, of wanneer u zich wilt aanmelden met een andere account.",
"Command Autocomplete": "Opdrachten automatisch aanvullen",
"DuckDuckGo Results": "DuckDuckGo-resultaten",
"Sender session information": "Sessie-informatie van afzender",
"Enter your account password to confirm the upgrade:": "Voer uw accountwachtwoord in om het bijwerken te bevestigen:",
"Restore your key backup to upgrade your encryption": "Herstel uw sleutelback-up om uw versleuteling bij te werken",
"Restore": "Herstellen",
"You'll need to authenticate with the server to confirm the upgrade.": "U zult zich moeten aanmelden bij de server om het bijwerken te bevestigen.",
"Upgrade this session to allow it to verify other sessions, granting them access to encrypted messages and marking them as trusted for other users.": "Werk deze sessie bij om er andere sessies mee te verifiëren, waardoor deze ook de toegang verkrijgen tot uw versleutelde berichten en voor andere gebruikers als vertrouwd gemarkeerd worden.",
"Set up encryption on this session to allow it to verify other sessions, granting them access to encrypted messages and marking them as trusted for other users.": "Stel versleuteling in voor deze sessie om er andere sessies mee te verifiëren, waardoor deze ook de toegang verkrijgen tot uw versleutelde berichten en voor andere gebruikers als vertrouwd gemarkeerd worden.",
"Secure your encryption keys with a passphrase. For maximum security this should be different to your account password:": "Beveilig uw versleutelingssleutels met een wachtwoord. Voor een optimale beveiliging moet dit verschillen van uw accountwachtwoord:",
"Enter a passphrase": "Voer een wachtwoord in",
"Back up my encryption keys, securing them with the same passphrase": "Maak een back-up van mijn versleutelingssleutels, en beveilig ze met hetzelfde wachtwoord",
"Set up with a recovery key": "Instellen met een herstelsleutel",
"Enter your passphrase a second time to confirm it.": "Voer uw wachtwoord nogmaals in ter bevestiging.",
"Keep a copy of it somewhere secure, like a password manager or even a safe.": "Bewaar een kopie op een veilige plaats, zoals in een wachtwoordbeheerder of een kluis.",
"Your recovery key": "Uw herstelsleutel",
"Copy": "Kopiëren",
"Your recovery key has been <b>copied to your clipboard</b>, paste it to:": "Uw herstelsleutel is <b>gekopieerd naar uw klembord</b>, plak hem en:",
"Your recovery key is in your <b>Downloads</b> folder.": "Uw herstelsleutel bevindt zich in uw <b>Downloads</b>-map.",
"You can now verify your other devices, and other users to keep your chats safe.": "U kunt nu uw andere apparaten evenals andere gebruikers verifiëren om uw gesprekken te beveiligen.",
"Upgrade your encryption": "Werk uw versleuteling bij",
"Make a copy of your recovery key": "Maak een kopie van uw herstelsleutel",
"You're done!": "Klaar!",
"Unable to set up secret storage": "Kan geheime opslag niet instellen",
"Without setting up Secure Message Recovery, you won't be able to restore your encrypted message history if you log out or use another session.": "Zonder veilig berichtherstel in te stellen zult u uw versleutelde berichtgeschiedenis niet kunnen herstellen als u zich afmeldt of een andere sessie gebruikt.",
"Create key backup": "Sleutelback-up aanmaken",
@ -2154,19 +1963,14 @@
"This session has detected that your recovery passphrase and key for Secure Messages have been removed.": "Deze sessie heeft gedetecteerd dat uw herstelwachtwoord en -sleutel voor beveiligde berichten verwijderd zijn.",
"If you did this accidentally, you can setup Secure Messages on this session which will re-encrypt this session's message history with a new recovery method.": "Als u dit per ongeluk heeft gedaan, kunt u beveiligde berichten op deze sessie instellen, waarmee de berichtgeschiedenis van deze sessie opnieuw zal versleuteld worden aan de hand van een nieuwe herstelmethode.",
"Disable": "Uitschakelen",
"Not currently downloading messages for any room.": "Er worden momenteel geen berichten gedownload.",
"Downloading mesages for %(currentRoom)s.": "Er worden berichten gedownload voor %(currentRoom)s.",
"Riot is securely caching encrypted messages locally for them to appear in search results:": "Riot bewaart versleutelde berichten veilig in het lokale cachegeheugen om ze in uw zoekresultaten te laten verschijnen:",
"%(brand)s is securely caching encrypted messages locally for them to appear in search results:": "%(brand)s bewaart versleutelde berichten veilig in het lokale cachegeheugen om ze in uw zoekresultaten te laten verschijnen:",
"Space used:": "Gebruikte ruimte:",
"Indexed messages:": "Geïndexeerde berichten:",
"%(crawlingRooms)s out of %(totalRooms)s": "%(crawlingRooms)s van %(totalRooms)s",
"Message downloading sleep time(ms)": "Wachttijd voor downloaden van berichten (ms)",
"Mark all as read": "Alles markeren als gelezen",
"To report a Matrix-related security issue, please read the Matrix.org <a>Security Disclosure Policy</a>.": "Bekijk eerst het <a>beveiligingsopenbaarmakingsbeleid</a> van Matrix.org als u een probleem met de beveiliging van Matrix wilt melden.",
"Not currently indexing messages for any room.": "Er worden momenteel voor geen enkel gesprek berichten geïndexeerd.",
"Currently indexing: %(currentRoom)s.": "Wordt geïndexeerd: %(currentRoom)s.",
"%(doneRooms)s out of %(totalRooms)s": "%(doneRooms)s van %(totalRooms)s",
"Unverified login. Was this you?": "Ongeverifieerde aanmelding. Was u dit?",
"Where youre logged in": "Waar u aangemeld bent",
"Manage the names of and sign out of your sessions below or <a>verify them in your User Profile</a>.": "Beheer hieronder de namen van uw sessies en meld ze af. <a>Of verifieer ze in uw gebruikersprofiel</a>.",
"Use Single Sign On to continue": "Ga verder met Eenmalige Aanmelding",
@ -2177,7 +1981,6 @@
"Confirm adding this phone number by using Single Sign On to prove your identity.": "Bevestig uw identiteit met Eenmalige Aanmelding om dit telefoonnummer toe te voegen.",
"Confirm adding phone number": "Bevestig toevoegen van het telefoonnummer",
"Click the button below to confirm adding this phone number.": "Klik op de knop hieronder om het toevoegen van dit telefoonnummer te bevestigen.",
"Review Sessions": "Sessies nazien",
"If you cancel now, you won't complete your operation.": "Als u de operatie afbreekt kunt u haar niet voltooien.",
"Review where youre logged in": "Kijk na waar u aangemeld bent",
"New login. Was this you?": "Nieuwe aanmelding - was u dat?",
@ -2204,7 +2007,6 @@
"Opens chat with the given user": "Start een tweegesprek met die gebruiker",
"Sends a message to the given user": "Zendt die gebruiker een bericht",
"Font scaling": "Lettergrootte",
"Use the improved room list (in development - refresh to apply changes)": "Gebruik de verbeterde gesprekslijst (in ontwikkeling - ververs om veranderingen te zien)",
"Verify all your sessions to ensure your account & messages are safe": "Controleer al uw sessies om zeker te zijn dat uw account & berichten veilig zijn",
"Verify the new login accessing your account: %(name)s": "Verifieer de nieuwe aanmelding op uw account: %(name)s",
"Confirm your account deactivation by using Single Sign On to prove your identity.": "Bevestig uw intentie deze account te sluiten door met Single Sign On uw identiteit te bewijzen.",
@ -2213,13 +2015,12 @@
"Room name or address": "Gespreksnaam of -adres",
"Joins room with given address": "Neem aan het gesprek met dat adres deel",
"Unrecognised room address:": "Gespreksadres niet herkend:",
"Help us improve Riot": "Help ons Riot nog beter te maken",
"Send <UsageDataLink>anonymous usage data</UsageDataLink> which helps us improve Riot. This will use a <PolicyLink>cookie</PolicyLink>.": "Stuur <UsageDataLink>anonieme gebruiksinformatie</UsageDataLink> waarmee we Riot kunnen verbeteren. Dit plaatst een <PolicyLink>cookie</PolicyLink>.",
"Help us improve %(brand)s": "Help ons %(brand)s nog beter te maken",
"Send <UsageDataLink>anonymous usage data</UsageDataLink> which helps us improve %(brand)s. This will use a <PolicyLink>cookie</PolicyLink>.": "Stuur <UsageDataLink>anonieme gebruiksinformatie</UsageDataLink> waarmee we %(brand)s kunnen verbeteren. Dit plaatst een <PolicyLink>cookie</PolicyLink>.",
"I want to help": "Ik wil helpen",
"Your homeserver has exceeded its user limit.": "Uw thuisserver heeft het maximaal aantal gebruikers overschreden.",
"Your homeserver has exceeded one of its resource limits.": "Uw thuisserver heeft een van zijn limieten overschreden.",
"Ok": "Oké",
"sent an image.": "heeft een plaatje gestuurd.",
"Light": "Helder",
"Dark": "Donker",
"Set password": "Stel wachtwoord in",

View file

@ -1,21 +1,15 @@
{
"This phone number is already in use": "Dette telefonnummeret er allereie i bruk",
"The version of Riot.im": "Utgåva av Riot.im",
"The version of %(brand)s": "Gjeldande versjon av %(brand)s",
"Your homeserver's URL": "Heimtenaren din si nettadresse",
"Your device resolution": "Eininga di sin oppløysing",
"The information being sent to us to help make Riot.im better includes:": "Informasjonen som vert send til oss for å gjera Riot.im betre er mellom anna:",
"The information being sent to us to help make %(brand)s better includes:": "Informasjon sendt til oss for å forbetre %(brand)s inkluderar:",
"Where this page includes identifiable information, such as a room, user or group ID, that data is removed before being sent to the server.": "Der denne sida inneheld gjenkjenneleg informasjon, slik som ein rom-, brukar- eller gruppeID, vert denne informasjonen sletta før han sendast til tenar.",
"Call Failed": "Oppringjing Mislukkast",
"Review Devices": "Sjå Over Einingar",
"Call Anyway": "Ring Likevel",
"Answer Anyway": "Svar Likevel",
"Call": "Ring",
"Answer": "Svar",
"You are already in a call.": "Du er allereie i ei samtale.",
"VoIP is unsupported": "VoIP er ikkje støtta",
"You cannot place VoIP calls in this browser.": "Du kan ikkje utføra samtalar med VoIP i denne nettlesaren.",
"You cannot place a call with yourself.": "Du kan ikkje samtala med deg sjølv.",
"Could not connect to the integration server": "Kunne ikkje kopla til integreringstenaren",
"Call in Progress": "Ei Samtale er i Gang",
"A call is currently being placed!": "Ei samtale held allereie på å starta!",
"A call is already in progress!": "Ei samtale er i gang allereie!",
@ -54,14 +48,13 @@
"Which rooms would you like to add to this community?": "Kva rom vil du leggja til i dette fellesskapet?",
"Show these rooms to non-members on the community page and room list?": "Vis desse romma til ikkje-medlem på fellesskapssida og romkatalogen?",
"Add rooms to the community": "Legg til rom i fellesskapet",
"Room name or alias": "Romnamn eller alias",
"Add to community": "Legg til i fellesskapet",
"Failed to invite the following users to %(groupId)s:": "Fekk ikkje til å invitera følgjande brukarar i %(groupId)s:",
"Failed to invite users to community": "Fekk ikkje til å invitera brukarar til fellesskapet.",
"Failed to invite users to %(groupId)s": "Fekk ikkje til å invitera brukarar til %(groupId)s",
"Failed to add the following rooms to %(groupId)s:": "Fekk ikkje til å invitera følgjande rom til %(groupId)s:",
"Riot does not have permission to send you notifications - please check your browser settings": "Riot har ikkje lov til å senda deg varsel - sjekk nettlesarinnstillingane dine",
"Riot was not given permission to send notifications - please try again": "Riot fekk ikkje tillating til å senda varsel - ver venleg og prøv igjen",
"%(brand)s does not have permission to send you notifications - please check your browser settings": "%(brand)s har ikkje lov til å senda deg varsel - sjekk nettlesarinnstillingane dine",
"%(brand)s was not given permission to send notifications - please try again": "%(brand)s fekk ikkje tillating til å senda varsel - ver venleg og prøv igjen",
"Unable to enable Notifications": "Klarte ikkje å skru på Varsel",
"This email address was not found": "Denne epostadressa var ikkje funnen",
"Your email address does not appear to be associated with a Matrix ID on this Homeserver.": "Epostadressa di ser ikkje ut til å vera tilknytta ein Matrix-ID på denne heimtenaren.",
@ -69,7 +62,6 @@
"Restricted": "Avgrensa",
"Moderator": "Moderator",
"Admin": "Administrator",
"Start a chat": "Start ein samtale",
"Operation failed": "Handling mislukkast",
"Failed to invite": "Fekk ikkje til å invitera",
"Failed to invite the following users to the %(roomName)s room:": "Fekk ikkje til å invitera følgjande brukarar til %(roomName)s:",
@ -92,9 +84,7 @@
"/ddg is not a command": "/ddg er ikkje ein kommando",
"Changes your display nickname": "Forandrar kallenamnet ditt",
"Invites user with given id to current room": "Inviter brukarar med fylgjande ID inn i gjeldande rom",
"Joins room with given alias": "Gjeng inn i eit rom med det gjevne aliaset",
"Leave room": "Forlat rommet",
"Unrecognised room alias:": "Ukjend romalias:",
"Kicks user with given id": "Sparkar brukarar med gjeven ID",
"Bans user with given id": "Stengjer brukarar med den gjevne IDen ute",
"Ignores a user, hiding their messages from you": "Overser ein brukar, slik at meldingane deira ikkje synast for deg",
@ -107,18 +97,14 @@
"This email address is already in use": "Denne e-postadressa er allereie i bruk",
"The platform you're on": "Platformen du er på",
"Failed to verify email address: make sure you clicked the link in the email": "Fekk ikkje til å stadfesta e-postadressa: sjå til at du klikka på den rette lenkja i e-posten",
"Your identity server's URL": "Din identitetstenar si nettadresse",
"Every page you use in the app": "Alle sider du brukar i programmet",
"e.g. <CurrentPageURL>": "t.d. <CurrentPageURL>",
"Your User Agent": "Din Brukaragent",
"Analytics": "Statistikk",
"Unable to capture screen": "Klarte ikkje ta opp skjermen",
"Existing Call": "Samtale er i gang",
"To use it, just wait for autocomplete results to load and tab through them.": "For å bruka den, vent på at resultata fyller seg ut og tab gjennom dei.",
"Deops user with given id": "AvOPar brukarar med den gjevne IDen",
"Opens the Developer Tools dialog": "Opnar Utviklarverktøy-tekstboksen",
"Unverify": "Fjern verifikasjon",
"Verify...": "Godkjenn...",
"Which officially provided instance you are using, if any": "Kva offisielt gjevne instanse du brukar, viss nokon",
"The remote side failed to pick up": "Den andre sida tok ikkje røret",
"Verified key": "Godkjend nøkkel",
@ -168,21 +154,17 @@
"%(widgetName)s widget removed by %(senderName)s": "%(widgetName)s widget fjerna av %(senderName)s",
"Failure to create room": "Klarte ikkje å laga rommet",
"Server may be unavailable, overloaded, or you hit a bug.": "Tenaren er kanskje utilgjengeleg, overlasta elles så traff du ein bug.",
"Send anyway": "Send likevel",
"Send": "Send",
"Unnamed Room": "Rom utan namn",
"Your browser does not support the required cryptography extensions": "Nettlesaren din støttar ikkje dei naudsynte kryptografiske utvidingane",
"Not a valid Riot keyfile": "Ikkje ei gyldig Riot-nykelfil",
"Not a valid %(brand)s keyfile": "Ikkje ei gyldig %(brand)s-nykelfil",
"Authentication check failed: incorrect password?": "Authentiseringsforsøk mislukkast: feil passord?",
"Failed to join room": "Fekk ikkje til å gå inn i rom",
"Message Pinning": "Meldingsfesting",
"Use compact timeline layout": "Bruk kompakt utforming for historikk",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "Vis tidspunkt i 12-timarsform (t.d. 2:30pm)",
"Always show message timestamps": "Vis alltid meldingstidspunkt",
"Autoplay GIFs and videos": "Spel av GIFar og videoar med ein gong",
"Always show encryption icons": "Vis alltid krypteringsikon",
"Disable Notifications": "Skru Varsel av",
"Enable Notifications": "Skru Varsel på",
"Automatically replace plain text Emoji": "Erstatt Emojiar i klartekst av seg sjølv",
"Mirror local video feed": "Spegl den lokale videofeeden",
"Send analytics data": "Send statistikkdata",
@ -226,7 +208,6 @@
"Confirm password": "Stadfest passord",
"Change Password": "Endra Passord",
"Authentication": "Authentisering",
"Device ID": "EiningsID",
"Last seen": "Sist sedd",
"Failed to set display name": "Fekk ikkje til å setja visningsnamn",
"Error saving email notification preferences": "Klarte ikkje å lagra varslingsinnstillingar for e-post",
@ -247,7 +228,6 @@
"Unable to fetch notification target list": "Klarte ikkje å henta varselmållista",
"Notification targets": "Varselmål",
"Advanced notification settings": "Avanserte varslingsinnstillingar",
"There are advanced notifications which are not shown here": "Det finst avanserte varslingar som ikkje er synlege her",
"Show message in desktop notification": "Vis meldinga i eit skriverbordsvarsel",
"Off": "Av",
"On": "På",
@ -266,8 +246,6 @@
"Options": "Innstillingar",
"Key request sent.": "Nykelforespurnad er send.",
"Please select the destination room for this message": "Vel kva rom som skal få denne meldinga",
"Blacklisted": "Svartelista",
"device id: ": "einingsID: ",
"Disinvite": "Fjern invitasjon",
"Kick": "Spark ut",
"Disinvite this user?": "Fjern invitasjonen for denne brukaren?",
@ -282,7 +260,6 @@
"You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.": "Du kan ikkje gjera om på denne endringa sidan du senkar tilgangsnivået ditt. Viss du er den siste privilegerte brukaren i rommet vil det bli umogleg å få tilbake tilgangsrettane.",
"Demote": "Degrader",
"Failed to mute user": "Fekk ikkje til å dempe brukaren",
"Failed to toggle moderator status": "Fekk ikkje til å skifte moderatorstatus",
"Failed to change power level": "Fekk ikkje til å endra tilgangsnivået",
"You will not be able to undo this change as you are promoting the user to have the same power level as yourself.": "Du kan ikkje angre denne endringa, fordi brukaren du forfremmar vil få same tilgangsnivå som du har no.",
"Are you sure?": "Er du sikker?",
@ -292,12 +269,8 @@
"Invite": "Inviter",
"Enable inline URL previews by default": "Skru URL-førehandsvising i tekstfeltet på",
"Share Link to User": "Del ei lenke til brukaren",
"User Options": "Brukarinnstillingar",
"Direct chats": "Direktesamtalar",
"Unmute": "Fjern demping",
"Mute": "Demp",
"Revoke Moderator": "Fjern Moderatorrettigheit",
"Make Moderator": "Gjer til Moderator",
"Admin Tools": "Administratorverktøy",
"and %(count)s others...|other": "og %(count)s andre...",
"and %(count)s others...|one": "og ein annan...",
@ -309,9 +282,7 @@
"Video call": "Videosamtale",
"Upload file": "Last opp fil",
"Send an encrypted reply…": "Send eit kryptert svar…",
"Send a reply (unencrypted)…": "Send eit svar (ukryptert)…",
"Send an encrypted message…": "Send ei kryptert melding…",
"Send a message (unencrypted)…": "Send ei melding (ukryptert)…",
"You do not have permission to post to this room": "Du har ikkje lov til å senda meldingar i dette rommet",
"Server error": "Noko gjekk gale med tenaren",
"Server unavailable, overloaded, or something else went wrong.": "Tenar utilgjengeleg, overlasta eller har eit anna problem.",
@ -393,10 +364,7 @@
"Show Stickers": "Vis klistremerker",
"Jump to first unread message.": "Hopp til den fyrste uleste meldinga.",
"Close": "Lukk",
"Remote addresses for this room:": "Fjernadresser for dette rommet:",
"Local addresses for this room:": "Lokaladresser for dette rommet:",
"This room has no local addresses": "Dette rommet har ingen lokale adresser",
"New address (e.g. #foo:%(localDomain)s)": "Ny adresse (t.d. #foo:%(localDomain)s)",
"Invalid community ID": "Ugyldig fellesskaps-ID",
"'%(groupId)s' is not a valid community ID": "'%(groupId)s' er ikkje ein gyldig fellesskaps-ID",
"Flair": "Etikett",
@ -430,11 +398,7 @@
"%(senderDisplayName)s changed the room avatar to <img/>": "%(senderDisplayName)s endra romavataren til <img/>",
"Copied!": "Kopiert!",
"Failed to copy": "Noko gjekk gale med kopieringa",
"Removed or unknown message type": "Fjerna eller ukjend meldingssort",
"Message removed by %(userId)s": "Meldinga vart fjerna av %(userId)s",
"Message removed": "Meldinga vart fjerna",
"Dismiss": "Avvis",
"To continue, please enter your password.": "For å gå fram, ver venleg og skriv passordet ditt inn.",
"An email has been sent to %(emailAddress)s": "En epost vart send til %(emailAddress)s",
"Please check your email to continue registration.": "Ver venleg og sjekk eposten din for å gå vidare med påmeldinga.",
"A text message has been sent to %(msisdn)s": "Ei tekstmelding vart send til %(msisdn)s",
@ -468,14 +432,11 @@
"Something went wrong when trying to get your communities.": "Noko gjekk gale under innlasting av fellesskapa du er med i.",
"Display your community flair in rooms configured to show it.": "Vis fellesskaps-etiketten din i rom som er stilt inn til å visa det.",
"You're not currently a member of any communities.": "Du er for tida ikkje medlem i nokon fellesskap.",
"Yes, I want to help!": "Ja, eg vil vera til nytte!",
"You are not receiving desktop notifications": "Du fær ikkje skrivebordsvarsel",
"Enable them now": "Skru dei på no",
"What's New": "Kva er nytt",
"Update": "Oppdatering",
"What's new?": "Kva er nytt?",
"A new version of Riot is available.": "Ein ny versjon av Riot er tilgjengeleg.",
"To return to your account in future you need to <u>set a password</u>": "For å gå tilbake til brukaren din i framtida må du <u>setja eit passord</u>",
"Set Password": "Set Passord",
"Error encountered (%(errorDetail)s).": "Noko gjekk gale (%(errorDetail)s).",
"Checking for an update...": "Ser etter oppdateringar...",
@ -491,8 +452,6 @@
"An error ocurred whilst trying to remove the widget from the room": "Noko gjekk gale med fjerninga av widgeten frå rommet",
"Edit": "Gjer om",
"Create new room": "Lag nytt rom",
"Unblacklist": "Fjern frå svartelista",
"Blacklist": "Legg til i svartelista",
"No results": "Ingen resultat",
"Communities": "Fellesskap",
"Home": "Heim",
@ -594,7 +553,6 @@
"Message visibility in Matrix is similar to email. Our forgetting your messages means that messages you have sent will not be shared with any new or unregistered users, but registered users who already have access to these messages will still have access to their copy.": "Meldingssynlegheit på Matrix liknar på epost. At vi gløymer meldingane dine tyder at meldingar du har send ikkje vil verta delt med nye, ikkje-innmeldte brukarar, men brukare som er meldt på som allereie har tilgang til desse meldingane vil fortsatt kunne sjå kopien deira.",
"Please forget all messages I have sent when my account is deactivated (<b>Warning:</b> this will cause future users to see an incomplete view of conversations)": "Ver venleg og gløym alle meldingane eg har send når brukaren min vert avliven (<b>Åtvaring:</b> dette gjer at framtidige brukarar ikkje fær eit fullstendig oversyn av samtalene)",
"To continue, please enter your password:": "For å gå fram, ver venleg og skriv passordet ditt inn:",
"I verify that the keys match": "Eg stadfestar at nyklane samsvarar",
"Back": "Attende",
"Event sent!": "Hending send!",
"Event Type": "Hendingsort",
@ -605,17 +563,13 @@
"Toolbox": "Verktøykasse",
"Developer Tools": "Utviklarverktøy",
"An error has occurred.": "Noko gjekk gale.",
"Start verification": "Start verifikasjon",
"Share without verifying": "Del utan å godkjenna",
"Ignore request": "Ignorer førespurnad",
"Encryption key request": "Krypteringsnykel-førespurnad",
"Sign out": "Logg ut",
"Clear Storage and Sign Out": "Tøm Lager og Logg Ut",
"Send Logs": "Send Loggar",
"Refresh": "Hent fram på nytt",
"Unable to restore session": "Kunne ikkje henta øykta fram att",
"We encountered an error trying to restore your previous session.": "Noko gjekk gale med framhentinga av den førre øykta di.",
"If you have previously used a more recent version of Riot, your session may be incompatible with this version. Close this window and return to the more recent version.": "Viss du har tidligare brukt ein nyare versjon av Riot, kan økts-data vere inkompatibel med denne versjonen. Lukk dette vindauget og bytt til ein nyare versjon.",
"If you have previously used a more recent version of %(brand)s, your session may be incompatible with this version. Close this window and return to the more recent version.": "Viss du har tidligare brukt ein nyare versjon av %(brand)s, kan økts-data vere inkompatibel med denne versjonen. Lukk dette vindauget og bytt til ein nyare versjon.",
"Clearing your browser's storage may fix the problem, but will sign you out and cause any encrypted chat history to become unreadable.": "Det kan henda at å tømma nettlesarlageret rettar opp i det, men det loggar deg ut og kan gjera den krypterte pratehistoria uleseleg.",
"Invalid Email Address": "Ugangbar Epostadresse",
"This doesn't appear to be a valid email address": "Det ser ikkje ut til at epostadressa er gangbar",
@ -648,7 +602,6 @@
"COPY": "KOPIER",
"Private Chat": "Lukka Samtale",
"Public Chat": "Offentleg Samtale",
"Alias (optional)": "Alias (valfritt)",
"Reject invitation": "Sei nei til innbyding",
"Are you sure you want to reject the invitation?": "Er du sikker på at du vil seia nei til innbydinga?",
"Unable to reject invite": "Klarte ikkje å seia nei til innbydinga",
@ -674,8 +627,8 @@
"Low Priority": "Lågrett",
"Direct Chat": "Direktesamtale",
"View Community": "Sjå Fellesskap",
"Sorry, your browser is <b>not</b> able to run Riot.": "Beklagar, nettlesaren din klarer <b>ikkje</b> å køyra Riot.",
"Riot uses many advanced browser features, some of which are not available or experimental in your current browser.": "Riot brukar mange avanserte nettlesarfunksjonar, og nokre av dei er ikkje tilgjengelege eller under utprøving i nettlesaren din.",
"Sorry, your browser is <b>not</b> able to run %(brand)s.": "Beklagar, nettlesaren din klarer <b>ikkje</b> å køyra %(brand)s.",
"%(brand)s uses many advanced browser features, some of which are not available or experimental in your current browser.": "%(brand)s brukar mange avanserte nettlesarfunksjonar, og nokre av dei er ikkje tilgjengelege eller under utprøving i nettlesaren din.",
"With your current browser, the look and feel of the application may be completely incorrect, and some or all features may not function. If you want to try it anyway you can continue, but you are on your own in terms of any issues you may encounter!": "Med denne nettlesaren, er det mogleg at synet og kjensla av applikasjonen er fullstendig gale, og nokre eller alle funksjonar verkar kanskje ikkje. Viss du vil prøva likevel kan du gå fram, men då du må sjølv handtera alle vanskar du møter på!",
"I understand the risks and wish to continue": "Eg forstår farane og vil gå fram",
"Name": "Namn",
@ -733,7 +686,7 @@
"To continue using the %(homeserverDomain)s homeserver you must review and agree to our terms and conditions.": "For å framleis bruka %(homeserverDomain)s sin heimtenar må du sjå over og seia deg einig i våre Vilkår og Føresetnader.",
"Review terms and conditions": "Sjå over Vilkår og Føresetnader",
"Old cryptography data detected": "Gamal kryptografidata vart oppdagen",
"Data from an older version of Riot has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "Data frå ein eldre versjon av Riot er oppdaga. Dette kan ha gjort at ende-til-ende kryptering feilar i den eldre versjonen. Krypterte meldingar som er utveksla med den gamle versjonen er kanskje ikkje dekrypterbare i denne versjonen. Dette kan forårsake at meldingar utveksla mot denne versjonen vil feile. Opplever du problem med dette, kan du logge inn og ut igjen. For å behalde meldingshistorikk, eksporter og importer nøklane dine på nytt.",
"Data from an older version of %(brand)s has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "Data frå ein eldre versjon av %(brand)s er oppdaga. Dette kan ha gjort at ende-til-ende kryptering feilar i den eldre versjonen. Krypterte meldingar som er utveksla med den gamle versjonen er kanskje ikkje dekrypterbare i denne versjonen. Dette kan forårsake at meldingar utveksla mot denne versjonen vil feile. Opplever du problem med dette, kan du logge inn og ut igjen. For å behalde meldingshistorikk, eksporter og importer nøklane dine på nytt.",
"Logout": "Logg ut",
"Your Communities": "Dine fellesskap",
"Error whilst fetching joined communities": "Noko gjekk gale under innlasting av fellesskapa du med er i",
@ -745,17 +698,14 @@
"Notifications": "Varsel",
"Invite to this community": "Inviter til dette fellesskapet",
"The server may be unavailable or overloaded": "Tenaren er kanskje utilgjengeleg eller overlasta",
"Delete the room alias %(alias)s and remove %(name)s from the directory?": "Slette rommaliaset %(alias)s og fjern %(name)s frå romkatalogen?",
"Remove %(name)s from the directory?": "Fjern %(name)s frå romkatalogen?",
"Remove from Directory": "Fjern frå romkatalog",
"remove %(name)s from the directory.": "fjern %(name)s frå romkatalogen.",
"delete the alias.": "slett aliaset.",
"Unable to join network": "Klarte ikkje å bli med i nettverket",
"Riot does not know how to join a room on this network": "Riot veit ikkje korleis den kan bli med i rom på dette nettverket",
"%(brand)s does not know how to join a room on this network": "%(brand)s veit ikkje korleis den kan bli med i rom på dette nettverket",
"Room not found": "Fann ikkje rommet",
"Couldn't find a matching Matrix room": "Kunne ikkje finna eit samsvarande Matrix-rom",
"Fetching third party location failed": "Noko gjekk gale under henting av tredjepartslokasjon",
"Scroll to bottom of page": "Blad til botnen",
"You can't send any messages until you review and agree to <consentLink>our terms and conditions</consentLink>.": "Du kan ikkje senda meldingar før du les over og godkjenner våre <consentLink>bruksvilkår</consentLink>.",
"%(count)s of your messages have not been sent.|other": "Nokre av meldingane dine vart ikkje sende.",
"%(count)s of your messages have not been sent.|one": "Meldinga di vart ikkje send.",
@ -769,7 +719,6 @@
"You seem to be in a call, are you sure you want to quit?": "Det ser ut til at du er i ein samtale, er du sikker på at du vil avslutte?",
"Search failed": "Søket feila",
"No more results": "Ingen fleire resultat",
"Unknown room %(roomId)s": "Ukjend rom %(roomId)s",
"Room": "Rom",
"Failed to reject invite": "Fekk ikkje til å avstå invitasjonen",
"Fill screen": "Fyll skjermen",
@ -783,15 +732,13 @@
"Uploading %(filename)s and %(count)s others|other": "Lastar opp %(filename)s og %(count)s andre",
"Uploading %(filename)s and %(count)s others|zero": "Lastar opp %(filename)s",
"Uploading %(filename)s and %(count)s others|one": "Lastar opp %(filename)s og %(count)s andre",
"Light theme": "Lyst tema",
"Dark theme": "Mørkt tema",
"Success": "Suksess",
"Unable to remove contact information": "Klarte ikkje å fjerna kontaktinfo",
"<not supported>": "<ikkje støtta>",
"Import E2E room keys": "Hent E2E-romnøklar inn",
"Cryptography": "Kryptografi",
"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 or groups you have visited and the usernames of other users. They do not contain messages.": "Viss du har rapportert inn feil via GitHub, kan feil-loggar hjelpa oss med å finna problemet. Feil-loggar inneheld data om applikasjonsbruk som; brukarnamn, ID-ar, alias på rom eller grupper du har besøkt og brukarnamn for andre brukarar. Loggane inneheld ikkje meldingar.",
"Riot collects anonymous analytics to allow us to improve the application.": "Riot samlar anonym statistikk inn slik at ein kan forbetre applikasjonen.",
"%(brand)s collects anonymous analytics to allow us to improve the application.": "%(brand)s samlar anonym statistikk inn slik at ein kan forbetre applikasjonen.",
"Privacy is important to us, so we don't collect any personal or identifiable data for our analytics.": "Personvern er viktig for oss, så vi samlar ikkje personlege eller identifiserbare data for statistikken vår.",
"Learn more about how we use analytics.": "Finn ut meir om korleis vi brukar statistikk.",
"Labs": "Labben",
@ -799,7 +746,7 @@
"Reject all %(invitedRooms)s invites": "Kanseller alle invitasjonar frå %(invitedRooms)s",
"Start automatically after system login": "Start automagisk etter systeminnlogging",
"No media permissions": "Ingen mediatilgang",
"You may need to manually permit Riot to access your microphone/webcam": "Det kan henda at du må gje Riot tilgang til mikrofonen/nettkameraet for hand",
"You may need to manually permit %(brand)s to access your microphone/webcam": "Det kan henda at du må gje %(brand)s tilgang til mikrofonen/nettkameraet for hand",
"No Audio Outputs detected": "Ingen ljodavspelingseiningar funne",
"No Microphones detected": "Ingen opptakseiningar funne",
"No Webcams detected": "Ingen Nettkamera funne",
@ -812,7 +759,7 @@
"click to reveal": "klikk for å visa",
"Homeserver is": "Heimtenaren er",
"Identity Server is": "Identitetstenaren er",
"riot-web version:": "riot-web versjon:",
"%(brand)s version:": "%(brand)s versjon:",
"olm version:": "olm versjon:",
"Failed to send email": "Fekk ikkje til å senda eposten",
"The email address linked to your account must be entered.": "Du må skriva epostadressa som er tilknytta brukaren din inn.",
@ -838,20 +785,7 @@
"Notify the whole room": "Varsle heile rommet",
"Room Notification": "Romvarsel",
"Users": "Brukarar",
"unknown device": "ukjend eining",
"NOT verified": "IKKJE godkjend",
"verified": "godkjend",
"Verification": "Verifikasjon",
"Ed25519 fingerprint": "Ed25519-fingeravtrykk",
"User ID": "Brukar-ID",
"Curve25519 identity key": "Curve25519-identitetsnøkkel",
"none": "ingen",
"Algorithm": "Algoritme",
"unencrypted": "ikkje-kryptert",
"Decryption error": "Noko gjekk gale med dekrypteringa",
"Session ID": "Økt-ID",
"End-to-end encryption information": "Ende-til-ende-krypteringsinfo",
"Event information": "Hendingsinfo",
"Passphrases must match": "Passfrasane må vere identiske",
"Passphrase must not be empty": "Passfrasefeltet kan ikkje stå tomt",
"Enter passphrase": "Skriv inn passfrase",
@ -860,7 +794,6 @@
"Call Timeout": "Tidsavbrot i Samtala",
"Enable automatic language detection for syntax highlighting": "Skru automatisk måloppdaging på for syntax-understreking",
"Export E2E room keys": "Hent E2E-romnøklar ut",
"You might have configured them in a client other than Riot. You cannot tune them in Riot but they still apply": "Det kan henda at du stilte dei inn på ein annan klient enn Riot. Du kan ikkje stilla på dei i Riot men dei gjeld framleis",
"Jump to read receipt": "Hopp til lesen-lappen",
"Filter room members": "Filtrer rommedlemmar",
"When someone puts a URL in their message, a URL preview can be shown to give more information about that link such as the title, description, and an image from the website.": "Når nokon legg ein URL med i meldinga si, kan ei URL-førehandsvising visast for å gje meir info om lenkja slik som tittelen, skildringa, og eit bilete frå nettsida.",
@ -869,8 +802,6 @@
"Filter community members": "Filtrer fellesskapssmedlemmar",
"Custom Server Options": "Tilpassa tenar-innstillingar",
"Filter community rooms": "Filtrer rom i fellesskapet",
"Please help improve Riot.im by sending <UsageDataLink>anonymous usage data</UsageDataLink>. This will use a cookie (please see our <PolicyLink>Cookie Policy</PolicyLink>).": "Hjelp oss å forbetra Riot.im ved å senda <UsageDataLink>anonym brukardata</UsageDataLink>. Dette brukar informasjonskapslar (les gjerne vår <PolicyLink>Cookie-policy</PolicyLink>).",
"Please help improve Riot.im by sending <UsageDataLink>anonymous usage data</UsageDataLink>. This will use a cookie.": "Hjelp oss å forbetra Riot.im ved å senda <UsageDataLink>anonym brukardata</UsageDataLink>. Dette brukar informasjonskapslar (cookies).",
"Whether or not you're using the Richtext mode of the Rich Text Editor": "Om du brukar Riktekst-innstillinga på Riktekstfeltet",
"This room is not accessible by remote Matrix servers": "Rommet er ikkje tilgjengeleg for andre Matrix-heimtenarar",
"Add an Integration": "Legg tillegg til",
@ -886,7 +817,7 @@
"Filter results": "Filtrer resultat",
"Custom": "Sjølvsett",
"Failed to set Direct Message status of room": "Fekk ikkje til å setja Direktemelding-tilstanden til rommet",
"Did you know: you can use communities to filter your Riot.im experience!": "Visste du at: du kan bruka fellesskap for å filtrera Riot.im-opplevinga di!",
"Did you know: you can use communities to filter your %(brand)s experience!": "Visste du at: du kan bruka fellesskap for å filtrera %(brand)s-opplevinga di!",
"To set up a filter, drag a community avatar over to the filter panel on the far left hand side of the screen. You can click on an avatar in the filter panel at any time to see only the rooms and people associated with that community.": "For å setja opp eit filter, dra ein fellesskapsavatar bort til filterpanelet til venstre på skjermen. Du kan klikka på ein avatar i filterpanelet når som helst for å sjå berre romma og folka tilknytta det fellesskapet.",
"Create a community to group together users and rooms! Build a custom homepage to mark out your space in the Matrix universe.": "Lag eit fellesskap for å føra saman brukarar og rom! Lag ei tilpassa heimeside for å markere din del av Matrix-universet.",
"Unable to look up room ID from server": "Klarte ikkje å henta rom-ID frå tenaren",
@ -895,7 +826,6 @@
"Profile": "Brukar",
"Access Token:": "Tilgangs-token:",
"This homeserver doesn't offer any login flows which are supported by this client.": "Heimetenaren tilbyr ingen innloggingsmetodar som er støtta av denne klienten.",
"Claimed Ed25519 fingerprint key": "Gjorde krav på Ed25519-fingeravtrykksnøkkel",
"Export room keys": "Eksporter romnøklar",
"Export": "Eksporter",
"Import room keys": "Importer romnøklar",
@ -915,7 +845,7 @@
"Whether or not you're logged in (we don't record your username)": "Uansett om du er innlogga eller ikkje (så lagrar vi ikkje brukarnamnet ditt)",
"The file '%(fileName)s' exceeds this homeserver's size limit for uploads": "Fila %(fileName)s er større enn heimetenaren si grense for opplastningar",
"Unable to load! Check your network connectivity and try again.": "Klarte ikkje lasta! Sjå på nettilkoplinga di og prøv igjen.",
"Your Riot is misconfigured": "Riot-klienten din er sett opp feil",
"Your %(brand)s is misconfigured": "%(brand)s-klienten din er sett opp feil",
"Sign In": "Logg inn",
"Explore rooms": "Utforsk romma",
"Your message wasn't sent because this homeserver has hit its Monthly Active User Limit. Please <a>contact your service administrator</a> to continue using the service.": "Meldinga di vart ikkje send, for denne heimetenaren har nådd grensa for maksimalt aktive brukarar pr. månad. Kontakt <a>systemadministratoren</a> for å vidare nytte denne tenesta.",
@ -963,34 +893,18 @@
"You cannot sign in to your account. Please contact your homeserver admin for more information.": "Du har ikkje muligheit til å logge på kontoen din. Kontakt systemadministratoren for meir informasjon.",
"You're signed out": "Du er no avlogga",
"Clear personal data": "Fjern personlege data",
"Great! This passphrase looks strong enough.": "Flott! Denne passfrasen virkar til å vere sterk nok.",
"We'll store an encrypted copy of your keys on our server. Protect your backup with a passphrase to keep it secure.": "Vi vil lagre ein kryptert kopi av nøklane dine på vår server. Vern sikkerheitskopien din med ein passfrase.",
"For maximum security, this should be different from your account password.": "For maksimal sikkerheit, bør dette vere noko anna enn kontopassordet ditt.",
"Enter a passphrase...": "Skriv inn ein passfrase...",
"Set up with a Recovery Key": "Sett opp med ein gjenopprettingsnøkkel",
"That matches!": "Dette stemmer!",
"That doesn't match.": "Dette stemmer ikkje.",
"Go back to set it again.": "Gå tilbake for å sette den på nytt.",
"Please enter your passphrase a second time to confirm.": "Skriv inn passfrasen din ein gong til for å stadfeste.",
"Repeat your passphrase...": "Gjenta din passfrase...",
"As a safety net, you can use it to restore your encrypted message history if you forget your Recovery Passphrase.": "Som eit sikkerheitsnett, kan du bruke den til å gjenopprette den krypterte meldingshistorikken i tilfelle du gløymer gjennopprettingsnøkkelen.",
"As a safety net, you can use it to restore your encrypted message history.": "Som eit sikkerheitsnett, kan du bruke den til å gjenopprette den krypterte meldingshistorikken.",
"Your recovery key is a safety net - you can use it to restore access to your encrypted messages if you forget your passphrase.": "Gjennopprettingsnøkkelen eit sikkerheitsnett, kan du bruke den til å gjenopprette den krypterte meldingshistorikken i tilfelle du gløymer passfrasen.",
"Your Recovery Key": "Gjenopprettingsnøkkelen din",
"Copy to clipboard": "Kopier til utklippstavle",
"Download": "Last ned",
"<b>Print it</b> and store it somewhere safe": "<b>Skriv ut</b> og ta vare på den på ein trygg stad",
"<b>Save it</b> on a USB key or backup drive": "<b>Lagre</b> til ein USB-pinne eller sikkerheitskopidisk",
"<b>Copy it</b> to your personal cloud storage": "<b>Kopier den</b> til personleg skylagring",
"Your keys are being backed up (the first backup could take a few minutes).": "Nøklane dine blir sikkerheitskopiert (den første kopieringa kan ta nokre minutt).",
"Set up Secure Message Recovery": "Sett opp sikker gjenoppretting for meldingar",
"Secure your backup with a passphrase": "Gjer sikkerheitskopien trygg med ein passfrase",
"Confirm your passphrase": "Stadfest passfrasen din",
"Recovery key": "Gjenopprettingsnøkkel",
"Keep it safe": "Lagre den trygt",
"Starting backup...": "Startar sikkerheitskopiering...",
"Success!": "Suksess!",
"Create Key Backup": "Lag sikkerheitskopi av nøkkel",
"Unable to create key backup": "Klarte ikkje å lage sikkerheitskopi av nøkkelen",
"Retry": "Prøv om att",
"Without setting up Secure Message Recovery, you'll lose your secure message history when you log out.": "Utan å sette opp sikker gjenoppretting for meldingar (Secure Message Recovery) vil meldingshistorikken gå tapt når du loggar av.",
@ -1010,14 +924,11 @@
"Please ask the administrator of your homeserver (<code>%(homeserverDomain)s</code>) to configure a TURN server in order for calls to work reliably.": "Spør administratoren for din heimetenar<code>%(homeserverDomain)s</code> om å setje opp ein \"TURN-server\" slik at talesamtalar fungerer på rett måte.",
"Alternatively, you can try to use the public server at <code>turn.matrix.org</code>, but this will not be as reliable, and it will share your IP address with that server. You can also manage this in Settings.": "Alternativt, kan du prøva å nytta den offentlege tenaren på <code>turn.matrix.org</code>, men det kan vera mindre stabilt og IP-adressa di vil bli delt med den tenaren. Du kan og endra på det under Innstillingar.",
"Try using turn.matrix.org": "Prøv med å nytta turn.matrix.org",
"A conference call could not be started because the integrations server is not available": "Ein konferansesamtale kunne ikkje starta fordi integrasjons-tenaren er utilgjengeleg",
"Replying With Files": "Send svar med filer",
"At this time it is not possible to reply with a file. Would you like to upload this file without replying?": "Nett no er det ikkje mogleg å senda svar med ei fil. Vil du lasta opp denne fila utan å senda svaret?",
"The file '%(fileName)s' failed to upload.": "Fila '%(fileName)s' vart ikkje lasta opp.",
"The server does not support the room version specified.": "Tenaren støttar ikkje den spesifikke versjonen av rommet.",
"Name or Matrix ID": "Namn eller Matrix ID",
"Registration Required": "Registrering er obligatorisk",
"You need to register to do this. Would you like to register now?": "Du må registrera for å gjera dette. Ynskjer du å registrera no?",
"Failed to invite users to the room:": "Fekk ikkje til å invitera brukarar til rommet:",
"Messages": "Meldingar",
"Actions": "Handlingar",
@ -1046,22 +957,17 @@
"Displays list of commands with usages and descriptions": "Viser ei liste over kommandoar med bruksområde og skildringar",
"%(senderName)s made no change.": "%(senderName)s utførde ingen endring.",
"%(senderDisplayName)s upgraded this room.": "%(senderDisplayName)s oppgraderte dette rommet.",
"The version of Riot": "Gjeldande versjon av Riot",
"Whether you're using Riot on a device where touch is the primary input mechanism": "Om du brukar Riot på ein innretning som er satt opp for touch-skjerm",
"Whether you're using %(brand)s on a device where touch is the primary input mechanism": "Om du brukar %(brand)s på ein innretning som er satt opp for touch-skjerm",
"Whether or not you're using the 'breadcrumbs' feature (avatars above the room list)": "Om du nyttar funksjonen 'breadcrumbs' (avatarane over romkatalogen)",
"Whether you're using Riot as an installed Progressive Web App": "Om din Riot er installert som ein webapplikasjon (Progressive Web App)",
"Whether you're using %(brand)s as an installed Progressive Web App": "Om din %(brand)s er installert som ein webapplikasjon (Progressive Web App)",
"Your user agent": "Din nettlesar (User-Agent)",
"The information being sent to us to help make Riot better includes:": "Informasjon sendt til oss for å forbetre Riot inkluderar:",
"There are unknown sessions in this room: if you proceed without verifying them, it will be possible for someone to eavesdrop on your call.": "Det er ukjende økter i dette rommet: om går vidare utan å verifisere dei, kan andre avlytte samtalen.",
"If you cancel now, you won't complete verifying the other user.": "Om du avbryter no, vil dette stoppe verifikasjonsprosessen for den andre brukaren.",
"If you cancel now, you won't complete verifying your other session.": "Om du avbryter no, vil dette stoppe verifikasjonsprosessen for den andre økta.",
"If you cancel now, you won't complete your secret storage operation.": "Om du avbryter no, vil dette stoppe opprettinga av det hemmelege lageret.",
"Cancel entering passphrase?": "Avbryte inntasting av passfrase ?",
"Setting up keys": "Setter opp nøklar",
"Verify this session": "Stadfest denne økta",
"Encryption upgrade available": "Kryptering kan oppgraderast",
"Set up encryption": "Sett opp kryptering",
"Unverified session": "Uverifisert sesjon",
"Identity server has no terms of service": "Identitetstenaren manglar bruksvilkår",
"This action requires accessing the default identity server <server /> to validate an email address or phone number, but the server does not have any terms of service.": "Denne handlinga krev kommunikasjon mot <server />(standard identitetstenar) for å verifisere e-post eller telefonnummer, men tenaren manglar bruksvilkår.",
"Only continue if you trust the owner of the server.": "Gå vidare så lenge du har tillit til eigar av tenaren.",
@ -1084,14 +990,6 @@
"%(senderDisplayName)s enabled flair for %(groups)s in this room.": "%(senderDisplayName)s satte etikett for %(groups)s i dette rommet.",
"%(senderDisplayName)s disabled flair for %(groups)s in this room.": "%(senderDisplayName)s deaktiverte etikettar for %(groups)s i dette rommet.",
"%(senderDisplayName)s enabled flair for %(newGroups)s and disabled flair for %(oldGroups)s in this room.": "%(senderDisplayName)s har aktivert etikettar for %(newGroups)s, og deaktivert etikettar for %(oldGroups)s i dette rommet.",
"%(senderName)s added %(addedAddresses)s and %(count)s other addresses to this room|other": "%(senderName)s la til %(addedAddresses)s og %(count)s andre adresser i dette rommet",
"%(senderName)s added %(count)s %(addedAddresses)s as addresses for this room.|other": "%(senderName)s la til %(addedAddresses)s som adresser for dette rommet.",
"%(senderName)s added %(count)s %(addedAddresses)s as addresses for this room.|one": "%(senderName)s la til %(addedAddresses)s som adresse for dette rommet.",
"%(senderName)s removed %(removedAddresses)s and %(count)s other addresses from this room|other": "%(senderName)s fjerna %(removedAddresses)s og %(count)s andre som adresse for dette rommet",
"%(senderName)s removed %(count)s %(removedAddresses)s as addresses for this room.|other": "%(senderName)s fjerna %(removedAddresses)s som adresser for dette rommet.",
"%(senderName)s removed %(count)s %(removedAddresses)s as addresses for this room.|one": "%(senderName)s fjerna %(removedAddresses)s som adresse for dette rommet.",
"%(senderName)s removed %(countRemoved)s and added %(countAdded)s addresses to this room": "%(senderName)s fjerna %(countRemoved)s og la til %(countAdded)s adresser for dette rommet",
"%(senderName)s added %(addedAddresses)s and removed %(removedAddresses)s as addresses for this room.": "%(senderName)s la til %(addedAddresses)s og tok vekk %(removedAddresses)s som adresser for dette rommet.",
"%(senderName)s set the main address for this room to %(address)s.": "%(senderName)s satte standardadressa for dette rommet til %(address)s.",
"%(senderName)s removed the main address for this room.": "%(senderName)s fjerna standardadressa for dette rommet.",
"%(senderName)s placed a voice call.": "%(senderName)s starta ein talesamtale.",
@ -1106,7 +1004,6 @@
"Sends the given emote coloured as a rainbow": "Sendar emojien med regnbogefargar",
"You do not have permission to invite people to this room.": "Du har ikkje lov til å invitera andre til dette rommet.",
"The user must be unbanned before they can be invited.": "Blokkeringa av brukaren må fjernast før dei kan bli inviterte.",
"Show padlocks on invite only rooms": "Vis hengelås på lukka rom (invite-only)",
"Show join/leave messages (invites/kicks/bans unaffected)": "Vis bli-med/forlat meldingar (ekskluderer invitasjonar/utkasting/blokkeringar)",
"Prompt before sending invites to potentially invalid matrix IDs": "Spør før utsending av invitasjonar til potensielle ugyldige Matrix-IDar",
"Disconnecting from your identity server will mean you won't be discoverable by other users and you won't be able to invite others by email or phone.": "Ved å fjerne koplinga mot din identitetstenar, vil ikkje brukaren din bli oppdaga av andre brukarar, og du kan heller ikkje invitera andre med e-post eller telefonnummer.",
@ -1139,7 +1036,6 @@
"Deactivate user?": "Deaktivere brukar?",
"Deactivate user": "Deaktiver brukar",
"Failed to deactivate user": "Fekk ikkje til å deaktivere brukaren",
"No sessions with registered encryption keys": "Ingen økter med registrerte krypteringsnøklar",
"Remove recent messages": "Fjern nyare meldingar",
"Send a reply…": "Send eit svar…",
"Send a message…": "Send melding…",
@ -1170,10 +1066,10 @@
"You can still join it because this is a public room.": "Du kan fortsatt bli med fordi dette er eit offentleg rom.",
"Join the discussion": "Bli med i diskusjonen",
"This invite to %(roomName)s was sent to %(email)s which is not associated with your account": "Invitasjonen til %(roomName)s vart sendt til %(email)s, som ikkje er tilknytta din konto",
"Link this email with your account in Settings to receive invites directly in Riot.": "Knytt denne e-posten opp til kontoen din under Innstillingar, for å direkte ta i mot invitasjonar i Riot.",
"Link this email with your account in Settings to receive invites directly in %(brand)s.": "Knytt denne e-posten opp til kontoen din under Innstillingar, for å direkte ta i mot invitasjonar i %(brand)s.",
"This invite to %(roomName)s was sent to %(email)s": "Denne invitasjonen for %(roomName)s vart sendt til %(email)s",
"Use an identity server in Settings to receive invites directly in Riot.": "Bruk ein identitetstenar under Innstillingar, for å direkte ta i mot invitasjonar i Riot.",
"Share this email in Settings to receive invites directly in Riot.": "Del denne e-postadresa i Innstillingar, for å direkte ta i mot invitasjonar i Riot.",
"Use an identity server in Settings to receive invites directly in %(brand)s.": "Bruk ein identitetstenar under Innstillingar, for å direkte ta i mot invitasjonar i %(brand)s.",
"Share this email in Settings to receive invites directly in %(brand)s.": "Del denne e-postadresa i Innstillingar, for å direkte ta i mot invitasjonar i %(brand)s.",
"Do you want to chat with %(user)s?": "Ynskjer du å chatte med %(user)s?",
"<userName/> wants to chat": "<userName/> vil chatte med deg",
"Start chatting": "Start chatting",
@ -1204,11 +1100,6 @@
"Error updating main address": "Feil under oppdatering av hovedadresse",
"There was an error updating the room's main address. It may not be allowed by the server or a temporary failure occurred.": "Det skjedde ein feil under oppdatering av hovudadressa for rommet. Det kan hende at dette er ein mellombels feil, eller at det ikkje er tillate på tenaren.",
"There was an error updating the room's alternative addresses. It may not be allowed by the server or a temporary failure occurred.": "Feil under oppdatering av alternativ adresse. Det kan hende at dette er mellombels, eller at det ikkje er tillate på tenaren.",
"Error creating alias": "Feil under oppretting av alias",
"There was an error creating that alias. It may not be allowed by the server or a temporary failure occurred.": "Det skjedde ein feil under oppretting av dette aliaset. Det kan hende at dette er midlertidig, eller at det ikkje er tillate på serveren.",
"You don't have permission to delete the alias.": "Du har ikkje lov å slette aliaset.",
"There was an error removing that alias. It may no longer exist or a temporary error occurred.": "Det skjedde ein feil under fjerning av aliaset. Det kan hende at dette er midlertidig, eller at det ikkje eksisterar lengre.",
"Error removing alias": "Feil ved fjerning av alias",
"Main address": "Hovudadresse",
"Local address": "Lokal adresse",
"Published Addresses": "Publisert adresse",
@ -1225,7 +1116,6 @@
"Room avatar": "Rom-avatar",
"Power level": "Tilgangsnivå",
"Voice & Video": "Tale & Video",
"Show a presence dot next to DMs in the room list": "Vis ein status-dot ved sida av DM-ar i romkatalogen",
"Show info about bridges in room settings": "Vis info om bruer under rominnstillingar",
"Show display name changes": "Vis endringar for visningsnamn",
"Match system theme": "Følg systemtema",
@ -1273,9 +1163,8 @@
"Can't find this server or its room list": "Klarde ikkje å finna tenaren eller romkatalogen til den",
"Upload completed": "Opplasting fullført",
"Cancelled signature upload": "Kansellerte opplasting av signatur",
"Unabled to upload": "Klarte ikkje å laste opp",
"Room Settings - %(roomName)s": "Rominnstillingar - %(roomName)s",
"Riot failed to get the public room list.": "Riot fekk ikkje til å hente offentleg romkatalog.",
"%(brand)s failed to get the public room list.": "%(brand)s fekk ikkje til å hente offentleg romkatalog.",
"Room List": "Romkatalog",
"Navigate up/down in the room list": "Naviger opp/ned i romkatalogen",
"Select room from the room list": "Vel rom frå romkatalogen",
@ -1311,8 +1200,8 @@
"Add theme": "Legg til tema",
"Theme": "Tema",
"Credits": "Bidragsytarar",
"For help with using Riot, click <a>here</a>.": "For hjelp med å bruke Riot, klikk <a>her</a>.",
"For help with using Riot, click <a>here</a> or start a chat with our bot using the button below.": "For hjelp med å bruke Riot, klikk <a>her</a>, eller start ein samtale med vår bot ved å bruke knappen under.",
"For help with using %(brand)s, click <a>here</a>.": "For hjelp med å bruke %(brand)s, klikk <a>her</a>.",
"For help with using %(brand)s, click <a>here</a> or start a chat with our bot using the button below.": "For hjelp med å bruke %(brand)s, klikk <a>her</a>, eller start ein samtale med vår bot ved å bruke knappen under.",
"Clear cache and reload": "Tøm buffer og last inn på nytt",
"Composer": "Teksteditor",
"Upgrade this room to the recommended room version": "Oppgrader dette rommet til anbefalt romversjon",
@ -1323,11 +1212,9 @@
"Use Single Sign On to continue": "Bruk Single-sign-on for å fortsette",
"Confirm adding this email address by using Single Sign On to prove your identity.": "Stadfest at du legger til denne e-postadressa, ved å bruke Single-sign-on for å stadfeste identiteten din.",
"Single Sign On": "Single-sign-on",
"Review Sessions": "Sjå gjennom økter",
"Capitalization doesn't help very much": "Store bokstavar hjelp dessverre lite",
"Predictable substitutions like '@' instead of 'a' don't help very much": "Forutsigbare teiknbytte som '@' istaden for 'a' hjelp dessverre lite",
"Try out new ways to ignore people (experimental)": "Prøv ut nye måtar å ignorere folk på (eksperimentelt)",
"Keep secret storage passphrase in memory for this session": "Hald passfrase for hemmeleg lager i systemminnet for denne økta",
"Cross-signing and secret storage are enabled.": "Krysssignering og hemmeleg lager er aktivert.",
"Your account has a cross-signing identity in secret storage, but it is not yet trusted by this session.": "Kontoen din har ein kryss-signert identitet det hemmelege lageret, økta di stolar ikkje på denne enno.",
"Cross-signing and secret storage are not yet set up.": "Krysssignering og hemmeleg lager er endå ikkje sett opp.",
@ -1335,10 +1222,8 @@
"Bootstrap cross-signing and secret storage": "Førebur krysssignering og hemmeleg lager",
"in secret storage": "i hemmeleg lager",
"Secret storage public key:": "Public-nøkkel for hemmeleg lager:",
"Secret Storage key format:": "Nøkkel-format for hemmeleg lager:",
"Keyboard Shortcuts": "Tastatursnarvegar",
"Ignored users": "Ignorerte brukarar",
"Add users and servers you want to ignore here. Use asterisks to have Riot match any characters. For example, <code>@bot:*</code> would ignore all users that have the name 'bot' on any server.": "Legg til brukarar og tenarar du vil ignorera her. Bruk stjerne/wildcard (*) for at markere eitkvart teikn. Til dømes, <code>@bot*</code> vil ignorere alle brukarar med namn 'bot' på uansett tenar.",
"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.",
@ -1348,37 +1233,22 @@
"To help avoid duplicate issues, please <existingIssuesLink>view existing issues</existingIssuesLink> first (and add a +1) or <newIssueLink>create a new issue</newIssueLink> if you can't find it.": "For å unngå duplikate feilrapportar, sjekk <existingIssuesLink>eksisterande innmeldte feil</existingIssuesLink> fyrst (og legg på ein +1) eller <newIssueLink>meld inn ny feil</newIssueLink> viss du ikkje finn den der.",
"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>.",
"Enter secret storage passphrase": "Skriv inn passfrase for hemmeleg lager",
"Unable to access secret storage. Please verify that you entered the correct passphrase.": "Tilgang til hemmeleg lager vart feila. Sjekk at du har skrive inn korrekt passfrase.",
"<b>Warning</b>: You should only access secret storage from a trusted computer.": "<b>Åtvaring</b>: Du bør berre nytte hemmeleg lager frå ei sikker,personleg datamaskin.",
"Access your secure message history and your cross-signing identity for verifying other sessions by entering your passphrase.": "Skriv inn passfrasen din for å få tilgang til sikker samtalehistorikk og identiet nytta ved krysssignering for å verifisere andre økter.",
"If you've forgotten your passphrase you can <button1>use your recovery key</button1> or <button2>set up new recovery options</button2>.": "Om du har gløymt passfrasen din kan du <button1>bruke gjennopprettingsnøkkel</button1> eller <button2>opprette nye gjenopprettingsalternativ</button2>.",
"Enter secret storage recovery key": "Skriv inn gjenopprettingsnøkkel for hemmeleg lagring",
"Unable to access secret storage. Please verify that you entered the correct recovery key.": "Fekk ikkje tilgang til hemmeleg lager. Sjekk at du skreiv inn korrekt gjenopprettingsnøkkel.",
"Incorrect recovery passphrase": "Feil gjenopprettingspassfrase",
"Backup could not be decrypted with this passphrase: please verify that you entered the correct recovery passphrase.": "Fekk ikkje til å dekryptere sikkerheitkopien med denne passfrasen: sjekk at du har skrive inn korrekt gjenopprettingspassfrase.",
"Enter recovery passphrase": "Skriv inn gjennopprettingspassfrase",
"Access your secure message history and set up secure messaging by entering your recovery passphrase.": "Få tilgang til sikker meldingshistorikk og sett opp sikker meldingsutveksling, ved å skrive inn gjennopprettingspassfrasen.",
"If you've forgotten your recovery passphrase you can <button1>use your recovery key</button1> or <button2>set up new recovery options</button2>": "Har du gløymt gjennopprettingspassfrasen kan du <button1>bruke gjennopprettingsnøkkel</button1> eller <button2>sette opp nye gjennopprettingsval</button2>",
"Help": "Hjelp",
"Explore": "Utforsk",
"%(creator)s created and configured the room.": "%(creator)s oppretta og konfiguerte dette rommet.",
"Riot failed to get the protocol list from the homeserver. The homeserver may be too old to support third party networks.": "Riot klarde ikkje å hente protokolllister frå heimetenaren. Det kan hende at tenaren er for gammal til å støtte tredjeparts-nettverk",
"%(brand)s failed to get the protocol list from the homeserver. The homeserver may be too old to support third party networks.": "%(brand)s klarde ikkje å hente protokolllister frå heimetenaren. Det kan hende at tenaren er for gammal til å støtte tredjeparts-nettverk",
"The homeserver may be unavailable or overloaded.": "Heimetenaren kan vere overlasta eller utilgjengeleg.",
"Preview": "Førehandsvis",
"View": "Vis",
"Find a room…": "Finn eit rom…",
"Find a room… (e.g. %(exampleRoom)s)": "Finn eit rom... (t.d. %(exampleRoom)s)",
"If you can't find the room you're looking for, ask for an invite or <a>Create a new room</a>.": "Om du ikkje kan finne rommet du ser etter, spør etter ein invitasjon eller <a>opprett eit nytt rom</a>.",
"Message not sent due to unknown sessions being present": "Meldinga vart ikkje sendt fordi ukjende økter er tilstades",
"<showSessionsText>Show sessions</showSessionsText>, <sendAnywayText>send anyway</sendAnywayText> or <cancelText>cancel</cancelText>.": "<showSessionsText>Vis økter</showSessionsText>, <sendAnywayText>send likevel</sendAnywayText> eller<cancelText>avbryt</cancelText>.",
"Jump to first unread room.": "Hopp til fyrste uleste rom.",
"Jump to first invite.": "Hopp til fyrste invitasjon.",
"If you cant access one, <button>use your recovery key or passphrase.</button>": "Har du ikkje tilgang til ein, <button>bruk gjennopprettingsnøkkel eller passfrase.</button>",
"Secure your encryption keys with a passphrase. For maximum security this should be different to your account password:": "Hald krypteringsnøkklane dine sikre med ein passfrase. For maksimal sikkerheit bør denne vere forskjellig frå kontopassordet ditt:",
"Enter a passphrase": "Skriv inn ein passfrase",
"Back up my encryption keys, securing them with the same passphrase": "Sikkerheitskopier mine krypteringsnøklar, sikre dei med same passfrase",
"Enter your passphrase a second time to confirm it.": "Stadfest passfrasen ved å skrive den inn ein gong til.",
"Unable to set up secret storage": "Oppsett av hemmeleg lager feila",
"This session has detected that your recovery passphrase and key for Secure Messages have been removed.": "Denne økta har oppdaga at gjenopprettingspassfrasen og nøkkelen for sikre meldingar vart fjerna.",
"Toggle microphone mute": "Slå av/på demping av mikrofon",

View file

@ -2,10 +2,8 @@
"Add Email Address": "Ajustar una adreça electronica",
"Add Phone Number": "Ajustar un numèro de telefòn",
"The platform you're on": "La plataforma ont sètz",
"The version of Riot": "La version de Riot",
"The version of %(brand)s": "La version de %(brand)s",
"Your language of choice": "La lenga que volètz",
"User Options": "Opcions utilizaire",
"Start a chat": "Començar una discussion",
"Unmute": "Restablir lo son",
"Mute": "Copar lo son",
"Admin Tools": "Aisinas dadministrator",

View file

@ -1,6 +1,4 @@
{
"Ignore request": "Zignoruj żądanie",
"Start verification": "Rozpocznij weryfikację",
"Skip": "Pomiń",
"This will allow you to reset your password and receive notifications.": "To pozwoli Ci zresetować Twoje hasło i otrzymać powiadomienia.",
"Your browser does not support the required cryptography extensions": "Twoja przeglądarka nie wspiera wymaganych rozszerzeń kryptograficznych",
@ -8,9 +6,7 @@
"Username not available": "Nazwa użytkownika niedostępna",
"Username available": "Nazwa użytkownika dostępna",
"Add User": "Dodaj użytkownika",
"Verify...": "Zweryfikuj...",
"Unknown Address": "Nieznany adres",
"To continue, please enter your password.": "Aby kontynuować, proszę wprowadzić swoje hasło.",
"Incorrect password": "Nieprawidłowe hasło",
"Unknown error": "Nieznany błąd",
"Options": "Opcje",
@ -42,7 +38,6 @@
"Who can read history?": "Kto może czytać historię?",
"Warning!": "Uwaga!",
"Users": "Użytkownicy",
"User ID": "ID użytkownika",
"Usage": "Użycie",
"Upload file": "Prześlij plik",
"Unban": "Odbanuj",
@ -51,7 +46,6 @@
"Add": "Dodaj",
"Microphone": "Mikrofon",
"Camera": "Kamera",
"Algorithm": "Algorytm",
"Are you sure?": "Czy jesteś pewien?",
"Attachment": "Załącznik",
"Banned users": "Zbanowani użytkownicy",
@ -87,12 +81,11 @@
"No Microphones detected": "Nie wykryto żadnego mikrofonu",
"No Webcams detected": "Nie wykryto żadnej kamerki internetowej",
"No media permissions": "Brak uprawnień do mediów",
"You may need to manually permit Riot to access your microphone/webcam": "Możliwe, że będziesz musiał ręcznie pozwolić Riotowi na dostęp do twojego mikrofonu/kamerki internetowej",
"You may need to manually permit %(brand)s to access your microphone/webcam": "Możliwe, że będziesz musiał ręcznie pozwolić %(brand)sowi na dostęp do twojego mikrofonu/kamerki internetowej",
"Default Device": "Urządzenie domyślne",
"Advanced": "Zaawansowane",
"Always show message timestamps": "Zawsze pokazuj znaczniki czasu wiadomości",
"Authentication": "Uwierzytelnienie",
"Alias (optional)": "Alias (opcjonalnie)",
"%(items)s and %(lastItem)s": "%(items)s i %(lastItem)s",
"A new password must be entered.": "Musisz wprowadzić nowe hasło.",
"%(senderName)s answered the call.": "%(senderName)s odebrał połączenie.",
@ -106,7 +99,6 @@
"%(senderName)s banned %(targetName)s.": "%(senderName)s zbanował(a) %(targetName)s.",
"Ban": "Zbanuj",
"Bans user with given id": "Blokuje użytkownika o podanym ID",
"Blacklisted": "Umieszczono na czarnej liście",
"Add a widget": "Dodaj widżet",
"Allow": "Pozwól",
"and %(count)s others...|other": "i %(count)s innych...",
@ -121,7 +113,6 @@
"%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s usunął(-ęła) nazwę pokoju.",
"%(senderDisplayName)s changed the topic to \"%(topic)s\".": "%(senderDisplayName)s zmienił(a) temat na \"%(topic)s\".",
"Changes your display nickname": "Zmienia Twój wyświetlany pseudonim",
"Claimed Ed25519 fingerprint key": "Zażądano odcisk klucza Ed25519",
"Click here to fix": "Kliknij tutaj, aby naprawić",
"Click to mute audio": "Kliknij, aby wyciszyć dźwięk",
"Click to mute video": "Kliknij, aby wyłączyć obraz",
@ -130,39 +121,28 @@
"Click to unmute audio": "Kliknij, aby włączyć dźwięk",
"Command error": "Błąd polecenia",
"Commands": "Polecenia",
"Could not connect to the integration server": "Nie można połączyć się z serwerem integracji",
"Curve25519 identity key": "Klucz tożsamości Curve25519",
"Custom": "Własny",
"Custom level": "Własny poziom",
"/ddg is not a command": "/ddg nie jest poleceniem",
"Deactivate Account": "Dezaktywuj konto",
"Decline": "Odrzuć",
"Decrypt %(text)s": "Odszyfruj %(text)s",
"Decryption error": "Błąd odszyfrowywania",
"Delete widget": "Usuń widżet",
"Default": "Domyślny",
"Define the power level of a user": "Określ poziom uprawnień użytkownika",
"Device ID": "Identyfikator urządzenia",
"device id: ": "identyfikator urządzenia: ",
"Direct chats": "Rozmowy bezpośrednie",
"Disable Notifications": "Wyłącz powiadomienia",
"Disinvite": "Anuluj zaproszenie",
"Displays action": "Wyświetla akcję",
"Download %(text)s": "Pobierz %(text)s",
"Drop File Here": "Upuść plik tutaj",
"Ed25519 fingerprint": "Odcisk Ed25519",
"Edit": "Edytuj",
"Email": "E-mail",
"Email address": "Adres e-mail",
"Emoji": "Emoji",
"Enable automatic language detection for syntax highlighting": "Włącz automatyczne rozpoznawanie języka dla podświetlania składni",
"Enable Notifications": "Włącz powiadomienia",
"%(senderName)s ended the call.": "%(senderName)s zakończył(a) połączenie.",
"End-to-end encryption information": "Informacje o szyfrowaniu end-to-end",
"Enter passphrase": "Wpisz frazę",
"Error decrypting attachment": "Błąd odszyfrowywania załącznika",
"Error: Problem communicating with the given homeserver.": "Błąd: wystąpił problem podczas komunikacji z podanym serwerem.",
"Event information": "Informacje zdarzenia",
"Existing Call": "Istniejące połączenie",
"Export": "Eksport",
"Export E2E room keys": "Eksportuj klucze E2E pokojów",
@ -179,7 +159,6 @@
"Failed to send email": "Nie udało się wysłać wiadomości e-mail",
"Failed to send request.": "Nie udało się wysłać żądania.",
"Failed to set display name": "Nie udało się ustawić wyświetlanej nazwy",
"Failed to toggle moderator status": "Nie udało się przełączyć na stan moderatora",
"Failed to unban": "Nie udało się odbanować",
"Failed to upload profile picture!": "Nie udało się wgrać zdjęcia profilowego!",
"Failed to verify email address: make sure you clicked the link in the email": "Nie udało się zweryfikować adresu e-mail: upewnij się że kliknąłeś w link w e-mailu",
@ -214,7 +193,6 @@
"Join as <voiceText>voice</voiceText> or <videoText>video</videoText>.": "Dołącz <voiceText>głosowo</voiceText> lub przez <videoText>wideo</videoText>.",
"Join Room": "Dołącz do pokoju",
"%(targetName)s joined the room.": "%(targetName)s dołączył(a) do pokoju.",
"Joins room with given alias": "Dołącz do pokoju o podanym aliasie",
"Jump to first unread message.": "Przeskocz do pierwszej nieprzeczytanej wiadomości.",
"%(senderName)s kicked %(targetName)s.": "%(senderName)s wyrzucił %(targetName)s.",
"Kick": "Wyrzuć",
@ -224,7 +202,6 @@
"Leave room": "Opuść pokój",
"%(targetName)s left the room.": "%(targetName)s opuścił(a) pokój.",
"Publish this room to the public in %(domain)s's room directory?": "Czy opublikować ten pokój dla ogółu w spisie pokojów domeny %(domain)s?",
"Local addresses for this room:": "Lokalne adresy dla tego pokoju:",
"Logout": "Wyloguj",
"Low priority": "Niski priorytet",
"%(senderName)s made future room history visible to all room members, from the point they are invited.": "%(senderName)s uczynił(a) przyszłą historię pokoju widoczną dla wszyscy członkowie pokoju, od momentu ich zaproszenia.",
@ -237,16 +214,13 @@
"Missing user_id in request": "Brakujące user_id w żądaniu",
"Moderator": "Moderator",
"Name": "Nazwa",
"New address (e.g. #foo:%(localDomain)s)": "Nowy adres (np. #foo:%(localDomain)s)",
"New passwords don't match": "Nowe hasła nie zgadzają się",
"New passwords must match each other.": "Nowe hasła muszą się zgadzać.",
"none": "żaden",
"not specified": "nieokreślony",
"(not supported by this browser)": "(niewspierany przez tę przeglądarkę)",
"<not supported>": "<niewspierany>",
"AM": "AM",
"PM": "PM",
"NOT verified": "NIEzweryfikowany",
"No display name": "Brak nazwy ekranowej",
"No more results": "Nie ma więcej wyników",
"No results": "Brak wyników",
@ -264,31 +238,27 @@
"Profile": "Profil",
"Public Chat": "Rozmowa publiczna",
"Reason": "Powód",
"Revoke Moderator": "Usuń prawa moderatorskie",
"Register": "Rejestracja",
"%(targetName)s rejected the invitation.": "%(targetName)s odrzucił zaproszenie.",
"Reject invitation": "Odrzuć zaproszenie",
"Remote addresses for this room:": "Adresy zdalne dla tego pokoju:",
"%(senderName)s removed their display name (%(oldDisplayName)s).": "%(senderName)s usunął(-ęła) swoją wyświetlaną nazwę (%(oldDisplayName)s).",
"%(senderName)s removed their profile picture.": "%(senderName)s usunął(-ęła) swoje zdjęcie profilowe.",
"%(senderName)s requested a VoIP conference.": "%(senderName)s zażądał(a) grupowego połączenia głosowego VoIP.",
"Results from DuckDuckGo": "Wyniki z DuckDuckGo",
"Return to login screen": "Wróć do ekranu logowania",
"Riot does not have permission to send you notifications - please check your browser settings": "Riot nie ma uprawnień, by wysyłać Ci powiadomienia - sprawdź ustawienia swojej przeglądarki",
"%(brand)s does not have permission to send you notifications - please check your browser settings": "%(brand)s nie ma uprawnień, by wysyłać Ci powiadomienia - sprawdź ustawienia swojej przeglądarki",
"Historical": "Historyczne",
"Riot was not given permission to send notifications - please try again": "Riot nie otrzymał uprawnień do wysyłania powiadomień - spróbuj ponownie",
"riot-web version:": "wersja riot-web:",
"%(brand)s was not given permission to send notifications - please try again": "%(brand)s nie otrzymał uprawnień do wysyłania powiadomień - spróbuj ponownie",
"%(brand)s version:": "wersja %(brand)s:",
"Room %(roomId)s not visible": "Pokój %(roomId)s nie jest widoczny",
"Room Colour": "Kolor pokoju",
"%(roomName)s does not exist.": "%(roomName)s nie istnieje.",
"%(roomName)s is not accessible at this time.": "%(roomName)s nie jest dostępny w tym momencie.",
"Rooms": "Pokoje",
"Save": "Zapisz",
"Scroll to bottom of page": "Przewiń do końca strony",
"Search failed": "Wyszukiwanie nie powiodło się",
"Searches DuckDuckGo for results": "Używa DuckDuckGo dla wyników",
"Seen by %(userName)s at %(dateTime)s": "Widziane przez %(userName)s o %(dateTime)s",
"Send anyway": "Wyślij mimo to",
"Send Reset Email": "Wyślij e-mail resetujący hasło",
"%(senderDisplayName)s sent an image.": "%(senderDisplayName)s wysłał obraz.",
"%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": "%(senderName)s wysłał(a) zaproszenie do %(targetDisplayName)s do dołączenia do pokoju.",
@ -305,7 +275,6 @@
"Sign out": "Wyloguj",
"%(count)s of your messages have not been sent.|other": "Niektóre z twoich wiadomości nie zostały wysłane.",
"Someone": "Ktoś",
"Start a chat": "Rozpocznij chat",
"Start authentication": "Rozpocznij uwierzytelnienie",
"Submit": "Wyślij",
"Success": "Sukces",
@ -331,11 +300,8 @@
"Unable to enable Notifications": "Nie można włączyć powiadomień",
"To use it, just wait for autocomplete results to load and tab through them.": "Żeby tego użyć, należy poczekać na załadowanie się autouzupełnienia i naciskać przycisk \"Tab\", by wybierać.",
"unknown caller": "nieznany dzwoniący",
"unknown device": "nieznane urządzenie",
"Unknown room %(roomId)s": "Nieznany pokój %(roomId)s",
"Unmute": "Wyłącz wyciszenie",
"Unnamed Room": "Pokój bez nazwy",
"Unrecognised room alias:": "Nierozpoznany alias pokoju:",
"Uploading %(filename)s and %(count)s others|zero": "Przesyłanie %(filename)s",
"Uploading %(filename)s and %(count)s others|one": "Przesyłanie %(filename)s oraz %(count)s innych",
"Uploading %(filename)s and %(count)s others|other": "Przesyłanie %(filename)s oraz %(count)s innych",
@ -345,8 +311,6 @@
"%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (moc uprawnień administratorskich %(powerLevelNumber)s)",
"Username invalid: %(errMessage)s": "Niepoprawna nazwa użytkownika: %(errMessage)s",
"Verification Pending": "Oczekuje weryfikacji",
"Verification": "Weryfikacja",
"verified": "zweryfikowany",
"Verified key": "Zweryfikowany klucz",
"Video call": "Rozmowa wideo",
"Voice call": "Rozmowa głosowa",
@ -381,14 +345,12 @@
"Offline": "Niedostępny(-a)",
"Add an Integration": "Dodaj integrację",
"Token incorrect": "Niepoprawny token",
"unencrypted": "niezaszyfrowany",
"You will not be able to undo this change as you are promoting the user to have the same power level as yourself.": "Nie będziesz mógł cofnąć tej zmiany, ponieważ nadajesz użytkownikowi uprawnienia administratorskie równe Twoim.",
"%(weekDayName)s, %(monthName)s %(day)s %(time)s": "%(weekDayName)s, %(day)s %(monthName)s %(time)s",
"%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s": "%(weekDayName)s, %(day)s %(monthName)s %(fullYear)s %(time)s",
"%(weekDayName)s %(time)s": "%(weekDayName)s %(time)s",
"Upload an avatar:": "Prześlij awatar:",
"An error occurred: %(error_string)s": "Wystąpił błąd: %(error_string)s",
"Make Moderator": "Nadaj uprawnienia moderatora",
"Sent messages will be stored until your connection has returned.": "Wysłane wiadomości będą przechowywane aż do momentu odzyskania połączenia.",
"(~%(count)s results)|one": "(~%(count)s wynik)",
"(~%(count)s results)|other": "(~%(count)s wyników)",
@ -411,13 +373,11 @@
"Failed to invite the following users to the %(roomName)s room:": "Wysłanie zaproszenia do następujących użytkowników do pokoju %(roomName)s nie powiodło się:",
"Confirm Removal": "Potwierdź usunięcie",
"Are you sure you wish to remove (delete) this event? Note that if you delete a room name or topic change, it could undo the change.": "Jesteś pewien że chcesz usunąć to wydarzenie? Pamiętaj, że jeśli usuniesz nazwę pokoju lub aktualizację tematu pokoju, zmiana może zostać cofnięta.",
"I verify that the keys match": "Upewnię się, że klucze się zgadzają",
"Unable to restore session": "Przywrócenie sesji jest niemożliwe",
"If you have previously used a more recent version of Riot, your session may be incompatible with this version. Close this window and return to the more recent version.": "Jeśli wcześniej używałeś/aś nowszej wersji Riot, Twoja sesja może być niekompatybilna z tą wersją. Zamknij to okno i powróć do nowszej wersji.",
"Riot collects anonymous analytics to allow us to improve the application.": "Riot zbiera anonimowe dane analityczne, aby umożliwić nam rozwijanie aplikacji.",
"If you have previously used a more recent version of %(brand)s, your session may be incompatible with this version. Close this window and return to the more recent version.": "Jeśli wcześniej używałeś/aś nowszej wersji %(brand)s, Twoja sesja może być niekompatybilna z tą wersją. Zamknij to okno i powróć do nowszej wersji.",
"%(brand)s collects anonymous analytics to allow us to improve the application.": "%(brand)s zbiera anonimowe dane analityczne, aby umożliwić nam rozwijanie aplikacji.",
"ex. @bob:example.com": "np. @jan:example.com",
"Tried to load a specific point in this room's timeline, but you do not have permission to view the message in question.": "Nastąpiła próba załadowania danego punktu w historii tego pokoju, lecz nie masz uprawnień, by zobaczyć określoną wiadomość.",
"Use compact timeline layout": "Użyj kompaktowego stylu linii czasu",
"You have <a>enabled</a> URL previews by default.": "Masz domyślnie <a>włączone</a> podglądy linków.",
"Please check your email to continue registration.": "Sprawdź swój e-mail, aby kontynuować rejestrację.",
"Please enter the code it contains:": "Wpisz kod, który jest tam zawarty:",
@ -425,7 +385,6 @@
"Error decrypting audio": "Błąd deszyfrowania audio",
"Error decrypting image": "Błąd deszyfrowania obrazu",
"Error decrypting video": "Błąd deszyfrowania wideo",
"Removed or unknown message type": "Usunięto lub nieznany typ wiadomości",
"Tried to load a specific point in this room's timeline, but was unable to find it.": "Próbowano załadować konkretny punkt na osi czasu w tym pokoju, ale nie nie można go znaleźć.",
"The exported file will allow anyone who can read it to decrypt any encrypted messages that you can see, so you should be careful to keep it secure. To help with this, you should enter a passphrase below, which will be used to encrypt the exported data. It will only be possible to import the data by using the same passphrase.": "Wyeksportowany plik pozwoli każdej osobie będącej w stanie go odczytać na deszyfrację jakichkolwiek zaszyfrowanych wiadomości, które możesz zobaczyć, tak więc zalecane jest zachowanie ostrożności. Aby w tym pomóc, powinieneś/aś wpisać hasło poniżej; hasło to będzie użyte do zaszyfrowania wyeksportowanych danych. Późniejsze zaimportowanie tych danych będzie możliwe tylko po uprzednim podaniu owego hasła.",
" (unsupported)": " (niewspierany)",
@ -436,18 +395,13 @@
"%(senderDisplayName)s changed the avatar for %(roomName)s": "%(senderDisplayName)s zmienił(a) awatar %(roomName)s",
"This will be your account name on the <span></span> homeserver, or you can pick a <a>different server</a>.": "To będzie twoja nazwa konta na <span></span> serwerze domowym; możesz też wybrać <a>inny serwer</a>.",
"If you already have a Matrix account you can <a>log in</a> instead.": "Jeśli już posiadasz konto Matrix możesz się <a>zalogować</a>.",
"Not a valid Riot keyfile": "Niepoprawny plik klucza Riot",
"Not a valid %(brand)s keyfile": "Niepoprawny plik klucza %(brand)s",
"Authentication check failed: incorrect password?": "Próba autentykacji nieudana: nieprawidłowe hasło?",
"Do you want to set an email address?": "Czy chcesz ustawić adres e-mail?",
"Share without verifying": "Udostępnij bez weryfikacji",
"Encryption key request": "Żądanie klucza szyfrującego",
"Example": "Przykład",
"Drop file here to upload": "Upuść plik tutaj, aby go przesłać",
"Automatically replace plain text Emoji": "Automatycznie zastępuj tekstowe emotikony",
"Failed to upload image": "Przesyłanie obrazka nie powiodło się",
"Unblacklist": "Usuń z czarnej listy",
"Blacklist": "Dodaj do czarnej listy",
"Unverify": "Usuń weryfikację",
"You are about to be taken to a third-party site so you can authenticate your account for use with %(integrationsUrl)s. Do you wish to continue?": "Za chwilę zostaniesz przekierowany/a na zewnętrzną stronę w celu powiązania Twojego konta z %(integrationsUrl)s. Czy chcesz kontynuować?",
"URL Previews": "Podglądy linków",
"Ongoing conference call%(supportedText)s.": "Połączenie grupowe %(supportedText)s w toku.",
@ -460,18 +414,13 @@
"Add rooms to this community": "Dodaj pokoje do tej społeczności",
"Invite to Community": "Zaproś do Społeczności",
"Which rooms would you like to add to this community?": "Które pokoje chcesz dodać do tej społeczności?",
"Room name or alias": "Nazwa pokoju lub alias",
"Add to community": "Dodaj do społeczności",
"Call": "Zadzwoń",
"Submit debug logs": "Wyślij dzienniki błędów",
"The version of Riot.im": "Wersja Riot.im",
"The version of %(brand)s": "Wersja %(brand)sa",
"Your language of choice": "Twój wybrany język",
"Your homeserver's URL": "Adres URL Twojego serwera domowego",
"Your identity server's URL": "Adres URL Twojego Serwera Tożsamości",
"The information being sent to us to help make Riot.im better includes:": "Informacje przesyłane do nas, by poprawić Riot.im zawierają:",
"The information being sent to us to help make %(brand)s better includes:": "Informacje przesyłane do nas w celu poprawy jakości %(brand)sa zawierają:",
"The platform you're on": "Platforma na której jesteś",
"Answer": "Odbierz",
"Review Devices": "Przegląd urządzeń",
"%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s, %(day)s %(monthName)s %(fullYear)s",
"Warning: any person you add to a community will be publicly visible to anyone who knows the community ID": "Uwaga: każda osoba dodana do Społeczności będzie publicznie widoczna dla każdego, go zna identyfikator społeczności",
"Invite new community members": "Zaproś nowych członków Społeczności",
@ -504,11 +453,8 @@
"Ignore": "Ignoruj",
"Mention": "Wspomnij",
"Invite": "Zaproś",
"User Options": "Opcje Użytkownika",
"Send an encrypted reply…": "Wyślij zaszyfrowaną odpowiedź…",
"Send a reply (unencrypted)…": "Wyślij odpowiedź (nieszyfrowaną)…",
"Send an encrypted message…": "Wyślij zaszyfrowaną wiadomość…",
"Send a message (unencrypted)…": "Wyślij wiadomość (niezaszyfrowaną)…",
"Jump to message": "Skocz do wiadomości",
"No pinned messages.": "Brak przypiętych wiadomości.",
"Loading...": "Ładowanie...",
@ -523,7 +469,6 @@
"Unnamed room": "Pokój bez nazwy",
"Guests can join": "Goście mogą dołączyć",
"Fetching third party location failed": "Pobranie lokalizacji zewnętrznej nie powiodło się",
"A new version of Riot is available.": "Dostępna jest nowa wersja Riot.",
"Send Account Data": "Wyślij dane konta",
"All notifications are currently disabled for all targets.": "Wszystkie powiadomienia są obecnie wyłączone dla wszystkich celów.",
"Uploading report": "Raport wysyłania",
@ -543,8 +488,6 @@
"Send Custom Event": "Wyślij niestandardowe wydarzenie",
"Advanced notification settings": "Zaawansowane ustawienia powiadomień",
"Failed to send logs: ": "Niepowodzenie wysyłki zapisu rozmów ",
"delete the alias.": "usunąć alias.",
"To return to your account in future you need to <u>set a password</u>": "Aby wrócić do swojego konta w przyszłości musisz <u> ustawić hasło </u>",
"Forget": "Zapomnij",
"World readable": "Całkowicie publiczne",
"You cannot delete this image. (%(code)s)": "Nie możesz usunąć tego obrazka. (%(code)s)",
@ -571,7 +514,6 @@
"Noisy": "Głośny",
"Files": "Pliki",
"Collecting app version information": "Zbieranie informacji o wersji aplikacji",
"Delete the room alias %(alias)s and remove %(name)s from the directory?": "Usuń alias %(alias)s i usuń %(name)s z katalogu?",
"Keywords": "Słowa kluczowe",
"Enable notifications for this account": "Włącz powiadomienia na tym koncie",
"Invite to this community": "Zaproś do tej społeczności",
@ -582,7 +524,7 @@
"Forward Message": "Przekaż wiadomość",
"You have successfully set a password and an email address!": "Z powodzeniem ustawiono hasło i adres e-mail dla Twojego konta!",
"Remove %(name)s from the directory?": "Usunąć %(name)s z katalogu?",
"Riot uses many advanced browser features, some of which are not available or experimental in your current browser.": "Riot używa wiele zaawansowanych technologii, które nie są dostępne lub są w fazie testów w Twojej przeglądarce.",
"%(brand)s uses many advanced browser features, some of which are not available or experimental in your current browser.": "%(brand)s używa wiele zaawansowanych technologii, które nie są dostępne lub są w fazie testów w Twojej przeglądarce.",
"Developer Tools": "Narzędzia programistyczne",
"Preparing to send logs": "Przygotowywanie do wysłania zapisu rozmów",
"Remember, you can always set an email address in user settings if you change your mind.": "Pamiętaj, że zawsze możesz zmienić swój e-mail lub hasło w panelu ustawień użytkownika.",
@ -629,8 +571,7 @@
"Debug logs contain application usage data including your username, the IDs or aliases of the rooms or groups you have visited and the usernames of other users. They do not contain messages.": "Dziennik błędów zawiera dane użytkowania aplikacji, w tym: twoją nazwę użytkownika, numery ID, aliasy pokojów i grup które odwiedzałeś i loginy innych użytkowników. Nie zawiera wiadomości.",
"Unhide Preview": "Odkryj podgląd",
"Unable to join network": "Nie można dołączyć do sieci",
"You might have configured them in a client other than Riot. You cannot tune them in Riot but they still apply": "Możliwe, że skofigurowałeś je w innym kliencie, niż Riot. Nie możesz ich zmieniać w Riot, ale nadal mają zastosowanie",
"Sorry, your browser is <b>not</b> able to run Riot.": "Przepraszamy, Twoja przeglądarka <b>nie jest w stanie</b> uruchomić Riot.",
"Sorry, your browser is <b>not</b> able to run %(brand)s.": "Przepraszamy, Twoja przeglądarka <b>nie jest w stanie</b> uruchomić %(brand)s.",
"Uploaded on %(date)s by %(user)s": "Wysłano %(date)s przez %(user)s",
"Messages in group chats": "Wiadomości w czatach grupowych",
"Yesterday": "Wczoraj",
@ -639,7 +580,7 @@
"Unable to fetch notification target list": "Nie można pobrać listy docelowej dla powiadomień",
"Set Password": "Ustaw hasło",
"Off": "Wyłącz",
"Riot does not know how to join a room on this network": "Riot nie wie, jak dołączyć do pokoju w tej sieci",
"%(brand)s does not know how to join a room on this network": "%(brand)s nie wie, jak dołączyć do pokoju w tej sieci",
"Mentions only": "Tylko, gdy wymienieni",
"Failed to remove tag %(tagName)s from room": "Nie udało się usunąć tagu %(tagName)s z pokoju",
"You can now return to your account after signing out, and sign in on other devices.": "Teraz możesz powrócić do swojego konta na innych urządzeniach po wylogowaniu i ponownym zalogowaniu się.",
@ -655,7 +596,6 @@
"Thank you!": "Dziękujemy!",
"With your current browser, the look and feel of the application may be completely incorrect, and some or all features may not function. If you want to try it anyway you can continue, but you are on your own in terms of any issues you may encounter!": "Z Twoją obecną przeglądarką, wygląd oraz wrażenia z używania aplikacji mogą być niepoprawne, a niektóre funkcje wcale nie działać. Kontynuuj jeśli chcesz spróbować, jednak trudno będzie pomóc w przypadku błędów, które mogą nastąpić!",
"Checking for an update...": "Sprawdzanie aktualizacji...",
"There are advanced notifications which are not shown here": "Masz zaawansowane powiadomienia, nie pokazane tutaj",
"e.g. %(exampleValue)s": "np. %(exampleValue)s",
"Always show encryption icons": "Zawsze wyświetlaj ikony szyfrowania",
"Send analytics data": "Wysyłaj dane analityczne",
@ -668,14 +608,9 @@
"Members only (since they joined)": "Tylko członkowie (od kiedy dołączyli)",
"Copied!": "Skopiowano!",
"Failed to copy": "Kopiowanie nieudane",
"Message removed by %(userId)s": "Wiadomość usunięta przez %(userId)s",
"Message removed": "Wiadomość usunięta",
"An email has been sent to %(emailAddress)s": "E-mail został wysłany do %(emailAddress)s",
"A text message has been sent to %(msisdn)s": "Wysłano wiadomość tekstową do %(msisdn)s",
"Code": "Kod",
"Please help improve Riot.im by sending <UsageDataLink>anonymous usage data</UsageDataLink>. This will use a cookie (please see our <PolicyLink>Cookie Policy</PolicyLink>).": "Pomóż nam ulepszyć Riot.im wysyłając <UsageDataLink>anonimowe dane analityczne</UsageDataLink>. Spowoduje to użycie pliku cookie (zobacz naszą <PolicyLink>Politykę plików cookie</PolicyLink>).",
"Please help improve Riot.im by sending <UsageDataLink>anonymous usage data</UsageDataLink>. This will use a cookie.": "Pomóż nam ulepszyć Riot.im wysyłając <UsageDataLink>anonimowe dane analityczne</UsageDataLink>. Spowoduje to użycie pliku cookie.",
"Yes, I want to help!": "Tak, chcę pomóc!",
"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?",
"Communities": "Społeczności",
@ -691,7 +626,6 @@
"Which officially provided instance you are using, if any": "Jakiej oficjalnej instancji używasz, jeżeli w ogóle",
"Every page you use in the app": "Każda strona, której używasz w aplikacji",
"e.g. <CurrentPageURL>": "np. <CurrentPageURL>",
"Your User Agent": "Identyfikator Twojej przeglądarki (User Agent)",
"Your device resolution": "Twoja rozdzielczość ekranu",
"Where this page includes identifiable information, such as a room, user or group ID, that data is removed before being sent to the server.": "Dane identyfikujące, takie jak: pokój, identyfikator użytkownika lub grupy, są usuwane przed wysłaniem na serwer.",
"Who would you like to add to this community?": "Kogo chcesz dodać do tej społeczności?",
@ -800,9 +734,9 @@
"To continue using the %(homeserverDomain)s homeserver you must review and agree to our terms and conditions.": "Aby kontynuować używanie serwera domowego %(homeserverDomain)s musisz przejrzeć i zaakceptować nasze warunki użytkowania.",
"Review terms and conditions": "Przejrzyj warunki użytkowania",
"Old cryptography data detected": "Wykryto stare dane kryptograficzne",
"Data from an older version of Riot has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "Dane ze starszej wersji Riot zostały wykryte. Spowoduje to błędne działanie kryptografii typu end-to-end w starszej wersji. Wiadomości szyfrowane end-to-end wymieniane ostatnio podczas korzystania ze starszej wersji mogą być niemożliwe do odszyfrowywane w tej wersji. Może to również spowodować niepowodzenie wiadomości wymienianych z tą wersją. Jeśli wystąpią problemy, wyloguj się i zaloguj ponownie. Aby zachować historię wiadomości, wyeksportuj i ponownie zaimportuj klucze.",
"Data from an older version of %(brand)s has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "Dane ze starszej wersji %(brand)s zostały wykryte. Spowoduje to błędne działanie kryptografii typu end-to-end w starszej wersji. Wiadomości szyfrowane end-to-end wymieniane ostatnio podczas korzystania ze starszej wersji mogą być niemożliwe do odszyfrowywane w tej wersji. Może to również spowodować niepowodzenie wiadomości wymienianych z tą wersją. Jeśli wystąpią problemy, wyloguj się i zaloguj ponownie. Aby zachować historię wiadomości, wyeksportuj i ponownie zaimportuj klucze.",
"Your Communities": "Twoje Społeczności",
"Did you know: you can use communities to filter your Riot.im experience!": "Czy wiesz, że: możesz używać Społeczności do filtrowania swoich doświadczeń z Riot.im!",
"Did you know: you can use communities to filter your %(brand)s experience!": "Czy wiesz, że: możesz używać Społeczności do filtrowania swoich doświadczeń z %(brand)s!",
"To set up a filter, drag a community avatar over to the filter panel on the far left hand side of the screen. You can click on an avatar in the filter panel at any time to see only the rooms and people associated with that community.": "Aby ustawić filtr, przeciągnij awatar Społeczności do panelu filtra po lewej stronie ekranu. Możesz kliknąć awatar w panelu filtra w dowolnym momencie, aby zobaczyć tylko pokoje i osoby powiązane z tą społecznością.",
"Error whilst fetching joined communities": "Błąd podczas pobierania dołączonych społeczności",
"Create a new community": "Utwórz nową Społeczność",
@ -810,8 +744,6 @@
"%(count)s of your messages have not been sent.|one": "Twoja wiadomość nie została wysłana.",
"There's no one else here! Would you like to <inviteText>invite others</inviteText> or <nowarnText>stop warning about the empty room</nowarnText>?": "Nikogo tu nie ma! Czy chcesz <inviteText>zaprosić inne osoby</inviteText> lub <nowarnText>przestać ostrzegać o pustym pokoju</nowarnText>?",
"Clear filter": "Wyczyść filtr",
"Light theme": "Jasny motyw",
"Dark theme": "Ciemny motyw",
"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 or groups you have visited and the usernames of other users. They do not contain messages.": "Jeśli zgłosiłeś błąd za pośrednictwem GitHuba, dzienniki błędów mogą nam pomóc wyśledzić problem. Dzienniki błędów zawierają dane o użytkowaniu aplikacji, w tym nazwę użytkownika, identyfikatory lub aliasy odwiedzonych pomieszczeń lub grup oraz nazwy użytkowników innych użytkowników. Nie zawierają wiadomości.",
"Privacy is important to us, so we don't collect any personal or identifiable data for our analytics.": "Prywatność jest dla nas ważna, dlatego nie gromadzimy żadnych danych osobowych ani danych identyfikujących w naszych analizach.",
"Learn more about how we use analytics.": "Dowiedz się więcej co analizujemy.",
@ -822,8 +754,6 @@
"This homeserver doesn't offer any login flows which are supported by this client.": "Ten serwer domowy nie oferuje żadnych trybów logowania wspieranych przez Twojego klienta.",
"Notify the whole room": "Powiadom cały pokój",
"Room Notification": "Powiadomienia pokoju",
"Call Anyway": "Zadzwoń mimo to",
"Answer Anyway": "Odpowiedz mimo to",
"Demote yourself?": "Zdegradować siebie?",
"Demote": "Zdegraduj",
"Hide Stickers": "Ukryj Naklejki",
@ -844,18 +774,11 @@
"Whether or not you're using the Richtext mode of the Rich Text Editor": "Niezależnie od tego, czy używasz trybu Richtext edytora tekstu w formacie RTF",
"Call in Progress": "Łączenie w toku",
"Permission Required": "Wymagane Uprawnienia",
"Registration Required": "Wymagana Rejestracja",
"You need to register to do this. Would you like to register now?": "Musisz się zarejestrować, aby to zrobić. Czy chcesz się teraz zarejestrować?",
"A call is currently being placed!": "W tej chwili trwa rozmowa!",
"A call is already in progress!": "Połączenie już trwa!",
"You do not have permission to start a conference call in this room": "Nie posiadasz uprawnień do rozpoczęcia rozmowy grupowej w tym pokoju",
"Unignored user": "Nieignorowany użytkownik",
"Forces the current outbound group session in an encrypted room to be discarded": "Wymusza odrzucenie bieżącej sesji grupy wychodzącej w zaszyfrowanym pokoju",
"%(senderName)s added %(count)s %(addedAddresses)s as addresses for this room.|other": "%(senderName)s dodał(a) %(addedAddresses)s jako adres tego pokoju.",
"%(senderName)s added %(count)s %(addedAddresses)s as addresses for this room.|one": "%(senderName)s dodał(a) %(addedAddresses)s jako adres tego pokoju.",
"%(senderName)s removed %(count)s %(removedAddresses)s as addresses for this room.|other": "%(senderName)s usunął(-ęła) %(removedAddresses)s jako adres tego pokoju.",
"%(senderName)s removed %(count)s %(removedAddresses)s as addresses for this room.|one": "%(senderName)s usunął(-ęła) %(removedAddresses)s jako adres tego pokoju.",
"%(senderName)s added %(addedAddresses)s and removed %(removedAddresses)s as addresses for this room.": "%(senderName)s dodał %(addedAddresses)s i %(removedAddresses)s usunął adresy z tego pokoju.",
"%(senderName)s set the main address for this room to %(address)s.": "%(senderName)s ustawił(a) główny adres dla tego pokoju na %(address)s.",
"%(senderName)s removed the main address for this room.": "%(senderName)s usunął(-ęła) główny adres tego pokoju.",
"This homeserver has hit its Monthly Active User limit.": "Ten serwer osiągnął miesięczny limit aktywnego użytkownika.",
@ -875,21 +798,19 @@
"Stickerpack": "Pakiet naklejek",
"This room is a continuation of another conversation.": "Ten pokój jest kontynuacją innej rozmowy.",
"Click here to see older messages.": "Kliknij tutaj, aby zobaczyć starsze wiadomości.",
"This homeserver has hit its Monthly Active User limit so <b>some users will not be able to log in</b>.": "Ten serwer osiągnął miesięczny limit aktywnych użytkowników, więc <b>niektórzy użytkownicy nie będą mogli się zalogować</b>.",
"This homeserver has exceeded one of its resource limits so <b>some users will not be able to log in</b>.": "Ten serwer przekroczył jeden z limitów, więc <b>niektórzy użytkownicy nie będą mogli się zalogować</b>.",
"%(severalUsers)sjoined %(count)s times|other": "%(severalUsers)s dołączyli(-ły) %(count)s razy",
"%(oneUser)sjoined %(count)s times|other": "%(oneUser)s dołączył(a) %(count)s razy",
"%(oneUser)sjoined %(count)s times|one": "%(oneUser)s dołączył(a)",
"%(severalUsers)sleft %(count)s times|one": "%(severalUsers)s wyszli(-ły)",
"were invited %(count)s times|one": "zostali(-ły) zaproszeni(-one)",
"Show developer tools": "Pokaż narzędzia deweloperskie",
"Updating Riot": "Aktualizowanie Riot",
"Updating %(brand)s": "Aktualizowanie %(brand)s",
"Please <a>contact your service administrator</a> to continue using this service.": "Proszę, <a>skontaktuj się z administratorem</a> aby korzystać dalej z funkcji.",
"Only room administrators will see this warning": "Tylko administratorzy pokojów widzą to ostrzeżenie",
"Open Devtools": "Otwórz narzędzia deweloperskie",
"Clear cache and resync": "Wyczyść pamięć podręczną i zsynchronizuj ponownie",
"Riot now uses 3-5x less memory, by only loading information about other users when needed. Please wait whilst we resynchronise with the server!": "Riot używa teraz 3-5x mniej pamięci, ładując informacje o innych użytkownikach tylko wtedy, gdy jest to konieczne. Poczekaj, aż ponownie zsynchronizujemy się z serwerem!",
"If the other version of Riot is still open in another tab, please close it as using Riot on the same host with both lazy loading enabled and disabled simultaneously will cause issues.": "Jeśli inna wersja Riot jest nadal otwarta w innej zakładce, proszę zamknij ją, ponieważ używanie Riot na tym samym komputerze z włączonym i wyłączonym jednocześnie leniwym ładowaniem będzie powodować problemy.",
"%(brand)s now uses 3-5x less memory, by only loading information about other users when needed. Please wait whilst we resynchronise with the server!": "%(brand)s używa teraz 3-5x mniej pamięci, ładując informacje o innych użytkownikach tylko wtedy, gdy jest to konieczne. Poczekaj, aż ponownie zsynchronizujemy się z serwerem!",
"If the other version of %(brand)s is still open in another tab, please close it as using %(brand)s on the same host with both lazy loading enabled and disabled simultaneously will cause issues.": "Jeśli inna wersja %(brand)s jest nadal otwarta w innej zakładce, proszę zamknij ją, ponieważ używanie %(brand)s na tym samym komputerze z włączonym i wyłączonym jednocześnie leniwym ładowaniem będzie powodować problemy.",
"And %(count)s more...|other": "I %(count)s więcej…",
"Delete Backup": "Usuń Kopię Zapasową",
"Unable to load! Check your network connectivity and try again.": "Nie można załadować! Sprawdź połączenie sieciowe i spróbuj ponownie.",
@ -956,19 +877,13 @@
"Capitalization doesn't help very much": "Kapitalizacja nie pomaga bardzo",
"This is a top-10 common password": "To jest 10 najpopularniejszych haseł",
"This is a top-100 common password": "To jest 100 najpopularniejszych haseł",
"Enter Recovery Key": "Wprowadź Klucz Odzyskiwania",
"This looks like a valid recovery key!": "To wygląda na prawidłowy klucz odzyskiwania!",
"Not a valid recovery key": "Nieprawidłowy klucz odzyskiwania",
"If you don't want to set this up now, you can later in Settings.": "Jeśli nie chcesz tego teraz ustawiać, możesz to zrobić później w Ustawieniach.",
"Retry": "Ponów",
"Create Key Backup": "Stwórz kopię zapasową klucza",
"Unable to create key backup": "Nie można utworzyć kopii zapasowej klucza",
"Download": "Pobierz",
"Copy to clipboard": "Skopiuj do schowka",
"Your Recovery Key": "Twój Klucz Odzyskiwania",
"Enter a passphrase...": "Wprowadź hasło…",
"Next": "Następny",
"Backup Restored": "Przywrócono Kopię Zapasową",
"No backup found!": "Nie znaleziono kopii zapasowej!",
"Checking...": "Sprawdzanie…",
"Create a new room with the same name, description and avatar": "Utwórz nowy pokój o tej samej nazwie, opisie i awatarze",
@ -1090,9 +1005,6 @@
"Room Name": "Nazwa pokoju",
"Room Topic": "Temat pokoju",
"Power level": "Poziom uprawnień",
"Verify by comparing a short text string.": "Weryfikuj, porównując krótki ciąg tekstu.",
"Begin Verifying": "Rozpocznij weryfikację",
"Waiting for partner to accept...": "Czekanie, aż partner zaakceptuje…",
"Room Settings - %(roomName)s": "Ustawienia pokoju - %(roomName)s",
"Doesn't look like a valid phone number": "To nie wygląda na poprawny numer telefonu",
"Globe": "Ziemia",
@ -1127,7 +1039,6 @@
"At this time it is not possible to reply with a file. Would you like to upload this file without replying?": "W tej chwili odpowiadanie plikiem nie jest możliwe. Czy chcesz przesłać ten plik bez odpowiadania?",
"Help & About": "Pomoc i o aplikacji",
"<b>Save it</b> on a USB key or backup drive": "<b>Zapisz</b> w pamięci USB lub na dysku kopii zapasowej",
"Show recently visited rooms above the room list": "Pokaż ostatnio odwiedzone pokoje nad listą pokoi",
"General": "Ogólne",
"Sounds": "Dźwięki",
"Notification sound": "Dźwięk powiadomień",
@ -1140,10 +1051,9 @@
"Whether or not you're using the 'breadcrumbs' feature (avatars above the room list)": "Niezależnie od tego, czy korzystasz z funkcji \"okruchy\" (awatary nad listą pokoi)",
"Call failed due to misconfigured server": "Połączenie nie udało się przez błędną konfigurację serwera",
"Try using turn.matrix.org": "Spróbuj użyć serwera turn.matrix.org",
"A conference call could not be started because the integrations server is not available": "Połączenie konferencyjne nie może zostać rozpoczęte ponieważ serwer integracji jest niedostępny",
"The file '%(fileName)s' failed to upload.": "Nie udało się przesłać pliku '%(fileName)s'.",
"The file '%(fileName)s' exceeds this homeserver's size limit for uploads": "Plik '%(fileName)s' przekracza limit rozmiaru dla tego serwera głównego",
"Ask your Riot admin to check <a>your config</a> for incorrect or duplicate entries.": "Poproś swojego administratora Riot by sprawdzić <a>Twoją konfigurację</a> względem niewłaściwych lub zduplikowanych elementów.",
"Ask your %(brand)s admin to check <a>your config</a> for incorrect or duplicate entries.": "Poproś swojego administratora %(brand)s by sprawdzić <a>Twoją konfigurację</a> względem niewłaściwych lub zduplikowanych elementów.",
"Cannot reach identity server": "Nie można połączyć się z serwerem tożsamości",
"You can register, but some features will be unavailable until the identity server is back online. If you keep seeing this warning, check your configuration or contact a server admin.": "Możesz się zarejestrować, lecz niektóre funkcje nie będą dostępne dopóki Serwer Tożsamości nie będzie znów online. Jeśli ciągle widzisz to ostrzeżenie, sprawdź swoją konfigurację lub skontaktuj się z administratorem serwera.",
"You can reset your password, but some features will be unavailable until the identity server is back online. If you keep seeing this warning, check your configuration or contact a server admin.": "Możesz zresetować hasło, lecz niektóre funkcje nie będą dostępne dopóki Serwer Tożsamości nie będzie znów online. Jeśli ciągle widzisz to ostrzeżenie, sprawdź swoją konfigurację lub skontaktuj się z administratorem serwera.",
@ -1179,7 +1089,7 @@
"%(names)s and %(count)s others are typing …|one": "%(names)s i jedna osoba pisze…",
"Cannot reach homeserver": "Błąd połączenia z serwerem domowym",
"Ensure you have a stable internet connection, or get in touch with the server admin": "Upewnij się, że posiadasz stabilne połączenie internetowe lub skontaktuj się z administratorem serwera",
"Your Riot is misconfigured": "Twój Riot jest źle skonfigurowany",
"Your %(brand)s is misconfigured": "Twój %(brand)s jest źle skonfigurowany",
"Unexpected error resolving homeserver configuration": "Nieoczekiwany błąd przy ustalaniu konfiguracji serwera domowego",
"Unexpected error resolving identity server configuration": "Nieoczekiwany błąd przy ustalaniu konfiguracji serwera tożsamości",
"User %(userId)s is already in the room": "Użytkownik %(userId)s jest już w pokoju",
@ -1200,7 +1110,6 @@
"Enable Community Filter Panel": "Aktywuj Panel Filtrów Społeczności",
"Allow Peer-to-Peer for 1:1 calls": "Pozwól na połączenia 1:1 w technologii Peer-to-Peer",
"Prompt before sending invites to potentially invalid matrix IDs": "Powiadamiaj przed wysłaniem zaproszenia do potencjalnie nieprawidłowych ID matrix",
"Order rooms in the room list by most important first instead of most recent": "Kolejkuj pokoje na liście pokojów od najważniejszych niż od najnowszych",
"Show hidden events in timeline": "Pokaż ukryte wydarzenia na linii czasowej",
"Low bandwidth mode": "Tryb wolnej przepustowości",
"Allow fallback call assist server turn.matrix.org when your homeserver does not offer one (your IP address would be shared during a call)": "Pozwól na awaryjny serwer wspomagania połączeń turn.matrix.org, gdy Twój serwer domowy takiego nie oferuje (Twój adres IP będzie udostępniony podczas połączenia)",
@ -1254,9 +1163,9 @@
"Deactivate account": "Dezaktywuj konto",
"Legal": "Warunki prawne",
"Credits": "Podziękowania",
"For help with using Riot, click <a>here</a>.": "Aby uzyskać pomoc w używaniu Riot, naciśnij <a>tutaj</a>.",
"For help with using Riot, click <a>here</a> or start a chat with our bot using the button below.": "Aby uzyskać pomoc w używaniu Riot, naciśnij <a>tutaj</a> lub uruchom rozmowę z naszym botem, za pomocą odnośnika poniżej.",
"Chat with Riot Bot": "Rozmowa z Botem Riota",
"For help with using %(brand)s, click <a>here</a>.": "Aby uzyskać pomoc w używaniu %(brand)s, naciśnij <a>tutaj</a>.",
"For help with using %(brand)s, click <a>here</a> or start a chat with our bot using the button below.": "Aby uzyskać pomoc w używaniu %(brand)s, naciśnij <a>tutaj</a> lub uruchom rozmowę z naszym botem, za pomocą odnośnika poniżej.",
"Chat with %(brand)s Bot": "Rozmowa z Botem %(brand)sa",
"FAQ": "Najczęściej zadawane pytania",
"Always show the window menu bar": "Zawsze pokazuj pasek menu okna",
"Add Email Address": "Dodaj adres e-mail",
@ -1290,7 +1199,6 @@
"Do not use an identity server": "Nie używaj serwera tożsamości",
"Clear cache and reload": "Wyczyść pamięć podręczną i przeładuj",
"Something went wrong. Please try again or view your console for hints.": "Coś poszło nie tak. Spróbuj ponownie lub sprawdź konsolę przeglądarki dla wskazówek.",
"Please verify the room ID or alias and try again.": "Zweryfikuj poprawność ID pokoju lub nazwy zastępczej i spróbuj ponownie.",
"Please try again or view your console for hints.": "Spróbuj ponownie lub sprawdź konsolę przeglądarki dla wskazówek.",
"Personal ban list": "Osobista lista zablokowanych",
"Server or user ID to ignore": "ID serwera lub użytkownika do zignorowania",
@ -1321,9 +1229,9 @@
"Try to join anyway": "Spróbuj dołączyć mimo tego",
"You can still join it because this is a public room.": "Możesz mimo to dołączyć, gdyż pokój jest publiczny.",
"This invite to %(roomName)s was sent to %(email)s which is not associated with your account": "To zaproszenie do %(roomName)s zostało wysłane na adres %(email)s, który nie jest przypisany do Twojego konta",
"Link this email with your account in Settings to receive invites directly in Riot.": "Połącz ten adres e-mail z Twoim kontem w Ustawieniach, aby otrzymywać zaproszenia bezpośrednio w Riot.",
"Link this email with your account in Settings to receive invites directly in %(brand)s.": "Połącz ten adres e-mail z Twoim kontem w Ustawieniach, aby otrzymywać zaproszenia bezpośrednio w %(brand)s.",
"This invite to %(roomName)s was sent to %(email)s": "To zaproszenie do %(roomName)s zostało wysłane do %(email)s",
"Use an identity server in Settings to receive invites directly in Riot.": "Użyj serwera tożsamości w Ustawieniach, aby otrzymywać zaproszenia bezpośrednio w Riot.",
"Use an identity server in Settings to receive invites directly in %(brand)s.": "Użyj serwera tożsamości w Ustawieniach, aby otrzymywać zaproszenia bezpośrednio w %(brand)s.",
"Do you want to chat with %(user)s?": "Czy chcesz rozmawiać z %(user)s?",
"Do you want to join %(roomName)s?": "Czy chcesz dołączyć do %(roomName)s?",
"<userName/> invited you": "<userName/> zaprosił(a) CIę",
@ -1346,12 +1254,8 @@
"%(oneUser)smade no changes %(count)s times|other": "%(oneUser)snie wykonał(a) zmian %(count)s razy",
"%(oneUser)smade no changes %(count)s times|one": "%(oneUser)snie wykonał(a) zmian",
"Unable to load event that was replied to, it either does not exist or you do not have permission to view it.": "Nie zdołano wczytać zdarzenia, na które odpowiedziano, może ono nie istnieć lub nie masz uprawnienia, by je zobaczyć.",
"Room alias": "Nazwa zastępcza pokoju",
"e.g. my-room": "np. mój-pokój",
"Some characters not allowed": "Niektóre znaki niedozwolone",
"Please provide a room alias": "Proszę podać nazwę zastępczą pokoju",
"This alias is available to use": "Ta nazwa zastępcza jest dostępna do użycia",
"This alias is already in use": "Ta nazwa zastępcza jest już w użyciu",
"Report bugs & give feedback": "Zgłoś błędy & sugestie",
"Filter rooms…": "Filtruj pokoje…",
"Find a room…": "Znajdź pokój…",
@ -1372,7 +1276,6 @@
"Never send encrypted messages to unverified sessions from this session": "Nigdy nie wysyłaj zaszyfrowanych wiadomości do niezweryfikowanych sesji z tej sesji",
"Enable desktop notifications for this session": "Włącz powiadomienia na pulpicie dla tej sesji",
"Enable audible notifications for this session": "Włącz powiadomienia dźwiękowe dla tej sesji",
"Sessions": "Sesje",
"Direct Messages": "Wiadomości bezpośrednie",
"Create Account": "Utwórz konto",
"Sign In": "Zaloguj się",
@ -1417,7 +1320,6 @@
"Confirm": "Potwierdź",
"Sign In or Create Account": "Zaloguj się lub utwórz konto",
"Use your account or create a new one to continue.": "Użyj konta lub utwórz nowe, aby kontynuować.",
"No sessions with registered encryption keys": "Brak sesji z zarejestrowanymi kluczami szyfrującymi",
"No": "Nie",
"Yes": "Tak",
"React": "Zareaguj",
@ -1442,7 +1344,6 @@
"Server name": "Nazwa serwera",
"Add a new server...": "Dodaj nowy serwer…",
"Please enter a name for the room": "Proszę podać nazwę pokoju",
"Set a room alias to easily share your room with other people.": "Ustaw alias pokoju, aby łatwo udostępniać swój pokój innym osobom.",
"This room is private, and can only be joined by invitation.": "Ten pokój jest prywatny i można do niego dołączyć tylko za zaproszeniem.",
"Enable end-to-end encryption": "Włącz szyfrowanie end-to-end",
"Create a public room": "Utwórz publiczny pokój",
@ -1568,7 +1469,6 @@
"Reject & Ignore user": "Odrzuć i zignoruj użytkownika",
"Show image": "Pokaż obraz",
"Verify session": "Zweryfikuj sesję",
"Loading session info...": "Ładowanie informacji o sesji…",
"Upload completed": "Przesyłanie zakończone",
"Message edits": "Edycje wiadomości",
"If you run into any bugs or have feedback you'd like to share, please let us know on GitHub.": "Jeśli napotkasz jakieś błędy lub masz opinię, którą chcesz się podzielić, daj nam znać na GitHubie.",
@ -1578,12 +1478,10 @@
"Send a Direct Message": "Wyślij wiadomość bezpośrednią",
"Explore Public Rooms": "Przeglądaj publiczne pokoje",
"Create a Group Chat": "Utwórz czat grupowy",
" (1/%(totalCount)s)": " (1/%(totalCount)s)",
"<a>Log in</a> to your new account.": "<a>Zaloguj się</a> do nowego konta.",
"Registration Successful": "Pomyślnie zarejestrowano",
"DuckDuckGo Results": "Wyniki z DuckDuckGo",
"Enter your account password to confirm the upgrade:": "Wprowadź hasło do konta, aby potwierdzić aktualizację:",
"You're done!": "Jesteś gotów!",
"Autocomplete": "Autouzupełnienie",
"Toggle Bold": "Przełącz pogrubienie",
"Toggle Italics": "Przełącz kursywę",
@ -1594,9 +1492,7 @@
"Click the button below to confirm adding this email address.": "Naciśnij przycisk poniżej aby zatwierdzić dodawanie adresu e-mail.",
"Confirm adding phone number": "Potwierdź dodanie numeru telefonu",
"Click the button below to confirm adding this phone number.": "Naciśnij przycisk poniżej aby potwierdzić dodanie tego numeru telefonu.",
"The version of Riot": "Wersja Riota",
"Your user agent": "Twój user agent",
"The information being sent to us to help make Riot better includes:": "Informacje przesyłane do nas w celu poprawy jakości Riota zawierają:",
"Sends a message as html, without interpreting it as markdown": "Wysyła wiadomość w formacie html, bez interpretowania jej jako markdown",
"Error upgrading room": "Błąd podczas aktualizacji pokoju",
"Double check that your server supports the room version chosen and try again.": "Sprawdź ponownie czy Twój serwer wspiera wybraną wersję pokoju i spróbuj ponownie.",

View file

@ -2,7 +2,6 @@
"Account": "Conta",
"Admin": "Administrador",
"Advanced": "Avançado",
"Algorithm": "Algoritmo",
"New passwords don't match": "As novas senhas não conferem",
"A new password must be entered.": "Uma nova senha precisa ser informada.",
"Anyone who knows the room's link, apart from guests": "Qualquer pessoa que tenha o link da sala, exceto visitantes",
@ -10,30 +9,21 @@
"Are you sure you want to reject the invitation?": "Você tem certeza que deseja rejeitar este convite?",
"Banned users": "Usuárias/os banidas/os",
"Bans user with given id": "Banir usuários com o identificador informado",
"Blacklisted": "Bloqueado",
"%(senderDisplayName)s changed the topic to \"%(topic)s\".": "%(senderDisplayName)s mudou o tópico para \"%(topic)s\".",
"Changes your display nickname": "Troca o seu apelido",
"Claimed Ed25519 fingerprint key": "Chave reivindicada da Impressão Digital Ed25519",
"Click here to fix": "Clique aqui para resolver isso",
"Commands": "Comandos",
"Confirm password": "Confirme a nova senha",
"Continue": "Continuar",
"Could not connect to the integration server": "Não foi possível conectar ao servidor de integrações",
"Create Room": "Criar Sala",
"Cryptography": "Criptografia",
"Current password": "Senha atual",
"Curve25519 identity key": "Chave de Indetificação Curve25519",
"Deactivate Account": "Desativar conta",
"Decryption error": "Erro de descriptografia",
"Default": "Padrão",
"Deops user with given id": "Retirar função de moderador do usuário com o identificador informado",
"Device ID": "Identificador do dispositivo",
"Displays action": "Visualizar atividades",
"Ed25519 fingerprint": "Impressão Digital Ed25519",
"Emoji": "Emoji",
"End-to-end encryption information": "Informação criptografada ponta-a-ponta",
"Error": "Erro",
"Event information": "Informação do evento",
"Export E2E room keys": "Exportar chaves ponta-a-ponta da sala",
"Failed to change password. Is your password correct?": "Falha ao alterar a palavra-passe. A sua palavra-passe está correta?",
"Failed to leave room": "Falha ao tentar deixar a sala",
@ -55,7 +45,6 @@
"Invites": "Convidar",
"Invites user with given id to current room": "Convidar usuários com um dado identificador para esta sala",
"Sign in with": "Quero entrar",
"Joins room with given alias": "Entra na sala com o nome informado",
"Kicks user with given id": "Remove usuário com o identificador informado",
"Labs": "Laboratório",
"Leave room": "Sair da sala",
@ -65,10 +54,8 @@
"Moderator": "Moderador/a",
"Name": "Nome",
"New passwords must match each other.": "As novas senhas informadas precisam ser idênticas.",
"none": "nenhum",
"Notifications": "Notificações",
"<not supported>": "<não suportado>",
"NOT verified": "NÃO verificado",
"No users have specific privileges in this room": "Nenhum/a usuário/a possui privilégios específicos nesta sala",
"Only people who have been invited": "Apenas pessoas que tenham sido convidadas",
"Password": "Senha",
@ -83,7 +70,6 @@
"Return to login screen": "Retornar à tela de login",
"Room Colour": "Cores da sala",
"Rooms": "Salas",
"Scroll to bottom of page": "Ir para o fim da página",
"Searches DuckDuckGo for results": "Buscar por resultados no buscador DuckDuckGo",
"Send Reset Email": "Enviar email para redefinição de senha",
"Server may be unavailable, overloaded, or you hit a bug.": "O servidor pode estar indisponível ou sobrecarregado, ou então você encontrou uma falha no sistema.",
@ -93,7 +79,6 @@
"Sign in": "Entrar",
"Sign out": "Sair",
"Someone": "Alguém",
"Start a chat": "Começar uma conversa",
"Success": "Sucesso",
"The email address linked to your account must be entered.": "O endereço de email relacionado a sua conta precisa ser informado.",
"This doesn't appear to be a valid email address": "Este não aparenta ser um endereço de email válido",
@ -102,16 +87,11 @@
"Unable to remove contact information": "Não foi possível remover informação de contato",
"Unable to verify email address.": "Não foi possível verificar o endereço de email.",
"Unban": "Desfazer banimento",
"unencrypted": "não criptografado",
"unknown device": "dispositivo desconhecido",
"unknown error code": "código de erro desconhecido",
"Upload avatar": "Enviar icone de perfil de usuário",
"Upload file": "Enviar arquivo",
"User ID": "Identificador de Usuário",
"Users": "Usuários",
"Verification Pending": "Verificação pendente",
"Verification": "Verificação",
"verified": "verificado",
"Video call": "Chamada de vídeo",
"Voice call": "Chamada de voz",
"VoIP conference finished.": "Conferência VoIP encerrada.",
@ -176,8 +156,8 @@
"%(senderName)s removed their display name (%(oldDisplayName)s).": "%(senderName)s removeu o seu nome público (%(oldDisplayName)s).",
"%(senderName)s removed their profile picture.": "%(senderName)s removeu sua imagem de perfil.",
"%(senderName)s requested a VoIP conference.": "%(senderName)s está solicitando uma conferência de voz.",
"Riot does not have permission to send you notifications - please check your browser settings": "Riot não tem permissões para enviar notificações a você - por favor, verifique as configurações do seu navegador",
"Riot was not given permission to send notifications - please try again": "Riot não tem permissões para enviar notificações a você - por favor, tente novamente",
"%(brand)s does not have permission to send you notifications - please check your browser settings": "%(brand)s não tem permissões para enviar notificações a você - por favor, verifique as configurações do seu navegador",
"%(brand)s was not given permission to send notifications - please try again": "%(brand)s não tem permissões para enviar notificações a você - por favor, tente novamente",
"Room %(roomId)s not visible": "A sala %(roomId)s não está visível",
"%(senderDisplayName)s sent an image.": "%(senderDisplayName)s enviou uma imagem.",
"%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": "%(senderName)s enviou um convite para %(targetDisplayName)s entrar na sala.",
@ -226,7 +206,6 @@
"Click to unmute audio": "Clique para retirar áudio do mudo",
"Command error": "Erro de comando",
"Decrypt %(text)s": "Descriptografar %(text)s",
"Direct chats": "Conversas pessoais",
"Disinvite": "Desconvidar",
"Download %(text)s": "Baixar %(text)s",
"Failed to ban user": "Não foi possível banir o/a usuário/a",
@ -237,19 +216,15 @@
"Failed to mute user": "Não foi possível remover notificações da/do usuária/o",
"Failed to reject invite": "Não foi possível rejeitar o convite",
"Failed to set display name": "Houve falha ao definir o nome público",
"Failed to toggle moderator status": "Houve falha ao alterar o status de moderador/a",
"Fill screen": "Tela cheia",
"Incorrect verification code": "Código de verificação incorreto",
"Join Room": "Ingressar na sala",
"Jump to first unread message.": "Ir diretamente para a primeira das mensagens não lidas.",
"Kick": "Remover",
"Local addresses for this room:": "Endereço local desta sala:",
"New address (e.g. #foo:%(localDomain)s)": "Novo endereço (p.ex: #algo:%(localDomain)s)",
"not specified": "não especificado",
"No more results": "Não há mais resultados",
"No results": "Sem resultados",
"OK": "OK",
"Revoke Moderator": "Retirar status de moderador",
"Search": "Pesquisar",
"Search failed": "Busca falhou",
"Server error": "Erro no servidor",
@ -260,11 +235,9 @@
"This room has no local addresses": "Esta sala não tem endereços locais",
"Tried to load a specific point in this room's timeline, but you do not have permission to view the message in question.": "Tentei carregar um ponto específico na linha do tempo desta sala, mas parece que você não tem permissões para ver a mensagem em questão.",
"Tried to load a specific point in this room's timeline, but was unable to find it.": "Tentei carregar um ponto específico na linha do tempo desta sala, mas não o encontrei.",
"Unknown room %(roomId)s": "A sala %(roomId)s é desconhecida",
"You seem to be in a call, are you sure you want to quit?": "Parece que você está em uma chamada. Tem certeza que quer sair?",
"You seem to be uploading files, are you sure you want to quit?": "Parece que você está enviando arquivos. Tem certeza que quer sair?",
"You will not be able to undo this change as you are promoting the user to have the same power level as yourself.": "Você não poderá desfazer esta mudança, pois estará dando a este(a) usuário(a) o mesmo nível de permissões que você.",
"Make Moderator": "Tornar moderador(a)",
"Room": "Sala",
"Cancel": "Cancelar",
"Ban": "Banir",
@ -279,7 +252,7 @@
"Mute": "Silenciar",
"olm version:": "versão do olm:",
"Operation failed": "A operação falhou",
"riot-web version:": "versão do riot-web:",
"%(brand)s version:": "versão do %(brand)s:",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "Mostrar os horários em formato de 12h (p.ex: 2:30pm)",
"Unmute": "Tirar do mudo",
"Warning!": "Atenção!",
@ -287,7 +260,7 @@
"%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s apagou o nome da sala.",
"Analytics": "Análise",
"Options": "Opções",
"Riot collects anonymous analytics to allow us to improve the application.": "Riot coleta informações anônimas de uso para nos permitir melhorar o sistema.",
"%(brand)s collects anonymous analytics to allow us to improve the application.": "%(brand)s coleta informações anônimas de uso para nos permitir melhorar o sistema.",
"Passphrases must match": "As senhas têm que ser iguais",
"Passphrase must not be empty": "A senha não pode estar vazia",
"Export room keys": "Exportar chaves de sala",
@ -305,15 +278,9 @@
"Are you sure you wish to remove (delete) this event? Note that if you delete a room name or topic change, it could undo the change.": "Você tem certeza que quer apagar este evento? Note que se você apaga o nome de uma sala ou uma mudança de tópico, esta ação não poderá ser desfeita.",
"Unknown error": "Erro desconhecido",
"Incorrect password": "Senha incorreta",
"To continue, please enter your password.": "Para continuar, por favor insira a sua senha.",
"I verify that the keys match": "Eu confirmo que as chaves são iguais",
"Unable to restore session": "Não foi possível restaurar a sessão",
"If you have previously used a more recent version of Riot, your session may be incompatible with this version. Close this window and return to the more recent version.": "Se você já usou antes uma versão mais recente do Riot, a sua sessão pode ser incompatível com esta versão. Feche esta janela e tente abrir com a versão mais recente.",
"If you have previously used a more recent version of %(brand)s, your session may be incompatible with this version. Close this window and return to the more recent version.": "Se você já usou antes uma versão mais recente do %(brand)s, a sua sessão pode ser incompatível com esta versão. Feche esta janela e tente abrir com a versão mais recente.",
"Unknown Address": "Endereço desconhecido",
"Unblacklist": "Tirar da lista de bloqueados",
"Blacklist": "Colocar na lista de bloqueados",
"Unverify": "Des-verificar",
"Verify...": "Verificar...",
"ex. @bob:example.com": "p.ex: @joao:exemplo.com",
"Add User": "Adicionar usuária(o)",
"Custom Server Options": "Opções para Servidor Personalizado",
@ -327,7 +294,6 @@
"Error decrypting image": "Erro ao descriptografar a imagem",
"Error decrypting video": "Erro ao descriptografar o vídeo",
"Add an Integration": "Adicionar uma integração",
"Removed or unknown message type": "Mensagem removida ou de tipo desconhecido",
"URL Previews": "Pré-visualização de links",
"Drop file here to upload": "Arraste um arquivo aqui para enviar",
" (unsupported)": " (não suportado)",
@ -344,8 +310,6 @@
"Incorrect username and/or password.": "Nome de usuária(o) e/ou senha incorreto.",
"Invited": "Convidada(o)",
"Results from DuckDuckGo": "Resultados de DuckDuckGo",
"Unrecognised room alias:": "Apelido de sala não reconhecido:",
"Use compact timeline layout": "Usar o layout de linha do tempo compacta",
"Verified key": "Chave verificada",
"%(senderDisplayName)s removed the room avatar.": "%(senderDisplayName)s removeu a imagem da sala.",
"%(senderDisplayName)s changed the avatar for %(roomName)s": "%(senderDisplayName)s alterou a imagem da sala %(roomName)s",
@ -353,7 +317,7 @@
"No Microphones detected": "Não foi detetado nenhum microfone",
"No Webcams detected": "Não foi detetada nenhuma Webcam",
"No media permissions": "Não há permissões para o uso de vídeo/áudio no seu navegador",
"You may need to manually permit Riot to access your microphone/webcam": "Você talvez precise autorizar manualmente que o Riot acesse seu microfone e webcam",
"You may need to manually permit %(brand)s to access your microphone/webcam": "Você talvez precise autorizar manualmente que o %(brand)s acesse seu microfone e webcam",
"Default Device": "Dispositivo padrão",
"Microphone": "Microfone",
"Camera": "Câmera de vídeo",
@ -361,13 +325,10 @@
"Anyone": "Qualquer pessoa",
"Are you sure you want to leave the room '%(roomName)s'?": "Você tem certeza que deseja sair da sala '%(roomName)s'?",
"Custom level": "Nível personalizado",
"device id: ": "id do dispositivo: ",
"Register": "Registre-se",
"Remote addresses for this room:": "Endereços remotos para esta sala:",
"Save": "Salvar",
"You have <a>disabled</a> URL previews by default.": "Você <a>desabilitou</a> pré-visualizações de links por padrão.",
"You have <a>enabled</a> URL previews by default.": "Você <a>habilitou</a> pré-visualizações de links por padrão.",
"Send anyway": "Enviar de qualquer maneira",
"This room": "Esta sala",
"Create new room": "Criar nova sala",
"No display name": "Sem nome público de usuária(o)",
@ -380,7 +341,6 @@
"Uploading %(filename)s and %(count)s others|zero": "Enviando o arquivo %(filename)s",
"Admin Tools": "Ferramentas de administração",
"Incoming video call from %(name)s": "Chamada de vídeo de %(name)s recebida",
"Alias (optional)": "Apelido (opcional)",
"Active call (%(roomName)s)": "Chamada ativa (%(roomName)s)",
"Error: Problem communicating with the given homeserver.": "Erro: problema de comunicação com o Servidor de Base fornecido.",
"Failed to upload profile picture!": "Falha ao enviar a imagem de perfil!",
@ -391,7 +351,6 @@
"Drop File Here": "Arraste o arquivo aqui",
"Seen by %(userName)s at %(dateTime)s": "Visto por %(userName)s em %(dateTime)s",
"%(roomName)s does not exist.": "%(roomName)s não existe.",
"Enable Notifications": "Habilitar notificações",
"Username not available": "Nome de usuária(o) indisponível",
"(~%(count)s results)|other": "(~%(count)s resultados)",
"unknown caller": "a pessoa que está chamando é desconhecida",
@ -399,7 +358,6 @@
"(~%(count)s results)|one": "(~%(count)s resultado)",
"New Password": "Nova senha",
"Username invalid: %(errMessage)s": "Nome de usuária(o) inválido: %(errMessage)s",
"Disable Notifications": "Desabilitar notificações",
"Incoming voice call from %(name)s": "Chamada de voz de %(name)s recebida",
"If you already have a Matrix account you can <a>log in</a> instead.": "Se você já tem uma conta Matrix, pode também fazer <a>login</a>.",
"Can't connect to homeserver - please check your connectivity, ensure your <a>homeserver's SSL certificate</a> is trusted, and that a browser extension is not blocking requests.": "Não foi possível conectar ao Servidor de Base. Por favor, confira sua conectividade à internet, garanta que o <a>certificado SSL do Servidor de Base</a> é confiável, e que uma extensão do navegador não esteja bloqueando as requisições de rede.",
@ -440,15 +398,11 @@
"Failed to copy": "Falha ao copiar",
"Check for update": "Procurar atualizações",
"Your browser does not support the required cryptography extensions": "O seu browser não suporta as extensões de criptografia necessárias",
"Not a valid Riot keyfile": "Não é um ficheiro de chaves Riot válido",
"Not a valid %(brand)s keyfile": "Não é um ficheiro de chaves %(brand)s válido",
"Authentication check failed: incorrect password?": "Erro de autenticação: palavra-passe incorreta?",
"Do you want to set an email address?": "Deseja definir um endereço de e-mail?",
"This will allow you to reset your password and receive notifications.": "Isto irá permitir-lhe redefinir a sua palavra-passe e receber notificações.",
"Skip": "Saltar",
"Start verification": "Iniciar verificação",
"Share without verifying": "Partilhar sem verificar",
"Ignore request": "Ignorar pedido",
"Encryption key request": "Pedido de chave de encriptação",
"Example": "Exemplo",
"Create": "Criar",
"Featured Rooms:": "Salas em destaque:",
@ -459,7 +413,6 @@
"%(widgetName)s widget removed by %(senderName)s": "Widget %(widgetName)s removido por %(senderName)s",
"%(widgetName)s widget modified by %(senderName)s": "Widget %(widgetName)s modificado por %(senderName)s",
"Ignore": "Ignorar",
"User Options": "Opções de Utilizador",
"Ignored user": "Utilizador ignorado",
"Description": "Descrição",
"Leave": "Sair",
@ -474,9 +427,7 @@
"Stops ignoring a user, showing their messages going forward": "Deixa de ignorar um utilizador, mostrando as suas mensagens daqui para a frente",
"Ignores a user, hiding their messages from you": "Ignora um utilizador, deixando de mostrar as mensagens dele",
"Banned by %(displayName)s": "Banido por %(displayName)s",
"Message removed by %(userId)s": "Mensagem removida por %(userId)s",
"Fetching third party location failed": "Falha ao obter localização de terceiros",
"A new version of Riot is available.": "Uma nova versão do Riot está disponível.",
"I understand the risks and wish to continue": "Entendo os riscos e pretendo continuar",
"Advanced notification settings": "Configurações avançadas de notificação",
"Uploading report": "A enviar o relatório",
@ -496,8 +447,6 @@
"Uploaded on %(date)s by %(user)s": "Enviada em %(date)s por %(user)s",
"Send Custom Event": "Enviar evento personalizado",
"All notifications are currently disabled for all targets.": "Todas as notificações estão atualmente desativadas para todos os casos.",
"delete the alias.": "apagar o apelido da sala.",
"To return to your account in future you need to <u>set a password</u>": "Para voltar à sua conta no futuro, necessita de <u>definir uma palavra-passe</u>",
"Forget": "Esquecer",
"World readable": "Público",
"You cannot delete this image. (%(code)s)": "Não pode apagar esta imagem. (%(code)s)",
@ -525,7 +474,6 @@
"Noisy": "Barulhento",
"Files": "Ficheiros",
"Collecting app version information": "A recolher informação da versão da app",
"Delete the room alias %(alias)s and remove %(name)s from the directory?": "Apagar o apelido %(alias)s da sala e remover %(name)s da lista pública?",
"Keywords": "Palavras-chave",
"Enable notifications for this account": "Ativar notificações para esta conta",
"Messages containing <span>keywords</span>": "Mensagens contendo <span>palavras-chave</span>",
@ -534,7 +482,7 @@
"Enter keywords separated by a comma:": "Insira palavras-chave separadas por vírgula:",
"Search…": "Pesquisar…",
"Remove %(name)s from the directory?": "Remover %(name)s da lista pública de salas?",
"Riot uses many advanced browser features, some of which are not available or experimental in your current browser.": "O Riot usa muitas funcionalidades avançadas do navegador, algumas das quais não estão disponíveis ou ainda são experimentais no seu navegador atual.",
"%(brand)s uses many advanced browser features, some of which are not available or experimental in your current browser.": "O %(brand)s usa muitas funcionalidades avançadas do navegador, algumas das quais não estão disponíveis ou ainda são experimentais no seu navegador atual.",
"Developer Tools": "Ferramentas de desenvolvedor",
"Unnamed room": "Sala sem nome",
"Remove from Directory": "Remover da lista pública de salas",
@ -573,8 +521,7 @@
"Back": "Voltar",
"Unhide Preview": "Mostrar a pré-visualização novamente",
"Unable to join network": "Não foi possível juntar-se à rede",
"You might have configured them in a client other than Riot. You cannot tune them in Riot but they still apply": "Pode ter configurado num outro cliente sem ser o Riot. Não pode ajustá-las no Riot, mas ainda assim elas aplicam-se",
"Sorry, your browser is <b>not</b> able to run Riot.": "Desculpe, o seu navegador <b>não</b> é capaz de executar o Riot.",
"Sorry, your browser is <b>not</b> able to run %(brand)s.": "Desculpe, o seu navegador <b>não</b> é capaz de executar o %(brand)s.",
"Messages in group chats": "Mensagens em salas",
"Yesterday": "Ontem",
"Error encountered (%(errorDetail)s).": "Erro encontrado (%(errorDetail)s).",
@ -582,7 +529,7 @@
"Unable to fetch notification target list": "Não foi possível obter a lista de alvos de notificação",
"Set Password": "Definir palavra-passe",
"Off": "Desativado",
"Riot does not know how to join a room on this network": "O Riot não sabe como entrar numa sala nesta rede",
"%(brand)s does not know how to join a room on this network": "O %(brand)s não sabe como entrar numa sala nesta rede",
"Mentions only": "Apenas menções",
"Failed to remove tag %(tagName)s from room": "Não foi possível remover a marcação %(tagName)s desta sala",
"Wednesday": "Quarta-feira",
@ -599,37 +546,28 @@
"Quote": "Citar",
"With your current browser, the look and feel of the application may be completely incorrect, and some or all features may not function. If you want to try it anyway you can continue, but you are on your own in terms of any issues you may encounter!": "Com o seu navegador atual, a aparência e sensação de uso da aplicação podem estar completamente incorretas, e algumas das funcionalidades poderão não funcionar. Se quiser tentar de qualquer maneira pode continuar, mas está por sua conta com algum problema que possa encontrar!",
"Checking for an update...": "A procurar uma atualização...",
"There are advanced notifications which are not shown here": "Existem notificações avançadas que não são exibidas aqui",
"Add Email Address": "Adicione adresso de e-mail",
"Add Phone Number": "Adicione número de telefone",
"The platform you're on": "A plataforma em que se encontra",
"The version of Riot.im": "A versão do RIOT.im",
"The version of %(brand)s": "A versão do %(brand)s",
"Whether or not you're logged in (we don't record your username)": "Tenha ou não, iniciado sessão (não iremos guardar o seu nome de utilizador)",
"Your language of choice": "O seu idioma que escolheu",
"Which officially provided instance you are using, if any": "Qual instância oficial está utilizando, se for o caso",
"Whether or not you're using the Richtext mode of the Rich Text Editor": "Se está a usar o modo de texto enriquecido do editor de texto enriquecido",
"Whether or not you're using the 'breadcrumbs' feature (avatars above the room list)": "Se usa a funcionalidade 'breadcrumbs' (avatares em cima da lista de salas",
"Your homeserver's URL": "O URL do seu servidor de início",
"Your identity server's URL": "O URL do seu servidor de identidade",
"e.g. %(exampleValue)s": "ex. %(exampleValue)s",
"Every page you use in the app": "Todas as páginas que usa na aplicação",
"e.g. <CurrentPageURL>": "ex. <CurrentPageURL>",
"Your User Agent": "O seu Agente de Utilizador",
"Your device resolution": "A resolução do seu dispositivo",
"The information being sent to us to help make Riot.im better includes:": "As informações que estão sendo enviadas para ajudar a melhorar o Riot.im incluem:",
"The information being sent to us to help make %(brand)s better includes:": "As informações que estão sendo enviadas para ajudar a melhorar o %(brand)s incluem:",
"Where this page includes identifiable information, such as a room, user or group ID, that data is removed before being sent to the server.": "Quando esta página contém informação de que permitam a sua identificação, como uma sala, ID de utilizador ou de grupo, estes dados são removidos antes de serem enviados ao servidor.",
"Call Failed": "A chamada falhou",
"Review Devices": "Rever dispositivos",
"Call Anyway": "Ligar na mesma",
"Answer Anyway": "Responder na mesma",
"Call": "Ligar",
"Answer": "Responder",
"Call failed due to misconfigured server": "Chamada falhada devido a um erro de configuração do servidor",
"Please ask the administrator of your homeserver (<code>%(homeserverDomain)s</code>) to configure a TURN server in order for calls to work reliably.": "Peça ao administrador do seu servidor inicial (<code>%(homeserverDomain)s</code>) de configurar um servidor TURN para que as chamadas funcionem fiavelmente.",
"Alternatively, you can try to use the public server at <code>turn.matrix.org</code>, but this will not be as reliable, and it will share your IP address with that server. You can also manage this in Settings.": "Alternativamente, pode tentar usar o servidor público em <code>turn.matrix.org</code>, mas não será tão fiável e partilhará o seu IP com esse servidor. Também pode gerir isso nas definições.",
"Try using turn.matrix.org": "Tente utilizar turn.matrix.org",
"The version of Riot": "A versão do Riot",
"Whether you're using Riot on a device where touch is the primary input mechanism": "Quer esteja a usar o Riot num dispositivo onde o touch é o mecanismo de entrada primário",
"Whether you're using Riot as an installed Progressive Web App": "Quer esteja a usar o Riot como uma Progressive Web App (PWA)",
"Whether you're using %(brand)s on a device where touch is the primary input mechanism": "Quer esteja a usar o %(brand)s num dispositivo onde o touch é o mecanismo de entrada primário",
"Whether you're using %(brand)s as an installed Progressive Web App": "Quer esteja a usar o %(brand)s como uma Progressive Web App (PWA)",
"Your user agent": "O seu user agent"
}

View file

@ -2,7 +2,6 @@
"Account": "Conta",
"Admin": "Administrador/a",
"Advanced": "Avançado",
"Algorithm": "Algoritmo",
"New passwords don't match": "As novas senhas não conferem",
"A new password must be entered.": "Uma nova senha precisa ser informada.",
"Anyone who knows the room's link, apart from guests": "Qualquer pessoa que tenha o link da sala, exceto visitantes",
@ -10,30 +9,21 @@
"Are you sure you want to reject the invitation?": "Você tem certeza que deseja rejeitar este convite?",
"Banned users": "Usuárias/os banidas/os",
"Bans user with given id": "Banir usuários com o identificador informado",
"Blacklisted": "Bloqueado",
"%(senderDisplayName)s changed the topic to \"%(topic)s\".": "%(senderDisplayName)s mudou o tópico para \"%(topic)s\".",
"Changes your display nickname": "Troca o seu apelido",
"Claimed Ed25519 fingerprint key": "Chave reivindicada da Impressão Digital Ed25519",
"Click here to fix": "Clique aqui para resolver isso",
"Commands": "Comandos",
"Confirm password": "Confirme a nova senha",
"Continue": "Continuar",
"Could not connect to the integration server": "Não foi possível conectar ao servidor de integrações",
"Create Room": "Criar Sala",
"Cryptography": "Criptografia",
"Current password": "Senha atual",
"Curve25519 identity key": "Chave de Indetificação Curve25519",
"Deactivate Account": "Desativar conta",
"Decryption error": "Erro de descriptografia",
"Default": "Padrão",
"Deops user with given id": "Retirar função de moderador do usuário com o identificador informado",
"Device ID": "Identificador do dispositivo",
"Displays action": "Visualizar atividades",
"Ed25519 fingerprint": "Impressão Digital Ed25519",
"Emoji": "Emoji",
"End-to-end encryption information": "Informação criptografada ponta-a-ponta",
"Error": "Erro",
"Event information": "Informação do evento",
"Export E2E room keys": "Exportar chaves ponta-a-ponta da sala",
"Failed to change password. Is your password correct?": "Não foi possível mudar a senha. A sua senha está correta?",
"Failed to leave room": "Falha ao tentar deixar a sala",
@ -55,7 +45,6 @@
"Invites": "Convidar",
"Invites user with given id to current room": "Convidar usuários com um dado identificador para esta sala",
"Sign in with": "Quero entrar",
"Joins room with given alias": "Entra na sala com o nome informado",
"Kicks user with given id": "Remove usuário com o identificador informado",
"Labs": "Laboratório",
"Leave room": "Sair da sala",
@ -65,10 +54,8 @@
"Moderator": "Moderador/a",
"Name": "Nome",
"New passwords must match each other.": "As novas senhas informadas precisam ser idênticas.",
"none": "nenhum",
"Notifications": "Notificações",
"<not supported>": "<não suportado>",
"NOT verified": "NÃO verificado",
"No users have specific privileges in this room": "Nenhum/a usuário/a possui privilégios específicos nesta sala",
"Only people who have been invited": "Apenas pessoas que tenham sido convidadas",
"Password": "Senha",
@ -83,7 +70,6 @@
"Return to login screen": "Retornar à tela de login",
"Room Colour": "Cores da sala",
"Rooms": "Salas",
"Scroll to bottom of page": "Ir para o fim da página",
"Searches DuckDuckGo for results": "Buscar por resultados no buscador DuckDuckGo",
"Send Reset Email": "Enviar email para redefinição de senha",
"Server may be unavailable, overloaded, or you hit a bug.": "O servidor pode estar indisponível ou sobrecarregado, ou então você encontrou uma falha no sistema.",
@ -93,7 +79,6 @@
"Sign in": "Entrar",
"Sign out": "Sair",
"Someone": "Alguém",
"Start a chat": "Começar uma conversa",
"Success": "Sucesso",
"The email address linked to your account must be entered.": "O endereço de email relacionado a sua conta precisa ser informado.",
"This doesn't appear to be a valid email address": "Este não aparenta ser um endereço de email válido",
@ -102,16 +87,11 @@
"Unable to remove contact information": "Não foi possível remover informação de contato",
"Unable to verify email address.": "Não foi possível verificar o endereço de email.",
"Unban": "Desfazer banimento",
"unencrypted": "não criptografado",
"unknown device": "dispositivo desconhecido",
"unknown error code": "código de erro desconhecido",
"Upload avatar": "Enviar uma imagem de perfil",
"Upload file": "Enviar arquivo",
"User ID": "Identificador de Usuário",
"Users": "Usuários",
"Verification Pending": "Verificação pendente",
"Verification": "Verificação",
"verified": "verificado",
"Video call": "Chamada de vídeo",
"Voice call": "Chamada de voz",
"VoIP conference finished.": "Conferência VoIP encerrada.",
@ -176,8 +156,8 @@
"%(senderName)s removed their display name (%(oldDisplayName)s).": "%(senderName)s removeu o seu nome público (%(oldDisplayName)s).",
"%(senderName)s removed their profile picture.": "%(senderName)s removeu sua imagem de perfil.",
"%(senderName)s requested a VoIP conference.": "%(senderName)s está solicitando uma conferência de voz.",
"Riot does not have permission to send you notifications - please check your browser settings": "Riot não tem permissões para enviar notificações a você - por favor, verifique as configurações do seu navegador",
"Riot was not given permission to send notifications - please try again": "Riot não tem permissões para enviar notificações a você - por favor, tente novamente",
"%(brand)s does not have permission to send you notifications - please check your browser settings": "%(brand)s não tem permissões para enviar notificações a você - por favor, verifique as configurações do seu navegador",
"%(brand)s was not given permission to send notifications - please try again": "%(brand)s não tem permissões para enviar notificações a você - por favor, tente novamente",
"Room %(roomId)s not visible": "A sala %(roomId)s não está visível",
"%(senderDisplayName)s sent an image.": "%(senderDisplayName)s enviou uma imagem.",
"%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": "%(senderName)s enviou um convite para %(targetDisplayName)s entrar na sala.",
@ -226,7 +206,6 @@
"Click to unmute audio": "Clique para retirar áudio do mudo",
"Command error": "Erro de comando",
"Decrypt %(text)s": "Descriptografar %(text)s",
"Direct chats": "Conversas pessoais",
"Disinvite": "Desconvidar",
"Download %(text)s": "Baixar %(text)s",
"Failed to ban user": "Não foi possível banir o/a usuário/a",
@ -237,19 +216,15 @@
"Failed to mute user": "Não foi possível remover notificações da/do usuária/o",
"Failed to reject invite": "Não foi possível rejeitar o convite",
"Failed to set display name": "Houve falha ao definir o nome público",
"Failed to toggle moderator status": "Houve falha ao alterar o status de moderador/a",
"Fill screen": "Tela cheia",
"Incorrect verification code": "Código de verificação incorreto",
"Join Room": "Ingressar na sala",
"Jump to first unread message.": "Ir diretamente para a primeira das mensagens não lidas.",
"Kick": "Remover",
"Local addresses for this room:": "Endereço local desta sala:",
"New address (e.g. #foo:%(localDomain)s)": "Novo endereço (p.ex: #algo:%(localDomain)s)",
"not specified": "não especificado",
"No more results": "Não há mais resultados",
"No results": "Sem resultados",
"OK": "Ok",
"Revoke Moderator": "Retirar status de moderador",
"Search": "Buscar",
"Search failed": "Busca falhou",
"Server error": "Erro no servidor",
@ -260,11 +235,9 @@
"This room has no local addresses": "Esta sala não tem endereços locais",
"Tried to load a specific point in this room's timeline, but you do not have permission to view the message in question.": "Tentei carregar um ponto específico na linha do tempo desta sala, mas parece que você não tem permissões para ver a mensagem em questão.",
"Tried to load a specific point in this room's timeline, but was unable to find it.": "Tentei carregar um ponto específico na linha do tempo desta sala, mas não o encontrei.",
"Unknown room %(roomId)s": "A sala %(roomId)s é desconhecida",
"You seem to be in a call, are you sure you want to quit?": "Parece que você está em uma chamada. Tem certeza que quer sair?",
"You seem to be uploading files, are you sure you want to quit?": "Parece que você está enviando arquivos. Tem certeza que quer sair?",
"You will not be able to undo this change as you are promoting the user to have the same power level as yourself.": "Você não poderá desfazer esta mudança, pois estará dando a este(a) usuário(a) o mesmo nível de permissões que você.",
"Make Moderator": "Tornar moderador(a)",
"Room": "Sala",
"Cancel": "Cancelar",
"Ban": "Banir",
@ -279,7 +252,7 @@
"Mute": "Mudo",
"olm version:": "versão do olm:",
"Operation failed": "A operação falhou",
"riot-web version:": "versão do riot-web:",
"%(brand)s version:": "versão do %(brand)s:",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "Mostrar os horários em formato de 12h (p.ex: 2:30pm)",
"Unmute": "Tirar do mudo",
"Warning!": "Atenção!",
@ -287,7 +260,7 @@
"%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s apagou o nome da sala.",
"Analytics": "Análise",
"Options": "Opções",
"Riot collects anonymous analytics to allow us to improve the application.": "Riot coleta informações anônimas de uso para nos permitir melhorar o sistema.",
"%(brand)s collects anonymous analytics to allow us to improve the application.": "%(brand)s coleta informações anônimas de uso para nos permitir melhorar o sistema.",
"Passphrases must match": "As senhas têm que ser iguais",
"Passphrase must not be empty": "A senha não pode estar vazia",
"Export room keys": "Exportar chaves de sala",
@ -305,15 +278,9 @@
"Are you sure you wish to remove (delete) this event? Note that if you delete a room name or topic change, it could undo the change.": "Você tem certeza que quer apagar este evento? Note que se você apaga o nome de uma sala ou uma mudança de tópico, esta ação não poderá ser desfeita.",
"Unknown error": "Erro desconhecido",
"Incorrect password": "Senha incorreta",
"To continue, please enter your password.": "Para continuar, por favor insira a sua senha.",
"I verify that the keys match": "Eu confirmo que as chaves são iguais",
"Unable to restore session": "Não foi possível restaurar a sessão",
"If you have previously used a more recent version of Riot, your session may be incompatible with this version. Close this window and return to the more recent version.": "Se você já usou antes uma versão mais recente do Riot, a sua sessão pode ser incompatível com esta versão. Feche esta janela e tente abrir com a versão mais recente.",
"If you have previously used a more recent version of %(brand)s, your session may be incompatible with this version. Close this window and return to the more recent version.": "Se você já usou antes uma versão mais recente do %(brand)s, a sua sessão pode ser incompatível com esta versão. Feche esta janela e tente abrir com a versão mais recente.",
"Unknown Address": "Endereço desconhecido",
"Unblacklist": "Tirar da lista de bloqueados",
"Blacklist": "Colocar na lista de bloqueados",
"Unverify": "Des-verificar",
"Verify...": "Verificar...",
"ex. @bob:example.com": "p.ex: @joao:exemplo.com",
"Add User": "Adicionar usuária(o)",
"Custom Server Options": "Opções para Servidor Personalizado",
@ -327,7 +294,6 @@
"Error decrypting image": "Erro ao descriptografar a imagem",
"Error decrypting video": "Erro ao descriptografar o vídeo",
"Add an Integration": "Adicionar uma integração",
"Removed or unknown message type": "Mensagem removida ou de tipo desconhecido",
"URL Previews": "Pré-visualização de links",
"Drop file here to upload": "Arraste um arquivo aqui para enviar",
" (unsupported)": " (não suportado)",
@ -344,8 +310,6 @@
"Incorrect username and/or password.": "Nome de usuária(o) e/ou senha incorreto.",
"Invited": "Convidada(o)",
"Results from DuckDuckGo": "Resultados de DuckDuckGo",
"Unrecognised room alias:": "Apelido de sala não reconhecido:",
"Use compact timeline layout": "Usar o layout de linha do tempo compacta",
"Verified key": "Chave verificada",
"%(senderDisplayName)s removed the room avatar.": "%(senderDisplayName)s removeu a imagem da sala.",
"%(senderDisplayName)s changed the avatar for %(roomName)s": "%(senderDisplayName)s alterou a imagem da sala %(roomName)s",
@ -353,7 +317,7 @@
"No Microphones detected": "Não foi detectado nenhum microfone",
"No Webcams detected": "Não foi detectada nenhuma Webcam",
"No media permissions": "Não há permissões de uso de vídeo/áudio no seu navegador",
"You may need to manually permit Riot to access your microphone/webcam": "Você talvez precise autorizar manualmente que o Riot acesse seu microfone e webcam",
"You may need to manually permit %(brand)s to access your microphone/webcam": "Você talvez precise autorizar manualmente que o %(brand)s acesse seu microfone e webcam",
"Default Device": "Dispositivo padrão",
"Microphone": "Microfone",
"Camera": "Câmera de vídeo",
@ -361,9 +325,7 @@
"Anyone": "Qualquer pessoa",
"Are you sure you want to leave the room '%(roomName)s'?": "Você tem certeza que deseja sair da sala '%(roomName)s'?",
"Custom level": "Nível personalizado",
"device id: ": "id do dispositivo: ",
"Register": "Registre-se",
"Remote addresses for this room:": "Endereços remotos para esta sala:",
"Save": "Salvar",
"You have <a>disabled</a> URL previews by default.": "Você <a>desabilitou</a> pré-visualizações de links por padrão.",
"You have <a>enabled</a> URL previews by default.": "Você <a>habilitou</a> pré-visualizações de links por padrão.",
@ -389,14 +351,11 @@
"Accept": "Aceitar",
"Active call (%(roomName)s)": "Chamada ativa (%(roomName)s)",
"Admin Tools": "Ferramentas de administração",
"Alias (optional)": "Apelido (opcional)",
"Can't connect to homeserver - please check your connectivity, ensure your <a>homeserver's SSL certificate</a> is trusted, and that a browser extension is not blocking requests.": "Não foi possível conectar ao Servidor de Base. Por favor, confira sua conectividade à internet, garanta que o <a>certificado SSL do Servidor de Base</a> é confiável, e que uma extensão do navegador não esteja bloqueando as requisições de rede.",
"Close": "Fechar",
"Custom": "Personalizado",
"Decline": "Recusar",
"Disable Notifications": "Desabilitar notificações",
"Drop File Here": "Arraste o arquivo aqui",
"Enable Notifications": "Habilitar notificações",
"Failed to upload profile picture!": "Falha ao enviar a imagem de perfil!",
"Incoming call from %(name)s": "Recebendo chamada de %(name)s",
"Incoming video call from %(name)s": "Recebendo chamada de vídeo de %(name)s",
@ -409,7 +368,6 @@
"%(roomName)s does not exist.": "%(roomName)s não existe.",
"%(roomName)s is not accessible at this time.": "%(roomName)s não está acessível neste momento.",
"Seen by %(userName)s at %(dateTime)s": "Visto por %(userName)s em %(dateTime)s",
"Send anyway": "Enviar de qualquer maneira",
"Start authentication": "Iniciar autenticação",
"This room": "Esta sala",
"unknown caller": "a pessoa que está chamando é desconhecida",
@ -422,15 +380,11 @@
"(no answer)": "(sem resposta)",
"(unknown failure: %(reason)s)": "(falha desconhecida: %(reason)s)",
"Your browser does not support the required cryptography extensions": "O seu navegador não suporta as extensões de criptografia necessárias",
"Not a valid Riot keyfile": "Não é um arquivo de chaves Riot válido",
"Not a valid %(brand)s keyfile": "Não é um arquivo de chaves %(brand)s válido",
"Authentication check failed: incorrect password?": "Falha ao checar a autenticação: senha incorreta?",
"Do you want to set an email address?": "Você deseja definir um endereço de e-mail?",
"This will allow you to reset your password and receive notifications.": "Isso permitirá que você redefina sua senha e receba notificações.",
"Skip": "Pular",
"Start verification": "Iniciar a verificação",
"Share without verifying": "Compartilhar sem verificar",
"Ignore request": "Ignorar o pedido",
"Encryption key request": "Solicitação de chave de criptografia",
"Invite to Community": "Convidar à comunidade",
"Restricted": "Restrito",
"Add to community": "Adicionar à comunidade",
@ -446,21 +400,15 @@
"Edit": "Editar",
"Unpin Message": "Desafixar Mensagem",
"Add rooms to this community": "Adicionar salas na comunidade",
"The version of Riot.im": "A Versão do Riot.im",
"The version of %(brand)s": "A Versão do %(brand)s",
"The platform you're on": "A plataforma que você está usando",
"Your language of choice": "O idioma que você selecionou",
"Which officially provided instance you are using, if any": "Qual instância oficial você está usando, se for o caso",
"Whether or not you're using the Richtext mode of the Rich Text Editor": "Se você está usando o editor de texto visual",
"Your homeserver's URL": "A URL do seu Servidor de Base (homeserver)",
"Your identity server's URL": "A URL do seu servidor de identidade",
"The information being sent to us to help make Riot.im better includes:": "As informações que estão sendo enviadas para ajudar a melhorar o Riot.im incluem:",
"The information being sent to us to help make %(brand)s better includes:": "As informações que estão sendo enviadas para ajudar a melhorar o %(brand)s incluem:",
"Where this page includes identifiable information, such as a room, user or group ID, that data is removed before being sent to the server.": "Quando esta página tem informação de identificação, como uma sala, ID de usuária/o ou de grupo, estes dados são removidos antes de serem enviados ao servidor.",
"Call Failed": "A chamada falhou",
"Review Devices": "Revisar dispositivos",
"Call Anyway": "Ligar assim mesmo",
"Answer Anyway": "Responder assim mesmo",
"Call": "Ligar",
"Answer": "Responder",
"PM": "PM",
"AM": "AM",
"%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s, %(day)s de %(monthName)s de%(fullYear)s",
@ -469,7 +417,6 @@
"Invite new community members": "Convidar novos integrantes para a comunidade",
"Which rooms would you like to add to this community?": "Quais salas você quer adicionar a esta comunidade?",
"Show these rooms to non-members on the community page and room list?": "Exibir estas salas para não integrantes na página da comunidade e na lista de salas?",
"Room name or alias": "Nome da sala ou apelido",
"Unable to create widget.": "Não foi possível criar o widget.",
"You are now ignoring %(userId)s": "Você está agora ignorando %(userId)s",
"Unignored user": "Usuária/o não está sendo mais ignorada/o",
@ -502,11 +449,8 @@
"Jump to read receipt": "Ir para a confirmação de leitura",
"Mention": "Mencionar",
"Invite": "Convidar",
"User Options": "Opções de usuária/o",
"Send an encrypted reply…": "Enviar uma resposta criptografada…",
"Send a reply (unencrypted)…": "Enviar uma resposta (não criptografada)…",
"Send an encrypted message…": "Enviar mensagem criptografada…",
"Send a message (unencrypted)…": "Enviar mensagem (não criptografada)…",
"Jump to message": "Pular para mensagem",
"No pinned messages.": "Não há mensagens fixas.",
"Loading...": "Carregando...",
@ -541,8 +485,6 @@
"URL previews are disabled by default for participants in this room.": "Pré-visualizações de links estão desativadas por padrão para participantes desta sala.",
"Copied!": "Copiado!",
"Failed to copy": "Não foi possível copiar",
"Message removed by %(userId)s": "Mensagem removida por %(userId)s",
"Message removed": "Mensagem removida",
"An email has been sent to %(emailAddress)s": "Um email foi enviado para %(emailAddress)s",
"A text message has been sent to %(msisdn)s": "Uma mensagem de texto foi enviada para %(msisdn)s",
"Remove from community": "Remover da comunidade",
@ -674,7 +616,6 @@
"Failed to load %(groupId)s": "Não foi possível carregar a comunidade %(groupId)s",
"This room is not public. You will not be able to rejoin without an invite.": "Esta sala não é pública. Você não poderá voltar sem ser convidada/o.",
"Old cryptography data detected": "Dados de criptografia antigos foram detectados",
"Data from an older version of Riot has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "Dados de uma versão anterior do Riot foram detectados. Isso fará com que a criptografia ponta-a-ponta não funcione na versão anterior. Mensagens criptografadas ponta-a-ponta que foram trocadas recentemente usando a versão antiga do Riot talvez não possam ser decriptografadas nesta versão. Isso também pode fazer com que mensagens trocadas com esta versão falhem. Se você tiver problemas desta natureza, faça logout e entre novamente. Para manter o histórico de mensagens, exporte e reimporte suas chaves de criptografia.",
"Your Communities": "Suas comunidades",
"Error whilst fetching joined communities": "Erro baixando comunidades das quais você faz parte",
"Create a new community": "Criar nova comunidade",
@ -685,8 +626,6 @@
"Warning": "Atenção",
"There's no one else here! Would you like to <inviteText>invite others</inviteText> or <nowarnText>stop warning about the empty room</nowarnText>?": "Não há mais ninguém aqui! Você deseja <inviteText>convidar outras pessoas</inviteText> ou <nowarnText>remover este alerta sobre a sala vazia</nowarnText>?",
"Clear filter": "Remover filtro",
"Light theme": "Tema claro",
"Dark theme": "Tema escuro",
"Privacy is important to us, so we don't collect any personal or identifiable data for our analytics.": "A privacidade é importante para nós, portanto nós não coletamos nenhum dado pessoa ou identificável para nossas estatísticas.",
"Learn more about how we use analytics.": "Saiba mais sobre como nós usamos os dados estatísticos.",
"Check for update": "Verificar atualizações",
@ -701,11 +640,10 @@
"Failed to set direct chat tag": "Falha ao definir esta conversa como direta",
"Failed to remove tag %(tagName)s from room": "Falha ao remover a tag %(tagName)s da sala",
"Failed to add tag %(tagName)s to room": "Falha ao adicionar a tag %(tagName)s para a sala",
"Did you know: you can use communities to filter your Riot.im experience!": "Você sabia? Você pode usar as comunidades para filtrar a sua experiência no Riot!",
"Did you know: you can use communities to filter your %(brand)s experience!": "Você sabia? Você pode usar as comunidades para filtrar a sua experiência no %(brand)s!",
"To set up a filter, drag a community avatar over to the filter panel on the far left hand side of the screen. You can click on an avatar in the filter panel at any time to see only the rooms and people associated with that community.": "Para criar um filtro, arraste a imagem de uma comunidade sobre o painel de filtros na extrema esquerda da sua tela. Você pode clicar na imagem de uma comunidade no painel de filtros a qualquer momento para ver apenas as salas e pessoas associadas com esta comunidade.",
"Key request sent.": "Requisição de chave enviada.",
"Fetching third party location failed": "Falha ao acessar localização de terceiros",
"A new version of Riot is available.": "Uma nova versão do Riot está disponível.",
"I understand the risks and wish to continue": "Entendo os riscos e desejo continuar",
"Send Account Data": "Enviar Dados da Conta",
"Advanced notification settings": "Configurações avançadas de notificação",
@ -723,8 +661,6 @@
"Uploaded on %(date)s by %(user)s": "Enviada em %(date)s por %(user)s",
"Send Custom Event": "Enviar Evento Customizado",
"All notifications are currently disabled for all targets.": "Todas as notificações estão atualmente desabilitadas para todos os casos.",
"delete the alias.": "apagar o apelido da sala.",
"To return to your account in future you need to <u>set a password</u>": "Para poder, futuramente, retornar à sua conta, você precisa <u>definir uma senha</u>",
"Forget": "Esquecer",
"You cannot delete this image. (%(code)s)": "Você não pode apagar esta imagem. (%(code)s)",
"Cancel Sending": "Cancelar o envio",
@ -750,7 +686,6 @@
"Noisy": "Barulhento",
"Files": "Arquivos",
"Collecting app version information": "Coletando informação sobre a versão do app",
"Delete the room alias %(alias)s and remove %(name)s from the directory?": "Apagar o apelido %(alias)s da sala e remover %(name)s da lista pública?",
"Keywords": "Palavras-chave",
"Enable notifications for this account": "Ativar notificações para esta conta",
"Invite to this community": "Convidar para essa comunidade",
@ -761,7 +696,7 @@
"Search…": "Buscar…",
"You have successfully set a password and an email address!": "Você definiu uma senha e um endereço de e-mail com sucesso!",
"Remove %(name)s from the directory?": "Remover %(name)s da lista pública de salas?",
"Riot uses many advanced browser features, some of which are not available or experimental in your current browser.": "O Riot usa muitas funcionalidades avançadas do navegador, algumas das quais não estão disponíveis ou ainda são experimentais no seu navegador atual.",
"%(brand)s uses many advanced browser features, some of which are not available or experimental in your current browser.": "O %(brand)s usa muitas funcionalidades avançadas do navegador, algumas das quais não estão disponíveis ou ainda são experimentais no seu navegador atual.",
"Developer Tools": "Ferramentas do desenvolvedor",
"Explore Account Data": "Explorar Dados da Conta",
"Remove from Directory": "Remover da lista pública de salas",
@ -801,8 +736,7 @@
"Show message in desktop notification": "Mostrar mensagens na notificação",
"Unhide Preview": "Mostrar a pré-visualização",
"Unable to join network": "Não foi possível conectar na rede",
"You might have configured them in a client other than Riot. You cannot tune them in Riot but they still apply": "Você pode te-las configurado em outro cliente além do Riot. Você não pode ajustá-las no Riot, mas ainda assim elas se aplicam aqui",
"Sorry, your browser is <b>not</b> able to run Riot.": "Perdão. O seu navegador <b>não</b> é capaz de rodar o Riot.",
"Sorry, your browser is <b>not</b> able to run %(brand)s.": "Perdão. O seu navegador <b>não</b> é capaz de rodar o %(brand)s.",
"Messages in group chats": "Mensagens em salas",
"Yesterday": "Ontem",
"Error encountered (%(errorDetail)s).": "Erro encontrado (%(errorDetail)s).",
@ -810,7 +744,6 @@
"Unable to fetch notification target list": "Não foi possível obter a lista de alvos de notificação",
"Set Password": "Definir senha",
"Off": "Desativado",
"Riot does not know how to join a room on this network": "O sistema não sabe como entrar na sala desta rede",
"Mentions only": "Apenas menções",
"Wednesday": "Quarta",
"You can now return to your account after signing out, and sign in on other devices.": "Você pode retornar agora para a sua conta depois de fazer logout, e então fazer login em outros dispositivos.",
@ -827,10 +760,8 @@
"Quote": "Citar",
"With your current browser, the look and feel of the application may be completely incorrect, and some or all features may not function. If you want to try it anyway you can continue, but you are on your own in terms of any issues you may encounter!": "Com o seu navegador atual, a aparência e sensação de uso da aplicação podem estar completamente incorretas, e algumas das funcionalidades poderão não funcionar. Se você quiser tentar de qualquer maneira, pode continuar, mas aí vai ter que se virar sozinho(a) com os problemas que porventura encontrar!",
"Checking for an update...": "Verificando se há atualizações...",
"There are advanced notifications which are not shown here": "Existem opções avançadas que não são exibidas aqui",
"Every page you use in the app": "Toda a página que você usa no aplicativo",
"e.g. <CurrentPageURL>": "ex. <CurrentPageURL>",
"Your User Agent": "Seu Agente de Usuário",
"Your device resolution": "Sua resolução de dispositivo",
"Call in Progress": "Chamada em andamento",
"A call is currently being placed!": "Uma chamada está sendo feita atualmente!",
@ -838,16 +769,10 @@
"Permission Required": "Permissão Exigida",
"You do not have permission to start a conference call in this room": "Você não tem permissão para iniciar uma chamada de conferência nesta sala",
"Unable to load! Check your network connectivity and try again.": "Incapaz de carregar! Verifique sua conectividade de rede e tente novamente.",
"Registration Required": "Registro requerido",
"You need to register to do this. Would you like to register now?": "Você precisa se registrar para fazer isso. Você gostaria de se registrar agora?",
"Failed to invite users to the room:": "Não foi possível convidar usuários para a sala:",
"Missing roomId.": "RoomId ausente.",
"Opens the Developer Tools dialog": "Abre a caixa de diálogo Ferramentas do desenvolvedor",
"Forces the current outbound group session in an encrypted room to be discarded": "Força a atual sessão de grupo de saída em uma sala criptografada a ser descartada",
"%(senderName)s added %(count)s %(addedAddresses)s as addresses for this room.|other": "%(senderName)s adicionado %(addedAddresses)s como endereço para esta sala.",
"%(senderName)s added %(count)s %(addedAddresses)s as addresses for this room.|one": "%(senderName)s adicionado %(addedAddresses)s como um endereço para esta sala.",
"%(senderName)s removed %(count)s %(removedAddresses)s as addresses for this room.|other": "%(senderName)s removido %(removedAddresses)s como endereços para esta sala.",
"%(senderName)s removed %(count)s %(removedAddresses)s as addresses for this room.|one": "%(senderName)s removido %(removedAddresses)s como um endereço para esta sala.",
"e.g. %(exampleValue)s": "ex. %(exampleValue)s",
"%(senderName)s set the main address for this room to %(address)s.": "%(senderName)s definiu o endereço principal desta sala para %(address)s.",
"%(senderName)s removed the main address for this room.": "%(senderName)s removeu o endereço principal para esta sala.",
@ -874,7 +799,6 @@
"Repeats like \"abcabcabc\" are only slightly harder to guess than \"abc\"": "Repetições como \"abcabcabc\" são apenas um pouco mais difíceis de adivinhar que \"abc\"",
"Sequences like abc or 6543 are easy to guess": "Sequências como abc ou 6543 são fáceis de adivinhar",
"Recent years are easy to guess": "Os últimos anos são fáceis de adivinhar",
"%(senderName)s added %(addedAddresses)s and removed %(removedAddresses)s as addresses for this room.": "%(senderName)s adicionou %(addedAddresses)s e removeu %(removedAddresses)s como endereços para esta sala.",
"Dates are often easy to guess": "As datas costumam ser fáceis de adivinhar",
"This is a top-10 common password": "Esta é uma das top-10 senhas mais comuns",
"This is a top-100 common password": "Esta é uma das top-100 senhas mais comuns",
@ -932,12 +856,6 @@
"The phone number field must not be blank.": "O campo do número de telefone não pode estar em branco.",
"The password field must not be blank.": "O campo da senha não pode ficar em branco.",
"Failed to load group members": "Falha ao carregar membros do grupo",
"Please help improve Riot.im by sending <UsageDataLink>anonymous usage data</UsageDataLink>. This will use a cookie (please see our <PolicyLink>Cookie Policy</PolicyLink>).": "Por favor, ajude a melhorar o Riot.im enviando <UsageDataLink>dados de uso anônimo</UsageDataLink>. Isso usará um cookie (consulte nossa <PolicyLink>Política de cookies</PolicyLink>).",
"Please help improve Riot.im by sending <UsageDataLink>anonymous usage data</UsageDataLink>. This will use a cookie.": "Por favor, ajude a melhorar o Riot.im enviando <UsageDataLink>dados de uso anônimo</UsageDataLink>. Isto irá usar um cookie.",
"Yes, I want to help!": "Sim, quero ajudar!",
"Please <a>contact your service administrator</a> to get this limit increased.": "Por favor, <a>entre em contato com o administrador do serviço</a> para aumentar esse limite.",
"This homeserver has hit its Monthly Active User limit so <b>some users will not be able to log in</b>.": "Este homeserver atingiu seu limite de usuário ativo mensal, então <b>alguns usuários não poderão efetuar login</ b>.",
"This homeserver has exceeded one of its resource limits so <b>some users will not be able to log in</b>.": "Este homeserver excedeu um dos seus limites de recursos, de modo que <b>alguns usuários não poderão efetuar login</ b>.",
"Failed to remove widget": "Falha ao remover o widget",
"An error ocurred whilst trying to remove the widget from the room": "Ocorreu um erro ao tentar remover o widget da sala",
"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.",
@ -949,8 +867,7 @@
"Debug logs contain application usage data including your username, the IDs or aliases of the rooms or groups you have visited and the usernames of other users. They do not contain messages.": "Os registros de depuração contêm dados de uso do aplicativo, incluindo seu nome de usuário, os IDs ou aliases das salas ou grupos que você visitou e os nomes de usuários de outros usuários. Eles não contêm mensagens.",
"Before submitting logs, you must <a>create a GitHub issue</a> to describe your problem.": "Antes de enviar os registros, você deve <a>criar uma questão no GitHub</a> para descrever seu problema.",
"Unable to load commit detail: %(msg)s": "Não é possível carregar os detalhes do commit: %(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 Riot to do this": "Para evitar perder seu histórico de bate-papo, você deve exportar as chaves do seu quarto antes de fazer logout. Você precisará voltar para a versão mais recente do Riot para fazer isso",
"You've previously used a newer version of Riot on %(host)s. To use this version again with end to end encryption, you will need to sign out and back in again. ": "Você já usou uma versão mais recente do Riot em %(host)s. Para usar essa versão novamente com criptografia de ponta a ponta, você precisará sair e voltar novamente. ",
"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ê deve exportar as chaves do seu quarto antes de fazer logout. Você precisará voltar para a versão mais recente do %(brand)s para fazer isso",
"Incompatible Database": "Banco de dados incompatível",
"Continue With Encryption Disabled": "Continuar com criptografia desativada",
"This will make your account permanently unusable. You will not be able to log in, and no one will be able to re-register the same user ID. This will cause your account to leave all rooms it is participating in, and it will remove your account details from your identity server. <b>This action is irreversible.</b>": "Isso tornará sua conta permanentemente inutilizável. Você não poderá efetuar login e ninguém poderá registrar novamente o mesmo ID de usuário. Isso fará com que sua conta deixe todas as salas nas quais está participando e removerá os detalhes da sua conta do seu servidor de identidade. <b>Esta ação é irreversível.</ b>",
@ -960,8 +877,8 @@
"To continue, please enter your password:": "Para continuar, por favor digite sua senha:",
"Incompatible local cache": "Cache local incompatível",
"Clear cache and resync": "Limpar cache e ressincronizar",
"Riot now uses 3-5x less memory, by only loading information about other users when needed. Please wait whilst we resynchronise with the server!": "Riot agora usa 3-5x menos memória, pois carrega informação sobre outros usuários apenas quando necessário. Por favor, aguarde enquanto ressincronizamos com o servidor!",
"Updating Riot": "Atualizando Riot",
"%(brand)s now uses 3-5x less memory, by only loading information about other users when needed. Please wait whilst we resynchronise with the server!": "%(brand)s agora usa 3-5x menos memória, pois carrega informação sobre outros usuários apenas quando necessário. Por favor, aguarde enquanto ressincronizamos com o servidor!",
"Updating %(brand)s": "Atualizando %(brand)s",
"Failed to upgrade room": "Falha ao atualizar a sala",
"The room upgrade could not be completed": "A atualização da sala não pode ser completada",
"Upgrade this room to version %(version)s": "Atualize essa sala para versão %(version)s",
@ -969,8 +886,8 @@
"Create a new room with the same name, description and avatar": "Criar uma nova sala com o mesmo nome, descrição e avatar",
"Stop users from speaking in the old version of the room, and post a message advising users to move to the new room": "Impedir usuários de conversar na versão antiga da sala e postar uma mensagem aconselhando os usuários a migrarem para a nova sala",
"Put a link back to the old room at the start of the new room so people can see old messages": "Colocar um link para a sala antiga no começo da sala nova de modo que as pessoas possam ver mensagens antigas",
"You've previously used Riot 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, Riot needs to resync your account.": "Você já usou o Riot em %(host)s com o carregamento Lazy de membros ativado. Nesta versão, o carregamento Lazy está desativado. Como o cache local não é compatível entre essas duas configurações, a Riot precisa ressincronizar sua conta.",
"If the other version of Riot is still open in another tab, please close it as using Riot on the same host with both lazy loading enabled and disabled simultaneously will cause issues.": "Se a outra versão do Riot ainda estiver aberta em outra aba, por favor, feche-a pois usar o Riot no mesmo host com o carregamento Lazy ativado e desativado simultaneamente causará problemas.",
"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.": "Você já usou o %(brand)s em %(host)s com o carregamento Lazy de membros ativado. Nesta versão, o carregamento Lazy está desativado. Como o cache local não é compatível entre essas duas configurações, a %(brand)s precisa ressincronizar sua conta.",
"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.": "Se a outra versão do %(brand)s ainda estiver aberta em outra aba, por favor, feche-a pois usar o %(brand)s no mesmo host com o carregamento Lazy ativado e desativado simultaneamente causará problemas.",
"Update any local room aliases to point to the new room": "Atualize todos os aliases da sala local para apontar para a nova sala",
"Clear Storage and Sign Out": "Limpar armazenamento e sair",
"Refresh": "Atualizar",
@ -987,11 +904,9 @@
"Unable to load backup status": "Não é possível carregar o status do backup",
"Unable to restore backup": "Não é possível restaurar o backup",
"No backup found!": "Nenhum backup encontrado!",
"Backup Restored": "Backup restaurado",
"Access your secure message history and set up secure messaging by entering your recovery passphrase.": "Acesse seu histórico de mensagens seguras e configure mensagens seguras digitando sua frase secreta de recuperação.",
"Next": "Próximo",
"If you've forgotten your recovery passphrase you can <button1>use your recovery key</button1> or <button2>set up new recovery options</button2>": "Se você esqueceu sua frase secreata de recuperação, você pode <button1>usar sua chave de recuperação</ button1> ou <button2>configurar novas opções de recuperação</ button2>",
"Enter Recovery Key": "Digite a chave de recuperação",
"This looks like a valid recovery key!": "Isso parece uma chave de recuperação válida!",
"Not a valid recovery key": "Não é uma chave de recuperação válida",
"Access your secure message history and set up secure messaging by entering your recovery key.": "Acesse seu histórico seguro de mensagens e configure mensagens seguras inserindo sua chave de recuperação.",
@ -999,8 +914,6 @@
"Popout widget": "Widget Popout",
"Send Logs": "Enviar relatos de problemas",
"Failed to decrypt %(failedCount)s sessions!": "Falha ao descriptografar as sessões de %(failedCount)s!",
"Restored %(sessionCount)s session keys": "Chaves de sessão %(sessionCount)s restauradas",
"Enter Recovery Passphrase": "Digite a frase secreta de recuperação",
"Set a new status...": "Definir um novo status ...",
"Collapse Reply Thread": "Recolher grupo de respostas",
"Clear status": "Limpar status",
@ -1030,23 +943,14 @@
"Please <a>contact your service administrator</a> to continue using this service.": "Por favor, <a>entre em contato com o seu administrador de serviços</a> para continuar usando este serviço.",
"Failed to perform homeserver discovery": "Falha ao executar a descoberta do homeserver",
"Sign in with single sign-on": "Entre com o logon único",
"Great! This passphrase looks strong enough.": "Ótimo! Esta frase secreta parece forte o suficiente.",
"Enter a passphrase...": "Digite uma frase secreta ...",
"That matches!": "Isto corresponde!",
"That doesn't match.": "Isto não corresponde.",
"Go back to set it again.": "Volte e configure novamente.",
"Repeat your passphrase...": "Repita sua frase se recuperação...",
"As a safety net, you can use it to restore your encrypted message history if you forget your Recovery Passphrase.": "Como uma rede de segurança, você pode usá-la para restaurar seu histórico de mensagens criptografadas se esquecer sua frase secreta de recuperação.",
"As a safety net, you can use it to restore your encrypted message history.": "Como uma rede de segurança, você pode usá-la para restaurar seu histórico de mensagens criptografadas.",
"Your Recovery Key": "Sua chave de recuperação",
"Copy to clipboard": "Copiar para área de transferência",
"Download": "Baixar",
"<b>Print it</b> and store it somewhere safe": "<b>Imprima-o</ b> e armazene-o em algum lugar seguro",
"<b>Save it</b> on a USB key or backup drive": "<b>Salve isto</ b> em uma chave USB ou unidade de backup",
"<b>Copy it</b> to your personal cloud storage": "<b>Copie isto</ b> para seu armazenamento em nuvem pessoal",
"Set up Secure Message Recovery": "Configurar Recuperação Segura de Mensagens",
"Keep it safe": "Mantenha isto seguro",
"Create Key Backup": "Criar backup de chave",
"Unable to create key backup": "Não é possível criar backup de chave",
"Retry": "Tentar novamente",
"Without setting up Secure Message Recovery, you'll lose your secure message history when you log out.": "Sem configurar a Recuperação Segura de Mensagens, você perderá seu histórico de mensagens seguras quando fizer logout.",
@ -1058,7 +962,6 @@
"Unrecognised address": "Endereço não reconhecido",
"User %(user_id)s may or may not exist": "Usuário %(user_id)s pode existir ou não",
"The following users may not exist": "Os seguintes usuários podem não existir",
"Waiting for %(userId)s to confirm...": "Aguardando que %(userId)s confirme...",
"Prompt before sending invites to potentially invalid matrix IDs": "Avisar antes de enviar convites para IDs da Matrix potencialmente inválidas",
"Unable to find profiles for the Matrix IDs listed below - would you like to invite them anyway?": "Não é possível encontrar perfis para os IDs da Matrix listados abaixo - você gostaria de convidá-los mesmo assim?",
"Invite anyway and never warn me again": "Convide mesmo assim e nunca mais me avise",
@ -1096,7 +999,6 @@
"Send typing notifications": "Enviar notificações de digitação",
"Enable Community Filter Panel": "Ativar painel de filtro da comunidade",
"Allow Peer-to-Peer for 1:1 calls": "Permitir Peer-to-Peer para chamadas 1:1",
"Order rooms in the room list by most important first instead of most recent": "Ordene as salas na lista pela primeira mais importante, em vez da mais recente",
"Messages containing my username": "Mensagens contendo meu nome de usuário",
"The other party cancelled the verification.": "A outra parte cancelou a verificação.",
"Verified!": "Verificado!",
@ -1199,9 +1101,9 @@
"Deactivating your account is a permanent action - be careful!": "Desativar sua conta é uma ação permanente - tenha cuidado!",
"General": "Geral",
"Credits": "Créditos",
"For help with using Riot, click <a>here</a>.": "Para ajuda com o uso do Riot, clique <a>aqui</a>.",
"For help with using Riot, click <a>here</a> or start a chat with our bot using the button below.": "Para obter ajuda com o uso do Riot, clique <a>aqui</a> ou inicie um bate-papo com nosso bot usando o botão abaixo.",
"Chat with Riot Bot": "Converse com o bot do Riot",
"For help with using %(brand)s, click <a>here</a>.": "Para ajuda com o uso do %(brand)s, clique <a>aqui</a>.",
"For help with using %(brand)s, click <a>here</a> or start a chat with our bot using the button below.": "Para obter ajuda com o uso do %(brand)s, clique <a>aqui</a> ou inicie um bate-papo com nosso bot usando o botão abaixo.",
"Chat with %(brand)s Bot": "Converse com o bot do %(brand)s",
"Help & About": "Ajuda & Sobre",
"Bug reporting": "Relato de Erros",
"FAQ": "FAQ",

View file

@ -3,27 +3,20 @@
"This phone number is already in use": "Acest număr de telefon este deja utilizat",
"Failed to verify email address: make sure you clicked the link in the email": "Adresa de e-mail nu a putut fi verificată: asigurați-vă că ați făcut click pe linkul din e-mail",
"The platform you're on": "Platforma pe care te afli",
"The version of Riot.im": "Versiunea Riot.im",
"The version of %(brand)s": "Versiunea %(brand)s",
"Whether or not you're logged in (we don't record your username)": "Indiferent dacă sunteți conectat sau nu (nu vă înregistrați numele de utilizator)",
"Your language of choice": "Alegeți limba",
"Which officially provided instance you are using, if any": "Ce instanță ați furnizat oficial instanței pe care o utilizați, dacă este cazul",
"Whether or not you're using the Richtext mode of the Rich Text Editor": "Indiferent dacă utilizați sau nu modul Richtext mod din Rich Text Editor",
"Your homeserver's URL": "Adresa URL a Serverului de bază",
"Your identity server's URL": "Adresa URL a serverului dvs. de identitate",
"e.g. %(exampleValue)s": "ex %(exampleValue)s",
"Every page you use in the app": "Fiecare pagină pe care o utilizați în aplicație",
"e.g. <CurrentPageURL>": "ex. <CurrentPageURL>",
"Your User Agent": "Agentul dvs. de utilizator",
"Your device resolution": "Rezoluția dispozitivului",
"Analytics": "Analizarea",
"The information being sent to us to help make Riot.im better includes:": "Informațiile care ne sunt trimise pentru a ne ajuta să facem mai bine Riot.im includ:",
"The information being sent to us to help make %(brand)s better includes:": "Informațiile care ne sunt trimise pentru a ne ajuta să facem mai bine %(brand)s includ:",
"Where this page includes identifiable information, such as a room, user or group ID, that data is removed before being sent to the server.": "În cazul în care această pagină include informații care pot fi identificate, cum ar fi o cameră, un utilizator sau un ID de grup, aceste date sunt eliminate înainte de a fi trimise la server.",
"Call Failed": "Apel eșuat",
"Review Devices": "Examinați dispozitivele",
"Call Anyway": "Sună oricum",
"Answer Anyway": "Răspunsul Oricum",
"Call": "Sună",
"Answer": "Răspunde",
"Call Timeout": "Durata apelurilor",
"The remote side failed to pick up": "Partea de la distanță nu a reușit să se ridice",
"Unable to capture screen": "Imposibil de captat ecran",
@ -32,7 +25,6 @@
"VoIP is unsupported": "VoIP nu este acceptat",
"You cannot place VoIP calls in this browser.": "Nu puteți efectua apeluri VoIP în acest browser.",
"You cannot place a call with yourself.": "Nu poți apela cu tine însuți.",
"Could not connect to the integration server": "Nu s-a putut conecta la serverul de integrare",
"Call in Progress": "Apel în curs",
"A call is currently being placed!": "Un apel este în curs de plasare!",
"A call is already in progress!": "Un apel este deja în curs!",
@ -42,7 +34,6 @@
"Upload Failed": "Încărcarea eșuată",
"Failure to create room": "Eșecul de a crea spațiu",
"Server may be unavailable, overloaded, or you hit a bug.": "Serverul poate fi indisponibil, supraîncărcat sau ați lovit un bug.",
"Send anyway": "Trimite oricum",
"Send": "Trimite",
"Sun": "Dum",
"Mon": "Lun",
@ -76,7 +67,6 @@
"Which rooms would you like to add to this community?": "Ce camere doriți să adăugați la această comunitate?",
"Show these rooms to non-members on the community page and room list?": "Arătați aceste camere către ne-membri pe pagina de comunitate și lista de camere?",
"Add rooms to the community": "Adăugați camere la comunitate",
"Room name or alias": "Numele camerei sau aliasul",
"Add to community": "Adăugați la comunitate",
"Failed to invite the following users to %(groupId)s:": "Nu a putut fi invitat următorii utilizatori %(groupId)s",
"Failed to invite users to community": "Nu a fost posibilă invitarea utilizatorilor la comunitate",

View file

@ -2,34 +2,24 @@
"Account": "Учётная запись",
"Admin": "Администратор",
"Advanced": "Подробности",
"Algorithm": "Алгоритм",
"A new password must be entered.": "Введите новый пароль.",
"Anyone who knows the room's link, apart from guests": "Все, у кого есть ссылка на эту комнату, кроме гостей",
"Anyone who knows the room's link, including guests": "Все, у кого есть ссылка на эту комнату, включая гостей",
"Are you sure you want to reject the invitation?": "Вы уверены что хотите отклонить приглашение?",
"Banned users": "Заблокированные пользователи",
"Bans user with given id": "Блокирует пользователя с заданным ID",
"Blacklisted": "В черном списке",
"Changes your display nickname": "Изменяет ваш псевдоним",
"Claimed Ed25519 fingerprint key": "Требуемый ключ цифрового отпечатка Ed25519",
"Click here to fix": "Нажмите здесь, чтобы исправить это",
"Commands": "Команды",
"Continue": "Продолжить",
"Could not connect to the integration server": "Не удалось подключиться к серверу интеграции",
"Create Room": "Создать комнату",
"Cryptography": "Криптография",
"Curve25519 identity key": "Ключ идентификации Curve25519",
"Deactivate Account": "Деактивировать учётную запись",
"Decryption error": "Ошибка расшифровки",
"Default": "По умолчанию",
"Deops user with given id": "Снимает полномочия оператора с пользователя с заданным ID",
"Device ID": "ID устройства",
"Displays action": "Отображение действий",
"Ed25519 fingerprint": "Ed25519 отпечаток",
"Emoji": "Смайлы",
"End-to-end encryption information": "Сведения о сквозном шифровании",
"Error": "Ошибка",
"Event information": "Информация о событии",
"Export E2E room keys": "Экспорт ключей шифрования",
"Failed to change password. Is your password correct?": "Не удалось сменить пароль. Вы правильно ввели текущий пароль?",
"Failed to leave room": "Не удалось выйти из комнаты",
@ -51,7 +41,6 @@
"Invites": "Приглашения",
"Invites user with given id to current room": "Приглашает пользователя с заданным ID в текущую комнату",
"Sign in with": "Войти с помощью",
"Joins room with given alias": "Входит в комнату с заданным псевдонимом",
"Kicks user with given id": "Выгоняет пользователя с заданным ID",
"Labs": "Лаборатория",
"Leave room": "Покинуть комнату",
@ -61,10 +50,8 @@
"Moderator": "Модератор",
"Name": "Имя",
"New passwords must match each other.": "Новые пароли должны совпадать.",
"none": "никто",
"Notifications": "Уведомления",
"<not supported>": "<не поддерживается>",
"NOT verified": "НЕ проверено",
"No users have specific privileges in this room": "Ни один пользователь не имеет особых прав в этой комнате",
"Password": "Пароль",
"Permissions": "Права доступа",
@ -73,21 +60,15 @@
"Return to login screen": "Вернуться к экрану входа",
"Send Reset Email": "Отправить письмо со ссылкой для сброса пароля",
"Settings": "Настройки",
"Start a chat": "Начать разговор",
"Unable to add email address": "Не удается добавить email",
"Unable to remove contact information": "Не удалось удалить контактную информацию",
"Unable to verify email address.": "Не удалось проверить email.",
"Unban": "Разблокировать",
"unencrypted": "без шифрования",
"unknown device": "неизвестное устройство",
"unknown error code": "неизвестный код ошибки",
"Upload avatar": "Загрузить аватар",
"Upload file": "Отправить файл",
"User ID": "ID пользователя",
"Users": "Пользователи",
"Verification Pending": "В ожидании подтверждения",
"Verification": "Проверка",
"verified": "проверенный",
"Video call": "Видеовызов",
"Voice call": "Голосовой вызов",
"VoIP conference finished.": "Конференц-звонок окончен.",
@ -178,7 +159,6 @@
"Click to unmute video": "Щелкните, чтобы включить видео",
"Click to unmute audio": "Щелкните, чтобы включить звук",
"Decrypt %(text)s": "Расшифровать %(text)s",
"Direct chats": "Личные чаты",
"Disinvite": "Отозвать приглашение",
"Download %(text)s": "Скачать %(text)s",
"Failed to ban user": "Не удалось заблокировать пользователя",
@ -203,13 +183,10 @@
"Failed to mute user": "Не удалось заглушить пользователя",
"Failed to reject invite": "Не удалось отклонить приглашение",
"Failed to set display name": "Не удалось задать отображаемое имя",
"Failed to toggle moderator status": "Не удалось переключить статус модератора",
"Fill screen": "Заполнить экран",
"Incorrect verification code": "Неверный код подтверждения",
"Join Room": "Войти в комнату",
"Kick": "Выгнать",
"Local addresses for this room:": "Адреса этой комнаты на вашем сервере:",
"New address (e.g. #foo:%(localDomain)s)": "Новый адрес (например, #чтонибудь:%(localDomain)s)",
"New passwords don't match": "Новые пароли не совпадают",
"not specified": "не задан",
"No more results": "Больше никаких результатов",
@ -226,13 +203,12 @@
"%(senderName)s removed their display name (%(oldDisplayName)s).": "%(senderName)s удалил своё отображаемое имя (%(oldDisplayName)s).",
"%(senderName)s removed their profile picture.": "%(senderName)s удалил свой аватар.",
"%(senderName)s requested a VoIP conference.": "%(senderName)s запросил конференц-звонок.",
"Riot does not have permission to send you notifications - please check your browser settings": "У Riot нет разрешения на отправку уведомлений — проверьте настройки браузера",
"Riot was not given permission to send notifications - please try again": "Riot не получил разрешение на отправку уведомлений, пожалуйста, попробуйте снова",
"riot-web version:": "версия riot-web:",
"%(brand)s does not have permission to send you notifications - please check your browser settings": "У %(brand)s нет разрешения на отправку уведомлений — проверьте настройки браузера",
"%(brand)s was not given permission to send notifications - please try again": "%(brand)s не получил разрешение на отправку уведомлений, пожалуйста, попробуйте снова",
"%(brand)s version:": "версия %(brand)s:",
"Room %(roomId)s not visible": "Комната %(roomId)s невидима",
"Room Colour": "Цвет комнаты",
"Rooms": "Комнаты",
"Scroll to bottom of page": "Перейти к нижней части страницы",
"Search": "Поиск",
"Search failed": "Поиск не удался",
"%(senderDisplayName)s sent an image.": "%(senderDisplayName)s отправил(а) изображение.",
@ -251,10 +227,8 @@
"This room is not recognised.": "Эта комната не опознана.",
"This doesn't appear to be a valid email address": "Похоже, это недействительный адрес email",
"This phone number is already in use": "Этот номер телефона уже используется",
"Unknown room %(roomId)s": "Неизвестная комната %(roomId)s",
"You seem to be uploading files, are you sure you want to quit?": "Похоже, вы отправляете файлы, вы уверены, что хотите выйти?",
"%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s": "%(weekDayName)s, %(day)s %(monthName)s %(fullYear)s %(time)s",
"Make Moderator": "Сделать модератором",
"Room": "Комната",
"Cancel": "Отмена",
"Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or <a>enable unsafe scripts</a>.": "Не удается подключиться к домашнему серверу через HTTP, так как в адресной строке браузера указан адрес HTTPS. Используйте HTTPS или <a>включите небезопасные скрипты</a>.",
@ -265,23 +239,21 @@
"powered by Matrix": "основано на Matrix",
"Add a topic": "Задать тему",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "Отображать время в 12-часовом формате (напр. 2:30 ПП)",
"Use compact timeline layout": "Использовать компактный вид списка сообщений",
"No Microphones detected": "Микрофоны не обнаружены",
"Camera": "Камера",
"Microphone": "Микрофон",
"Start automatically after system login": "Автозапуск при входе в систему",
"Analytics": "Аналитика",
"Riot collects anonymous analytics to allow us to improve the application.": "Riot собирает анонимные данные, позволяющие нам улучшить приложение.",
"%(brand)s collects anonymous analytics to allow us to improve the application.": "%(brand)s собирает анонимные данные, позволяющие нам улучшить приложение.",
"Default Device": "Устройство по умолчанию",
"No Webcams detected": "Веб-камера не обнаружена",
"Guests cannot join this room even if explicitly invited.": "Посторонние не смогут войти в эту комнату, даже если они будут приглашены.",
"No media permissions": "Нет разрешённых носителей",
"You may need to manually permit Riot to access your microphone/webcam": "Вам необходимо предоставить Riot доступ к микрофону или веб-камере вручную",
"You may need to manually permit %(brand)s to access your microphone/webcam": "Вам необходимо предоставить %(brand)s доступ к микрофону или веб-камере вручную",
"Anyone": "Все",
"Are you sure you want to leave the room '%(roomName)s'?": "Вы уверены, что хотите покинуть '%(roomName)s'?",
"%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s удалил(а) имя комнаты.",
"Custom level": "Специальные права",
"device id: ": "ID устройства: ",
"Email address": "Email",
"Error decrypting attachment": "Ошибка расшифровки вложения",
"Export": "Экспорт",
@ -291,9 +263,7 @@
"Invited": "Приглашен",
"Jump to first unread message.": "Перейти к первому непрочитанному сообщению.",
"Privileged Users": "Привилегированные пользователи",
"Revoke Moderator": "Отозвать права модератора",
"Register": "Зарегистрироваться",
"Remote addresses for this room:": "Адреса этой комнаты на других серверах:",
"Results from DuckDuckGo": "Результаты от DuckDuckGo",
"Save": "Сохранить",
"Searches DuckDuckGo for results": "Для поиска используется DuckDuckGo",
@ -309,7 +279,6 @@
"Tried to load a specific point in this room's timeline, but you do not have permission to view the message in question.": "Попытка загрузить выбранный интервал истории чата этой комнаты не удалась, так как у вас нет разрешений на просмотр.",
"Tried to load a specific point in this room's timeline, but was unable to find it.": "Попытка загрузить выбранный интервал истории чата этой комнаты не удалась, так как запрошенный элемент не найден.",
"Unmute": "Вернуть право речи",
"Unrecognised room alias:": "Нераспознанный псевдоним комнаты:",
"Verified key": "Ключ проверен",
"You have <a>disabled</a> URL previews by default.": "Предпросмотр ссылок по умолчанию <a>выключен</a> для вас.",
"You have <a>enabled</a> URL previews by default.": "Предпросмотр ссылок по умолчанию <a>включен</a> для вас.",
@ -336,15 +305,9 @@
"Are you sure you wish to remove (delete) this event? Note that if you delete a room name or topic change, it could undo the change.": "Вы действительно хотите удалить это событие? Обратите внимание, что если это смена названия комнаты или темы, то удаление отменит это изменение.",
"Unknown error": "Неизвестная ошибка",
"Incorrect password": "Неверный пароль",
"To continue, please enter your password.": "Чтобы продолжить, введите ваш пароль.",
"I verify that the keys match": "Я подтверждаю, что ключи совпадают",
"Unable to restore session": "Восстановление сессии не удалось",
"If you have previously used a more recent version of Riot, your session may be incompatible with this version. Close this window and return to the more recent version.": "Если вы использовали более новую версию Riot, то ваша сессия может быть несовместима с текущей. Закройте это окно и вернитесь к использованию более новой версии.",
"If you have previously used a more recent version of %(brand)s, your session may be incompatible with this version. Close this window and return to the more recent version.": "Если вы использовали более новую версию %(brand)s, то ваша сессия может быть несовместима с текущей. Закройте это окно и вернитесь к использованию более новой версии.",
"Unknown Address": "Неизвестный адрес",
"Unblacklist": "Разблокировать",
"Blacklist": "Заблокировать",
"Unverify": "Отозвать доверие",
"Verify...": "Сверить ключи...",
"ex. @bob:example.com": "например @bob:example.com",
"Add User": "Добавить пользователя",
"Please check your email to continue registration.": "Чтобы продолжить регистрацию, проверьте электронную почту.",
@ -356,7 +319,6 @@
"Error decrypting video": "Ошибка расшифровки видео",
"Add an Integration": "Добавить интеграцию",
"You are about to be taken to a third-party site so you can authenticate your account for use with %(integrationsUrl)s. Do you wish to continue?": "Вы будете перенаправлены на внешний сайт, чтобы войти в свою учётную запись для использования с %(integrationsUrl)s. Продолжить?",
"Removed or unknown message type": "Сообщение удалено или имеет неизвестный тип",
"URL Previews": "Предпросмотр содержимого ссылок",
"Drop file here to upload": "Перетащите файл сюда для отправки",
" (unsupported)": " (не поддерживается)",
@ -389,11 +351,8 @@
"Accept": "Принять",
"Active call (%(roomName)s)": "Текущий вызов (%(roomName)s)",
"Admin Tools": "Инструменты администратора",
"Alias (optional)": "Псевдоним (опционально)",
"Close": "Закрыть",
"Disable Notifications": "Отключить уведомления",
"Drop File Here": "Перетащите файл сюда",
"Enable Notifications": "Включить оповещения",
"Failed to upload profile picture!": "Не удалось загрузить аватар!",
"Incoming call from %(name)s": "Входящий вызов от %(name)s",
"Incoming video call from %(name)s": "Входящий видеовызов от %(name)s",
@ -411,7 +370,6 @@
"%(roomName)s does not exist.": "%(roomName)s не существует.",
"%(roomName)s is not accessible at this time.": "%(roomName)s на данный момент недоступна.",
"Seen by %(userName)s at %(dateTime)s": "Прочитано %(userName)s в %(dateTime)s",
"Send anyway": "Отправить в любом случае",
"unknown caller": "неизвестный абонент",
"Unnamed Room": "Комната без названия",
"Upload new:": "Загрузить новый:",
@ -421,16 +379,12 @@
"(could not connect media)": "(сбой подключения)",
"(no answer)": "(нет ответа)",
"(unknown failure: %(reason)s)": "(неизвестная ошибка: %(reason)s)",
"Not a valid Riot keyfile": "Недействительный файл ключей Riot",
"Not a valid %(brand)s keyfile": "Недействительный файл ключей %(brand)s",
"Your browser does not support the required cryptography extensions": "Ваш браузер не поддерживает требуемые криптографические расширения",
"Authentication check failed: incorrect password?": "Ошибка аутентификации: возможно, неправильный пароль?",
"Do you want to set an email address?": "Хотите указать email?",
"This will allow you to reset your password and receive notifications.": "Это позволит при необходимости сбросить пароль и получать уведомления.",
"Skip": "Пропустить",
"Start verification": "Начать проверку",
"Share without verifying": "Поделиться без проверки",
"Ignore request": "Игнорировать запрос",
"Encryption key request": "Запрос ключа шифрования",
"Check for update": "Проверить наличие обновлений",
"Add a widget": "Добавить виджет",
"Allow": "Принять",
@ -460,7 +414,6 @@
"Failed to copy": "Не удалось скопировать",
"Ignore": "Игнорировать",
"Unignore": "Перестать игнорировать",
"User Options": "Действия",
"You are now ignoring %(userId)s": "Теперь вы игнорируете %(userId)s",
"You are no longer ignoring %(userId)s": "Вы больше не игнорируете %(userId)s",
"Unignored user": "Пользователь убран из списка игнорирования",
@ -468,7 +421,6 @@
"Stops ignoring a user, showing their messages going forward": "Прекращает игнорирование пользователя, показывая их будущие сообщения",
"Ignores a user, hiding their messages from you": "Игнорирует пользователя, скрывая сообщения от вас",
"Banned by %(displayName)s": "Заблокирован(а) %(displayName)s",
"Message removed by %(userId)s": "Сообщение удалено %(userId)s",
"Description": "Описание",
"Unable to accept invite": "Невозможно принять приглашение",
"Leave": "Покинуть",
@ -486,7 +438,6 @@
"Add to summary": "Добавить в сводку",
"Failed to add the following users to the summary of %(groupId)s:": "Не удалось добавить следующих пользователей в сводку %(groupId)s:",
"Which rooms would you like to add to this summary?": "Какие комнаты вы хотите добавить в эту сводку?",
"Room name or alias": "Название или псевдоним комнаты",
"Pinned Messages": "Закреплённые сообщения",
"%(senderName)s changed the pinned messages for the room.": "%(senderName)s изменил(а) закреплённые в этой комнате сообщения.",
"Failed to add the following rooms to the summary of %(groupId)s:": "Не удалось добавить следующие комнаты в сводку %(groupId)s:",
@ -494,8 +445,6 @@
"The room '%(roomName)s' could not be removed from the summary.": "Комнату '%(roomName)s' не удалось удалить из сводки.",
"Failed to remove a user from the summary of %(groupId)s": "Не удалось удалить пользователя из сводки %(groupId)s",
"The user '%(displayName)s' could not be removed from the summary.": "Пользователя '%(displayName)s' не удалось удалить из сводки.",
"Light theme": "Светлая тема",
"Dark theme": "Тёмная тема",
"Unknown": "Неизвестно",
"Failed to add the following rooms to %(groupId)s:": "Не удалось добавить эти комнаты в %(groupId)s:",
"Matrix ID": "Matrix ID",
@ -554,7 +503,6 @@
"And %(count)s more...|other": "Еще %(count)s…",
"Delete Widget": "Удалить виджет",
"Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "Удаление виджета действует для всех участников этой комнаты. Вы действительно хотите удалить этот виджет?",
"Message removed": "Сообщение удалено",
"Mirror local video feed": "Зеркально отражать видео со своей камеры",
"Invite": "Пригласить",
"Mention": "Упомянуть",
@ -656,16 +604,11 @@
"Something went wrong when trying to get your communities.": "Что-то пошло не так при попытке получить список ваших сообществ.",
"This homeserver doesn't offer any login flows which are supported by this client.": "Этот домашний сервер не поддерживает метод входа, поддерживаемый клиентом.",
"Call Failed": "Звонок не удался",
"Review Devices": "Проверка устройств",
"Call Anyway": "Позвонить в любом случае",
"Answer Anyway": "Ответить в любом случае",
"Call": "Позвонить",
"Answer": "Ответить",
"Send": "Отправить",
"collapse": "свернуть",
"expand": "развернуть",
"Old cryptography data detected": "Обнаружены старые криптографические данные",
"Data from an older version of Riot has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "Обнаружены данные из более старой версии Riot. Это приведет к сбою криптографии в более ранней версии. В этой версии не могут быть расшифрованы сообщения, которые использовались недавно при использовании старой версии. Это также может привести к сбою обмена сообщениями с этой версией. Если возникают неполадки, выйдите и снова войдите в систему. Чтобы сохранить журнал сообщений, экспортируйте и повторно импортируйте ключи.",
"Data from an older version of %(brand)s has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "Обнаружены данные из более старой версии %(brand)s. Это приведет к сбою криптографии в более ранней версии. В этой версии не могут быть расшифрованы сообщения, которые использовались недавно при использовании старой версии. Это также может привести к сбою обмена сообщениями с этой версией. Если возникают неполадки, выйдите и снова войдите в систему. Чтобы сохранить журнал сообщений, экспортируйте и повторно импортируйте ключи.",
"Warning": "Внимание",
"Showing flair for these communities:": "Комната принадлежит следующим сообществам:",
"This room is not showing flair for any communities": "Эта комната не принадлежит каким-либо сообществам",
@ -676,20 +619,17 @@
"%(count)s <resendText>Resend all</resendText> or <cancelText>cancel all</cancelText> now. You can also select individual messages to resend or cancel.|other": "<resendText>Отправить все</resendText> или <cancelText>отменить все</cancelText> сейчас. Можно также выбрать отдельные сообщения для отправки или отмены.",
"%(count)s <resendText>Resend all</resendText> or <cancelText>cancel all</cancelText> now. You can also select individual messages to resend or cancel.|one": "<resendText>Отправить</resendText> или <cancelText>отменить</cancelText> сообщение сейчас.",
"Send an encrypted reply…": "Отправить зашифрованный ответ…",
"Send a reply (unencrypted)…": "Отправить ответ (нешифрованный)…",
"Send an encrypted message…": "Отправить зашифрованное сообщение…",
"Send a message (unencrypted)…": "Отправить сообщение (нешифрованное)…",
"Replying": "Отвечает",
"Minimize apps": "Свернуть приложения",
"Privacy is important to us, so we don't collect any personal or identifiable data for our analytics.": "Конфиденциальность важна для нас, поэтому мы не собираем никаких личных или идентифицирующих данных для нашей аналитики.",
"Learn more about how we use analytics.": "Подробнее о том, как мы используем аналитику.",
"The information being sent to us to help make Riot.im better includes:": "Информация, отправляемая нам, чтобы помочь нам сделать Riot.im лучше, включает в себя:",
"The information being sent to us to help make %(brand)s better includes:": "Информация, которая отправляется нам для улучшения %(brand)s, включает в себя:",
"Where this page includes identifiable information, such as a room, user or group ID, that data is removed before being sent to the server.": "Если на этой странице встречаются сведения личного характера, например имя комнаты, имя пользователя или группы, они удаляются перед отправкой на сервер.",
"The platform you're on": "Используемая платформа",
"The version of Riot.im": "Версия Riot.im",
"The version of %(brand)s": "Версия %(brand)s",
"Your language of choice": "Выбранный язык",
"Your homeserver's URL": "URL-адрес сервера",
"Your identity server's URL": "URL-адрес сервера идентификации",
"%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s, %(day)s %(monthName)s %(fullYear)s",
"Which officially provided instance you are using, if any": "Каким официально поддерживаемым клиентом вы пользуетесь (если пользуетесь)",
"Whether or not you're using the Richtext mode of the Rich Text Editor": "Используете ли вы режим Richtext в редакторе Rich Text Editor",
@ -702,7 +642,7 @@
"Failed to add tag %(tagName)s to room": "Не удалось добавить тег %(tagName)s в комнату",
"Clear filter": "Очистить фильтр",
"To set up a filter, drag a community avatar over to the filter panel on the far left hand side of the screen. You can click on an avatar in the filter panel at any time to see only the rooms and people associated with that community.": "Чтобы настроить фильтр, перетащите аватар сообщества на панель фильтров в левой части экрана. Вы можете нажать на аватар в панели фильтров в любое время, чтобы увидеть только комнаты и людей, связанных с этим сообществом.",
"Did you know: you can use communities to filter your Riot.im experience!": "Знаете ли вы: вы можете использовать сообщества, чтобы фильтровать в Riot.im!",
"Did you know: you can use communities to filter your %(brand)s experience!": "Знаете ли вы: вы можете использовать сообщества, чтобы фильтровать в %(brand)s!",
"Key request sent.": "Запрос ключа отправлен.",
"Code": "Код",
"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 or groups you have visited and the usernames of other users. They do not contain messages.": "Если вы отправили ошибку через GitHub, журналы отладки могут помочь нам выявить проблему. Журналы отладки содержат данные об использовании приложения, включая ваше имя пользователя, идентификаторы или псевдонимы комнат или групп, которые вы посетили, а также имена других пользователей. Они не содержат сообщений.",
@ -720,7 +660,6 @@
"Hide Stickers": "Скрыть стикеры",
"Show Stickers": "Показать стикеры",
"Fetching third party location failed": "Не удалось извлечь местоположение третьей стороны",
"A new version of Riot is available.": "Доступна новая версия Riot.",
"I understand the risks and wish to continue": "Я понимаю риски и желаю продолжить",
"Send Account Data": "Отправка данных учётной записи",
"All notifications are currently disabled for all targets.": "Все оповещения для всех устройств отключены.",
@ -740,8 +679,6 @@
"Send Custom Event": "Отправить произвольное событие",
"Advanced notification settings": "Дополнительные параметры уведомлений",
"Failed to send logs: ": "Не удалось отправить журналы: ",
"delete the alias.": "удалить псевдоним.",
"To return to your account in future you need to <u>set a password</u>": "Чтобы вы могли использовать свою учётную запись позже, вам необходимо <u>задать пароль</u>",
"Forget": "Забыть",
"You cannot delete this image. (%(code)s)": "Вы не можете удалить это изображение. (%(code)s)",
"Cancel Sending": "Отменить отправку",
@ -767,7 +704,6 @@
"No update available.": "Нет доступных обновлений.",
"Resend": "Переотправить",
"Collecting app version information": "Сбор информации о версии приложения",
"Delete the room alias %(alias)s and remove %(name)s from the directory?": "Удалить псевдоним комнаты %(alias)s и удалить %(name)s из каталога?",
"Keywords": "Ключевые слова",
"Enable notifications for this account": "Включить уведомления для этой учётной записи",
"Invite to this community": "Пригласить в это сообщество",
@ -778,7 +714,7 @@
"Search…": "Поиск…",
"You have successfully set a password and an email address!": "Вы успешно установили пароль и email!",
"Remove %(name)s from the directory?": "Удалить %(name)s из каталога?",
"Riot uses many advanced browser features, some of which are not available or experimental in your current browser.": "Riot использует многие передовые возможности браузера, некоторые из которых недоступны или являются экспериментальным в вашем текущем браузере.",
"%(brand)s uses many advanced browser features, some of which are not available or experimental in your current browser.": "%(brand)s использует многие передовые возможности браузера, некоторые из которых недоступны или являются экспериментальным в вашем текущем браузере.",
"Developer Tools": "Инструменты разработчика",
"Preparing to send logs": "Подготовка к отправке журналов",
"Explore Account Data": "Просмотр данных учётной записи",
@ -821,8 +757,7 @@
"Debug logs contain application usage data including your username, the IDs or aliases of the rooms or groups you have visited and the usernames of other users. They do not contain messages.": "Журналы отладки содержат данные об использовании приложения, включая ваше имя пользователя, идентификаторы или псевдонимы комнат или групп, которые вы посетили, а также имена других пользователей. Они не содержат сообщений.",
"Unhide Preview": "Показать предварительный просмотр",
"Unable to join network": "Не удается подключиться к сети",
"You might have configured them in a client other than Riot. You cannot tune them in Riot but they still apply": "Возможно, вы настроили их не в Riot, а в другом Matrix-клиенте. Настроить их в Riot не удастся, но они будут продолжать работать и здесь",
"Sorry, your browser is <b>not</b> able to run Riot.": "К сожалению, ваш браузер <b>не способен</b> запустить Riot.",
"Sorry, your browser is <b>not</b> able to run %(brand)s.": "К сожалению, ваш браузер <b>не способен</b> запустить %(brand)s.",
"Messages in group chats": "Сообщения в конференциях",
"Yesterday": "Вчера",
"Error encountered (%(errorDetail)s).": "Обнаружена ошибка (%(errorDetail)s).",
@ -830,7 +765,7 @@
"Unable to fetch notification target list": "Не удалось получить список устройств для уведомлений",
"Set Password": "Задать пароль",
"Off": "Выключить",
"Riot does not know how to join a room on this network": "Riot не знает, как присоединиться к комнате в этой сети",
"%(brand)s does not know how to join a room on this network": "%(brand)s не знает, как присоединиться к комнате в этой сети",
"Mentions only": "Только при упоминаниях",
"Wednesday": "Среда",
"You can now return to your account after signing out, and sign in on other devices.": "Теперь вы сможете вернуться к своей учётной записи после выхода и войти на других устройствах.",
@ -846,13 +781,11 @@
"Quote": "Цитата",
"With your current browser, the look and feel of the application may be completely incorrect, and some or all features may not function. If you want to try it anyway you can continue, but you are on your own in terms of any issues you may encounter!": "В текущем браузере внешний вид приложения может быть полностью неверным, а некоторые или все функции могут не работать. Если вы хотите попробовать в любом случае, то можете продолжить, но с теми проблемами, с которыми вы можете столкнуться вам придется разбираться самостоятельно!",
"Checking for an update...": "Проверка обновлений…",
"There are advanced notifications which are not shown here": "Существуют дополнительные уведомления, которые не показаны здесь",
"Missing roomId.": "Отсутствует идентификатор комнаты.",
"You don't currently have any stickerpacks enabled": "У вас нет стикеров",
"Popout widget": "Всплывающий виджет",
"Every page you use in the app": "Каждая страница, которую вы используете в приложении",
"e.g. <CurrentPageURL>": "напр. <CurrentPageURL>",
"Your User Agent": "Ваш пользовательский агент",
"Your device resolution": "Разрешение вашего устройства",
"Always show encryption icons": "Всегда показывать значки шифрования",
"Send Logs": "Отправить логи",
@ -874,9 +807,6 @@
"Message visibility in Matrix is similar to email. Our forgetting your messages means that messages you have sent will not be shared with any new or unregistered users, but registered users who already have access to these messages will still have access to their copy.": "Видимость сообщений в Matrix похожа на электронную почту. Удаление ваших сообщений означает, что отправленные вами сообщения не будут видны новым или незарегистрированным пользователям, но зарегистрированные пользователи, у которых уже есть доступ к этим сообщениям, по-прежнему будут иметь доступ к своей копии.",
"Please forget all messages I have sent when my account is deactivated (<b>Warning:</b> this will cause future users to see an incomplete view of conversations)": "Удалить все мои сообщения после деактивации учётной записи. (<b>Внимание:</b> разговоры с другими пользователями будут выглядеть неполными)",
"To continue, please enter your password:": "Чтобы продолжить, введите пароль:",
"Please help improve Riot.im by sending <UsageDataLink>anonymous usage data</UsageDataLink>. This will use a cookie (please see our <PolicyLink>Cookie Policy</PolicyLink>).": "Пожалуйста, помогите улучшить Riot.im, отправляя <UsageDataLink>анонимные данные использования</UsageDataLink>. При этом будут использоваться cookie (ознакомьтесь с нашей<PolicyLink>Политикой cookie</PolicyLink>).",
"Please help improve Riot.im by sending <UsageDataLink>anonymous usage data</UsageDataLink>. This will use a cookie.": "Пожалуйста, помогите улучшить Riot.im, отправляя <UsageDataLink>анонимные данные использования</UsageDataLink>. При этом будут использоваться cookie.",
"Yes, I want to help!": "Да, я хочу помочь!",
"Can't leave Server Notices room": "Невозможно покинуть комнату сервера уведомлений",
"This room is used for important messages from the Homeserver, so you cannot leave it.": "Эта комната используется для важных сообщений от сервера, поэтому вы не можете ее покинуть.",
"No Audio Outputs detected": "Аудиовыход не обнаружен",
@ -910,15 +840,12 @@
"System Alerts": "Системные оповещения",
"Only room administrators will see this warning": "Только администраторы комнат увидят это предупреждение",
"Please <a>contact your service administrator</a> to continue using the service.": "Пожалуйста, <a>обратитесь к вашему администратору</a>, чтобы продолжить использование сервиса.",
"Please <a>contact your service administrator</a> to get this limit increased.": "Пожалуйста, <a>обратитесь к вашему администратору</a>, чтобы увеличить этот лимит.",
"Upgrade Room Version": "Обновление версии комнаты",
"Create a new room with the same name, description and avatar": "Создадим новую комнату с тем же именем, описанием и аватаром",
"Update any local room aliases to point to the new room": "Обновим локальные псевдонимы комнат",
"Stop users from speaking in the old version of the room, and post a message advising users to move to the new room": "Остановим общение пользователей в старой версии комнаты и опубликуем сообщение, в котором пользователям рекомендуется перейти в новую комнату",
"Put a link back to the old room at the start of the new room so people can see old messages": "Разместим ссылку на старую комнату, чтобы люди могли видеть старые сообщения",
"Please <a>contact your service administrator</a> to continue using this service.": "Пожалуйста, <a>обратитесь к вашему администратору</a>, чтобы продолжить использовать этот сервис.",
"Registration Required": "Требуется регистрация",
"You need to register to do this. Would you like to register now?": "Вам необходимо зарегистрироваться для этого действия. Вы хотели бы зарегистрировать сейчас?",
"Whether or not you're logged in (we don't record your username)": "Независимо от того, вошли вы или нет (мы не записываем ваше имя пользователя)",
"Unable to load! Check your network connectivity and try again.": "Не удалось загрузить! Проверьте подключение к сети и попробуйте снова.",
"Failed to invite users to the room:": "Не удалось пригласить пользователей в комнату:",
@ -926,11 +853,6 @@
"Sets the room name": "Устанавливает название комнаты",
"Forces the current outbound group session in an encrypted room to be discarded": "Принудительно отбрасывает текущую групповую сессию для отправки сообщений в зашифрованную комнату",
"%(senderDisplayName)s upgraded this room.": "%(senderDisplayName)s модернизировал эту комнату.",
"%(senderName)s added %(count)s %(addedAddresses)s as addresses for this room.|other": "%(senderName)s добавил %(addedAddresses)s к списку адресов комнаты.",
"%(senderName)s added %(count)s %(addedAddresses)s as addresses for this room.|one": "%(senderName)s добавил %(addedAddresses)s к списку адресов комнаты.",
"%(senderName)s removed %(count)s %(removedAddresses)s as addresses for this room.|other": "%(senderName)s удалил %(removedAddresses)s из списка адресов комнаты.",
"%(senderName)s removed %(count)s %(removedAddresses)s as addresses for this room.|one": "%(senderName)s удалил %(removedAddresses)s из списка адресов комнаты.",
"%(senderName)s added %(addedAddresses)s and removed %(removedAddresses)s as addresses for this room.": "%(senderName)s добавил %(addedAddresses)s и удалил %(removedAddresses)s из списка адресов комнаты.",
"%(senderName)s set the main address for this room to %(address)s.": "%(senderName)s установил %(address)s в качестве главного адреса комнаты.",
"%(senderName)s removed the main address for this room.": "%(senderName)s удалил главный адрес комнаты.",
"%(displayName)s is typing …": "%(displayName)s печатает…",
@ -1016,7 +938,7 @@
"Theme": "Тема",
"Account management": "Управление учётной записью",
"Deactivating your account is a permanent action - be careful!": "Деактивация вашей учётной записи — это необратимое действие. Будьте осторожны!",
"Chat with Riot Bot": "Чат с ботом Riot",
"Chat with %(brand)s Bot": "Чат с ботом %(brand)s",
"Help & About": "Помощь & О программе",
"FAQ": "Часто задаваемые вопросы",
"Versions": "Версии",
@ -1040,8 +962,6 @@
"This room is a continuation of another conversation.": "Эта комната является продолжением другого разговора.",
"Click here to see older messages.": "Нажмите, чтобы увидеть старые сообщения.",
"Failed to load group members": "Не удалось загрузить участников группы",
"This homeserver has hit its Monthly Active User limit so <b>some users will not be able to log in</b>.": "Из-за ежемесячного ограничения активных пользователей сервера <b>некоторые из пользователей не смогут войти в систему</b>.",
"This homeserver has exceeded one of its resource limits so <b>some users will not be able to log in</b>.": "Превышен один из ресурсных лимитов сервера, по этому <b>некоторые пользователи не смогут залогиниться</b>.",
"Join": "Войти",
"That doesn't look like a valid email address": "Это не похоже на адрес электронной почты",
"Your message wasn't sent because this homeserver has hit its Monthly Active User Limit. Please <a>contact your service administrator</a> to continue using the service.": "Ваше сообщение не было отправлено, потому что этот домашний сервер превысил месячный лимит активных пользователей. <a>обратитесь к администратору службы</a>, чтобы продолжить использование службы.",
@ -1062,12 +982,9 @@
"Before submitting logs, you must <a>create a GitHub issue</a> to describe your problem.": "Перед отправкой логов необходимо <a>создать GitHub issue</a>, для описания проблемы.",
"Incompatible Database": "Несовместимая база данных",
"Continue With Encryption Disabled": "Продолжить с отключенным шифрованием",
"Use Legacy Verification (for older clients)": "Использовать устаревшую верификацию (для старых клиентов)",
"Verify by comparing a short text string.": "Проверьте, сравнив короткую текстовую строку.",
"Begin Verifying": "Начать проверку",
"Incoming Verification Request": "Входящий запрос о проверке",
"Clear cache and resync": "Очистить кэш и выполнить повторную синхронизацию",
"Updating Riot": "Обновление Riot",
"Updating %(brand)s": "Обновление %(brand)s",
"Report bugs & give feedback": "Сообщайте об ошибках и оставляйте отзывы",
"Go back": "Назад",
"Failed to upgrade room": "Не удалось обновить комнату",
@ -1077,14 +994,8 @@
"Unable to load backup status": "Невозможно загрузить статус резервной копии",
"Unable to restore backup": "Невозможно восстановить резервную копию",
"No backup found!": "Резервных копий не найдено!",
"Backup could not be decrypted with this key: please verify that you entered the correct recovery key.": "Невозможно расшифровать резервную копию этим ключом: убедитесь, что вы ввели правильный ключ восстановления.",
"Backup Restored": "Резервная копия восстановлена",
"Enter Recovery Passphrase": "Введите парольную фразу восстановления",
"Starting backup...": "Запуск резервного копирования...",
"Keep it safe": "Храните надёжно",
"Copy to clipboard": "Скопировать в буфер обмена",
"Download": "Скачать",
"Your Recovery Key": "Ваш ключ восстановления",
"Create your account": "Создать учётную запись",
"Username": "Имя пользователя",
"Not sure of your password? <a>Set a new one</a>": "Не уверены в пароле? <a>Установите новый</a>",
@ -1106,7 +1017,6 @@
"A new recovery passphrase and key for Secure Messages have been detected.": "Обнаружена новая парольная фраза восстановления и ключ для безопасных сообщений.",
"New Recovery Method": "Новый метод восстановления",
"If you don't want to set this up now, you can later in Settings.": "Это можно сделать позже в настройках.",
"Create Key Backup": "Создать ключ резервного копирования",
"Set up Secure Message Recovery": "Настройка безопасного восстановления сообщений",
"<b>Copy it</b> to your personal cloud storage": "<b>Скопируйте</b> в персональное облачное хранилище",
"<b>Save it</b> on a USB key or backup drive": "<b>Сохраните</b> на USB-диске или на резервном диске",
@ -1188,7 +1098,6 @@
"User %(userId)s is already in the room": "Пользователь %(userId)s уже находится в комнате",
"The user must be unbanned before they can be invited.": "Пользователь должен быть разблокирован прежде чем может быть приглашён.",
"Allow Peer-to-Peer for 1:1 calls": "Разрешить прямое соединение (p2p) для прямых звонков (один на один)",
"Order rooms in the room list by most important first instead of most recent": "Сортировать список комнат по важности вместо активности",
"Verify this user by confirming the following emoji appear on their screen.": "Проверьте собеседника, убедившись, что на его экране отображаются следующие символы (смайлы).",
"Unable to find a supported verification method.": "Невозможно определить поддерживаемый метод верификации.",
"Scissors": "Ножницы",
@ -1205,8 +1114,8 @@
"Missing media permissions, click the button below to request.": "Отсутствуют разрешения для доступа к камере/микрофону. Нажмите кнопку ниже, чтобы запросить их.",
"Request media permissions": "Запросить доступ к медиа носителю",
"Change room name": "Изменить название комнаты",
"For help with using Riot, click <a>here</a>.": "Для получения помощи по использованию Riot, нажмите <a>здесь</a>.",
"For help with using Riot, click <a>here</a> or start a chat with our bot using the button below.": "Для получения помощи по использованию Riot, нажмите <a>здесь</a> или начните чат с нашим ботом с помощью кнопки ниже.",
"For help with using %(brand)s, click <a>here</a>.": "Для получения помощи по использованию %(brand)s, нажмите <a>здесь</a>.",
"For help with using %(brand)s, click <a>here</a> or start a chat with our bot using the button below.": "Для получения помощи по использованию %(brand)s, нажмите <a>здесь</a> или начните чат с нашим ботом с помощью кнопки ниже.",
"Bug reporting": "Сообщить об ошибке",
"Open Devtools": "Открыть инструменты разработчика",
"Change room avatar": "Изменить аватар комнаты",
@ -1227,7 +1136,6 @@
"A username can only contain lower case letters, numbers and '=_-./'": "Имя пользователя может содержать только буквы нижнего регистра, цифры и знаки '=_-./'",
"Composer": "Редактор",
"Whether or not you're using the 'breadcrumbs' feature (avatars above the room list)": "Используете ли вы функцию \"хлебные крошки\" (аватары над списком комнат) или нет",
"A conference call could not be started because the integrations server is not available": "Конференц-вызов не может быть запущен, так как сервер интеграции недоступен",
"Replying With Files": "Ответ файлами",
"At this time it is not possible to reply with a file. Would you like to upload this file without replying?": "На данный момент не возможнo ответить с файлом. Хотите загрузить этот файл без ответа?",
"The file '%(fileName)s' failed to upload.": "Файл '%(fileName)s' не был загружен.",
@ -1263,7 +1171,6 @@
"Send %(eventType)s events": "Отправить %(eventType)s события",
"Select the roles required to change various parts of the room": "Выберите роли, которые смогут менять различные параметры комнаты",
"Once enabled, encryption for a room cannot be disabled. Messages sent in an encrypted room cannot be seen by the server, only by the participants of the room. Enabling encryption may prevent many bots and bridges from working correctly. <a>Learn more about encryption.</a>": "После включения шифрования в комнате оно не может быть отключено. Сообщения, отправленные в шифрованной комнате, смогут прочитать только участники комнаты, но не сервер. Включенное шифрование может помешать корректной работе многим ботам и мостам. <a>Подробнее о шифровании.</a>",
"To link to this room, please add an alias.": "Для ссылки на эту комнату, пожалуйста, добавьте псевдоним.",
"Changes to who can read history will only apply to future messages in this room. The visibility of existing history will be unchanged.": "Изменения в том, кто может читать историю, будут применяться только к будущим сообщениям в этой комнате. Существующие истории останутся без изменений.",
"%(senderDisplayName)s enabled flair for %(groups)s in this room.": "%(senderDisplayName)s включено для %(groups)s в этой комнате.",
"%(senderDisplayName)s disabled flair for %(groups)s in this room.": "%(senderDisplayName)s выключено для %(groups)s в этой комнате.",
@ -1307,10 +1214,6 @@
"Revoke invite": "Отозвать приглашение",
"Invited by %(sender)s": "Приглашен %(sender)s",
"There was an error updating the room's main address. It may not be allowed by the server or a temporary failure occurred.": "При обновлении основного адреса комнаты произошла ошибка. Возможно, это не разрешено сервером или произошел временный сбой.",
"Error creating alias": "Ошибка при создании псевдонима",
"There was an error creating that alias. It may not be allowed by the server or a temporary failure occurred.": "Произошла ошибка при создании этого псевдонима. Возможно, это не разрешено сервером или произошёл временный сбой.",
"Error removing alias": "Ошибка удаления псевдонима",
"There was an error removing that alias. It may no longer exist or a temporary error occurred.": "Произошла ошибка при удалении этого псевдонима. Возможно, он больше не существует или произошла временная ошибка.",
"Error updating flair": "Ошибка обновления стиля",
"There was an error updating the flair for this room. The server may not allow it or a temporary error occurred.": "При обновлении стиля для этой комнаты произошла ошибка. Сервер может не разрешить это или произошла временная ошибка.",
"<reactors/><reactedWith>reacted with %(shortName)s</reactedWith>": "<reactors/><reactedWith>отреагировал с %(shortName)s</reactedWith>",
@ -1328,18 +1231,13 @@
"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 Riot to do this": "Чтобы не потерять историю чата, вы должны экспортировать ключи от комнаты перед выходом из системы. Для этого вам нужно будет вернуться к более новой версии Riot",
"You've previously used a newer version of Riot on %(host)s. To use this version again with end to end encryption, you will need to sign out and back in again. ": "В прошлый раз вы использовали более новую версию Riot на сервере %(host)s. Чтобы снова использовать эту версию со сквозным шифрованием, вам нужно выйти и снова войти. ",
"Waiting for partner to accept...": "Ожидание подтверждения партнера...",
"Nothing appearing? Not all clients support interactive verification yet. <button>Use legacy verification</button>.": "Ничего не появляется? Еще не все клиенты поддерживают интерактивную проверку. <button> Использовать устаревшую проверку</button>.",
"Waiting for %(userId)s to confirm...": "Ожидание подтверждения от %(userId)s...",
"Use two-way text verification": "Использовать двустороннюю проверку текста",
"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",
"View Servers in Room": "Просмотр серверов в комнате",
"Verify this user to mark them as trusted. Trusting users gives you extra peace of mind when using end-to-end encrypted messages.": "Проверьте этого пользователя, чтобы отметить его как доверенного. Доверенные пользователи дают вам больше уверенности при использовании шифрованных сообщений.",
"Waiting for partner to confirm...": "Ожидание подтверждения партнера...",
"You've previously used Riot 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, Riot needs to resync your account.": "Ранее вы использовали Riot на %(host)s с отложенной загрузкой участников. В этой версии отложенная загрузка отключена. Поскольку локальный кеш не совместим между этими двумя настройками, Riot необходимо повторно синхронизировать вашу учётную запись.",
"If the other version of Riot is still open in another tab, please close it as using Riot on the same host with both lazy loading enabled and disabled simultaneously will cause issues.": "Если другая версия Riot все еще открыта на другой вкладке, закройте ее, так как использование Riot на том же хосте с включенной и отключенной ленивой загрузкой одновременно вызовет проблемы.",
"Riot now uses 3-5x less memory, by only loading information about other users when needed. Please wait whilst we resynchronise with the server!": "Riot теперь использует в 3-5 раз меньше памяти, загружая информацию о других пользователях только когда это необходимо. Пожалуйста, подождите, пока мы ресинхронизируемся с сервером!",
"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.": "Ранее вы использовали %(brand)s на %(host)s с отложенной загрузкой участников. В этой версии отложенная загрузка отключена. Поскольку локальный кеш не совместим между этими двумя настройками, %(brand)s необходимо повторно синхронизировать вашу учётную запись.",
"If the other version of %(brand)s is still open in another tab, please close it as using %(brand)s on the same host with both lazy loading enabled and disabled simultaneously will cause issues.": "Если другая версия %(brand)s все еще открыта на другой вкладке, закройте ее, так как использование %(brand)s на том же хосте с включенной и отключенной ленивой загрузкой одновременно вызовет проблемы.",
"%(brand)s now uses 3-5x less memory, by only loading information about other users when needed. Please wait whilst we resynchronise with the server!": "%(brand)s теперь использует в 3-5 раз меньше памяти, загружая информацию о других пользователях только когда это необходимо. Пожалуйста, подождите, пока мы ресинхронизируемся с сервером!",
"I don't want my encrypted messages": "Мне не нужны мои зашифрованные сообщения",
"Manually export keys": "Экспортировать ключи вручную",
"If you run into any bugs or have feedback you'd like to share, please let us know on GitHub.": "Если вы заметили ошибку или хотите оставить отзыв, пожалуйста, сообщите нам на GitHub.",
@ -1364,16 +1262,11 @@
"A widget located at %(widgetUrl)s would like to verify your identity. By allowing this, the widget will be able to verify your user ID, but not perform actions as you.": "Виджет расположенный в %(widgetUrl)s, хотел бы подтвердить вашу личность. Разрешая это, виджет сможет проверять ваш ID пользователя, но не выполнять действия как вы.",
"Remember my selection for this widget": "Запомнить мой выбор для этого виджета",
"Deny": "Отказать",
"Recovery Key Mismatch": "Несоответствие ключа восстановления",
"Incorrect Recovery Passphrase": "Неверный пароль восстановления",
"Backup could not be decrypted with this passphrase: please verify that you entered the correct recovery passphrase.": "Невозможно расшифровать резервную копию с помощью этой парольной фразы: убедитесь, что вы ввели правильную парольную фразу для восстановления.",
"Failed to decrypt %(failedCount)s sessions!": "Не удалось расшифровать %(failedCount)s сессии!",
"Restored %(sessionCount)s session keys": "Восстановлены %(sessionCount)s сессионных ключа",
"<b>Warning</b>: you should only set up key backup from a trusted computer.": "<b>Предупреждение</b>: вам следует настроить резервное копирование ключей только с доверенного компьютера.",
"Access your secure message history and set up secure messaging by entering your recovery passphrase.": "Получите доступ к своей истории защищенных сообщений и настройте безопасный обмен сообщениями, введя пароль для восстановления.",
"Next": "Далее",
"If you've forgotten your recovery passphrase you can <button1>use your recovery key</button1> or <button2>set up new recovery options</button2>": "Если вы забыли пароль для восстановления, вы можете <button1>использовать свой ключ восстановления</button1> или <button2>, чтобы настроить новые параметры восстановления</button2>",
"Enter Recovery Key": "Введите ключ восстановления",
"This looks like a valid recovery key!": "Это похоже на действительный ключ восстановления!",
"Not a valid recovery key": "Недействительный ключ восстановления",
"Access your secure message history and set up secure messaging by entering your recovery key.": "Получите доступ к своей истории защищенных сообщений и настройте безопасный обмен сообщениями, введя свой ключ восстановления.",
@ -1415,8 +1308,8 @@
"You are an administrator of this community. You will not be able to rejoin without an invite from another administrator.": "Вы являетесь администратором этого сообщества. Вы не сможете вернуться без приглашения от другого администратора.",
"Want more than a community? <a>Get your own server</a>": "Хотите больше, чем просто сообщество? <a>Получите свой собственный сервер</a>",
"This homeserver does not support communities": "Этот сервер не поддерживает сообщества",
"Riot failed to get the protocol list from the homeserver. The homeserver may be too old to support third party networks.": "Riot не смог получить список протоколов с сервера.Сервер может быть слишком старым для поддержки сетей сторонних производителей.",
"Riot failed to get the public room list.": "Riot не смог получить список публичных комнат.",
"%(brand)s failed to get the protocol list from the homeserver. The homeserver may be too old to support third party networks.": "%(brand)s не смог получить список протоколов с сервера.Сервер может быть слишком старым для поддержки сетей сторонних производителей.",
"%(brand)s failed to get the public room list.": "%(brand)s не смог получить список публичных комнат.",
"The homeserver may be unavailable or overloaded.": "Сервер может быть недоступен или перегружен.",
"Add room": "Добавить комнату",
"You have %(count)s unread notifications in a prior version of this room.|other": "У вас есть %(count)s непрочитанных уведомлений в предыдущей версии этой комнаты.",
@ -1432,7 +1325,6 @@
"Set a new password": "Установить новый пароль",
"Invalid homeserver discovery response": "Неверный ответ при попытке обнаружения домашнего сервера",
"Failed to get autodiscovery configuration from server": "Не удалось получить конфигурацию автообнаружения с сервера",
"Show recently visited rooms above the room list": "Показать недавно посещённые комнаты над списком комнат",
"Invalid base_url for m.homeserver": "Неверный base_url для m.homeserver",
"Homeserver URL does not appear to be a valid Matrix homeserver": "URL-адрес сервера не является действительным URL-адресом сервера Матрица",
"Invalid identity server discovery response": "Неверный ответ на запрос идентификации сервера",
@ -1445,11 +1337,7 @@
"Create account": "Создать учётную запись",
"Registration has been disabled on this homeserver.": "Регистрация на этом сервере отключена.",
"Unable to query for supported registration methods.": "Невозможно запросить поддерживаемые методы регистрации.",
"Great! This passphrase looks strong enough.": "Отлично! Этот пароль выглядит достаточно сильной.",
"We'll store an encrypted copy of your keys on our server. Protect your backup with a passphrase to keep it secure.": "Мы будем хранить зашифрованную копию ваших ключей на нашем сервере. Защитите свою резервную копию паролем, чтобы сохранить ее в безопасности.",
"For maximum security, this should be different from your account password.": "Для максимальной безопасности он должен отличаться от пароля вашей учётной записи.",
"Enter a passphrase...": "Введите пароль....",
"Set up with a Recovery Key": "Настройка с ключом восстановления",
"That matches!": "Они совпадают!",
"That doesn't match.": "Они не совпадают.",
"Uploaded sound": "Загруженный звук",
@ -1459,15 +1347,7 @@
"Set a new custom sound": "Установка нового пользовательского звука",
"Browse": "Просматривать",
"Go back to set it again.": "Задать другой пароль.",
"Please enter your passphrase a second time to confirm.": "Пожалуйста, введите ваш пароль еще раз для подтверждения.",
"Repeat your passphrase...": "Повторите ваш пароль...",
"As a safety net, you can use it to restore your encrypted message history if you forget your Recovery Passphrase.": "Как сеть безопасности, вы можете использовать ее для восстановления истории зашифрованных сообщений, если вы забыли свой пароль восстановления.",
"As a safety net, you can use it to restore your encrypted message history.": "Как сеть безопасности, вы можете использовать ее для восстановления истории зашифрованных сообщений.",
"Your recovery key is a safety net - you can use it to restore access to your encrypted messages if you forget your passphrase.": "Ключ восстановления - это сеть безопасности, с помощью которой можно восстановить доступ к зашифрованным сообщениям, если вы забудете пароль.",
"<b>Print it</b> and store it somewhere safe": "<b>Распечатайте его</b> и храните в безопасном месте",
"Secure your backup with a passphrase": "Защитите вашу резервную копию паролем",
"Confirm your passphrase": "Подтвердите свой пароль",
"Recovery key": "Ключ восстановления",
"Success!": "Успешно!",
"Unable to create key backup": "Невозможно создать резервную копию ключа",
"Retry": "Попробуйте снова",
@ -1476,8 +1356,8 @@
"If you didn't remove the recovery method, an attacker may be trying to access your account. Change your account password and set a new recovery method immediately in Settings.": "Если вы не убрали метод восстановления, злоумышленник может получить доступ к вашей учётной записи. Смените пароль учётной записи и сразу задайте новый способ восстановления в настройках.",
"Cannot reach homeserver": "Не удаётся связаться с сервером",
"Ensure you have a stable internet connection, or get in touch with the server admin": "Убедитесь, что у вас есть стабильное подключение к интернету, или свяжитесь с администратором сервера",
"Your Riot is misconfigured": "Ваш Riot неправильно настроен",
"Ask your Riot admin to check <a>your config</a> for incorrect or duplicate entries.": "Попросите администратора Riot проверить <a>конфигурационный файл</a > на наличие неправильных или повторяющихся записей.",
"Your %(brand)s is misconfigured": "Ваш %(brand)s неправильно настроен",
"Ask your %(brand)s admin to check <a>your config</a> for incorrect or duplicate entries.": "Попросите администратора %(brand)s проверить <a>конфигурационный файл</a > на наличие неправильных или повторяющихся записей.",
"Unexpected error resolving identity server configuration": "Неопределённая ошибка при разборе параметра сервера идентификации",
"Use lowercase letters, numbers, dashes and underscores only": "Используйте только строчные буквы, цифры, тире и подчеркивания",
"Cannot reach identity server": "Не удаётся связаться с сервером идентификации",
@ -1563,8 +1443,6 @@
"Filter": "Поиск",
"Filter rooms…": "Поиск комнат…",
"If you can't find the room you're looking for, ask for an invite or <a>Create a new room</a>.": "Если не удаётся найти комнату, то можно запросить приглашение или <a>Создать новую комнату</a>.",
"Room alias": "Псевдоним комнаты",
"Set a room alias to easily share your room with other people.": "Присвоить комнате адрес, чтобы было проще приглашать в неё людей.",
"Create a public room": "Создать публичную комнату",
"Create a private room": "Создать приватную комнату",
"Topic (optional)": "Тема (опционально)",
@ -1634,9 +1512,6 @@
"Unread mentions.": "Непрочитанные упоминания.",
"Show image": "Показать изображение",
"e.g. my-room": "например, моя-комната",
"Please provide a room alias": "Пожалуйста, укажите псевдоним комнаты",
"This alias is available to use": "Этот псевдоним доступен для использования",
"This alias is already in use": "Этот псевдоним уже используется",
"Close dialog": "Закрыть диалог",
"Please enter a name for the room": "Пожалуйста, введите название комнаты",
"This room is private, and can only be joined by invitation.": "Эта комната приватная, в неё можно войти только по приглашению.",
@ -1652,10 +1527,10 @@
"Deactivating this user will log them out and prevent them from logging back in. Additionally, they will leave all the rooms they are in. This action cannot be reversed. Are you sure you want to deactivate this user?": "Деактивация этого пользователя приведет к его выходу из системы и запрету повторного входа. Кроме того, они оставит все комнаты, в которых он участник. Это действие безповоротно. Вы уверены, что хотите деактивировать этого пользователя?",
"An error (%(errcode)s) was returned while trying to validate your invite. You could try to pass this information on to a room admin.": "При попытке подтвердить приглашение была возвращена ошибка (%(errcode)s). Вы можете попробовать передать эту информацию администратору комнаты.",
"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 Riot.": "Свяжите этот адрес с вашей учетной записью в настройках, чтобы получать приглашения непосредственно в Riot.",
"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",
"Use an identity server in Settings to receive invites directly in Riot.": "Используйте сервер идентификации в Настройках для получения приглашений непосредственно в Riot.",
"Share this email in Settings to receive invites directly in Riot.": "Введите адрес эл.почты в Настройках, чтобы получать приглашения прямо в Riot.",
"Use an identity server in Settings to receive invites directly in %(brand)s.": "Используйте сервер идентификации в Настройках для получения приглашений непосредственно в %(brand)s.",
"Share this email in Settings to receive invites directly in %(brand)s.": "Введите адрес эл.почты в Настройках, чтобы получать приглашения прямо в %(brand)s.",
"%(count)s unread messages including mentions.|other": "%(count)s непрочитанные сообщения, включая упоминания.",
"Failed to deactivate user": "Не удалось деактивировать пользователя",
"This client does not support end-to-end encryption.": "Этот клиент не поддерживает сквозное шифрование.",
@ -1714,11 +1589,9 @@
"Ignored/Blocked": "Игнорируемые/Заблокированные",
"Error adding ignored user/server": "Ошибка добавления игнорируемого пользователя/сервера",
"Error subscribing to list": "Ошибка при подписке на список",
"Send cross-signing keys to homeserver": "Отправка ключей перекрестной подписи на домашний сервер",
"Error upgrading room": "Ошибка обновления комнаты",
"Match system theme": "Тема системы",
"Show tray icon and minimize window to it on close": "Показать иконку в панели задач и свернуть окно при закрытии",
"The version of Riot": "Версия Riot",
"Show typing notifications": "Показывать уведомления о наборе",
"Delete %(count)s sessions|other": "Удалить %(count)s сессий",
"Enable desktop notifications for this session": "Включить уведомления для рабочего стола для этой сессии",
@ -1727,16 +1600,13 @@
"Use an Integration Manager to manage bots, widgets, and sticker packs.": "Используйте Менеджер интеграциями для управления ботами, виджетами и стикерами.",
"Manage integrations": "Управление интеграциями",
"Integration Managers receive configuration data, and can modify widgets, send room invites, and set power levels on your behalf.": "Менеджеры интеграции получают данные конфигурации и могут изменять виджеты, отправлять приглашения в комнаты и устанавливать уровни доступа от вашего имени.",
"Sessions": "Сессии",
"Direct Messages": "Диалоги",
"%(count)s sessions|other": "%(count)s сессий",
"Hide sessions": "Скрыть сессии",
"Enable 'Manage Integrations' in Settings to do this.": "Включите «Управление интеграциями» в настройках, чтобы сделать это.",
"Unknown sessions": "Неизвестные сессии",
"Help": "Помощь",
"If you cancel now, you won't complete verifying your other session.": "Если вы отмените сейчас, вы не завершите проверку вашей другой сессии.",
"Verify this session": "Проверьте эту сессию",
"Unverified session": "Непроверенная сессия",
"Verifies a user, session, and pubkey tuple": "Проверяет пользователя, сессию и публичные ключи",
"Unknown (user, session) pair:": "Неизвестная (пользователь:сессия) пара:",
"Session already verified!": "Сессия уже подтверждена!",
@ -1748,7 +1618,6 @@
"Subscribe": "Подписаться",
"A session's public name is visible to people you communicate with": "Публичное имя сессии видны людям, с которыми вы общаетесь",
"If you cancel now, you won't complete verifying the other user.": "Если вы сейчас отмените, у вас не будет завершена проверка других пользователей.",
"If you cancel now, you won't complete your secret storage operation.": "Если вы сейчас отмените, вы не завершите операцию секретного хранения.",
"Cancel entering passphrase?": "Отмена ввода пароль?",
"Setting up keys": "Настройка ключей",
"Encryption upgrade available": "Доступно обновление шифрования",
@ -1757,9 +1626,6 @@
"WARNING: Session already verified, but keys do NOT MATCH!": "ВНИМАНИЕ:Сессия уже подтверждена, но ключи НЕ совпадают!",
"WARNING: KEY VERIFICATION FAILED! The signing key for %(userId)s and session %(deviceId)s is \"%(fprint)s\" which does not match the provided key \"%(fingerprint)s\". This could mean your communications are being intercepted!": "ВНИМАНИЕ: ПРОВЕРКА КЛЮЧА НЕ ПРОШЛА! Ключом подписи для %(userId)s и сессии %(deviceId)s является \"%(fprint)s\", что не соответствует указанному ключу \"%(fingerprint)s\". Это может означать, что ваши сообщения перехватываются!",
"The signing key you provided matches the signing key you received from %(userId)s's session %(deviceId)s. Session marked as verified.": "Ключ подписи, который вы предоставили, соответствует ключу подписи, который вы получили от %(userId)s's сессии %(deviceId)s. Сессия отмечена как подтверждена.",
"%(senderName)s added %(addedAddresses)s and %(count)s other addresses to this room|other": "%(senderName)s добавил %(addedAddresses)s и %(count)s другие адреса к этой комнате",
"%(senderName)s removed %(removedAddresses)s and %(count)s other addresses from this room|other": "%(senderName)s удалил %(removedAddresses)s и %(count)s другие адреса из этой комнаты",
"%(senderName)s removed %(countRemoved)s and added %(countAdded)s addresses to this room": "%(senderName)s удалил %(countRemoved)s и добавил %(countAdded)s адреса к этой комнате",
"%(senderName)s placed a voice call.": "%(senderName)s сделал голосовой вызов.",
"%(senderName)s placed a voice call. (not supported by this browser)": "%(senderName)s сделал голосовой вызов. (не поддерживается этим браузером)",
"%(senderName)s placed a video call.": "%(senderName)s сделал видео вызов.",
@ -1780,13 +1646,8 @@
"%(num)s hours from now": "%(num)s часов спустя",
"about a day from now": "примерно через день",
"%(num)s days from now": "%(num)s дней спустя",
"Show a presence dot next to DMs in the room list": "Показать точку присутствия рядом с DMs в списке комнат",
"Enable cross-signing to verify per-user instead of per-session (in development)": "Включение перекрестной подписи для проверки в расчете на одного пользователя, а не за сессию (в разработке)",
"Enable local event indexing and E2EE search (requires restart)": "Включить локальное индексирование событий и E2EE поиска (требуется перезапуск)",
"Show info about bridges in room settings": "Показать информацию о мостах в настройках комнаты",
"Show padlocks on invite only rooms": "Показывать замки по приглашению только комнаты",
"Enable message search in encrypted rooms": "Включить поиск сообщений в зашифрованных комнатах",
"Keep secret storage passphrase in memory for this session": "Храните в памяти секретную парольную фразу для этого сеанса",
"How fast should messages be downloaded.": "Как быстро сообщения должны быть загружены.",
"This is your list of users/servers you have blocked - don't leave the room!": "Это список пользователей/серверов, которые вы заблокировали - не покидайте комнату!",
"Verify this session by completing one of the following:": "Проверьте эту сессию, выполнив одно из следующих действий:",
@ -1795,8 +1656,6 @@
"Compare unique emoji": "Сравнитe уникальныe смайлики",
"Compare a unique set of emoji if you don't have a camera on either device": "Сравните уникальный набор смайликов, если у вас нет камеры ни на одном из устройств",
"Start": "Начать",
"Confirm the emoji below are displayed on both devices, in the same order:": "Подтвердите, что смайлики, приведенные ниже, отображаются на обоих устройствах в одном и том же порядке:",
"Verify this device by confirming the following number appears on its screen.": "Проверьте это устройство, подтвердив, что на его экране появляется следующий номер.",
"Waiting for %(displayName)s to verify…": "Ожидание %(displayName)s для проверки…",
"Cancelling…": "Отмена…",
"They match": "Они совпадают",
@ -1817,13 +1676,9 @@
"Show less": "Показать меньше",
"Show more": "Показать больше",
"Changing password will currently reset any end-to-end encryption keys on all sessions, making encrypted chat history unreadable, unless you first export your room keys and re-import them afterwards. In future this will be improved.": "Если вы не экспортируете ключи для этой комнаты и не импортируете их в будущем, смена пароля приведёт к сбросу всех ключей сквозного шифрования и сделает невозможным чтение истории чата. В будущем это будет улучшено.",
"Whether you're using Riot on a device where touch is the primary input mechanism": "Используете ли вы Riot на устройстве с тач-дисплеем в качестве основного способа ввода",
"Whether you're using Riot as an installed Progressive Web App": "Используете ли вы Riot в виде установленного прогрессивного веб-приложения",
"Whether you're using %(brand)s on a device where touch is the primary input mechanism": "Используете ли вы %(brand)s на устройстве с тач-дисплеем в качестве основного способа ввода",
"Whether you're using %(brand)s as an installed Progressive Web App": "Используете ли вы %(brand)s в виде установленного прогрессивного веб-приложения",
"Your user agent": "Ваш юзер-агент",
"The information being sent to us to help make Riot better includes:": "Информация, которая отправляется нам для улучшения Riot, включает в себя:",
"There are unknown sessions in this room: if you proceed without verifying them, it will be possible for someone to eavesdrop on your call.": "В комнате присутствуют неизвестные сессии: если вы продолжите без подтверждения, возможно, кто-то сможет подслушать ваш звонок.",
"Review Sessions": "Просмотреть сессии",
"Unverified login. Was this you?": "Неподтверждённый вход. Это были вы?",
"Sign In or Create Account": "Войдите или создайте учётную запись",
"Use your account or create a new one to continue.": "Воспользуйтесь своей учётной записью или создайте новую, чтобы продолжить.",
"Create Account": "Создать учётную запись",
@ -1864,7 +1719,6 @@
"Show rooms with unread notifications first": "Показывать в начале комнаты с непрочитанными уведомлениями",
"Show shortcuts to recently viewed rooms above the room list": "Показывать ссылки на недавние комнаты над списком комнат",
"Manually verify all remote sessions": "Подтверждать все удалённые сессии вручную",
"Update your secure storage": "Обновите ваше безопасное хранилище",
"Your homeserver does not support cross-signing.": "Ваш домашний сервер не поддерживает кросс-подпись.",
"Cross-signing and secret storage are enabled.": "Кросс-подпись и хранилище секретов разрешены.",
"Customise your experience with experimental labs features. <a>Learn more</a>.": "Попробуйте экспериментальные возможности. <a>Подробнее</a>.",
@ -1883,9 +1737,6 @@
"in account data": "в данных учётной записи",
"Homeserver feature support:": "Поддержка со стороны домашнего сервера:",
"exists": "существует",
"Secret Storage key format:": "Формат ключа хранилища секретов:",
"outdated": "устарел",
"up to date": "свежий",
"Your homeserver does not support session management.": "Ваш домашний сервер не поддерживает управление сессиями.",
"Unable to load session list": "Не удалось загрузить список сессий",
"Enable": "Разрешить",
@ -1916,7 +1767,7 @@
"View rules": "Посмотреть правила",
"You are currently subscribed to:": "Вы подписаны на:",
"Security": "Безопасность",
"The session you are trying to verify doesn't support scanning a QR code or emoji verification, which is what Riot supports. Try with a different client.": "Сессия, которую вы подтверждаете, не поддерживает проверку с помощью сканирования QR-кодов или смайлов, как в Riot. Попробуйте другой клиент.",
"The session you are trying to verify doesn't support scanning a QR code or emoji verification, which is what %(brand)s supports. Try with a different client.": "Сессия, которую вы подтверждаете, не поддерживает проверку с помощью сканирования QR-кодов или смайлов, как в %(brand)s. Попробуйте другой клиент.",
"Verify by scanning": "Подтверждение сканированием",
"Ask %(displayName)s to scan your code:": "Попросите %(displayName)s отсканировать ваш код:",
"Verify by emoji": "Подтверждение с помощью смайлов",
@ -1976,10 +1827,6 @@
"Someone is using an unknown session": "Кто-то использует неизвестную сессию",
"This room is end-to-end encrypted": "Эта комната зашифрована сквозным шифрованием",
"Everyone in this room is verified": "Все в этой комнате подтверждены",
"Some sessions for this user are not trusted": "К некоторым сессиям этого пользователя нет доверия",
"All sessions for this user are trusted": "Все сессии этого пользователя доверенные",
"Some sessions in this encrypted room are not trusted": "К некоторым сессиям в этой зашифрованной комнате нет доверия",
"All sessions in this encrypted room are trusted": "Все сессии в этой зашифрованной комнате доверенные",
"Mod": "Модератор",
"This message cannot be decrypted": "Не удалось расшифровать это сообщение",
"Encrypted by an unverified session": "Зашифровано неподтверждённой сессией",
@ -1998,7 +1845,6 @@
"Send as message": "Отправить как сообщение",
"Failed to connect to integration manager": "Не удалось подключиться к менеджеру интеграций",
"Mark all as read": "Отметить всё как прочитанное",
"You don't have permission to delete the alias.": "У вас нет прав для удаления этого псевдонима.",
"Local address": "Локальный адрес",
"Published Addresses": "Публичные адреса",
"Published addresses can be used by anyone on any server to join your room. To publish an address, it needs to be set as a local address first.": "Публичные адреса позволяют кому угодно зайти в вашу комнату с любого сервера. Чтобы опубликовать адрес, сначала задайте его в качестве локального адреса.",
@ -2029,14 +1875,12 @@
"Encryption enabled": "Шифрование включено",
"Delete sessions|other": "Удалить сессии",
"Delete sessions|one": "Удалить сессию",
"Please verify the room ID or alias and try again.": "Пожалуйста, проверьте ID комнаты или псевдоним и попробуйте снова.",
"Error removing ignored user/server": "Ошибка при удалении игнорируемого пользователя/сервера",
"Please try again or view your console for hints.": "Попробуйте снова или посмотрите сообщения в консоли.",
"Ban list rules - %(roomName)s": "Правила блокировки - %(roomName)s",
"Ignoring people is done through ban lists which contain rules for who to ban. Subscribing to a ban list means the users/servers blocked by that list will be hidden from you.": "Игнорирование людей реализовано через списки правил блокировки. Подписка на список блокировки приведёт к сокрытию от вас пользователей и серверов, которые в нём перечислены.",
"Your personal ban list holds all the users/servers you personally don't want to see messages from. After ignoring your first user/server, a new room will show up in your room list named 'My Ban List' - stay in this room to keep the ban list in effect.": "Ваш личный список блокировки содержит всех пользователей и серверы, сообщения которых вы не хотите видеть. После внесения туда первого пользователя/сервера в списке комнат появится новая комната 'Мой список блокировки' — не покидайте эту комнату, чтобы список блокировки работал.",
"Subscribing to a ban list will cause you to join it!": "При подписке на список блокировки вы присоединитесь к нему!",
"Room ID or alias of ban list": "ID комнаты или псевдоним списка блокировки",
"Confirm your account deactivation by using Single Sign On to prove your identity.": "Подтвердите удаление учётной записи с помощью единой точки входа.",
"Are you sure you want to deactivate your account? This is irreversible.": "Вы уверены, что хотите деактивировать свою учётную запись? Это необратимое действие.",
"Confirm account deactivation": "Подтвердите деактивацию учётной записи",
@ -2077,7 +1921,7 @@
"Any of the following data may be shared:": "Следующие сведения могут быть переданы:",
"Your user ID": "ID пользователя",
"Your theme": "Ваша тема",
"Riot URL": "Ссылка на Riot",
"%(brand)s URL": "Ссылка на %(brand)s",
"Room ID": "ID комнаты",
"Widget ID": "ID виджета",
"Widget added by": "Виджет добавлен",
@ -2102,7 +1946,6 @@
"Verify session": "Подтвердить сессию",
"Session name": "Название сессии",
"Session key": "Ключ сессии",
"Backup key stored in secret storage, but this feature is not enabled on this session. Please enable cross-signing in Labs to modify key backup state.": "Резервная копия ключа сохранена в хранилище секретов, но эта возможность не включена в этой сессии. Разрешите кросс-подпись в Лаборатории, чтобы изменить состояние резервной копии.",
"Backup key stored: ": "Резервная копия ключа сохранена: ",
"Command failed": "Не удалось выполнить команду",
"To report a Matrix-related security issue, please read the Matrix.org <a>Security Disclosure Policy</a>.": "Чтобы сообщить о проблеме безопасности Matrix, пожалуйста, прочитайте <a>Политику раскрытия информации</a> Matrix.org.",
@ -2112,20 +1955,17 @@
"Enter recovery passphrase": "Введите пароль восстановления",
"Enter a recovery passphrase": "Введите пароль восстановления",
"Enter your recovery passphrase a second time to confirm it.": "Введите пароль восстановления ещё раз для подтверждения.",
"Enter a recovery passphrase...": "Введите пароль восстановления...",
"Please enter your recovery passphrase a second time to confirm.": "Введите пароль восстановления повторно для подтверждения.",
"If you cancel now, you won't complete your operation.": "Если вы отмените операцию сейчас, она не завершится.",
"Failed to set topic": "Не удалось установить тему",
"Could not find user in room": "Не удалось найти пользователя в комнате",
"Please supply a widget URL or embed code": "Укажите URL или код вставки виджета",
"Send a bug report with logs": "Отправить отчёт об ошибке с логами",
"Enable cross-signing to verify per-user instead of per-session": "Разрешить кросс-подпись для подтверждения пользователей вместо отдельных сессий",
"Keep recovery passphrase in memory for this session": "Сохранить пароль восстановления в памяти для этой сессии",
"Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "Отдельно подтверждать каждую сессию пользователя как доверенную, не доверяя кросс-подписанным устройствам.",
"Securely cache encrypted messages locally for them to appear in search results, using ": "Кэшировать шифрованные сообщения локально, чтобы они выводились в результатах поиска, используя: ",
" to store messages from ": " чтобы сохранить сообщения от ",
"Securely cache encrypted messages locally for them to appear in search results.": "Безопасно кэшировать шифрованные сообщения локально, чтобы они появлялись в результатах поиска.",
"Riot is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom Riot Desktop with <nativeLink>search components added</nativeLink>.": "Отсутствуют некоторые необходимые компоненты для Riot, чтобы безопасно кэшировать шифрованные сообщения локально. Если вы хотите попробовать эту возможность, соберите самостоятельно Riot Desktop с <nativeLink>добавлением поисковых компонентов</nativeLink>.",
"%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with <nativeLink>search components added</nativeLink>.": "Отсутствуют некоторые необходимые компоненты для %(brand)s, чтобы безопасно кэшировать шифрованные сообщения локально. Если вы хотите попробовать эту возможность, соберите самостоятельно %(brand)s Desktop с <nativeLink>добавлением поисковых компонентов</nativeLink>.",
"not stored": "не сохранено",
"Backup has a <validity>valid</validity> signature from this session": "У резервной копии <validity>верная</validity> подпись этой сессии",
"Backup has an <validity>invalid</validity> signature from this session": "У резервной копии <validity>неверная</validity> подпись этой сессии",
@ -2134,12 +1974,10 @@
"Backup has an <validity>invalid</validity> signature from <verify>verified</verify> session <device></device>": "У резервной копии <validity>неверная</validity>подпись <verify>проверенной</verify> сессии <device></device>",
"Backup has an <validity>invalid</validity> signature from <verify>unverified</verify> session <device></device>": "У резервной копии <validity>неверная</validity> подпись <verify>непроверенной</verify> сессии <device></device>",
"Your password was successfully changed. You will not receive push notifications on other sessions until you log back in to them": "Ваш пароль был успешно изменён. Вы не будете получать уведомления в других сессия, пока вы не войдёте в них",
"Add users and servers you want to ignore here. Use asterisks to have Riot match any characters. For example, <code>@bot:*</code> would ignore all users that have the name 'bot' on any server.": "Добавьте пользователей и серверы, которых вы хотите игнорировать. Используйте звёздочки для совпадения с любыми символами. Например, <code>@bot:*</code> приведёт к игнорированию всех пользователей на любом сервере, у которых есть 'bot' в имени.",
"This room is bridging messages to the following platforms. <a>Learn more.</a>": "Эта комната пересылает сообщения с помощью моста на следующие платформы. <a>Подробнее</a>",
"This room isnt bridging messages to any platforms. <a>Learn more.</a>": "Эта комната не пересылает никуда сообщения с помощью моста. <a>Подробнее</a>",
"Your key share request has been sent - please check your other sessions for key share requests.": "Запрос ключа был отправлен - проверьте другие ваши сессии на предмет таких запросов.",
"If your other sessions do not have the key for this message you will not be able to decrypt them.": "Вы не сможете расшифровать это сообщение в других сессиях, если у них нет ключа для него.",
"No sessions with registered encryption keys": "Нет сессий с зарегистрированными ключами шифрования",
"For extra security, verify this user by checking a one-time code on both of your devices.": "Для дополнительной безопасности подтвердите этого пользователя, сравнив одноразовый код на ваших устройствах.",
"<strong>%(role)s</strong> in %(roomName)s": "<strong>%(role)s</strong>в %(roomName)s",
"Start verification again from their profile.": "Начните подтверждение заново в профиле пользователя.",

View file

@ -42,21 +42,19 @@
"Invite to Community": "Pozvať do komunity",
"Which rooms would you like to add to this community?": "Ktoré miestnosti by ste radi pridali do tejto komunity?",
"Add rooms to the community": "Pridať miestnosti do komunity",
"Room name or alias": "Názov miestnosti alebo alias",
"Add to community": "Pridať do komunity",
"Failed to invite the following users to %(groupId)s:": "Do komunity %(groupId)s sa nepodarilo pozvať nasledujúcich používateľov:",
"Failed to invite users to community": "Do komunity sa nepodarilo pozvať používateľov",
"Failed to invite users to %(groupId)s": "Do komunity %(groupId)s sa nepodarilo pozvať používateľov",
"Failed to add the following rooms to %(groupId)s:": "Do komunity %(groupId)s sa nepodarilo pridať nasledujúce miestnosti:",
"Riot does not have permission to send you notifications - please check your browser settings": "Riot nemá udelené povolenie, aby vám mohol posielať oznámenia - Prosím, skontrolujte nastavenia vašeho prehliadača",
"Riot was not given permission to send notifications - please try again": "Aplikácii Riot nebolo udelené povolenie potrebné pre posielanie oznámení - prosím, skúste to znovu",
"%(brand)s does not have permission to send you notifications - please check your browser settings": "%(brand)s nemá udelené povolenie, aby vám mohol posielať oznámenia - Prosím, skontrolujte nastavenia vašeho prehliadača",
"%(brand)s was not given permission to send notifications - please try again": "Aplikácii %(brand)s nebolo udelené povolenie potrebné pre posielanie oznámení - prosím, skúste to znovu",
"Unable to enable Notifications": "Nie je možné povoliť oznámenia",
"This email address was not found": "Túto emailovú adresu sa nepodarilo nájsť",
"Your email address does not appear to be associated with a Matrix ID on this Homeserver.": "Zdá sa, že vaša emailová adresa nie je priradená k žiadnemu Matrix ID na tomto domovskom serveri.",
"Default": "Predvolené",
"Moderator": "Moderátor",
"Admin": "Správca",
"Start a chat": "Začať konverzáciu",
"Operation failed": "Operácia zlyhala",
"Failed to invite": "Pozvanie zlyhalo",
"Failed to invite the following users to the %(roomName)s room:": "Do miestnosti %(roomName)s sa nepodarilo pozvať nasledujúcich používateľov:",
@ -74,7 +72,6 @@
"Usage": "Použitie",
"/ddg is not a command": "/ddg nie je žiaden príkaz",
"To use it, just wait for autocomplete results to load and tab through them.": "Ak to chcete použiť, len počkajte na načítanie výsledkov automatického dopĺňania a cyklicky prechádzajte stláčaním klávesu tab..",
"Unrecognised room alias:": "Nerozpoznaný alias miestnosti:",
"Ignored user": "Ignorovaný používateľ",
"You are now ignoring %(userId)s": "Od teraz ignorujete používateľa %(userId)s",
"Unignored user": "Ignorácia zrušená",
@ -128,7 +125,7 @@
"Server may be unavailable, overloaded, or you hit a bug.": "Server môže byť nedostupný, preťažený, alebo ste narazili na chybu.",
"Unnamed Room": "Nepomenovaná miestnosť",
"Your browser does not support the required cryptography extensions": "Váš prehliadač nepodporuje požadované kryptografické rozšírenia",
"Not a valid Riot keyfile": "Toto nie je správny súbor s kľúčami Riot",
"Not a valid %(brand)s keyfile": "Toto nie je správny súbor s kľúčami %(brand)s",
"Authentication check failed: incorrect password?": "Kontrola overenia zlyhala: Nesprávne heslo?",
"Failed to join room": "Nepodarilo sa vstúpiť do miestnosti",
"Active call (%(roomName)s)": "Aktívny hovor (%(roomName)s)",
@ -156,12 +153,9 @@
"New Password": "Nové heslo",
"Confirm password": "Potvrdiť heslo",
"Change Password": "Zmeniť heslo",
"Device ID": "ID zariadenia",
"Last seen": "Naposledy aktívne",
"Failed to set display name": "Nepodarilo sa nastaviť zobrazované meno",
"Authentication": "Overenie",
"Disable Notifications": "Zakázať oznámenia",
"Enable Notifications": "Povoliť oznámenia",
"Cannot add any more widgets": "Nie je možné pridať ďalšie widgety",
"The maximum permitted number of widgets have already been added to this room.": "Do tejto miestnosti už bol pridaný maximálny povolený počet widgetov.",
"Add a widget": "Pridať widget",
@ -175,8 +169,6 @@
"%(senderName)s uploaded a file": "%(senderName)s nahral súbor",
"Options": "Možnosti",
"Please select the destination room for this message": "Prosím, vyberte cieľovú miestnosť pre túto správu",
"Blacklisted": "Na čiernej listine",
"device id: ": "ID zariadenia: ",
"Disinvite": "Stiahnuť pozvanie",
"Kick": "Vykázať",
"Disinvite this user?": "Stiahnuť pozvanie tohoto používateľa?",
@ -188,7 +180,6 @@
"Ban this user?": "Zakázať vstúpiť tomuto používateľovi?",
"Failed to ban user": "Nepodarilo sa zakázať vstup používateľa",
"Failed to mute user": "Nepodarilo sa umlčať používateľa",
"Failed to toggle moderator status": "Nepodarilo sa prepnúť stav moderátor",
"Failed to change power level": "Nepodarilo sa zmeniť úroveň moci",
"You will not be able to undo this change as you are promoting the user to have the same power level as yourself.": "Túto zmenu nebudete môcť vrátiť späť pretože tomuto používateľovi udeľujete rovnakú úroveň moci, akú máte vy.",
"Are you sure?": "Ste si istí?",
@ -197,12 +188,8 @@
"Jump to read receipt": "Preskočiť na potvrdenie o prečítaní",
"Mention": "Zmieniť sa",
"Invite": "Pozvať",
"User Options": "Možnosti používateľa",
"Direct chats": "Priame konverzácie",
"Unmute": "Zrušiť umlčanie",
"Mute": "Umlčať",
"Revoke Moderator": "Odobrať stav moderátor",
"Make Moderator": "Udeliť stav moderátor",
"Admin Tools": "Nástroje správcu",
"and %(count)s others...|other": "a ďalších %(count)s…",
"and %(count)s others...|one": "a jeden ďalší…",
@ -279,10 +266,7 @@
"Jump to first unread message.": "Preskočiť na prvú neprečítanú správu.",
"Close": "Zatvoriť",
"not specified": "nezadané",
"Remote addresses for this room:": "Vzdialené adresy do tejto miestnosti:",
"Local addresses for this room:": "Lokálne adresy do tejto miestnosti:",
"This room has no local addresses": "Pre túto miestnosť nie sú žiadne lokálne adresy",
"New address (e.g. #foo:%(localDomain)s)": "Nová adresa (napr. #foo:%(localDomain)s)",
"Invalid community ID": "Nesprávne ID komunity",
"'%(groupId)s' is not a valid community ID": "'%(groupId)s' nie je platným ID komunity",
"New community ID (e.g. +foo:%(localDomain)s)": "Nové ID komunity (napr. +foo:%(localDomain)s)",
@ -303,12 +287,8 @@
"Failed to copy": "Nepodarilo sa skopírovať",
"Add an Integration": "Pridať integráciu",
"You are about to be taken to a third-party site so you can authenticate your account for use with %(integrationsUrl)s. Do you wish to continue?": "Budete presmerovaní na stránku tretej strany, aby ste mohli overiť svoj účet na použitie s %(integrationsUrl)s. Chcete pokračovať?",
"Removed or unknown message type": "Odstránený alebo neznámy typ správy",
"Message removed by %(userId)s": "Správu odstránil %(userId)s",
"Message removed": "správa odstránená",
"Custom Server Options": "Vlastné možnosti servera",
"Dismiss": "Zamietnuť",
"To continue, please enter your password.": "Aby ste mohli pokračovať, prosím zadajte svoje heslo.",
"An email has been sent to %(emailAddress)s": "Na adresu %(emailAddress)s bola odoslaná správa",
"Please check your email to continue registration.": "Prosím, skontrolujte si emaily, aby ste mohli pokračovať v registrácii.",
"Token incorrect": "Neplatný token",
@ -345,13 +325,8 @@
"Delete widget": "Vymazať widget",
"Edit": "Upraviť",
"Create new room": "Vytvoriť novú miestnosť",
"Unblacklist": "Odstrániť z čiernej listiny",
"Blacklist": "Pridať na čiernu listinu",
"Unverify": "Zrušiť overenie",
"Verify...": "Overiť…",
"No results": "Žiadne výsledky",
"Home": "Domov",
"Could not connect to the integration server": "Nie je možné sa pripojiť k integračnému serveru",
"Manage Integrations": "Spravovať integrácie",
"%(nameList)s %(transitionList)s": "%(nameList)s %(transitionList)s",
"%(severalUsers)sjoined %(count)s times|other": "%(severalUsers)s%(count)s krát vstúpili",
@ -430,15 +405,9 @@
"Unknown error": "Neznáma chyba",
"Incorrect password": "Nesprávne heslo",
"Deactivate Account": "Deaktivovať účet",
"I verify that the keys match": "Overil som, kľúče sa zhodujú",
"An error has occurred.": "Vyskytla sa chyba.",
"OK": "OK",
"Start verification": "Spustiť overenie",
"Share without verifying": "Zdieľať bez overenia",
"Ignore request": "Ignorovať žiadosť",
"Encryption key request": "Žiadosť o šifrovacie kľúče",
"Unable to restore session": "Nie je možné obnoviť reláciu",
"If you have previously used a more recent version of Riot, your session may be incompatible with this version. Close this window and return to the more recent version.": "Ak ste sa v minulosti prihlásili s novšou verziou programu Riot, vaša relácia nemusí byť kompatibilná s touto verziou. Zatvorte prosím toto okno a vráťte sa cez najnovšiu verziu Riot.",
"Invalid Email Address": "Nesprávna emailová adresa",
"This doesn't appear to be a valid email address": "Zdá sa, že toto nie je platná emailová adresa",
"Verification Pending": "Nedokončené overenie",
@ -454,11 +423,9 @@
"To get started, please pick a username!": "Začnite tým, že si zvolíte používateľské meno!",
"This will be your account name on the <span></span> homeserver, or you can pick a <a>different server</a>.": "Toto bude názov vašeho účtu na domovskom serveri <span></span>, alebo si môžete zvoliť <a>iný server</a>.",
"If you already have a Matrix account you can <a>log in</a> instead.": "Ak už máte Matrix účet, môžete sa hneď <a>Prihlásiť</a>.",
"Send anyway": "Napriek tomu odoslať",
"Private Chat": "Súkromná konverzácia",
"Public Chat": "Verejná konverzácia",
"Custom": "Vlastné",
"Alias (optional)": "Alias (nepovinné)",
"Name": "Názov",
"You must <a>register</a> to use this functionality": "Aby ste mohli použiť túto vlastnosť, musíte byť <a>zaregistrovaný</a>",
"You must join the room to see its files": "Aby ste si mohli zobraziť zoznam súborov, musíte vstúpiť do miestnosti",
@ -511,7 +478,6 @@
"Create a new community": "Vytvoriť novú komunitu",
"Create a community to group together users and rooms! Build a custom homepage to mark out your space in the Matrix universe.": "Vytvorte si komunitu s cieľom zoskupiť miestnosti a používateľov! Zostavte si vlastnú domovskú stránku a vymedzte tak svoj priestor vo svete Matrix.",
"You have no visible notifications": "Nie sú k dispozícii žiadne oznámenia",
"Scroll to bottom of page": "Posunúť na spodok stránky",
"Connectivity to the server has been lost.": "Spojenie so serverom bolo prerušené.",
"Sent messages will be stored until your connection has returned.": "Odoslané správy ostanú uložené, kým sa spojenie nenadviaže znovu.",
"Active call": "Aktívny hovor",
@ -521,7 +487,6 @@
"Search failed": "Hľadanie zlyhalo",
"Server may be unavailable, overloaded, or search timed out :(": "Server môže byť nedostupný, preťažený, alebo vypršal časový limit hľadania :(",
"No more results": "Žiadne ďalšie výsledky",
"Unknown room %(roomId)s": "Neznáma miestnosť %(roomId)s",
"Room": "Miestnosť",
"Failed to reject invite": "Nepodarilo sa odmietnuť pozvanie",
"Fill screen": "Vyplniť obrazovku",
@ -538,12 +503,9 @@
"Autoplay GIFs and videos": "Automaticky prehrávať animované GIF obrázky a videá",
"Always show message timestamps": "Vždy zobrazovať časovú značku správ",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "Pri zobrazovaní časových značiek používať 12 hodinový formát (napr. 2:30pm)",
"Use compact timeline layout": "Použiť kompaktné rozloženie časovej osy",
"Enable automatic language detection for syntax highlighting": "Povoliť automatickú detegciu jazyka pre zvýrazňovanie syntaxe",
"Automatically replace plain text Emoji": "Automaticky nahrádzať textové emotikony modernými emoji",
"Mirror local video feed": "Zrkadliť lokálne video",
"Light theme": "Svetlý vzhľad",
"Dark theme": "Tmavý vzhľad",
"Sign out": "Odhlásiť sa",
"Failed to change password. Is your password correct?": "Nepodarilo sa zmeniť heslo. Zadali ste správne heslo?",
"Success": "Úspech",
@ -552,13 +514,13 @@
"Import E2E room keys": "Importovať E2E šifrovacie kľúče miestností",
"Cryptography": "Kryptografia",
"Analytics": "Analytické údaje",
"Riot collects anonymous analytics to allow us to improve the application.": "Riot zbiera anonymné analytické údaje, čo nám umožňuje aplikáciu ďalej zlepšovať.",
"%(brand)s collects anonymous analytics to allow us to improve the application.": "%(brand)s zbiera anonymné analytické údaje, čo nám umožňuje aplikáciu ďalej zlepšovať.",
"Labs": "Experimenty",
"Check for update": "Skontrolovať dostupnosť aktualizácie",
"Reject all %(invitedRooms)s invites": "Odmietnuť všetky %(invitedRooms)s pozvania",
"Start automatically after system login": "Spustiť automaticky po prihlásení do systému",
"No media permissions": "Nepovolený prístup k médiám",
"You may need to manually permit Riot to access your microphone/webcam": "Mali by ste aplikácii Riot ručne udeliť právo pristupovať k mikrofónu a kamere",
"You may need to manually permit %(brand)s to access your microphone/webcam": "Mali by ste aplikácii %(brand)s ručne udeliť právo pristupovať k mikrofónu a kamere",
"No Microphones detected": "Neboli rozpoznané žiadne mikrofóny",
"No Webcams detected": "Neboli rozpoznané žiadne kamery",
"Default Device": "Predvolené zariadenie",
@ -572,7 +534,7 @@
"click to reveal": "Odkryjete kliknutím",
"Homeserver is": "Domovský server je",
"Identity Server is": "Server totožností je",
"riot-web version:": "Verzia riot-web:",
"%(brand)s version:": "Verzia %(brand)s:",
"olm version:": "Verzia olm:",
"Failed to send email": "Nepodarilo sa odoslať email",
"The email address linked to your account must be entered.": "Musíte zadať emailovú adresu prepojenú s vašim účtom.",
@ -596,7 +558,6 @@
"Define the power level of a user": "Určí úroveň sili používateľa",
"Deops user with given id": "Zruší stav moderátor používateľovi so zadaným ID",
"Invites user with given id to current room": "Pošle používateľovi so zadaným ID pozvanie do tejto miestnosti",
"Joins room with given alias": "Vstúpi do miestnosti so zadaným aliasom",
"Kicks user with given id": "Vykáže používateľa so zadaným ID",
"Changes your display nickname": "Zmení vaše zobrazované meno",
"Searches DuckDuckGo for results": "Vyhľadá výsledky na DuckDuckGo",
@ -608,21 +569,7 @@
"Notify the whole room": "Oznamovať celú miestnosť",
"Room Notification": "Oznámenie miestnosti",
"Users": "Používatelia",
"unknown device": "neznáme zariadenie",
"NOT verified": "NE-overené",
"verified": "overené",
"Verification": "Overenie",
"Ed25519 fingerprint": "Odtlačok prsta Ed25519",
"User ID": "ID používateľa",
"Curve25519 identity key": "Kľúč totožnosti Curve25519",
"none": "žiadny",
"Claimed Ed25519 fingerprint key": "Údajne kľúč s odtlačkom prsta Ed25519",
"Algorithm": "Algoritmus",
"unencrypted": "nešifrované",
"Decryption error": "Chyba dešifrovania",
"Session ID": "ID relácie",
"End-to-end encryption information": "Informácie o šifrovaní E2E",
"Event information": "Informácie o udalosti",
"Passphrases must match": "Heslá sa musia zhodovať",
"Passphrase must not be empty": "Heslo nesmie byť prázdne",
"Export room keys": "Exportovať kľúče miestností",
@ -646,11 +593,6 @@
"URL previews are disabled by default for participants in this room.": "Náhľady URL adries sú predvolene zakázané pre členov tejto miestnosti.",
"There's no one else here! Would you like to <inviteText>invite others</inviteText> or <nowarnText>stop warning about the empty room</nowarnText>?": "Okrem vás v tejto miestnosti nie je nik iný! Želáte si <inviteText>Pozvať ďalších</inviteText> alebo <nowarnText>Prestať upozorňovať na prázdnu miestnosť</nowarnText>?",
"Call Failed": "Zlyhanie hovoru",
"Review Devices": "Prezrieť zariadenia",
"Call Anyway": "Napriek tomu zavolať",
"Answer Anyway": "Napriek tomu prijať",
"Call": "Hovor",
"Answer": "Prijať",
"Send": "Odoslať",
"%(duration)ss": "%(duration)ss",
"%(duration)sm": "%(duration)sm",
@ -664,7 +606,6 @@
"collapse": "zbaliť",
"expand": "rozbaliť",
"Old cryptography data detected": "Nájdené zastaralé kryptografické údaje",
"Data from an older version of Riot has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "Boli nájdené údaje zo staršej verzie Riot. Toto spôsobí, že E2E šifrovanie nebude v staršej verzii Riot fungovať. Zašifrované správy prijaté a odoslané v poslednom čase cez staršiu verziu Riot nemusia byť čitateľné v tejto verzii Riot. Môže to tiež spôsobiť, že šifrované konverzácie nebudú s touto verziou Riot čitateľné. Ak spozorujete niektoré s týchto problémov, odhláste sa a opätovne sa prihláste prosím. Históriu šifrovaných konverzácií zachováte tak, že si exportujete a znovu importujete kľúče miestností.",
"Warning": "Upozornenie",
"This homeserver doesn't offer any login flows which are supported by this client.": "Tento domovský server neponúka žiadny prihlasovací mechanizmus podporovaný vašim klientom.",
"Flair": "Príslušnosť ku komunitám",
@ -674,9 +615,7 @@
"%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s, %(day)s %(monthName)s %(fullYear)s",
"You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.": "Túto zmenu nebudete môcť vrátiť späť pretože znižujete vašu vlastnú úroveň moci. Ak ste jediný poverený používateľ v miestnosti, nebudete môcť znovu získať úroveň, akú máte teraz.",
"Send an encrypted reply…": "Odoslať šifrovanú odpoveď…",
"Send a reply (unencrypted)…": "Odoslať odpoveď (nešifrovanú)…",
"Send an encrypted message…": "Odoslať šifrovanú správu…",
"Send a message (unencrypted)…": "Odoslať správu (nešifrovanú)…",
"Replying": "Odpoveď",
"Minimize apps": "Minimalizovať aplikácie",
"%(count)s of your messages have not been sent.|one": "Vaša správa nebola odoslaná.",
@ -684,15 +623,13 @@
"%(count)s <resendText>Resend all</resendText> or <cancelText>cancel all</cancelText> now. You can also select individual messages to resend or cancel.|one": "<resendText>Znovu odoslať správu</resendText> alebo <cancelText>zrušiť správu</cancelText> teraz.",
"Privacy is important to us, so we don't collect any personal or identifiable data for our analytics.": "Vaše súkromie je pre nás dôležité, preto nezhromažďujeme žiadne osobné údaje alebo údaje, na základe ktorých je možné vás identifikovať.",
"Learn more about how we use analytics.": "Zistite viac o tom, ako spracúvame analytické údaje.",
"The information being sent to us to help make Riot.im better includes:": "S cieľom vylepšovať aplikáciu Riot.im zbierame nasledujúce údaje:",
"The information being sent to us to help make %(brand)s better includes:": "Informácie, ktoré nám posielate, aby sme zlepšili %(brand)s, zahŕňajú:",
"Where this page includes identifiable information, such as a room, user or group ID, that data is removed before being sent to the server.": "Ak sa na stránke vyskytujú identifikujúce údaje, akými sú napríklad názov miestnosti, ID používateľa, miestnosti alebo skupiny, tieto sú pred odoslaním na server odstránené.",
"The platform you're on": "Vami používaná platforma",
"The version of Riot.im": "Verzia Riot.im",
"The version of %(brand)s": "Verzia %(brand)su",
"Your language of choice": "Váš uprednostňovaný jazyk",
"Which officially provided instance you are using, if any": "Cez ktorú oficiálne podporovanú inštanciu Riot.im ste pripojení (ak nehostujete Riot sami)",
"Whether or not you're using the Richtext mode of the Rich Text Editor": "Či pri písaní správ používate rozbalenú lištu formátovania textu",
"Your homeserver's URL": "URL adresa vami používaného domovského servera",
"Your identity server's URL": "URL adresa vami používaného servera totožností",
"This room is not public. You will not be able to rejoin without an invite.": "Toto nie je verejne dostupná miestnosť. Bez pozvánky nebudete do nej môcť vstúpiť znovu.",
"%(oldDisplayName)s changed their display name to %(displayName)s.": "%(oldDisplayName)s si zmenil zobrazované meno na %(displayName)s.",
"Failed to set direct chat tag": "Nepodarilo sa nastaviť značku priama konverzácia",
@ -708,8 +645,7 @@
"Changes made to your community <bold1>name</bold1> and <bold2>avatar</bold2> might not be seen by other users for up to 30 minutes.": "Zmeny vykonané vo vašej komunite <bold1>názov</bold1> a <bold2>obrázok</bold2> nemusia byť nasledujúcich 30 minút viditeľné všetkými používateľmi.",
"Join this community": "Vstúpiť do tejto komunity",
"Leave this community": "Opustiť túto komunitu",
"Did you know: you can use communities to filter your Riot.im experience!": "Vedeli ste: Že prácu s Riot.im si môžete spríjemníť použitím komunít!",
"To set up a filter, drag a community avatar over to the filter panel on the far left hand side of the screen. You can click on an avatar in the filter panel at any time to see only the rooms and people associated with that community.": "Ak si chcete nastaviť filter, pretiahnite obrázok komunity na panel filtrovania úplne na ľavej strane obrazovky. Potom môžete kedykoľvek kliknúť na obrázok komunity na tomto panely a Riot.im vám bude zobrazovať len miestnosti a ľudí z komunity, na ktorej obrázok ste klikli.",
"Did you know: you can use communities to filter your %(brand)s experience!": "Vedeli ste: Že prácu s %(brand)s si môžete spríjemníť použitím komunít!",
"Clear filter": "Zrušiť filter",
"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 or groups you have visited and the usernames of other users. They do not contain messages.": "Ak ste nám poslali hlásenie o chybe cez Github, ladiace záznamy nám môžu pomôcť lepšie identifikovať chybu. Ladiace záznamy obsahujú údaje o používaní aplikácii, vrátane vašeho používateľského mena, názvy a aliasy miestností a komunít, ku ktorým ste sa pripojili a mená ostatných používateľov. Tieto záznamy neobsahujú samotný obsah vašich správ.",
"Submit debug logs": "Odoslať ladiace záznamy",
@ -721,7 +657,6 @@
"Who can join this community?": "Kto môže vstúpiť do tejto komunity?",
"Everyone": "Ktokoľvek",
"Fetching third party location failed": "Nepodarilo sa získať umiestnenie tretej strany",
"A new version of Riot is available.": "Dostupná je nová verzia Riot.",
"Send Account Data": "Odoslať Údaje Účtu",
"All notifications are currently disabled for all targets.": "Momentálne sú zakázané všetky oznámenia pre všetky ciele.",
"Uploading report": "Prebieha odovzdanie hlásenia",
@ -740,8 +675,6 @@
"Send Custom Event": "Odoslať vlastnú udalosť",
"Advanced notification settings": "Pokročilé nastavenia oznámení",
"Failed to send logs: ": "Nepodarilo sa odoslať záznamy: ",
"delete the alias.": "vymazať alias.",
"To return to your account in future you need to <u>set a password</u>": "Aby ste sa v budúcnosti mohli vrátiť k vašemu účtu mali by ste si teraz <u>nastaviť heslo</u>",
"Forget": "Zabudnuť",
"You cannot delete this image. (%(code)s)": "Nemôžete vymazať tento obrázok. (%(code)s)",
"Cancel Sending": "Zrušiť odosielanie",
@ -765,7 +698,6 @@
"No update available.": "K dispozícii nie je žiadna aktualizácia.",
"Noisy": "Hlučné",
"Collecting app version information": "Získavajú sa informácie o verzii aplikácii",
"Delete the room alias %(alias)s and remove %(name)s from the directory?": "Vymazať alias %(alias)s a odstrániť miestnosť %(name)s z adresára?",
"Keywords": "Kľúčové slová",
"Enable notifications for this account": "Povoliť oznámenia pre tento účet",
"Invite to this community": "Pozvať do tejto komunity",
@ -776,7 +708,7 @@
"Enter keywords separated by a comma:": "Zadajte kľúčové slová oddelené čiarkou:",
"Forward Message": "Preposlať správu",
"Remove %(name)s from the directory?": "Odstrániť miestnosť %(name)s z adresára?",
"Riot uses many advanced browser features, some of which are not available or experimental in your current browser.": "Riot sa spolieha na mnohé pokročilé vlastnosti prehliadača internetu, a niektoré z nich sú vo vašom prehliadači experimentálne alebo nie sú k dispozícii vôbec.",
"%(brand)s uses many advanced browser features, some of which are not available or experimental in your current browser.": "%(brand)s sa spolieha na mnohé pokročilé vlastnosti prehliadača internetu, a niektoré z nich sú vo vašom prehliadači experimentálne alebo nie sú k dispozícii vôbec.",
"Event sent!": "Udalosť odoslaná!",
"Preparing to send logs": "príprava odoslania záznamov",
"Explore Account Data": "Preskúmať Údaje účtu",
@ -822,8 +754,7 @@
"Debug logs contain application usage data including your username, the IDs or aliases of the rooms or groups you have visited and the usernames of other users. They do not contain messages.": "Ladiace záznamy obsahujú údaje o používaní aplikácii, vrátane vašeho používateľského mena, názvy a aliasy miestností a komunít, ku ktorým ste sa pripojili a mená ostatných používateľov. Tieto záznamy neobsahujú samotný obsah vašich správ.",
"Unhide Preview": "Zobraziť náhľad",
"Unable to join network": "Nie je možné sa pripojiť k sieti",
"You might have configured them in a client other than Riot. You cannot tune them in Riot but they still apply": "Tieto nastavenia oznámení sa použijú aj napriek tomu, že ich nemôžete meniť cez Riot. Pravdepodobne ste si ich nastavili v inej aplikácii",
"Sorry, your browser is <b>not</b> able to run Riot.": "Prepáčte, vo vašom prehliadači <b>nie je</b> možné spustiť Riot.",
"Sorry, your browser is <b>not</b> able to run %(brand)s.": "Prepáčte, vo vašom prehliadači <b>nie je</b> možné spustiť %(brand)s.",
"Messages in group chats": "Správy v skupinových konverzáciách",
"Yesterday": "Včera",
"Error encountered (%(errorDetail)s).": "Vyskytla sa chyba (%(errorDetail)s).",
@ -833,7 +764,7 @@
"Set Password": "Nastaviť Heslo",
"An error occurred whilst saving your email notification preferences.": "Počas ukladania vašich nastavení oznamovania emailom sa vyskytla chyba.",
"Off": "Zakázané",
"Riot does not know how to join a room on this network": "Riot nedokáže vstúpiť do miestnosti na tejto sieti",
"%(brand)s does not know how to join a room on this network": "%(brand)s nedokáže vstúpiť do miestnosti na tejto sieti",
"Mentions only": "Len zmienky",
"You can now return to your account after signing out, and sign in on other devices.": "Odteraz sa budete k svojmu účtu vedieť vrátiť aj po odhlásení, alebo tiež prihlásiť na iných zariadeniach.",
"Enable email notifications": "Povoliť oznamovanie emailom",
@ -845,12 +776,9 @@
"View Source": "Zobraziť zdroj",
"Event Content": "Obsah Udalosti",
"Thank you!": "Ďakujeme!",
"With your current browser, the look and feel of the application may be completely incorrect, and some or all features may not function. If you want to try it anyway you can continue, but you are on your own in terms of any issues you may encounter!": "Vo vašom súčasnom prehliadači nemusí Riot vizerať ani fungovať správne a niektoré alebo všetky vlastnosti môžu chýbať. Ak to chcete vyskúšať, môžete pokračovať, no pri riešení problémov s tým spojených si budete musieť poradiť na vlastnú päsť!",
"Checking for an update...": "Kontrola dostupnosti aktualizácie…",
"There are advanced notifications which are not shown here": "Niektoré pokročilé oznámenia nemôžu byť zobrazené",
"Every page you use in the app": "Každú stránku v aplikácii, ktorú navštívite",
"e.g. <CurrentPageURL>": "príklad <CurrentPageURL>",
"Your User Agent": "Reťazec User Agent vašeho zariadenia",
"Your device resolution": "Rozlíšenie obrazovky vašeho zariadenia",
"Popout widget": "Otvoriť widget v novom okne",
"Missing roomId.": "Chýba ID miestnosti.",
@ -866,9 +794,6 @@
"Send analytics data": "Odosielať analytické údaje",
"Enable widget screenshots on supported widgets": "Umožniť zachytiť snímku obrazovky pre podporované widgety",
"Muted Users": "Umlčaní používatelia",
"Please help improve Riot.im by sending <UsageDataLink>anonymous usage data</UsageDataLink>. This will use a cookie (please see our <PolicyLink>Cookie Policy</PolicyLink>).": "Prosím pomôžte nám vylepšovať Riot.im odosielaním <UsageDataLink>anonymných údajov o používaní</UsageDataLink>. Na tento účel použijeme cookie (prečítajte si <PolicyLink>ako používame cookies</PolicyLink>).",
"Please help improve Riot.im by sending <UsageDataLink>anonymous usage data</UsageDataLink>. This will use a cookie.": "Prosím pomôžte nám vylepšovať Riot.im odosielaním <UsageDataLink>anonymných údajov o používaní</UsageDataLink>. Na tento účel použijeme cookie.",
"Yes, I want to help!": "Áno, chcem pomôcť",
"This will make your account permanently unusable. You will not be able to log in, and no one will be able to re-register the same user ID. This will cause your account to leave all rooms it is participating in, and it will remove your account details from your identity server. <b>This action is irreversible.</b>": "Toto spôsobí, že váš účet nebude viac použiteľný. Nebudete sa môcť opätovne prihlásiť a nikto sa nebude môcť znovu zaregistrovať s rovnakým používateľským ID. Deaktiváciou účtu opustíte všetky miestnosti, do ktorých ste kedy vstúpili a vaše kontaktné údaje budú odstránené zo servera totožností. <b>Túto akciu nie je možné vrátiť späť.</b>",
"Deactivating your account <b>does not by default cause us to forget messages you have sent.</b> If you would like us to forget your messages, please tick the box below.": "Pri deaktivácii účtu <b>predvolene neodstraňujeme vami odoslané správy.</b> Ak si želáte uplatniť právo zabudnutia, zaškrtnite prosím zodpovedajúce pole nižšie.",
"Message visibility in Matrix is similar to email. Our forgetting your messages means that messages you have sent will not be shared with any new or unregistered users, but registered users who already have access to these messages will still have access to their copy.": "Viditeľnosť správ odoslaných cez matrix funguje podobne ako viditeľnosť správ elektronickej pošty. To, že zabudneme vaše správy v skutočnosti znamená, že správy ktoré ste už odoslali nebudú čitateľné pre nových alebo neregistrovaných používateľov, no registrovaní používatelia, ktorí už prístup k vašim správam majú, budú aj naďalej bez zmeny môcť pristupovať k ich vlastným kópiám vašich správ.",
@ -913,9 +838,6 @@
"Please <a>contact your service administrator</a> to continue using the service.": "Prosím, <a>kontaktujte správcu služieb</a> aby ste službu mohli naďalej používať.",
"This homeserver has hit its Monthly Active User limit.": "Bol dosiahnutý mesačný limit počtu aktívnych používateľov tohoto domovského servera.",
"This homeserver has exceeded one of its resource limits.": "Bol prekročený limit využitia prostriedkov pre tento domovský server.",
"Please <a>contact your service administrator</a> to get this limit increased.": "Prosím, <a>kontaktujte správcu služieb</a> a pokúste sa tento limit navýšiť.",
"This homeserver has hit its Monthly Active User limit so <b>some users will not be able to log in</b>.": "Bol dosiahnutý mesačný limit počtu aktívnych používateľov a <b>niektorí používatelia sa nebudú môcť prihlásiť</b>.",
"This homeserver has exceeded one of its resource limits so <b>some users will not be able to log in</b>.": "Bol prekročený limit využitia prostriedkov pre tento domovský server a <b>niektorí používatelia sa nebudú môcť prihlásiť</b>.",
"Your message wasn't sent because this homeserver has hit its Monthly Active User Limit. Please <a>contact your service administrator</a> to continue using the service.": "Vaša správa nebola odoslaná, pretože bol dosiahnutý mesačný limit počtu aktívnych používateľov tohoto domovského servera. Prosím, <a>kontaktujte správcu služieb</a> aby ste službu mohli naďalej používať.",
"Your message wasn't sent because this homeserver has exceeded a resource limit. Please <a>contact your service administrator</a> to continue using the service.": "Vaša správa nebola odoslaná, pretože bol prekročený limit prostriedkov tohoto domovského servera. Prosím, <a>kontaktujte správcu služieb</a> aby ste službu mohli naďalej používať.",
"Please <a>contact your service administrator</a> to continue using this service.": "Prosím, <a>kontaktujte správcu služieb</a> aby ste mohli službu ďalej používať.",
@ -932,20 +854,13 @@
"Update any local room aliases to point to the new room": "Všetky lokálne aliasy pôvodnej miestnosti sa aktualizujú tak, aby ukazovali na novú miestnosť",
"Stop users from speaking in the old version of the room, and post a message advising users to move to the new room": "V pôvodnej miestnosti bude zverejnené odporúčanie prejsť do novej miestnosti a posielanie do pôvodnej miestnosti bude zakázané pre všetkých používateľov",
"Put a link back to the old room at the start of the new room so people can see old messages": "História novej miestnosti sa začne odkazom do pôvodnej miestnosti, aby si členovia vedeli zobraziť staršie správy",
"Registration Required": "Vyžaduje sa registrácia",
"You need to register to do this. Would you like to register now?": "Aby ste mohli uskutočniť túto akciu, musíte sa zaregistrovať. Chcete teraz spustiť registráciu?",
"Forces the current outbound group session in an encrypted room to be discarded": "Vynúti zabudnutie odchádzajúcej skupinovej relácii v šifrovanej miestnosti",
"%(senderName)s added %(count)s %(addedAddresses)s as addresses for this room.|other": "%(senderName)s pridal adresy %(addedAddresses)s do tejto miestnosti.",
"%(senderName)s added %(count)s %(addedAddresses)s as addresses for this room.|one": "%(senderName)s pridal adresu %(addedAddresses)s do tejto miestnosti.",
"%(senderName)s removed %(count)s %(removedAddresses)s as addresses for this room.|other": "%(senderName)s odstránil adresy %(removedAddresses)s z tejto miestnosti.",
"%(senderName)s removed %(count)s %(removedAddresses)s as addresses for this room.|one": "%(senderName)s odstránil adresu %(removedAddresses)s z tejto miestnosti.",
"%(senderName)s added %(addedAddresses)s and removed %(removedAddresses)s as addresses for this room.": "%(senderName)s pridal %(addedAddresses)s a odstránil %(removedAddresses)s z tejto miestnosti.",
"%(senderName)s set the main address for this room to %(address)s.": "%(senderName)s nastavil hlavnú adresu tejto miestnosti %(address)s.",
"%(senderName)s removed the main address for this room.": "%(senderName)s odstránil hlavnú adresu tejto miestnosti.",
"Unable to connect to Homeserver. Retrying...": "Nie je možné sa pripojiť k domovskému serveru. Prebieha pokus o opetovné pripojenie…",
"Before submitting logs, you must <a>create a GitHub issue</a> to describe your problem.": "Pred tým, než odošlete záznamy, musíte <a>nahlásiť váš problém na GitHub</a>. Uvedte prosím podrobný popis.",
"Riot now uses 3-5x less memory, by only loading information about other users when needed. Please wait whilst we resynchronise with the server!": "Riot teraz vyžaduje 3-5× menej pamäte, pretože informácie o ostatných používateľoch načítava len podľa potreby. Prosím počkajte na dokončenie synchronizácie so serverom!",
"Updating Riot": "Prebieha aktualizácia Riot",
"%(brand)s now uses 3-5x less memory, by only loading information about other users when needed. Please wait whilst we resynchronise with the server!": "%(brand)s teraz vyžaduje 3-5× menej pamäte, pretože informácie o ostatných používateľoch načítava len podľa potreby. Prosím počkajte na dokončenie synchronizácie so serverom!",
"Updating %(brand)s": "Prebieha aktualizácia %(brand)s",
"Legal": "Právne",
"Unable to load! Check your network connectivity and try again.": "Nie je možné načítať! Skontrolujte prístup na internet a skúste neskôr.",
"Failed to invite users to the room:": "Používateľov sa nepodarilo pozvať do miestnosti:",
@ -1002,31 +917,25 @@
"That doesn't look like a valid email address": "Zdá sa, že toto nie je platná emailová adresa",
"The following users may not exist": "Nasledujúci používatelia pravdepodobne neexistujú",
"Unable to load commit detail: %(msg)s": "Nie je možné načítať podrobnosti pre commit: %(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 Riot to do this": "Aby ste po odhlásení neprišli o možnosť čítať históriu šifrovaných konverzácií, mali by ste si ešte pred odhlásením exportovať šifrovacie kľúče miestností. Prosím vráťte sa k novšej verzii Riot a exportujte si kľúče",
"You've previously used a newer version of Riot on %(host)s. To use this version again with end to end encryption, you will need to sign out and back in again. ": "Už ste použili novšiu verziu Riot na adrese %(host)s. Ak chcete znovu používať túto verziu aj s E2E šifrovaním, musíte sa odhlásiť a potom zas znovu prihlásiť. ",
"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": "Aby ste po odhlásení neprišli o možnosť čítať históriu šifrovaných konverzácií, mali by ste si ešte pred odhlásením exportovať šifrovacie kľúče miestností. Prosím vráťte sa k novšej verzii %(brand)s a exportujte si kľúče",
"Incompatible Database": "Nekompatibilná databáza",
"Continue With Encryption Disabled": "Pokračovať s vypnutým šifrovaním",
"You've previously used Riot 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, Riot needs to resync your account.": "Použili ste aj Riot na adrese %(host)s so zapnutou voľbou Načítanie zoznamu členov pri prvom zobrazení. V tejto verzii je Načítanie zoznamu členov pri prvom zobrazení vypnuté. Keď že lokálna vyrovnávacia pamäť nie je vzájomne kompatibilná s takýmito nastaveniami, Riot potrebuje znovu synchronizovať údaje z vašeho účtu.",
"If the other version of Riot is still open in another tab, please close it as using Riot on the same host with both lazy loading enabled and disabled simultaneously will cause issues.": "Ak máte Riot s iným nastavením otvorený na ďalšej karte, prosím zatvorte ju, pretože použitie Riot s rôznym nastavením na jednom zariadení vám spôsobí len problémy.",
"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.": "Použili ste aj %(brand)s na adrese %(host)s so zapnutou voľbou Načítanie zoznamu členov pri prvom zobrazení. V tejto verzii je Načítanie zoznamu členov pri prvom zobrazení vypnuté. Keď že lokálna vyrovnávacia pamäť nie je vzájomne kompatibilná s takýmito nastaveniami, %(brand)s potrebuje znovu synchronizovať údaje z vašeho účtu.",
"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.": "Ak máte %(brand)s s iným nastavením otvorený na ďalšej karte, prosím zatvorte ju, pretože použitie %(brand)s s rôznym nastavením na jednom zariadení vám spôsobí len problémy.",
"Incompatible local cache": "Nekompatibilná lokálna vyrovnávacia pamäť",
"Clear cache and resync": "Vymazať vyrovnávaciu pamäť a synchronizovať znovu",
"Checking...": "Kontrola…",
"Unable to load backup status": "Nie je možné načítať stav zálohy",
"Unable to restore backup": "Nie je možné obnoviť zo zálohy",
"No backup found!": "Nebola nájdená žiadna záloha!",
"Backup Restored": "Obnova zo zálohy je hotová",
"Failed to decrypt %(failedCount)s sessions!": "Nepodarilo sa dešifrovať %(failedCount)s relácií!",
"Restored %(sessionCount)s session keys": "Obnovených %(sessionCount)s kľúčov relácií",
"Enter Recovery Passphrase": "Zadajte heslo bezpečného obnovenia",
"Access your secure message history and set up secure messaging by entering your recovery passphrase.": "Získajte prístup k šifrovanej histórií správ a nastavte šiforvanú komunikáciu zadaním vášho (dlhého) hesla obnovenia.",
"Waiting for %(userId)s to confirm...": "Čakanie na potvrdenie od používateľa %(userId)s…",
"Prompt before sending invites to potentially invalid matrix IDs": "Upozorniť pred odoslaním pozvaní na potenciálne neexistujúce Matrix ID",
"Unable to find profiles for the Matrix IDs listed below - would you like to invite them anyway?": "Nie je možné nájsť používateľský profil pre Matrix ID zobrazené nižšie. Chcete ich napriek tomu pozvať?",
"Invite anyway and never warn me again": "Napriek tomu pozvať a viac neupozorňovať",
"Invite anyway": "Napriek tomu pozvať",
"Next": "Ďalej",
"If you've forgotten your recovery passphrase you can <button1>use your recovery key</button1> or <button2>set up new recovery options</button2>": "Ak ste zabudli heslo obnovenia, môžete <button1>použiť kľúč obnovenia</button1> alebo <button2>nastaviť bezpečné obnovenie znovu</button2>",
"Enter Recovery Key": "Zadajte kľúč obnovenia",
"This looks like a valid recovery key!": "Zdá sa, že toto je platný kľúč obnovenia!",
"Not a valid recovery key": "Neplatný kľúč obnovenia",
"Access your secure message history and set up secure messaging by entering your recovery key.": "Získajte prístup k šifrovanej histórií správ a nastavte šiforvanú komunikáciu zadaním vášho kľúča obnovenia.",
@ -1038,23 +947,14 @@
"General failure": "Všeobecná chyba",
"Failed to perform homeserver discovery": "Nepodarilo sa zistiť adresu domovského servera",
"Sign in with single sign-on": "Prihlásiť sa pomocou jediného prihlasovania",
"Great! This passphrase looks strong enough.": "Výborne! Toto je dostatočne silné heslo.",
"Enter a passphrase...": "Zadajte heslo…",
"That matches!": "Zhoda!",
"That doesn't match.": "To sa nezhoduje.",
"Go back to set it again.": "Vráťte sa späť a nastavte to znovu.",
"Repeat your passphrase...": "Zopakujte heslo…",
"As a safety net, you can use it to restore your encrypted message history if you forget your Recovery Passphrase.": "Ak zabudnete svoje heslo obnovenia, tento kľúč môžete použiť ako ďalší bezpečnostný prvok na obnovenie histórii šifrovaných konverzácií.",
"As a safety net, you can use it to restore your encrypted message history.": "Tento kľúč môžete použiť ako ďalší bezpečnostný prvok na obnovenie histórii šifrovaných konverzácií.",
"Your Recovery Key": "Váš kľúč obnovenia",
"Copy to clipboard": "Kopírovať do schránky",
"Download": "Stiahnuť",
"<b>Print it</b> and store it somewhere safe": "<b>Vytlačte si ho</b> a uchovajte na bezpečnom mieste",
"<b>Save it</b> on a USB key or backup drive": "<b>Uložte si ho</b> na USB kľúč alebo iné zálohovacie médium",
"<b>Copy it</b> to your personal cloud storage": "<b>Skopírujte si ho</b> na osobné úložisko v cloude",
"Set up Secure Message Recovery": "Nastaviť bezpečné obnovenie správ",
"Keep it safe": "Bezpečne ho uchovajte",
"Create Key Backup": "Vytvoriť zálohu kľúčov",
"Unable to create key backup": "Nie je možné vytvoriť zálohu šifrovacích kľúčov",
"Retry": "Skúsiť znovu",
"Without setting up Secure Message Recovery, you'll lose your secure message history when you log out.": "Ak si nenastavíte Bezpečné obnovenie správ, po odhlásení stratíte prístup k histórii šifrovaných konverzácií.",
@ -1100,7 +1000,6 @@
"Send typing notifications": "Posielať oznámenia, keď píšete",
"Enable Community Filter Panel": "Povoliť panel filter komunít",
"Allow Peer-to-Peer for 1:1 calls": "Povoliť P2P počas priamych audio/video hovorov",
"Order rooms in the room list by most important first instead of most recent": "Uprednostňovať najdôležitejšie namiesto naposledy aktívnych v zozname miestností",
"Messages containing my username": "Správy obsahujúce moje meno používateľa",
"The other party cancelled the verification.": "Proti strana zrušila overovanie.",
"Verified!": "Overený!",
@ -1200,9 +1099,9 @@
"Deactivating your account is a permanent action - be careful!": "Buďte opatrní, deaktivácia účtu je nezvratná akcia!",
"General": "Všeobecné",
"Credits": "Poďakovanie",
"For help with using Riot, click <a>here</a>.": "Pomoc pri používaní Riot môžete získať kliknutím <a>sem</a>.",
"For help with using Riot, click <a>here</a> or start a chat with our bot using the button below.": "Pomoc pri používaní Riot môžete získať kliknutím <a>sem</a>, alebo začnite konverzáciu s našim robotom klepnutím na tlačidlo nižšie.",
"Chat with Riot Bot": "Konverzácia s Riot Bot",
"For help with using %(brand)s, click <a>here</a>.": "Pomoc pri používaní %(brand)s môžete získať kliknutím <a>sem</a>.",
"For help with using %(brand)s, click <a>here</a> or start a chat with our bot using the button below.": "Pomoc pri používaní %(brand)s môžete získať kliknutím <a>sem</a>, alebo začnite konverzáciu s našim robotom klepnutím na tlačidlo nižšie.",
"Chat with %(brand)s Bot": "Konverzácia s %(brand)s Bot",
"Help & About": "Pomocník & O programe",
"Bug reporting": "Hlásenie chýb",
"FAQ": "Často kladené otázky (FAQ)",
@ -1246,7 +1145,6 @@
"Select the roles required to change various parts of the room": "Vyberte role potrebné na zmenu rôznych častí miestnosti",
"Enable encryption?": "Povoliť šifrovanie?",
"Once enabled, encryption for a room cannot be disabled. Messages sent in an encrypted room cannot be seen by the server, only by the participants of the room. Enabling encryption may prevent many bots and bridges from working correctly. <a>Learn more about encryption.</a>": "Po povolení šifrovania miestnosti nie je možné šifrovanie zakázať. Správy poslané v šifrovanej miestnosti nie sú viditeľné na servery, prečítať ich môžu len členovia miestnosti. Mnohí Boti, premostenia do iných sietí a integrácie nemusia po zapnutí šifrovania fungovať správne. <a>Dozvedieť sa viac o šifrovaní.</a>",
"To link to this room, please add an alias.": "Ak chcete získať odkaz do tejto miestnosti, musíte pridať alias.",
"Changes to who can read history will only apply to future messages in this room. The visibility of existing history will be unchanged.": "Zmena viditeľnosti histórie sa prejaví len na budúcich správach v tejto miestnosti. Viditeľnosť existujúcich správ ostane bez zmeny.",
"Encryption": "Šifrovanie",
"Once enabled, encryption cannot be disabled.": "Po aktivovaní šifrovanie nie je možné deaktivovať.",
@ -1258,10 +1156,6 @@
"Don't ask me again": "Viac sa nepýtať",
"Error updating main address": "Chyba pri aktualizácii hlavnej adresy",
"There was an error updating the room's main address. It may not be allowed by the server or a temporary failure occurred.": "Pri aktualizácii hlavnej adresy miestnosti nastala chyba. Nie je to povolené na servery, alebo sa jedná o dočasný problém.",
"Error creating alias": "Chyba pri pridávaní aliasu",
"There was an error creating that alias. It may not be allowed by the server or a temporary failure occurred.": "Pri pridávaní tohoto aliasu nastala chyba. Nie je to povolené na servery, alebo sa jedná o dočasný problém.",
"Error removing alias": "Chyba pri odstraňovaní aliasu",
"There was an error removing that alias. It may no longer exist or a temporary error occurred.": "Pri odstraňovaní tohoto aliasu nastala chyba. Alias už neexistuje, alebo sa jedná o dočasný problém.",
"Main address": "Hlavná adresa",
"Error updating flair": "Chyba pri aktualizácii zobrazenia členstva",
"There was an error updating the flair for this room. The server may not allow it or a temporary error occurred.": "Pri aktualizácii zobrazenia členstva v skupinách v tejto miestnosti nastala chyba. Nie je to povolené na servery, alebo sa jedná o dočasný problém.",
@ -1270,12 +1164,6 @@
"Room Topic": "Téma miestnosti",
"Join": "Vstúpiť",
"Power level": "Úroveň moci",
"Use Legacy Verification (for older clients)": "Použiť pôvodný spôsob overenia (kompatibilný so staršími aplikáciami)",
"Verify by comparing a short text string.": "Overiť porovnaním krátkeho textového reťazca.",
"Begin Verifying": "Začať overenie",
"Waiting for partner to accept...": "Čakanie na prijatie od partnera…",
"Nothing appearing? Not all clients support interactive verification yet. <button>Use legacy verification</button>.": "Nič sa nezobrazuje? Ešte nie všetky aplikácie podporujú interaktívne overenie. <button>Použiť pôvodný spôsob overenia</button>.",
"Use two-way text verification": "Použiť obojsmerné textové overenie",
"Verify this user to mark them as trusted. Trusting users gives you extra peace of mind when using end-to-end encrypted messages.": "Overte tohoto používateľa a označte ho ako dôveryhodného. Dôverovanie používateľov pridáva pokoj na duši pri posielaní E2E šifrovaných správ.",
"Waiting for partner to confirm...": "Čakanie na potvrdenie od partnera…",
"Incoming Verification Request": "Prichádzajúca žiadosť o overenie",
@ -1289,10 +1177,6 @@
"Go back": "Naspäť",
"Room Settings - %(roomName)s": "Nastavenia miestnosti - %(roomName)s",
"A username can only contain lower case letters, numbers and '=_-./'": "Meno používateľa môže obsahovať len malé písmená, číslice a znaky „=_-./“",
"Recovery Key Mismatch": "Kľúče obnovenia sa nezhodujú",
"Backup could not be decrypted with this key: please verify that you entered the correct recovery key.": "Zálohu nie je možné dešifrovať zadaným kľúčom. Prosím, uistite sa, že ste zadali správny kľúč obnovenia.\nBackup could not be decrypted with this key: please verify that you entered the correct recovery key.",
"Incorrect Recovery Passphrase": "Nesprávne heslo obnovenia",
"Backup could not be decrypted with this passphrase: please verify that you entered the correct recovery passphrase.": "Zálohu nie je možné dešifrovať zadaným heslom. Prosím, uistite sa, že ste zadali správne heslo obnovenia.",
"<b>Warning</b>: you should only set up key backup from a trusted computer.": "<b>Pozor</b>: Zálohovanie šifrovacích kľúčov by ste mali nastavovať na dôverihodnom počítači.",
"Share Permalink": "Zdieľať trvalý odkaz",
"Update status": "Aktualizovať stav",
@ -1338,15 +1222,8 @@
"Unable to query for supported registration methods.": "Nie je možné požiadať o podporované metódy registrácie.",
"Create your account": "Vytvorte si váš účet",
"Keep going...": "Pokračujte…",
"We'll store an encrypted copy of your keys on our server. Protect your backup with a passphrase to keep it secure.": "Zašifrovanú kópiu vašich šifrovacích kľúčov uchováme na domovskom servery. Zabezpečte si zálohovanie zadaním hesla obnovenia, čo posilní ochranu vašich údajov.",
"For maximum security, this should be different from your account password.": "Aby ste zachovali maximálnu mieru zabezpečenia, (dlhé) heslo by malo byť odlišné od hesla, ktorým sa prihlasujete do vášho účtu.",
"Set up with a Recovery Key": "Nastaviť použitím kľúča obnovenia",
"Please enter your passphrase a second time to confirm.": "Prosím zadajte heslo obnovenia ešte raz pre potvrdenie.",
"Your recovery key is a safety net - you can use it to restore access to your encrypted messages if you forget your passphrase.": "Kľúč obnovenia je bezpečnostný mechanizmus - môžete ho použiť na prístup k šifrovacím kľúčom v prípade, ak zabudnete vaše heslo obnovenia.",
"Your keys are being backed up (the first backup could take a few minutes).": "Zálohovanie kľúčov máte aktívne (prvé zálohovanie môže trvať niekoľko minút).",
"Secure your backup with a passphrase": "Zabezpečte si zálohu zadaním hesla obnovenia",
"Confirm your passphrase": "Potvrdiť heslo obnovenia",
"Recovery key": "Kľúč obnovenia",
"Starting backup...": "Začína sa zálohovanie…",
"Success!": "Úspech!",
"A new recovery passphrase and key for Secure Messages have been detected.": "Nové (dlhé) heslo na obnovu zálohy a kľúč pre bezpečné správy boli spozorované.",
@ -1357,7 +1234,6 @@
"Please ask the administrator of your homeserver (<code>%(homeserverDomain)s</code>) to configure a TURN server in order for calls to work reliably.": "Prosím, požiadajte správcu vášho domovského servera (<code>%(homeserverDomain)s</code>) aby nakonfiguroval Turn server, čo zlepší spoľahlivosť audio / video hovorov.",
"Alternatively, you can try to use the public server at <code>turn.matrix.org</code>, but this will not be as reliable, and it will share your IP address with that server. You can also manage this in Settings.": "Ako náhradu môžete použiť verejný server s adresou <code>turn.matrix.org</code>, čo nemusí byť úplne spoľahlivé a tiež odošle vašu adresu IP na spomínaný server. Toto môžete kedykoľvek opätovne zmeniť v časti Nastavenia.",
"Try using turn.matrix.org": "Skúsiť používať turn.matrix.org",
"A conference call could not be started because the integrations server is not available": "Nie je možné začať konferenčný hovor, pretože integračný server nie je dostupný",
"Replying With Files": "Odpoveď so súbormi",
"At this time it is not possible to reply with a file. Would you like to upload this file without replying?": "Zatiaľ nie je možné odpovedať s priloženými súbormi. Chcete nahrať tento súbor bez odpovedania?",
"The file '%(fileName)s' failed to upload.": "Nepodarilo sa nahrať súbor „%(fileName)s“.",
@ -1379,8 +1255,7 @@
"%(senderName)s revoked the invitation for %(targetDisplayName)s to join the room.": "%(senderName)s odvolal pozvanie vstúpiť do miestnosti pre %(targetDisplayName)s.",
"Cannot reach homeserver": "Nie je možné pripojiť sa k domovskému serveru",
"Ensure you have a stable internet connection, or get in touch with the server admin": "Uistite sa, že máte stabilné pripojenie na internet, alebo kontaktujte správcu servera",
"Your Riot is misconfigured": "Váš Riot nie je nastavený správne",
"Ask your Riot admin to check <a>your config</a> for incorrect or duplicate entries.": "Požiadajte správcu, aby skontroloval <a>vaše nastavenia</a> na nesprávne alebo viacnásobne uvedené voľby.",
"Your %(brand)s is misconfigured": "Váš %(brand)s nie je nastavený správne",
"Cannot reach identity server": "Nie je možné pripojiť sa k serveru totožností",
"You can register, but some features will be unavailable until the identity server is back online. If you keep seeing this warning, check your configuration or contact a server admin.": "Môžete sa zaregistrovať, ale niektoré vlastnosti nebudú dostupné, kým server totožností nebude opäť v prevádzke. Ak sa toto upozornenie zobrazuje neustále, skontrolujte správnosť nastavení alebo kontaktujte správcu servera.",
"You can reset your password, but some features will be unavailable until the identity server is back online. If you keep seeing this warning, check your configuration or contact a server admin.": "Môžete si obnoviť heslo, ale niektoré vlastnosti nebudú dostupné, kým server totožností nebude opäť v prevádzke. Ak sa toto upozornenie zobrazuje neustále, skontrolujte správnosť nastavení alebo kontaktujte správcu servera.",
@ -1389,7 +1264,6 @@
"Unexpected error resolving homeserver configuration": "Neočakávaná chyba pri zisťovaní nastavení domovského servera",
"Unexpected error resolving identity server configuration": "Neočakávaná chyba pri zisťovaní nastavení servera totožností",
"The user's homeserver does not support the version of the room.": "Používateľov domovský server nepodporuje verziu miestnosti.",
"Show recently visited rooms above the room list": "Zobrazovať naposledy otvorené miestnosti nad zoznamom miestností",
"Show hidden events in timeline": "Zobrazovať skryté udalosti v histórii obsahu miestností",
"Low bandwidth mode": "Režim šetrenia údajov",
"Allow fallback call assist server turn.matrix.org when your homeserver does not offer one (your IP address would be shared during a call)": "Ak váš domovský server neposkytuje pomocný server pri uskutočňovaní hovorov, povoliť použitie záložného servera turn.matrix.org (týmto počas hovoru zdieľate svoju adresu IP)",
@ -1407,7 +1281,6 @@
"Only continue if you trust the owner of the server.": "Pokračujte len v prípade, že dôverujete prevádzkovateľovi servera.",
"Add Email Address": "Pridať emailovú adresu",
"Add Phone Number": "Pridať telefónne číslo",
"Send cross-signing keys to homeserver": "Poslať kľúče pre podpisovanie naprieč zariadeniami na domovský 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.": "Táto akcia vyžaduje prístup k predvolenému serveru totožností <server /> na overenie emailovej adresy alebo telefónneho čísla, ale server nemá žiadne podmienky používania.",
"Trust": "Dôverovať",
"Custom (%(level)s)": "Vlastný (%(level)s)",
@ -1443,7 +1316,6 @@
"%(name)s (%(userId)s)": "%(name)s (%(userId)s)",
"Multiple integration managers": "Viac integračných serverov",
"Try out new ways to ignore people (experimental)": "Vyskúšajte si nový spôsob ignorovania používateľov (experiment)",
"Enable local event indexing and E2EE search (requires restart)": "Povoliť lokálne indexovanie udalostí a vyhľadávanie v šifrovaných miestnostiach",
"Match system theme": "Prispôsobiť sa vzhľadu systému",
"Send read receipts for messages (requires compatible homeserver to disable)": "Odosielať potvrdenia o prečítaní správ (na zakázanie je vyžadovaný kompatibilný domovský server)",
"Show previews/thumbnails for images": "Zobrazovať ukážky/náhľady obrázkov",
@ -1505,7 +1377,6 @@
"Error adding ignored user/server": "Chyba pri pridávaní ignorovaného používateľa / servera",
"Something went wrong. Please try again or view your console for hints.": "Niečo sa nepodarilo. Prosím, skúste znovu neskôr alebo si prečítajte ďalšie usmernenia zobrazením konzoly.",
"Error subscribing to list": "Chyba pri prihlasovaní sa do zoznamu",
"Please verify the room ID or alias and try again.": "Prosím, overte platnosť ID miestnosti alebo alias a skúste znovu.\nPlease verify the room ID or alias and try again.",
"Error removing ignored user/server": "Chyba pri odstraňovaní ignorovaného používateľa / servera",
"Use Single Sign On to continue": "Pokračovať pomocou Jednotného prihlásenia",
"Confirm adding this email address by using Single Sign On to prove your identity.": "Potvrďte pridanie tejto adresy pomocou Jednotného prihlásenia.",
@ -1515,23 +1386,17 @@
"Confirm adding this phone number by using Single Sign On to prove your identity.": "Potvrďte pridanie telefónneho čísla pomocou Jednotného prihlásenia.",
"Confirm adding phone number": "Potvrdiť pridanie telefónneho čísla",
"Click the button below to confirm adding this phone number.": "Kliknutím na tlačítko potvrdíte pridanie telefónneho čísla.",
"The version of Riot": "Verzia Riotu",
"Whether you're using Riot on a device where touch is the primary input mechanism": "Či používate Riot na zariadení, ktorého hlavným vstupným mechanizmom je dotyk (mobil, tablet,...)",
"Whether you're using Riot as an installed Progressive Web App": "Či používate Riot ako nainštalovanú Progresívnu Webovú Aplikáciu",
"Whether you're using %(brand)s on a device where touch is the primary input mechanism": "Či používate %(brand)s na zariadení, ktorého hlavným vstupným mechanizmom je dotyk (mobil, tablet,...)",
"Whether you're using %(brand)s as an installed Progressive Web App": "Či používate %(brand)s ako nainštalovanú Progresívnu Webovú Aplikáciu",
"Your user agent": "Identifikátor vášho prehliadača",
"The information being sent to us to help make Riot better includes:": "Informácie, ktoré nám posielate, aby sme zlepšili Riot, zahŕňajú:",
"There are unknown sessions in this room: if you proceed without verifying them, it will be possible for someone to eavesdrop on your call.": "V miestnosti je neznáma relácia: pokiaľ budete pokračovať bez jej overenia, bude schopná odpočúvať váš hovor.",
"Review Sessions": "Overiť reláciu",
"If you cancel now, you won't complete verifying the other user.": "Pokiaľ teraz proces zrušíte, nedokončíte overenie druhého používateľa.",
"If you cancel now, you won't complete verifying your other session.": "Pokiaľ teraz proces zrušíte, nedokončíte overenie vašej druhej relácie.",
"If you cancel now, you won't complete your operation.": "Pokiaľ teraz proces zrušíte, nedokončíte ho.",
"Cancel entering passphrase?": "Zrušiť zadávanie (dlhého) hesla.",
"Setting up keys": "Príprava kľúčov",
"Verify this session": "Overiť túto reláciu",
"Keep recovery passphrase in memory for this session": "Ponechať (dlhé) heslo pre obnovu zálohy v pamäti pre túto reláciu",
"Enter recovery passphrase": "Zadajte (dlhé) heslo pre obnovu zálohy",
"Unable to access secret storage. Please verify that you entered the correct recovery passphrase.": "Nemožno sa dostať do tajného úložiska. Prosím, overte, že ste zadali správne (dlhé) heslo pre obnovu zálohy.",
"Access your secure message history and your cross-signing identity for verifying other sessions by entering your recovery passphrase.": "Získajte prístup k vašej šifrovanej histórií správ a vašej krížom podpísanej identite na potvrdenie iných relácií zadaním vášho (dlhého) hesla na obnovu zálohy.",
"Encryption upgrade available": "Je dostupná aktualizácia šifrovania",
"Set up encryption": "Nastaviť šifrovanie",
"Review where youre logged in": "Zobraziť, kde ste prihlásený",
@ -1550,7 +1415,6 @@
"Unknown (user, session) pair:": "Neznámy pár (používateľ, relácia):",
"Session already verified!": "Relácia je už overená!",
"WARNING: Session already verified, but keys do NOT MATCH!": "VAROVANIE: Relácia je už overená, ale kľúče sa NEZHODUJÚ!",
"If you've forgotten your recovery passphrase you can <button1>use your recovery key</button1> or <button2>set up new recovery options</button2>.": "Pokiaľ ste zabudli vaše (dlhé) heslo na obnovu zálohy, môžete <button1>použiť váš kľúč na obnovu zálohy</button1> alebo <button2>nastaviť nové spôsoby obnovy zálohy</button2>.",
"Incorrect recovery passphrase": "Nesprávne (dlhé) heslo pre obnovu zálohy",
"Backup could not be decrypted with this recovery passphrase: please verify that you entered the correct recovery passphrase.": "Záloha nemohla byť rozšifrovaná pomocou tohto (dlhého) helsa na obnovu zálohy: prosím, overte, či ste zadali správne (dlhé) helso na obnovu zálohy.",
"WARNING: KEY VERIFICATION FAILED! The signing key for %(userId)s and session %(deviceId)s is \"%(fprint)s\" which does not match the provided key \"%(fingerprint)s\". This could mean your communications are being intercepted!": "VAROVANIE: OVERENIE KĽÚČOV ZLYHALO! Podpisovaný kľúč používateľa %(userId)s a relácia %(deviceId)s je \"%(fprint)s\" čo nezodpovedá zadanému kľúču \"%(fingerprint)s\". Môže to znamenať, že vaša komunikácia je infiltrovaná!",
@ -1584,19 +1448,16 @@
"about an hour from now": "približne o hodinu",
"about a day from now": "približne o deň",
"Support adding custom themes": "Umožniť pridávať vlastný vzhľad",
"Enable cross-signing to verify per-user instead of per-session": "Povoliť krížové podpisovanie na overovanie používateľa namiesto overovania jednotlivých relácií",
"Your homeserver does not support cross-signing.": "Váš domovský server nepodporuje krížové podpisovanie.",
"Your account has a cross-signing identity in secret storage, but it is not yet trusted by this session.": "Váš účet má krížovo podpísanú identitu v bezpečnom úložisku, ale zatiaľ nie je nedôveryhodná pre túto reláciu.",
"Reset cross-signing and secret storage": "Obnoviť krížové podpisovanie a bezpečné úložisko",
"Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "Individuálne overte každú používateľskú reláciu a označte ju za dôveryhodnú, bez dôvery krížovo podpísaných zariadení.",
"Backup key stored in secret storage, but this feature is not enabled on this session. Please enable cross-signing in Labs to modify key backup state.": "Zálohovací kľúč je uložený v bezpečnom úložisku, ale jeho načítanie nie je povolené v tejto relácií. Prosím, zapnite krížové podpisovanie v Experimentoch, aby ste mohli modifikovať stav zálohy.",
"Cross-signing": "Krížové podpisovanie",
"Destroy cross-signing keys?": "Zmazať kľúče pre krížové podpisovanie?",
"Deleting cross-signing keys is permanent. Anyone you have verified with will see security alerts. You almost certainly don't want to do this, unless you've lost every device you can cross-sign from.": "Zmazanie kľúčov pre krížové podpisovanie je nenávratné. Každý, s kým ste sa overili, bude vidieť bezpečnostné upozornenia. Toto určite nechcete robiť, dokiaľ ste nestratili všetky zariadenia, s ktorými by ste mohli krížovo podpisovať.",
"Clear cross-signing keys": "Zmazať kľúče pre krížové podpisovanie",
"a new cross-signing key signature": "nový podpis kľúča pre krížové podpisovanie",
"a device cross-signing signature": "podpis krížovo podpísaného zariadenia",
"Access your secure message history and your cross-signing identity for verifying other sessions by entering your recovery key.": "Získajte prístup k vašej šifrovanej histórií správ a vašej krížom podpísanej identite pre overenie iných relácií zadaním vášho kľúču obnovy.",
"or another cross-signing capable Matrix client": "alebo iný Matrixový klient podporujúci krížové podpisovanie",
"Removing…": "Odstraňovanie…",
"Your new account (%(newAccountId)s) is registered, but you're already logged into a different account (%(loggedInUserId)s).": "Váš nový účet (%(newAccountId)s) je registrovaný, ale už ste prihlásený pod iným účtom (%(loggedInUserId)s).",
@ -1605,8 +1466,7 @@
"You can now close this window or <a>log in</a> to your new account.": "Teraz môžete toto okno zavrieť alebo sa <a>prihlásiť</a> do vášho nového účtu.",
"Registration Successful": "Úspešná registrácia",
"Confirm your identity by verifying this login from one of your other sessions, granting it access to encrypted messages.": "Potvrďte svoju identitu overením tohto účtu z jednej z vašich iných relácií, čím mu povolíte prístup k šifrovaným správam.",
"This requires the latest Riot on your other devices:": "Toto vyžaduje najnovší Riot na vašich ostatných zariadeniach:",
"Use Recovery Passphrase or Key": "Použite (dlhé) heslo pre obnovu zálohy alebo kľúč",
"This requires the latest %(brand)s on your other devices:": "Toto vyžaduje najnovší %(brand)s na vašich ostatných zariadeniach:",
"Your new session is now verified. It has access to your encrypted messages, and other users will see it as trusted.": "Vaša nová relácia je teraz overená. Má prístup k vašim šifrovaným správam a ostatný používatelia ju uvidia ako dôveryhodnú.",
"Your new session is now verified. Other users will see it as trusted.": "Vaša nová relácia je teraz overená. Ostatný používatelia ju uvidia ako dôveryhodnú.",
"Without completing security on this session, it wont have access to encrypted messages.": "Bez dokončenia overenia nebude mať táto relácia prístup k šifrovaným správam.",
@ -1615,10 +1475,8 @@
"Failed to re-authenticate": "Opätovná autentifikácia zlyhala",
"Regain access to your account and recover encryption keys stored in this session. Without them, you wont be able to read all of your secure messages in any session.": "Znovuzískajte prístup k vášmu účtu a obnovte šifrovacie kľúče uložené v tejto relácií. Bez nich nebudete môcť čítať všetky vaše šifrované správy vo všetkých reláciach.",
"Font scaling": "Škálovanie písma",
"Use IRC layout": "Použiť IRC rozloženie",
"Show info about bridges in room settings": "Zobraziť informácie o mostoch v Nastaveniach miestnosti",
"Font size": "Veľkosť písma",
"Custom font size": "Vlastná veľkosť písma",
"Show typing notifications": "Posielať oznámenia, keď píšete",
"Never send encrypted messages to unverified sessions from this session": "Nikdy neposielať šifrované správy neovereným reláciam z tejto relácie",
"Never send encrypted messages to unverified sessions in this room from this session": "Nikdy neposielať šifrované správy neovereným reláciam v tejto miestnosti z tejto relácie",
@ -1635,7 +1493,7 @@
"Compare unique emoji": "Porovnajte jedinečnú kombináciu emoji",
"Compare a unique set of emoji if you don't have a camera on either device": "Pokiaľ nemáte na svojich zariadeniach kameru, porovnajte jedinečnú kombináciu emoji",
"Confirm the emoji below are displayed on both sessions, in the same order:": "Potvrďte, že nasledujúce emoji sú zobrazené na oboch reláciach v rovnakom poradí:",
"The session you are trying to verify doesn't support scanning a QR code or emoji verification, which is what Riot supports. Try with a different client.": "Relácia, ktorú sa snažíte overiť, nepodporuje overovanie QR kódom a ani pomocou emoji, čo sú funkcie, ktoré Riot podporuje. Skúste použiť iného klienta.",
"The session you are trying to verify doesn't support scanning a QR code or emoji verification, which is what %(brand)s supports. Try with a different client.": "Relácia, ktorú sa snažíte overiť, nepodporuje overovanie QR kódom a ani pomocou emoji, čo sú funkcie, ktoré %(brand)s podporuje. Skúste použiť iného klienta.",
"QR Code": "QR kód",
"Enter your password to sign in and regain access to your account.": "Prihláste sa zadaním hesla a znovuzískajte prístup k vášmu účtu.",
"Forgotten your password?": "Zabudli ste heslo?",
@ -1678,7 +1536,6 @@
"Room name or address": "Meno alebo adresa miestnosti",
"Joins room with given address": "Pridať sa do miestnosti s danou adresou",
"Unrecognised room address:": "Nerozpoznaná adresa miestnosti:",
"Use the improved room list (in development - refresh to apply changes)": "Použiť vylepšený zoznam miestností (vo vývoji - znovunačítajte stránku pre aplikovanie zmien)",
"This bridge is managed by <user />.": "Tento most spravuje <user />.",
"Workspace: %(networkName)s": "Pracovisko: %(networkName)s",
"Channel: %(channelName)s": "Kanál: %(channelName)s",
@ -1708,8 +1565,7 @@
"Manage": "Spravovať",
"Securely cache encrypted messages locally for them to appear in search results.": "Bezpečne cachovať šifrované správy lokálne, aby sa mohli zobraziť vo vyhľadávaní.",
"Enable": "Povoliť",
"Riot is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom Riot Desktop with <nativeLink>search components added</nativeLink>.": "Riotu chýbajú niektoré komponenty potrebné na bezpečné cachovanie šifrovaných správ lokálne. Pokiaľ chcete experimentovať s touto funkciou, spravte si svoj vlastný Riot Desktop s <nativeLink>pridanými vyhľadávacími komponentami</nativeLink>.",
"Riot can't securely cache encrypted messages locally while running in a web browser. Use <riotLink>Riot Desktop</riotLink> for encrypted messages to appear in search results.": "Riotu nemôže bezpečne cachovať šifrované správy lokálne keď beží v prehliadači. Použite <riotLink>Riot Desktop</riotLink>, aby sa šifrované správy zobrazili vo vyhľadávaní.",
"%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with <nativeLink>search components added</nativeLink>.": "%(brand)su chýbajú niektoré komponenty potrebné na bezpečné cachovanie šifrovaných správ lokálne. Pokiaľ chcete experimentovať s touto funkciou, spravte si svoj vlastný %(brand)s Desktop s <nativeLink>pridanými vyhľadávacími komponentami</nativeLink>.",
"This session is backing up your keys. ": "Táto relácia zálohuje vaše kľúče. ",
"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.": "Táto relácia <b>nezálohuje vaše kľúče</b>, ale už máte jednu existujúcu zálohu z ktorej sa môžete obnoviť a postupne pridávať.",
"Connect this session to key backup before signing out to avoid losing any keys that may only be on this session.": "Pred odhlásením pripojte túto reláciu k zálohe kľúčov, aby ste predišli strate kľúčov, ktoré môžu byť len v tejto relácií.",
@ -1728,8 +1584,8 @@
"Enable audible notifications for this session": "Povoliť zvukové notifikácie pre túto reláciu",
"Size must be a number": "Veľkosť musí byť číslo",
"Custom font size can only be between %(min)s pt and %(max)s pt": "Vlastná veľkosť písma môže byť len v rozmedzí %(min)s pt až %(max)s pt",
"Help us improve Riot": "Pomôžte nám zlepšovať Riot",
"Send <UsageDataLink>anonymous usage data</UsageDataLink> which helps us improve Riot. This will use a <PolicyLink>cookie</PolicyLink>.": "Posielať <UsageDataLink>anonymné dáta o používaní</UsageDataLink>, ktoré nám pomôžu zlepšiť Riot. Toto bude vyžadovať <PolicyLink>sušienku</PolicyLink>.",
"Help us improve %(brand)s": "Pomôžte nám zlepšovať %(brand)s",
"Send <UsageDataLink>anonymous usage data</UsageDataLink> which helps us improve %(brand)s. This will use a <PolicyLink>cookie</PolicyLink>.": "Posielať <UsageDataLink>anonymné dáta o používaní</UsageDataLink>, ktoré nám pomôžu zlepšiť %(brand)s. Toto bude vyžadovať <PolicyLink>sušienku</PolicyLink>.",
"I want to help": "Chcem pomôcť",
"Your homeserver has exceeded its user limit.": "Na vašom domovskom serveri bol prekročený limit počtu používateľov.",
"Your homeserver has exceeded one of its resource limits.": "Na vašom domovskom serveri bol prekročený jeden z limitov systémových zdrojov.",
@ -1738,6 +1594,6 @@
"Set password": "Nastaviť heslo",
"To return to your account in future you need to set a password": "Aby ste sa k účtu mohli vrátiť aj neskôr, je potrebné nastaviť heslo",
"Restart": "Reštartovať",
"Upgrade your Riot": "Upgradujte svoj Riot",
"A new version of Riot is available!": "Nová verzia Riotu je dostupná!"
"Upgrade your %(brand)s": "Upgradujte svoj %(brand)s",
"A new version of %(brand)s is available!": "Nová verzia %(brand)su je dostupná!"
}

View file

@ -3,9 +3,9 @@
"This phone number is already in use": "Ta telefonska številka je že v uporabi",
"Failed to verify email address: make sure you clicked the link in the email": "E-poštnega naslova ni bilo mogoče preveriti: preverite, ali ste kliknili povezavo v e-poštnem sporočilu",
"The platform you're on": "Vaša platforma",
"The version of Riot.im": "Različica Riot.im",
"The version of %(brand)s": "Različica %(brand)s",
"Dismiss": "Opusti",
"Chat with Riot Bot": "Klepetajte z Riot Botom",
"Chat with %(brand)s Bot": "Klepetajte z %(brand)s Botom",
"Sign In": "Prijava",
"powered by Matrix": "poganja Matrix",
"Custom Server Options": "Možnosti strežnika po meri",

File diff suppressed because it is too large Load diff

View file

@ -42,14 +42,13 @@
"Which rooms would you like to add to this community?": "Које собе желите додати у ову заједницу?",
"Show these rooms to non-members on the community page and room list?": "Приказати ове собе нечлановима на страници заједнице и у списку соба?",
"Add rooms to the community": "Додај собе у заједницу",
"Room name or alias": "Назив собе или алијас",
"Add to community": "Додај у заједницу",
"Failed to invite the following users to %(groupId)s:": "Нисам успео да позовем следеће кориснике у %(groupId)s:",
"Failed to invite users to community": "Нисам успео да позовем кориснике у заједницу",
"Failed to invite users to %(groupId)s": "Нисам успео да позовем кориснике у %(groupId)s",
"Failed to add the following rooms to %(groupId)s:": "Нисам успео да додам следеће собе у %(groupId)s:",
"Riot does not have permission to send you notifications - please check your browser settings": "Riot нема овлашћења за слање обавештења, проверите подешавања вашег прегледача",
"Riot was not given permission to send notifications - please try again": "Riot-у није дато овлашћење за слање обавештења, пробајте поново касније",
"%(brand)s does not have permission to send you notifications - please check your browser settings": "%(brand)s нема овлашћења за слање обавештења, проверите подешавања вашег прегледача",
"%(brand)s was not given permission to send notifications - please try again": "%(brand)s-у није дато овлашћење за слање обавештења, пробајте поново касније",
"Unable to enable Notifications": "Нисам успео да омогућим обавештења",
"This email address was not found": "Ова мејл адреса није нађена",
"Your email address does not appear to be associated with a Matrix ID on this Homeserver.": "Изгледа да ваша мејл адреса није повезана са Матрикс ИБ-јем на овом кућном серверу.",
@ -57,7 +56,6 @@
"Restricted": "Ограничено",
"Moderator": "Модератор",
"Admin": "Админ",
"Start a chat": "Крени са ћаскањем",
"Operation failed": "Радња није успела",
"Failed to invite": "Нисам успео да пошаљем позивницу",
"Failed to invite the following users to the %(roomName)s room:": "Нисам успео да пошаљем позивницу корисницима за собу %(roomName)s:",
@ -73,17 +71,11 @@
"Room %(roomId)s not visible": "Соба %(roomId)s није видљива",
"Missing user_id in request": "Недостаје user_id у захтеву",
"Call Failed": "Позивање неуспешно",
"Review Devices": "Испрегледај уређаје",
"Call Anyway": "Ипак позови",
"Answer Anyway": "Ипак одговори",
"Call": "Позови",
"Answer": "Одговори",
"Call Timeout": "Прекорачено време позивања",
"%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s, %(day)s %(monthName)s %(fullYear)s",
"Usage": "Коришћење",
"/ddg is not a command": "/ddg није наредба",
"To use it, just wait for autocomplete results to load and tab through them.": "Да бисте је користили, само сачекајте да се исходи самодовршавања учитају и табом прођите кроз њих.",
"Unrecognised room alias:": "Непознати алијас собе:",
"Ignored user": "Занемарени корисник",
"You are now ignoring %(userId)s": "Сада занемарујете корисника %(userId)s",
"Unignored user": "Незанемарени корисник",
@ -133,15 +125,13 @@
"%(widgetName)s widget removed by %(senderName)s": "Корисник %(senderName)s је уклонио виџет %(widgetName)s",
"Failure to create room": "Неуспех при прављењу собе",
"Server may be unavailable, overloaded, or you hit a bug.": "Сервер је можда недоступан, преоптерећен или сте нашли грешку.",
"Send anyway": "Ипак пошаљи",
"Send": "Пошаљи",
"Unnamed Room": "Неименована соба",
"Your browser does not support the required cryptography extensions": "Ваш прегледач не подржава потребна криптографска проширења",
"Not a valid Riot keyfile": "Није исправана Riot кључ-датотека",
"Not a valid %(brand)s keyfile": "Није исправана %(brand)s кључ-датотека",
"Authentication check failed: incorrect password?": "Провера идентитета није успела: нетачна лозинка?",
"Failed to join room": "Нисам успео да уђем у собу",
"Message Pinning": "Закачене поруке",
"Use compact timeline layout": "Користи збијени распоред временске линије",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "Прикажи временске жигове у 12-сатном облику (нпр.: 2:30 ПоП)",
"Always show message timestamps": "Увек прикажи временске жигове",
"Autoplay GIFs and videos": "Самостално пуштај GIF-ове и видео записе",
@ -178,11 +168,8 @@
"Confirm password": "Потврди лозинку",
"Change Password": "Промени лозинку",
"Authentication": "Идентификација",
"Device ID": "ИБ уређаја",
"Last seen": "Последњи пут виђен",
"Failed to set display name": "Нисам успео да поставим приказно име",
"Disable Notifications": "Онемогући обавештења",
"Enable Notifications": "Омогући обавештења",
"Cannot add any more widgets": "Не могу да додам још виџета",
"The maximum permitted number of widgets have already been added to this room.": "Највећи број дозвољених додатих виџета је прекорачен у овој соби.",
"Add a widget": "Додај виџет",
@ -196,8 +183,6 @@
"%(senderName)s uploaded a file": "Корисник %(senderName)s је отпремио датотеку",
"Options": "Опције",
"Please select the destination room for this message": "Изаберите одредишну собу за ову поруку",
"Blacklisted": "На црном списку",
"device id: ": "иб уређаја: ",
"Disinvite": "Откажи позивницу",
"Kick": "Избаци",
"Disinvite this user?": "Отказати позивницу за овог корисника?",
@ -209,7 +194,6 @@
"Ban this user?": "Забранити приступ овом кориснику?",
"Failed to ban user": "Неуспех при забрањивању приступа кориснику",
"Failed to mute user": "Неуспех при пригушивању корисника",
"Failed to toggle moderator status": "Неуспех при промени стања модератора",
"Failed to change power level": "Неуспех при промени нивоа моћи",
"You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.": "Нећете моћи да опозовете ове промене зато што снижавате себе, ако сте последњи овлашћени корисник у соби, немогуће је да поново добијете овлашћења.",
"Are you sure?": "Да ли сте сигурни?",
@ -219,12 +203,8 @@
"Jump to read receipt": "Скочи на потврду о прочитаности",
"Mention": "Спомени",
"Invite": "Позови",
"User Options": "Корисничке опције",
"Direct chats": "Директна ћаскања",
"Unmute": "Појачај",
"Mute": "Утишај",
"Revoke Moderator": "Опозови модератора",
"Make Moderator": "Учини модератором",
"Admin Tools": "Админ алатке",
"and %(count)s others...|other": "и %(count)s других...",
"and %(count)s others...|one": "и још један други...",
@ -237,9 +217,7 @@
"Video call": "Видео позив",
"Upload file": "Отпреми датотеку",
"Send an encrypted reply…": "Пошаљи шифровани одговор…",
"Send a reply (unencrypted)…": "Пошаљи одговор (нешифровани)…",
"Send an encrypted message…": "Пошаљи шифровану поруку…",
"Send a message (unencrypted)…": "Пошаљи поруку (нешифровану)…",
"You do not have permission to post to this room": "Немате овлашћење за писање у овој соби",
"Server error": "Грешка на серверу",
"Server unavailable, overloaded, or something else went wrong.": "Сервер није доступан или је преоптерећен или је нешто пошло наопако.",
@ -313,10 +291,7 @@
"Jump to first unread message.": "Скочи на прву непрочитану поруку.",
"Close": "Затвори",
"not specified": "није наведено",
"Remote addresses for this room:": "Удаљене адресе за ову собу:",
"Local addresses for this room:": "Локална адреса ове собе:",
"This room has no local addresses": "Ова соба нема локалних адреса",
"New address (e.g. #foo:%(localDomain)s)": "Нова адреса (нпр.: #soba:%(localDomain)s)",
"Invalid community ID": "Неисправан ИБ заједнице",
"'%(groupId)s' is not a valid community ID": "„%(groupId)s“ није исправан ИБ заједнице",
"Flair": "Беџ",
@ -342,12 +317,8 @@
"Failed to copy": "Нисам успео да ископирам",
"Add an Integration": "Додај уградњу",
"You are about to be taken to a third-party site so you can authenticate your account for use with %(integrationsUrl)s. Do you wish to continue?": "Бићете пребачени на сајт треће стране да бисте се идентификовали са својим налогом зарад коришћења уградње %(integrationsUrl)s. Да ли желите да наставите?",
"Removed or unknown message type": "Уклоњена порука или порука непознатог типа",
"Message removed by %(userId)s": "Поруку је уклонио корисник %(userId)s",
"Message removed": "Порука је уклоњена",
"Custom Server Options": "Прилагођене опције сервера",
"Dismiss": "Одбаци",
"To continue, please enter your password.": "Да бисте наставили, унесите вашу лозинку.",
"An email has been sent to %(emailAddress)s": "Мејл је послат на адресу %(emailAddress)s",
"Please check your email to continue registration.": "Проверите ваше сандуче да бисте наставили регистровање.",
"Token incorrect": "Жетон је нетачан",
@ -388,14 +359,9 @@
"Minimize apps": "Умањи апликације",
"Edit": "Уреди",
"Create new room": "Направи нову собу",
"Unblacklist": "Скини са црног списка",
"Blacklist": "Стави на црни списак",
"Unverify": "Означи непровереним",
"Verify...": "Провери...",
"No results": "Нема резултата",
"Communities": "Заједнице",
"Home": "Почетна",
"Could not connect to the integration server": "Не могу да се повежем на сервер за уградње",
"Manage Integrations": "Управљај уградњама",
"%(nameList)s %(transitionList)s": "%(nameList)s %(transitionList)s",
"%(severalUsers)sjoined %(count)s times|other": "%(severalUsers)s су ушли %(count)s пута",
@ -478,15 +444,10 @@
"Unknown error": "Непозната грешка",
"Incorrect password": "Нетачна лозинка",
"Deactivate Account": "Угаси налог",
"I verify that the keys match": "Потврђујем да се кључеви подударају",
"An error has occurred.": "Догодила се грешка.",
"OK": "У реду",
"Start verification": "Започни проверу",
"Share without verifying": "Подели без провере",
"Ignore request": "Занемари захтев",
"Encryption key request": "Захтев за кључ шифровања",
"Unable to restore session": "Не могу да повратим сесију",
"If you have previously used a more recent version of Riot, your session may be incompatible with this version. Close this window and return to the more recent version.": "Ако сте претходно користили новије издање Riot-а, ваша сесија може бити некомпатибилна са овим издањем. Затворите овај прозор и вратите се на новије издање.",
"If you have previously used a more recent version of %(brand)s, your session may be incompatible with this version. Close this window and return to the more recent version.": "Ако сте претходно користили новије издање %(brand)s-а, ваша сесија може бити некомпатибилна са овим издањем. Затворите овај прозор и вратите се на новије издање.",
"Invalid Email Address": "Неисправна мејл адреса",
"This doesn't appear to be a valid email address": "Изгледа да ово није исправна мејл адреса",
"Verification Pending": "Чека се на проверу",
@ -505,7 +466,6 @@
"Private Chat": "Приватно ћаскање",
"Public Chat": "Јавно ћаскање",
"Custom": "Прилагођено",
"Alias (optional)": "Алијас (изборно)",
"Name": "Име",
"You must <a>register</a> to use this functionality": "Морате се <a>регистровати</a> да бисте користили ову могућност",
"You must join the room to see its files": "Морате приступити соби да бисте видели њене датотеке",
@ -553,14 +513,13 @@
"For security, this session has been signed out. Please sign in again.": "Зарад безбедности, одјављени сте из ове сесије. Пријавите се поново.",
"Old cryptography data detected": "Нађени су стари криптографски подаци",
"The platform you're on": "Платформа коју користите",
"The version of Riot.im": "Riot.im издање",
"The version of %(brand)s": "%(brand)s издање",
"Your language of choice": "Ваш жељени језик",
"Which officially provided instance you are using, if any": "Коју званичну инстанцу користите, ако користите",
"Whether or not you're using the Richtext mode of the Rich Text Editor": "Да ли користите режим богатог текста у уређивачу богатог текста",
"Your homeserver's URL": "Адреса вашег кућног сервера",
"Your identity server's URL": "Адреса вашег идентитеског сервера",
"Analytics": "Аналитика",
"The information being sent to us to help make Riot.im better includes:": "У податке које нам шаљете зарад побољшавања Riot.im-а спадају:",
"The information being sent to us to help make %(brand)s better includes:": "У податке које нам шаљете зарад побољшавања %(brand)s-а спадају:",
"Where this page includes identifiable information, such as a room, user or group ID, that data is removed before being sent to the server.": "Ако страница садржи поверљиве податке (као што је назив собе, корисника или ИБ-ја групе), ти подаци се уклањају пре слања на сервер.",
"%(oldDisplayName)s changed their display name to %(displayName)s.": "Корисник %(oldDisplayName)s је променио приказно име у %(displayName)s.",
"Failed to set direct chat tag": "Нисам успео да поставим ознаку директног ћаскања",
@ -568,14 +527,13 @@
"Failed to add tag %(tagName)s to room": "Нисам успео да додам ознаку %(tagName)s на собу",
"<a>In reply to</a> <pill>": "<a>Као одговор за</a> <pill>",
"This room is not public. You will not be able to rejoin without an invite.": "Ова соба није јавна. Нећете моћи да поново приступите без позивнице.",
"Data from an older version of Riot has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "Подаци из старијег издања Riot-а су нађени. Ово ће узроковати лош рад шифровања с краја на крај у старијем издању. Размењене поруке које су шифроване с краја на крај у старијем издању је можда немогуће дешифровати у овом издању. Такође, ово може узроковати неуспешно размењивање порука са овим издањем. Ако доживите проблеме, одјавите се и пријавите се поново. Да бисте задржали историјат поруке, извезите па поново увезите ваше кључеве.",
"Data from an older version of %(brand)s has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "Подаци из старијег издања %(brand)s-а су нађени. Ово ће узроковати лош рад шифровања с краја на крај у старијем издању. Размењене поруке које су шифроване с краја на крај у старијем издању је можда немогуће дешифровати у овом издању. Такође, ово може узроковати неуспешно размењивање порука са овим издањем. Ако доживите проблеме, одјавите се и пријавите се поново. Да бисте задржали историјат поруке, извезите па поново увезите ваше кључеве.",
"Logout": "Одјава",
"Your Communities": "Ваше заједнице",
"Error whilst fetching joined communities": "Грешка приликом добављања списка са приступљеним заједницама",
"Create a new community": "Направи нову заједницу",
"Create a community to group together users and rooms! Build a custom homepage to mark out your space in the Matrix universe.": "Направите заједницу да бисте спојили кориснике и собе! Направите прилагођену почетну страницу да бисте означили ваш кутак у Матрикс универзуму.",
"You have no visible notifications": "Немате видљивих обавештења",
"Scroll to bottom of page": "Превуци на дно странице",
"%(count)s of your messages have not been sent.|other": "Неке ваше поруке нису послате.",
"%(count)s of your messages have not been sent.|one": "Ваша порука није послата.",
"%(count)s <resendText>Resend all</resendText> or <cancelText>cancel all</cancelText> now. You can also select individual messages to resend or cancel.|other": "<resendText>Пошаљи поново</resendText> или <cancelText>откажи све</cancelText> сада. Такође можете изабрати појединачне поруке за поновно слање или отказивање.",
@ -590,7 +548,6 @@
"Search failed": "Претрага је неуспешна",
"Server may be unavailable, overloaded, or search timed out :(": "Сервер је можда недоступан, преоптерећен или је истекло време претраживања :(",
"No more results": "Нема више резултата",
"Unknown room %(roomId)s": "Непозната соба %(roomId)s",
"Room": "Соба",
"Failed to reject invite": "Нисам успео да одбацим позивницу",
"Fill screen": "Испуни екран",
@ -604,8 +561,6 @@
"Uploading %(filename)s and %(count)s others|other": "Отпремам датотеку %(filename)s и још %(count)s других",
"Uploading %(filename)s and %(count)s others|zero": "Отпремам датотеку %(filename)s",
"Uploading %(filename)s and %(count)s others|one": "Отпремам датотеку %(filename)s и %(count)s других датотека",
"Light theme": "Светла тема",
"Dark theme": "Тамна тема",
"Sign out": "Одјави ме",
"Failed to change password. Is your password correct?": "Нисам успео да променим лозинку. Да ли је ваша лозинка тачна?",
"Success": "Успех",
@ -613,7 +568,7 @@
"<not supported>": "<није подржано>",
"Import E2E room keys": "Увези E2E кључеве собе",
"Cryptography": "Криптографија",
"Riot collects anonymous analytics to allow us to improve the application.": "Riot прикупља анонимне податке о коришћењу да бисмо побољшали апликацију.",
"%(brand)s collects anonymous analytics to allow us to improve the application.": "%(brand)s прикупља анонимне податке о коришћењу да бисмо побољшали апликацију.",
"Privacy is important to us, so we don't collect any personal or identifiable data for our analytics.": "Приватност је веома важна нама те не сакупљамо било какве податке личне природе у нашој аналитици.",
"Learn more about how we use analytics.": "Сазнајте више о нашем начину употребе аналитике.",
"Labs": "Лабораторије",
@ -621,7 +576,7 @@
"Reject all %(invitedRooms)s invites": "Одбиј све позивнице за собе %(invitedRooms)s",
"Start automatically after system login": "Самостално покрећи након пријаве на систем",
"No media permissions": "Нема овлашћења за медије",
"You may need to manually permit Riot to access your microphone/webcam": "Можда ћете морати да ручно доделите овлашћења Riot-у за приступ микрофону/веб камери",
"You may need to manually permit %(brand)s to access your microphone/webcam": "Можда ћете морати да ручно доделите овлашћења %(brand)s-у за приступ микрофону/веб камери",
"No Microphones detected": "Нема уочених микрофона",
"No Webcams detected": "Нема уочених веб камера",
"Default Device": "Подразумевани уређај",
@ -635,7 +590,7 @@
"click to reveal": "кликни за приказ",
"Homeserver is": "Кућни сервер је",
"Identity Server is": "Идентитетски сервер је",
"riot-web version:": "riot-web издање:",
"%(brand)s version:": "%(brand)s издање:",
"olm version:": "olm издање:",
"Failed to send email": "Нисам успео да пошаљем мејл",
"The email address linked to your account must be entered.": "Морате унети мејл адресу која је везана за ваш налог.",
@ -661,7 +616,6 @@
"Define the power level of a user": "Дефинише ниво моћи корисника",
"Deops user with given id": "Укида админа за корисника са датим иб-јем",
"Invites user with given id to current room": "Позива корисника са датим иб-јем у тренутну собу",
"Joins room with given alias": "Приступа соби са датим алијасем",
"Kicks user with given id": "Избацује корисника са датим иб-јем",
"Changes your display nickname": "Мења ваш приказни надимак",
"Searches DuckDuckGo for results": "Претражује DuckDuckGo за резултате",
@ -673,21 +627,7 @@
"Notify the whole room": "Обавести све у соби",
"Room Notification": "Собно обавештење",
"Users": "Корисници",
"unknown device": "непознати уређај",
"NOT verified": "НИЈЕ проверен",
"verified": "проверен",
"Verification": "Провера",
"Ed25519 fingerprint": "Ed25519 отисак прста",
"User ID": "Кориснички ИБ",
"Curve25519 identity key": "Curve25519 идентитески кључ",
"none": "ништа",
"Claimed Ed25519 fingerprint key": "Наводни Ed25519 кључ отиска прста",
"Algorithm": "Алгоритам",
"unencrypted": "нешифрован",
"Decryption error": "Грешка дешифровања",
"Session ID": "ИБ сесије",
"End-to-end encryption information": "Подаци о шифровању с краја на крај",
"Event information": "Подаци о догађају",
"Passphrases must match": "Фразе се морају подударати",
"Passphrase must not be empty": "Фразе не смеју бити празне",
"Export room keys": "Извези кључеве собе",
@ -701,12 +641,11 @@
"The export file will be protected with a passphrase. You should enter the passphrase here, to decrypt the file.": "Извезена датотека ће бити заштићена са фразом. Требало би да унесете фразу овде, да бисте дешифровали датотеку.",
"File to import": "Датотека за увоз",
"Import": "Увези",
"Did you know: you can use communities to filter your Riot.im experience!": "Да ли сте знали: можете користити заједнице за филтрирање вашег Riot.im искуства!",
"Did you know: you can use communities to filter your %(brand)s experience!": "Да ли сте знали: можете користити заједнице за филтрирање вашег %(brand)s искуства!",
"Clear filter": "Очисти филтер",
"Key request sent.": "Захтев за дељење кључа послат.",
"To set up a filter, drag a community avatar over to the filter panel on the far left hand side of the screen. You can click on an avatar in the filter panel at any time to see only the rooms and people associated with that community.": "Да бисте поставили филтер, повуците аватар заједнице на површ филтрирања скроз на леву страну екрана. Можете кликнути на аватар у површи филтрирања било када да бисте видели само собе и особе везане за ту заједницу.",
"Fetching third party location failed": "Добављање локације треће стране није успело",
"A new version of Riot is available.": "Ново издање RIot-а је доступно.",
"Send Account Data": "Пошаљи податке налога",
"All notifications are currently disabled for all targets.": "Сва обавештења су тренутно онемогућена за све циљеве.",
"Uploading report": "Отпремам извештај",
@ -725,8 +664,6 @@
"Send Custom Event": "Пошаљи прилагођени догађај",
"Off": "Искључено",
"Advanced notification settings": "Напредна подешавања обавештења",
"delete the alias.": "обриши алијас.",
"To return to your account in future you need to <u>set a password</u>": "Да бисте се вратили на ваш налог у будућности, морате <u>поставити лозинку</u>",
"Forget": "Заборави",
"You cannot delete this image. (%(code)s)": "Не можете обрисати ову слику. (%(code)s)",
"Cancel Sending": "Откажи слање",
@ -749,7 +686,6 @@
"No update available.": "Нема нових ажурирања.",
"Noisy": "Бучно",
"Collecting app version information": "Прикупљам податке о издању апликације",
"Delete the room alias %(alias)s and remove %(name)s from the directory?": "Обрисати алијас собе %(alias)s и уклонити %(name)s из фасцикле?",
"Keywords": "Кључне речи",
"Enable notifications for this account": "Омогући обавештења за овај налог",
"Invite to this community": "Позови у ову заједницу",
@ -760,7 +696,7 @@
"Enter keywords separated by a comma:": "Унесите кључне речи одвојене зарезима:",
"Forward Message": "Проследи поруку",
"Remove %(name)s from the directory?": "Уклонити %(name)s из фасцикле?",
"Riot uses many advanced browser features, some of which are not available or experimental in your current browser.": "Riot користи напредне могућности прегледача од којих неке нису доступне или су у пробној фази, у вашем прегледачу.",
"%(brand)s uses many advanced browser features, some of which are not available or experimental in your current browser.": "%(brand)s користи напредне могућности прегледача од којих неке нису доступне или су у пробној фази, у вашем прегледачу.",
"Event sent!": "Догађај је послат!",
"Explore Account Data": "Истражи податке налога",
"All messages (noisy)": "Све поруке (гласно)",
@ -802,8 +738,7 @@
"Show message in desktop notification": "Прикажи поруку у стоном обавештењу",
"Unhide Preview": "Откриј преглед",
"Unable to join network": "Не могу да приступим мрежи",
"You might have configured them in a client other than Riot. You cannot tune them in Riot but they still apply": "Можда сте их подесили у неком другом клијенту а не Riot-у. Не можете их преправљати у Riot-у али се и даље примењују",
"Sorry, your browser is <b>not</b> able to run Riot.": "Нажалост, ваш прегледач <b>не може</b> да покреће Riot.",
"Sorry, your browser is <b>not</b> able to run %(brand)s.": "Нажалост, ваш прегледач <b>не може</b> да покреће %(brand)s.",
"Messages in group chats": "Поруке у групним ћаскањима",
"Yesterday": "Јуче",
"Error encountered (%(errorDetail)s).": "Догодила се грешка (%(errorDetail)s).",
@ -813,7 +748,7 @@
"Set Password": "Постави лозинку",
"An error occurred whilst saving your email notification preferences.": "Догодила се грешка при чувању ваших поставки мејл обавештења.",
"Resend": "Поново пошаљи",
"Riot does not know how to join a room on this network": "Riot не зна како да приступи соби на овој мрежи",
"%(brand)s does not know how to join a room on this network": "%(brand)s не зна како да приступи соби на овој мрежи",
"Mentions only": "Само спомињања",
"You can now return to your account after signing out, and sign in on other devices.": "Можете се вратити у ваш налог након што се одјавите и пријавите поново, на другим уређајима.",
"Enable email notifications": "Омогући мејл обавештења",
@ -827,8 +762,6 @@
"Thank you!": "Хвала вам!",
"With your current browser, the look and feel of the application may be completely incorrect, and some or all features may not function. If you want to try it anyway you can continue, but you are on your own in terms of any issues you may encounter!": "Са вашим тренутним прегледачем изглед и угођај ове апликације може бити скроз неправилан и неке могућности можда неће радити. Уколико желите да ипак пробате, можете наставити али ћете бити без подршке за било које проблеме на које налетите!",
"Checking for an update...": "Проверавам ажурирања...",
"There are advanced notifications which are not shown here": "Постоје напредна обавештења која нису приказана овде",
"Your User Agent": "Ваш кориснички агент",
"Every page you use in the app": "Свака страница коју будете користили у апликацији",
"e.g. <CurrentPageURL>": "Нпр.: <CurrentPageURL>",
"Your device resolution": "Резолуција вашег уређаја",
@ -864,9 +797,6 @@
"Send analytics data": "Пошаљи аналитичке податке",
"Enable widget screenshots on supported widgets": "Омогући снимке екрана виџета у подржаним виџетима",
"Muted Users": "Утишани корисници",
"Please help improve Riot.im by sending <UsageDataLink>anonymous usage data</UsageDataLink>. This will use a cookie (please see our <PolicyLink>Cookie Policy</PolicyLink>).": "Помозите побољшавање Riot.im програма тако што ћете послати <UsageDataLink>анонимне податке о коришћењу</UsageDataLink>. Ово ће захтевати коришћење колачића (погледајте нашу <PolicyLink>политику о колачићима</PolicyLink>).",
"Please help improve Riot.im by sending <UsageDataLink>anonymous usage data</UsageDataLink>. This will use a cookie.": "Помозите побољшавање Riot.im програма тако што ћете послати <UsageDataLink>анонимне податке о коришћењу</UsageDataLink>. Ово ће захтевати коришћење колачића.",
"Yes, I want to help!": "Да, желим помоћи!",
"Unable to load event that was replied to, it either does not exist or you do not have permission to view it.": "Не могу да учитам догађај на који је послат одговор, или не постоји или немате овлашћење да га погледате.",
"To continue, please enter your password:": "Да бисте наставили, унесите вашу лозинку:",
"Collapse Reply Thread": "Скупи нит са одговорима",
@ -902,8 +832,6 @@
"Whether or not you're logged in (we don't record your username)": "Да ли сте пријављени (не бележимо ваше корисничко име)",
"The file '%(fileName)s' exceeds this homeserver's size limit for uploads": "Датотека „%(fileName)s“ премашује ограничење величине отпремања на овом кућном серверу",
"Unable to load! Check your network connectivity and try again.": "Нисам могао да учитам! Проверите вашу мрежну везу и пробајте поново.",
"Registration Required": "Потребна је регистрација",
"You need to register to do this. Would you like to register now?": "Морате се регистровати да бисте урадили ово. Да ли желите да се региструјете сада?",
"Failed to invite users to the room:": "Нисам успео да позовем кориснике у собу:",
"Upgrades a room to a new version": "Надограђује собу на ново издање",
"Gets or sets the room topic": "Добавља или поставља тему собе",
@ -923,12 +851,9 @@
"Sign in instead": "Пријава са постојећим налогом",
"Create your account": "Направите ваш налог",
"Create account": "Направи налог",
"Waiting for %(userId)s to confirm...": "Чекам да корисник %(userId)s потврди...",
"Waiting for partner to confirm...": "Чекам да партнер потврди...",
"Confirm": "Потврди",
"A verification email will be sent to your inbox to confirm setting your new password.": "Мејл потврде ће бити послат у ваше сандуче да бисмо потврдили постављање ваше нове лозинке.",
"Please enter your passphrase a second time to confirm.": "Унесите вашу фразу други пут да бисте је потврдили.",
"Confirm your passphrase": "Потврдите вашу фразу",
"Email (optional)": "Мејл (изборно)",
"Your Modular server": "Ваш Модулар сервер",
"Enter the location of your Modular homeserver. It may use your own domain name or be a subdomain of <a>modular.im</a>.": "Унесите адресу вашег Модулар кућног сервера. Можете користити ваш домен или унети поддомен на домену <a>modular.im</a>.",
@ -942,6 +867,5 @@
"Call failed due to misconfigured server": "Позив није успео због погрешно подешеног сервера",
"Please ask the administrator of your homeserver (<code>%(homeserverDomain)s</code>) to configure a TURN server in order for calls to work reliably.": "Замолите администратора вашег сервера (<code>%(homeserverDomain)s</code>) да подеси TURN сервер како би позиви радили поуздано.",
"Alternatively, you can try to use the public server at <code>turn.matrix.org</code>, but this will not be as reliable, and it will share your IP address with that server. You can also manage this in Settings.": "Или, можете покушати да користите јавни сервер на <code>turn.matrix.org</code>, али ово неће бити толико поуздано, и поделиће вашу IP адресу са тим сервером. Ово такође можете мењати у Подешавањима.",
"Try using turn.matrix.org": "Покушајте да користите turn.matrix.org",
"A conference call could not be started because the integrations server is not available": "Конференцијски позив није могао бити започет јер интеграциони сервер није расположив"
"Try using turn.matrix.org": "Покушајте да користите turn.matrix.org"
}

View file

@ -5,22 +5,20 @@
"Failed to verify email address: make sure you clicked the link in the email": "Neuspela provera adrese elektronske pošte: proverite da li ste kliknuli na link u poruci elektronske pošte",
"Add Phone Number": "Dodajte broj telefona",
"The platform you're on": "Platforma koju koristite",
"The version of Riot.im": "Verzija Riot.im",
"The version of %(brand)s": "Verzija %(brand)s",
"Whether or not you're logged in (we don't record your username)": "Da li ste prijavljeni ili ne (ne beležimo vaše korisničko ime)",
"Your language of choice": "Vaš izbor jezika",
"Which officially provided instance you are using, if any": "Koju zvaničnu instancu koristite, ako koristite",
"Whether or not you're using the Richtext mode of the Rich Text Editor": "Da li koristite režim bogatog teksta u uređivaču bogatog teksta",
"Your homeserver's URL": "URL vašeg kućnog servera",
"Your identity server's URL": "URL vašeg servera identiteta",
"e.g. %(exampleValue)s": "npr. %(exampleValue)s",
"Dismiss": "Odbaci",
"Your Riot is misconfigured": "Vaš Riot nije dobro podešen",
"Chat with Riot Bot": "Ćaskajte sa Riot botom",
"Your %(brand)s is misconfigured": "Vaš %(brand)s nije dobro podešen",
"Chat with %(brand)s Bot": "Ćaskajte sa %(brand)s botom",
"Sign In": "Prijavite se",
"powered by Matrix": "pokreće Matriks",
"Custom Server Options": "Prilagođene opcije servera",
"Explore rooms": "Istražite sobe",
"Send anyway": "Ipak pošalji",
"Send": "Pošalji",
"Sun": "Ned",
"Mon": "Pon",
@ -47,17 +45,14 @@
"Unnamed Room": "Soba bez imena",
"Error": "Greška",
"Unable to load! Check your network connectivity and try again.": "Neuspelo učitavanje! Proverite vašu mrežu i pokušajte ponovo.",
"Riot does not have permission to send you notifications - please check your browser settings": "Riot nema dozvolu da vam šalje obaveštenja. Molim proverite podešavanja vašeg internet pregledača",
"Riot was not given permission to send notifications - please try again": "Riot nije dobio dozvolu da šalje obaveštenja. Molim pokušajte ponovo",
"%(brand)s does not have permission to send you notifications - please check your browser settings": "%(brand)s nema dozvolu da vam šalje obaveštenja. Molim proverite podešavanja vašeg internet pregledača",
"%(brand)s was not given permission to send notifications - please try again": "%(brand)s nije dobio dozvolu da šalje obaveštenja. Molim pokušajte ponovo",
"This email address was not found": "Ova adresa elektronske pošte nije pronađena",
"Registration Required": "Potrebna je registracija",
"You need to register to do this. Would you like to register now?": "Morate biti registrovani da bi uradili ovo. Da li želite da se registrujete sad?",
"Register": "Registruj se",
"Default": "Podrazumevano",
"Restricted": "Ograničeno",
"Moderator": "Moderator",
"Admin": "Administrator",
"Start a chat": "Pokreni ćaskanje",
"Operation failed": "Operacija nije uspela",
"Failed to invite": "Slanje pozivnice nije uspelo",
"Failed to invite users to the room:": "Nije uspelo pozivanje korisnika u sobu:",

View file

@ -7,12 +7,11 @@
"No Microphones detected": "Ingen mikrofon hittades",
"No Webcams detected": "Ingen webbkamera hittades",
"No media permissions": "Inga mediebehörigheter",
"You may need to manually permit Riot to access your microphone/webcam": "Du måste manuellt tillåta Riot att komma åt din mikrofon/kamera",
"You may need to manually permit %(brand)s to access your microphone/webcam": "Du måste manuellt tillåta %(brand)s att komma åt din mikrofon/kamera",
"Default Device": "Standardenhet",
"Microphone": "Mikrofon",
"Camera": "Kamera",
"Advanced": "Avancerat",
"Algorithm": "Algoritm",
"Always show message timestamps": "Visa alltid tidsstämpel för meddelanden",
"Authentication": "Autentisering",
"%(items)s and %(lastItem)s": "%(items)s och %(lastItem)s",
@ -28,7 +27,6 @@
"Are you sure you want to leave the room '%(roomName)s'?": "Vill du lämna rummet '%(roomName)s'?",
"Autoplay GIFs and videos": "Spela automatiskt upp GIFar och videor",
"Are you sure you want to reject the invitation?": "Är du säker på att du vill avböja inbjudan?",
"Blacklisted": "Svartlistad",
"%(senderName)s banned %(targetName)s.": "%(senderName)s bannade %(targetName)s.",
"Banned users": "Bannade användare",
"Bans user with given id": "Bannar användare med givet id",
@ -42,7 +40,6 @@
"%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s tog bort rummets namn.",
"%(senderDisplayName)s changed the topic to \"%(topic)s\".": "%(senderDisplayName)s bytte rummets ämne till \"%(topic)s\".",
"Changes your display nickname": "Ändrar ditt visningsnamn",
"Claimed Ed25519 fingerprint key": "Påstådd Ed25519-fingeravtrycksnyckel",
"Click here to fix": "Klicka här för att fixa",
"Click to mute audio": "Klicka för att tysta ljud",
"Click to mute video": "Klicka för att stänga av video",
@ -53,33 +50,24 @@
"Commands": "Kommandon",
"Confirm password": "Bekräfta lösenord",
"Continue": "Fortsätt",
"Could not connect to the integration server": "Det gick inte att ansluta till integrationsservern",
"Create Room": "Skapa rum",
"Cryptography": "Kryptografi",
"Current password": "Nuvarande lösenord",
"Curve25519 identity key": "Curve25519 -identitetsnyckel",
"Custom level": "Anpassad nivå",
"/ddg is not a command": "/ddg är inte ett kommando",
"Deactivate Account": "Inaktivera konto",
"Decrypt %(text)s": "Dekryptera %(text)s",
"Decryption error": "Dekrypteringsfel",
"Deops user with given id": "Degraderar användare med givet id",
"Default": "Standard",
"Device ID": "Enhets-ID",
"device id: ": "enhets-id: ",
"Direct chats": "Direkt-chattar",
"Disinvite": "Häv inbjudan",
"Displays action": "Visar åtgärd",
"Download %(text)s": "Ladda ner %(text)s",
"Ed25519 fingerprint": "Ed25519-fingeravtryck",
"Email": "Epost",
"Email address": "Epostadress",
"Emoji": "Emoji",
"%(senderName)s ended the call.": "%(senderName)s avslutade samtalet.",
"End-to-end encryption information": "Krypteringsinformation",
"Error": "Fel",
"Error decrypting attachment": "Det gick inte att dekryptera bilagan",
"Event information": "Händelseinformation",
"Existing Call": "Existerande samtal",
"Export": "Exportera",
"Export E2E room keys": "Exportera krypteringsrumsnycklar",
@ -97,7 +85,6 @@
"Failed to send email": "Det gick inte att skicka epost",
"Failed to send request.": "Det gick inte att sända begäran.",
"Failed to set display name": "Det gick inte att ange visningsnamn",
"Failed to toggle moderator status": "Det gick inte att växla moderator-status",
"Failed to unban": "Det gick inte att avbanna",
"Failed to verify email address: make sure you clicked the link in the email": "Det gick inte att bekräfta epostadressen, klicka på länken i epostmeddelandet",
"Favourite": "Favorit",
@ -106,15 +93,12 @@
"Active call (%(roomName)s)": "Aktiv samtal (%(roomName)s)",
"Add": "Lägg till",
"Admin Tools": "Admin-verktyg",
"Alias (optional)": "Alias (valfri)",
"Can't connect to homeserver - please check your connectivity, ensure your <a>homeserver's SSL certificate</a> is trusted, and that a browser extension is not blocking requests.": "Det gick inte att ansluta till hemservern - kontrollera anslutningen, se till att <a>hemserverns SSL-certifikat</a> är betrott, och att inget webbläsartillägg blockerar förfrågningar.",
"%(senderName)s changed the power level of %(powerLevelDiffText)s.": "%(senderName)s ändrade behörighetsnivå för %(powerLevelDiffText)s.",
"Close": "Stäng",
"Custom": "Egen",
"Decline": "Avvisa",
"Disable Notifications": "Slå av aviseringar",
"Drop File Here": "Dra filen hit",
"Enable Notifications": "Aktivera aviseringar",
"Enter passphrase": "Ange lösenfras",
"Error: Problem communicating with the given homeserver.": "Fel: Det gick inte att kommunicera med den angivna hemservern.",
"Failed to fetch avatar URL": "Det gick inte att hämta avatar-URL",
@ -150,7 +134,6 @@
"Join as <voiceText>voice</voiceText> or <videoText>video</videoText>.": "Gå med som <voiceText>röst</voiceText> eller <videoText>video</videoText>.",
"Join Room": "Gå med i rum",
"%(targetName)s joined the room.": "%(targetName)s gick med i rummet.",
"Joins room with given alias": "Går med i rummet med givet alias",
"Jump to first unread message.": "Hoppa till första olästa meddelande.",
"%(senderName)s kicked %(targetName)s.": "%(senderName)s kickade %(targetName)s.",
"Kick": "Kicka",
@ -159,7 +142,6 @@
"Last seen": "Senast sedd",
"Leave room": "Lämna rummet",
"%(targetName)s left the room.": "%(targetName)s lämnade rummet.",
"Local addresses for this room:": "Lokala adresser för rummet:",
"Logout": "Logga ut",
"Low priority": "Låg prioritet",
"%(senderName)s made future room history visible to all room members, from the point they are invited.": "%(senderName)s gjorde framtida rumshistorik synligt för alla rumsmedlemmar från att de bjöds in.",
@ -172,15 +154,12 @@
"Moderator": "Moderator",
"Mute": "Tysta",
"Name": "Namn",
"New address (e.g. #foo:%(localDomain)s)": "Ny address (t.ex. #foo:%(localDomain)s)",
"New passwords don't match": "De nya lösenorden matchar inte",
"New passwords must match each other.": "De nya lösenorden måste vara de samma.",
"none": "inget",
"not specified": "inte specifierad",
"Notifications": "Aviseringar",
"(not supported by this browser)": "(stöds inte av webbläsaren)",
"<not supported>": "<stöds inte>",
"NOT verified": "INTE verifierad",
"No display name": "Inget visningsnamn",
"No more results": "Inga fler resultat",
"No results": "Inga resultat",
@ -200,32 +179,28 @@
"Profile": "Profil",
"Public Chat": "Offentlig chatt",
"Reason": "Orsak",
"Revoke Moderator": "Degradera moderator",
"Register": "Registrera",
"%(targetName)s rejected the invitation.": "%(targetName)s avvisade inbjudan.",
"Reject invitation": "Avböj inbjudan",
"Remote addresses for this room:": "Fjärradresser för det här rummet:",
"%(senderName)s removed their display name (%(oldDisplayName)s).": "%(senderName)s tog bort sitt visningsnamn (%(oldDisplayName)s).",
"%(senderName)s removed their profile picture.": "%(senderName)s tog bort sin profilbild.",
"Remove": "Ta bort",
"%(senderName)s requested a VoIP conference.": "%(senderName)s begärde en VoIP-konferens.",
"Results from DuckDuckGo": "Resultat från DuckDuckGo",
"Return to login screen": "Tillbaka till login-skärmen",
"Riot does not have permission to send you notifications - please check your browser settings": "Riot har inte tillstånd att skicka aviseringar - kontrollera webbläsarens inställningar",
"Riot was not given permission to send notifications - please try again": "Riot fick inte tillstånd att skicka aviseringar - försök igen",
"riot-web version:": "riot-web -version:",
"%(brand)s does not have permission to send you notifications - please check your browser settings": "%(brand)s har inte tillstånd att skicka aviseringar - kontrollera webbläsarens inställningar",
"%(brand)s was not given permission to send notifications - please try again": "%(brand)s fick inte tillstånd att skicka aviseringar - försök igen",
"%(brand)s version:": "%(brand)s -version:",
"Room %(roomId)s not visible": "Rummet %(roomId)s är inte synligt",
"Room Colour": "Rumsfärg",
"%(roomName)s does not exist.": "%(roomName)s finns inte.",
"%(roomName)s is not accessible at this time.": "%(roomName)s är inte tillgängligt för tillfället.",
"Rooms": "Rum",
"Save": "Spara",
"Scroll to bottom of page": "Gå till slutet av sidan",
"Search": "Sök",
"Search failed": "Sökning misslyckades",
"Searches DuckDuckGo for results": "Söker efter resultat på DuckDuckGo",
"Seen by %(userName)s at %(dateTime)s": "Sedd av %(userName)s %(dateTime)s",
"Send anyway": "Skicka ändå",
"Send Reset Email": "Skicka återställningsmeddelande",
"%(senderDisplayName)s sent an image.": "%(senderDisplayName)s skickade en bild.",
"%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": "%(senderName)s bjöd in %(targetDisplayName)s med i rummet.",
@ -243,7 +218,6 @@
"Sign out": "Logga ut",
"%(count)s of your messages have not been sent.|other": "Vissa av dina meddelanden har inte skickats.",
"Someone": "Någon",
"Start a chat": "Starta en chatt",
"Start authentication": "Starta autentisering",
"Cancel": "Avbryt",
"Create new room": "Skapa nytt rum",
@ -275,11 +249,8 @@
"Guests can join": "Gäster kan gå med i rummet",
"No rooms to show": "Inga fler rum att visa",
"This phone number is already in use": "Detta telefonnummer används redan",
"The version of Riot.im": "Versionen av Riot.im",
"The version of %(brand)s": "Version av %(brand)s",
"Call Failed": "Samtal misslyckades",
"Call Anyway": "Ring ändå",
"Call": "Ring",
"Answer": "Svara",
"You are already in a call.": "Du är redan i ett samtal.",
"You cannot place a call with yourself.": "Du kan inte ringa till dig själv.",
"Warning!": "Varning!",
@ -305,9 +276,7 @@
"Dec": "dec",
"Invite to Community": "Bjud in till community",
"Unable to enable Notifications": "Det går inte att aktivera aviseringar",
"The information being sent to us to help make Riot.im better includes:": "Informationen som skickas till oss för att hjälpa Riot.im att bli bättre inkluderar:",
"Review Devices": "Granska enheter",
"Answer Anyway": "Svara ändå",
"The information being sent to us to help make %(brand)s better includes:": "Informationen som skickas till oss för att förbättra %(brand)s inkluderar:",
"VoIP is unsupported": "VoIP stöds ej",
"Failed to invite": "Inbjudan misslyckades",
"You need to be logged in.": "Du måste vara inloggad.",
@ -315,7 +284,6 @@
"You are not in this room.": "Du är inte i det här rummet.",
"You do not have permission to do that in this room.": "Du har inte behörighet att göra det i det här rummet.",
"Fetching third party location failed": "Det gick inte att hämta platsdata från tredje part",
"A new version of Riot is available.": "En ny version av Riot är tillgänglig.",
"All notifications are currently disabled for all targets.": "Alla aviseringar är för tillfället avstängda för alla mål.",
"Uploading report": "Laddar upp rapport",
"Sunday": "söndag",
@ -333,8 +301,6 @@
"Leave": "Lämna",
"Uploaded on %(date)s by %(user)s": "%(user)s laddade upp %(date)s",
"Advanced notification settings": "Avancerade aviseringsinställingar",
"delete the alias.": "radera adressen.",
"To return to your account in future you need to <u>set a password</u>": "För att återgå till ditt konto i framtiden måste du <u>välja ett lösenord</u>",
"Forget": "Glöm bort",
"You cannot delete this image. (%(code)s)": "Du kan inte radera den här bilden. (%(code)s)",
"Cancel Sending": "Avbryt sändning",
@ -361,7 +327,6 @@
"Resend": "Skicka igen",
"Files": "Filer",
"Collecting app version information": "Samlar in appversionsinformation",
"Delete the room alias %(alias)s and remove %(name)s from the directory?": "Radera rumsadressen %(alias)s och ta bort %(name)s från katalogen?",
"Keywords": "Nyckelord",
"Enable notifications for this account": "Aktivera aviseringar för det här kontot",
"Messages containing <span>keywords</span>": "Meddelanden som innehåller <span>nyckelord</span>",
@ -370,7 +335,7 @@
"Enter keywords separated by a comma:": "Skriv in nyckelord, separerade med kommatecken:",
"Search…": "Sök…",
"Remove %(name)s from the directory?": "Ta bort %(name)s från katalogen?",
"Riot uses many advanced browser features, some of which are not available or experimental in your current browser.": "Riot använder flera avancerade webbläsaregenskaper, av vilka alla inte stöds eller är experimentella i din nuvarande webbläsare.",
"%(brand)s uses many advanced browser features, some of which are not available or experimental in your current browser.": "%(brand)s använder flera avancerade webbläsaregenskaper, av vilka alla inte stöds eller är experimentella i din nuvarande webbläsare.",
"Remember, you can always set an email address in user settings if you change your mind.": "Kom ihåg att du alltid kan välja en e-postadress i dina användarinställningar om du ändrar dig.",
"All messages (noisy)": "Alla meddelanden (högljudd)",
"Saturday": "lördag",
@ -408,8 +373,7 @@
"Show message in desktop notification": "Visa meddelande i skrivbordsavisering",
"Unhide Preview": "Visa förhandsvisning",
"Unable to join network": "Det gick inte att ansluta till nätverket",
"You might have configured them in a client other than Riot. You cannot tune them in Riot but they still apply": "Du kan ha konfigurerat dem i en annan klient än Riot. Du kan inte ändra dem i Riot men de tillämpas ändå",
"Sorry, your browser is <b>not</b> able to run Riot.": "Beklagar, din webbläsare kan <b>inte</b> köra Riot.",
"Sorry, your browser is <b>not</b> able to run %(brand)s.": "Beklagar, din webbläsare kan <b>inte</b> köra %(brand)s.",
"Messages in group chats": "Meddelanden i gruppchattar",
"Yesterday": "igår",
"Error encountered (%(errorDetail)s).": "Fel påträffat (%(errorDetail)s).",
@ -417,7 +381,7 @@
"Unable to fetch notification target list": "Det gick inte att hämta aviseringsmållistan",
"Set Password": "Välj lösenord",
"Off": "Av",
"Riot does not know how to join a room on this network": "Riot kan inte gå med i ett rum på det här nätverket",
"%(brand)s does not know how to join a room on this network": "%(brand)s kan inte gå med i ett rum på det här nätverket",
"Mentions only": "Endast omnämnande",
"Failed to remove tag %(tagName)s from room": "Det gick inte att radera taggen %(tagName)s från rummet",
"You can now return to your account after signing out, and sign in on other devices.": "Du kan nu återgå till ditt konto efter att ha loggat ut och logga in på andra enheter.",
@ -429,7 +393,6 @@
"Quote": "Citera",
"With your current browser, the look and feel of the application may be completely incorrect, and some or all features may not function. If you want to try it anyway you can continue, but you are on your own in terms of any issues you may encounter!": "Med din nuvarande webbläsare kan appens utseende vara helt fel, och vissa eller alla egenskaper kommer nödvändigtvis inte att fungera. Om du ändå vill försöka så kan du fortsätta, men gör det på egen risk!",
"Checking for an update...": "Letar efter uppdateringar...",
"There are advanced notifications which are not shown here": "Det finns avancerade aviseringar som inte visas här",
"Who can access this room?": "Vilka kan komma åt detta rum?",
"Who can read history?": "Vilka kan läsa historik?",
"Members only (since the point in time of selecting this option)": "Endast medlemmar (från tidpunkten för när denna inställning valdes)",
@ -440,11 +403,9 @@
"Your language of choice": "Ditt språkval",
"The platform you're on": "Plattformen du använder",
"Your homeserver's URL": "Din hemservers URL",
"Your identity server's URL": "Din identitetsservers URL",
"Every page you use in the app": "Varje sida du använder i appen",
"Whether or not you're using the Richtext mode of the Rich Text Editor": "Om du använder Richtext-läget i Rich-Text-editorn eller inte",
"e.g. <CurrentPageURL>": "t.ex. <CurrentPageURL>",
"Your User Agent": "Din användaragent",
"Your device resolution": "Din enhetsupplösning",
"You cannot place VoIP calls in this browser.": "Du kan inte ringa VoIP-samtal i den här webbläsaren.",
"Your email address does not appear to be associated with a Matrix ID on this Homeserver.": "Din epostadress verkar inte vara kopplad till något Matrix-ID på den här hemservern.",
@ -469,14 +430,11 @@
"Ignore": "Ignorera",
"Jump to message": "Hoppa till meddelande",
"Mention": "Nämn",
"Make Moderator": "Gör till moderator",
"Voice call": "Röstsamtal",
"Video call": "Videosamtal",
"Upload file": "Ladda upp fil",
"Send an encrypted reply…": "Skicka ett krypterat svar…",
"Send a reply (unencrypted)…": "Skicka ett svar (okrypterat)…",
"Send an encrypted message…": "Skicka ett krypterat meddelande…",
"Send a message (unencrypted)…": "Skicka ett meddelande (okrypterat)…",
"You do not have permission to post to this room": "Du har inte behörighet att posta till detta rum",
"Loading...": "Laddar...",
"%(duration)ss": "%(duration)s",
@ -521,7 +479,6 @@
"Submit debug logs": "Skicka felsökningsloggar",
"Debug logs contain application usage data including your username, the IDs or aliases of the rooms or groups you have visited and the usernames of other users. They do not contain messages.": "Felsökningsloggar innehåller användningsdata för applikationen inklusive ditt användarnamn, ID:n eller alias för de rum och grupper du har besökt och användarnamn för andra användare. De innehåller inte meddelanden.",
"An email has been sent to %(emailAddress)s": "Ett epostmeddelande har skickats till %(emailAddress)s",
"To continue, please enter your password.": "För att fortsätta, vänligen ange ditt lösenord.",
"Please check your email to continue registration.": "Vänligen kolla din epost för att fortsätta registreringen.",
"Token incorrect": "Ogiltig token",
"A text message has been sent to %(msisdn)s": "Ett textmeddelande har skickats till %(msisdn)s",
@ -533,8 +490,6 @@
"Uploading %(filename)s and %(count)s others|other": "Laddar upp %(filename)s och %(count)s andra",
"Uploading %(filename)s and %(count)s others|zero": "Laddar upp %(filename)s",
"Uploading %(filename)s and %(count)s others|one": "Laddar upp %(filename)s och %(count)s annan",
"Light theme": "Ljust tema",
"Dark theme": "Mörkt tema",
"This doesn't appear to be a valid email address": "Det här verkar inte vara en giltig epostadress",
"Verification Pending": "Avvaktar verifiering",
"Unable to add email address": "Det gick inte att lägga till epostadress",
@ -556,8 +511,7 @@
"Failed to upload image": "Det gick inte att ladda upp bild",
"New Password": "Nytt lösenord",
"Do you want to set an email address?": "Vill du ange en epostadress?",
"Use compact timeline layout": "Använd kompakt tidslinjelayout",
"Not a valid Riot keyfile": "Inte en giltig Riot-nyckelfil",
"Not a valid %(brand)s keyfile": "Inte en giltig %(brand)s-nyckelfil",
"Authentication check failed: incorrect password?": "Autentiseringskontroll misslyckades: felaktigt lösenord?",
"Always show encryption icons": "Visa alltid krypteringsikoner",
"%(senderDisplayName)s changed the avatar for %(roomName)s": "%(senderDisplayName)s bytte avatar för %(roomName)s",
@ -577,7 +531,6 @@
"Connectivity to the server has been lost.": "Anslutning till servern har brutits.",
"Sent messages will be stored until your connection has returned.": "Skickade meddelanden kommer att lagras tills anslutningen är tillbaka.",
"There's no one else here! Would you like to <inviteText>invite others</inviteText> or <nowarnText>stop warning about the empty room</nowarnText>?": "Det är ingen annan här! Vill du <inviteText>bjuda in någon</inviteText> eller <nowarnText>sluta varna om det tomma rummet</nowarnText>?",
"Unknown room %(roomId)s": "Okänt rum %(roomId)s",
"Room": "Rum",
"Clear filter": "Töm filter",
"Tried to load a specific point in this room's timeline, but you do not have permission to view the message in question.": "Försökte ladda en viss punkt i det här rummets tidslinje, men du har inte behörighet att visa det aktuella meddelandet.",
@ -590,14 +543,9 @@
"Upload new:": "Ladda upp ny:",
"Copied!": "Kopierat!",
"Failed to copy": "Det gick inte att kopiera",
"Removed or unknown message type": "Borttagen eller okänd meddelandetyp",
"Message removed by %(userId)s": "Meddelande borttaget av %(userId)s",
"Message removed": "Meddelande borttaget",
"Delete Widget": "Ta bort widget",
"Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "Widget tas bort för alla användare i rummet. Är du säker på att du vill ta bort den?",
"Minimize apps": "Minimera appar",
"Blacklist": "Svartlista",
"Unblacklist": "Ta bort svartlistning",
"Failed to invite the following users to %(groupId)s:": "Det gick inte att bjuda in följande användare till %(groupId)s:",
"Failed to invite users to %(groupId)s": "Det gick inte att bjuda in användare till %(groupId)s",
"This room is not public. You will not be able to rejoin without an invite.": "Detta rum är inte offentligt. Du kommer inte kunna gå med igen utan en inbjudan.",
@ -607,11 +555,6 @@
"Notify the whole room": "Meddela hela rummet",
"Room Notification": "Rumsavisering",
"Users": "Användare",
"unknown device": "okänd enhet",
"verified": "verifierad",
"Verification": "Verifiering",
"User ID": "Användar-ID",
"unencrypted": "okrypterad",
"Export room keys": "Exportera rumsnycklar",
"Import room keys": "Importera rumsnycklar",
"File to import": "Fil att importera",
@ -644,24 +587,17 @@
"Create": "Skapa",
"Unknown error": "Okänt fel",
"Incorrect password": "Felaktigt lösenord",
"I verify that the keys match": "Jag verifierar att nycklarna matchar",
"State Key": "Lägesnyckel",
"Send Account Data": "Skicka kontodata",
"Explore Account Data": "Utforska kontodata",
"Toolbox": "Verktygslåda",
"Developer Tools": "Utvecklarverktyg",
"Unverify": "Ta bort verifiering",
"Verify...": "Verifiera...",
"Start verification": "Starta verifiering",
"Share without verifying": "Dela utan att verifiera",
"Ignore request": "Ignorera begäran",
"Encryption key request": "Begäran av krypteringsnyckel",
"Clear Storage and Sign Out": "Rensa lagring och logga ut",
"Send Logs": "Skicka loggar",
"Refresh": "Uppdatera",
"Unable to restore session": "Det gick inte att återställa sessionen",
"We encountered an error trying to restore your previous session.": "Ett fel uppstod vid återställning av din tidigare session.",
"If you have previously used a more recent version of Riot, your session may be incompatible with this version. Close this window and return to the more recent version.": "Om du nyligen har använt en senare version av Riot kan din session vara inkompatibel med den här versionen. Stäng det här fönstret och använd senare versionen istället.",
"If you have previously used a more recent version of %(brand)s, your session may be incompatible with this version. Close this window and return to the more recent version.": "Om du nyligen har använt en senare version av %(brand)s kan din session vara inkompatibel med den här versionen. Stäng det här fönstret och använd senare versionen istället.",
"Clearing your browser's storage may fix the problem, but will sign you out and cause any encrypted chat history to become unreadable.": "Att rensa webbläsarens lagring kan lösa problemet, men då loggas du ut och krypterad chatthistorik blir oläslig.",
"Collapse Reply Thread": "Dölj svarstråd",
"Terms and Conditions": "Villkor",
@ -673,14 +609,12 @@
"Missing roomId.": "Rums-ID saknas.",
"This room is not recognised.": "Detta rum känns inte igen.",
"Usage": "Användning",
"Unrecognised room alias:": "Oigenkänt rumsalias:",
"Verified key": "Verifierad nyckel",
"VoIP conference started.": "VoIP-konferens startad.",
"VoIP conference finished.": "VoIP-konferens avslutad.",
"%(senderName)s made future room history visible to unknown (%(visibility)s).": "%(senderName)s gjorde framtida rumshistorik synligt för okänd (%(visibility)s).",
"Where this page includes identifiable information, such as a room, user or group ID, that data is removed before being sent to the server.": "Där denna sida innehåller identifierbar information, till exempel ett rums-, användar- eller grupp-ID, tas data bort innan den skickas till servern.",
"The remote side failed to pick up": "Mottagaren kunde inte svara",
"Room name or alias": "Rumsnamn eller alias",
"Jump to read receipt": "Hoppa till läskvitto",
"This process allows you to export the keys for messages you have received in encrypted rooms to a local file. You will then be able to import the file into another Matrix client in the future, so that client will also be able to decrypt these messages.": "Denna process låter dig exportera nycklarna för meddelanden som du har fått i krypterade rum till en lokal fil. Du kommer sedan att kunna importera filen i en annan Matrix-klient i framtiden, så att den klienten också kan dekryptera meddelandena.",
"Unknown for %(duration)s": "Okänt i %(duration)s",
@ -688,11 +622,8 @@
"e.g. %(exampleValue)s": "t.ex. %(exampleValue)s",
"Can't leave Server Notices room": "Kan inte lämna serveraviseringsrummet",
"This room is used for important messages from the Homeserver, so you cannot leave it.": "Detta rum används för viktiga meddelanden från hemservern, så du kan inte lämna det.",
"Data from an older version of Riot has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "Data från en äldre version av Riot has upptäckts. Detta ska ha orsakat att totalsträckskryptering inte fungerat i den äldre versionen. Krypterade meddelanden som nyligen har skickats medans den äldre versionen användes kanske inte kan dekrypteras i denna version. Detta kan även orsaka att meddelanden skickade med denna version inte fungerar. Om du upplever problem, logga ut och in igen. För att behålla meddelandehistoriken, exportera dina nycklar och importera dem igen.",
"Data from an older version of %(brand)s has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "Data från en äldre version av %(brand)s has upptäckts. Detta ska ha orsakat att totalsträckskryptering inte fungerat i den äldre versionen. Krypterade meddelanden som nyligen har skickats medans den äldre versionen användes kanske inte kan dekrypteras i denna version. Detta kan även orsaka att meddelanden skickade med denna version inte fungerar. Om du upplever problem, logga ut och in igen. För att behålla meddelandehistoriken, exportera dina nycklar och importera dem igen.",
"Confirm Removal": "Bekräfta borttagning",
"Please help improve Riot.im by sending <UsageDataLink>anonymous usage data</UsageDataLink>. This will use a cookie (please see our <PolicyLink>Cookie Policy</PolicyLink>).": "Vänligen hjälp till att förbättra Riot.im genom att skicka <UsageDataLink>anonyma användardata</UsageDataLink>. Detta kommer att använda en cookie (se vår <PolicyLink>Cookiepolicy</PolicyLink>).",
"Please help improve Riot.im by sending <UsageDataLink>anonymous usage data</UsageDataLink>. This will use a cookie.": "Vänligen hjälp till att förbättra Riot.im genom att skicka <UsageDataLink>anonyma användardata</UsageDataLink>. Detta kommer att använda en cookie.",
"Yes, I want to help!": "Ja, jag vill hjälpa till!",
"%(severalUsers)sleft and rejoined %(count)s times|other": "%(severalUsers)slämnade och gick med igen %(count)s gånger",
"%(severalUsers)sleft and rejoined %(count)s times|one": "%(severalUsers)slämnade och gick med igen",
"%(oneUser)sleft and rejoined %(count)s times|other": "%(oneUser)slämnade och gick med igen %(count)s gånger",
@ -789,7 +720,7 @@
"You're not currently a member of any communities.": "Du är för närvarande inte medlem i någon community.",
"Communities": "Communityn",
"Your Communities": "Dina communityn",
"Did you know: you can use communities to filter your Riot.im experience!": "Visste du att: du kan använda communityn för att filtrera din Riot.im-upplevelse!",
"Did you know: you can use communities to filter your %(brand)s experience!": "Visste du att: du kan använda communityn för att filtrera din %(brand)s-upplevelse!",
"Error whilst fetching joined communities": "Fel vid hämtning av anslutna communityn",
"Featured Rooms:": "Utvalda rum:",
"Featured Users:": "Utvalda användare:",
@ -808,7 +739,6 @@
"Disinvite this user?": "Ta bort användarens inbjudan?",
"You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.": "Du kommer inte att kunna ångra den här ändringen eftersom du sänker din egen behörighetsnivå, om du är den sista privilegierade användaren i rummet blir det omöjligt att ändra behörigheter.",
"You will not be able to undo this change as you are promoting the user to have the same power level as yourself.": "Du kommer inte att kunna ångra den här ändringen eftersom du höjer användaren till samma behörighetsnivå som dig själv.",
"User Options": "Användaralternativ",
"unknown caller": "okänd uppringare",
"To use it, just wait for autocomplete results to load and tab through them.": "För att använda detta, vänta på att autokompletteringen laddas och tabba igenom resultatet.",
"Enable inline URL previews by default": "Aktivera URL-förhandsvisning som standard",
@ -858,7 +788,7 @@
"Please forget all messages I have sent when my account is deactivated (<b>Warning:</b> this will cause future users to see an incomplete view of conversations)": "Glöm alla meddelanden som jag har skickat när mitt konto inaktiveras (<b>Varning:</b> detta kommer att göra så att framtida användare får se ofullständiga konversationer)",
"To continue, please enter your password:": "För att fortsätta, ange ditt lösenord:",
"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 or groups you have visited and the usernames of other users. They do not contain messages.": "Om du har anmält en bugg via GitHub, kan felsökningsloggar hjälpa oss spåra problemet. Felsökningsloggarna innehåller användningsdata för applikationen inklusive ditt användarnamn, ID eller alias för rum och grupper du besökt och användarnamn för andra användare. De innehåller inte meddelanden.",
"Riot collects anonymous analytics to allow us to improve the application.": "Riot samlar in anonym analysdata för att vi ska kunna förbättra applikationen.",
"%(brand)s collects anonymous analytics to allow us to improve the application.": "%(brand)s samlar in anonym analysdata för att vi ska kunna förbättra applikationen.",
"Privacy is important to us, so we don't collect any personal or identifiable data for our analytics.": "Integritet är viktig för oss, så vi samlar inte in några personliga eller identifierbara uppgifter för våra analyser.",
"Learn more about how we use analytics.": "Läs mer om hur vi använder analysdata.",
"Analytics": "Analysdata",
@ -913,9 +843,6 @@
"Please <a>contact your service administrator</a> to continue using the service.": "<a>Kontakta din serviceadministratör</a> för att fortsätta använda tjänsten.",
"This homeserver has hit its Monthly Active User limit.": "Hemservern har nått sin månatliga gräns för användaraktivitet.",
"This homeserver has exceeded one of its resource limits.": "Hemservern har överskridit en av sina resursgränser.",
"Please <a>contact your service administrator</a> to get this limit increased.": "<a>Kontakta din serviceadministratör</a> för att få denna gräns ökad.",
"This homeserver has hit its Monthly Active User limit so <b>some users will not be able to log in</b>.": "Hemservern har nått sin månatliga gräns för användaraktivitet så <b>vissa användare kommer inte kunna logga in</b>.",
"This homeserver has exceeded one of its resource limits so <b>some users will not be able to log in</b>.": "Hemservern har överskridit en av sina resursgränser så <b>vissa användare kommer inte kunna logga in</b>.",
"Your message wasn't sent because this homeserver has hit its Monthly Active User Limit. Please <a>contact your service administrator</a> to continue using the service.": "Ditt meddelande skickades inte för hemservern har nått sin månatliga gräns för användaraktivitet. <a>Kontakta din serviceadministratör</a> för att fortsätta använda servicen.",
"Your message wasn't sent because this homeserver has exceeded a resource limit. Please <a>contact your service administrator</a> to continue using the service.": "Ditt meddelande skickades inte för hemservern har överskridit en av sina resursgränser. <a>Kontakta din serviceadministratör</a> för att fortsätta använda servicen.",
"Legal": "Juridiskt",
@ -933,21 +860,14 @@
"Update any local room aliases to point to the new room": "Uppdatera lokala rumsalias att peka på det nya rummet",
"Stop users from speaking in the old version of the room, and post a message advising users to move to the new room": "Hindra användare från att prata i den gamla rumsversionen och posta ett meddelande som rekommenderar användare att flytta till det nya rummet",
"Put a link back to the old room at the start of the new room so people can see old messages": "Sätta en länk tillbaka till det gamla rummet i början av det nya rummet så att folk kan se gamla meddelanden",
"Registration Required": "Registrering krävs",
"You need to register to do this. Would you like to register now?": "Du måste registrera dig för att göra detta. Vill du registrera dig nu?",
"Forces the current outbound group session in an encrypted room to be discarded": "Tvingar den aktuella utgående gruppsessionen i ett krypterat rum att överges",
"Unable to connect to Homeserver. Retrying...": "Det gick inte att ansluta till hemserver. Försöker igen ...",
"%(senderName)s set the main address for this room to %(address)s.": "%(senderName)s satte huvudadressen för detta rum till %(address)s.",
"%(senderName)s added %(count)s %(addedAddresses)s as addresses for this room.|other": "%(senderName)s lade till %(addedAddresses)s som adresser för detta rum.",
"%(senderName)s added %(count)s %(addedAddresses)s as addresses for this room.|one": "%(senderName)s lade till %(addedAddresses)s som adress för detta rum.",
"%(senderName)s removed %(count)s %(removedAddresses)s as addresses for this room.|other": "%(senderName)s tog bort %(removedAddresses)s som adresser för detta rum.",
"%(senderName)s removed %(count)s %(removedAddresses)s as addresses for this room.|one": "%(senderName)s tog bort %(removedAddresses)s som adress för detta rum.",
"%(senderName)s added %(addedAddresses)s and removed %(removedAddresses)s as addresses for this room.": "%(senderName)s lade till %(addedAddresses)s och tog bort %(removedAddresses)s som adresser för detta rum.",
"%(senderName)s removed the main address for this room.": "%(senderName)s tog bort huvudadressen för detta rum.",
"Add some now": "Lägg till några nu",
"Please review and accept the policies of this homeserver:": "Granska och acceptera policyn för denna hemserver:",
"Before submitting logs, you must <a>create a GitHub issue</a> to describe your problem.": "Innan du skickar in loggar måste du <a>skapa en GitHub-bugg</a> för att beskriva problemet.",
"Updating Riot": "Uppdaterar Riot",
"Updating %(brand)s": "Uppdaterar %(brand)s",
"Open Devtools": "Öppna Devtools",
"Show developer tools": "Visa utvecklingsverktyg",
"You are an administrator of this community. You will not be able to rejoin without an invite from another administrator.": "Du är administratör för denna community. Du kommer inte kunna gå med igen utan en inbjudan från en annan administratör.",
@ -1099,9 +1019,9 @@
"Deactivating your account is a permanent action - be careful!": "Inaktivering av ditt konto är en permanent åtgärd - var försiktig!",
"General": "Allmänt",
"Credits": "Tack",
"For help with using Riot, click <a>here</a>.": "För hjälp med att använda Riot, klicka <a>här</a>.",
"For help with using Riot, click <a>here</a> or start a chat with our bot using the button below.": "För hjälp med att använda Riot, klicka <a>här</a> eller starta en chatt med vår bot med knappen nedan.",
"Chat with Riot Bot": "Chatta med Riot Bot",
"For help with using %(brand)s, click <a>here</a>.": "För hjälp med att använda %(brand)s, klicka <a>här</a>.",
"For help with using %(brand)s, click <a>here</a> or start a chat with our bot using the button below.": "För hjälp med att använda %(brand)s, klicka <a>här</a> eller starta en chatt med vår bot med knappen nedan.",
"Chat with %(brand)s Bot": "Chatta med %(brand)s Bot",
"Help & About": "Hjälp & Om",
"Bug reporting": "Felrapportering",
"FAQ": "FAQ",
@ -1165,7 +1085,6 @@
"The user must be unbanned before they can be invited.": "Användare behöver avbannas innan de kan bjudas in.",
"Group & filter rooms by custom tags (refresh to apply changes)": "Gruppera och filtrera rum med anpassade taggar (ladda om för att visa ändringar)",
"Render simple counters in room header": "Rendera enkla räknare i rumsrubriken",
"Order rooms in the room list by most important first instead of most recent": "Ordna rum i rumslistan med viktigaste först i stället för senaste",
"Yes": "Ja",
"No": "Nej",
"Missing media permissions, click the button below to request.": "Saknar mediebehörigheter, klicka på knappen nedan för att begära.",
@ -1189,7 +1108,6 @@
"Roles & Permissions": "Roller och behörigheter",
"Enable encryption?": "Aktivera kryptering?",
"Once enabled, encryption for a room cannot be disabled. Messages sent in an encrypted room cannot be seen by the server, only by the participants of the room. Enabling encryption may prevent many bots and bridges from working correctly. <a>Learn more about encryption.</a>": "När det är aktiverat kan kryptering för ett rum inte inaktiveras. Meddelanden som skickas i ett krypterat rum kan inte ses av servern, utan endast av deltagarna i rummet. Att aktivera kryptering kan förhindra att många botar och bryggor att fungera korrekt. <a>Läs mer om kryptering.</a>",
"To link to this room, please add an alias.": "För att länka detta rum, lägg till ett alias.",
"Encryption": "Kryptering",
"Once enabled, encryption cannot be disabled.": "Efter aktivering kan kryptering inte inaktiveras igen.",
"Encrypted": "Krypterat",
@ -1231,14 +1149,9 @@
"Revoke invite": "Återkalla inbjudan",
"Invited by %(sender)s": "Inbjuden av %(sender)s",
"There was an error updating the room's main address. It may not be allowed by the server or a temporary failure occurred.": "Det uppstod ett fel vid uppdatering av rummets huvudadress. Det kanske inte tillåts av servern eller så inträffade ett tillfälligt fel.",
"Error creating alias": "Fel vid skapande av alias",
"There was an error creating that alias. It may not be allowed by the server or a temporary failure occurred.": "Det uppstod ett fel när alias skulle skapas. Det kanke inte tillåtas av servern eller så inträffade ett tillfälligt fel.",
"Error removing alias": "Fel vid borttagning av alias",
"There was an error removing that alias. It may no longer exist or a temporary error occurred.": "Det uppstod ett fel när alias skulle tas bort. Det kanske inte längre finns eller så inträffade ett tillfälligt fel.",
"Main address": "Huvudadress",
"Error updating flair": "Fel vid uppdatering av emblem",
"There was an error updating the flair for this room. The server may not allow it or a temporary error occurred.": "Det uppstod ett fel vid uppdatering av emblem för detta rum. Servern kanske inte tillåter det eller ett så inträffade tillfälligt fel.",
"You've previously used a newer version of Riot on %(host)s. To use this version again with end to end encryption, you will need to sign out and back in again. ": "Du har tidigare använt en nyare version av Riot på %(host)s. För att använda denna version igen med totalsträckskryptering, måste du logga ut och in igen. ",
"Verify this user to mark them as trusted. Trusting users gives you extra peace of mind when using end-to-end encrypted messages.": "Verifiera denna användare för att markera den som betrodd. Att kunna lita på användare ger en extra sinnesfrid när man använder totalsträckskrypterade meddelanden.",
"A widget would like to verify your identity": "En widget vill verifiera din identitet",
"A widget located at %(widgetUrl)s would like to verify your identity. By allowing this, the widget will be able to verify your user ID, but not perform actions as you.": "En widget på %(widgetUrl)s vill verifiera din identitet. Genom att tillåta detta kommer widgeten att kunna verifiera ditt användar-ID, men inte agera som dig.",
@ -1264,11 +1177,11 @@
"Unable to find profiles for the Matrix IDs listed below - would you like to invite them anyway?": "Det gick inte att hitta profiler för de Matrix-IDn som anges nedan - vill du bjuda in dem ändå?",
"GitHub issue": "GitHub-ärende",
"Notes": "Noteringar",
"You've previously used Riot 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, Riot needs to resync your account.": "Du har tidigare använt Riot på %(host)s med lazy loading av medlemmar aktiverat. I den här versionen är lazy loading inaktiverat. Eftersom den lokala cachen inte är kompatibel mellan dessa två inställningar behöver Riot synkronisera om ditt konto.",
"If the other version of Riot is still open in another tab, please close it as using Riot on the same host with both lazy loading enabled and disabled simultaneously will cause issues.": "Om den andra versionen av Riot fortfarande är öppen i en annan flik, stäng den eftersom användning av Riot på samma värd med både lazy loading aktiverad och inaktiverad samtidigt kommer att orsaka problem.",
"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 lazy loading av medlemmar aktiverat. I den här versionen är lazy loading 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 både lazy loading aktiverad och inaktiverad samtidigt kommer att orsaka problem.",
"Incompatible local cache": "Inkompatibel lokal cache",
"Clear cache and resync": "Töm cache och synkronisera om",
"Riot now uses 3-5x less memory, by only loading information about other users when needed. Please wait whilst we resynchronise with the server!": "Riot använder nu 3-5 gånger mindre minne, genom att bara ladda information om andra användare när det behövs. Vänta medan vi återsynkroniserar med servern!",
"%(brand)s now uses 3-5x less memory, by only loading information about other users when needed. Please wait whilst we resynchronise with the server!": "%(brand)s använder nu 3-5 gånger mindre minne, genom att bara ladda information om andra användare när det behövs. Vänta medan vi återsynkroniserar med servern!",
"I don't want my encrypted messages": "Jag vill inte ha mina krypterade meddelanden",
"Manually export keys": "Exportera nycklar manuellt",
"You'll lose access to your encrypted messages": "Du kommer att förlora åtkomst till dina krypterade meddelanden",
@ -1296,10 +1209,9 @@
"Cancel All": "Avbryt alla",
"Upload Error": "Uppladdningsfel",
"Name or Matrix ID": "Namn eller Martix-ID",
"Your Riot is misconfigured": "Riot är felkonfigurerat",
"Your %(brand)s is misconfigured": "%(brand)s är felkonfigurerat",
"Call failed due to misconfigured server": "Anrop misslyckades på grund av felkonfigurerad server",
"Try using turn.matrix.org": "Prova att använda turn.matrix.org",
"A conference call could not be started because the integrations server is not available": "Ett konferenssamtal kunde inte startas eftersom integrationsservern inte är tillgänglig",
"The server does not support the room version specified.": "Servern stöder inte den angivna rumsversionen.",
"Messages": "Meddelanden",
"Actions": "Åtgärder",
@ -1315,7 +1227,7 @@
"%(senderName)s made no change.": "%(senderName)s gjorde ingen ändring.",
"Cannot reach homeserver": "Kan inte nå hemservern",
"Ensure you have a stable internet connection, or get in touch with the server admin": "Se till att du har en stabil internetanslutning, eller kontakta serveradministratören",
"Ask your Riot admin to check <a>your config</a> for incorrect or duplicate entries.": "Be din Riot-administratör att kontrollera <a>din konfiguration</a> efter felaktiga eller duplicerade poster.",
"Ask your %(brand)s admin to check <a>your config</a> for incorrect or duplicate entries.": "Be din %(brand)s-administratör att kontrollera <a>din konfiguration</a> efter felaktiga eller duplicerade poster.",
"Cannot reach identity server": "Kan inte nå identitetsservern",
"You can register, but some features will be unavailable until the identity server is back online. If you keep seeing this warning, check your configuration or contact a server admin.": "Du kan registrera dig, men vissa funktioner kommer inte att vara tillgängliga förrän identitetsservern är online igen. Om du fortsätter att se den här varningen, kontrollera din konfiguration eller kontakta en serveradministratör.",
"You can reset your password, but some features will be unavailable until the identity server is back online. If you keep seeing this warning, check your configuration or contact a server admin.": "Du kan återställa ditt lösenord, men vissa funktioner kommer inte att vara tillgängliga förrän identitetsservern är online igen. Om du fortsätter att se den här varningen, kontrollera din konfiguration eller kontakta en serveradministratör.",
@ -1323,7 +1235,6 @@
"No homeserver URL provided": "Ingen hemserver-URL angiven",
"The user's homeserver does not support the version of the room.": "Användarens hemserver stöder inte versionen av rummet.",
"Multiple integration managers": "Flera integrationshanterare",
"Show recently visited rooms above the room list": "Visa nyligen besökta rum ovanför rumslistan",
"Show hidden events in timeline": "Visa dolda händelser i tidslinjen",
"Low bandwidth mode": "Läge för låg bandbredd",
"Send read receipts for messages (requires compatible homeserver to disable)": "Skicka läskvitton för meddelanden (kräver kompatibel hemserver för att inaktivera)",
@ -1427,7 +1338,6 @@
"%(name)s (%(userId)s)": "%(name)s (%(userId)s)",
"Try out new ways to ignore people (experimental)": "Testa nya sätt att ignorera personer (experimentalt)",
"Show previews/thumbnails for images": "Visa förhandsvisning/tumnagel för bilder",
"Send cross-signing keys to homeserver": "Skicka korssigneringsnycklar till hemserver",
"Custom (%(level)s)": "Anpassad (%(level)s)",
"Error upgrading room": "Fel vid uppgradering av rum",
"Double check that your server supports the room version chosen and try again.": "Dubbelkolla att din server stöder den valda rumsversionen och försök igen.",
@ -1497,7 +1407,7 @@
"Your avatar URL": "Din avatar-URL",
"Your user ID": "Ditt användar-ID",
"Your theme": "Ditt tema",
"Riot URL": "Riot-URL",
"%(brand)s URL": "%(brand)s-URL",
"Room ID": "Rums-ID",
"Widget ID": "Widget-ID",
"Using this widget may share data <helpIcon /> with %(widgetDomain)s & your Integration Manager.": "Att använda denna widget kan dela data <helpIcon /> med %(widgetDomain)s och din Integrationshanterare.",
@ -1514,12 +1424,8 @@
"%(severalUsers)smade no changes %(count)s times|one": "%(severalUsers)sgjorde inga ändringar",
"%(oneUser)smade no changes %(count)s times|other": "%(oneUser)sgjorde inga ändringar %(count)s gånger",
"%(oneUser)smade no changes %(count)s times|one": "%(oneUser)sgjorde inga ändringar",
"Room alias": "Rumsalias",
"e.g. my-room": "t.ex. mitt rum",
"Some characters not allowed": "Vissa tecken är inte tillåtna",
"Please provide a room alias": "Vänligen ange ett rumsalias",
"This alias is available to use": "Detta alias är tillgängligt att använda",
"This alias is already in use": "Detta alias används redan",
"Use an identity server to invite by email. <default>Use the default (%(defaultIdentityServerName)s)</default> or manage in <settings>Settings</settings>.": "Använd en identitetsserver för att bjuda in via epost. <default>Använd standard (%(defaultIdentityServerName)s)</default> eller hantera i <settings>Inställningar</settings>.",
"Use an identity server to invite by email. Manage in <settings>Settings</settings>.": "Använd en identitetsserver för att bjuda in via epost. Hantera i <settings>Inställningar</settings>.",
"Close dialog": "Stäng dialogrutan",
@ -1535,7 +1441,7 @@
"Integrations are disabled": "Integrationer är inaktiverade",
"Enable 'Manage Integrations' in Settings to do this.": "Aktivera \"Hantera integrationer\" i Inställningar för att göra detta.",
"Integrations not allowed": "Integrationer inte tillåtna",
"Your Riot doesn't allow you to use an Integration Manager to do this. Please contact an admin.": "Ditt Riot tillåter dig inte att använda en Integrationshanterare för att göra detta. Vänligen kontakta en administratör.",
"Your %(brand)s doesn't allow you to use an Integration Manager to do this. Please contact an admin.": "Ditt %(brand)s tillåter dig inte att använda en Integrationshanterare för att göra detta. Vänligen kontakta en administratör.",
"Your homeserver doesn't seem to support this feature.": "Din hemserver verkar inte stödja den här funktionen.",
"Message edits": "Meddelandedigeringar",
"Preview": "Förhandsvisa",
@ -1547,22 +1453,16 @@
"Service": "Tjänst",
"Summary": "Sammanfattning",
"Document": "Dokument",
"The version of Riot": "Version av Riot",
"Whether you're using Riot on a device where touch is the primary input mechanism": "Om du använder Riot på en enhet där pekskärm är den primära inmatningsmekanismen",
"Whether you're using Riot as an installed Progressive Web App": "Om du använder Riot som en installerad progressiv webbapp",
"Whether you're using %(brand)s on a device where touch is the primary input mechanism": "Om du använder %(brand)s på en enhet där pekskärm är den primära inmatningsmekanismen",
"Whether you're using %(brand)s as an installed Progressive Web App": "Om du använder %(brand)s som en installerad progressiv webbapp",
"Your user agent": "Din användaragent",
"The information being sent to us to help make Riot better includes:": "Informationen som skickas till oss för att förbättra Riot inkluderar:",
"There are unknown sessions in this room: if you proceed without verifying them, it will be possible for someone to eavesdrop on your call.": "Det finns okända sessioner i det här rummet: om du fortsätter utan att verifiera dem kommer det att vara möjligt för någon att lyssna på ditt samtal.",
"Review Sessions": "Granska sessioner",
"If you cancel now, you won't complete verifying the other user.": "Om du avbryter nu kommer du inte att verifiera den andra användaren.",
"If you cancel now, you won't complete verifying your other session.": "Om du avbryter nu kommer du inte att verifiera din andra session.",
"If you cancel now, you won't complete your secret storage operation.": "Om du avbryter nu slutför du inte din operation för hemlig lagring.",
"Cancel entering passphrase?": "Avbryta att ange lösenfras?",
"Setting up keys": "Sätter upp nycklar",
"Verify this session": "Verifiera denna session",
"Encryption upgrade available": "Krypteringsuppgradering tillgänglig",
"Set up encryption": "Ställ in kryptering",
"Unverified session": "Overifierad session",
"Sign In or Create Account": "Logga in eller skapa konto",
"Use your account or create a new one to continue.": "Använd ditt konto eller skapa ett nytt för att fortsätta.",
"Create Account": "Skapa konto",
@ -1581,23 +1481,13 @@
"Please enter verification code sent via text.": "Ange verifieringskod skickad via textmeddelande.",
"Discovery options will appear once you have added a phone number above.": "Upptäcktsalternativ visas när du har lagt till ett telefonnummer ovan.",
"Verify session": "Verifiera sessionen",
"Use Legacy Verification (for older clients)": "Använd gammal verifiering (för äldre klienter)",
"Verify by comparing a short text string.": "Verifiera genom att jämföra en kort textsträng.",
"Begin Verifying": "Börja verifiera",
"Waiting for partner to accept...": "Väntar på partner att acceptera...",
"Nothing appearing? Not all clients support interactive verification yet. <button>Use legacy verification</button>.": "Dyker inget upp? Alla klienter stöder inte interaktiv verifiering ännu. <button>Använd äldre verifiering</button>.",
"Waiting for %(userId)s to confirm...": "Väntar på att %(userId)s ska bekräfta...",
"To verify that this session can be trusted, please check that the key you see in User Settings on that device matches the key below:": "För att verifiera att den här sessionen är betrodd, kontrollera att nyckeln du ser i Användarinställningar på den enheten stämmer med nyckeln nedan:",
"To verify that this session can be trusted, please contact its owner using some other means (e.g. in person or a phone call) and ask them whether the key they see in their User Settings for this session matches the key below:": "För att verifiera att den här sessionen är betrodd, vänligen kontakta dess ägare på annat sätt (t.ex. personligen eller via ett telefonsamtal) och fråga om nyckeln i deras användarinställningar för denna session stämmer med nyckeln nedan:",
"Use two-way text verification": "Använd tvåvägs textverifiering",
"Session name": "Sessionsnamn",
"Session key": "Sessionsnyckel",
"If it matches, press the verify button below. If it doesn't, then someone else is intercepting this session and you probably want to press the blacklist button instead.": "Om det matchar, tryck på verifieringsknappen nedan. Om det inte gör det, avlyssnar någon annan den här sessionen och du vill förmodligen trycka på svartlistaknappen istället.",
"Automatically invite users": "Bjud in användare automatiskt",
"Upgrade private room": "Uppgradera privat rum",
"Upgrade public room": "Uppgradera publikt rum",
"Upgrading a room is an advanced action and is usually recommended when a room is unstable due to bugs, missing features or security vulnerabilities.": "Att uppgradera ett rum är en avancerad åtgärd och rekommenderas vanligtvis när ett rum är instabilt på grund av buggar, saknade funktioner eller säkerhetsproblem.",
"This usually only affects how the room is processed on the server. If you're having problems with your Riot, please <a>report a bug</a>.": "Detta påverkar vanligtvis bara hur rummet bearbetas på servern. Om du har problem med Riot, <a>rapportera ett fel</a>.",
"This usually only affects how the room is processed on the server. If you're having problems with your %(brand)s, please <a>report a bug</a>.": "Detta påverkar vanligtvis bara hur rummet bearbetas på servern. Om du har problem med %(brand)s, <a>rapportera ett fel</a>.",
"You'll upgrade this room from <oldVersion /> to <newVersion />.": "Du kommer att uppgradera detta rum från <oldVersion /> till <newVersion />.",
"This will allow you to return to your account after signing out, and sign in on other sessions.": "Detta gör att du kan återgå till ditt konto efter att du har loggat ut, och logga in på andra sessioner.",
"Help": "Hjälp",

View file

@ -1,5 +1,4 @@
{
"A new version of Riot is available.": "Riot-ன் புதிய பதிப்பு உள்ளது.",
"Advanced notification settings": "மேம்பட்ட அறிவிப்பிற்கான அமைப்புகள்",
"All messages": "அனைத்து செய்திகள்",
"All messages (noisy)": "அனைத்து செய்திகள் (உரக்க)",
@ -16,8 +15,6 @@
"Can't update user notification settings": "பயனர் அறிவிப்பு அமைப்புகளை மாற்ற முடியவில்லை",
"Couldn't find a matching Matrix room": "பொருத்தமான Matrix அறை கிடைக்கவில்லை",
"Custom Server Options": "விருப்பிற்கேற்ற வழங்கி இடப்புகள்",
"delete the alias.": "மாற்றை அழி.",
"Delete the room alias %(alias)s and remove %(name)s from the directory?": "அறை மாற்று %(alias)s -ஐ அழித்து, %(name)s -ஐ அடைவிலிருந்து நீக்க வேண்டுமா?",
"Direct Chat": "நேரடி அரட்டை",
"Dismiss": "நீக்கு",
"Download this file": "இந்த கோப்பைத் தரவிறக்கு",
@ -86,9 +83,8 @@
"Update": "புதுப்பி",
"Uploaded on %(date)s by %(user)s": "%(date)s அன்று %(user)s ஆல் பதிவேற்றப்பட்டது",
"Uploading report": "அறிக்கை பதிவேற்றப்படுகிறது",
"Riot does not know how to join a room on this network": "இந்த வலையமைப்பில் உள்ள அறையில் எப்படி சேர்வதென்று Riotற்க்கு தெரியவில்லை",
"Riot uses many advanced browser features, some of which are not available or experimental in your current browser.": "Riot பல மேம்பட்ட உலாவி வசதிகளைப் பயன்படுத்துகிறது, அதில் சிலவற்றைக் காணவில்லை அல்லது உங்கள் உலாவியில் பரிசோதனைக்காக உள்ளது.",
"There are advanced notifications which are not shown here": "இங்கு காண்பிக்கப்படாத மேம்பட்ட அறிவிப்புகள் உள்ளது",
"%(brand)s does not know how to join a room on this network": "இந்த வலையமைப்பில் உள்ள அறையில் எப்படி சேர்வதென்று %(brand)sற்க்கு தெரியவில்லை",
"%(brand)s uses many advanced browser features, some of which are not available or experimental in your current browser.": "%(brand)s பல மேம்பட்ட உலாவி வசதிகளைப் பயன்படுத்துகிறது, அதில் சிலவற்றைக் காணவில்லை அல்லது உங்கள் உலாவியில் பரிசோதனைக்காக உள்ளது.",
"The server may be unavailable or overloaded": "வழங்கி அளவுமீறிய சுமையில் உள்ளது அல்லது செயல்பாட்டில் இல்லை",
"Unable to fetch notification target list": "அறிவிப்பு பட்டியலை பெற முடியவில்லை",
"Unable to look up room ID from server": "வழங்கியிலிருந்து அறை ID யை காண முடியவில்லை",
@ -133,29 +129,23 @@
"This phone number is already in use": "இந்த தொலைபேசி எண் ஏற்கனவே பயன்பாட்டில் உள்ளது",
"Failed to verify email address: make sure you clicked the link in the email": "மின்னஞ்சல் முகவரியைச் சரிபார்க்கத் தவறிவிட்டது: மின்னஞ்சலில் உள்ள இணைப்பைக் கிளிக் செய்துள்ளீர்கள் என்பதை உறுதிப்படுத்திக் கொள்ளுங்கள்",
"The platform you're on": "நீங்கள் இருக்கும் தளம்",
"The version of Riot.im": "Riot.im இன் பதிப்பு",
"The version of %(brand)s": "%(brand)s இன் பதிப்பு",
"Whether or not you're logged in (we don't record your username)": "நீங்கள் உள்நுழைந்திருந்தாலும் இல்லாவிட்டாலும் (உங்கள் பயனர்பெயரை நாங்கள் பதிவு செய்ய மாட்டோம்)",
"Your language of choice": "நீங்கள் விரும்பும் மொழி",
"Which officially provided instance you are using, if any": "நீங்கள் பயன்படுத்தும் அதிகாரப்பூர்வமாக வழங்கப்பட்ட உதாரணம் ஏதேனும் இருந்தால்",
"Whether or not you're using the Richtext mode of the Rich Text Editor": "பணக்கார உரை எடிட்டரின் ரிச்ச்டெக்ஸ்ட் பயன்முறையைப் பயன்படுத்துகிறீர்களா இல்லையா",
"Whether or not you're using the 'breadcrumbs' feature (avatars above the room list)": "நீங்கள் 'breadcrumbs' அம்சத்தைப் பயன்படுத்துகிறீர்களோ இல்லையோ (அறை பட்டியலுக்கு மேலே உள்ள அவதாரங்கள்)",
"Your homeserver's URL": "உங்கள் வீட்டு சேவையகத்தின் URL",
"Your identity server's URL": "உங்கள் அடையாள சர்வரின் URL",
"e.g. %(exampleValue)s": "உதாரணமாக %(exampleValue)s",
"Every page you use in the app": "பயன்பாட்டில் நீங்கள் பயன்படுத்தும் ஒவ்வொரு பக்கமும்",
"Your Riot is misconfigured": "உங்கள் Riot தவறாக உள்ளமைக்கப்பட்டுள்ளது",
"Your %(brand)s is misconfigured": "உங்கள் %(brand)s தவறாக உள்ளமைக்கப்பட்டுள்ளது",
"Sign In": "உள்நுழைக",
"e.g. <CurrentPageURL>": "உதாரணமாக <CurrentPageURL>",
"Your device resolution": "உங்கள் சாதனத் தீர்மானம்",
"Analytics": "பகுப்பாய்வு",
"The information being sent to us to help make Riot.im better includes:": "Riot.im ஐ சிறப்பாகச் செய்ய எங்களுக்கு அனுப்பப்படும் தகவல்களில் பின்வருவன அடங்கும்:",
"The information being sent to us to help make %(brand)s better includes:": "%(brand)s ஐ சிறப்பாகச் செய்ய எங்களுக்கு அனுப்பப்படும் தகவல்களில் பின்வருவன அடங்கும்:",
"Where this page includes identifiable information, such as a room, user or group ID, that data is removed before being sent to the server.": "இந்த பக்கம் ஒரு அறை, பயனர் அல்லது குழு ஐடி போன்ற அடையாளம் காணக்கூடிய தகவல்களை உள்ளடக்கியது, அந்த தரவு சேவையகத்திற்கு அனுப்பப்படுவதற்கு முன்பு அகற்றப்படும்.",
"Call Failed": "அழைப்பு தோல்வியுற்றது",
"Review Devices": "சாதனங்களை மதிப்பாய்வு செய்யவும்",
"Call Anyway": "எப்படியும் அழைக்கவும்",
"Answer Anyway": "எப்படியும் பதில் சொல்லுங்கள்",
"Call": "அழைப்பு",
"Answer": "பதில்",
"Call Timeout": "அழைப்பு நேரம் முடிந்தது",
"The remote side failed to pick up": "தொலைதூரப் பக்கத்தை எடுக்கத் தவறிவிட்டது",
"Unable to capture screen": "திரையைப் பிடிக்க முடியவில்லை",
@ -164,8 +154,6 @@
"VoIP is unsupported": "VoIP ஆதரிக்கப்படவில்லை",
"You cannot place VoIP calls in this browser.": "இந்த உலாவியில் நீங்கள் VoIP அழைப்புகளை வைக்க முடியாது.",
"You cannot place a call with yourself.": "உங்களுடன் அழைப்பை மேற்கொள்ள முடியாது.",
"Could not connect to the integration server": "ஒருங்கிணைப்பு சேவையகத்துடன் இணைக்க முடியவில்லை",
"A conference call could not be started because the integrations server is not available": "ஒருங்கிணைப்பு சேவையகம் கிடைக்காததால் ஒரு மாநாட்டு அழைப்பைத் தொடங்க முடியவில்லை",
"Call in Progress": "அழைப்பு முன்னேற்றத்தில் உள்ளது",
"A call is currently being placed!": "தற்போது அழைப்பு வைக்கப்பட்டுள்ளது!",
"A call is already in progress!": "அழைப்பு ஏற்கனவே செயலில் உள்ளது!",
@ -179,7 +167,6 @@
"Server may be unavailable, overloaded, or you hit a bug.": "சேவையகம் கிடைக்காமல் போகலாம், அதிக சுமை அல்லது பிழையைத் தாக்கலாம்.",
"The server does not support the room version specified.": "குறிப்பிடப்பட்ட அறை பதிப்பை சேவையகம் ஆதரிக்கவில்லை.",
"Failure to create room": "அறையை உருவாக்கத் தவறியது",
"Send anyway": "இருந்தாலும் அனுப்பு",
"Sun": "ஞாயிறு",
"Mon": "திங்கள்",
"Tue": "செவ்வாய்",

View file

@ -10,15 +10,12 @@
"No Microphones detected": "మైక్రోఫోన్లు కనుగొనబడలేదు",
"No Webcams detected": "వెబ్కామ్లు కనుగొనబడలేదు",
"No media permissions": "మీడియా అనుమతులు లేవు",
"You may need to manually permit Riot to access your microphone/webcam": "రియోట్ను ను మీరు మాన్యువల్ గా మీ మైక్రోఫోన్ / వెబ్క్యామ్ను ప్రాప్యత చేయడానికి అనుమతించాలి",
"Default Device": "డిఫాల్ట్ పరికరం",
"Microphone": "మైక్రోఫోన్",
"Camera": "కెమెరా",
"Advanced": "ఆధునిక",
"Algorithm": "అల్గారిథం",
"Always show message timestamps": "ఎల్లప్పుడూ సందేశాల సమయ ముద్రలు చూపించు",
"Authentication": "ప్రామాణీకరణ",
"Alias (optional)": "అలియాస్ (ఇవచు ఇవకపపోవచు)",
"You do not have permission to post to this room": "మీకు ఈ గదికి పోస్ట్ చేయడానికి అనుమతి లేదు",
"Active call (%(roomName)s)": "క్రియాశీల కాల్ల్ (%(roomName)s)",
"A new password must be entered.": "కొత్త పాస్ వర్డ్ ను తప్పక నమోదు చేయాలి.",
@ -35,7 +32,6 @@
"Ban": "బాన్",
"Banned users": "నిషేధించిన వినియోగదారులు",
"Bans user with given id": "ఇచ్చిన ఐడి తో వినియోగదారుని నిషేధించారు",
"Blacklisted": "నిరోధిత జాబితాలోని",
"Call Timeout": "కాల్ గడువు ముగిసింది",
"Can't connect to homeserver - please check your connectivity, ensure your <a>homeserver's SSL certificate</a> is trusted, and that a browser extension is not blocking requests.": "గృహనిర్వాహకులకు కనెక్ట్ చేయలేరు - దయచేసి మీ కనెక్టివిటీని తనిఖీ చేయండి, మీ <a> 1 హోమరుసు యొక్క ఎస్ఎస్ఎల్ సర్టిఫికేట్ </a> 2 ని విశ్వసనీయపరుచుకొని, బ్రౌజర్ పొడిగింపు అభ్యర్థనలను నిరోధించబడదని నిర్ధారించుకోండి.",
"Change Password": "పాస్వర్డ్ మార్చండి",
@ -47,7 +43,6 @@
"You cannot place VoIP calls in this browser.": "మీరు ఈ బ్రౌజర్లో కాల్లను చేయలేరు.",
"You have no visible notifications": "మీకు కనిపించే నోటిఫికేషన్లు లేవు",
"You need to be able to invite users to do that.": "మీరు దీన్ని చేయడానికి వినియోగదారులను ఆహ్వానించగలరు.",
"Claimed Ed25519 fingerprint key": "ఎడ్25519 వేలిముద్ర కీ ని పేర్కొన్నారు",
"Click here to fix": "పరిష్కరించడానికి ఇక్కడ క్లిక్ చేయండి",
"Click to mute audio": "ఆడియోను మ్యూట్ చేయడానికి క్లిక్ చేయండి",
"Click to mute video": "వీడియో మ్యూట్ చేయడానికి క్లిక్ చేయండి",
@ -59,17 +54,14 @@
"Commands": "కమ్మండ్స్",
"Confirm password": "పాస్వర్డ్ని నిర్ధారించండి",
"Continue": "కొనసాగించు",
"Could not connect to the integration server": "ఇంటిగ్రేషన్ సర్వర్కు కనెక్ట్ చేయడం సాధ్యం కాలేదు",
"Create Room": "రూమ్ ని సృష్టించండి",
"Cryptography": "క్రిప్టోగ్రఫీ",
"Current password": "ప్రస్తుత పాస్వర్డ్",
"Curve25519 identity key": "Curve25519 గుర్తింపు కీ",
"Custom": "కస్టమ్",
"Custom level": "అనుకూల స్థాయి",
"/ddg is not a command": "/ ddg కమాండ్ కాదు",
"Deactivate Account": "ఖాతాను డీయాక్టివేట్ చేయండి",
"Decline": "డిక్లైన్",
"Decryption error": "గుప్తలేఖన లోపం",
"Deops user with given id": "ఇచ్చిన ID తో వినియోగదారుని విడదీస్తుంది",
"Default": "డిఫాల్ట్",
"Sun": "ఆదివారం",
@ -101,7 +93,6 @@
"Upload an avatar:": "అవతార్ను అప్లోడ్ చేయండి:",
"This server does not support authentication with a phone number.": "ఈ సర్వర్ ఫోన్ నంబర్తో ప్రామాణీకరణకు మద్దతు ఇవ్వదు.",
"New passwords don't match": "కొత్త పాస్వర్డ్లు సరిపోలడం లేదు",
"Make Moderator": "మోడరేటర్ చేయండి",
"There are no visible files in this room": "ఈ గదిలో కనిపించే ఫైల్లు లేవు",
"Connectivity to the server has been lost.": "సెర్వెర్ కనెక్టివిటీని కోల్పోయారు.",
"Sent messages will be stored until your connection has returned.": "మీ కనెక్షన్ తిరిగి వచ్చే వరకు పంపిన సందేశాలు నిల్వ చేయబడతాయి.",
@ -110,8 +101,6 @@
"Incorrect verification code": "ధృవీకరణ కోడ్ సరిగా లెదు",
"unknown error code": "తెలియని కోడ్ లోపం",
"Please enter the code it contains:": "దయచేసి దాన్ని కలిగి ఉన్న కోడ్ను నమోదు చేయండి:",
"riot-web version:": "రయట్-వెబ్ సంస్కరణ:",
"Riot was not given permission to send notifications - please try again": "రయట్ కు ప్రకటనలను పంపడానికి అనుమతి లేదు - దయచేసి మళ్ళీ ప్రయత్నించండి",
"Unable to restore session": "సెషన్ను పునరుద్ధరించడానికి సాధ్యపడలేదు",
"Remove": "తొలగించు",
"Room directory": "గది వివరము",
@ -126,7 +115,6 @@
"Search": "శోధన",
"Settings": "అమరికలు",
"Fetching third party location failed": "మూడవ పార్టీ స్థానాన్ని పొందడం విఫలమైంది",
"A new version of Riot is available.": "కొత్త రిమోట్ వివరణము అందుబాటులో ఉంది.",
"Advanced notification settings": "ఆధునిక తాఖీదు అమరిక",
"Sunday": "ఆదివారం",
"Guests can join": "అతిథులు చేరవచ్చు",
@ -139,7 +127,6 @@
"Changelog": "మార్పు వివరణ",
"Leave": "వదిలి",
"All notifications are currently disabled for all targets.": "ప్రస్తుతానికి అన్ని చోట్లనుంచి అన్ని ప్రకటనలు ఆగి వున్నాయి.",
"delete the alias.": "అలియాస్ తొలగించండి.",
"Forget": "మర్చిపో",
"Source URL": "మూల URL",
"Warning": "హెచ్చరిక",
@ -188,7 +175,6 @@
"Invite to this room": "ఈ గదికి ఆహ్వానించండి",
"Thursday": "గురువారం",
"Search…": "శోధన…",
"Sorry, your browser is <b>not</b> able to run Riot.": "క్షమించండి, మీ బ్రౌజర్ <b>రియట్ని అమలు చేయలేరు</b>.",
"Messages in group chats": "సమూహ మాటామంతిలో సందేశాలు",
"Yesterday": "నిన్న",
"Error encountered (%(errorDetail)s).": "లోపం సంభవించింది (%(errorDetail)s).",
@ -208,17 +194,11 @@
"This phone number is already in use": "ఈ ఫోన్ నంబర్ ఇప్పటికే వాడుకం లో ఉంది",
"Failed to verify email address: make sure you clicked the link in the email": "ఇమెయిల్ అడ్రస్ ని నిరూపించలేక పోయాము. ఈమెయిల్ లో వచ్చిన లింక్ ని నొక్కారా",
"The platform you're on": "మీరు ఉన్న ప్లాట్ఫార్మ్",
"The version of Riot.im": "రయట్.ఐఎమ్ యొక్క వెర్సన్",
"Your homeserver's URL": "మీ హోమ్ సర్వర్ యొక్క URL",
"Your identity server's URL": "మీ ఐడెంటిటి సర్వర్ యొక్క URL",
"e.g. %(exampleValue)s": "ఉ.దా. %(exampleValue)s 1",
"Every page you use in the app": "ఆప్ లో మీరు వాడే ప్రతి పేజి",
"e.g. <CurrentPageURL>": "ఉ.దా. <CurrentPageURL>",
"Your User Agent": "మీ యీసర్ ఏజెంట్",
"Call Failed": "కాల్ విఫలమయింది",
"Review Devices": "పరికరాలని ఒక మారు చూసుకో",
"Call": "కాల్",
"Answer": "ఎత్తు",
"The remote side failed to pick up": "అటు వైపు ఎత్తలేకపోయారు",
"Unable to capture screen": "తెరని చూపలేకపోతున్నారు",
"Existing Call": "నజుస్తున్న కాల్",

View file

@ -12,8 +12,6 @@
"%(senderName)s banned %(targetName)s.": "%(senderName)s แบน %(targetName)s แล้ว",
"%(senderDisplayName)s changed the topic to \"%(topic)s\".": "%(senderDisplayName)s เปลี่ยนหัวข้อเป็น \"%(topic)s\"",
"Decrypt %(text)s": "ถอดรหัส %(text)s",
"Device ID": "ID อุปกรณ์",
"device id: ": "id อุปกรณ์: ",
"Download %(text)s": "ดาวน์โหลด %(text)s",
"Emoji": "อีโมจิ",
"Error": "ข้อผิดพลาด",
@ -26,7 +24,7 @@
"Reason": "เหตุผล",
"Register": "ลงทะเบียน",
"Results from DuckDuckGo": "ผลจาก DuckDuckGo",
"riot-web version:": "เวอร์ชัน riot-web:",
"%(brand)s version:": "เวอร์ชัน %(brand)s:",
"Cancel": "ยกเลิก",
"Dismiss": "ไม่สนใจ",
"Mute": "เงียบ",
@ -47,8 +45,7 @@
"Admin": "ผู้ดูแล",
"No Webcams detected": "ไม่พบกล้องเว็บแคม",
"No media permissions": "ไม่มีสิทธิ์เข้าถึงสื่อ",
"You may need to manually permit Riot to access your microphone/webcam": "คุณอาจต้องให้สิทธิ์ Riot เข้าถึงไมค์โครโฟนไมค์โครโฟน/กล้องเว็บแคม ด้วยตัวเอง",
"Algorithm": "อัลกอริทึม",
"You may need to manually permit %(brand)s to access your microphone/webcam": "คุณอาจต้องให้สิทธิ์ %(brand)s เข้าถึงไมค์โครโฟนไมค์โครโฟน/กล้องเว็บแคม ด้วยตัวเอง",
"Authentication": "การยืนยันตัวตน",
"%(items)s and %(lastItem)s": "%(items)s และ %(lastItem)s",
"and %(count)s others...|one": "และอีกหนึ่งผู้ใช้...",
@ -65,7 +62,6 @@
"Autoplay GIFs and videos": "เล่น GIF และวิดิโออัตโนมัติ",
"Banned users": "ผู้ใช้ที่ถูกแบน",
"Bans user with given id": "ผู้ใช้และ id ที่ถูกแบน",
"Blacklisted": "ขึ้นบัญชีดำ",
"%(senderName)s changed their profile picture.": "%(senderName)s เปลี่ยนรูปโปรไฟล์ของเขา",
"%(senderDisplayName)s changed the room name to %(roomName)s.": "%(senderDisplayName)s เปลี่ยนชื่อห้องไปเป็น %(roomName)s",
"%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s ลบชื่อห้อง",
@ -84,10 +80,7 @@
"Current password": "รหัสผ่านปัจจุบัน",
"/ddg is not a command": "/ddg ไม่ใช่คำสั่ง",
"Deactivate Account": "ปิดการใช้งานบัญชี",
"Decryption error": "การถอดรหัสผิดพลาด",
"Direct chats": "แชทตรง",
"Disinvite": "ถอนคำเชิญ",
"Ed25519 fingerprint": "ลายนิ้วมือ Ed25519",
"Email": "อีเมล",
"Email address": "ที่อยู่อีเมล",
"%(senderName)s ended the call.": "%(senderName)s จบการโทร",
@ -103,7 +96,6 @@
"Failed to send email": "การส่งอีเมลล้มเหลว",
"Failed to send request.": "การส่งคำขอล้มเหลว",
"Failed to set display name": "การตั้งชื่อที่แสดงล้มเหลว",
"Failed to toggle moderator status": "การสลับสถานะผู้ช่วยดูแลล้มเหลว",
"Failed to unban": "การถอนแบนล้มเหลว",
"Failed to verify email address: make sure you clicked the link in the email": "การยืนยันอีเมลล้มเหลว: กรุณาตรวจสอบว่าคุณคลิกลิงก์ในอีเมลแล้ว",
"Failure to create room": "การสร้างห้องล้มเหลว",
@ -136,14 +128,11 @@
"Logout": "ออกจากระบบ",
"Missing user_id in request": "ไม่พบ user_id ในคำขอ",
"Moderator": "ผู้ช่วยดูแล",
"New address (e.g. #foo:%(localDomain)s)": "ที่อยู่ใหม่ (เช่น #foo:%(localDomain)s)",
"New passwords don't match": "รหัสผ่านใหม่ไม่ตรงกัน",
"New passwords must match each other.": "รหัสผ่านใหม่ทั้งสองช่องต้องตรงกัน",
"none": "ไม่มี",
"not specified": "ไม่ได้ระบุ",
"(not supported by this browser)": "(เบราว์เซอร์นี้ไม่รองรับ)",
"<not supported>": "<ไม่รองรับ>",
"NOT verified": "ยังไม่ได้ยืนยัน",
"No more results": "ไม่มีผลลัพธ์อื่น",
"No results": "ไม่มีผลลัพธ์",
"Passwords can't be empty": "รหัสผ่านต้องไม่ว่าง",
@ -151,18 +140,16 @@
"Phone": "โทรศัพท์",
"Please check your email and click on the link it contains. Once this is done, click continue.": "กรุณาเช็คอีเมลและคลิกลิงก์ข้างใน หลังจากนั้น คลิกดำเนินการต่อ",
"Privileged Users": "ผู้ใช้ที่มีสิทธิพิเศษ",
"Revoke Moderator": "เพิกถอนผู้ช่วยดูแล",
"%(targetName)s rejected the invitation.": "%(targetName)s ปฏิเสธคำเชิญแล้ว",
"Reject invitation": "ปฏิเสธคำเชิญ",
"%(senderName)s removed their display name (%(oldDisplayName)s).": "%(senderName)s ลบชื่อที่แสดงแล้ว (%(oldDisplayName)s)",
"%(senderName)s removed their profile picture.": "%(senderName)s ลบรูปโปรไฟล์ของเขาแล้ว",
"Return to login screen": "กลับไปยังหน้าลงชื่อเข้าใช้",
"Riot does not have permission to send you notifications - please check your browser settings": "Riot ไม่มีสิทธิ์ส่งการแจ้งเตือน - กรุณาตรวจสอบการตั้งค่าเบราว์เซอร์ของคุณ",
"Riot was not given permission to send notifications - please try again": "Riot ไม่ได้รับสิทธิ์ส่งการแจ้งเตือน - กรุณาลองใหม่อีกครั้ง",
"%(brand)s does not have permission to send you notifications - please check your browser settings": "%(brand)s ไม่มีสิทธิ์ส่งการแจ้งเตือน - กรุณาตรวจสอบการตั้งค่าเบราว์เซอร์ของคุณ",
"%(brand)s was not given permission to send notifications - please try again": "%(brand)s ไม่ได้รับสิทธิ์ส่งการแจ้งเตือน - กรุณาลองใหม่อีกครั้ง",
"Room Colour": "สีห้อง",
"Rooms": "ห้องสนทนา",
"Save": "บันทึก",
"Scroll to bottom of page": "เลื่อนลงไปล่างสุด",
"Search failed": "การค้นหาล้มเหลว",
"Searches DuckDuckGo for results": "ค้นหาบน DuckDuckGo",
"%(senderDisplayName)s sent an image.": "%(senderDisplayName)s ได้ส่งรูป",
@ -179,7 +166,6 @@
"Someone": "ใครบางคน",
"Always show message timestamps": "แสดงเวลาในแชทเสมอ",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "แสดงเวลาในแชทในรูปแบบ 12 ชั่วโมง (เช่น 2:30pm)",
"Start a chat": "เริ่มแชท",
"Submit": "ส่ง",
"Success": "สำเร็จ",
"This email address is already in use": "ที่อยู่อีเมลถูกใช้แล้ว",
@ -189,7 +175,6 @@
"Room directory": "ไดเรกทอรีห้อง",
"Start chat": "เริ่มแชท",
"Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or <a>enable unsafe scripts</a>.": "ไม่สามารถเชื่อมต่อไปยังเซิร์ฟเวอร์บ้านผ่านทาง HTTP ได้เนื่องจาก URL ที่อยู่บนเบราว์เซอร์เป็น HTTPS กรุณาใช้ HTTPS หรือ<a>เปิดใช้งานสคริปต์ที่ไม่ปลอดภัย</a>.",
"End-to-end encryption information": "ข้อมูลการเข้ารหัสจากปลายทางถึงปลายทาง",
"Error: Problem communicating with the given homeserver.": "ข้อผิดพลาด: มีปัญหาในการติดต่อกับเซิร์ฟเวอร์บ้านที่กำหนด",
"Export E2E room keys": "ส่งออกกุญแจถอดรหัส E2E",
"Failed to change power level": "การเปลี่ยนระดับอำนาจล้มเหลว",
@ -202,17 +187,12 @@
"%(senderName)s unbanned %(targetName)s.": "%(senderName)s ปลดแบน %(targetName)s แล้ว",
"Unable to capture screen": "ไม่สามารถจับภาพหน้าจอ",
"Unable to enable Notifications": "ไม่สามารถเปิดใช้งานการแจ้งเตือน",
"unencrypted": "ยังไม่ได้เข้ารหัส",
"unknown device": "อุปกรณ์ที่ไม่รู้จัก",
"Unknown room %(roomId)s": "ห้องที่ไม่รู้จัก %(roomId)s",
"Unrecognised room alias:": "นามแฝงห้องที่ไม่รู้จัก:",
"Uploading %(filename)s and %(count)s others|zero": "กำลังอัปโหลด %(filename)s",
"Uploading %(filename)s and %(count)s others|one": "กำลังอัปโหลด %(filename)s และอีก %(count)s ไฟล์",
"Uploading %(filename)s and %(count)s others|other": "กำลังอัปโหลด %(filename)s และอีก %(count)s ไฟล์",
"Upload Failed": "การอัปโหลดล้มเหลว",
"Upload file": "อัปโหลดไฟล์",
"Usage": "การใช้งาน",
"User ID": "ID ผู้ใช้",
"Warning!": "คำเตือน!",
"Who can access this room?": "ใครสามารถเข้าถึงห้องนี้ได้?",
"Who can read history?": "ใครสามารถอ่านประวัติแชทได้?",
@ -243,7 +223,6 @@
"%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s": "%(weekDayName)s %(day)s %(monthName)s %(fullYear)s %(time)s",
"%(weekDayName)s %(time)s": "%(weekDayName)s %(time)s",
"Set a display name:": "ตั้งชื่อที่แสดง:",
"Make Moderator": "เลื่อนขั้นเป็นผู้ช่วยดูแล",
"Room": "ห้อง",
"New Password": "รหัสผ่านใหม่",
"Options": "ตัวเลือก",
@ -257,8 +236,6 @@
"Unknown error": "ข้อผิดพลาดที่ไม่รู้จัก",
"Incorrect password": "รหัสผ่านไม่ถูกต้อง",
"Unknown Address": "ที่อยู่ที่ไม่รู้จัก",
"Unblacklist": "ถอดบัญชีดำ",
"Blacklist": "ขึ้นบัญชีดำ",
"ex. @bob:example.com": "เช่น @bob:example.com",
"Add User": "เพิ่มผู้ใช้",
"Add": "เพิ่ม",
@ -272,14 +249,11 @@
"Unnamed Room": "ห้องที่ยังไม่ได้ตั้งชื่อ",
"(~%(count)s results)|one": "(~%(count)s ผลลัพท์)",
"(~%(count)s results)|other": "(~%(count)s ผลลัพท์)",
"Alias (optional)": "นามแฝง (ไม่ใส่ก็ได้)",
"A new password must be entered.": "กรุณากรอกรหัสผ่านใหม่",
"Can't connect to homeserver - please check your connectivity, ensure your <a>homeserver's SSL certificate</a> is trusted, and that a browser extension is not blocking requests.": "ไม่สามารถเฃื่อมต่อไปหาเซิร์ฟเวอร์บ้านได้ - กรุณาตรวจสอบคุณภาพการเชื่อมต่อ, ตรวจสอบว่า<a>SSL certificate ของเซิร์ฟเวอร์บ้าน</a>ของคุณเชื่อถือได้, และวไม่มีส่วนขยายเบราว์เซอร์ใดบล๊อคการเชื่อมต่ออยู่",
"Drop File Here": "วางไฟล์ที่นี่",
"Enable Notifications": "เปิดใฃ้งานการแจ้งเตือน",
"Private Chat": "แชทส่วนตัว",
"Public Chat": "แชทสาธารณะ",
"Disable Notifications": "ปิดใช้งานการแจ้งเตือน",
"Custom level": "กำหนดระดับเอง",
"No display name": "ไม่มีชื่อที่แสดง",
"Only people who have been invited": "เฉพาะบุคคลที่ได้รับเชิญ",
@ -292,17 +266,12 @@
"%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (ระดับอำนาจ %(powerLevelNumber)s)",
"Users": "ผู้ใช้",
"Verification Pending": "รอการตรวจสอบ",
"Verification": "การตรวจสอบ",
"verified": "ตรวจสอบแล้ว",
"You are already in a call.": "คุณอยู่ในสายแล้ว",
"You cannot place a call with yourself.": "คุณไม่สามารถโทรหาตัวเองได้",
"Unverify": "ถอนการตรวจสอบ",
"Verify...": "ตรวจสอบ...",
"Error decrypting audio": "เกิดข้อผิดพลาดในการถอดรหัสเสียง",
"Error decrypting image": "เกิดข้อผิดพลาดในการถอดรหัสรูป",
"Error decrypting video": "เกิดข้อผิดพลาดในการถอดรหัสวิดิโอ",
"Fetching third party location failed": "การเรียกข้อมูลตำแหน่งจากบุคคลที่สามล้มเหลว",
"A new version of Riot is available.": "มี Riot เวอร์ชั่นใหม่",
"I understand the risks and wish to continue": "ฉันเข้าใจความเสี่ยงและต้องการดำเนินการต่อ",
"Advanced notification settings": "ตั้งค่าการแจ้งเตือนขั้นสูง",
"Uploading report": "กำลังอัปโหลดรายงาน",
@ -323,8 +292,6 @@
"Leave": "ออกจากห้อง",
"Uploaded on %(date)s by %(user)s": "อัปโหลดเมื่อ %(date)s โดย %(user)s",
"All notifications are currently disabled for all targets.": "การแจ้งเตือนทั้งหมดถูกปิดใช้งานสำหรับทุกอุปกรณ์",
"delete the alias.": "ลบนามแฝง",
"To return to your account in future you need to <u>set a password</u>": "คุณต้อง<u>ตั้งรหัสผ่าน</u>เพื่อจะกลับมาที่บัญชีนี้ในอนาคต",
"Forget": "ลืม",
"World readable": "ทุกคนอ่านได้",
"You cannot delete this image. (%(code)s)": "คุณไม่สามารถลบรูปนี้ได้ (%(code)s)",
@ -350,7 +317,6 @@
"No update available.": "ไม่มีอัปเดตที่ใหม่กว่า",
"Noisy": "เสียงดัง",
"Collecting app version information": "กำลังรวบรวมข้อมูลเวอร์ชันแอป",
"Delete the room alias %(alias)s and remove %(name)s from the directory?": "ลบนามแฝง %(alias)s ของห้องและถอด %(name)s ออกจากไดเรกทอรี?",
"Enable notifications for this account": "เปิดใช้งานการแจ้งเตือนสำหรับบัญชีนี้",
"Messages containing <span>keywords</span>": "ข้อความที่มี<span>คีย์เวิร์ด</span>",
"View Source": "ดูซอร์ส",
@ -358,7 +324,7 @@
"Enter keywords separated by a comma:": "กรอกคีย์เวิร์ดทั้งหมด คั่นด้วยเครื่องหมายจุลภาค:",
"Search…": "ค้นหา…",
"Remove %(name)s from the directory?": "ถอด %(name)s ออกจากไดเรกทอรี?",
"Riot uses many advanced browser features, some of which are not available or experimental in your current browser.": "Riot ใช้คุณสมบัติขั้นสูงในเบราว์เซอร์หลายประการ คุณสมบัติบางอย่างอาจยังไม่พร้อมใช้งานหรืออยู่ในขั้นทดลองในเบราว์เซอร์ปัจจุบันของคุณ",
"%(brand)s uses many advanced browser features, some of which are not available or experimental in your current browser.": "%(brand)s ใช้คุณสมบัติขั้นสูงในเบราว์เซอร์หลายประการ คุณสมบัติบางอย่างอาจยังไม่พร้อมใช้งานหรืออยู่ในขั้นทดลองในเบราว์เซอร์ปัจจุบันของคุณ",
"Unnamed room": "ห้องที่ไม่มีชื่อ",
"All messages (noisy)": "ทุกข้อความ (เสียงดัง)",
"Saturday": "วันเสาร์",
@ -394,13 +360,12 @@
"Forward Message": "ส่งต่อข้อความ",
"Unhide Preview": "แสดงตัวอย่าง",
"Unable to join network": "ไม่สามารถเข้าร่วมเครือข่ายได้",
"You might have configured them in a client other than Riot. You cannot tune them in Riot but they still apply": "คุณอาจมีการตั้งค่าจากไคลเอนต์อื่นนอกจาก Riot การตั้งต่าเหล่านั้นยังถูกใช้งานอยู่แต่คุณจะปรับแต่งจากใน Riot ไม่ได้",
"Sorry, your browser is <b>not</b> able to run Riot.": "ขออภัย เบราว์เซอร์ของคุณ<b>ไม่</b>สามารถ run Riot ได้",
"Sorry, your browser is <b>not</b> able to run %(brand)s.": "ขออภัย เบราว์เซอร์ของคุณ<b>ไม่</b>สามารถ run %(brand)s ได้",
"Messages in group chats": "ข้อความในแชทกลุ่ม",
"Yesterday": "เมื่อวานนี้",
"Error encountered (%(errorDetail)s).": "เกิดข้อผิดพลาด (%(errorDetail)s)",
"Low Priority": "ความสำคัญต่ำ",
"Riot does not know how to join a room on this network": "Riot ไม่รู้วิธีเข้าร่วมห้องในเครือข่ายนี้",
"%(brand)s does not know how to join a room on this network": "%(brand)s ไม่รู้วิธีเข้าร่วมห้องในเครือข่ายนี้",
"Set Password": "ตั้งรหัสผ่าน",
"Off": "ปิด",
"Mentions only": "เมื่อถูกกล่าวถึงเท่านั้น",
@ -413,6 +378,5 @@
"Unable to fetch notification target list": "ไม่สามารถรับรายชื่ออุปกรณ์แจ้งเตือน",
"Quote": "อ้างอิง",
"With your current browser, the look and feel of the application may be completely incorrect, and some or all features may not function. If you want to try it anyway you can continue, but you are on your own in terms of any issues you may encounter!": "การแสดงผลของโปรแกรมอาจผิดพลาด ฟังก์ชันบางอย่างหรือทั้งหมดอาจไม่ทำงานในเบราว์เซอร์ปัจจุบันของคุณ หากคุณต้องการลองดำเนินการต่อ คุณต้องรับมือกับปัญหาที่อาจจะเกิดขึ้นด้วยตัวคุณเอง!",
"Checking for an update...": "กำลังตรวจหาอัปเดต...",
"There are advanced notifications which are not shown here": "มีการแจ้งเตือนขั้นสูงที่ไม่ได้แสดงที่นี่"
"Checking for an update...": "กำลังตรวจหาอัปเดต..."
}

View file

@ -12,15 +12,13 @@
"No Microphones detected": "Hiçbir Mikrofon bulunamadı",
"No Webcams detected": "Hiçbir Web kamerası bulunamadı",
"No media permissions": "Medya izinleri yok",
"You may need to manually permit Riot to access your microphone/webcam": "Riot'un mikrofonunuza / web kameranıza el le erişmesine izin vermeniz gerekebilir",
"You may need to manually permit %(brand)s to access your microphone/webcam": "%(brand)s'un mikrofonunuza / web kameranıza el le erişmesine izin vermeniz gerekebilir",
"Default Device": "Varsayılan Cihaz",
"Microphone": "Mikrofon",
"Camera": "Kamera",
"Advanced": "Gelişmiş",
"Algorithm": "Algoritma",
"Always show message timestamps": "Her zaman mesaj zaman dalgalarını (timestamps) gösterin",
"Authentication": "Doğrulama",
"Alias (optional)": "Diğer ad (isteğe bağlı)",
"%(items)s and %(lastItem)s": "%(items)s ve %(lastItem)s",
"and %(count)s others...|one": "ve bir diğeri...",
"and %(count)s others...|other": "ve %(count)s diğerleri...",
@ -39,7 +37,6 @@
"Ban": "Yasak",
"Banned users": "Yasaklanan(Banlanan) Kullanıcılar",
"Bans user with given id": "Yasaklanan(Banlanan) Kullanıcılar , ID'leri ile birlikte",
"Blacklisted": "Kara listeye alınanlar",
"Call Timeout": "Arama Zaman Aşımı",
"Can't connect to homeserver - please check your connectivity, ensure your <a>homeserver's SSL certificate</a> is trusted, and that a browser extension is not blocking requests.": "Ana Sunucu'ya bağlanılamıyor - lütfen bağlantınızı kontrol edin ,<a> Ana Sunucu SSL sertifikanızın </a> güvenilir olduğundan ve bir tarayıcı uzantısının istekleri engellemiyor olduğundan emin olun.",
"Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or <a>enable unsafe scripts</a>.": "Tarayıcı çubuğunuzda bir HTTPS URL'si olduğunda Ana Sunusuna HTTP üzerinden bağlanılamıyor . Ya HTTPS kullanın veya <a> güvensiz komut dosyalarını</a> etkinleştirin.",
@ -50,7 +47,6 @@
"%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s oda adını kaldırdı.",
"%(senderDisplayName)s changed the topic to \"%(topic)s\".": "%(senderDisplayName)s konuyu \"%(topic)s\" olarak değiştirdi.",
"Changes your display nickname": "Görünen takma adınızı değiştirir",
"Claimed Ed25519 fingerprint key": "Ed25519 parmak izi anahtarı istendi",
"Click here to fix": "Düzeltmek için buraya tıklayın",
"Click to mute audio": "Sesi kapatmak için tıklayın",
"Click to mute video": "Videoyu kapatmak için tıklayın",
@ -62,40 +58,29 @@
"Commands": "Komutlar",
"Confirm password": "Şifreyi Onayla",
"Continue": "Devam Et",
"Could not connect to the integration server": "Bütünleştirme (Integration) Sunucusuna bağlanamadı",
"Create Room": "Oda Oluştur",
"Cryptography": "Kriptografi",
"Current password": "Şimdiki Şifre",
"Curve25519 identity key": "Curve25519 kimlik anahtarı",
"Custom": "Özel",
"Custom level": "Özel seviye",
"/ddg is not a command": "/ddg bir komut değildir",
"Deactivate Account": "Hesabı Devre Dışı Bırakma",
"Decline": "Reddet",
"Decrypt %(text)s": "%(text)s metninin şifresini çöz",
"Decryption error": "Şifre çözme hatası",
"Deops user with given id": "ID'leriyle birlikte , düşürülmüş kullanıcılar",
"Default": "Varsayılan",
"Device ID": "Cihaz ID",
"device id: ": "cihaz id: ",
"Direct chats": "Doğrudan Sohbetler",
"Disable Notifications": "Bildirimleri Devre Dışı Bırak",
"Disinvite": "Daveti İptal Et",
"Displays action": "Eylemi görüntüler",
"Download %(text)s": "%(text)s metnini indir",
"Drop File Here": "Dosyayı Buraya Bırak",
"Ed25519 fingerprint": "Ed25519 parmak izi",
"Email": "E-posta",
"Email address": "E-posta Adresi",
"Emoji": "Emoji (Karakter)",
"Enable Notifications": "Bildirimleri Etkinleştir",
"%(senderName)s ended the call.": "%(senderName)s çağrıyı bitirdi.",
"End-to-end encryption information": "Uçtan-uca şifreleme bilgileri",
"Enter passphrase": "Şifre deyimi Girin",
"Error": "Hata",
"Error decrypting attachment": "Ek şifresini çözme hatası",
"Error: Problem communicating with the given homeserver.": "Hata: verilen Ana Sunucu ile iletişim kurulamıyor.",
"Event information": "Etkinlik bilgileri",
"Existing Call": "Mevcut Çağrı",
"Export": "Dışa Aktar",
"Export E2E room keys": "Uçtan uca Oda anahtarlarını Dışa Aktar",
@ -114,7 +99,6 @@
"Failed to send email": "E-posta gönderimi başarısız oldu",
"Failed to send request.": "İstek gönderimi başarısız oldu.",
"Failed to set display name": "Görünür ismi ayarlama başarısız oldu",
"Failed to toggle moderator status": "Moderatör durumunu değiştirmek başarısız oldu",
"Failed to unban": "Yasağı kaldırmak başarısız oldu",
"Failed to upload profile picture!": "Profil resmi yükleme başarısız oldu!",
"Failed to verify email address: make sure you clicked the link in the email": "Eposta adresini doğrulamadı: epostadaki bağlantıya tıkladığınızdan emin olun",
@ -150,7 +134,6 @@
"Join as <voiceText>voice</voiceText> or <videoText>video</videoText>.": "<voiceText> ses </voiceText> veya <videoText> video </videoText> olarak katılın.",
"Join Room": "Odaya Katıl",
"%(targetName)s joined the room.": "%(targetName)s odaya katıldı.",
"Joins room with given alias": "Verilen takma ad (nick name) ile odaya katıl",
"Jump to first unread message.": "İlk okunmamış iletiye atla.",
"%(senderName)s kicked %(targetName)s.": "%(senderName)s %(targetName)s' ı attı.",
"Kick": "Atmak (Odadan atmak vs.)",
@ -159,7 +142,6 @@
"Last seen": "Son görülme",
"Leave room": "Odadan ayrıl",
"%(targetName)s left the room.": "%(targetName)s odadan ayrıldı.",
"Local addresses for this room:": "Bu oda için yerel adresler :",
"Logout": ıkış Yap",
"Low priority": "Düşük öncelikli",
"%(senderName)s made future room history visible to all room members, from the point they are invited.": "%(senderName)s gelecekte oda geçmişini görünür yaptı Tüm oda üyeleri , davet edildiği noktadan.",
@ -173,15 +155,12 @@
"Moderator": "Moderatör",
"Mute": "Sessiz",
"Name": "İsim",
"New address (e.g. #foo:%(localDomain)s)": "Yeni adres (e.g. #foo:%(localDomain)s)",
"New passwords don't match": "Yeni şifreler uyuşmuyor",
"New passwords must match each other.": "Yeni şifreler birbirleriyle eşleşmelidir.",
"none": "Hiç (Yok)",
"not specified": "Belirtilmemiş",
"Notifications": "Bildirimler",
"(not supported by this browser)": "(Bu tarayıcı tarafından desteklenmiyor)",
"<not supported>": "<Desteklenmiyor>",
"NOT verified": "Doğrulanmadı",
"No display name": "Görünür isim yok",
"No more results": "Başka sonuç yok",
"No results": "Sonuç yok",
@ -201,32 +180,28 @@
"Profile": "Profil",
"Public Chat": "Genel Sohbet",
"Reason": "Sebep",
"Revoke Moderator": "Moderatörü İptal Et",
"Register": "Kaydolun",
"%(targetName)s rejected the invitation.": "%(targetName)s daveti reddetti.",
"Reject invitation": "Daveti Reddet",
"Remote addresses for this room:": "Bu oda için uzak adresler:",
"%(senderName)s removed their display name (%(oldDisplayName)s).": "%(senderName)s görünen adı (%(oldDisplayName)s) kaldırdı.",
"%(senderName)s removed their profile picture.": "%(senderName)s profil resmini kaldırdı.",
"Remove": "Kaldır",
"%(senderName)s requested a VoIP conference.": "%(senderName)s bir VoIP konferansı talep etti.",
"Results from DuckDuckGo": "DuckDuckGo Sonuçları",
"Return to login screen": "Giriş ekranına dön",
"Riot does not have permission to send you notifications - please check your browser settings": "Riot size bildirim gönderme iznine sahip değil - lütfen tarayıcı ayarlarınızı kontrol edin",
"Riot was not given permission to send notifications - please try again": "Riot'a bildirim gönderme izni verilmedi - lütfen tekrar deneyin",
"riot-web version:": "riot-web versiyon:",
"%(brand)s does not have permission to send you notifications - please check your browser settings": "%(brand)s size bildirim gönderme iznine sahip değil - lütfen tarayıcı ayarlarınızı kontrol edin",
"%(brand)s was not given permission to send notifications - please try again": "%(brand)s'a bildirim gönderme izni verilmedi - lütfen tekrar deneyin",
"%(brand)s version:": "%(brand)s versiyon:",
"Room %(roomId)s not visible": "%(roomId)s odası görünür değil",
"Room Colour": "Oda Rengi",
"%(roomName)s does not exist.": "%(roomName)s mevcut değil.",
"%(roomName)s is not accessible at this time.": "%(roomName)s şu anda erişilebilir değil.",
"Rooms": "Odalar",
"Save": "Kaydet",
"Scroll to bottom of page": "Sayfanın altına kaydır",
"Search": "Ara",
"Search failed": "Arama başarısız",
"Searches DuckDuckGo for results": "Sonuçlar için DuckDuckGo'yu arar",
"Seen by %(userName)s at %(dateTime)s": "%(dateTime)s ' de %(userName)s tarafından görüldü",
"Send anyway": "Her durumda gönder",
"Send Reset Email": "E-posta Sıfırlama Gönder",
"%(senderDisplayName)s sent an image.": "%(senderDisplayName)s bir resim gönderdi.",
"%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": "%(senderName)s %(targetDisplayName)s' a odaya katılması için bir davet gönderdi.",
@ -244,7 +219,6 @@
"Sign out": ıkış Yap",
"%(count)s of your messages have not been sent.|other": "Bazı mesajlarınız gönderilemedi.",
"Someone": "Birisi",
"Start a chat": "Bir Sohbet Başlat",
"Start authentication": "Kimlik Doğrulamayı başlatın",
"Submit": "Gönder",
"Success": "Başarılı",
@ -269,14 +243,10 @@
"%(senderName)s unbanned %(targetName)s.": "%(senderName)s %(targetName)s 'in yasağını kaldırdı.",
"Unable to capture screen": "Ekran yakalanamadı",
"Unable to enable Notifications": "Bildirimler aktif edilemedi",
"unencrypted": "şifrelenmemiş",
"unknown caller": "bilinmeyen arayıcı",
"unknown device": "bilinmeyen cihaz",
"unknown error code": "bilinmeyen hata kodu",
"Unknown room %(roomId)s": "Bilinmeyen oda %(roomId)s",
"Unmute": "Sesi aç",
"Unnamed Room": "İsimsiz Oda",
"Unrecognised room alias:": "Tanınmayan oda isimleri :",
"Uploading %(filename)s and %(count)s others|zero": "%(filename)s yükleniyor",
"Uploading %(filename)s and %(count)s others|one": "%(filename)s ve %(count)s kadarı yükleniyor",
"Uploading %(filename)s and %(count)s others|other": "%(filename)s ve %(count)s kadarları yükleniyor",
@ -285,14 +255,10 @@
"Upload file": "Dosya yükle",
"Upload new:": "Yeni yükle :",
"Usage": "Kullanım",
"Use compact timeline layout": "Kompakt zaman akışı düzenini kullan",
"User ID": "Kullanıcı ID",
"%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (güç %(powerLevelNumber)s)",
"Username invalid: %(errMessage)s": "Kullanıcı ismi geçersiz : %(errMessage)s",
"Users": "Kullanıcılar",
"Verification Pending": "Bekleyen doğrulama",
"Verification": "Doğrulama",
"verified": "doğrulanmış",
"Verified key": "Doğrulama anahtarı",
"Video call": "Görüntülü arama",
"Voice call": "Sesli arama",
@ -346,7 +312,6 @@
"Upload an avatar:": "Bir Avatar yükle :",
"This server does not support authentication with a phone number.": "Bu sunucu bir telefon numarası ile kimlik doğrulamayı desteklemez.",
"An error occurred: %(error_string)s": "Bir hata oluştu : %(error_string)s",
"Make Moderator": "Moderatör Yap",
"There are no visible files in this room": "Bu odada görünür hiçbir dosya yok",
"Room": "Oda",
"Connectivity to the server has been lost.": "Sunucuyla olan bağlantı kesildi.",
@ -363,7 +328,7 @@
"Start automatically after system login": "Sisteme giriş yaptıktan sonra otomatik başlat",
"Analytics": "Analitik",
"Options": "Seçenekler",
"Riot collects anonymous analytics to allow us to improve the application.": "Riot , uygulamayı iyileştirmemize izin vermek için anonim analitik toplar.",
"%(brand)s collects anonymous analytics to allow us to improve the application.": "%(brand)s , uygulamayı iyileştirmemize izin vermek için anonim analitik toplar.",
"Passphrases must match": "Şifrenin eşleşmesi gerekir",
"Passphrase must not be empty": "Şifrenin boş olmaması gerekir",
"Export room keys": "Oda anahtarlarını dışa aktar",
@ -382,15 +347,9 @@
"Are you sure you wish to remove (delete) this event? Note that if you delete a room name or topic change, it could undo the change.": "Bu etkinliği kaldırmak(silmek) istediğinizden emin misiniz ? Bir odayı ismini silmeniz veya konu değiştirmeniz , geri alınabilir bir durumdur.",
"Unknown error": "Bilinmeyen Hata",
"Incorrect password": "Yanlış Şifre",
"To continue, please enter your password.": "Devam etmek için , lütfen şifrenizi girin.",
"I verify that the keys match": "Anahtarların uyuştuğunu doğruluyorum",
"Unable to restore session": "Oturum geri yüklenemiyor",
"If you have previously used a more recent version of Riot, your session may be incompatible with this version. Close this window and return to the more recent version.": "Eğer daha önce Riot'un daha yeni bir versiyonunu kullandıysanız , oturumunuz bu sürümle uyumsuz olabilir . Bu pencereyi kapatın ve daha yeni sürüme geri dönün.",
"If you have previously used a more recent version of %(brand)s, your session may be incompatible with this version. Close this window and return to the more recent version.": "Eğer daha önce %(brand)s'un daha yeni bir versiyonunu kullandıysanız , oturumunuz bu sürümle uyumsuz olabilir . Bu pencereyi kapatın ve daha yeni sürüme geri dönün.",
"Unknown Address": "Bilinmeyen Adres",
"Unblacklist": "Karaliste Dışı",
"Blacklist": "Kara Liste",
"Unverify": "Doğrulamasını İptal Et",
"Verify...": "Doğrulama...",
"ex. @bob:example.com": "örn. @bob:example.com",
"Add User": "Kullanıcı Ekle",
"Custom Server Options": "Özelleştirilebilir Sunucu Seçenekleri",
@ -405,7 +364,6 @@
"Error decrypting video": "Video şifre çözme hatası",
"Add an Integration": "Entegrasyon ekleyin",
"You are about to be taken to a third-party site so you can authenticate your account for use with %(integrationsUrl)s. Do you wish to continue?": "Hesabınızı %(integrationsUrl)s ile kullanmak üzere doğrulayabilmeniz için üçüncü taraf bir siteye götürülmek üzeresiniz. Devam etmek istiyor musunuz ?",
"Removed or unknown message type": "Kaldırılmış veya bilinmeyen ileti tipi",
"URL Previews": "URL önizlemeleri",
"Drop file here to upload": "Yüklemek için dosyaları buraya bırakın",
" (unsupported)": " (desteklenmeyen)",
@ -422,17 +380,12 @@
"This will be your account name on the <span></span> homeserver, or you can pick a <a>different server</a>.": "Bu sizin <span></span>Ana Sunucunuzdaki hesap adınız olacak , veya <a>farklı sunucu</a> seçebilirsiniz.",
"If you already have a Matrix account you can <a>log in</a> instead.": "Eğer Matrix hesabınız varsa , bunun yerine <a>Giriş Yapabilirsiniz</a> .",
"Your browser does not support the required cryptography extensions": "Tarayıcınız gerekli şifreleme uzantılarını desteklemiyor",
"Not a valid Riot keyfile": "Geçersiz bir Riot anahtar dosyası",
"Not a valid %(brand)s keyfile": "Geçersiz bir %(brand)s anahtar dosyası",
"Authentication check failed: incorrect password?": "Kimlik doğrulama denetimi başarısız oldu : yanlış şifre ?",
"Do you want to set an email address?": "Bir e-posta adresi ayarlamak ister misiniz ?",
"This will allow you to reset your password and receive notifications.": "Bu şifrenizi sıfırlamanızı ve bildirimler almanızı sağlayacak.",
"Skip": "Atla",
"Start verification": "Doğrulamayı başlat",
"Share without verifying": "Doğrulamadan paylaş",
"Ignore request": "İsteği yoksay",
"Encryption key request": "Şifreleme anahtarı isteği",
"Fetching third party location failed": "Üçüncü parti konumunu çekemedi",
"A new version of Riot is available.": "Riot'un yeni bir versiyonu mevcuttur.",
"All notifications are currently disabled for all targets.": "Tüm bildirimler şu anda tüm hedefler için devre dışı bırakılmıştır.",
"Uploading report": "Rapor yükleniyor",
"Sunday": "Pazar",
@ -450,7 +403,6 @@
"Waiting for response from server": "Sunucudan yanıt bekleniyor",
"Leave": "Ayrıl",
"Advanced notification settings": "Gelişmiş bildirim ayarları",
"delete the alias.": "Tüm rumuzları sil.",
"Forget": "Unut",
"World readable": "Okunabilir dünya",
"You cannot delete this image. (%(code)s)": "Bu resmi silemezsiniz. (%(code)s)",
@ -472,7 +424,6 @@
"Resend": "Yeniden Gönder",
"Files": "Dosyalar",
"Collecting app version information": "Uygulama sürümü bilgileri toplanıyor",
"Delete the room alias %(alias)s and remove %(name)s from the directory?": "%(alias)s oda rumuzu silinsin ve %(name)s dizinden kaldırılsın mı ?",
"Keywords": "Anahtar kelimeler",
"Enable notifications for this account": "Bu hesap için bildirimleri etkinleştir",
"Messages containing <span>keywords</span>": "<span> anahtar kelimeleri </span> içeren mesajlar",
@ -481,7 +432,7 @@
"Enter keywords separated by a comma:": "Anahtar kelimeleri virgül ile ayırarak girin:",
"I understand the risks and wish to continue": "Riskleri anlıyorum ve devam etmek istiyorum",
"Remove %(name)s from the directory?": "%(name)s'i dizinden kaldırılsın mı ?",
"Riot uses many advanced browser features, some of which are not available or experimental in your current browser.": "Riot geçerli tarayıcınızda mevcut olmayan veya denemelik olan birçok gelişmiş tarayıcı özelliği kullanıyor.",
"%(brand)s uses many advanced browser features, some of which are not available or experimental in your current browser.": "%(brand)s geçerli tarayıcınızda mevcut olmayan veya denemelik olan birçok gelişmiş tarayıcı özelliği kullanıyor.",
"Unnamed room": "İsimsiz oda",
"All messages (noisy)": "Tüm mesajlar (uzun)",
"Saturday": "Cumartesi",
@ -518,8 +469,7 @@
"Search…": "Arama…",
"Unhide Preview": "Önizlemeyi Göster",
"Unable to join network": "Ağa bağlanılamıyor",
"You might have configured them in a client other than Riot. You cannot tune them in Riot but they still apply": "Onları Riot dışında bir istemciden yapılandırmış olabilirsiniz . Onları Riot içersinide ayarlayamazsınız ama hala geçerlidirler",
"Sorry, your browser is <b>not</b> able to run Riot.": "Üzgünüz , tarayıcınız Riot'u <b> çalıştıramıyor </b>.",
"Sorry, your browser is <b>not</b> able to run %(brand)s.": "Üzgünüz , tarayıcınız %(brand)s'u <b> çalıştıramıyor </b>.",
"Uploaded on %(date)s by %(user)s": "%(user)s tarafında %(date)s e yüklendi",
"Messages in group chats": "Grup sohbetlerindeki mesajlar",
"Yesterday": "Dün",
@ -527,7 +477,7 @@
"Unable to fetch notification target list": "Bildirim hedef listesi çekilemedi",
"An error occurred whilst saving your email notification preferences.": "E-posta bildirim tercihlerinizi kaydetme işlemi sırasında bir hata oluştu.",
"Off": "Kapalı",
"Riot does not know how to join a room on this network": "Riot bu ağdaki bir odaya nasıl gireceğini bilmiyor",
"%(brand)s does not know how to join a room on this network": "%(brand)s bu ağdaki bir odaya nasıl gireceğini bilmiyor",
"Mentions only": "Sadece Mention'lar",
"Failed to remove tag %(tagName)s from room": "Odadan %(tagName)s etiketi kaldırılamadı",
"You can now return to your account after signing out, and sign in on other devices.": "Şimdi oturumunuzu iptal ettikten sonra başka cihazda oturum açarak hesabınıza dönebilirsiniz.",
@ -537,25 +487,17 @@
"Failed to change settings": "Ayarlar değiştirilemedi",
"View Source": "Kaynağı Görüntüle",
"With your current browser, the look and feel of the application may be completely incorrect, and some or all features may not function. If you want to try it anyway you can continue, but you are on your own in terms of any issues you may encounter!": "Geçerli tarayıcınız ile birlikte , uygulamanın görünüş ve kullanım hissi tamamen hatalı olabilir ve bazı ya da tüm özellikler çalışmayabilir. Yine de denemek isterseniz devam edebilirsiniz ancak karşılaşabileceğiniz sorunlar karşısında kendi başınasınız !",
"There are advanced notifications which are not shown here": "Burada gösterilmeyen gelişmiş bildirimler var",
"The platform you're on": "Platformunuz",
"The version of Riot.im": "Riot.im'in sürümü",
"The version of %(brand)s": "%(brand)s sürümü",
"Your language of choice": "Dil seçiminiz",
"Which officially provided instance you are using, if any": "Hangi resmi destekli platformu kullanmaktasınız (eğer varsa)",
"Add Email Address": "Eposta Adresi Ekle",
"Add Phone Number": "Telefon Numarası Ekle",
"Your identity server's URL": "Kimlik sunucunuzun linki",
"e.g. %(exampleValue)s": "örn.%(exampleValue)s",
"Every page you use in the app": "Uygulamadaki kullandığınız tüm sayfalar",
"e.g. <CurrentPageURL>": "örn. <CurrentPageURL>",
"Your User Agent": "Kullanıcı Ajanınız",
"Your device resolution": "Cihazınızın çözünürlüğü",
"Call Failed": "Arama Başarısız",
"Review Devices": "Cihazları Gözden Geçir",
"Call Anyway": "Yinede Ara",
"Answer Anyway": "Yinede Cevapla",
"Call": "Ara",
"Answer": "Cevap",
"Call failed due to misconfigured server": "Hatalı yapılandırılmış sunucu nedeniyle arama başarısız",
"Call in Progress": "Arama Yapılıyor",
"A call is already in progress!": "Zaten bir arama devam etmekte!",
@ -573,8 +515,6 @@
"Only continue if you trust the owner of the server.": "Sadece sunucunun sahibine güveniyorsanız devam edin.",
"Trust": "Güven",
"Unable to load! Check your network connectivity and try again.": "Yüklenemiyor! Ağ bağlantınızı kontrol edin ve yeniden deneyin.",
"Registration Required": "Kayıt Zorunlu",
"You need to register to do this. Would you like to register now?": "Bunu yapabilmek için kayıt olmalısınız. Şimdi kayıt olmak ister misiniz?",
"Restricted": "Sınırlı",
"Failed to invite users to the room:": "Kullanıcıların odaya daveti başarısız oldu:",
"Missing roomId.": "roomId eksik.",
@ -596,20 +536,18 @@
"%(senderDisplayName)s made the room invite only.": "Odayı sadece davetle yapan %(senderDisplayName)s.",
"%(senderDisplayName)s has prevented guests from joining the room.": "Odaya misafirlerin girişini engelleyen %(senderDisplayName)s.",
"%(senderName)s removed the main address for this room.": "Bu oda için ana adresi silen %(senderName)s.",
"Light theme": "Açık tema",
"Dark theme": "Koyu tema",
"%(displayName)s is typing …": "%(displayName)s yazıyor…",
"%(names)s and %(count)s others are typing …|one": "%(names)s ve bir diğeri yazıyor…",
"%(names)s and %(lastPerson)s are typing …": "%(names)s ve %(lastPerson)s yazıyor…",
"Cannot reach homeserver": "Ana sunucuya erişilemiyor",
"Your Riot is misconfigured": "Riot hatalı ayarlanmış",
"Your %(brand)s is misconfigured": "%(brand)s hatalı ayarlanmış",
"Cannot reach identity server": "Kimlik sunucu erişilemiyor",
"No homeserver URL provided": "Ana sunucu adresi belirtilmemiş",
"Unexpected error resolving homeserver configuration": "Ana sunucu yapılandırması çözümlenirken beklenmeyen hata",
"Unexpected error resolving identity server configuration": "Kimlik sunucu yapılandırması çözümlenirken beklenmeyen hata",
"The message you are trying to send is too large.": "Göndermeye çalıştığın mesaj çok büyük.",
"This homeserver has hit its Monthly Active User limit.": "Bu ana sunucu Aylık Aktif Kullanıcı limitine ulaştı.",
"Riot URL": "Riot Linki",
"%(brand)s URL": "%(brand)s Linki",
"Room ID": "Oda ID",
"More options": "Daha fazla seçenek",
"Join": "Katıl",
@ -674,8 +612,6 @@
"Show advanced": "Gelişmiş göster",
"Incompatible Database": "Uyumsuz Veritabanı",
"To continue, please enter your password:": "Devam etmek için lütfen şifrenizi giriniz:",
"Begin Verifying": "Doğrulamaya Başla",
"Use two-way text verification": "İki yönlü metin doğrulama kullan",
"Back": "Geri",
"You must specify an event type!": "Bir olay tipi seçmek zorundasınız!",
"Event sent!": "Olay gönderildi!",
@ -691,7 +627,7 @@
"Integrations not allowed": "Bütünleştirmelere izin verilmiyor",
"Incompatible local cache": "Yerel geçici bellek uyumsuz",
"Clear cache and resync": "Geçici belleği temizle ve yeniden eşle",
"Updating Riot": "Riot güncelleniyor",
"Updating %(brand)s": "%(brand)s güncelleniyor",
"I don't want my encrypted messages": "Şifrelenmiş mesajlarımı istemiyorum",
"Manually export keys": "Elle dışa aktarılmış anahtarlar",
"You'll lose access to your encrypted messages": "Şifrelenmiş mesajlarınıza erişiminizi kaybedeceksiniz",
@ -738,15 +674,11 @@
"Cancel All": "Hepsi İptal",
"Upload Error": "Yükleme Hatası",
"Allow": "İzin ver",
"Enter secret storage recovery key": "Depolama kurtarma anahtarı için şifre gir",
"This looks like a valid recovery key!": "Bu geçerli bir kurtarma anahtarına benziyor!",
"Not a valid recovery key": "Geçersiz bir kurtarma anahtarı",
"Unable to load backup status": "Yedek durumu yüklenemiyor",
"Recovery Key Mismatch": "Kurtarma Anahtarı Kurtarma",
"Unable to restore backup": "Yedek geri dönüşü yapılamıyor",
"No backup found!": "Yedek bulunamadı!",
"Backup Restored": "Yedek Geri Dönüldü",
"Enter Recovery Key": "Kurtarma Anahtarını Gir",
"<b>Warning</b>: You should only set up key backup from a trusted computer.": "<b>Uyarı</b>: Yedek anahtarı kurulumunu sadece güvenli bir bilgisayardan yapmalısınız.",
"Unable to reject invite": "Davet reddedilemedi",
"Pin Message": "Pin Mesajı",
@ -851,7 +783,7 @@
"Whether or not you're logged in (we don't record your username)": "İster oturum açın yada açmayın (biz kullanıcı adınızı kaydetmiyoruz)",
"Whether or not you're using the Richtext mode of the Rich Text Editor": "Zengin Metin Düzenleyicisinin Zengin metin modunu kullanıyor ya da kullanmıyorsunuz",
"Your homeserver's URL": "Ana sunucunuzun URLi",
"The information being sent to us to help make Riot.im better includes:": "Riot.im i daha iyi yapmamıza yardımcı olacak bize gönderdiğiniz bilgilerin içeriği:",
"The information being sent to us to help make %(brand)s better includes:": "%(brand)s'u geliştirmemizde bize yardım etmek için gönderdiğiniz bilgiler şunları içeriyor:",
"Try using turn.matrix.org": "turn.matrix.org i kullanarak dene",
"You do not have permission to start a conference call in this room": "Bu odada bir konferans başlatmak için izniniz yok",
"The file '%(fileName)s' failed to upload.": "%(fileName)s dosyası için yükleme başarısız.",
@ -893,18 +825,14 @@
"Set up with a recovery key": "Kurtarma anahtarı ile kur",
"That matches!": "Eşleşti!",
"That doesn't match.": "Eşleşmiyor.",
"Your Recovery Key": "Kurtarma Anahtarınız",
"Download": "İndir",
"<b>Print it</b> and store it somewhere safe": "<b>Yazdır</b> ve güvenli bir yerde sakla",
"<b>Save it</b> on a USB key or backup drive": "Bir USB anahtara <b>kaydet</b> veya sürücüye yedekle",
"<b>Copy it</b> to your personal cloud storage": "Kişisel bulut depolamaya <b>kopyala</b>",
"Recovery key": "Kurtarma anahtarı",
"Success!": "Başarılı!",
"Retry": "Yeniden Dene",
"Set up with a Recovery Key": "Bir Kurtarma Anahtarı ile Kur",
"Set up Secure Message Recovery": "Güvenli Mesaj Kurtarma Kurulumu",
"Starting backup...": "Yedeklemeye başlanıyor...",
"Create Key Backup": "Anahtar Yedeği Oluştur",
"Unable to create key backup": "Anahtar yedeği oluşturulamıyor",
"Don't ask again": "Yeniden sorma",
"New Recovery Method": "Yeni Kurtarma Yöntemi",
@ -1108,10 +1036,7 @@
"Ban this user?": "Bu kullanıcıyı yasakla?",
"Remove %(count)s messages|other": "%(count)s mesajı sil",
"Remove %(count)s messages|one": "1 mesajı sil",
"A conference call could not be started because the integrations server is not available": "Entegrasyon sunucusu mevcut olmadığından konferans çağrısı başlatılamadı",
"Send cross-signing keys to homeserver": "Çapraz-imzalama anahtarlarını anasunucuya gönder",
"Warning: any person you add to a community will be publicly visible to anyone who knows the community ID": "Uyarı: Topluluğa eklediğiniz her bir kişi topluluk IDsini bilen herhangi biri tarafından açıkça görünür olacaktır",
"Room name or alias": "Oda adı ve lakabı",
"Failed to invite users to %(groupId)s": "%(groupId)s grubuna kullanıcı daveti başarısız",
"Failed to add the following rooms to %(groupId)s:": "%(groupId)s odalarına ekleme başarısız:",
"Prepends ¯\\_(ツ)_/¯ to a plain-text message": "Düz-metin mesajına ¯\\_(ツ)_/¯ ifadesi ekler",
@ -1134,11 +1059,8 @@
"Failed to deactivate user": "Kullanıcı pasifleştirme başarısız",
"Invite": "Davet",
"Share Link to User": "Kullanıcıya Link Paylaş",
"User Options": "Kullanıcı Ayarları",
"Send an encrypted reply…": "Şifrelenmiş bir cevap gönder…",
"Send a reply (unencrypted)…": "Bir cevap gönder (şifresiz)…",
"Send an encrypted message…": "Şifreli bir mesaj gönder…",
"Send a message (unencrypted)…": "Bir mesaj gönder (şifresiz)…",
"Bold": "Kalın",
"Italics": "Eğik",
"Code block": "Kod bloku",
@ -1195,7 +1117,6 @@
"Revoke invite": "Davet geri çekildi",
"Invited by %(sender)s": "%(sender)s tarafından davet",
"Error updating main address": "Ana adresi güncellemede hata",
"Error removing alias": "Lakap silmede hata",
"Main address": "Ana adres",
"Invalid community ID": "Geçersiz topluluk ID si",
"'%(groupId)s' is not a valid community ID": "%(groupId)s geçerli olmayan bir topluluk ID si",
@ -1229,17 +1150,15 @@
"Copied!": "Kopyalandı!",
"Failed to copy": "Kopyalama başarısız",
"edited": "düzenlendi",
"Message removed by %(userId)s": "Mesaj %(userId)s tarafından silindi",
"You are still <b>sharing your personal data</b> on the identity server <idserver />.": "Kimlik sunucusu üzerinde hala <b>kişisel veri paylaşımı</b> yapıyorsunuz \n<idserver />.",
"We recommend that you remove your email addresses and phone numbers from the identity server before disconnecting.": "Kimlik sunucusundan bağlantıyı kesmeden önce telefon numaranızı ve e-posta adreslerinizi silmenizi tavsiye ederiz.",
"Set a new account password...": "Yeni bir hesap parolası belirle...",
"Deactivating your account is a permanent action - be careful!": "Hesabınızı pasifleştirmek bir kalıcı eylemdir - dikkat edin!",
"Deactivate account": "Hesabı pasifleştir",
"For help with using Riot, click <a>here</a>.": "Riot kullanarak yardım etmek için, <a>buraya</a> tıklayın.",
"Chat with Riot Bot": "Riot Bot ile Sohbet Et",
"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 verify the room ID or alias and try again.": "Lütfen odanın ID si veya lakabı doğrulayın ve yeniden deneyin.",
"Please try again or view your console for hints.": "Lütfen yeniden deneyin veya ipuçları için konsolunuza bakın.",
"None": "Yok",
"Ban list rules - %(roomName)s": "Yasak Liste Kuralları - %(roomName)s",
@ -1254,7 +1173,6 @@
"Ignore": "Yoksay",
"Subscribed lists": "Abone olunmuş listeler",
"If this isn't what you want, please use a different tool to ignore users.": "Eğer istediğiniz bu değilse, kullanıcıları yoksaymak için lütfen farklı bir araç kullanın.",
"Room ID or alias of ban list": "Yasak listesinin Oda ID veya lakabı",
"Subscribe": "Abone ol",
"Always show the window menu bar": "Pencerenin menü çubuğunu her zaman göster",
"Bulk options": "Toplu işlem seçenekleri",
@ -1268,7 +1186,6 @@
"Error changing power level requirement": "Güç düzey gereksinimi değiştirmede hata",
"Error changing power level": "Güç düzeyi değiştirme hatası",
"Send %(eventType)s events": "%(eventType)s olaylarını gönder",
"To link to this room, please add an alias.": "Bu odaya bağlanmak için, lütfen bir lakap ekle.",
"This event could not be displayed": "Bu olay görüntülenemedi",
"Demote yourself?": "Kendinin rütbeni düşür?",
"Demote": "Rütbe Düşür",
@ -1288,9 +1205,7 @@
"This invite to %(roomName)s was sent to %(email)s": "%(roomName)s odası daveti %(email)s adresine gönderildi",
"You're previewing %(roomName)s. Want to join it?": "%(roomName)s odasını inceliyorsunuz. Katılmak ister misiniz?",
"You don't currently have any stickerpacks enabled": "Açılmış herhangi bir çıkartma paketine sahip değilsiniz",
"Error creating alias": "Lakap oluştururken hata",
"Room Topic": "Oda Başlığı",
"Verify this session to grant it access to encrypted messages.": "Şifrelenmiş mesajlara erişmek için bu oturumu doğrula.",
"Start": "Başlat",
"Session verified": "Oturum doğrulandı",
"Done": "Bitti",
@ -1342,7 +1257,6 @@
"Group & filter rooms by custom tags (refresh to apply changes)": "Özel etiketler ile odaları grupla & filtrele ( değişiklikleri uygulamak için yenile)",
"Render simple counters in room header": "Oda başlığında basit sayaçları görüntüle",
"Try out new ways to ignore people (experimental)": "Kişileri yoksaymak için yeni yöntemleri dene (deneysel)",
"Enable local event indexing and E2EE search (requires restart)": "E2EE arama ve yerel olay indeksini aç (yeniden başlatma gerekli)",
"Mirror local video feed": "Yerel video beslemesi yansısı",
"Enable Community Filter Panel": "Toluluk Filtre Panelini Aç",
"Match system theme": "Sistem temasıyla eşle",
@ -1370,10 +1284,6 @@
"%(severalUsers)smade no changes %(count)s times|one": "%(severalUsers)s değişiklik yapmadı",
"%(oneUser)smade no changes %(count)s times|other": "%(oneUser)s %(count)s kez değişiklik yapmadı",
"%(oneUser)smade no changes %(count)s times|one": "%(oneUser)s değişiklik yapmadı",
"Room alias": "Oda lakabı",
"Please provide a room alias": "Lütfen bir oda lakabı belirtin",
"This alias is available to use": "Bu lakap kullanmaya uygun",
"This alias is already in use": "Bu lakap zaten kullanımda",
"And %(count)s more...|other": "ve %(count)s kez daha...",
"Alternatively, you can try to use the public server at <code>turn.matrix.org</code>, but this will not be as reliable, and it will share your IP address with that server. You can also manage this in Settings.": "Alternatif olarak,<code>turn.matrix.org</code> adresindeki herkese açık sunucuyu kullanmayı deneyebilirsiniz. Fakat bu güvenilir olmayabilir. IP adresiniz bu sunucu ile paylaşılacaktır. Ayarlardan yönetebilirsiniz.",
"An error ocurred whilst trying to remove the widget from the room": "Görsel bileşen odadan silinmeye çalışılırken bir hata oluştu",
@ -1414,10 +1324,9 @@
"Please tell us what went wrong or, better, create a GitHub issue that describes the problem.": "Lütfen neyin yanlış gittiğini bize bildirin ya da en güzeli problemi tanımlayan bir GitHub talebi oluşturun.",
"Before submitting logs, you must <a>create a GitHub issue</a> to describe your problem.": "Logları göndermeden önce, probleminizi betimleyen <a>bir GitHub talebi oluşturun</a>.",
"Community IDs may only contain characters a-z, 0-9, or '=_-./'": "Topluluk ID leri sadece a-z, 0-9 ya da '=_-./' karakterlerini içerebilir",
"Set a room alias to easily share your room with other people.": "Odanızı diğer kişilerle kolayca paylaşabilmek için bir oda lakabı ayarların.",
"Create a public room": "Halka açık bir oda oluşturun",
"Make this room public": "Bu odayı halka açık yap",
"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 Riot to do this": "Sohbet tarihçesini kaybetmemek için, çıkmadan önce odanızın anahtarlarını dışarıya aktarın. Bunu yapabilmek için Riotun daha yeni sürümü gerekli. Ulaşmak için geri gitmeye ihtiyacınız var",
"To avoid losing your chat history, you must export your room keys before logging out. You will need to go back to the newer version of %(brand)s to do this": "Sohbet tarihçesini kaybetmemek için, çıkmadan önce odanızın anahtarlarını dışarıya aktarın. Bunu yapabilmek için %(brand)sun daha yeni sürümü gerekli. Ulaşmak için geri gitmeye ihtiyacınız var",
"Continue With Encryption Disabled": "Şifreleme Kapalı Şekilde Devam Et",
"The file '%(fileName)s' exceeds this homeserver's size limit for uploads": "%(fileName)s dosyası anasunucunun yükleme boyutu limitini aşıyor",
"Double check that your server supports the room version chosen and try again.": "Seçtiğiniz oda sürümünün sunucunuz tarafından desteklenip desteklenmediğini iki kez kontrol edin ve yeniden deneyin.",
@ -1433,7 +1342,7 @@
"%(senderName)s placed a voice call. (not supported by this browser)": "%(senderName)s bir çağrı başlattı. (Bu tarayıcı tarafından desteklenmiyor)",
"%(senderName)s placed a video call.": "%(senderName)s bir görüntülü çağrı yaptı.",
"%(senderName)s placed a video call. (not supported by this browser)": "%(senderName)s bir görüntülü çağrı yaptı. (bu tarayıcı tarafından desteklenmiyor)",
"Ask your Riot admin to check <a>your config</a> for incorrect or duplicate entries.": "Riot yöneticinize <a>yapılandırmanızın</a> hatalı ve mükerrer girdilerini kontrol etmesi için talepte bulunun.",
"Ask your %(brand)s admin to check <a>your config</a> for incorrect or duplicate entries.": "%(brand)s yöneticinize <a>yapılandırmanızın</a> hatalı ve mükerrer girdilerini kontrol etmesi için talepte bulunun.",
"You can register, but some features will be unavailable until the identity server is back online. If you keep seeing this warning, check your configuration or contact a server admin.": "Kayıt olabilirsiniz, fakat kimlik sunucunuz çevrimiçi olana kadar bazı özellikler mevcut olmayacak. Bu uyarıyı sürekli görüyorsanız, yapılandırmanızı kontrol edin veya sunucu yöneticinizle iletişime geçin.",
"You can reset your password, but some features will be unavailable until the identity server is back online. If you keep seeing this warning, check your configuration or contact a server admin.": "Parolanızı sıfırlayabilirsiniz, fakat kimlik sunucunuz çevrimiçi olana kadar bazı özellikler mevcut olmayacak. Bu uyarıyı sürekli görüyorsanız, yapılandırmanızı kontrol edin veya sunucu yöneticinizle iletişime geçin.",
"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.": "Oturum açabilirsiniz, fakat kimlik sunucunuz çevrimiçi olana kadar bazı özellikler mevcut olmayacak. Bu uyarıyı sürekli görüyorsanız, yapılandırmanızı kontrol edin veya sunucu yöneticinizle iletişime geçin.",
@ -1454,7 +1363,6 @@
"Enable URL previews for this room (only affects you)": "Bu oda için URL önizlemeyi aç (sadece sizi etkiler)",
"Enable URL previews by default for participants in this room": "Bu odadaki katılımcılar için URL önizlemeyi varsayılan olarak açık hale getir",
"Enable widget screenshots on supported widgets": "Desteklenen görsel bileşenlerde anlık görüntüleri aç",
"Show recently visited rooms above the room list": "En son ziyaret edilen odaları oda listesinin en üstünde göster",
"Show hidden events in timeline": "Zaman çizelgesinde gizli olayları göster",
"Encrypted messages in one-to-one chats": "Birebir sohbetlerdeki şifrelenmiş mesajlar",
"Encrypted messages in group chats": "Grup sohbetlerdeki şifrelenmiş mesajlar",
@ -1471,7 +1379,6 @@
"Verify this session": "Bu oturumu doğrula",
"Encryption upgrade available": "Şifreleme güncellemesi var",
"Set up encryption": "Şifrelemeyi ayarla",
"Unverified session": "Doğrulanmamış oturum",
"You are no longer ignoring %(userId)s": "%(userId)s artık yoksayılmıyor",
"Verifies a user, session, and pubkey tuple": "Bir kullanıcı, oturum ve açık anahtar çiftini doğrular",
"Unknown (user, session) pair:": "Bilinmeyen (kullanıcı, oturum) çifti:",
@ -1486,7 +1393,6 @@
"Invalid identity server discovery response": "Geçersiz kimlik sunucu keşfi yanıtı",
"Please <a>contact your service administrator</a> to continue using this service.": "Bu servisi kullanmaya devam etmek için lütfen <a>servis yöneticinizle bağlantı kurun</a>.",
"Failed to perform homeserver discovery": "Anasunucu keşif işlemi başarısız",
"Sender session information": "Gönderici oturum bilgisi",
"Go back to set it again.": "Geri git ve yeniden ayarla.",
"Your recovery key": "Kurtarma anahtarınız",
"Copy": "Kopyala",
@ -1496,7 +1402,6 @@
"Set up Secure Messages": "Güvenli Mesajları Ayarla",
"Space used:": "Kullanılan alan:",
"Indexed messages:": "İndekslenmiş mesajlar:",
"Number of rooms:": "Oda sayısı:",
"Enable inline URL previews by default": "Varsayılan olarak satır içi URL önizlemeleri aç",
"Waiting for %(displayName)s to verify…": "%(displayName)s ın doğrulaması için bekleniyor…",
"They match": "Eşleşiyorlar",
@ -1530,28 +1435,21 @@
"Use an Integration Manager to manage bots, widgets, and sticker packs.": "Botları, görsel bileşenleri ve çıkartma paketlerini yönetmek için bir entegrasyon yöneticisi kullanın.",
"Session ID:": "Oturum ID:",
"Session key:": "Oturum anahtarı:",
"Sessions": "Oturumlar",
"This user has not verified all of their sessions.": "Bu kullanıcı bütün oturumlarında doğrulanmamış.",
"You have not verified this user.": "Bu kullanıcıyı doğrulamadınız.",
"Someone is using an unknown session": "Birisi bilinmeyen bir oturum kullanıyor",
"Everyone in this room is verified": "Bu odadaki herkes doğrulanmış",
"Some sessions for this user are not trusted": "Bu kullanıcı için bazı oturumlar güvenilir değil",
"All sessions for this user are trusted": "Bu kullanıcı için tüm oturumlar güvenilir",
"The version of Riot": "Riot sürümü",
"Your user agent": "Kullanıcı aracınız",
"If you cancel now, you won't complete verifying the other user.": "Şimdi iptal ederseniz, diğer kullanıcıyı doğrulamayı tamamlamış olmayacaksınız.",
"If you cancel now, you won't complete verifying your other session.": "Şimdi iptal ederseniz, diğer oturumu doğrulamış olmayacaksınız.",
"Setting up keys": "Anahtarları ayarla",
"Custom (%(level)s)": "Özel (%(level)s)",
"Room contains unknown sessions": "Oda bilinmeyen oturumlar içeriyor",
"Unknown sessions": "Bilinmeyen oturumlar",
"Upload %(count)s other files|other": "%(count)s diğer dosyaları yükle",
"Upload %(count)s other files|one": "%(count)s dosyayı sağla",
"A widget would like to verify your identity": "Bir görsel tasarım kimliğinizi teyit etmek istiyor",
"Remember my selection for this widget": "Bu görsel bileşen işin seçimimi hatırla",
"Deny": "Reddet",
"Recovery key mismatch": "Kurtarma anahtarı uyumsuz",
"Backup restored": "Yedek geri dönüldü",
"Enter recovery key": "Kurtarma anahtarı gir",
"Help": "Yardım",
"Take picture": "Resim çek",
@ -1562,9 +1460,7 @@
"Add users to the community summary": "Topluluk özetine kullanıcıları ekle",
"Who would you like to add to this summary?": "Bu özete kimi eklemek istersiniz?",
"Failed to update community": "Toluluğu güncelleme başarısız",
"Downloading mesages for %(currentRoom)s.": "%(currentRoom)s için mesajlar indiriliyor.",
"Indexed rooms:": "İndekslenmiş odalar:",
"%(crawlingRooms)s out of %(totalRooms)s": "%(totalRooms)s odadan %(crawlingRooms)s tanesi",
"Bridges": "Köprüler",
"Send a reply…": "Bir cevap gönder…",
"Send a message…": "Bir mesaj gönder…",
@ -1580,7 +1476,6 @@
"%(count)s sessions|other": "%(count)s oturum",
"%(count)s sessions|one": "%(count)s oturum",
"%(name)s cancelled verifying": "%(name)s doğrulama iptal edildi",
"Message removed": "Mesaj silindi",
"Filter community members": "Topluluk üyeleri filtrelendi",
"Invite to this community": "Bu topluluğa davet et",
"Failed to remove room from community": "Topluluktan oda silinmesi başarısız",
@ -1589,7 +1484,6 @@
"Add rooms to this community": "Bu topluluğa odaları ekle",
"Filter community rooms": "Topluluk odalarını filtrele",
"You're not currently a member of any communities.": "Şu anda hiç bir topluluğun bir üyesi değilsiniz.",
"Yes, I want to help!": "Evet, Yardım istiyorum!",
"Set Password": "Şifre oluştur",
"Error encountered (%(errorDetail)s).": "Hata oluştu (%(errorDetail)s).",
"Checking for an update...": "Güncelleme kontrolü...",
@ -1615,7 +1509,6 @@
"Clear cross-signing keys": "Çapraz-imzalama anahtarlarını temizle",
"Clear all data in this session?": "Bu oturumdaki tüm verileri temizle?",
"Verify session": "Oturum doğrula",
"Use Legacy Verification (for older clients)": "Eski Doğrulamayı Kullan (eski istemciler için)",
"Session name": "Oturum adı",
"Session key": "Oturum anahtarı",
"Verification Requests": "Doğrulama İstekleri",
@ -1623,7 +1516,6 @@
"Suggestions": "Öneriler",
"Recently Direct Messaged": "Güncel Doğrudan Mesajlar",
"Go": "Git",
"Loading session info...": "Oturum bilgisi yükleniyor...",
"Your account is not secure": "Hesabınız güvende değil",
"Your password": "Parolanız",
"This session, or the other session": "Bu oturum veya diğer oturum",
@ -1654,8 +1546,6 @@
"A text message has been sent to +%(msisdn)s. Please enter the verification code it contains.": "Bir metin mesajı gönderildi: +%(msisdn)s. Lütfen içerdiği doğrulama kodunu girin.",
"You have verified this user. This user has verified all of their sessions.": "Bu kullanıcıyı doğruladınız. Bu kullanıcı tüm oturumlarını doğruladı.",
"This room is end-to-end encrypted": "Bu oda uçtan uça şifreli",
"Some sessions in this encrypted room are not trusted": "Şifrelenmiş bu odadaki bazı oturumlar güvenilir değil",
"All sessions in this encrypted room are trusted": "Bu odadaki tün oturumlar güvenilir",
"<requestLink>Re-request encryption keys</requestLink> from your other sessions.": "Diğer oturumlardan şifreleme anahtarlarını <requestLink>yeniden talep et</requestLink>.",
"Encrypted by an unverified session": "Doğrulanmamış bir oturum tarafından şifrelenmiş",
"Encrypted by a deleted session": "Silinen bir oturumla şifrelenmiş",
@ -1672,9 +1562,7 @@
"Not sure of your password? <a>Set a new one</a>": "Şifrenizden emin değil misiniz? <a>Yenisini ayalarla</a>",
"Want more than a community? <a>Get your own server</a>": "Bir topluluktan fazlasınımı istiyorsunuz? <a>Kendi sunucunuzu edinin</a>",
"Explore rooms": "Odaları keşfet",
"<showSessionsText>Show sessions</showSessionsText>, <sendAnywayText>send anyway</sendAnywayText> or <cancelText>cancel</cancelText>.": "<showSessionsText>Oturumları gözat</showSessionsText>, <sendAnywayText>yinede gönder</sendAnywayText> yada <cancelText>iptal</cancelText>.",
"%(count)s <resendText>Resend all</resendText> or <cancelText>cancel all</cancelText> now. You can also select individual messages to resend or cancel.|one": "<resendText>Mesajı yeniden gönder</resendText> veya <cancelText> şimdi mesajı iptal et </cancelText>.",
" (1/%(totalCount)s)": " (1/%(totalCount)s)",
"Your new session is now verified. Other users will see it as trusted.": "Yeni oturumunuz şimdi doğrulandı. Diğer kullanıcılar güvenilir olarak görecek.",
"Invalid base_url for m.homeserver": "m.anasunucu için geçersiz base_url",
"Invalid base_url for m.identity_server": "m.kimlik_sunucu için geçersiz base_url",
@ -1686,22 +1574,12 @@
"Enter your account password to confirm the upgrade:": "Güncellemeyi başlatmak için hesap şifreni gir:",
"Restore": "Geri yükle",
"You'll need to authenticate with the server to confirm the upgrade.": "Güncellemeyi teyit etmek için sunucuda oturum açmaya ihtiyacınız var.",
"Great! This passphrase looks strong enough.": "Harika! Bu parola yeterince güçlü gözüküyor.",
"Enter a passphrase": "Bir parola girin",
"Back up my encryption keys, securing them with the same passphrase": "Şifreleme anahtarlarımı aynı parola ile güvenli hale getirerek yedekle",
"Enter your passphrase a second time to confirm it.": "Parolanızı ikinci kez girerek teyit edin.",
"Confirm your passphrase": "Parolanızı teyit edin",
"Your recovery key is in your <b>Downloads</b> folder.": "Kurtarma anahtarı <b>İndirilenler</b> klasörünüzde.",
"Unable to set up secret storage": "Sır deposu ayarlanamıyor",
"For maximum security, this should be different from your account password.": "En üst düzey güvenlik için, bu şifre hesap şifrenizden farklı olmalı.",
"Enter a passphrase...": "Bir parola girin...",
"Please enter your passphrase a second time to confirm.": "Lütfen parolanızı ikinci kez girerek teyit edin.",
"Repeat your passphrase...": "Parolanızı tekrarlayın...",
"Your keys are being backed up (the first backup could take a few minutes).": "Anahtarlarınız yedekleniyor (ilk yedek bir kaç dakika sürebilir).",
"Secure your backup with a passphrase": "Yedeğinizi bir parola ile koruyun",
"If you don't want to set this up now, you can later in Settings.": "Şimdi ayarlamak istemiyorsanız daha sonra Ayarlar menüsünden yapabilirsiniz.",
"Set up": "Ayarla",
"Review Sessions": "Oturumlar Gözden Geçir",
"Cancel entering passphrase?": "Parola girişini iptal et?",
"%(senderName)s changed the alternative addresses for this room.": "Bu oda için alternatif adresler %(senderName)s tarafından değiştirildi.",
"%(senderName)s changed the main and alternative addresses for this room.": "Bu oda için ana ve alternatif adresler %(senderName)s tarafından değiştirildi.",
@ -1712,11 +1590,9 @@
"A username can only contain lower case letters, numbers and '=_-./'": "Bir kullanıcı adı sadece küçük karakterler, numaralar ve '=_-./' karakterlerini içerebilir",
"To help us prevent this in future, please <a>send us logs</a>.": "Bunun gelecekte de olmasının önüne geçmek için lütfen <a>günceleri bize gönderin</a>.",
"To continue you need to accept the terms of this service.": "Devam etmek için bu servisi kullanma şartlarını kabul etmeniz gerekiyor.",
"\"%(RoomName)s\" contains sessions that you haven't seen before.": "“%(RoomName)s” odası sizin daha önce görmediğiniz oturumlar içeriyor.",
"Upload files (%(current)s of %(total)s)": "Dosyaları yükle (%(current)s / %(total)s)",
"Incorrect recovery passphrase": "Hatalı kurtarma parolası",
"Failed to decrypt %(failedCount)s sessions!": "Çözümlemesi başarısız olan %(failedCount)s oturum!",
"Restored %(sessionCount)s session keys": "Geri yüklenen %(sessionCount)s oturum anahtarı",
"Enter recovery passphrase": "Kurtarma parolasını girin",
"Confirm your identity by entering your account password below.": "Hesabınızın şifresini aşağıya girerek kimliğinizi teyit edin.",
"An email has been sent to %(emailAddress)s": "%(emailAddress)s adresine bir e-posta gönderildi",
@ -1729,12 +1605,9 @@
"%(inviter)s has invited you to join this community": "%(inviter)s sizi bu topluluğa katılmanız için davet etti",
"This room is not public. You will not be able to rejoin without an invite.": "Bu oda açık bir oda değil. Davet almadan tekrar katılamayacaksınız.",
"%(creator)s created and configured the room.": "%(creator)s odayı oluşturdu ve yapılandırdı.",
"Riot failed to get the public room list.": "Açık oda listesini getirirken Riot başarısız oldu.",
"There are unknown sessions in this room: if you proceed without verifying them, it will be possible for someone to eavesdrop on your call.": "Bu odada bilinmeyen oturumlar mevcut: eğer doğrulamadan devam ederseniz, birilerinin çağrılarınıza göz atma durumu ortaya çıkabilir.",
"If you cancel now, you won't complete your secret storage operation.": "Eğer şimdi iptal ederseniz, sır depolama operasyonunu tamamlamış olmayacaksınız.",
"%(brand)s failed to get the public room list.": "Açık oda listesini getirirken %(brand)s başarısız oldu.",
"Show these rooms to non-members on the community page and room list?": "Bu odaları oda listesinde ve topluluğun sayfasında üye olmayanlara göster?",
"%(senderName)s added the alternative addresses %(addresses)s for this room.|other": "%(senderName)s bu odaya alternatif olarak %(addresses)s adreslerini ekledi.",
"Waiting for partner to accept...": "Partnerin kabul etmesi için bekleniyor...",
"Failed to invite the following users to chat: %(csvUsers)s": "Sohbet için gönderilen davetin başarısız olduğu kullanıcılar: %(csvUsers)s",
"Something went wrong trying to invite the users.": "Kullanıcıların davet edilmesinde bir şeyler yanlış gitti.",
"a new master key signature": "yeni bir master anahtar imzası",
@ -1742,21 +1615,18 @@
"a key signature": "bir anahtar imzası",
"Upload completed": "Yükleme tamamlandı",
"Cancelled signature upload": "anahtar yükleme iptal edildi",
"Unabled to upload": "Yüklenemedi",
"Signature upload success": "Anahtar yükleme başarılı",
"Signature upload failed": "İmza yükleme başarısız",
"If you didnt sign in to this session, your account may be compromised.": "Eğer bu oturuma bağlanmadıysanız, hesabınız ele geçirilmiş olabilir.",
"These files are <b>too large</b> to upload. The file size limit is %(limit)s.": "Bu dosyalar yükleme için <b>çok büyük</b>. Dosya boyut limiti %(limit)s.",
"Some files are <b>too large</b> to be uploaded. The file size limit is %(limit)s.": "Bazı dosyalar yükleme için <b>çok büyük</b>. Dosya boyutu limiti %(limit)s.",
"Waiting…": "Bekleniyor…",
"Failed to re-authenticate due to a homeserver problem": "Anasunucu problemi yüzünden yeniden kimlik doğrulama başarısız",
"Failed to re-authenticate": "Yeniden kimlik doğrulama başarısız",
"A new recovery passphrase and key for Secure Messages have been detected.": "Yeni bir kurtarma parolası ve Güvenli Mesajlar için anahtar tespit edildi.",
"Not currently indexing messages for any room.": "Şu an hiç bir odada mesaj indeksleme yapılmıyor.",
"Whether you're using Riot on a device where touch is the primary input mechanism": "Riot'u ana giriş yöntemi dokunma olan bir cihazda kullanıyor olsanızda",
"Whether you're using %(brand)s on a device where touch is the primary input mechanism": "%(brand)s'u ana giriş yöntemi dokunma olan bir cihazda kullanıyor olsanızda",
"Whether or not you're using the 'breadcrumbs' feature (avatars above the room list)": "'Breadcrumbs' özelliğini kullanıp kullanmadığınız (oda listesi üzerinde avatarlar)",
"Whether you're using Riot as an installed Progressive Web App": "Riot'u gelişmiş web uygulaması olarak yükleyip yüklemediğinizi",
"The information being sent to us to help make Riot better includes:": "Riot'u geliştirmemizde bize yardım etmek için gönderdiğiniz bilgiler şunları içeriyor:",
"Whether you're using %(brand)s as an installed Progressive Web App": "%(brand)s'u gelişmiş web uygulaması olarak yükleyip yüklemediğinizi",
"A call is currently being placed!": "Bir çağrı şu anda başlatılıyor!",
"At this time it is not possible to reply with a file. Would you like to upload this file without replying?": "Şu anda dosya ile birlikte mesaj yollamak mümkün değil. Dosyayı mesajsız yüklemek ister misiniz?",
"PM": "24:00",
@ -1796,10 +1666,7 @@
"A word by itself is easy to guess": "Kelime zaten kolay tahmin edilir",
"Straight rows of keys are easy to guess": "Aynı klavye satırındaki ardışık tuşlar kolay tahmin edilir",
"Short keyboard patterns are easy to guess": "Kısa klavye desenleri kolay tahmin edilir",
"Show a presence dot next to DMs in the room list": "Oda listesinde DM'lerin yanında varlık noktası göster",
"Support adding custom themes": "Özel tema eklemeyi destekle",
"Enable cross-signing to verify per-user instead of per-session (in development)": "Oturum başına doğrulamak yerine kullanıcı başına doğrulama yapmak için çapraz giriş yapmayı etkinleştir (geliştirmede)",
"Show padlocks on invite only rooms": "Sadece davetle girilen odalarda kilit işareti göster",
"Show read receipts sent by other users": "Diğer kullanıcılar tarafından gönderilen okundu bilgisini göster",
"Show a reminder to enable Secure Message Recovery in encrypted rooms": "Şifrelenmiş odalarda güvenli mesaj kurtarmayı etkinleştirmek için hatırlatıcı göster",
"Enable automatic language detection for syntax highlighting": "Sözdizimi vurgularken otomatik dil algılamayı etkinleştir",
@ -1809,7 +1676,6 @@
"Never send encrypted messages to unverified sessions in this room from this session": "Şifreli mesajları asla oturumdaki bu odadaki doğrulanmamış oturumlara iletme",
"Prompt before sending invites to potentially invalid matrix IDs": "Potansiyel olarak geçersiz matrix kimliği olanlara davet gönderirken uyarı ver",
"Show shortcuts to recently viewed rooms above the room list": "Oda listesinin üzerinde en son kullanılan odaları göster",
"Secret Storage key format:": "Sır Depolama anahtar biçemi:",
"Error downloading theme information.": "Tema bilgisi indirilirken hata.",
"Theme added!": "Tema eklendi!",
"Add theme": "Tema ekle",

View file

@ -35,15 +35,13 @@
"Favourites": "Вибрані",
"Fill screen": "На весь екран",
"No media permissions": "Нема дозволів на відео/аудіо",
"You may need to manually permit Riot to access your microphone/webcam": "Можливо, вам треба дозволити Riot використання мікрофону/камери вручну",
"You may need to manually permit %(brand)s to access your microphone/webcam": "Можливо, вам треба дозволити %(brand)s використання мікрофону/камери вручну",
"Default Device": "Уставний пристрій",
"Microphone": "Мікрофон",
"Camera": "Камера",
"Advanced": "Додаткові",
"Algorithm": "Алгоритм",
"Always show message timestamps": "Завжди показувати часові позначки повідомлень",
"Authentication": "Впізнавання",
"Alias (optional)": "Псевдонім (необов'язково)",
"%(items)s and %(lastItem)s": "%(items)s та %(lastItem)s",
"and %(count)s others...|one": "і інше...",
"and %(count)s others...|other": "та %(count)s інші...",
@ -64,7 +62,6 @@
"Ban": "Заблокувати",
"Banned users": "Заблоковані користувачі",
"Bans user with given id": "Блокує користувача з вказаним ідентифікатором",
"Blacklisted": "В чорному списку",
"Call Timeout": "Час очікування виклика",
"Can't connect to homeserver - please check your connectivity, ensure your <a>homeserver's SSL certificate</a> is trusted, and that a browser extension is not blocking requests.": "Не вдається підключитись до домашнього серверу - перевірте підключення, переконайтесь, що ваш <a>SSL-сертифікат домашнього сервера</a> є довіреним і що розширення браузера не блокує запити.",
"Cannot add any more widgets": "Неможливо додати більше віджетів",
@ -86,7 +83,6 @@
"This phone number is already in use": "Цей телефонний номер вже використовується",
"Fetching third party location failed": "Не вдалось отримати стороннє місцеперебування",
"Messages in one-to-one chats": "Повідомлення у чатах \"сам на сам\"",
"A new version of Riot is available.": "Доступне оновлення для Riot.",
"Send Account Data": "Відправити данні аккаунта",
"Advanced notification settings": "Додаткові налаштування сповіщень",
"Uploading report": "Завантаження звіту",
@ -107,8 +103,6 @@
"Send Custom Event": "Відправити приватний захід",
"All notifications are currently disabled for all targets.": "Сповіщення для усіх цілей на даний момент вимкнені.",
"Failed to send logs: ": "Не вдалося відправити журнали: ",
"delete the alias.": "видалити псевдонім.",
"To return to your account in future you need to <u>set a password</u>": "Щоб мати змогу використовувати вашу обліківку у майбутньому, <u>зазначте пароль</u>",
"Forget": "Забути",
"World readable": "Відкрито для світу",
"You cannot delete this image. (%(code)s)": "Ви не можете видалити це зображення. (%(code)s)",
@ -136,7 +130,6 @@
"Resend": "Перенадіслати",
"Files": "Файли",
"Collecting app version information": "Збір інформації про версію застосунка",
"Delete the room alias %(alias)s and remove %(name)s from the directory?": "Видалити псевдонім %(alias)s та прибрати з каталогу %(name)s?",
"Keywords": "Ключові слова",
"Enable notifications for this account": "Увімкнути сповіщення для цієї обліківки",
"Invite to this community": "Запросити в це суспільство",
@ -147,7 +140,7 @@
"Forward Message": "Переслати повідомлення",
"You have successfully set a password and an email address!": "Пароль та адресу е-пошти успішно встановлено!",
"Remove %(name)s from the directory?": "Прибрати %(name)s з каталогу?",
"Riot uses many advanced browser features, some of which are not available or experimental in your current browser.": "Riot використовує багато новітніх функцій, деякі з яких не доступні або є експериментальними у вашому оглядачі.",
"%(brand)s uses many advanced browser features, some of which are not available or experimental in your current browser.": "%(brand)s використовує багато новітніх функцій, деякі з яких не доступні або є експериментальними у вашому оглядачі.",
"Developer Tools": "Інструменти розробника",
"Preparing to send logs": "Підготовка до відправки журланлу",
"Unnamed room": "Неназвана кімната",
@ -193,8 +186,7 @@
"Reply": "Відповісти",
"Show message in desktop notification": "Показати повідомлення в сповіщення на робочому столі",
"Unable to join network": "Неможливо приєднатись до мережі",
"You might have configured them in a client other than Riot. You cannot tune them in Riot but they still apply": "Можливо, ви налаштували їх не у Riot, а у іншому застосунку. Ви не можете регулювати їх у Riot, але вони все ще мають силу",
"Sorry, your browser is <b>not</b> able to run Riot.": "Вибачте, ваш оглядач <b>не</b> спроможний запустити Riot.",
"Sorry, your browser is <b>not</b> able to run %(brand)s.": "Вибачте, ваш оглядач <b>не</b> спроможний запустити %(brand)s.",
"Uploaded on %(date)s by %(user)s": "Завантажено %(date)s користувачем %(user)s",
"Messages in group chats": "Повідомлення у групових чатах",
"Yesterday": "Вчора",
@ -203,7 +195,7 @@
"Unable to fetch notification target list": "Неможливо отримати перелік цілей сповіщення",
"Set Password": "Встановити пароль",
"Off": "Вимкнено",
"Riot does not know how to join a room on this network": "Riot не знає як приєднатись до кімнати у цій мережі",
"%(brand)s does not know how to join a room on this network": "%(brand)s не знає як приєднатись до кімнати у цій мережі",
"Mentions only": "Тільки згадки",
"Failed to remove tag %(tagName)s from room": "Не вдалося прибрати з кімнати мітку %(tagName)s",
"You can now return to your account after signing out, and sign in on other devices.": "Тепер ви можете повернутися до своєї обліковки після виходу з неї, та зайти з інших пристроїв.",
@ -219,34 +211,26 @@
"Thank you!": "Дякуємо!",
"With your current browser, the look and feel of the application may be completely incorrect, and some or all features may not function. If you want to try it anyway you can continue, but you are on your own in terms of any issues you may encounter!": "У вашому оглядачі вигляд застосунку може бути повністю іншим, а деякі або навіть усі функції можуть не працювати. Якщо ви наполягаєте, то можете продовжити користування, але ви маєте впоратись з усіма можливими проблемами власноруч!",
"Checking for an update...": "Перевірка оновлень…",
"There are advanced notifications which are not shown here": "Є додаткові сповіщення, що не показуються тут",
"Check for update": "Перевірити на наявність оновлень",
"Reject all %(invitedRooms)s invites": "Відхилити запрошення до усіх %(invitedRooms)s",
"Profile": "Профіль",
"click to reveal": "натисніть щоб побачити",
"Homeserver is": "Домашній сервер —",
"The version of Riot.im": "Версія Riot.im",
"The version of %(brand)s": "Версія %(brand)s",
"Your language of choice": "Обрана мова",
"Which officially provided instance you are using, if any": "Яким офіційно наданим примірником ви користуєтесь (якщо користуєтесь)",
"Whether or not you're using the Richtext mode of the Rich Text Editor": "Чи використовуєте ви режим форматованого тексту у редакторі Rich Text Editor",
"Your homeserver's URL": "URL адреса вашого домашнього сервера",
"Failed to verify email address: make sure you clicked the link in the email": "Не вдалось перевірити адресу електронної пошти: переконайтесь, що ви перейшли за посиланням у листі",
"The platform you're on": "Використовувана платформа",
"Your identity server's URL": "URL адреса серверу ідентифікації",
"e.g. %(exampleValue)s": "напр. %(exampleValue)s",
"Every page you use in the app": "Кожна сторінка, яку ви використовуєте в програмі",
"e.g. <CurrentPageURL>": "напр. <CurrentPageURL>",
"Your User Agent": "Ваш користувацький агент",
"Your device resolution": "Роздільна здатність вашого пристрою",
"Analytics": "Аналітика",
"The information being sent to us to help make Riot.im better includes:": "Інформація, що надсилається нам, щоб допомогти зробити Riot.im кращим, включає в себе:",
"The information being sent to us to help make %(brand)s better includes:": "Відсилана до нас інформація, що допомагає покращити %(brand)s, містить:",
"The export file will be protected with a passphrase. You should enter the passphrase here, to decrypt the file.": "Введіть пароль для захисту експортованого файлу. Щоб розшифрувати файл потрібно буде ввести цей пароль.",
"Call Failed": "Виклик не вдався",
"Review Devices": "Перевірити пристрої",
"Call Anyway": "Подзвонити все одно",
"Answer Anyway": "Відповісти все одно",
"Call": "Подзвонити",
"Answer": "Відповісти",
"The remote side failed to pick up": "На ваш дзвінок не змогли відповісти",
"Unable to capture screen": "Не вдалось захопити екран",
"Existing Call": "Наявний виклик",
@ -283,7 +267,6 @@
"%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s": "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s",
"Who would you like to add to this community?": "Кого ви хочете додати до цієї спільноти?",
"Where this page includes identifiable information, such as a room, user or group ID, that data is removed before being sent to the server.": "Якщо дана сторінка містить особисту інформацію, як то назва кімнати, користувача чи групи, ці дані будуть вилучені перед надсиланням на сервер.",
"Could not connect to the integration server": "Неможливо приєднатися до інтеграційного сервера",
"Call in Progress": "Іде виклик",
"A call is currently being placed!": "Зараз іде виклик!",
"A call is already in progress!": "Вже здійснюється дзвінок!",
@ -295,22 +278,18 @@
"Which rooms would you like to add to this community?": "Які кімнати ви хочете додати до цієї спільноти?",
"Show these rooms to non-members on the community page and room list?": "Показувати ці кімнати тим, хто не належить до спільноти, на сторінці спільноти та списку кімнат?",
"Add rooms to the community": "Додати кімнати до спільноти",
"Room name or alias": "Назва або псевдонім кімнати",
"Add to community": "Додати до спільноти",
"Failed to invite the following users to %(groupId)s:": "Не вдалося запросити таких користувачів до %(groupId)s:",
"Failed to invite users to community": "Не вдалося запросити користувачів до кімнати",
"Failed to invite users to %(groupId)s": "Не вдалося запросити користувачів до %(groupId)s",
"Failed to add the following rooms to %(groupId)s:": "Не вдалося додати такі кімнати до %(groupId)s:",
"Riot does not have permission to send you notifications - please check your browser settings": "Riot не має дозволу надсилати вам сповіщення — будь ласка, перевірте налаштування переглядача",
"Riot was not given permission to send notifications - please try again": "Riot не має дозволу надсилати сповіщення — будь ласка, спробуйте ще раз",
"%(brand)s does not have permission to send you notifications - please check your browser settings": "%(brand)s не має дозволу надсилати вам сповіщення — будь ласка, перевірте налаштування переглядача",
"%(brand)s was not given permission to send notifications - please try again": "%(brand)s не має дозволу надсилати сповіщення — будь ласка, спробуйте ще раз",
"Unable to enable Notifications": "Не вдалося увімкнути сповіщення",
"This email address was not found": "Не знайдено адресу електронної пошти",
"Your email address does not appear to be associated with a Matrix ID on this Homeserver.": "Схоже, ваша адреса електронної пошти не пов'язана з жодним ідентифікатор Matrix на цьому домашньому сервері.",
"Registration Required": "Потрібна реєстрація",
"You need to register to do this. Would you like to register now?": "Вам потрібно зареєструватися, щоб це зробити. Бажаєте зареєструватися зараз?",
"Restricted": "Обмежено",
"Moderator": "Модератор",
"Start a chat": "Розпочати балачку",
"Failed to invite": "Не вдалося запросити",
"Failed to invite the following users to the %(roomName)s room:": "Не вдалося запросити таких користувачів до кімнати %(roomName)s:",
"You need to be logged in.": "Вам потрібно увійти.",
@ -331,9 +310,7 @@
"To use it, just wait for autocomplete results to load and tab through them.": "Щоб цим скористатися, просто почекайте на підказки доповнення й перемикайтеся між ними клавішею TAB.",
"Changes your display nickname": "Змінює ваш нік",
"Invites user with given id to current room": "Запрошує користувача з вказаним ідентифікатором до кімнати",
"Joins room with given alias": "Приєднується до кімнати під іншим псевдонімом",
"Leave room": "Покинути кімнату",
"Unrecognised room alias:": "Не розпізнано псевдонім кімнати:",
"Kicks user with given id": "Вилучити з кімнати користувача з вказаним ідентифікатором",
"Ignores a user, hiding their messages from you": "Ігнорує користувача, приховуючи повідомлення від них",
"Ignored user": "Користувача ігноровано",
@ -363,11 +340,6 @@
"%(senderName)s kicked %(targetName)s.": "%(senderName)s викинув/ла %(targetName)s.",
"%(senderName)s withdrew %(targetName)s's invitation.": "%(senderName)s відкликав/ла запрошення %(targetName)s.",
"%(senderDisplayName)s sent an image.": "%(senderDisplayName)s надіслав/ла зображення.",
"%(senderName)s added %(count)s %(addedAddresses)s as addresses for this room.|other": "%(senderName)s додав/ла %(addedAddresses)s як адреси цієї кімнати.",
"%(senderName)s added %(count)s %(addedAddresses)s as addresses for this room.|one": "%(senderName)s додав/ла %(addedAddresses)s як адресу цієї кімнати.",
"%(senderName)s removed %(count)s %(removedAddresses)s as addresses for this room.|other": "%(senderName)s вилучив/ла %(removedAddresses)s з адрес цієї кімнати.",
"%(senderName)s removed %(count)s %(removedAddresses)s as addresses for this room.|one": "%(senderName)s вилучив/ла %(removedAddresses)s з адрес цієї кімнати.",
"%(senderName)s added %(addedAddresses)s and removed %(removedAddresses)s as addresses for this room.": "%(senderName)s додав/ла %(addedAddresses)s і вилучив/ла %(removedAddresses)s з адрес цієї кімнати.",
"%(senderName)s set the main address for this room to %(address)s.": "%(senderName)s призначив/ла основну адресу цієї кімнати: %(address)s.",
"%(senderName)s removed the main address for this room.": "%(senderName)s вилучив/ла основу адресу цієї кімнати.",
"Someone": "Хтось",
@ -391,20 +363,18 @@
"%(widgetName)s widget removed by %(senderName)s": "%(senderName)s вилучив/ла %(widgetName)s",
"Failure to create room": "Не вдалося створити кімнату",
"Server may be unavailable, overloaded, or you hit a bug.": "Сервер може бути недоступний, перевантажений, або ж ви натрапили на ваду.",
"Send anyway": "Надіслати хоч би там що",
"Unnamed Room": "Кімната без назви",
"This homeserver has hit its Monthly Active User limit.": "Цей домашній сервер досягнув свого ліміту щомісячних активних користувачів.",
"This homeserver has exceeded one of its resource limits.": "Цей домашній сервер досягнув одного зі своїх лімітів ресурсів.",
"Please <a>contact your service administrator</a> to continue using the service.": "Будь ласка, <a>зв'яжіться з адміністратором вашого сервісу</a>, щоб продовжити користуватися цим сервісом.",
"Unable to connect to Homeserver. Retrying...": "Не вдається приєднатися до домашнього сервера. Повторення спроби...",
"Your browser does not support the required cryptography extensions": "Ваша веб-переглядачка не підтримує необхідних криптографічних функцій",
"Not a valid Riot keyfile": "Файл ключа Riot некоректний",
"Not a valid %(brand)s keyfile": "Файл ключа %(brand)s некоректний",
"Authentication check failed: incorrect password?": "Помилка автентифікації: неправильний пароль?",
"Sorry, your homeserver is too old to participate in this room.": "Вибачте, ваш домашній сервер занадто старий, щоб приєднатися до цієї кімнати.",
"Please contact your homeserver administrator.": "Будь ласка, зв'яжіться з адміністратором вашого домашнього сервера.",
"Failed to join room": "Не вдалося приєднатися до кімнати",
"Message Pinning": "Прикріплені повідомлення",
"Use compact timeline layout": "Використовувати компактну розкладку стрічки",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "Показувати час у 12-годинному форматі (напр. 2:30 pm)",
"Always show encryption icons": "Завжди показувати значки шифрування",
"Enable automatic language detection for syntax highlighting": "Показувати автоматичне визначення мови для підсвічування синтаксису",
@ -433,11 +403,8 @@
"Password": "Пароль",
"New Password": "Новий пароль",
"Confirm password": "Підтвердження пароля",
"Device ID": "ID пристрою",
"Last seen": "Востаннє з'являвся",
"Failed to set display name": "Не вдалося встановити ім'я для показу",
"Disable Notifications": "Вимкнути сповіщення",
"Enable Notifications": "Увімкнути сповіщення",
"The maximum permitted number of widgets have already been added to this room.": "Максимально дозволену кількість віджетів уже додано до цієї кімнати.",
"Drop File Here": "Киньте файл сюди",
"Drop file here to upload": "Киньте файл сюди, щоб відвантажити",
@ -451,7 +418,6 @@
"Options": "Налаштування",
"Key request sent.": "Запит ключа надіслано.",
"Please select the destination room for this message": "Будь ласка, виберіть кімнату, куди потрібно надіслати це повідомлення",
"device id: ": "id пристрою: ",
"Disinvite": "Скасувати запрошення",
"Kick": "Викинути",
"Disinvite this user?": "Скасувати запрошення для цього користувача?",
@ -465,11 +431,9 @@
"You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.": "Ви не зможете скасувати цю дію, оскільки ви знижуєте свій рівень прав. Якщо ви останній користувач з правами в цій кімнаті, ви не зможете отримати повноваження знову.",
"Demote": "Знизити рівень прав",
"Failed to mute user": "Не вдалося заглушити користувача",
"Failed to toggle moderator status": "Не вдалося перемкнути статус модератора",
"Failed to change power level": "Не вдалося змінити рівень повноважень",
"Chat with Riot Bot": "Балачка з Riot-ботом",
"Chat with %(brand)s Bot": "Балачка з %(brand)s-ботом",
"Whether or not you're logged in (we don't record your username)": "Незалежно від того, увійшли ви чи ні (ми не записуємо ваше ім'я користувача)",
"A conference call could not be started because the integrations server is not available": "Конференц-дзвінок не можна розпочати оскільки інтеграційний сервер недоступний",
"The file '%(fileName)s' failed to upload.": "Файл '%(fileName)s' не вийшло відвантажити.",
"The file '%(fileName)s' exceeds this homeserver's size limit for uploads": "Файл '%(fileName)s' перевищує ліміт розміру для відвантажень домашнього сервера",
"The server does not support the room version specified.": "Сервер не підтримує вказану версію кімнати.",
@ -512,18 +476,16 @@
"You cannot modify widgets in this room.": "Ви не можете змінювати віджети у цій кімнаті.",
"Forces the current outbound group session in an encrypted room to be discarded": "Примусово відкидає поточний вихідний груповий сеанс у шифрованій кімнаті",
"Sends the given message coloured as a rainbow": "Надсилає вказане повідомлення розфарбоване веселкою",
"Your Riot is misconfigured": "Ваш Riot налаштовано неправильно",
"Your %(brand)s is misconfigured": "Ваш %(brand)s налаштовано неправильно",
"Join the discussion": "Приєднатися до обговорення",
"Upload": "Відвантажити",
"Upload file": "Відвантажити файл",
"Send an encrypted message…": "Надіслати зашифроване повідомлення…",
"Send a message (unencrypted)…": "Надіслати повідомлення (незашифроване)…",
"The conversation continues here.": "Розмова триває тут.",
"This room has been replaced and is no longer active.": "Ця кімната була замінена і не є активною.",
"You do not have permission to post to this room": "У вас нема дозволу дописувати у цю кімнату",
"Sign out": "Вийти",
"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 Riot to do this": "Щоб уникнути втрати історії ваших листувань, ви маєте експортувати ключі кімнати перед виходом. Вам треба буде повернутися до новішої версії Riot аби зробити це",
"You've previously used a newer version of Riot on %(host)s. To use this version again with end to end encryption, you will need to sign out and back in again. ": "Раніше ви використовували новішу версію Riot на %(host)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 аби зробити це",
"Incompatible Database": "Несумісна база даних",
"Continue With Encryption Disabled": "Продовжити із вимкненим шифруванням",
"Unknown error": "Невідома помилка",
@ -546,7 +508,6 @@
"Upload avatar": "Завантажити аватар",
"For security, this session has been signed out. Please sign in again.": "З метою безпеки вашу сесію було завершено. Зайдіть, будь ласка, знову.",
"Upload an avatar:": "Завантажити аватар:",
"Send cross-signing keys to homeserver": "Надсилання ключей підпису на домашній сервер",
"Custom (%(level)s)": "Власний (%(level)s)",
"Error upgrading room": "Помилка оновлення кімнати",
"Double check that your server supports the room version chosen and try again.": "Перевірте, чи підримує ваш сервер вказану версію кімнати та спробуйте ще.",
@ -571,13 +532,9 @@
"Confirm adding this phone number by using Single Sign On to prove your identity.": "Підтвердьте додавання цього телефонного номера через використання Single Sign On аби довести вашу ідентичність.",
"Confirm adding phone number": "Підтвердити додавання телефонного номера",
"Click the button below to confirm adding this phone number.": "Клацніть на кнопці нижче щоб підтвердити додавання цього телефонного номера.",
"The version of Riot": "Версія Riot",
"Whether you're using Riot on a device where touch is the primary input mechanism": "Чи використовуєте ви Riot на пристрої, де основним засобом вводження є дотик",
"Whether you're using Riot as an installed Progressive Web App": "Чи використовуєте ви Riot як встановлений Progressive Web App",
"Whether you're using %(brand)s on a device where touch is the primary input mechanism": "Чи використовуєте ви %(brand)s на пристрої, де основним засобом вводження є дотик",
"Whether you're using %(brand)s as an installed Progressive Web App": "Чи використовуєте ви %(brand)s як встановлений Progressive Web App",
"Your user agent": "Ваш user agent",
"The information being sent to us to help make Riot better includes:": "Відсилана до нас інформація, що допомагає покращити Riot, містить:",
"There are unknown sessions in this room: if you proceed without verifying them, it will be possible for someone to eavesdrop on your call.": "У цій кімнаті є невідомі сесії: якщо ви продовжите не звіряючи їх, то ваші розмови можуть бути прослухані.",
"Review Sessions": "Переглянути сесії",
"If you cancel now, you won't complete verifying the other user.": "Якщо ви скасуєте зараз, то не завершите звіряння іншого користувача.",
"If you cancel now, you won't complete verifying your other session.": "Якщо ви скасуєте зараз, то не завершите звіряння вашої іншої сесії.",
"If you cancel now, you won't complete your operation.": "Якщо ви скасуєте зараз, то не завершите вашу дію.",
@ -604,8 +561,8 @@
"Deactivate account": "Знедіяти обліківку",
"Legal": "Правова інформація",
"Credits": "Подяки",
"For help with using Riot, click <a>here</a>.": "Якщо необхідна допомога у користуванні Riot'ом, клацніть <a>тут</a>.",
"For help with using Riot, click <a>here</a> or start a chat with our bot using the button below.": "Якщо необхідна допомога у користуванні Riot'ом, клацніть <a>тут</a> або розпочніть балачку з нашим ботом, клацнувши на кнопці нижче.",
"For help with using %(brand)s, click <a>here</a>.": "Якщо необхідна допомога у користуванні %(brand)s'ом, клацніть <a>тут</a>.",
"For help with using %(brand)s, click <a>here</a> or start a chat with our bot using the button below.": "Якщо необхідна допомога у користуванні %(brand)s'ом, клацніть <a>тут</a> або розпочніть балачку з нашим ботом, клацнувши на кнопці нижче.",
"Join the conversation with an account": "Приєднатись до бесіди з обліківкою",
"Unable to restore session": "Неможливо відновити сесію",
"We encountered an error trying to restore your previous session.": "Ми натрапили на помилку, намагаючись відновити вашу попередню сесію.",
@ -621,23 +578,14 @@
"Forget this room": "Забути цю кімнату",
"Re-join": "Перепід'єднатись",
"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 Riot.": "Зв'яжіть цю е-пошту з вашою обліківкою у Налаштуваннях щоб отримувати сповіщення прямо у Riot.",
"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",
"Use an identity server in Settings to receive invites directly in Riot.": "Використовувати сервер ідентифікації у Налаштуваннях щоб отримувати запрошення прямо у Riot.",
"Use an identity server in Settings to receive invites directly in %(brand)s.": "Використовувати сервер ідентифікації у Налаштуваннях щоб отримувати запрошення прямо у %(brand)s.",
"Are you sure you want to deactivate your account? This is irreversible.": "Ви впевнені у тому, що бажаєте знедіяти вашу обліківку? Це є безповоротним.",
"Confirm account deactivation": "Підтвердьте деактивацію обліківки",
"To continue, please enter your password:": "Щоб продовжити, введіть, будь ласка, ваш пароль:",
"This will make your account permanently unusable. You will not be able to log in, and no one will be able to re-register the same user ID. This will cause your account to leave all rooms it is participating in, and it will remove your account details from your identity server. <b>This action is irreversible.</b>": "Ваша обліківка стане назавжди невикористовною. Ви не матимете змоги увійти в неї і ніхто не зможе перереєструватись під цим користувацьким ID. Це призведе до виходу вашої обліківки з усіх кімнат та до видалення деталей вашої обліківки з вашого серверу ідентифікації. <b>Ця дія є безповоротною.</b>",
"Verify session": "Звірити сесію",
"Use Legacy Verification (for older clients)": "Використати успадковане звірення (для старих клієнтів)",
"Verify by comparing a short text string.": "Звірити порівнянням короткого текстового рядка.",
"Begin Verifying": "Почати звіряння",
"Waiting for partner to accept...": "Очікується підтвердження партнером…",
"Nothing appearing? Not all clients support interactive verification yet. <button>Use legacy verification</button>.": "Нічого не з'являється? Поки що не всі клієнти підтримують взаємодійне звірення. <button>Використати успадковане звірення</button>.",
"Waiting for %(userId)s to confirm...": "Очікується підтвердження від %(userId)s…",
"To verify that this session can be trusted, please check that the key you see in User Settings on that device matches the key below:": "Щоб впевнитись, що цій сесії можна довіряти, переконайтесь, будь ласка, що показуваний у Налаштуваннях на тому пристрої ключ збігається з ключем внизу:",
"To verify that this session can be trusted, please contact its owner using some other means (e.g. in person or a phone call) and ask them whether the key they see in their User Settings for this session matches the key below:": "Щоб впевнитись, що цій сесії можна довіряти, зв'яжіться, будь ласка, з її власником якимось іншим шляхом (напр. через телефон або зустріч) і переконайтесь, що показуваний у Налаштуваннях на їхньому пристрої ключ збігається з ключем внизу:",
"Use two-way text verification": "Використати двонапрямне текстове звірення",
"Session name": "Назва сесії",
"Session ID": "ID сесії",
"Session key": "Ключ сесії",
@ -656,7 +604,6 @@
"Search failed": "Пошук не вдався",
"Server may be unavailable, overloaded, or search timed out :(": "Сервер може бути недосяжним, перевантаженим або запит на пошук застарів :(",
"No more results": "Інших результатів нема",
"Unknown room %(roomId)s": "Невідома кімната %(roomId)s",
"Room": "Кімната",
"Failed to reject invite": "Не вдалось відхилити запрошення",
"You have %(count)s unread notifications in a prior version of this room.|other": "Ви маєте %(count)s непрочитаних сповіщень у попередній версії цієї кімнати.",

View file

@ -3,27 +3,20 @@
"This phone number is already in use": "Số điện thoại này hiện đã được sử dụng",
"Failed to verify email address: make sure you clicked the link in the email": "Xác thực email thất bại: hãy đảm bảo bạn nhấp đúng đường dẫn đã gửi vào email",
"The platform you're on": "Nền tảng bạn đang tham gia",
"The version of Riot.im": "Phiên bản của Riot.im",
"The version of %(brand)s": "Phiên bản của %(brand)s",
"Your language of choice": "Ngôn ngữ bạn chọn",
"Your homeserver's URL": "Đường dẫn Homeserver của bạn",
"Whether or not you're logged in (we don't record your username)": "Dù bạn có đăng nhập hay không (chúng tôi không lưu tên đăng nhập của bạn)",
"Whether or not you're using the Richtext mode of the Rich Text Editor": "Dù bạn có dùng chức năng Richtext của Rich Text Editor hay không",
"Whether or not you're using the 'breadcrumbs' feature (avatars above the room list)": "Dù bạn có dùng chức năng breadcrumbs hay không (avatar trên danh sách phòng)",
"Your identity server's URL": "Đường dẫn identify server của bạn",
"e.g. %(exampleValue)s": "ví dụ %(exampleValue)s",
"Every page you use in the app": "Mọi trang bạn dùng trong app",
"e.g. <CurrentPageURL>": "ví dụ <CurrentPageURL>",
"Your User Agent": "Trình duyệt của bạn",
"Your device resolution": "Độ phân giải thiết bị",
"Analytics": "Phân tích",
"The information being sent to us to help make Riot.im better includes:": "Thông tin gửi lên máy chủ giúp cải thiện Riot.im bao gồm:",
"The information being sent to us to help make %(brand)s better includes:": "Thông tin gửi lên máy chủ giúp cải thiện %(brand)s bao gồm:",
"Where this page includes identifiable information, such as a room, user or group ID, that data is removed before being sent to the server.": "Trường hợp trang này chứa thông tin định danh như phòng chat, người dùng hoặc mã nhóm, dữ liệu định danh sẽ được loại bỏ trước khi gửi lên máy chủ.",
"Call Failed": "Cuộc gọi thất bại",
"Review Devices": "Xác nhận thiết bị",
"Call Anyway": "Vẫn gọi",
"Answer Anyway": "Vẫn trả lời",
"Call": "Gọi",
"Answer": "Trả lời",
"Call Timeout": "Hết thời hạn gọi",
"The remote side failed to pick up": "Phía được gọi không thể trả lời",
"Unable to capture screen": "Không thể chụp màn hình",
@ -32,8 +25,6 @@
"VoIP is unsupported": "VoIP không được hỗ trợ",
"You cannot place VoIP calls in this browser.": "Bạn không thể gọi VoIP với trình duyệt này.",
"You cannot place a call with yourself.": "Bạn không thể tự gọi cho chính mình.",
"Could not connect to the integration server": "Không thể kết nối tới máy chủ tích hợp",
"A conference call could not be started because the integrations server is not available": "Cuộc gọi hội nghị không thể được khởi tạo vì máy chủ tích hợp không có sẵn",
"Call in Progress": "Đang trong cuộc gọi",
"A call is currently being placed!": "Một cuộc gọi hiện đang được thực hiện!",
"A call is already in progress!": "Một cuộc gọi đang diễn ra!",
@ -48,7 +39,6 @@
"Server may be unavailable, overloaded, or you hit a bug.": "Máy chủ không hoạt động, quá tải hoặc gặp lỗi.",
"The server does not support the room version specified.": "Máy chủ không hỗ trợ phiên bản phòng chat.",
"Failure to create room": "Khởi tạo phòng thất bại",
"Send anyway": "Vẫn gửi đi",
"Send": "Gửi đi",
"Sun": "Chủ nhật",
"Mon": "Thứ hai",
@ -83,7 +73,6 @@
"Which rooms would you like to add to this community?": "Phòng chat nào bạn muốn thêm vào cộng đồng này?",
"Show these rooms to non-members on the community page and room list?": "Hiển thị những phòng này cho người dùng không phải là thành viên?",
"Add rooms to the community": "Thêm phòng chat vào cộng đồng",
"Room name or alias": "Tên phòng chat",
"Add to community": "Thêm vào cộng đồng",
"Failed to invite the following users to %(groupId)s:": "Người dùng sau không thể được mời vào %(groupId)s:",
"Failed to invite users to community": "Không thể mời người dùng vào cộng đồng",
@ -93,19 +82,16 @@
"Error": "Lỗi",
"Unable to load! Check your network connectivity and try again.": "Không thể tải! Kiểm tra kết nối và thử lại.",
"Dismiss": "Bỏ qua",
"Riot does not have permission to send you notifications - please check your browser settings": "Riot không có đủ quyền để gửi notification - vui lòng kiểm tra thiết lập trình duyệt",
"Riot was not given permission to send notifications - please try again": "Riot không được cấp quyền để gửi notification - vui lòng thử lại",
"%(brand)s does not have permission to send you notifications - please check your browser settings": "%(brand)s không có đủ quyền để gửi notification - vui lòng kiểm tra thiết lập trình duyệt",
"%(brand)s was not given permission to send notifications - please try again": "%(brand)s không được cấp quyền để gửi notification - vui lòng thử lại",
"Unable to enable Notifications": "Không thể bật Notification",
"This email address was not found": "Địa chỉ email này không tồn tại trong hệ thống",
"Your email address does not appear to be associated with a Matrix ID on this Homeserver.": "Email của bạn không được liên kết với một mã Matrix ID nào trên Homeserver này.",
"Registration Required": "Yêu cầu đăng ký",
"You need to register to do this. Would you like to register now?": "Bạn phải đăng ký ký để thực hiện tác vụ. Bạn có muốn đăng ký bay giờ không?",
"Register": "Đăng ký",
"Default": "Mặc định",
"Restricted": "Hạn chế",
"Moderator": "Quản trị viên",
"Admin": "Admin",
"Start a chat": "Bắt đầu chat",
"Operation failed": "Tác vụ thất bại",
"Failed to invite": "Không thể mời",
"Failed to invite users to the room:": "Mời thành viên vào phòng chat thất bại:",
@ -136,9 +122,7 @@
"This room has no topic.": "Phòng này chưa có chủ đề.",
"Sets the room name": "Đặt tên phòng",
"Invites user with given id to current room": "Mời thành viên vào phòng hiện tại",
"Joins room with given alias": "Tham gia phòng",
"Leave room": "Rời phòng",
"Unrecognised room alias:": "Không xác định được tên phòng:",
"Kicks user with given id": "Loại thành viên khỏi phòng",
"Bans user with given id": "Cấm thành viên tham gia phòng",
"Unbans user with given ID": "Gỡ cấm thành viên",
@ -195,11 +179,6 @@
"%(senderDisplayName)s disabled flair for %(groups)s in this room.": "%(senderDisplayName)s đã cấm flair đối với %(groups)s.",
"%(senderDisplayName)s enabled flair for %(newGroups)s and disabled flair for %(oldGroups)s in this room.": "%(senderDisplayName)s đã cho phép flair đối với %(newGroups)s và cấm flair đối với %(oldGroups)s.",
"%(senderDisplayName)s sent an image.": "%(senderDisplayName)s đã gửi một hình.",
"%(senderName)s added %(count)s %(addedAddresses)s as addresses for this room.|other": "%(senderName)s đã thêm %(addedAddresses)s vào danh sách địa chỉ của phòng.",
"%(senderName)s added %(count)s %(addedAddresses)s as addresses for this room.|one": "%(senderName)s đã thêm %(addedAddresses)s thành một địa chỉ của phòng.",
"%(senderName)s removed %(count)s %(removedAddresses)s as addresses for this room.|other": "%(senderName)s đã loại %(removedAddresses)s khỏi danh sách địa chỉ phòng.",
"%(senderName)s removed %(count)s %(removedAddresses)s as addresses for this room.|one": "%(senderName)s đã loại %(removedAddresses)s khỏi danh sách địa chỉ phòng.",
"%(senderName)s added %(addedAddresses)s and removed %(removedAddresses)s as addresses for this room.": "%(senderName)s đã thêm %(addedAddresses)s và đã loại %(removedAddresses)s khỏi danh sách địa chỉ phòng.",
"%(senderName)s set the main address for this room to %(address)s.": "%(senderName)s thiết lập địa chỉ chính cho phòng thành %(address)s.",
"%(senderName)s removed the main address for this room.": "%(senderName)s đã loại địa chỉ chính của phòng.",
"Someone": "Ai đó",
@ -228,8 +207,7 @@
"%(names)s and %(lastPerson)s are typing …": "%(names)s và %(lastPerson)s đang gõ …",
"Cannot reach homeserver": "Không thể kết nối tới máy chủ",
"Ensure you have a stable internet connection, or get in touch with the server admin": "Đảm bảo bạn có kết nối Internet ổn địn, hoặc liên hệ Admin để được hỗ trợ",
"Your Riot is misconfigured": "Hệ thống Riot của bạn bị thiết lập sai",
"Ask your Riot admin to check <a>your config</a> for incorrect or duplicate entries.": "Liên hệ Admin để kiểm tra <a>thiết lập của bạn</a> để sửa lỗi.",
"Your %(brand)s is misconfigured": "Hệ thống %(brand)s của bạn bị thiết lập sai",
"Cannot reach identity server": "Không thể kết nối server định danh",
"You can register, but some features will be unavailable until the identity server is back online. If you keep seeing this warning, check your configuration or contact a server admin.": "Bạn có thể đăng ký, nhưng một vài chức năng sẽ không sử đụng dược cho đến khi server định danh hoạt động trở lại. Nếu bạn thấy thông báo này, hãy kiểm tra thiết lập hoặc liên hệ Admin.",
"You can reset your password, but some features will be unavailable until the identity server is back online. If you keep seeing this warning, check your configuration or contact a server admin.": "Bạn có thể đặt lại mật khẩu, nhưng một vài chức năng sẽ không sử đụng dược cho đến khi server định danh hoạt động trở lại. Nếu bạn thấy thông báo này, hãy kiểm tra thiết lập hoặc liên hệ Admin.",
@ -245,7 +223,7 @@
"%(items)s and %(count)s others|one": "%(items)s và một mục khác",
"%(items)s and %(lastItem)s": "%(items)s và %(lastItem)s",
"Your browser does not support the required cryptography extensions": "Trình duyệt của bạn không hỗ trợ chức năng mã hóa",
"Not a valid Riot keyfile": "Tệp khóa Riot không hợp lệ",
"Not a valid %(brand)s keyfile": "Tệp khóa %(brand)s không hợp lệ",
"Authentication check failed: incorrect password?": "Kiểm tra đăng nhập thất bại: sai mật khẩu?",
"Unrecognised address": "Không nhận ra địa chỉ",
"You do not have permission to invite people to this room.": "Bạn không đủ quyền để mời người khác vào phòng chat.",
@ -291,7 +269,6 @@
"Group & filter rooms by custom tags (refresh to apply changes)": "Nhóm và lọc phòng chat theo tag tùy biến (làm tươi để áp dụng thay đổi)",
"Render simple counters in room header": "Hiển thị số đếm giản đơn ở tiêu đề phòng",
"Enable Emoji suggestions while typing": "Cho phép gợi ý Emoji khi đánh máy",
"Use compact timeline layout": "Sử dụng giao diện thời gian rút gọn",
"Show a placeholder for removed messages": "Hiển thị khu đánh dấu tin bị xóa",
"Show join/leave messages (invites/kicks/bans unaffected)": "Hiển thị tin báo tham gia/rời phòng (mời/đá/cấm không bị ảnh hưởng)",
"Show avatar changes": "Hiển thị thay đổi hình đại diện",

View file

@ -3,28 +3,21 @@
"This phone number is already in use": "Dezen telefongnumero es al in gebruuk",
"Failed to verify email address: make sure you clicked the link in the email": "Kostege t e-mailadresse nie verifieern: zorgt dervoor da je de koppelienge in den e-mail èt angeklikt",
"The platform you're on": "t Platform da je gebruukt",
"The version of Riot.im": "De versie van Riot.im",
"The version of %(brand)s": "De versie van %(brand)s",
"Whether or not you're logged in (we don't record your username)": "Of da je al dan nie angemeld zyt (we sloan je gebruukersnoame nie ip)",
"Your language of choice": "De deur joun gekoozn toale",
"Which officially provided instance you are using, if any": "Welke officieel angeboodn instantie da je eventueel gebruukt",
"Whether or not you're using the Richtext mode of the Rich Text Editor": "Of da je den tekstverwerker al of nie in de modus voor ipgemakte tekst gebruukt",
"Whether or not you're using the 'breadcrumbs' feature (avatars above the room list)": "Of da je de krumeltjes-functie al of nie gebruukt (avatars boven de gesprekslyste)",
"Your homeserver's URL": "Den URL van je thuusserver",
"Your identity server's URL": "Den URL van jen identiteitsserver",
"e.g. %(exampleValue)s": "bv. %(exampleValue)s",
"Every page you use in the app": "Iedere bladzyde da je in de toepassienge gebruukt",
"e.g. <CurrentPageURL>": "bv. <CurrentPageURL>",
"Your User Agent": "Je gebruukersagent",
"Your device resolution": "De resolutie van je toestel",
"Analytics": "Statistische gegeevns",
"The information being sent to us to help make Riot.im better includes:": "Dinformoasje da noar uus wor verstuurd vo Riot.im te verbetern betreft:",
"The information being sent to us to help make %(brand)s better includes:": "Dinformoasje da noar uus wor verstuurd vo %(brand)s te verbetern betreft:",
"Where this page includes identifiable information, such as a room, user or group ID, that data is removed before being sent to the server.": "Woar da da blad hier identificeerboare informoasje bevat, gelyk e gespreks-, gebruukers- of groeps-ID, goan deze gegevens verwyderd wordn voorda ze noa de server gestuurd wordn.",
"Call Failed": "Iproep mislukt",
"Review Devices": "Toestelln noakykn",
"Call Anyway": "Algelyk belln",
"Answer Anyway": "Algelyk beantwoordn",
"Call": "Belln",
"Answer": "Beantwoordn",
"Call Timeout": "Iproeptime-out",
"The remote side failed to pick up": "Den andere kant èt nie ipgepakt",
"Unable to capture screen": "Kostege geen schermafdruk moakn",
@ -33,8 +26,6 @@
"VoIP is unsupported": "VoIP wor nie oundersteund",
"You cannot place VoIP calls in this browser.": "Jen kut in deezn browser gin VoIP-iproepen pleegn.",
"You cannot place a call with yourself.": "Jen ku jezelve nie belln.",
"Could not connect to the integration server": "Verbindienge me dintegroasjeserver es mislukt",
"A conference call could not be started because the integrations server is not available": "Me da dintegroasjeserver ounbereikboar is kostege t groepsaudiogesprek nie gestart wordn",
"Call in Progress": "Loopnd gesprek",
"A call is currently being placed!": "t Wordt al een iproep gemakt!",
"A call is already in progress!": "t Es al e gesprek actief!",
@ -49,7 +40,6 @@
"Server may be unavailable, overloaded, or you hit a bug.": "De server es misschiens ounbereikboar of overbelast, of je zyt e foute tegengekommn.",
"The server does not support the room version specified.": "De server oundersteunt deze versie van gesprekkn nie.",
"Failure to create room": "Anmoakn van gesprek es mislukt",
"Send anyway": "Algelyk verstuurn",
"Send": "Verstuurn",
"Sun": "Zun",
"Mon": "Moa",
@ -84,7 +74,6 @@
"Which rooms would you like to add to this community?": "Welke gesprekkn wil je toevoegn an deze gemeenschap?",
"Show these rooms to non-members on the community page and room list?": "Deze gesprekkn toogn an nie-leedn ip t gemeenschapsblad en de gesprekslyste?",
"Add rooms to the community": "Voegt gesprekkn toe an de gemeenschap",
"Room name or alias": "Gespreks(by)noame",
"Add to community": "Toevoegn an gemeenschap",
"Failed to invite the following users to %(groupId)s:": "Uutnodign van de volgende gebruukers in %(groupId)s es mislukt:",
"Failed to invite users to community": "Uutnodign van gebruukers in gemeenschap es mislukt",
@ -94,19 +83,16 @@
"Error": "Foute",
"Unable to load! Check your network connectivity and try again.": "Loadn mislukt! Controleer je netwerktoegang en herprobeer t e ki.",
"Dismiss": "Afwyzn",
"Riot does not have permission to send you notifications - please check your browser settings": "Riot èt geen toestemmienge vo je meldiengn te verstuurn - controleert je browserinstelliengn",
"Riot was not given permission to send notifications - please try again": "Riot èt geen toestemmienge gekreegn ghed vo joun meldiengn te verstuurn - herprobeer t e ki",
"%(brand)s does not have permission to send you notifications - please check your browser settings": "%(brand)s èt geen toestemmienge vo je meldiengn te verstuurn - controleert je browserinstelliengn",
"%(brand)s was not given permission to send notifications - please try again": "%(brand)s èt geen toestemmienge gekreegn ghed vo joun meldiengn te verstuurn - herprobeer t e ki",
"Unable to enable Notifications": "Kostege meldiengn nie inschoakeln",
"This email address was not found": "Dat e-mailadresse hier es nie gevoundn",
"Your email address does not appear to be associated with a Matrix ID on this Homeserver.": "t Ziet ernoar uut da jen e-mailadresse ip dezen thuusserver nie an e Matrix-ID es gekoppeld.",
"Registration Required": "Registroasje vereist",
"You need to register to do this. Would you like to register now?": "Hiervoorn moe je je registreern. Wil je da nu doen?",
"Register": "Registreern",
"Default": "Standoard",
"Restricted": "Beperkten toegank",
"Moderator": "Moderator",
"Admin": "Beheerder",
"Start a chat": "Gesprek beginn",
"Operation failed": "Handelienge es mislukt",
"Failed to invite": "Uutnodign es mislukt",
"Failed to invite users to the room:": "Kostege de volgende gebruukers hier nie uutnodign:",
@ -137,9 +123,7 @@
"This room has no topic.": "Da gesprek hier èt geen ounderwerp.",
"Sets the room name": "Stelt de gespreksnoame in",
"Invites user with given id to current room": "Nodigt de gebruuker me de gegeevn ID uut in t huudig gesprek",
"Joins room with given alias": "Treedt tout t gesprek toe me de gegeevn bynoame",
"Leave room": "Deuregoan uut t gesprek",
"Unrecognised room alias:": "Ounbekende gespreksbynoame:",
"Kicks user with given id": "Stuurt de gebruuker me de gegeevn ID uut t gesprek",
"Bans user with given id": "Verbant de gebruuker me de gegeevn ID",
"Unbans user with given ID": "Ountbant de gebruuker me de gegeevn ID",
@ -194,11 +178,6 @@
"%(senderDisplayName)s disabled flair for %(groups)s in this room.": "%(senderDisplayName)s èt badges vo %(groups)s in da gesprek hier uutgeschoakeld.",
"%(senderDisplayName)s enabled flair for %(newGroups)s and disabled flair for %(oldGroups)s in this room.": "%(senderDisplayName)s èt badges in da gesprek hier vo %(newGroups)s in-, en vo %(oldGroups)s uutgeschoakeld.",
"%(senderDisplayName)s sent an image.": "%(senderDisplayName)s èt e fotootje gestuurd.",
"%(senderName)s added %(count)s %(addedAddresses)s as addresses for this room.|other": "%(senderName)s èt de adressn %(addedAddresses)s an da gesprek hier toegekend.",
"%(senderName)s added %(count)s %(addedAddresses)s as addresses for this room.|one": "%(senderName)s èt %(addedAddresses)s als gespreksadresse toegevoegd.",
"%(senderName)s removed %(count)s %(removedAddresses)s as addresses for this room.|other": "%(senderName)s èt t gespreksadresse %(removedAddresses)s verwyderd.",
"%(senderName)s removed %(count)s %(removedAddresses)s as addresses for this room.|one": "%(senderName)s èt de gespreksadressn %(removedAddresses)s verwyderd.",
"%(senderName)s added %(addedAddresses)s and removed %(removedAddresses)s as addresses for this room.": "%(senderName)s èt de gespreksadressn %(addedAddresses)s toegevoegd, en %(removedAddresses)s verwyderd.",
"%(senderName)s set the main address for this room to %(address)s.": "%(senderName)s èt %(address)s als hoofdadresse vo dit gesprek ingesteld.",
"%(senderName)s removed the main address for this room.": "%(senderName)s èt t hoofdadresse vo dit gesprek verwyderd.",
"Someone": "Etwien",
@ -235,7 +214,7 @@
"%(items)s and %(count)s others|one": "%(items)s en één ander",
"%(items)s and %(lastItem)s": "%(items)s en %(lastItem)s",
"Your browser does not support the required cryptography extensions": "Je browser oundersteunt de benodigde cryptografie-extensies nie",
"Not a valid Riot keyfile": "Geen geldig Riot-sleuterbestand",
"Not a valid %(brand)s keyfile": "Geen geldig %(brand)s-sleuterbestand",
"Authentication check failed: incorrect password?": "Anmeldiengscontrole mislukt: verkeerd paswoord?",
"Unrecognised address": "Adresse nie herkend",
"You do not have permission to invite people to this room.": "Jen èt geen toestemmienge vo menschn in dit gesprek uut te nodign.",
@ -281,7 +260,6 @@
"Group & filter rooms by custom tags (refresh to apply changes)": "Gesprekkn groepeern en filtern volgens eigen labels (herloadt vo de veranderienge te zien)",
"Render simple counters in room header": "Eenvoudige tellers boovnan t gesprek toogn",
"Enable Emoji suggestions while typing": "Emoticons voorstelln binst t typn",
"Use compact timeline layout": "Compacte tydlynindelienge gebruukn",
"Show a placeholder for removed messages": "Vullienge toogn vo verwyderde berichtn",
"Show join/leave messages (invites/kicks/bans unaffected)": "Berichtn over deelnaomn en verlatiengn toogn (dit èt geen effect ip uutnodigiengn, berispiengn of verbanniengn)",
"Show avatar changes": "Veranderiengn van avatar toogn",
@ -308,7 +286,6 @@
"Enable widget screenshots on supported widgets": "Widget-schermafdrukkn inschoakeln ip oundersteunde widgets",
"Prompt before sending invites to potentially invalid matrix IDs": "Bevestigienge vroagn voda uutnodigiengn noar meuglik oungeldige Matrix-IDs wordn verstuurd",
"Show developer tools": "Ontwikkeliengsgereedschap toogn",
"Order rooms in the room list by most important first instead of most recent": "Gesprekkn in de gesprekslyste sorteern ip belang in plekke van latste gebruuk",
"Show hidden events in timeline": "Verborgn gebeurtenissn ip de tydslyn weregeevn",
"Low bandwidth mode": "Lagebandbreedtemodus",
"Collecting app version information": "App-versieinformoasje wor verzoameld",
@ -419,7 +396,6 @@
"Confirm password": "Bevestig t paswoord",
"Change Password": "Paswoord verandern",
"Authentication": "Authenticoasje",
"Device ID": "Toestel-ID",
"Last seen": "Latst gezien",
"Failed to set display name": "Instelln van weergavenoame es mislukt",
"Unable to remove contact information": "Kan contactinformoasje nie verwydern",
@ -434,8 +410,6 @@
"Add": "Toevoegn",
"We've sent you an email to verify your address. Please follow the instructions there and then click the button below.": "M'èn joun een e-mail gestuurd vo jen adresse te verifieern. Gelieve de doarin gegeven anwyziengn ip te volgn en ton ip de knop hierounder te klikkn.",
"Email Address": "E-mailadresse",
"Disable Notifications": "Meldiengn uutschoakeln",
"Enable Notifications": "Meldiengn inschoakeln",
"Delete Backup": "Back-up verwydern",
"Are you sure? You will lose your encrypted messages if your keys are not backed up properly.": "Zy je zeker? Je goa je versleuterde berichtn kwytspeeln a je sleuters nie correct geback-upt zyn.",
"Encrypted messages are secured with end-to-end encryption. Only you and the recipient(s) have the keys to read these messages.": "Versleuterde berichtn zyn beveiligd me eind-tout-eind-versleuterienge. Alleene dountvanger(s) en gy èn de sleuters vo deze berichtn te leezn.",
@ -467,8 +441,6 @@
"Unable to fetch notification target list": "Kostege de bestemmiengslyste vo meldiengn nie iphoaln",
"Notification targets": "Meldiengsbestemmiengn",
"Advanced notification settings": "Geavanceerde meldiengsinstelliengn",
"There are advanced notifications which are not shown here": "Der zyn geavanceerde meldiengn dat hier nie getoogd wordn",
"You might have configured them in a client other than Riot. You cannot tune them in Riot but they still apply": "Jè ze meuglik ingesteld in een andere cliënt als Riot. Je ku ze nie anpassn in Riot, moa ze zyn wel actief",
"Show message in desktop notification": "Bericht toogn in bureaubladmeldienge",
"Off": "Uut",
"On": "An",
@ -491,17 +463,15 @@
"Phone numbers": "Telefongnumeros",
"Language and region": "Toale en regio",
"Theme": "Thema",
"Light theme": "Licht thema",
"Dark theme": "Dounker thema",
"Account management": "Accountbeheer",
"Deactivating your account is a permanent action - be careful!": "t Deactiveern van jen account ku nie oungedoan gemakt wordn - zy voorzichtig!",
"Deactivate Account": "Account deactiveern",
"General": "Algemeen",
"Legal": "Wettelik",
"Credits": "Me dank an",
"For help with using Riot, click <a>here</a>.": "Klikt <a>hier</a> voor hulp by t gebruukn van Riot.",
"For help with using Riot, click <a>here</a> or start a chat with our bot using the button below.": "Klikt <a>hier</a> voor hulp by t gebruukn van Riot, of begint e gesprek met uzze robot me de knop hieroundern.",
"Chat with Riot Bot": "Chattn me Riot-robot",
"For help with using %(brand)s, click <a>here</a>.": "Klikt <a>hier</a> voor hulp by t gebruukn van %(brand)s.",
"For help with using %(brand)s, click <a>here</a> or start a chat with our bot using the button below.": "Klikt <a>hier</a> voor hulp by t gebruukn van %(brand)s, of begint e gesprek met uzze robot me de knop hieroundern.",
"Chat with %(brand)s Bot": "Chattn me %(brand)s-robot",
"Check for update": "Controleern ip updates",
"Help & About": "Hulp & Info",
"Bug reporting": "Foutmeldiengn",
@ -509,7 +479,7 @@
"Submit debug logs": "Foutipsporiengslogboekn indienn",
"FAQ": "VGV",
"Versions": "Versies",
"riot-web version:": "riot-web-versie:",
"%(brand)s version:": "%(brand)s-versie:",
"olm version:": "olm-versie:",
"Homeserver is": "Thuusserver es",
"Identity Server is": "Identiteitsserver es",
@ -533,11 +503,11 @@
"Reject all %(invitedRooms)s invites": "Alle %(invitedRooms)s-uutnodigiengn weigern",
"Key backup": "Sleuterback-up",
"Security & Privacy": "Veiligheid & privacy",
"Riot collects anonymous analytics to allow us to improve the application.": "Riot verzoamelt anonieme analysegegeevns da t meuglik moakn van de toepassienge te verbetern.",
"%(brand)s collects anonymous analytics to allow us to improve the application.": "%(brand)s verzoamelt anonieme analysegegeevns da t meuglik moakn van de toepassienge te verbetern.",
"Privacy is important to us, so we don't collect any personal or identifiable data for our analytics.": "Privacy es belangryk voor uus, dus me verzoameln geen persoonlike of identificeerboare gegeevns voor uzze gegeevnsanalyse.",
"Learn more about how we use analytics.": "Leest meer over hoe da we joun gegeevns gebruukn.",
"No media permissions": "Geen mediatoestemmiengn",
"You may need to manually permit Riot to access your microphone/webcam": "Je moe Riot wellicht handmoatig toestoan van je microfoon/webcam te gebruukn",
"You may need to manually permit %(brand)s to access your microphone/webcam": "Je moe %(brand)s wellicht handmoatig toestoan van je microfoon/webcam te gebruukn",
"Missing media permissions, click the button below to request.": "Mediatoestemmiengn ountbreekn, klikt ip de knop hierounder vo deze an te vroagn.",
"Request media permissions": "Mediatoestemmiengn verzoekn",
"No Audio Outputs detected": "Geen geluudsuutgangn gedetecteerd",
@ -591,7 +561,6 @@
"Once enabled, encryption for a room cannot be disabled. Messages sent in an encrypted room cannot be seen by the server, only by the participants of the room. Enabling encryption may prevent many bots and bridges from working correctly. <a>Learn more about encryption.</a>": "Van zodra da de versleuterienge voor e gesprek es ingeschoakeld gewist, es t nie mi meuglik van t were uut te schoakeln. Berichtn da in e versleuterd gesprek wordn verstuurd wordn nie gezien deur de server, alleene moa deur de deelnemers an t gesprek. Deur de versleuterienge in te schoakeln kunn veel robots en overbruggiengen nie juste functioneern. <a>Leest meer over de versleuterienge.</a>",
"Guests cannot join this room even if explicitly invited.": "Gastn kunn nie tout dit gesprek toetreedn, zelfst nie as ze uutdrukkelik uutgenodigd gewist zyn.",
"Click here to fix": "Klikt hier vo dit ip te lossen",
"To link to this room, please add an alias.": "Voegt een bynoame toe vo noa dit gesprek te verwyzn.",
"Only people who have been invited": "Alleen menschn dat uutgenodigd gewist zyn",
"Anyone who knows the room's link, apart from guests": "Iedereen da de koppelienge van t gesprek kent, behalve gastn",
"Anyone who knows the room's link, including guests": "Iedereen da de koppelienge van t gesprek kent, inclusief gastn",
@ -619,8 +588,6 @@
"%(senderName)s uploaded a file": "%(senderName)s èt e bestand ipgeloaden",
"Key request sent.": "Sleuterverzoek verstuurd.",
"Please select the destination room for this message": "Selecteer t bestemmingsgesprek vo dit bericht",
"Scroll to bottom of page": "Scrollt noa den onderkant van t blad",
"device id: ": "toestel-ID: ",
"Disinvite": "Uutnodigienge intrekkn",
"Kick": "Uut t gesprek stuurn",
"Disinvite this user?": "Uutnodigienge vo deze gebruuker intrekkn?",
@ -634,7 +601,6 @@
"You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.": "Je kut deze actie nie oungedoan moakn omda je jen eigen degradeert. A je de latste bevoorrechte gebruuker in t gesprek zyt, is t ounmeuglik van deze rechtn were te krygn.",
"Demote": "Degradeern",
"Failed to mute user": "Dempn van gebruuker es mislukt",
"Failed to toggle moderator status": "Anpassn van moderatorstatus es mislukt",
"Failed to change power level": "Wyzign van t machtsniveau es mislukt",
"You will not be able to undo this change as you are promoting the user to have the same power level as yourself.": "Je kut deze veranderiengn nie oungedoan moakn angezien da je de gebruuker tout tzelfste niveau als jen eigen promoveert.",
"Ignore": "Negeern",
@ -642,12 +608,8 @@
"Mention": "Vermeldn",
"Invite": "Uutnodign",
"Share Link to User": "Koppelienge me de gebruuker deeln",
"User Options": "Gebruukersopties",
"Direct chats": "Twigesprekkn",
"Unmute": "Nie dempn",
"Mute": "Dempn",
"Revoke Moderator": "Moderator degradeern",
"Make Moderator": "Benoemn tout moderator",
"Admin Tools": "Beheerdersgereedschap",
"Close": "Sluutn",
"and %(count)s others...|other": "en %(count)s anderen…",
@ -661,9 +623,7 @@
"Hangup": "Iphangn",
"Upload file": "Bestand iploadn",
"Send an encrypted reply…": "Verstuurt e versleuterd antwoord…",
"Send a reply (unencrypted)…": "Verstuurt een antwoord (ounversleuterd)…",
"Send an encrypted message…": "Verstuurt e versleuterd bericht…",
"Send a message (unencrypted)…": "Verstuurt een bericht (ounversleuterd)…",
"The conversation continues here.": "t Gesprek goat hier verder.",
"This room has been replaced and is no longer active.": "Dit gesprek is vervangn gewist en is nie langer actief.",
"You do not have permission to post to this room": "Jèt geen toestemmienge voor in dit gesprek te postn",
@ -763,16 +723,9 @@
"Jump to first unread message.": "Spriengt noa t eeste oungeleezn bericht.",
"Error updating main address": "Foute by t bywerkn van t hoofdadresse",
"There was an error updating the room's main address. It may not be allowed by the server or a temporary failure occurred.": "t Es e foute ipgetreedn by t bywerkn van t hoofdadresse van t gesprek. Dit wor meugliks nie toegeloatn deur de server, of der es een tydelik probleem ipgetreedn.",
"Error creating alias": "Foute by t anmoakn van de bynoame",
"There was an error creating that alias. It may not be allowed by the server or a temporary failure occurred.": "t Es e foute ipgetreedn by t anmoakn van die bynoame. Dit wor meugliks nie toegeloatn deur de server, of der is een tydelik probleem ipgetreedn.",
"Error removing alias": "Foute by t verwydern van de bynoame",
"There was an error removing that alias. It may no longer exist or a temporary error occurred.": "t Es e foute ipgetreedn by t verwydern van die bynoame. Meugliks bestoa ze nie mi, of der es een tydelike foute ipgetreedn.",
"Main address": "Hoofdadresse",
"not specified": "nie ingegeevn",
"Remote addresses for this room:": "Externe adressn vo dit gesprek:",
"Local addresses for this room:": "Lokoale adressn vo dit gesprek:",
"This room has no local addresses": "Dit gesprek è geen lokoale adressn",
"New address (e.g. #foo:%(localDomain)s)": "Nieuw adresse (bv. #foo:%(localDomain)s)",
"Error updating flair": "Foute by t bywerkn van de badge",
"There was an error updating the flair for this room. The server may not allow it or a temporary error occurred.": "t Es e foute ipgetreedn by t bywerkn van de badge vo dit gesprek. De server oundersteunt dit meugliks nie, of der es een tydelike foute ipgetreedn.",
"Invalid community ID": "Oungeldige gemeenschaps-ID",
@ -822,9 +775,6 @@
"Add an Integration": "Voegt een integroasje toe",
"You are about to be taken to a third-party site so you can authenticate your account for use with %(integrationsUrl)s. Do you wish to continue?": "Je goa sebiet noar en derdepartywebsite gebracht wordn zoda je den account ku legitimeern vo gebruuk me %(integrationsUrl)s. Wil je verdergoan?",
"edited": "bewerkt",
"Removed or unknown message type": "Verwyderd of ounbekend berichttype",
"Message removed by %(userId)s": "Bericht verwyderd deur %(userId)s",
"Message removed": "Bericht verwyderd",
"Remove from community": "Verwydern uut de gemeenschap",
"Disinvite this user from community?": "Uutnodigienge vo deze gebruuker tout de gemeenschap intrekkn?",
"Remove this user from community?": "Deze gebruuker uut de gemeenschap verwydern?",
@ -847,20 +797,12 @@
"Something went wrong when trying to get your communities.": "t Ging etwa verkeerd by t iphoaln van je gemeenschappn.",
"Display your community flair in rooms configured to show it.": "Toogt je gemeenschapsbadge in gesprekkn da doarvoorn ingesteld gewist zyn.",
"You're not currently a member of any communities.": "Je zy vo de moment geen lid van e gemeenschap.",
"Please help improve Riot.im by sending <UsageDataLink>anonymous usage data</UsageDataLink>. This will use a cookie (please see our <PolicyLink>Cookie Policy</PolicyLink>).": "Helpt mee me Riot.im te verbetern door <UsageDataLink>anonieme gebruuksgegeevns</UsageDataLink> te verstuurn. Dit goat een cookie gebruukn (bekykt hiervoorn uus <PolicyLink>cookiebeleid</PolicyLink>).",
"Please help improve Riot.im by sending <UsageDataLink>anonymous usage data</UsageDataLink>. This will use a cookie.": "Helpt mee me Riot.im te verbetern door <UsageDataLink>anonieme gebruuksgegeevns</UsageDataLink> te verstuurn. Dit goat een cookie gebruukn.",
"Yes, I want to help!": "Joak, k willn ik helpn!",
"You are not receiving desktop notifications": "Jontvangt vo de moment geen bureaubladmeldiengn",
"Enable them now": "Deze nu inschoakeln",
"What's New": "Wuk es t er nieuw",
"Update": "Bywerkn",
"What's new?": "Wuk es t er nieuw?",
"A new version of Riot is available.": "Der es e nieuwe versie van Riot beschikboar.",
"To return to your account in future you need to <u>set a password</u>": "Voor in de toekomst noa jen account were te keren es t nodig van <u>e paswoord in te stelln</u>",
"Set Password": "Paswoord instelln",
"Please <a>contact your service administrator</a> to get this limit increased.": "Gelieve <a>contact ip te neemn me je dienstbeheerder</a> vo deze limiet te verhoogn.",
"This homeserver has hit its Monthly Active User limit so <b>some users will not be able to log in</b>.": "Deze thuusserver è zn limiet vo moandeliks actieve gebruukers bereikt, woadeure da <b>sommige gebruukers hunder nie goan kunn anmeldn</b>.",
"This homeserver has exceeded one of its resource limits so <b>some users will not be able to log in</b>.": "Deze thuusserver èt één van zn systeembronlimietn overschreedn, woadeure da <b>sommige gebruukers hunder nie goan kunn anmeldn</b>.",
"Error encountered (%(errorDetail)s).": "t Es e foute ipgetreedn (%(errorDetail)s).",
"Checking for an update...": "Bezig me te controleern ip updates…",
"No update available.": "Geen update beschikboar.",
@ -877,10 +819,6 @@
"Maximize apps": "Apps maximaliseern",
"Popout widget": "Widget in e nieuwe veinster openn",
"Create new room": "E nieuw gesprek anmoakn",
"Unblacklist": "Deblokkeern",
"Blacklist": "Blokkeern",
"Unverify": "Ountverifieern",
"Verify...": "Verifieern…",
"Join": "Deelneemn",
"No results": "Geen resultoatn",
"Communities": "Gemeenschappn",
@ -988,8 +926,7 @@
"Create": "Anmoakn",
"Create Room": "Gesprek anmoakn",
"Sign out": "Afmeldn",
"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 Riot to do this": "Vo je gespreksgeschiedenisse nie kwyt te speeln, moe je je gesprekssleuters exporteern vooraleer da je jen afmeldt. Je goa moetn werekeern noa de nieuwere versie van Riot vo dit te doen",
"You've previously used a newer version of Riot on %(host)s. To use this version again with end to end encryption, you will need to sign out and back in again. ": "Jèt al e ki e nieuwere versie van Riot ip %(host)s gebruukt. Vo deze versie were met eind-tout-eind-versleuterienge te gebruukn, goa je je moetn afmeldn en were anmeldn. ",
"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": "Vo je gespreksgeschiedenisse nie kwyt te speeln, moe je je gesprekssleuters exporteern vooraleer da je jen afmeldt. Je goa moetn werekeern noa de nieuwere versie van %(brand)s vo dit te doen",
"Incompatible Database": "Incompatibele database",
"Continue With Encryption Disabled": "Verdergoan me versleuterienge uutgeschoakeld",
"Unknown error": "Ounbekende foute",
@ -999,14 +936,6 @@
"Message visibility in Matrix is similar to email. Our forgetting your messages means that messages you have sent will not be shared with any new or unregistered users, but registered users who already have access to these messages will still have access to their copy.": "De zichtboarheid van berichtn in Matrix is lik by e-mails. t Vergeetn van je berichtn betekent da berichtn da je gy è verstuurd nie mi gedeeld goan wordn me nieuwe of oungeregistreerde gebruukers, mo geregistreerde gebruukers dat al toegank han tout deze berichtn goan nog assan toegank èn tout hunder eigen kopie dervan.",
"Please forget all messages I have sent when my account is deactivated (<b>Warning:</b> this will cause future users to see an incomplete view of conversations)": "Vergeet alle berichtn dan kik verstuurd ghed èn wanneer da myn account gedeactiveerd gewist es (<b>Let ip:</b> dit goat der voorn zorgn da toekomstige gebruukers een ounvolledig beeld krygn van gesprekkn)",
"To continue, please enter your password:": "Gif je paswoord in vo verder te goan:",
"Use Legacy Verification (for older clients)": "Verouderde verificoasje gebruukn (voor oudere cliëntn)",
"Verify by comparing a short text string.": "Verifieert deur e korte tekenreekse te vergelykn.",
"Begin Verifying": "Verificoasje beginn",
"Waiting for partner to accept...": "An t wachtn ip de partner…",
"Nothing appearing? Not all clients support interactive verification yet. <button>Use legacy verification</button>.": "Verschynt er nietent? Nog nie alle cliëntn biedn oundersteunienge voor interactieve verificoasje. <button>Gebruukt verouderde verificoasje</button>.",
"Waiting for %(userId)s to confirm...": "Wachtn ip bevestigienge van %(userId)s…",
"Use two-way text verification": "Twirichtiengstekstverificoasje gebruukn",
"I verify that the keys match": "k Verifieern dan de sleuters overeenkommn",
"Back": "Were",
"Send Custom Event": "Angepaste gebeurtenisse verstuurn",
"You must specify an event type!": "Je moet e gebeurtenistype ingeevn!",
@ -1026,16 +955,12 @@
"Verify this user to mark them as trusted. Trusting users gives you extra peace of mind when using end-to-end encrypted messages.": "Verifieert deze gebruuker vo nhem/heur als vertrouwd te markeern. Gebruukers vertrouwn gift je extra gemoedsrust by t gebruuk van eind-tout-eind-versleuterde berichtn.",
"Waiting for partner to confirm...": "Wachtn ip bevestigienge van partner…",
"Incoming Verification Request": "Inkomend verificoasjeverzoek",
"Start verification": "Verificoasje beginn",
"Share without verifying": "Deeln zounder verificoasje",
"Ignore request": "Verzoek negeern",
"Encryption key request": "Verzoek vo versleuteriengssleuter",
"You've previously used Riot 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, Riot needs to resync your account.": "Jèt al e ki Riot ip %(host)s gebruukt me lui loadn van leedn ingeschoakeld. In deze versie is lui laden uutgeschoakeld. Me da de lokoale cache nie compatibel is tusschn deze twi instelliengn, moe Riot jen account hersynchroniseern.",
"If the other version of Riot is still open in another tab, please close it as using Riot on the same host with both lazy loading enabled and disabled simultaneously will cause issues.": "Indien dat dandere versie van Riot nog in een ander tabblad is geopend, sluut je da best, want Riot ip dezelfsten host tegelykertyd me lui loadn ingeschoakeld en uutgeschoakeld gebruukn goa vo probleemn zorgn.",
"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.": "Jèt al e ki %(brand)s ip %(host)s gebruukt me lui loadn van leedn ingeschoakeld. In deze versie is lui laden uutgeschoakeld. Me da de lokoale cache nie compatibel is tusschn deze twi instelliengn, moe %(brand)s jen account hersynchroniseern.",
"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.": "Indien dat dandere versie van %(brand)s nog in een ander tabblad is geopend, sluut je da best, want %(brand)s ip dezelfsten host tegelykertyd me lui loadn ingeschoakeld en uutgeschoakeld gebruukn goa vo probleemn zorgn.",
"Incompatible local cache": "Incompatibele lokoale cache",
"Clear cache and resync": "Cache wissn en hersynchroniseern",
"Riot now uses 3-5x less memory, by only loading information about other users when needed. Please wait whilst we resynchronise with the server!": "Riot verbruukt nu 3-5x minder geheugn, deur informoasje over andere gebruukers alleene moa te loadn wanneer dan t nodig is. Eftjes geduld, we zyn an t hersynchroniseern me de server!",
"Updating Riot": "Riot wor bygewerkt",
"%(brand)s now uses 3-5x less memory, by only loading information about other users when needed. Please wait whilst we resynchronise with the server!": "%(brand)s verbruukt nu 3-5x minder geheugn, deur informoasje over andere gebruukers alleene moa te loadn wanneer dan t nodig is. Eftjes geduld, we zyn an t hersynchroniseern me de server!",
"Updating %(brand)s": "%(brand)s wor bygewerkt",
"I don't want my encrypted messages": "k En willn ik myn versleuterde berichtn nie",
"Manually export keys": "Sleuters handmatig exporteern",
"You'll lose access to your encrypted messages": "Je goat de toegank tou je versleuterde berichtn kwytspeeln",
@ -1059,7 +984,7 @@
"Refresh": "Herloadn",
"Unable to restore session": "t En is nie meuglik van de sessie therstelln",
"We encountered an error trying to restore your previous session.": "t Is e foute ipgetreedn by t herstelln van je vorige sessie.",
"If you have previously used a more recent version of Riot, your session may be incompatible with this version. Close this window and return to the more recent version.": "A jal e ki gebruuk gemakt èt van e recentere versie van Riot, is je sessie meugliks ounverenigboar me deze versie. Sluut deze veinster en goa were noa de recentere versie.",
"If you have previously used a more recent version of %(brand)s, your session may be incompatible with this version. Close this window and return to the more recent version.": "A jal e ki gebruuk gemakt èt van e recentere versie van %(brand)s, is je sessie meugliks ounverenigboar me deze versie. Sluut deze veinster en goa were noa de recentere versie.",
"Clearing your browser's storage may fix the problem, but will sign you out and cause any encrypted chat history to become unreadable.": "t Legen van den ipslag van je browser goa t probleem misschiens verhelpn, mo goa joun ook afmeldn en gans je versleuterde gespreksgeschiedenisse ounleesboar moakn.",
"Verification Pending": "Verificoasje in afwachtienge",
"Please check your email and click on the link it contains. Once this is done, click continue.": "Bekyk jen e-mails en klikt ip de koppelienge derin. Klikt van zodra da je da gedoan èt ip Verdergoan.",
@ -1107,28 +1032,19 @@
"Remember my selection for this widget": "Onthoudt myn keuze vo deze widget",
"Deny": "Weigern",
"Unable to load backup status": "Kostege back-upstatus nie loadn",
"Recovery Key Mismatch": "Herstelsleuter kom nie overeen",
"Backup could not be decrypted with this key: please verify that you entered the correct recovery key.": "Den back-up kostege me deze sleuter nie ountsleuterd wordn: controleert of da je de juste herstelsleuter èt ingegeevn.",
"Incorrect Recovery Passphrase": "Verkeerd herstelpaswoord",
"Backup could not be decrypted with this passphrase: please verify that you entered the correct recovery passphrase.": "Den back-up kostege me dit paswoord nie ountsleuterd wordn: controleert of da je t juste herstelpaswoord èt ingegeevn.",
"Unable to restore backup": "Kostege back-up nie herstelln",
"No backup found!": "Geen back-up gevoundn!",
"Backup Restored": "Back-up hersteld",
"Failed to decrypt %(failedCount)s sessions!": "Ountsleutern van %(failedCount)s sessies is mislukt!",
"Restored %(sessionCount)s session keys": "%(sessionCount)s sessiesleuters hersteld",
"Enter Recovery Passphrase": "Gif t herstelpaswoord in",
"<b>Warning</b>: you should only set up key backup from a trusted computer.": "<b>Let ip</b>: stelt sleuterback-up alleene moar in ip e vertrouwde computer.",
"Access your secure message history and set up secure messaging by entering your recovery passphrase.": "Verkrygt toegank tout je beveiligde berichtgeschiedenisse en stel beveiligd chattn in door jen herstelpaswoord in te geevn.",
"Next": "Volgende",
"If you've forgotten your recovery passphrase you can <button1>use your recovery key</button1> or <button2>set up new recovery options</button2>": "A je jen herstelpaswoord zy vergeetn, ku je <button1>jen herstelsleuter gebruukn</button1> of <button2>nieuwe herstelopties instelln</button2>",
"Enter Recovery Key": "Gift de herstelsleuter in",
"This looks like a valid recovery key!": "Dit is e geldigen herstelsleuter!",
"Not a valid recovery key": "Geen geldigen herstelsleuter",
"Access your secure message history and set up secure messaging by entering your recovery key.": "Verkrygt toegank tout je beveiligde berichtgeschiedenisse en stel beveiligd chattn in door jen herstelsleuter in te geevn.",
"Private Chat": "Privégesprek",
"Public Chat": "Openboar gesprek",
"Custom": "Angepast",
"Alias (optional)": "Bynoame (optioneel)",
"Reject invitation": "Uutnodigienge weigern",
"Are you sure you want to reject the invitation?": "Zy je zeker da je duutnodigienge wil weigern?",
"Unable to reject invite": "Kostege duutnodigienge nie weigern",
@ -1145,7 +1061,6 @@
"Quote": "Citeern",
"Source URL": "Bron-URL",
"Collapse Reply Thread": "Reactiekettienge toeklappn",
"End-to-end encryption information": "Info over eind-tout-eind-versleuterienge",
"Failed to set Direct Message status of room": "Instelln van twigesprekstoestand van gesprek is mislukt",
"unknown error code": "ounbekende foutcode",
"Failed to forget room %(errCode)s": "Vergeetn van gesprek is mislukt %(errCode)s",
@ -1168,7 +1083,6 @@
"This homeserver would like to make sure you are not a robot.": "Deze thuusserver wil geirn weetn of da je gy geen robot zyt.",
"Custom Server Options": "Angepaste serverinstelliengn",
"You can use the custom server options to sign into other Matrix servers by specifying a different homeserver URL. This allows you to use this app with an existing Matrix account on a different homeserver.": "Je kut de angepaste serveropties gebruukn vo jen an te meldn by andere Matrix-servers, deur een andere thuusserver-URL in te geevn. Dit biedt je de meuglikheid vo deze toepassienge te gebruukn met een bestoande Matrix-account ip een andere thuusserver.",
"To continue, please enter your password.": "Gif je paswoord in vo verder te goan.",
"Please review and accept all of the homeserver's policies": "Gelieve t beleid van de thuusserver te leezn en anveirdn",
"Please review and accept the policies of this homeserver:": "Gelieve t beleid van deze thuusserver te leezn en tanveirdn:",
"An email has been sent to %(emailAddress)s": "t Is een e-mail noa %(emailAddress)s verstuurd gewist",
@ -1223,8 +1137,8 @@
"Premium hosting for organisations <a>Learn more</a>": "Premium hosting voor organisoasjes <a>Leest meer</a>",
"Other": "Overige",
"Find other public servers or use a custom server": "Zoekt achter andere publieke servers, of gebruukt een angepaste server",
"Sorry, your browser is <b>not</b> able to run Riot.": "Sorry, je browser werkt <b>nie</b> me Riot.",
"Riot uses many advanced browser features, some of which are not available or experimental in your current browser.": "Riot gebruukt veel geavanceerde browserfuncties, woavan enkele nie (of slechts experimenteel) in je browser beschikboar zyn.",
"Sorry, your browser is <b>not</b> able to run %(brand)s.": "Sorry, je browser werkt <b>nie</b> me %(brand)s.",
"%(brand)s uses many advanced browser features, some of which are not available or experimental in your current browser.": "%(brand)s gebruukt veel geavanceerde browserfuncties, woavan enkele nie (of slechts experimenteel) in je browser beschikboar zyn.",
"Please install <chromeLink>Chrome</chromeLink>, <firefoxLink>Firefox</firefoxLink>, or <safariLink>Safari</safariLink> for the best experience.": "Installeert <chromeLink>Chrome</chromeLink>, <firefoxLink>Firefox</firefoxLink>, of <safariLink>Safari</safariLink> vo de beste gebruukservoarienge.",
"With your current browser, the look and feel of the application may be completely incorrect, and some or all features may not function. If you want to try it anyway you can continue, but you are on your own in terms of any issues you may encounter!": "Me jen huudigen browser kut de toepassienge der geheel verkeerd uutzien. t Is ook meuglik da nie alle functies werkn lyk of dan ze zoudn moetn. Je kut verdergoan a je t algelyk wil probeern, moa by probleemn zy je gy t dan t goa moetn iplossn!",
"I understand the risks and wish to continue": "k Verstoan de risicos en k willn geirn verdergoan",
@ -1286,26 +1200,24 @@
"To continue using the %(homeserverDomain)s homeserver you must review and agree to our terms and conditions.": "Vo de %(homeserverDomain)s-thuusserver te bluuvn gebruukn, goa je de gebruuksvoorwoardn moetn leezn en anveirdn.",
"Review terms and conditions": "Gebruuksvoorwoardn leezn",
"Old cryptography data detected": "Oude cryptografiegegeevns gedetecteerd",
"Data from an older version of Riot has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "t Zyn gegeevns van een oudere versie van Riot gedetecteerd gewist. Dit goa probleemn veroorzakt ghed èn me de eind-tout-eind-versleuterienge in doude versie. Eind-tout-eind-versleuterde berichtn da recent uutgewisseld gewist zyn me doude versie zyn meugliks nie tountsleutern in deze versie. Dit zoudt der ook voorn kunnn zorgn da berichtn da uutgewisseld gewist zyn in deze versie foaln. Meldt jen heran moest je probleemn ervoarn. Exporteert de sleuters en importeer zachteraf were vo de berichtgeschiedenisse te behoudn.",
"Data from an older version of %(brand)s has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "t Zyn gegeevns van een oudere versie van %(brand)s gedetecteerd gewist. Dit goa probleemn veroorzakt ghed èn me de eind-tout-eind-versleuterienge in doude versie. Eind-tout-eind-versleuterde berichtn da recent uutgewisseld gewist zyn me doude versie zyn meugliks nie tountsleutern in deze versie. Dit zoudt der ook voorn kunnn zorgn da berichtn da uutgewisseld gewist zyn in deze versie foaln. Meldt jen heran moest je probleemn ervoarn. Exporteert de sleuters en importeer zachteraf were vo de berichtgeschiedenisse te behoudn.",
"Logout": "Afmeldn",
"Your Communities": "Je gemeenschappn",
"Did you know: you can use communities to filter your Riot.im experience!": "Wist je da: je gemeenschappn kun gebruukn vo je Riot.im-belevienge te filtern!",
"Did you know: you can use communities to filter your %(brand)s experience!": "Wist je da: je gemeenschappn kun gebruukn vo je %(brand)s-belevienge te filtern!",
"To set up a filter, drag a community avatar over to the filter panel on the far left hand side of the screen. You can click on an avatar in the filter panel at any time to see only the rooms and people associated with that community.": "Verslipt e gemeenschapsavatar noa t filterpaneel helegans links ip t scherm voor e filter in te stelln. Doarachter ku jip den avatar in t filterpaneel klikkn wanneer da je je wil beperkn tout de gesprekkn en menschn uut die gemeenschap.",
"Error whilst fetching joined communities": "t Is e foute ipgetreedn by t iphoaln van de gemeenschappn da je lid van zyt",
"Create a new community": "Makt e nieuwe gemeenschap an",
"Create a community to group together users and rooms! Build a custom homepage to mark out your space in the Matrix universe.": "Makt e gemeenschap an vo gebruukers en gesprekkn by makoar te briengn! Schep met e startblad ip moet jen eigen pleksje in t Matrix-universum.",
"You have no visible notifications": "Jè geen zichtboare meldiengn",
"Riot failed to get the protocol list from the homeserver. The homeserver may be too old to support third party networks.": "Riot kostege de protocollyste nie iphoaln van de thuusserver. Meugliks is de thuusserver te oud vo derdepartynetwerkn toundersteunn.",
"Riot failed to get the public room list.": "Riot kostege de lyste met openboare gesprekkn nie verkrygn.",
"%(brand)s failed to get the protocol list from the homeserver. The homeserver may be too old to support third party networks.": "%(brand)s kostege de protocollyste nie iphoaln van de thuusserver. Meugliks is de thuusserver te oud vo derdepartynetwerkn toundersteunn.",
"%(brand)s failed to get the public room list.": "%(brand)s kostege de lyste met openboare gesprekkn nie verkrygn.",
"The homeserver may be unavailable or overloaded.": "De thuusserver is meugliks ounbereikboar of overbelast.",
"Delete the room alias %(alias)s and remove %(name)s from the directory?": "De bynoame %(alias)s verwydern en %(name)s uut de cataloog verwydern?",
"Remove %(name)s from the directory?": "%(name)s uut de cataloog verwydern?",
"Remove from Directory": "Verwydern uut cataloog",
"remove %(name)s from the directory.": "verwydert %(name)s uut de cataloog.",
"delete the alias.": "verwydert de bynoame.",
"The server may be unavailable or overloaded": "De server is meuglik ounbereikboar of overbelast",
"Unable to join network": "Kostege nie toetreedn tout dit netwerk",
"Riot does not know how to join a room on this network": "Riot weet nie hoe da t moet deelneemn an e gesprek ip dit netwerk",
"%(brand)s does not know how to join a room on this network": "%(brand)s weet nie hoe da t moet deelneemn an e gesprek ip dit netwerk",
"Room not found": "Gesprek nie gevoundn",
"Couldn't find a matching Matrix room": "Kostege geen byhoornd Matrix-gesprek viendn",
"Fetching third party location failed": "t Iphoaln van de locoasje van de derde party is mislukt",
@ -1327,7 +1239,6 @@
"Search failed": "Zoekn mislukt",
"Server may be unavailable, overloaded, or search timed out :(": "De server is misschiens ounbereikboar of overbelast, of t zoekn deurdege te lank :(",
"No more results": "Geen resultoatn nie mi",
"Unknown room %(roomId)s": "Ounbekend gesprek %(roomId)s",
"Room": "Gesprek",
"Failed to reject invite": "Weigern van duutnodigienge is mislukt",
"You have %(count)s unread notifications in a prior version of this room.|other": "Jèt %(count)s oungeleezn meldiengn in e voorgoande versie van dit gesprek.",
@ -1394,22 +1305,8 @@
"Notify the whole room": "Loat dit an gans t groepsgesprek weetn",
"Room Notification": "Groepsgespreksmeldienge",
"Users": "Gebruukers",
"unknown device": "ounbekend toestel",
"NOT verified": "NIE geverifieerd",
"Blacklisted": "Geblokkeerd",
"verified": "geverifieerd",
"Name": "Noame",
"Verification": "Verificoasje",
"Ed25519 fingerprint": "Ed25519-viengerafdruk",
"User ID": "Gebruukers-ID",
"Curve25519 identity key": "Curve25519-identiteitssleuter",
"none": "geen",
"Claimed Ed25519 fingerprint key": "Geclaimde Ed25519-viengerafdrukssleuter",
"Algorithm": "Algoritme",
"unencrypted": "ounversleuterd",
"Decryption error": "Ountsleuteriengsfoute",
"Session ID": "Sessie-ID",
"Event information": "Gebeurtenisinformoasje",
"Passphrases must match": "Paswoordn moetn overeenkommn",
"Passphrase must not be empty": "Paswoord meug nie leeg zyn",
"Export room keys": "Gesprekssleuters exporteern",
@ -1423,34 +1320,18 @@
"The export file will be protected with a passphrase. You should enter the passphrase here, to decrypt the file.": "t Geëxporteerd bestand is beveiligd met e paswoord. Gift da paswoord hier in vo t bestand tountsleutern.",
"File to import": "Timporteern bestand",
"Import": "Importeern",
"Great! This passphrase looks strong enough.": "Top! Dit paswoord ziet der sterk genoeg uut.",
"We'll store an encrypted copy of your keys on our server. Protect your backup with a passphrase to keep it secure.": "We bewoarn e versleuterde kopie van je sleuters ip uzze server. Bescherm je back-up met e paswoord vo nhem veilig thoudn.",
"For maximum security, this should be different from your account password.": "Vo maximoale veiligheid zoudt dit moetn verschilln van jen accountpaswoord.",
"Enter a passphrase...": "Gift e paswoord in…",
"Set up with a Recovery Key": "Instelln met een herstelsleuter",
"That matches!": "Da komt overeen!",
"That doesn't match.": "Da kom nie overeen.",
"Go back to set it again.": "Goa were vo t herin te stelln.",
"Please enter your passphrase a second time to confirm.": "Gif je paswoord nog e keer in vo te bevestign.",
"Repeat your passphrase...": "Herhoal je paswoord…",
"As a safety net, you can use it to restore your encrypted message history if you forget your Recovery Passphrase.": "Als veiligheidsnet ku je dit gebruukn vo je versleuterde berichtgeschiedenisse therstelln indien da je jen herstelpaswoord zou vergeetn.",
"As a safety net, you can use it to restore your encrypted message history.": "Als veiligheidsnet ku je t gebruukn vo je versleuterde berichtgeschiedenisse therstelln.",
"Your recovery key is a safety net - you can use it to restore access to your encrypted messages if you forget your passphrase.": "Jen herstelsleuter is e veiligheidsnet - je kut hem gebruukn vo de toegank tou je versleuterde berichtn therstelln indien da je je paswoord zou vergeetn.",
"Your Recovery Key": "Jen herstelsleuter",
"Copy to clipboard": "Kopieern noa t klembord",
"Download": "Downloadn",
"<b>Print it</b> and store it somewhere safe": "<b>Print hem af</b> en bewoart hem ip e veilige plekke",
"<b>Save it</b> on a USB key or backup drive": "<b>Sloat hem ip</b> ip een USB-stick of e back-upschyf",
"<b>Copy it</b> to your personal cloud storage": "<b>Kopieert hem</b> noa je persoonlike cloudipslag",
"Your keys are being backed up (the first backup could take a few minutes).": "t Wordt e back-up van je sleuters gemakt (den eesten back-up kut e poar minuutn deurn).",
"Set up Secure Message Recovery": "Veilig berichtherstel instelln",
"Secure your backup with a passphrase": "Beveilig je back-up met e paswoord",
"Confirm your passphrase": "Bevestig je paswoord",
"Recovery key": "Herstelsleuter",
"Keep it safe": "Bewoart hem ip e veilige plekke",
"Starting backup...": "Back-up wor gestart…",
"Success!": "Gereed!",
"Create Key Backup": "Sleuterback-up anmoakn",
"Unable to create key backup": "Kostege de sleuterback-up nie anmoakn",
"Retry": "Herprobeern",
"Without setting up Secure Message Recovery, you'll lose your secure message history when you log out.": "Zounder veilig berichtherstel in te stelln, goa je je versleuterde berichtgeschiedenisse kwytspeeln wanneer da je jen afmeldt.",
@ -1467,7 +1348,6 @@
"Failed to set direct chat tag": "Instelln van twigesprekslabel is mislukt",
"Failed to remove tag %(tagName)s from room": "Verwydern van %(tagName)s-label van gesprek is mislukt",
"Failed to add tag %(tagName)s to room": "Toevoegn van %(tagName)s-label an gesprek is mislukt",
"Show recently visited rooms above the room list": "Recent bezochte gesprekken bovenoan de gesprekslyste weregeevn",
"Uploaded sound": "Ipgeloadn-geluud",
"Sounds": "Geluudn",
"Notification sound": "Meldiengsgeluud",
@ -1476,8 +1356,8 @@
"Browse": "Bloadern",
"Cannot reach homeserver": "Kostege de thuusserver nie bereikn",
"Ensure you have a stable internet connection, or get in touch with the server admin": "Zorgt da je stabiele internetverbiendienge èt, of neem contact op met de systeembeheerder",
"Your Riot is misconfigured": "Je Riot is verkeerd geconfigureerd gewist",
"Ask your Riot admin to check <a>your config</a> for incorrect or duplicate entries.": "Vroagt an je Riot-beheerder van <a>je configuroasje</a> noa te kykn ip verkeerde of duplicoate items.",
"Your %(brand)s is misconfigured": "Je %(brand)s is verkeerd geconfigureerd gewist",
"Ask your %(brand)s admin to check <a>your config</a> for incorrect or duplicate entries.": "Vroagt an je %(brand)s-beheerder van <a>je configuroasje</a> noa te kykn ip verkeerde of duplicoate items.",
"Unexpected error resolving identity server configuration": "Ounverwachte foute by t iplossn van didentiteitsserverconfiguroasje",
"Use lowercase letters, numbers, dashes and underscores only": "Gebruukt alleene moa letters, cyfers, streeptjes en underscores",
"Cannot reach identity server": "Kostege den identiteitsserver nie bereikn",

View file

@ -5,10 +5,7 @@
"/ddg is not a command": "/ddg 不是一个命令",
"Deactivate Account": "销毁账号",
"Decrypt %(text)s": "解密 %(text)s",
"Decryption error": "解密出错",
"Default": "默认",
"Device ID": "设备 ID",
"Direct chats": "私聊",
"Disinvite": "取消邀请",
"Displays action": "显示操作",
"Download %(text)s": "下载 %(text)s",
@ -16,10 +13,8 @@
"Email address": "邮箱地址",
"Emoji": "表情",
"%(senderName)s ended the call.": "%(senderName)s 结束了通话。",
"End-to-end encryption information": "端到端加密信息",
"Error": "错误",
"Error decrypting attachment": "解密附件时出错",
"Event information": "事件信息",
"Existing Call": "当前通话",
"Export E2E room keys": "导出聊天室的端到端加密密钥",
"Failed to ban user": "封禁失败",
@ -35,7 +30,6 @@
"Failed to send email": "发送邮件失败",
"Failed to send request.": "请求发送失败。",
"Failed to set display name": "设置昵称失败",
"Failed to toggle moderator status": "无法切换管理员权限",
"Failed to unban": "解除封禁失败",
"Failed to verify email address: make sure you clicked the link in the email": "邮箱验证失败: 请确保你已点击邮件中的链接",
"Failure to create room": "创建聊天室失败",
@ -57,13 +51,12 @@
"Invalid Email Address": "邮箱地址格式错误",
"Invalid file%(extra)s": "非法文件%(extra)s",
"Return to login screen": "返回登录页面",
"Riot does not have permission to send you notifications - please check your browser settings": "Riot 没有通知发送权限 - 请检查您的浏览器设置",
"Riot was not given permission to send notifications - please try again": "Riot 没有通知发送权限 - 请重试",
"riot-web version:": "riot-web 版本:",
"%(brand)s does not have permission to send you notifications - please check your browser settings": "%(brand)s 没有通知发送权限 - 请检查您的浏览器设置",
"%(brand)s was not given permission to send notifications - please try again": "%(brand)s 没有通知发送权限 - 请重试",
"%(brand)s version:": "%(brand)s 版本:",
"Room %(roomId)s not visible": "聊天室 %(roomId)s 已隐藏",
"Room Colour": "聊天室颜色",
"Rooms": "聊天室",
"Scroll to bottom of page": "滚动到页面底部",
"Search": "搜索",
"Search failed": "搜索失败",
"Searches DuckDuckGo for results": "搜索 DuckDuckGo",
@ -84,14 +77,12 @@
"Sign out": "注销",
"%(count)s of your messages have not been sent.|other": "部分消息未发送。",
"Someone": "某位用户",
"Start a chat": "创建聊天",
"Submit": "提交",
"Success": "成功",
"This email address is already in use": "此邮箱地址已被使用",
"This email address was not found": "未找到此邮箱地址",
"The email address linked to your account must be entered.": "必须输入和你账号关联的邮箱地址。",
"Advanced": "高级",
"Algorithm": "算法",
"Always show message timestamps": "总是显示消息时间戳",
"A new password must be entered.": "必须输入新密码。",
"%(senderName)s answered the call.": "%(senderName)s 接了通话。",
@ -104,7 +95,6 @@
"Click here to fix": "点击这里以修复",
"Confirm password": "确认密码",
"Continue": "继续",
"Ed25519 fingerprint": "Ed25519指纹",
"Join Room": "加入聊天室",
"%(targetName)s joined the room.": "%(targetName)s 已加入聊天室。",
"Jump to first unread message.": "跳到第一条未读消息。",
@ -116,12 +106,11 @@
"No Microphones detected": "未检测到麦克风",
"No Webcams detected": "未检测到摄像头",
"No media permissions": "没有媒体存取权限",
"You may need to manually permit Riot to access your microphone/webcam": "你可能需要手动授权 Riot 使用你的麦克风或摄像头",
"You may need to manually permit %(brand)s to access your microphone/webcam": "你可能需要手动授权 %(brand)s 使用你的麦克风或摄像头",
"Default Device": "默认设备",
"Microphone": "麦克风",
"Camera": "摄像头",
"Authentication": "认证",
"Alias (optional)": "别名(可选)",
"%(items)s and %(lastItem)s": "%(items)s 和 %(lastItem)s",
"and %(count)s others...|other": "和其它 %(count)s 个...",
"and %(count)s others...|one": "和其它一个...",
@ -132,7 +121,6 @@
"Are you sure you want to leave the room '%(roomName)s'?": "你确定要退出聊天室 “%(roomName)s” 吗?",
"Are you sure you want to reject the invitation?": "你确定要拒绝邀请吗?",
"Bans user with given id": "按照 ID 封禁指定的用户",
"Blacklisted": "已拉黑",
"Call Timeout": "通话超时",
"Can't connect to homeserver - please check your connectivity, ensure your <a>homeserver's SSL certificate</a> is trusted, and that a browser extension is not blocking requests.": "无法连接主服务器 - 请检查网络连接,确保你的<a>主服务器 SSL 证书</a>被信任,且没有浏览器插件拦截请求。",
"Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or <a>enable unsafe scripts</a>.": "当浏览器地址栏里有 HTTPS 的 URL 时,不能使用 HTTP 连接主服务器。请使用 HTTPS 或者<a>允许不安全的脚本</a>。",
@ -153,10 +141,7 @@
"Custom": "自定义",
"Custom level": "自定义级别",
"Decline": "拒绝",
"device id: ": "设备 ID: ",
"Disable Notifications": "关闭消息通知",
"Drop File Here": "把文件拖拽到这里",
"Enable Notifications": "启用消息通知",
"Enter passphrase": "输入密码",
"Error: Problem communicating with the given homeserver.": "错误: 与指定的主服务器通信时出错。",
"Export": "导出",
@ -179,12 +164,10 @@
"Mute": "静音",
"Name": "姓名",
"New passwords don't match": "两次输入的新密码不符",
"none": "无",
"not specified": "未指定",
"Notifications": "通知",
"(not supported by this browser)": "(未被此浏览器支持)",
"<not supported>": "<不支持>",
"NOT verified": "未验证",
"No display name": "无昵称",
"No results": "没有更多结果",
"OK": "确定",
@ -205,11 +188,7 @@
"Account": "账户",
"Add": "添加",
"Allow": "允许",
"Claimed Ed25519 fingerprint key": "声称的 Ed25519 指纹密钥",
"Could not connect to the integration server": "无法连接关联的服务器",
"Curve25519 identity key": "Curve25519 认证密钥",
"Edit": "编辑",
"Joins room with given alias": "通过指定的别名加入聊天室",
"Labs": "实验室",
"%(targetName)s left the room.": "%(targetName)s 退出了聊天室。",
"Logout": "登出",
@ -224,8 +203,6 @@
"%(targetName)s rejected the invitation.": "%(targetName)s 拒绝了邀请。",
"Reject invitation": "拒绝邀请",
"Users": "用户",
"Verification": "验证",
"verified": "已验证",
"Verified key": "已验证的密钥",
"Video call": "视频通话",
"Voice call": "语音通话",
@ -235,7 +212,6 @@
"Warning!": "警告!",
"You must <a>register</a> to use this functionality": "你必须 <a>注册</a> 以使用此功能",
"You need to be logged in.": "你需要登录。",
"Make Moderator": "使成为主持人",
"Room": "聊天室",
"Connectivity to the server has been lost.": "到服务器的连接已经丢失。",
"New Password": "新密码",
@ -249,11 +225,7 @@
"Failed to invite": "邀请失败",
"Unknown error": "未知错误",
"Incorrect password": "密码错误",
"To continue, please enter your password.": "请输入你的密码继续。",
"I verify that the keys match": "我验证此密钥匹配",
"Unable to restore session": "无法恢复会话",
"Blacklist": "列入黑名单",
"Unverify": "取消验证",
"ex. @bob:example.com": "例如 @bob:example.com",
"Add User": "添加用户",
"Token incorrect": "令牌错误",
@ -265,8 +237,6 @@
"Username available": "用户名可用",
"Username not available": "用户名不可用",
"Skip": "跳过",
"Start verification": "开始验证",
"Ignore request": "忽略请求",
"Example": "例子",
"Create": "创建",
"Failed to upload image": "上传图像失败",
@ -281,15 +251,11 @@
"Kick": "移除",
"Kicks user with given id": "按照 ID 移除特定的用户",
"Last seen": "最近一次上线",
"Local addresses for this room:": "此聊天室的本地地址:",
"New passwords must match each other.": "新密码必须互相匹配。",
"Power level must be positive integer.": "滥权等级必须是正整数。",
"Revoke Moderator": "撤销主持人",
"Remote addresses for this room:": "此聊天室的远程地址:",
"Results from DuckDuckGo": "来自 DuckDuckGo 的结果",
"%(roomName)s does not exist.": "%(roomName)s 不存在。",
"Save": "保存",
"Send anyway": "仍然发送",
"This room has no local addresses": "此聊天室没有本地地址",
"This doesn't appear to be a valid email address": "这似乎不是有效的邮箱地址",
"This phone number is already in use": "此手机号码已被使用",
@ -299,9 +265,7 @@
"Unban": "解除封禁",
"Unable to capture screen": "无法录制屏幕",
"Unable to enable Notifications": "无法启用通知",
"unencrypted": "未加密的",
"unknown caller": "未知呼叫者",
"unknown device": "未知设备",
"Unnamed Room": "未命名的聊天室",
"Upload avatar": "上传头像",
"Upload Failed": "上传失败",
@ -310,8 +274,7 @@
"Who can read history?": "谁可以阅读历史消息?",
"You are not in this room.": "您不在此聊天室中。",
"You have no visible notifications": "没有可见的通知",
"Unblacklist": "移出黑名单",
"Not a valid Riot keyfile": "不是有效的 Riot 密钥文件",
"Not a valid %(brand)s keyfile": "不是有效的 %(brand)s 密钥文件",
"%(targetName)s accepted an invitation.": "%(targetName)s 已接受邀请。",
"Publish this room to the public in %(domain)s's room directory?": "是否将此聊天室发布至 %(domain)s 的聊天室目录中?",
"Manage Integrations": "管理集成",
@ -344,8 +307,6 @@
"Unable to add email address": "无法添加邮箱地址",
"Automatically replace plain text Emoji": "将符号表情转换为 Emoji",
"Unable to verify email address.": "无法验证邮箱地址。",
"Unknown room %(roomId)s": "未知聊天室 %(roomId)s",
"Unrecognised room alias:": "无法识别的聊天室别名:",
"(no answer)": "(无回复)",
"Who can access this room?": "谁有权访问此聊天室?",
"You are already in a call.": "您正在通话。",
@ -358,7 +319,6 @@
"An error occurred: %(error_string)s": "发生了一个错误: %(error_string)s",
"There are no visible files in this room": "此聊天室中没有可见的文件",
"Active call": "当前通话",
"Verify...": "验证...",
"Error decrypting audio": "解密音频时出错",
"Error decrypting image": "解密图像时出错",
"Error decrypting video": "解密视频时出错",
@ -368,9 +328,7 @@
"Something went wrong!": "出了点问题!",
"If you already have a Matrix account you can <a>log in</a> instead.": "若您已经拥有 Matrix 帐号,您也可以 <a>登录</a>。",
"Do you want to set an email address?": "您想要设置一个邮箱地址吗?",
"New address (e.g. #foo:%(localDomain)s)": "新的地址(例如 #foo:%(localDomain)s",
"Upload new:": "上传新的:",
"User ID": "用户 ID",
"Username invalid: %(errMessage)s": "用户名无效: %(errMessage)s",
"Verification Pending": "验证等待中",
"(unknown failure: %(reason)s)": "(未知错误:%(reason)s",
@ -414,33 +372,23 @@
"Unknown Address": "未知地址",
"%(senderName)s removed their display name (%(oldDisplayName)s).": "%(senderName)s 删除了他们的昵称 (%(oldDisplayName)s).",
"Unable to remove contact information": "无法移除联系人信息",
"Riot collects anonymous analytics to allow us to improve the application.": "Riot 收集匿名的分析数据以允许我们改善它。",
"%(brand)s collects anonymous analytics to allow us to improve the application.": "%(brand)s 收集匿名的分析数据以允许我们改善它。",
"Please check your email to continue registration.": "请查看你的电子邮件以继续注册。",
"If you don't specify an email address, you won't be able to reset your password. Are you sure?": "如果不指定一个邮箱地址,您将无法重置你的密码。你确定吗?",
"Add an Integration": "添加集成",
"Removed or unknown message type": "被移除或未知的消息类型",
"Ongoing conference call%(supportedText)s.": "正在进行的会议通话 %(supportedText)s.",
"%(senderDisplayName)s changed the avatar for %(roomName)s": "%(senderDisplayName)s 修改了 %(roomName)s 的头像",
"This will be your account name on the <span></span> homeserver, or you can pick a <a>different server</a>.": "这将会成为你在 <span></span> 主服务器上的账户名,或者你可以选择一个 <a>不同的服务器</a>。",
"Your browser does not support the required cryptography extensions": "你的浏览器不支持 Riot 所需的密码学特性",
"Authentication check failed: incorrect password?": "身份验证失败:密码错误?",
"This will allow you to reset your password and receive notifications.": "这将允许你重置你的密码和接收通知。",
"Share without verifying": "不验证就分享",
"Encryption key request": "加密密钥请求",
"%(widgetName)s widget added by %(senderName)s": "%(senderName)s 添加了 %(widgetName)s 小挂件",
"%(widgetName)s widget removed by %(senderName)s": "%(senderName)s 移除了 %(widgetName)s 小挂件",
"%(widgetName)s widget modified by %(senderName)s": "%(senderName)s 修改了 %(widgetName)s 小挂件",
"Unpin Message": "取消置顶消息",
"Add rooms to this community": "添加聊天室到此社区",
"Call Failed": "呼叫失败",
"Review Devices": "复查设备",
"Call Anyway": "仍然呼叫",
"Answer Anyway": "仍然接听",
"Call": "呼叫",
"Answer": "接听",
"Invite new community members": "邀请新社区成员",
"Invite to Community": "邀请到社区",
"Room name or alias": "聊天室名称或别名",
"Ignored user": "已忽略的用户",
"You are now ignoring %(userId)s": "你正在忽视 %(userId)s",
"Unignored user": "未忽略的用户",
@ -450,7 +398,6 @@
"%(senderName)s changed the pinned messages for the room.": "%(senderName)s 更改了聊天室的置顶消息。",
"Send": "发送",
"Message Pinning": "消息置顶",
"Use compact timeline layout": "使用紧凑的时间线布局",
"Enable URL previews for this room (only affects you)": "在此聊天室中启用链接预览(仅影响你)",
"Enable URL previews by default for participants in this room": "对此聊天室的所有成员默认启用链接预览",
"%(senderName)s sent an image": "%(senderName)s 发送了一张图片",
@ -461,7 +408,6 @@
"Jump to read receipt": "跳到阅读回执",
"Mention": "提及",
"Invite": "邀请",
"User Options": "用户选项",
"Jump to message": "跳到消息",
"No pinned messages.": "没有置顶消息。",
"Loading...": "正在加载...",
@ -471,7 +417,6 @@
"World readable": "公开可读",
"Guests can join": "访客可以加入",
"No rooms to show": "无聊天室",
"Message removed": "消息已移除",
"An email has been sent to %(emailAddress)s": "一封邮件已发送到 %(emailAddress)s",
"A text message has been sent to %(msisdn)s": "一封短信已发送到 %(msisdn)s",
"Visible to everyone": "对所有人可见",
@ -509,17 +454,13 @@
"Leave": "退出",
"Description": "描述",
"Warning": "警告",
"Light theme": "浅色主题",
"Dark theme": "深色主题",
"Room Notification": "聊天室通知",
"The platform you're on": "您使用的平台是",
"The version of Riot.im": "Riot.im 的版本是",
"The version of %(brand)s": "%(brand)s版本",
"Your language of choice": "您选择的语言是",
"Which officially provided instance you are using, if any": "您正在使用的任何官方 Riot 实现(如果有的话)",
"Whether or not you're using the Richtext mode of the Rich Text Editor": "您是否正在使用富文本编辑器的富文本模式",
"Your homeserver's URL": "您的主服务器的链接",
"Your identity server's URL": "您的身份认证服务器的链接",
"The information being sent to us to help make Riot.im better includes:": "将要为帮助 Riot.im 发展而发送的信息包含:",
"The information being sent to us to help make %(brand)s better includes:": "发送信息给我们以帮助%(brand)s",
"Where this page includes identifiable information, such as a room, user or group ID, that data is removed before being sent to the server.": "此页面中含有可用于识别您身份的信息,比如聊天室、用户或群组 ID这些数据会在发送到服务器前被移除。",
"%(weekDayName)s %(time)s": "%(weekDayName)s %(time)s",
"%(weekDayName)s, %(monthName)s %(day)s %(time)s": "%(monthName)s %(day)s %(time)s, %(weekDayName)s",
@ -537,9 +478,7 @@
"Unban this user?": "是否解封此用户?",
"Ban this user?": "是否封禁此用户?",
"Send an encrypted reply…": "发送加密回复…",
"Send a reply (unencrypted)…": "发送回复(未加密)…",
"Send an encrypted message…": "发送加密消息…",
"Send a message (unencrypted)…": "发送消息 (未加密)…",
"Replying": "正在回复",
"Community Invites": "社区邀请",
"Banned by %(displayName)s": "被 %(displayName)s 封禁",
@ -591,7 +530,6 @@
"Seen by %(displayName)s (%(userName)s) at %(dateTime)s": "%(displayName)s (%(userName)s) 在 %(dateTime)s 看到这里",
"'%(groupId)s' is not a valid community ID": "“%(groupId)s” 不是有效的社区 ID",
"Flair": "个性徽章",
"Message removed by %(userId)s": "此消息已被 %(userId)s 移除",
"Code": "代码",
"Remove from community": "从社区中移除",
"Disinvite this user from community?": "是否不再邀请此用户加入本社区?",
@ -636,7 +574,7 @@
"Community IDs cannot be empty.": "社区 ID 不能为空。",
"Community IDs may only contain characters a-z, 0-9, or '=_-./'": "社区 ID 只能包含 a-z、0-9 或 “=_-./” 等字符",
"Something went wrong whilst creating your community": "创建社区时出现问题",
"If you have previously used a more recent version of Riot, your session may be incompatible with this version. Close this window and return to the more recent version.": "如果您之前使用过较新版本的 Riot,则您的会话可能与当前版本不兼容。请关闭此窗口并使用最新版本。",
"If you have previously used a more recent version of %(brand)s, your session may be incompatible with this version. Close this window and return to the more recent version.": "如果您之前使用过较新版本的 %(brand)s,则您的会话可能与当前版本不兼容。请关闭此窗口并使用最新版本。",
"Showing flair for these communities:": "显示这些社区的个性徽章:",
"This room is not showing flair for any communities": "此聊天室没有显示任何社区的个性徽章",
"New community ID (e.g. +foo:%(localDomain)s)": "新社区 ID例子+foo:%(localDomain)s",
@ -669,8 +607,8 @@
"Leave this community": "退出此社区",
"Long Description (HTML)": "长描述HTML",
"Old cryptography data detected": "检测到旧的加密数据",
"Data from an older version of Riot has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "已检测到旧版Riot的数据,这将导致端到端加密在旧版本中发生故障。在此版本中,使用旧版本交换的端对端加密消息可能无法解密。这也可能导致与此版本交换的消息失败。如果您遇到问题,请退出并重新登录。要保留历史消息,请先导出并在重新登录后导入您的密钥。",
"Did you know: you can use communities to filter your Riot.im experience!": "你知道吗:你可以将社区用作过滤器以增强你的 Riot.im 使用体验!",
"Data from an older version of %(brand)s has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "已检测到旧版%(brand)s的数据,这将导致端到端加密在旧版本中发生故障。在此版本中,使用旧版本交换的端对端加密消息可能无法解密。这也可能导致与此版本交换的消息失败。如果您遇到问题,请退出并重新登录。要保留历史消息,请先导出并在重新登录后导入您的密钥。",
"Did you know: you can use communities to filter your %(brand)s experience!": "你知道吗:你可以将社区用作过滤器以增强你的 %(brand)s 使用体验!",
"Create a new community": "创建新社区",
"Error whilst fetching joined communities": "获取已加入社区列表时出现错误",
"Create a community to group together users and rooms! Build a custom homepage to mark out your space in the Matrix universe.": "创建社区,将用户与聊天室整合在一起!搭建自定义社区主页以在 Matrix 宇宙之中标出您的私人空间。",
@ -698,7 +636,6 @@
"Something went wrong when trying to get your communities.": "获取你加入的社区时发生错误。",
"Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "删除小挂件时将为聊天室中的所有成员删除。您确定要删除此小挂件吗?",
"Fetching third party location failed": "获取第三方位置失败",
"A new version of Riot is available.": "Riot 有更新可用。",
"Send Account Data": "发送账户数据",
"All notifications are currently disabled for all targets.": "目前所有通知都已禁用。",
"Uploading report": "上传报告",
@ -715,8 +652,6 @@
"Send Custom Event": "发送自定义事件",
"Advanced notification settings": "通知高级设置",
"Failed to send logs: ": "无法发送日志: ",
"delete the alias.": "删除别名。",
"To return to your account in future you need to <u>set a password</u>": "要在未来回到您的账号,您需要 <u>设置密码</u>",
"Forget": "忘记",
"You cannot delete this image. (%(code)s)": "无法删除此图片。(%(code)s)",
"Cancel Sending": "取消发送",
@ -742,7 +677,6 @@
"Resend": "重新发送",
"Files": "文件",
"Collecting app version information": "正在收集应用版本信息",
"Delete the room alias %(alias)s and remove %(name)s from the directory?": "确定要删除聊天室别名 %(alias)s 并将 %(name)s 从列表中删除吗?",
"Keywords": "关键词",
"Enable notifications for this account": "对此账号启用通知",
"Invite to this community": "邀请加入此社区",
@ -753,7 +687,7 @@
"Forward Message": "转发消息",
"You have successfully set a password and an email address!": "您已经成功设置了密码和邮箱地址!",
"Remove %(name)s from the directory?": "是否从目录中移除 %(name)s",
"Riot uses many advanced browser features, some of which are not available or experimental in your current browser.": "Riot 使用了许多先进的浏览器功能,有些在你目前所用的浏览器上无法使用或仅为实验性的功能。",
"%(brand)s uses many advanced browser features, some of which are not available or experimental in your current browser.": "%(brand)s 使用了许多先进的浏览器功能,有些在你目前所用的浏览器上无法使用或仅为实验性的功能。",
"Developer Tools": "开发者工具",
"Preparing to send logs": "准备发送日志",
"Remember, you can always set an email address in user settings if you change your mind.": "请记住,如果您改变想法,您永远可以在用户设置中设置电子邮件。",
@ -799,8 +733,7 @@
"Debug logs contain application usage data including your username, the IDs or aliases of the rooms or groups you have visited and the usernames of other users. They do not contain messages.": "调试日志包含使用数据(包括您的用户名,您访问过的聊天室 / 小组的 ID 或别名以及其他用户的用户名)。它们不包含聊天信息。",
"Unhide Preview": "取消隐藏预览",
"Unable to join network": "无法加入网络",
"You might have configured them in a client other than Riot. You cannot tune them in Riot but they still apply": "您也许不曾在其他 Riot 之外的客户端设置它们。在 Riot 下你无法调整他们但仍然可用",
"Sorry, your browser is <b>not</b> able to run Riot.": "抱歉,您的浏览器 <b>无法</b> 运行 Riot.",
"Sorry, your browser is <b>not</b> able to run %(brand)s.": "抱歉,您的浏览器 <b>无法</b> 运行 %(brand)s.",
"Uploaded on %(date)s by %(user)s": "由 %(user)s 在 %(date)s 上传",
"Messages in group chats": "群组聊天中的消息",
"Yesterday": "昨天",
@ -809,7 +742,7 @@
"Unable to fetch notification target list": "无法获取通知目标列表",
"Set Password": "设置密码",
"Off": "关闭",
"Riot does not know how to join a room on this network": "Riot 不知道如何在此网络中加入聊天室",
"%(brand)s does not know how to join a room on this network": "%(brand)s 不知道如何在此网络中加入聊天室",
"Mentions only": "只限提及",
"You can now return to your account after signing out, and sign in on other devices.": "您可以在注销后回到您的账号,并在其他设备上登录。",
"Enable email notifications": "启用电子邮件通知",
@ -824,13 +757,10 @@
"Thank you!": "谢谢!",
"With your current browser, the look and feel of the application may be completely incorrect, and some or all features may not function. If you want to try it anyway you can continue, but you are on your own in terms of any issues you may encounter!": "您目前的浏览器,应用程序的外观和感觉完全不正确,有些或全部功能可能无法使用。如果您仍想继续尝试,可以继续,但请自行负担其后果!",
"Checking for an update...": "正在检查更新…",
"There are advanced notifications which are not shown here": "更多的通知并没有在此显示出来",
"There's no one else here! Would you like to <inviteText>invite others</inviteText> or <nowarnText>stop warning about the empty room</nowarnText>?": "这里没有其他人了!你是想 <inviteText>邀请用户</inviteText> 还是 <nowarnText>不再提示</nowarnText>",
"You need to be able to invite users to do that.": "你需要有邀请用户的权限才能进行此操作。",
"Missing roomId.": "找不到此聊天室 ID 所对应的聊天室。",
"Every page you use in the app": "您在 Riot 中使用的所有页面",
"e.g. <CurrentPageURL>": "例如:<CurrentPageURL>",
"Your User Agent": "您的 User Agent",
"Your device resolution": "您设备的分辨率",
"Always show encryption icons": "总是显示加密标志",
"You are about to be taken to a third-party site so you can authenticate your account for use with %(integrationsUrl)s. Do you wish to continue?": "您将被带到一个第三方网站以便验证您的账号来使用 %(integrationsUrl)s 提供的集成。您希望继续吗?",
@ -861,9 +791,6 @@
"The phone number field must not be blank.": "必须输入手机号码。",
"The password field must not be blank.": "必须输入密码。",
"Display your community flair in rooms configured to show it.": "在启用“显示徽章”的聊天室中显示本社区的个性徽章。",
"Please help improve Riot.im by sending <UsageDataLink>anonymous usage data</UsageDataLink>. This will use a cookie (please see our <PolicyLink>Cookie Policy</PolicyLink>).": "请发送 <UsageDataLink>匿名使用数据</UsageDataLink> 以帮助我们改进 Riot.im。这将用到 Cookie请看看我们的 <PolicyLink>Cookie 隐私政策</PolicyLink>)。",
"Please help improve Riot.im by sending <UsageDataLink>anonymous usage data</UsageDataLink>. This will use a cookie.": "请发送 <UsageDataLink>匿名使用数据</UsageDataLink> 以帮助我们改进 Riot.im。这将用到 Cookie。",
"Yes, I want to help!": "好啊,我要帮助你们!",
"Failed to remove widget": "移除小挂件失败",
"An error ocurred whilst trying to remove the widget from the room": "尝试从聊天室中移除小部件时发生了错误",
"Are you sure you wish to remove (delete) this event? Note that if you delete a room name or topic change, it could undo the change.": "您确定要移除(删除)此事件吗?注意,如果删除了聊天室名称或话题的变化,就会撤销此更改。",
@ -907,8 +834,6 @@
"No Audio Outputs detected": "未检测到可用的音频输出方式",
"Audio Output": "音频输出",
"An email has been sent to %(emailAddress)s. Once you've followed the link it contains, click below.": "已向 %(emailAddress)s 发送了一封电子邮件。点开邮件中的链接后,请点击下面。",
"Registration Required": "需要注册",
"You need to register to do this. Would you like to register now?": "您必须注册以继续。您想现在就注册吗?",
"Forces the current outbound group session in an encrypted room to be discarded": "强制丢弃加密聊天室中的当前出站群组会话",
"Unable to connect to Homeserver. Retrying...": "无法连接至主服务器。正在重试…",
"Sorry, your homeserver is too old to participate in this room.": "对不起,您的主服务器的程序版本过旧以至于无法加入此聊天室。",
@ -929,19 +854,11 @@
"Legal": "法律信息",
"This homeserver has hit its Monthly Active User limit.": "此主服务器已达到其每月活跃用户限制。",
"This homeserver has exceeded one of its resource limits.": "本服务器已达到其使用量限制之一。",
"This homeserver has hit its Monthly Active User limit so <b>some users will not be able to log in</b>.": "本服务器已达到其每月活跃用户限制,<b>部分用户将无法登录</b>。",
"This homeserver has exceeded one of its resource limits so <b>some users will not be able to log in</b>.": "本主服务器已达到其使用量限制之一,<b>部分用户将无法登录</b>。",
"Please <a>contact your service administrator</a> to continue using this service.": "请 <a>联系您的服务管理员</a> 以继续使用本服务。",
"Your message wasn't sent because this homeserver has exceeded a resource limit. Please <a>contact your service administrator</a> to continue using the service.": "您的消息未被发送,因为本主服务器已达到其使用量限制之一。请 <a>联系您的服务管理员</a> 以继续使用本服务。",
"Your message wasn't sent because this homeserver has hit its Monthly Active User Limit. Please <a>contact your service administrator</a> to continue using the service.": "您的消息未被发送,因为本主服务器已达到其每月活跃用户限制。请 <a>联系您的服务管理员</a> 以继续使用本服务。",
"Please <a>contact your service administrator</a> to continue using the service.": "请 <a>联系您的服务管理员</a> 以继续使用本服务。",
"Please contact your homeserver administrator.": "请 联系您主服务器的管理员。",
"Please <a>contact your service administrator</a> to get this limit increased.": "请 <a>联系您的服务管理员</a> 以增加此限制的额度。",
"%(senderName)s added %(count)s %(addedAddresses)s as addresses for this room.|other": "%(senderName)s 添加了聊天室地址 %(addedAddresses)s。",
"%(senderName)s added %(count)s %(addedAddresses)s as addresses for this room.|one": "%(senderName)s 添加了一个聊天室地址 %(addedAddresses)s。",
"%(senderName)s removed %(count)s %(removedAddresses)s as addresses for this room.|other": "%(senderName)s 移除了聊天室地址 %(removedAddresses)s。",
"%(senderName)s removed %(count)s %(removedAddresses)s as addresses for this room.|one": "%(senderName)s 移除了一个聊天室地址 %(removedAddresses)s。",
"%(senderName)s added %(addedAddresses)s and removed %(removedAddresses)s as addresses for this room.": "%(senderName)s 添加了聊天室地址 %(addedAddresses)s 并移除了地址 %(removedAddresses)s。",
"%(senderName)s set the main address for this room to %(address)s.": "%(senderName)s 将此聊天室的主地址设为了 %(address)s。",
"%(senderName)s removed the main address for this room.": "%(senderName)s 移除了此聊天室的主地址。",
"Unable to load! Check your network connectivity and try again.": "无法加载!请检查您的网络连接并重试。",
@ -962,13 +879,11 @@
"Incompatible Database": "数据库不兼容",
"Continue With Encryption Disabled": "在停用加密的情况下继续",
"Checking...": "正在检查…",
"Updating Riot": "正在更新 Riot",
"Backup Restored": "备份已还原",
"Updating %(brand)s": "正在更新 %(brand)s",
"No backup found!": "找不到备份!",
"Unable to restore backup": "无法还原备份",
"Unable to load backup status": "无法获取备份状态",
"Next": "下一个",
"Copy to clipboard": "复制到剪贴板",
"Download": "下载",
"Retry": "重试",
"Go to Settings": "打开设置",
@ -1040,7 +955,6 @@
"Enable Community Filter Panel": "启用社区筛选器面板",
"Allow Peer-to-Peer for 1:1 calls": "允许一对一通话使用 P2P",
"Prompt before sending invites to potentially invalid matrix IDs": "在发送邀请之前提示可能无效的 Matrix ID",
"Order rooms in the room list by most important first instead of most recent": "聊天室列表按重要程度排序而不按时间排序",
"Messages containing my username": "包含我的用户名的消息",
"Encrypted messages in one-to-one chats": "一对一聊天中的加密消息",
"Encrypted messages in group chats": "群聊中的加密消息",
@ -1142,9 +1056,9 @@
"Deactivating your account is a permanent action - be careful!": "停用您的账号是一项永久性操作 - 请小心!",
"General": "通用",
"Credits": "感谢",
"For help with using Riot, click <a>here</a>.": "对使用 Riot 的说明,请点击 <a>这里</a>。",
"For help with using Riot, click <a>here</a> or start a chat with our bot using the button below.": "对使用 Riot 的说明,请点击 <a>这里</a> 或者使用下面的按钮开始与我们的机器人聊聊。",
"Chat with Riot Bot": "与 Riot 机器人聊天",
"For help with using %(brand)s, click <a>here</a>.": "对使用 %(brand)s 的说明,请点击 <a>这里</a>。",
"For help with using %(brand)s, click <a>here</a> or start a chat with our bot using the button below.": "对使用 %(brand)s 的说明,请点击 <a>这里</a> 或者使用下面的按钮开始与我们的机器人聊聊。",
"Chat with %(brand)s Bot": "与 %(brand)s 机器人聊天",
"Help & About": "帮助及关于",
"Bug reporting": "错误上报",
"FAQ": "常见问题",
@ -1168,7 +1082,6 @@
"Developer options": "开发者选项",
"Room Addresses": "聊天室地址",
"Roles & Permissions": "角色与权限",
"To link to this room, please add an alias.": "要连接到此聊天室,请添加一个别名。",
"Changes to who can read history will only apply to future messages in this room. The visibility of existing history will be unchanged.": "历史记录阅读权限的变更只会应用到此聊天室中将来的消息。既有历史记录的可见性将不会变更。",
"Encryption": "加密",
"Once enabled, encryption cannot be disabled.": "一旦启用加密就无法停止。",
@ -1181,10 +1094,6 @@
"Add some now": "立即添加",
"Error updating main address": "更新主地址时发生错误",
"There was an error updating the room's main address. It may not be allowed by the server or a temporary failure occurred.": "更新聊天室的主地址时发生错误。可能是该服务器不允许,也可能是出现了一个临时错误。",
"Error creating alias": "创建别名时发生错误",
"There was an error creating that alias. It may not be allowed by the server or a temporary failure occurred.": "创建该别名时发生错误。可能是该服务器不允许,也可能是出现了一个临时错误。",
"Error removing alias": "移除别名时发生错误",
"There was an error removing that alias. It may no longer exist or a temporary error occurred.": "移除该别名时发生错误。可能别名已不存在,也可能是出现了一个临时错误。",
"Main address": "主地址",
"Error updating flair": "更新个性徽章时发生错误",
"There was an error updating the flair for this room. The server may not allow it or a temporary error occurred.": "更新此聊天室的个性徽章时发生错误。可能时该服务器不允许,也可能是发生了一个临时错误。",
@ -1199,21 +1108,12 @@
"Invite anyway": "还是邀请",
"Before submitting logs, you must <a>create a GitHub issue</a> to describe your problem.": "在提交日志之前,您必须 <a>创建一个GitHub issue</a> 来描述您的问题。",
"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 Riot to do this": "为避免丢失聊天记录,您必须在登出前导出房间密钥。 您需要回到较新版本的 Riot 才能执行此操作",
"You've previously used a newer version of Riot on %(host)s. To use this version again with end to end encryption, you will need to sign out and back in again. ": "您之前在 %(host)s 使用过更新版本的 Riot 。为了使用带有端对端加密功能的此版本,您必须退出账号再重新登入。 ",
"Use Legacy Verification (for older clients)": "使用旧版验证 (针对旧版客户端)",
"Verify by comparing a short text string.": "通过比较一段短文本字符串进行验证。",
"Begin Verifying": "开始验证",
"Waiting for partner to accept...": "等待对方接受...",
"Nothing appearing? Not all clients support interactive verification yet. <button>Use legacy verification</button>.": "没有任何显示?不是所有客户端都支持互动验证。<button>使用旧版验证</button>。",
"Waiting for %(userId)s to confirm...": "等待 %(userId)s 确认中...",
"Use two-way text verification": "使用双向文本验证",
"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.": "验证此用户并标记为受信任。在使用端到端加密消息时,信任用户可让您更加放心。",
"Waiting for partner to confirm...": "等待对方确认中...",
"Incoming Verification Request": "收到验证请求",
"You've previously used Riot 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, Riot needs to resync your account.": "您之前在 %(host)s 上开启了 Riot 的成员列表延迟加载设置。目前版本中延迟加载功能已被停用。因为本地缓存在这两个设置项上不相容Riot 需要重新同步您的账号。",
"If the other version of Riot is still open in another tab, please close it as using Riot on the same host with both lazy loading enabled and disabled simultaneously will cause issues.": "如果有其他版本的 Riot 仍然在另一个标签页中运行,请将其关闭,因为在同一主机上同时启用和禁用延迟加载将会发生问题。",
"Riot now uses 3-5x less memory, by only loading information about other users when needed. Please wait whilst we resynchronise with the server!": "通过仅在需要时加载其他用户的信息Riot 现在使用的内存减少到了原来的三分之一至五分之一。 请等待与服务器重新同步!",
"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.": "您之前在 %(host)s 上开启了 %(brand)s 的成员列表延迟加载设置。目前版本中延迟加载功能已被停用。因为本地缓存在这两个设置项上不相容,%(brand)s 需要重新同步您的账号。",
"%(brand)s now uses 3-5x less memory, by only loading information about other users when needed. Please wait whilst we resynchronise with the server!": "通过仅在需要时加载其他用户的信息,%(brand)s 现在使用的内存减少到了原来的三分之一至五分之一。 请等待与服务器重新同步!",
"I don't want my encrypted messages": "我不想要我的加密消息",
"Manually export keys": "手动导出密钥",
"You'll lose access to your encrypted messages": "您将失去您的加密消息的访问权",
@ -1224,17 +1124,10 @@
"Go back": "返回",
"Room Settings - %(roomName)s": "聊天室设置 - %(roomName)s",
"A username can only contain lower case letters, numbers and '=_-./'": "用户名只能包含小写字母、数字和 '=_-./'",
"Recovery Key Mismatch": "恢复密钥不匹配",
"Backup could not be decrypted with this key: please verify that you entered the correct recovery key.": "备份无法使用此密钥解密:请检查您输入的恢复密钥是否正确。",
"Incorrect Recovery Passphrase": "错误的恢复密码",
"Backup could not be decrypted with this passphrase: please verify that you entered the correct recovery passphrase.": "备份无法使用此密码解密:请检查您输入的恢复密码是否正确。",
"Failed to decrypt %(failedCount)s sessions!": "%(failedCount)s 会话解密失败",
"Restored %(sessionCount)s session keys": "%(sessionCount)s 会话密钥已还原",
"Enter Recovery Passphrase": "输入恢复密码",
"<b>Warning</b>: you should only set up key backup from a trusted computer.": "<b>警告</b>:您应该只在受信任的电脑上设置密钥备份。",
"Access your secure message history and set up secure messaging by entering your recovery passphrase.": "通过输入恢复密码来访问您的安全消息历史记录和设置安全通信。",
"If you've forgotten your recovery passphrase you can <button1>use your recovery key</button1> or <button2>set up new recovery options</button2>": "如果忘记了恢复密码,您可以 <button1>使用恢复密钥</button1> 或者 <button2>设置新的恢复选项</button2>",
"Enter Recovery Key": "输入恢复密钥",
"This looks like a valid recovery key!": "看起来是有效的恢复密钥!",
"Not a valid recovery key": "不是有效的恢复密钥",
"Access your secure message history and set up secure messaging by entering your recovery key.": "通过输入恢复密钥来访问您的安全消息历史记录和设置安全通信。",
@ -1289,33 +1182,18 @@
"Registration has been disabled on this homeserver.": "此主服务器已禁止注册。",
"Unable to query for supported registration methods.": "无法查询支持的注册方法。",
"Create your account": "创建您的账号",
"Great! This passphrase looks strong enough.": "太棒了!这个密码看起来强度足够。",
"Keep going...": "请继续...",
"We'll store an encrypted copy of your keys on our server. Protect your backup with a passphrase to keep it secure.": "我们会在服务器上保存您的密钥的加密副本。请用密码来保护您的备份的安全。",
"For maximum security, this should be different from your account password.": "为确保最大的安全性,它应该与您的账号密码不同。",
"Enter a passphrase...": "输入密码...",
"Set up with a Recovery Key": "设置恢复密钥",
"That matches!": "匹配成功!",
"That doesn't match.": "不匹配。",
"Go back to set it again.": "返回重新设置。",
"Please enter your passphrase a second time to confirm.": "请再输入一次密码以确认。",
"Repeat your passphrase...": "重复您的密码...",
"As a safety net, you can use it to restore your encrypted message history if you forget your Recovery Passphrase.": "作为一张安全网,您可以在忘记了恢复密码的时候使用它来还原您的加密消息历史记录。",
"As a safety net, you can use it to restore your encrypted message history.": "作为一张安全网,您可以使用它来还原您的加密消息历史记录。",
"Your recovery key is a safety net - you can use it to restore access to your encrypted messages if you forget your passphrase.": "恢复密钥是您的一张安全网 - 如果忘记了密码,您可以用它来重获加密消息的访问权。",
"Your Recovery Key": "您的恢复密钥",
"<b>Print it</b> and store it somewhere safe": "<b>打印</b> 并存放在安全的地方",
"<b>Save it</b> on a USB key or backup drive": "<b>保存</b> 在 U 盘或备份磁盘中",
"<b>Copy it</b> to your personal cloud storage": "<b>复制</b> 到您的个人云端存储",
"Your keys are being backed up (the first backup could take a few minutes).": "正在备份您的密钥(第一次备份可能会花费几分钟时间)。",
"Set up Secure Message Recovery": "设置安全消息恢复",
"Secure your backup with a passphrase": "使用密码保护您的备份",
"Confirm your passphrase": "确认你的密码",
"Recovery key": "恢复密钥",
"Keep it safe": "确保其安全",
"Starting backup...": "开始备份...",
"Success!": "成功!",
"Create Key Backup": "创建密钥备份",
"Unable to create key backup": "无法创建密钥备份",
"Without setting up Secure Message Recovery, you'll lose your secure message history when you log out.": "如果您登出账号而没有设置安全消息恢复,您将失去您的安全消息历史记录。",
"If you don't want to set this up now, you can later in Settings.": "如果您现在不想设置,您可以稍后在设置中操作。",
@ -1369,8 +1247,8 @@
"A widget located at %(widgetUrl)s would like to verify your identity. By allowing this, the widget will be able to verify your user ID, but not perform actions as you.": "位于 %(widgetUrl)s 的小部件想要验证您的身份。在您允许后,小部件就可以验证您的用户 ID但不能代您执行操作。",
"Remember my selection for this widget": "记住我对此小部件的选择",
"Deny": "拒绝",
"Riot failed to get the protocol list from the homeserver. The homeserver may be too old to support third party networks.": "Riot 无法从主服务器处获取协议列表。该主服务器上的软件可能过旧,不支持第三方网络。",
"Riot failed to get the public room list.": "Riot 无法获取公开聊天室列表。",
"%(brand)s failed to get the protocol list from the homeserver. The homeserver may be too old to support third party networks.": "%(brand)s 无法从主服务器处获取协议列表。该主服务器上的软件可能过旧,不支持第三方网络。",
"%(brand)s failed to get the public room list.": "%(brand)s 无法获取公开聊天室列表。",
"The homeserver may be unavailable or overloaded.": "主服务器似乎不可用或过载。",
"You have %(count)s unread notifications in a prior version of this room.|other": "您在此聊天室的先前版本中有 %(count)s 条未读通知。",
"You have %(count)s unread notifications in a prior version of this room.|one": "您在此聊天室的先前版本中有 %(count)s 条未读通知。",
@ -1381,7 +1259,7 @@
"Please ask the administrator of your homeserver (<code>%(homeserverDomain)s</code>) to configure a TURN server in order for calls to work reliably.": "请联系您主服务器(<code>%(homeserverDomain)s</code>)的管理员设置 TURN 服务器来确保通话运作稳定。",
"Alternatively, you can try to use the public server at <code>turn.matrix.org</code>, but this will not be as reliable, and it will share your IP address with that server. You can also manage this in Settings.": "您也可以尝试使用<code>turn.matrix.org</code>公共服务器,但通话质量稍差,并且其将会得知您的 IP。您可以在设置中更改此选项。",
"Try using turn.matrix.org": "尝试使用 turn.matrix.org",
"Your Riot is misconfigured": "您的 Riot 配置有错误",
"Your %(brand)s is misconfigured": "您的 %(brand)s 配置有错误",
"Use Single Sign On to continue": "使用单点登陆继续",
"Confirm adding this email address by using Single Sign On to prove your identity.": "确认添加此邮件地址,通过使用单点登陆来证明您的身份。",
"Single Sign On": "单点登陆",
@ -1390,13 +1268,9 @@
"Confirm adding this phone number by using Single Sign On to prove your identity.": "通过单点确认添加此电话号码以确认您的身份。",
"Confirm adding phone number": "确认添加电话号码",
"Click the button below to confirm adding this phone number.": "点击下面的按钮,确认添加此电话号码。",
"The version of Riot": "Riot版本",
"Whether you're using Riot on a device where touch is the primary input mechanism": "是否在触屏设备上使用Riot",
"Whether you're using Riot as an installed Progressive Web App": "您是否已经安装Riot作为一种渐进式的Web应用",
"Whether you're using %(brand)s on a device where touch is the primary input mechanism": "是否在触屏设备上使用%(brand)s",
"Whether you're using %(brand)s as an installed Progressive Web App": "您是否已经安装%(brand)s作为一种渐进式的Web应用",
"Your user agent": "您的代理用户",
"The information being sent to us to help make Riot better includes:": "发送信息给我们以帮助Riot",
"There are unknown sessions in this room: if you proceed without verifying them, it will be possible for someone to eavesdrop on your call.": "聊天室有未知会话:如果您选择继续而不是验证他们,则您的电话可能会被窃听。",
"Review Sessions": "审查会议",
"Replying With Files": "回复文件",
"At this time it is not possible to reply with a file. Would you like to upload this file without replying?": "无法回复此文件。您要上传此文件但无需回复吗?",
"The file '%(fileName)s' failed to upload.": "上传文件 %(fileName)s失败。",
@ -1493,7 +1367,7 @@
"Done": "完成",
"Cannot reach homeserver": "不可连接到主服务器",
"Ensure you have a stable internet connection, or get in touch with the server admin": "确保您的网络连接稳定,或与服务器管理员联系",
"Ask your Riot admin to check <a>your config</a> for incorrect or duplicate entries.": "跟您的Riot管理员确认<a>您的配置</a>不正确或重复的条目。",
"Ask your %(brand)s admin to check <a>your config</a> for incorrect or duplicate entries.": "跟您的%(brand)s管理员确认<a>您的配置</a>不正确或重复的条目。",
"Cannot reach identity server": "不可连接到身份服务器",
"Room name or address": "房间名称或地址",
"Joins room with given address": "使用给定地址加入房间",

File diff suppressed because it is too large Load diff

View file

@ -17,6 +17,7 @@ limitations under the License.
import React from "react";
import { _t } from "../languageHandler";
import SdkConfig from "../SdkConfig";
import dis from "../dispatcher/dispatcher";
import Analytics from "../Analytics";
import AccessibleButton from "../components/views/elements/AccessibleButton";
@ -42,14 +43,17 @@ const onUsageDataClicked = () => {
const TOAST_KEY = "analytics";
export const showToast = (policyUrl?: string) => {
const brand = SdkConfig.get().brand;
ToastStore.sharedInstance().addOrReplaceToast({
key: TOAST_KEY,
title: _t("Help us improve Riot"),
title: _t("Help us improve %(brand)s", { brand }),
props: {
description: _t(
"Send <UsageDataLink>anonymous usage data</UsageDataLink> which helps us improve Riot. " +
"Send <UsageDataLink>anonymous usage data</UsageDataLink> which helps us improve %(brand)s. " +
"This will use a <PolicyLink>cookie</PolicyLink>.",
{},
{
brand,
},
{
"UsageDataLink": (sub) => (
<AccessibleButton kind="link" onClick={onUsageDataClicked}>{ sub }</AccessibleButton>

View file

@ -17,6 +17,7 @@ limitations under the License.
import React from "react";
import { _t } from "../languageHandler";
import SdkConfig from "../SdkConfig";
import GenericToast from "../components/views/toasts/GenericToast";
import ToastStore from "../stores/ToastStore";
import QuestionDialog from "../components/views/dialogs/QuestionDialog";
@ -76,11 +77,12 @@ export const showToast = (version: string, newVersion: string, releaseNotes?: st
acceptLabel = _t("Restart");
}
const brand = SdkConfig.get().brand;
ToastStore.sharedInstance().addOrReplaceToast({
key: TOAST_KEY,
title: _t("Upgrade your Riot"),
title: _t("Upgrade your %(brand)s", { brand }),
props: {
description: _t("A new version of Riot is available!"),
description: _t("A new version of %(brand)s is available!", { brand }),
acceptLabel,
onAccept,
rejectLabel: _t("Later"),

View file

@ -1,6 +1,6 @@
/*
Copyright 2019 New Vector Ltd
Copyright 2019 The Matrix.org Foundation C.I.C.
Copyright 2019, 2020 The Matrix.org Foundation C.I.C.
Licensed under the Apache License, Version 2.0 (the "License");
you may not use this file except in compliance with the License.
@ -70,10 +70,14 @@ export default class AutoDiscoveryUtils {
let title = _t("Cannot reach homeserver");
let body = _t("Ensure you have a stable internet connection, or get in touch with the server admin");
if (!AutoDiscoveryUtils.isLivelinessError(err)) {
title = _t("Your Riot is misconfigured");
const brand = SdkConfig.get().brand;
title = _t("Your %(brand)s is misconfigured", { brand });
body = _t(
"Ask your Riot admin to check <a>your config</a> for incorrect or duplicate entries.",
{}, {
"Ask your %(brand)s admin to check <a>your config</a> for incorrect or duplicate entries.",
{
brand,
},
{
a: (sub) => {
return <a
href="https://github.com/vector-im/riot-web/blob/master/docs/config.md"

View file

@ -1,5 +1,6 @@
/*
Copyright 2017 Vector Creations Ltd
Copyright 2020 The Matrix.org Foundation C.I.C.
Licensed under the Apache License, Version 2.0 (the "License");
you may not use this file except in compliance with the License.
@ -28,7 +29,7 @@ if (!TextDecoder) {
}
import { _t } from '../languageHandler';
import SdkConfig from '../SdkConfig';
const subtleCrypto = window.crypto.subtle || window.crypto.webkitSubtle;
@ -61,23 +62,24 @@ function cryptoFailMsg() {
*/
export async function decryptMegolmKeyFile(data, password) {
const body = unpackMegolmKeyFile(data);
const brand = SdkConfig.get().brand;
// check we have a version byte
if (body.length < 1) {
throw friendlyError('Invalid file: too short',
_t('Not a valid Riot keyfile'));
_t('Not a valid %(brand)s keyfile', { brand }));
}
const version = body[0];
if (version !== 1) {
throw friendlyError('Unsupported version',
_t('Not a valid Riot keyfile'));
_t('Not a valid %(brand)s keyfile', { brand }));
}
const ciphertextLength = body.length-(1+16+16+4+32);
if (ciphertextLength < 0) {
throw friendlyError('Invalid file: too short',
_t('Not a valid Riot keyfile'));
_t('Not a valid %(brand)s keyfile', { brand }));
}
const salt = body.subarray(1, 1+16);